js foreach用法_一盏茶的时间,快速捕获JS中常用的方法(细心整理,持续更新ing)...

9e75f62edb48045b264da7223b838036.png不知不觉上班一周辽~趁着大好周末,小编挣扎着从床上爬起来,决定对前端日常编程中常用到的一些方法做一个系统的整合。

有些人或许会觉得忘了百度就完事儿,no no no!这事儿小编真的亲践过好多次,百度一次记住了还好,记不住下次碰着了还得找度娘简直是拉低工作效率。

本次整理希望可以帮助到需要的童鞋,闲暇无聊多瞅几眼保证能记住(记不住欢迎下方戳小编,小编一定给各位大佬寄“拖鞋”)。因为js这类的方法(技巧)总有新玩法,本篇文档会持续更新,建议收藏。

9cd6fd5bd550a1e44d207ee833a7a45c.png

Array

new Set()

用来对数组进行去重。

const arr = [3,4,4,5,4,6,5,7];console.log(new Set(arr)); // {3,4,5,6,7}const a = Array.from(new Set(arr)) // [3, 4, 5, 6, 7]
sort()

对数组元素进行排序(改变原数组)。

const arr = [3,4,4,5,4,6,5,7];console.log(arr.sort()) // [3, 4, 4, 4, 5, 5, 6, 7]
reverse()

反转数组中的元素(改变原数组)。

const arr = [3,4,4,5,4,6,5,7];conosle.log(arr.reverse());  // [7, 6, 5, 5, 4, 4, 4, 3]
delete

删除一个数组成员,会形成空位,并不会影响length属性(改变原数组),同样适用于对象。

//数组const arr = [3,4,4,5,4,6,5,7];delete arr[1];conosle.log(arr); // [3, empty, 4, 5, 4, 6, 5, 7]//对象const obj = {name: 'pboebe',age: '23',sex: '女'};delete obj.sex;console.log(obj); // {name: "pboebe", age: "23"}
shift()

把数组的第一个元素从其中删除,并返回第一个元素的值(改变原数组)。

const arr = [3,4,4,5,4,6,5,7];const a = arr.shift(); // 3console.log(arr); // [empty, 4, 5, 4, 6, 5, 7]
unshift()

向数组的起始处添加一个或多个元素,并返回新的长度(改变原数组)。

const arr = [3,4,4,5,4,6,5,7];const a = arr.unshift(8);console.log(a); // 9(a为返回的数组的新长度)console.log(arr); // [8, 3, 4, 4, 5, 4, 6, 5, 7]
push()

在数组的末端添加一个或多个元素,并返回添加新元素后的数组长度(改变原数组)。

const arr = [3,4,4,5,4,6,5,7];const a = arr.push(8,9);console.log(a); // 10(a为返回的数组的新长度)console.log(arr); // [3, 4, 4, 5, 4, 6, 5, 7, 8, 9]
valueOf()

返回数组本身。

const arr = [3,4,4,5,4,6,5,7];console.log(arr.valueOf()); // [3,4,4,5,4,6,5,7]
toString()

可把值转换成字符串。

const arr = [3,4,4,5,4,6,5,7];console.log(arr.toString()); // 3,4,4,5,4,6,5,7
concat()

在原始数据尾部添加另外数据组成新数据(字符串适用)。

//数组const a = [1,2,3];const b = [4,5];const c = a.concat(b); // [1, 2, 3, 4, 5]//字符串const x = 'abc';const y = 'def';const z = x.concat(y); // abcdef
join()

以参数作为分隔符,将所有参数组成一个字符串返回(一般默认逗号隔开)。

const arr = [3,4,4,5,4,6,5,7];console.log(arr.join('-')); // 3-4-4-5-4-6-5-7
slice(start, end)

用于提取原来数组的一部分,会返回一个提取的新数组,原数组不变(字符串适用,不包括end)。

//数组const arr = [3,4,4,5,4,6,5,7];const a = arr.slice(2, 5); // [4, 5, 4]//字符串const x = 'abcdefgh';const y = x.slice(3, 6); // def
splice()

用于删除原数组的一部分,并且可以在删除的位置添加新的数组成员,返回值是被删除的数组元素。(改变原数组)

splice(t, v, s)t:被删除元素的起始位置;v:被删除元素个数;s:s以及后面的元素为被插入的新元素。

const arr = [3,4,4,5,4,6,5,7];const a = arr.splice(3, 2, 12); // [5, 4]console.log(arr); // [3, 4, 4, 12, 6, 5, 7]
map()

