uniapp luch-request 使用教程+响应对象创建

news2024/11/16 1:33:28

1. 介绍

  luch-request 是一个基于 Promise 开发的 uni-app 跨平台、项目级别的请求库。它具有更小的体积、易用的 API 和方便简单的自定义能力。luch-request 支持请求和响应拦截、全局挂载、多个全局配置实例、自定义验证器、文件上传/下载、任务操作、自定义参数以及多拦截器等功能。

2. 项目快速启动

安装

使用 npm 安装 luch-request

npm install luch-request -S
创建实例

在项目中创建一个 request 实例(utils/request.js),并进行基本的配置:

request.js:

import Request from 'luch-request'

const baseUrl = 'http://192.168.1.167:8080/';

const http = new Request();

/** 设置全局配置 */
http.setConfig(config => {
	config.baseURL = baseUrl;// 配置基础url
	config.header = {
		'Content-Type': 'application/json;charset=UTF-8',
		"Access-Control-Allow-Origin": "*",
	};
	config.timeout = 15 * 1000;// 请求超时时间15s
	
	return config
})

/** 请求之前拦截 */
http.interceptors.request.use(config => {
	uni.showLoading({
		title: '数据加载中...',
		mask: true
	});
	// 设置5s中
	setTimeout(function(){
		uni.hideLoading()
	},5000)


	/* if (uni.getStorageSync('resToken')) {
		config.header["Authorization"] = `Bearer ${uni.getStorageSync("resToken")}`;
	} */
		
	return config
},
error => {// 失败
	return Promise.reject(error)
})

/** 响应拦截器 */
http.interceptors.response.use(response => {
	console.log("response",response)
	// 解析response.data中数据,根据返回值修改
	const {
		data,
		success,
		message,
		token,
	} = response.data

	//console.log("message",message)
	//console.log("success",success)
	
	if (success) {
		uni.hideLoading()
		// 存储token到本地
		uni.setStorageSync('resToken', token)
		
		return response.data
	}else{
		uni.showToast({
			//title: message,
			title:"请求失败",
			icon: 'error',
			duration:2000,// 显示2s
		})
		uni.setStorageSync('resToken', null)
		// 跳转回登录页面
		uni.switchTab({
			url: '/pages/login/login'
		})
	}
},
error =>{
	// 对响应错误做点什么
	return Promise.reject(error);
})


export default http;

3.创建请求方法

项目中创建api/api.js:

api.js:

import http from '@/utils/request.js'


// 获取用户信息-无参数
export function loginUser(){
	return http.get('/api/loginUser.api')
}

// 登录post请求 
export function LoginPostMethod(data) {
	return http.post(
		`/api/login.api?account=${data.account}&password=${data.password}`
	)
}

// 登录post请求-Map<String, String>对象参数 
export function LoginPostParamsMethod(data) {
	return http.post('/api/paramsLogin.api',data)
}

// 登录get请求 
export function LoginGetMethod(data) {
	return http.get(
		`/api/login.api?account=${data.account}&password=${data.password}`
	)
}

// 登录get请求-params参数 (只能get请求写params参数,post请求不能这么写报错)
export function LoginGetParamsMethod(data) {
	return http.get(
		'/api/paramsLogin.api',{
			params: {
				acc: data.account,
				psw: data.password
			}
		}
	)
}


// 箭头函数 - 修改密码
export const updatePassword = (data) =>{
	return http.post('/api/updatePassword.api',data)
}


// 上传图片
/* export function upPhoto(data) {
	return http.upload('app/inspection/inspectionPictureUploaded', {
		filePath: data.file.path,
		name: 'file',
		params: {
			inspectionId: data.inspectionId
		}
	}).then(res => {
	  console.log(res);
	}).catch(err => {
	  console.error(err);
	}); 
	

	// return http.upload('api/upload/img', {
	//   files: [file], // 需要上传的文件列表
	//   name: 'file', // 文件对应的 key
	//   formData: {
	//     // 其他额外的 form data
	//   }
	// }).then(res => {
	//   console.log(res);
	// }).catch(err => {
	//   console.error(err);
	// });
	
	
} */

4.使用方法

methods:{
			async submit(){
				// 无参数get请求
				//const userInfo = await loginUser();
				//console.log("userInfo",userInfo)
				/**
				 * 默认账号:admin
				 * 默认密码:123
				 */
				// 模拟传递对象
				const obj = {
					account:"admin",
					password:"123"
				}
				// 调用get请求
				//const getResult = await LoginGetMethod(obj);
				//console.log("getResult",getResult);
								
				//param参数get请求
				const getParamsResult = await LoginGetParamsMethod(obj);
				console.log("getParamsResult",JSON.stringify(getParamsResult));
				
				// 调用post请求
				//const postResult = await LoginPostMethod(obj);
				//console.log("postResult",JSON.stringify(postResult));
				
				
				// Map<String, String>对象参数post请求
				//const postParamsResult = await LoginPostParamsMethod(obj);
				//console.log("postParamsResult",JSON.stringify(postParamsResult));
			},
          ******
          ******
            async jumpPage(data){// 跳转页面
				
				const res = await updatePassword(data);
				if(res.success){
					uni.navigateBack({
					  url: '/pages/my/my'
					});
				}else{
					uni.showToast({
						title: "修改失败",
						icon: "error"
					}) 
				}
			
				
				
			},
}

5.后台代码(若依)

LoginController:

package com.ruoyi.api.login.controller;

import com.ruoyi.api.login.entity.User;
import com.ruoyi.api.login.response.ResponseData;
import org.springframework.web.bind.annotation.*;

import java.util.Map;

/**
 * 移动端登录
 * */
@RestController
@RequestMapping("/api")
public class LoginController {

    /**
     * GET请求无参数
     * */
    @GetMapping("/loginUser.api")
    @ResponseBody
    public ResponseData getLoginUser(){
        System.out.println("无参数GET请求");
        User user = new User();

        user.setAccount("admin");
        user.setPassword("123");
        user.setToken("new_token");
        user.setMessage("请求成功");
        user.setSuccess(true);

        return ResponseData.success(user);
    }

    /**
     * GET请求
     * 返回字符串
     * */
    @GetMapping("/login.api")
    @ResponseBody
    public ResponseData getLogin(String account, String password){

        System.out.println("登录GET请求-------");
        System.out.println("账号--"+account);
        System.out.println("密码--"+password);


        if ("admin".equals(account) && "123".equals(password)){
            return ResponseData.success("get请求成功");
        }


        return ResponseData.error("get请求失败");
    }


    /**
     * GET请求-params参数
     * 返回字符串
     *
     * @ResponseBody
     * 将方法返回值直接响应给浏览器
     * 如果返回值类型是实体对象/集合,将会转换为JSON格式后在响应给浏览器
     * */
    @GetMapping("/paramsLogin.api")
    @ResponseBody
    public ResponseData getParamsLogin(@RequestParam(value = "acc") String account,
                                 @RequestParam(value = "psw") String password){

        System.out.println("登录GET请求params参数-------");
        System.out.println("账号--"+account);
        System.out.println("密码--"+password);


        if ("admin".equals(account) && "123".equals(password)){

            return ResponseData.success("GET请求params参数成功");
        }


        return ResponseData.error("GET请求params参数失败");
    }


    /**
     * POST请求
     * 返回对象
     *
     *  @ResponseBody
     *  将方法返回值直接响应给浏览器
     *  如果返回值类型是实体对象/集合,将会转换为JSON格式后在响应给浏览器
     * */
    @PostMapping("/login.api")
    public User postLogin(String account,String password){


        System.out.println("登录POST请求-------");
        System.out.println("账号--"+account);
        System.out.println("密码--"+password);

        // 创建模拟对象
        User user = new User();
        if ("admin".equals(account) && "123".equals(password)){
            user.setAccount(account);
            user.setPassword(password);
            user.setToken("new_token");
            user.setMessage("请求成功");
            user.setSuccess(true);

            return user;
        }

        user.setMessage("请求失败");
        user.setSuccess(false);

        return user;
    }