依次遍历数组成员,根据遍历结果返回一个新数组。(map方法同样适用于字符串,但是不能直接调用,需要通过函数的call方法,间接使用,或者先将字符串川转为数组,再使用)(不会改变原始数组)。

const arr = [3,4,4,5,4,6,5,7];const a = arr.map(item => item*2;) // [6, 8, 8, 10, 8, 12, 10, 14]
forEach()

跟map方法类似,遍历数组,区别是无返回值。

const arr = [3,4,4,5,4,6,5,7];arr.forEach(function(value,index,arr){console.log(value)}))//34454657
for in()

map方法类似,遍历对象或者数组。

但值得注意的是for in循环返回的值都是数据结构的键值名。遍历对象返回的对象的key值,遍历数组返回的数组的下标(key)。

// 对象const obj = {a: 123, b: 12, c: 2 };for (let a in obj) {console.log(a)}// a   b   c//数组const arr = [3,4,4,5];for(let a in arr) {console.log(a)}// 0123
filter()

一个过滤方法,参数是一个函数,所有的数组成员依次执行该函数,返回结果为true的成员组成一个新数组返回。(不会改变原始数组)。

const arr = [3,4,4,5,4,6,5,7];const a = arr.filter(item => item % 3 > 1);console.log(a); // [5, 5]
some()& every()

这两个方法类似于“断言”(assert),用来判断数组成员是否符合某种条件。

const arr = [3,4,4,5,4,6,5,7];console.log( arr.some( function( item, index, array ){console.log( 'item=' + item + ',index='+index+',array='+array );return item > 3;}));//  item=3,index=0,array=3,4,4,5,4,6,5,7//   item=4,index=1,array=3,4,4,5,4,6,5,7//   trueconsole.log( arr.every( function( item, index, array ){console.log( 'item=' + item + ',index='+index+',array='+array );return item > 3;}));// item=3,index=0,array=3,4,4,5,4,6,5,7//false
some方法是只要有一个数组成员的返回值为true,则返回true,否则false;
every方法是需要每一个返回值为true,才能返回true,否则为false;
reduce()

依次处理数组的每个成员,最终累计成一个值。

格式:

reduce(a, b, x, y)

a:必填,累计变量;b:必填,当前变量;x: 可选,当前位置;y:可选,原数组。

//简单用法const arr = [3,4,4,5,4,6,5,7];const a = arr.reduce((pre, cur) => {return pre+cur})// 逗号写法const a = arr.reduce((pre, cur) => (sum= pre+cur, sum))console.log(a) // 38//高级用法(举个数组去重和数组扁平化栗子)const b = arr.reduce((pre, cur) => {if(!pre.includes(cur)) {return pre.concat(cur)    } else {return pre    }}, [])// [3, 4, 5, 6, 7]const arrs = [[2,3,2], [3,4,5]]const c = arr.reduce((pre, cur) => {return pre.concat(cur)}, [])// [2, 3, 2, 3, 4, 5]

reduce的用法还有很多,剋各种尝试。

reduceRight()

reduce方法使用方式相同,区别在于reduceRight方法从右到左执行(例子略过)。

indexOf()

返回给定元素在数组中的第一次出现的位置,如果没有则返回-1(同样适用于字符串)。

//数组const arr = [3,4,4,5,4,6,5,7];console.log(arr.indexOf(4)) // 1console.log(arr.indexOf('4'))  // -1//字符串conststring = 'asdfghj';console.log(string.indexOf('a')) // 0
lastIndexOf()

返回给定元素在数组中最后一次出现的位置,没有返回-1(同样适用于字符串)。

const arr = [3,4,4,5,4,6,5,7];console.log(arr.lastIndexOf(4))// 4(从左到右数最后出现的位置,字符串同理)
groupBy()

把集合的元素按照key归类,key由传入的参数返回。