    /**
     * POST请求-Map<String, String>对象参数
     * 返回ResponseData对象
     * */
    @RequestMapping(value = "/paramsLogin.api",method = RequestMethod.POST)
    public ResponseData postParamsLogin(@RequestBody Map<String, String> body){

        System.out.println("body"+body);
        System.out.println("登录POST请求Map<String, String>对象参数-------");
        System.out.println("账号--"+body.get("account"));
        System.out.println("密码--"+body.get("password"));

        String acc = body.get("account");
        String psw = body.get("password");

        // 创建模拟对象
        User user = new User();
        if ("admin".equals(acc) && "123".equals(psw)){
            user.setAccount(acc);
            user.setPassword(psw);
            user.setToken("new_token");
            user.setMessage("Map对象参数请求成功");
            user.setSuccess(true);

            return ResponseData.success(user);
        }

        return ResponseData.error("postMap对象请求失败");
    }

    /**
     * 修改密码
     * POST请求-Map<String, String>对象参数
     * 返回ResponseData对象
     * */
    @PostMapping("/updatePassword.api")
    public ResponseData updatePassword(@RequestBody Map<String,String> body){

        System.out.println("修改密码POST请求Map<String, String>对象参数-------");
        System.out.println("body"+body);

        String oldPassword = body.get("oldPassword");
        System.out.println("oldPassword:"+oldPassword);

        String newPassword = body.get("newPassword");
        System.out.println("newPassword:"+newPassword);

        String confirmPassword = body.get("confirmPassword");
        System.out.println("confirmPassword:"+confirmPassword);

        // 创建模拟对象
        User user = new User();
        if("123".equals(oldPassword) && confirmPassword.equals(newPassword)){


            user.setPassword(newPassword);
            user.setToken("new_token");
            user.setMessage("Map对象参数请求成功");
            user.setSuccess(true);

            return ResponseData.success(newPassword);
        }


        return ResponseData.error("修改失败");
    }

}

User:

package com.ruoyi.api.login.entity;


import com.ruoyi.common.core.domain.BaseEntity;

public class User extends BaseEntity {

    private static final long serialVersionUID = 1L;

    /** 编号 */
    private Long tableId;

    private String account;// 账号

    private String password;// 密码


    private String token;//token

    private String message;// 信息

    private Boolean success;// 是否成功


    public Long getTableId() {
        return tableId;
    }

    public void setTableId(Long tableId) {
        this.tableId = tableId;
    }

    public String getAccount() {
        return account;
    }

    public void setAccount(String account) {
        this.account = account;
    }

    public String getPassword() {
        return password;
    }

    public void setPassword(String password) {
        this.password = password;
    }

    public String getToken() {
        return token;
    }

    public void setToken(String token) {
        this.token = token;
    }

    public String getMessage() {
        return message;
    }

    public void setMessage(String message) {
        this.message = message;
    }

    public Boolean getSuccess() {
        return success;
    }

    public void setSuccess(Boolean success) {
        this.success = success;
    }
}

响应对象

ErrorCodeEnum:

package com.ruoyi.api.login.response.enums;

public enum ErrorCodeEnum {

    NOT_LOGIN(301, "请登录"),
    PASS_LOGIN(301, "登录已超时,请重新登录");

    private Integer code;
    private String message;

    private ErrorCodeEnum(Integer code, String message) {
        this.code = code;
        this.message = message;
    }

    public Integer getCode() {
        return this.code;
    }

    public void setCode(Integer code) {
        this.code = code;
    }

    public String getMessage() {
        return this.message;
    }

    public void setMessage(String message) {
        this.message = message;
    }

}

ResponseData:

package com.ruoyi.api.login.response;

import com.ruoyi.api.login.response.enums.ErrorCodeEnum;

public class ResponseData {

    public static final String DEFAULT_SUCCESS_MESSAGE = "请求成功";
    public static final String DEFAULT_ERROR_MESSAGE = "网络异常";
    public static final Integer DEFAULT_SUCCESS_CODE = 200;
    public static final Integer DEFAULT_ERROR_CODE = 500;
    private Boolean success;
    private Integer code;
    private String message;
    private Object data;

    public ResponseData() {
    }

    public ResponseData(Boolean success, Integer code, String message, Object data) {
        this.success = success;
        this.code = code;
        this.message = message;
        this.data = data;
    }

    public static SuccessResponseData success() {
        return new SuccessResponseData();
    }

    public static SuccessResponseData success(Object object) {
        return new SuccessResponseData(object);
    }

    public static SuccessResponseData success(Integer code, String message, Object object) {
        return new SuccessResponseData(code, message, object);
    }

    public static ErrorResponseData error(String message) {
        return new ErrorResponseData(message);
    }

    public static ErrorResponseData error(Integer code, String message) {
        return new ErrorResponseData(code, message);
    }

    public static ErrorResponseData error(Integer code, String message, Object object) {
        return new ErrorResponseData(code, message, object);
    }

    public static ResponseData error(ErrorCodeEnum errorCodeEnum) {
        return error(errorCodeEnum.getCode(), errorCodeEnum.getMessage(), (Object)null);
    }

    public Boolean getSuccess() {
        return this.success;
    }

    public Integer getCode() {
        return this.code;
    }

    public String getMessage() {
        return this.message;
    }

    public Object getData() {
        return this.data;
    }

    public void setSuccess(Boolean success) {
        this.success = success;
    }

    public void setCode(Integer code) {
        this.code = code;
    }

    public void setMessage(String message) {
        this.message = message;
    }

    public void setData(Object data) {
        this.data = data;
    }

    public boolean equals(Object o) {
        if (o == this) {
            return true;
        } else if (!(o instanceof ResponseData)) {
            return false;
        } else {
            ResponseData other = (ResponseData)o;
            if (!other.canEqual(this)) {
                return false;
            } else {
                label59: {
                    Object this$success = this.getSuccess();
                    Object other$success = other.getSuccess();
                    if (this$success == null) {
                        if (other$success == null) {
                            break label59;
                        }
                    } else if (this$success.equals(other$success)) {
                        break label59;
                    }

                    return false;
                }

                Object this$code = this.getCode();
                Object other$code = other.getCode();
                if (this$code == null) {
                    if (other$code != null) {
                        return false;
                    }
                } else if (!this$code.equals(other$code)) {
                    return false;
                }

                Object this$message = this.getMessage();
                Object other$message = other.getMessage();
                if (this$message == null) {
                    if (other$message != null) {
                        return false;
                    }
                } else if (!this$message.equals(other$message)) {
                    return false;
                }

                Object this$data = this.getData();
                Object other$data = other.getData();
                if (this$data == null) {
                    if (other$data != null) {
                        return false;
                    }
                } else if (!this$data.equals(other$data)) {
                    return false;
                }

                return true;
            }
        }
    }

    protected boolean canEqual(Object other) {
        return other instanceof ResponseData;
    }

    public int hashCode() {
        boolean PRIME = true;
        int result = 1;
        Object $success = this.getSuccess();
        result = result * 59 + ($success == null ? 43 : $success.hashCode());
        Object $code = this.getCode();
        result = result * 59 + ($code == null ? 43 : $code.hashCode());
        Object $message = this.getMessage();
        result = result * 59 + ($message == null ? 43 : $message.hashCode());
        Object $data = this.getData();
        result = result * 59 + ($data == null ? 43 : $data.hashCode());
        return result;
    }

    public String toString() {
        Boolean var10000 = this.getSuccess();
        return "ResponseData(success=" + var10000 + ", code=" + this.getCode() + ", message=" + this.getMessage() + ", data=" + this.getData() + ")";
    }

}

ErrorResponseData:

package com.ruoyi.api.login.response;

public class ErrorResponseData extends ResponseData{

    private String exceptionClazz;

    public ErrorResponseData(String message) {
        super(false, ResponseData.DEFAULT_ERROR_CODE, message, (Object)null);
    }

    public ErrorResponseData(Integer code, String message) {
        super(false, code, message, (Object)null);
    }

    public ErrorResponseData(Integer code, String message, Object object) {
        super(false, code, message, object);
    }

    public String getExceptionClazz() {
        return this.exceptionClazz;
    }

    public void setExceptionClazz(String exceptionClazz) {
        this.exceptionClazz = exceptionClazz;
    }

    public boolean equals(Object o) {
        if (o == this) {
            return true;
        } else if (!(o instanceof ErrorResponseData)) {
            return false;
        } else {
            ErrorResponseData other = (ErrorResponseData)o;
            if (!other.canEqual(this)) {
                return false;
            } else {
                Object this$exceptionClazz = this.getExceptionClazz();
                Object other$exceptionClazz = other.getExceptionClazz();
                if (this$exceptionClazz == null) {
                    if (other$exceptionClazz != null) {
                        return false;
                    }
                } else if (!this$exceptionClazz.equals(other$exceptionClazz)) {
                    return false;
                }

                return true;
            }
        }
    }