const arr = [                {name: '小孙', age: 18, score: 60, weight: 60},                {name: '小王', age: 19, score: 70, weight: 55},                {name: '小李', age: 18, score: 60, weight: 70},                {name: '小刘', age: 20, score: 70, weight: 65},                {name: '小赵', age: 18, score: 60, weight: 60},                {name: '小钱', age: 19, score: 70, weight: 55},                {name: '小周', age: 20, score: 60, weight: 50},        ];const example = (data, key) => {return data.reduce(function(prev, cur) {                (prev[cur[key]] = prev[cur[key]] || []).push(cur);return prev;            }, {});        };console.log(example(arr, 'age'));// object: {18: Array(3), 19: Array(2), 20: Array(2)}18: Array(3)0: {name: "小孙", age: 18, score: 60, weight: 60}1: {name: "小李", age: 18, score: 60, weight: 70}2: {name: "小赵", age: 18, score: 60, weight: 60}19: Array(2)0: {name: "小王", age: 19, score: 70, weight: 55}1: {name: "小钱", age: 19, score: 70, weight: 55}20: Array(2)0: {name: "小刘", age: 20, score: 70, weight: 65}1: {name: "小周", age: 20, score: 60, weight: 50}
shuffle()

用洗牌算法随机打乱一个集合。

const arr = [1,2,3,4,5,6,7,8,9,10];const shuffle = ([...arr]) => {  let m = arr.length;  while (m) {    const i = Math.floor(Math.random() * m--);    [arr[m], arr[i]] = [arr[i], arr[m]];  }  return arr;};console.log(shuffle(arr))// [10, 9, 7, 5, 6, 4, 1, 2, 8, 3]
flatten()

简写为flat(),接收一个数组,无论这个数组里嵌套了多少个数组,flatten最后都会把其变成一个一维数组(扁平化)。

const arr = [[1,2,3],[4,5,[6,7]]];const a = arr.flatten(3);console.log(a); // [1, 2, 3, 4, 5, 6, 7]
Array.isArray()

用来判断是不是数据是不是一个数组,返回值为true或false。

const arr = [3,4,4,5,4,6,5,7];console.log(Array.isArray(arr)) // true
copyWithin()

从数组的指定位置拷贝元素到数组的另一个指定位置中。

格式:array.copyWithin(target, start, end)const arr = [3,4,4,5,4,6,5,7];console.log(arr.copyWithin(4,2)) // [3, 4, 4, 5, 4, 5, 4, 6]
find()

返回符合传入测试(函数)条件的数组元素。

const arr = [3,4,4,5,4,6,5,7];const a = test.find(item => item > 3);console.log(a); //4(find() 方法返回通过测试(函数内判断)的数组的第一个元素的值。)const b = test.find(item => item == 0);console.log(b); //undefined(如果没有符合条件的元素返回 undefined)

String

charAt()

用于返回指定位置的字符。

const str = 'hello guys';console.log(str.charAt(3))  // l
charCodeAt()

用于返回指定位置的字符的Unicode编码。

const str = 'hello guys';console.log(str.charCodeAt(3))  // 111
match()

用于在字符串内检索指定的值或找到一个或多个正则表达式的匹配,返回的是值而不是值的位置。

const str = 'hello guys';console.log(str.match('guys'))  // ["guys"]// 使用正则匹配字符串const strs = '1.hello guys, 2.are you ok?';console.log(strs.match(/\d+/g)) // ["1", "2"]
replace()

替换匹配的字符串。

const str = 'hello guys';console.log(str.replace('guys', 'man'))  // hello man
search()

用于检索与字符串匹配的子串,返回的是地址,与indexOf()的区别是 search 是强制正则的,而 indexOf只是按字符串匹配的。

const str = 'hello guys';console.log(str.search('guys'))  // 6console.log(str.indexOf('guys'))  // 6// 区别conststring = 'abcdefg.1234';console.log(string.search(/\./)) // 7(转译之后可以匹配到 . 的位置)console.log(string.indexOf(/\./)) // -1 (相当于匹配/\./,找不到则返回-1,只能匹配字符串)
split()

将字符串切割成数组。

const str = 'hello guys';console.log(str.split('')) // ["h", "e", "l", "l", "o", " ", "g", "u", "y", "s"]console.log(str.split('', 3)) //  ["h", "e", "l"]
toLocaleLowerCase()& toLowerCase()

将字符串转换成小写。

const str = 'hello guys';console.log(str.toLocaleLowerCase())  // hello guysconsole.log(str.toLowerCase())  //  hello guys
toLocaleUpperCase() & toUpperCase()

将字符串转换成大写。

const str = 'hello guys';console.log(str.toLocaleUpperCase())  // HELLO GUYSconsole.log(str.toUpperCase())  // HELLO GUYS
substr()

用于从起始索引号提取字符串中指定数目的字符。

const str = 'hello guys';console.log(str.substr(2))  // llo guysconsole.log(str.substr(2, 7))  // llo guy
substring()