    protected boolean canEqual(Object other) {
        return other instanceof ErrorResponseData;
    }

    public int hashCode() {
        boolean PRIME = true;
        int result = 1;
        Object $exceptionClazz = this.getExceptionClazz();
        result = result * 59 + ($exceptionClazz == null ? 43 : $exceptionClazz.hashCode());
        return result;
    }

    public String toString() {
        return "ErrorResponseData(exceptionClazz=" + this.getExceptionClazz() + ")";
    }

}

SuccessResponseData:

package com.ruoyi.api.login.response;

public class SuccessResponseData extends ResponseData{

    public SuccessResponseData() {
        super(true, DEFAULT_SUCCESS_CODE, "请求成功", (Object)null);
    }

    public SuccessResponseData(Object object) {
        super(true, DEFAULT_SUCCESS_CODE, "请求成功", object);
    }

    public SuccessResponseData(Integer code, String message, Object object) {
        super(true, code, message, object);
    }

}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/2241181.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

RHCE-DNS域名解析服务器

一、DNS简介 DNS &#xff08; Domain Name System &#xff09;是互联网上的一项服务&#xff0c;它作为将域名和 IP 地址相互映射的一个分布式 数据库&#xff0c;能够使人更方便的访问互联网。 DNS 系统使用的是网络的查询&#xff0c;那么自然需要有监听的 port 。 DNS 使…

Unity中HDRP设置抗锯齿

一、以前抗锯齿的设置方式 【Edit】——>【Project Settings】——>【Quality】——>【Anti-aliasing】 二、HDRP项目中抗锯齿的设置方式 在Hierarchy中——>找到Camera对象——>在Inspector面板上——>【Camera组件】——>【Rendering】——>【Pos…

电子工牌独立双通道定向拾音方案(有视频演示)

现在一些行业的客服人员在面对客户都要求使用电子工牌分别记录客服和顾客的声音,我们利用双麦克风阵列双波束拾音的方案设计了一个电子工牌方案.可以有效分别记录客服和顾客的声音. 方案思路: 我们采用了一个双麦阵列波束拾音的模块A-59,此模块可以利用2个麦克风组成阵列进行双…

Redis下载历史版本

Linux版本&#xff1a; https://download.redis.io/releases/ Windows版本&#xff1a; https://github.com/tporadowski/redis/releases Linux Redis对应gcc版本

Mysql篇-三大日志

概述 undo log&#xff08;回滚日志&#xff09;&#xff1a;是 Innodb 存储引擎层生成的日志&#xff0c;实现了事务中的原子性&#xff0c;主要用于事务回滚和 MVCC。 redo log&#xff08;重做日志&#xff09;&#xff1a;是 Innodb 存储引擎层生成的日志&#xff0c;实现…

MFC工控项目实例三十实现一个简单的流程

启动按钮夹紧 密闭&#xff0c;时间0到平衡 进气&#xff0c;时间1到进气关&#xff0c;时间2到平衡关 检测&#xff0c;时间3到平衡 排气&#xff0c;时间4到夹紧开、密闭开、排气关。 相关代码 void CSEAL_PRESSUREDlg::OnTimer_2(UINT nIDEvent_2) {// if (nIDEvent_21 &am…

通过 SSH 隧道将本地端口转发到远程主机

由于服务器防火墙,只开放了22端口,想要通过5901访问服务器上的远程桌面,可以通过下面的方式进行隧道转发。 一、示例命令 这条代码的作用是通过 SSH 创建一个 本地端口转发,将你本地的端口(5901)通过加密的 SSH 隧道连接到远程服务器上的端口(5901)。这种方式通常用于在…

docker——项目部署

什么是Docker&#xff1f; Docker是一个开源的应用容器引擎&#xff0c;让开发者可以打包他们的应用以及依赖包到一个可抑制的容器中&#xff0c;然后发布到任何流行的Linux机器上&#xff0c;也可以实现虚拟化。容器完全使用沙盒机制&#xff0c;相互之间不会存在任何接口。几…

LabVIEW-TestExec SL

文章目录 新建LabVIEW .llb库链接vi至TestExec SLTestPlan调用调用自定义动作创建变量配置动作参数 注意事项 新建LabVIEW .llb库 创建一个文件夹用来存放文件。在此文件夹下创建两个文件夹&#xff0c;分别命名为Actions和Bin。其中&#xff0c;Actions用于存放动作&#xff…

数据结构--数组

一.线性和非线性 线性&#xff1a;除首尾外只有一个唯一的前驱和后继。eg&#xff1a;数组&#xff0c;链表等。 非线性&#xff1a;不是线性的就是非线性。 二.数组是什么&#xff1f; 数组是一个固定长度的存储相同数据类型的数据结构&#xff0c;数组中的元素被存储在一…

NFS-Ganesha 核心架构解读

NFSv4 简要概述 NFS 这个协议( NFSv2 )最初由 Sun Microsystems 在 1984 年设计提出&#xff0c;由于存在一些不足&#xff0c;因此在随后由几家公司联合推出了 NFSv3。到了 NFSv4 时&#xff0c;开发完全由 IETF 主导&#xff0c;设计目标是&#xff1a; 提高互联下的 NFS 访…

Simulink对仿真数据进行FFT频谱分析

1 问题引入 在仿真阶段&#xff0c;经常会遇到有些仿真结果的数据需要进行频谱分析&#xff0c;如何快速便捷地操作&#xff0c;这里介绍其中一种简单的方法。主要利用 Simulink 中 Scope 显示的数据进行保存并进行 FFT 频谱分析&#xff0c;按下文操作即可。 2 实战 2.1 将…

Python实现贪吃蛇 经典解压小游戏!附源码

大家应该都玩过诺基亚上面的贪吃蛇吧&#xff0c;那是一段美好的童年回忆&#xff0c;本文将带你一步步用python语言实现一个snake小游戏&#xff01; 基础环境必备 版本&#xff1a;Python3 ●系统&#xff1a;Windows ●相关模块&#xff1a;pygame pip install pygame安…

Taro React-Native IOS 打包发布

http网络请求不到 配置 fix react-native facebook::flipper::SocketCertificateProvider‘ (aka ‘int‘) is not a function or func_rn运行debug提示flipper-CSDN博客 Xcode 15&#xff08;iOS17&#xff09;编译适配报错_no template named function in namespace std-CS…

Chrome使用IE内核

Chrome使用IE内核 1.下载扩展程序IE Tab 2.将下载好的IE Tab扩展程序拖拽到扩展程序界面&#xff0c;之后重启chrome浏览器即可

C++基础:Pimpl设计模式的实现

2024/11/14: 在实现C17的Any类时偶然接触到了嵌套类的实现方法以及Pimpl设计模式&#xff0c;遂记录。 PIMPL &#xff08; Private Implementation 或 Pointer to Implementation &#xff09;是通过一个私有的成员指针&#xff0c;将指针所指向的类的内部实现数据进行隐藏。 …

深入理解AIGC背后的核心算法:GAN、Transformer与Diffusion Models

深入理解AIGC背后的核心算法&#xff1a;GAN、Transformer与Diffusion Models 前言 随着人工智能技术的发展&#xff0c;AIGC&#xff08;AI Generated Content&#xff0c;人工智能生成内容&#xff09;已经不再是科幻电影中的幻想&#xff0c;而成为了现实生活中的一种新兴力…

LeetCode面试经典150题C++实现,更新中

用C实现下面网址的题目 https://leetcode.cn/problems/merge-sorted-array/?envTypestudy-plan-v2&envIdtop-interview-150 1、数组\字符串 88合并两个有序数组 以下是使用 C 实现合并两个有序数组的代码及测试用例 C代码实现 #include <iostream> #include &l…

python怎么安装numpy

1、在python官网https://pypi.python.org/pypi/numpy中找到安装的python版本对应的numpy版本。 例如&#xff1a; python版本是&#xff1a; 下载的对应numpy版本是&#xff1a; 2、将numpy下载到python的安装目录下的scripts文件夹中&#xff1b; 3、然后在cmd中执行以下命…

js中typeOf无法区分数组对象

[TOC]&#xff08;js中typeOf无法区分数组对象) 前提&#xff1a;很多时候我们在JS中用typeOf来判断值类型&#xff0c;如&#xff1a;typeOf ‘abc’//string ,typeOf 123 //number; 但当判断对象为数组时返回的仍是’object’ 这时候我们可以使用Object.prototype.toString.c…