用于提取字符串中两个指定索引号之间的字符。(与 slice() 和 substr() 方法不同的是,substring() 不接受负的参数。)

const str = 'hello guys';console.log(str.substring(2))   // llo guysconsole.log(str.substring(2, 7))  //  llo g
.trim()

去掉字符串两端的空格。

const str = '    hello guys    ';console.log(str.trim()) // hello guys(不会改变原数组)

常用的Json.xxx方法

JSON.parse()

用于把字符串转化为对象。

const str = '{"name": "phoebe", "age": 20}';const obj = JSON.parse(str)  // {name: "phoebe", age: 20}(object类型)
JSON.stringify()

用于把对象转化为字符串。

const obj = {"name": "Tins", "age": 22};const str = JSON.stringify(obj)  // {"name":"Tins","age":22}(string类型)

Object 实例对象的方法主要有以下六个

Object.Prototype.valueOf()

返回当前对象对应的值。(Object.valueOf()相当于Object.Prototype.ValueOf()

我们创建一个取代valueOf()方法的函数,但是需要注意的是方法必须不能传入参数 。假设我们有个对象叫ObjectrType而我想为它创建一个valueOf()方法。下面的代码为valueOf()方法赋予了一个自定义函数:

ObjectrType.prototype.valueOf = function() { return customValue; };

有了这样的一个方法,下一次每当ObjectrType要被转换为原始类型值时,JavaScript在此之前会自动调用自定义的valueOf()方法。valueOf()方法一般都会被JavaScript自动调用,但我们也可以像下面代码那样自己调用:

ObjectrType.valueOf()

valueOf同样适用于stringnumber, symbolbooleandate

Object.Prototype.toString()

返回当前对象对应的字符串形式。

functionDog(name) {this.name = name;}const dog1 = new Dog('Gabby');Dog.prototype.toString = functiondogToString() {return'' + this.name;}console.log(dog1.toString());  // Gabby
Object.Prototype.toLocaleString()

返回当前对象对应的模块字符串。

语法:obj.toLocaleString();

let foo = {};foo.toLocaleString(); // "[object Object]"
Object.Prototype.isPrototypeOf()

判断当前对象是否为另一个对象的原型。语法:

Object.prototype.isPrototypeOf(targetObj)const arr = [];Array.prototype.isPrototypeOf(arr); // true// 修改obj的原型Object.setPrototypeOf(arr, String.prototype);Array.prototype.isPrototypeOf(arr); // falseString.prototype.isPrototypeOf(arr); // true
Object.Prototype.hasOwnProperty()

判断某个属性是否为当前对象自身的属性,还是继承自原型对象的属性,并返回一个布尔值。

语法:Object.prototype.hasOwnProperty(prop)

let obj = {};// 定义一个object实例obj.prop1 = 'value1'; // prop1是一个自有属性obj.constructor.prototype.prop2 = 'value2'; // prop2是一个原型链属性// 无论自有属性还是原型链属性,我们都可以访问到console.info(obj.prop1); // value1console.info(obj.prop2); // value2// 使用`hasOwnProperty()`方法判断属性是否为自有属性obj.hasOwnProperty('prop1'); // trueobj.hasOwnProperty('prop2'); // false
Object.Prototype.PropertyIsEnumerable()

判断某个属性是否可枚举。

语法:Object.prototype.propertyIsEnumerable(prop)

const obj = { name: 'ecmaer'};Object.getOwnPropertyDescriptor(obj, 'name').enumerable; // trueobj.propertyIsEnumerable('name'); // true// 将属性name设置成不可枚举Object.defineProperty(obj, 'name', {enumerable: false});obj.propertyIsEnumerable('name'); // falsefor(let i in obj){    console.info(obj[i]); // 没有遍历出'ecmaer'}

Javascript的三种判断一个值的类型的办法

typeOf()

typeof可用来检测数据类型: 需要注意的是typeof无法区分nullArray和 通常意义上的object

typeof 123 //numbertypeof '123' //stringtypeof true // booleantypeof false //booleantypeof undefined // undefinedtypeof Math.abs // functiontypeof function () {} // function// 当遇上`null`、`Array`和通常意义上的`object`,都会返回 objecttypeof null // objecttypeof [] // object(所以判断数组时可以使用Array.isArray(arr))typeof {} // object// 当数据使用了new关键字和包装对象以后,数据都会变成Object类型,不加new关键字时会被当作普通的函数处理。typeof new Number(123); //'object'typeof Number(123); // 'number'typeof new Boolean(true); //'object'typeof Boolean(true); // 'boolean'typeof new String(123); // 'object'typeof String(123); // 'string'
instanceOf()

instanceOf()运算符用于检测构造函数的 prototype 属性是否出现在某个实例对象的原型链

function Car(make, model, year) {  this.make = make;  this.model = model;  this.year = year;}const auto = new Car('Honda', 'Accord', 1998);console.log(auto instanceof Car); // trueconsole.log(auto instanceof Object); // true
Object.Prototype.toString()(推荐)

可以精准的判断对象类型。

对于arraynullobject来说,其关系错综复杂,使用 typeof都会统一返回 object 字符串,要想区别对象、数组、函数单纯使用typeof是不行的,想要准确的判断对象类型,推荐使用Object.Prototype.toString(),它可以判断某个对象值属于哪种内置类型。

const arrs = [1,2,3];console.log(typeof arrs) // objectconsole.log(Object.Prototype.toString.call(arrs))  // [object Array]

call,apply以及bind的用法,区别及相似住处

用法

call

直接调用该执行函数,在执行的时候,将函数内部的作用域绑定到指定的作用域。(call()方法接受若干个参数的列表)

const arr = [2,5,4,7,6]const a = Function.prototype.apply.call(Math.max, null,arr)console.log(a)  // 7

apply

直接调用该执行函数,在执行的时候,将函数内部的作用域绑定到指定的作用域。

call()apply()的一颗语法糖,作用和apply()一样,同样可实现继承,唯一的区别就在于call()接收的是参数列表,而apply()则接收参数数组。

bind

创建一个新的函数的引用,并绑定到一个作用域特定作用域上,同时支持传参。

bind则和call的用法差不多,唯一区别是,callapply会立刻调用函数,bind只是绑定this

格式为:bind(作用域参数,参数1,参数2)

const fruits = {    "name": "apple",    getOtherFriut: function() {        return this.name;    }}const color = {   "name": " is red"}const fruitColor = fruits.getOtherFriut.bind(this, color)console.log(fruitColor()) //is red
const arr = [2,5,4,7,6]const a = Function.prototype.call.apply(Math.max, arr)console.log(a)  // 7//如果apply的第二个参数是个null,会返回-Infinityconst b = Function.prototype.call.apply(Math.max, null, arr)console.log(b)  // -Infinity
相似之处
  • 都是用来改变函数的this对象;

  • 第一个参数都是this要指向的对象;

  • 都可利用后继参数传参;

区别
  • 都可以用来代替另一个对象调用一个方法,将一个函数的对象上下文从初始的上下文改变为由 thisObj 指定的新对象。

  • bind()是返回一个新函数,供以后调用,而apply()call()是立即调用。

  • call()apply()唯一区别是参数不一样,call()apply()的语法糖;

选择使用
  • 如果不需要关心具体有多少参数被传入函数,选用apply()

  • 如果确定函数可接收多少个参数,并且想一目了然表达形参和实参的对应关系,用call()

  • 如果想要将来再调用方法,不需立即得到函数返回结果,则使用bind();


Date对象的用法

首先需要定义一个变量:

const date = new Date();

接下来就可以直接使用常见的Date对象方法。

  • Date(): 返回当日的日期和时间;

  • getDate(): 从Date对象返回一个月中的某一天(1~31)console.log(date.getDate())

  • getDay():从Date对象返回一周中的某一天(0~6);

  • getMonth(): 从Date对象返回月份(0~11);

  • getFullYear(): 从Date对象以四位数字返回年份;

  • getYear():可以使用getFullYear()代替;

  • getHours(): 返回Date()对象的小时(0~23);

  • getMinutes(): 返回Date()对象的分钟(0~59);

  • getSeconds(): 返回Date()对象的分钟(0~59);

  • getMillseconds(): 返回Date()对象的毫秒(0~999);

  • getTime(): 返回1970年1月1日至今的时间;

  • getTimezoneOffset(): 返回本地时间与格林威治标准时间(GMT)的分钟差;

  • getUTCDate(): 根据世界时从Date对象返回月中的一天(1~31);

  • getUTCDay(): 根据世界时从Date对象返回周中的一天(1~6);

  • getUTCMonth(): 根据世界时从Date对象返回月份(0~11);

  • getUTCFullYear(): 根据世界时从Date对象返回四位数的年份;

  • getUTCHours(): 根据世界时从Date对象返回对象的小时(0~23);

  • getUTCMinutes(): 根据世界时从Date对象返回对象的分钟(0~59);

  • getUTCSeconds(): 根据世界时从Date对象返回对象的秒钟(0~59);

  • getUTCMillseconds(): 根据世界时从Date对象返回对象的毫秒(0~999);

  • parse(): 返回1970年1月1日午夜到指定日期(字符串)的毫秒数;

  • setDate(): 设置Date对象中月的某一天(1~31);

  • setMonth(): 设置Date对象中月份(0~11);

  • setFullYear(): 设置Date对象中的年份(四位数字);


Math.xx开头的方法

  • Math.ceil():  对数进行上舍入(天花板函数) 大于等于 x,并且与它最接近的整数。

  • Math.floor(): 对数进行下舍入(地板函数)。

  • Math.max(x,y):返回x,y中的最大值。

  • Math.min(x,y):返回x,y中的最小值。

  • Math.pow(x,y): 返回x的y次方。

  • Math.random() : 返回0-1之间的随机数。

  • Math.round(x): 四舍五入。

  • Math.abs(x):返回数的绝对值。

  • Math.acos(x):返回数的反余弦值。

  • Math.asin(x): 返回数的反正弦值。

  • Math.atan(x):返回数的反正切值。

  • Math.atan2(y,x):返回由x轴到点(x,y)的角度(以弧度为单位)。

  • Math.cos(x): 返回数的余弦值。

  • Math.exp(e): 返回e的指数。

  • Math.log(x):返回数的自然对数(以e为底数)。

  • Math.sin(x):返回数的正弦值。

  • Math.sqrt(x):返回数的平方根。

  • Math.tan(x): 返回角的正切值。

  • Math.toSource():返回该对象的源代码。

  • Math.valueOf(): 返回Math对象的原始值。


一更?:简单的数组去重

看到评论有小哥(or小姐姐)说了简单的数组去重的方式,之前整理的时候只是简单的拓宽了以下,现在对与数组去重的几种方式在这里做一下归纳:

最便捷的方法:[...new Set(arr)]
const arr = [4,5,3,4,6,5,8,6];console.log(Array.from(new Set(arr)))  // [4, 5, 3, 6, 8]console.log([...new Set(arr)])  // [4, 5, 3, 6, 8]
recude+include去重
const arr = [4,5,3,4,6,5,8,6];const a = arr.reduce((prev,cur) => prev.includes(cur) ? prev : [...prev,cur],[]);console.log(a) // [4, 5, 3, 6, 8]
利用filter去重
const arr = [4,5,3,4,6,5,8,6];const b = arr.filter((item, index, arr) => arr.indexOf(item, 0) === index;)  // [4, 5, 3, 6, 8]
利用hasOwnProperty去重
const arr = [4,5,3,4,6,5,8,6];function duplicate (arr) {    var obj = {};    return arr.filter(function(item, index, arr){        return obj.hasOwnProperty(typeof item + item) ? false : (obj[typeof item + item] = true)    })}console.log(duplicate(arr))  // 4, 5, 3, 6, 8]

比较简单而且稳妥的就这几种,其他的去重方式,可以考虑使用“递归”以及map数据结构去重呀。

可能有童鞋觉得还可以使用includes,sort,indexOf等方式去重,其实也是可以的,但是要注意这几种方式对于复杂的一维数组去重,可能会有些bug,还需要自己去处理。

所以,可以掌握好上面几种简单的去重方式,必要的时候会节省很多时间。

整理至此,请用心记!!!!(记不住的欢迎下方?戳小编,小编给您寄“拖鞋”)?


结语

到这里基本梳理完了,越是细小的只是点越是要熟练掌握(按下ctl+f查找会有惊喜哦(Maccommand+f),可以快速搜索)。以后不出意外会小编会两周一更,本篇梳理,会持续更新ing

67105c7331434ea2877a3c8ed4f7982c.gif

(暗戳戳附上闺蜜男神图希望不被看到嘿嘿)

源自:https://juejin.im/post/5e6208396fb9a07cb24aaa9d

声明:文章著作权归作者所有,如有侵权,请联系小编删除。

感谢 · 转发欢迎大家留言

cf82432e50a53b797083e5f7de72acd5.png

  • 0
    点赞
  • 2
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值