翼度科技»论坛 编程开发 JavaScript 查看内容

JavaScript速查表

6

主题

6

帖子

18

积分

新手上路

Rank: 1

积分
18
JavaScript速查表


  • 本手册绝大部分内容是从Airbnb JavaScript Style Guide精简整理,将开发者们都明确的操作去掉,目的为了就是更快的速查。
    此处为源地址
  • 译制:HaleNing
目录

基础知识

类型


  • 基本类型
    最新的 ECMAScript 标准定义了 8 种数据类型,分别是

    • string
    • number
    • bigint
    • boolean
    • null
    • undefined
    • symbol (ECMAScript 2016新增)

所有基本类型的值都是不可改变的。但需要注意的是,基本类型本身和一个赋值为基本类型的变量的区别。变量会被赋予一个新值,而原值不能像数组、对象以及函数那样被改变。


  • 引用类型

    • Object(包含普通对象-Object,数组对象-Array,正则对象-RegExp,日期对象-Date,数学函数-Math,函数对象-Function)

  1. 使用 typeof 运算符检查:
  2. undefined:typeof instance === "undefined"
  3. Boolean:typeof instance === "boolean"
  4. Number:typeof instance === "number"
  5. String:typeof instance === "string
  6. BigInt:typeof instance === "bigint"
  7. Symbol :typeof instance === "symbol"
  8. null:typeof instance === "object"。
  9. Object:typeof instance === "object"
复制代码
引用

推荐常量赋值都使用const, 值可能会发生改变的变量赋值都使用 let。
为什么?let   const 都是块级作用域,而 var是函数级作用域
  1. // bad
  2. var count = 1;
  3. if (true) {
  4.   count += 1;
  5. }
  6. // good, use the let and const
  7. let count = 1;
  8. const pi =3.14;
  9. if (true) {
  10.   count += 1;
  11. }
复制代码
对象


  • 使用字面语法创建对象:
    1. // bad
    2. const item = new Object();
    3. // good
    4. const item = {};
    复制代码
  • 在创建具有动态属性名称的对象时使用属性名称:
    1. function getKey(k) {
    2.   return `a key named ${k}`;
    3. }
    4. // bad
    5. const obj = {
    6.   id: 5,
    7.   name: 'San Francisco',
    8. };
    9. obj[getKey('enabled')] = true;
    10. // good
    11. const obj = {
    12.   id: 5,
    13.   name: 'San Francisco',
    14.   [getKey('enabled')]: true,
    15. };
    复制代码
  • 属性值简写,并且推荐将缩写 写在前面 :
    1. const lukeSkywalker = 'Luke Skywalker';
    2. //常量名就是你想设置的属性名
    3. // bad
    4. const obj = {
    5.   lukeSkywalker: lukeSkywalker,
    6. };
    7. // good
    8. const obj = {
    9.   lukeSkywalker,
    10. };
    11. const anakinSkywalker = 'Anakin Skywalker';
    12. const lukeSkywalker = 'Luke Skywalker';
    13. // good
    14. const obj = {
    15.   lukeSkywalker,
    16.   anakinSkywalker,
    17.   episodeOne: 1,
    18.   twoJediWalkIntoACantina: 2,
    19.   episodeThree: 3,
    20.   mayTheFourth: 4,
    21. };
    复制代码
  • 不要直接调用 Object.prototype上的方法,如 hasOwnProperty、propertyIsEnumerable、isPrototypeOf
    为什么?在一些有问题的对象上,这些方法可能会被屏蔽掉,如:{ hasOwnProperty: false } 或空对象 Object.create(null)
    1. // bad
    2. console.log(object.hasOwnProperty(key));
    3. // good
    4. console.log(Object.prototype.hasOwnProperty.call(object, key));
    5. // best
    6. const has = Object.prototype.hasOwnProperty;
    7. console.log(has.call(object, key));
    8. /* or */
    9. import has from 'has'; // https://www.npmjs.com/package/has
    10. console.log(has(object, key));
    复制代码
  • 对象拷贝时,推荐使用...运算符来代替Object.assign, 获取大对象的多个属性时,也推荐使用...运算符
    1. // very bad, 因为line2的操作更改了original
    2. const original = { a: 1, b: 2 };
    3. const copy = Object.assign(original, { c: 3 });
    4. // 将不需要的属性删除了
    5. delete copy.a;
    6. // bad
    7. const original = { a: 1, b: 2 };
    8. const copy = Object.assign({}, original, { c: 3 }); // copy => { a: 1, b: 2, c: 3 }
    9. // good 使用 es6 扩展运算符 ...
    10. const original = { a: 1, b: 2 };
    11. // 浅拷贝
    12. const copy = { ...original, c: 3 }; // copy => { a: 1, b: 2, c: 3 }
    13. // rest 解构运算符
    14. const { a, ...noA } = copy; // noA => { b: 2, c: 3 }
    复制代码
数组


  • 用扩展运算符做数组浅拷贝,类似上面的对象浅拷贝:
    1. // bad
    2. const len = items.length;
    3. const itemsCopy = [];
    4. let i;
    5. for (i = 0; i < len; i += 1) {
    6.   itemsCopy[i] = items[i];
    7. }
    8. // good
    9. const itemsCopy = [...items];
    复制代码
  • 用 ... 运算符而不是 Array.from 来将一个可迭代的对象转换成数组:
    1. const foo = document.querySelectorAll('.foo');
    2. // good
    3. const nodes = Array.from(foo);
    4. // best
    5. const nodes = [...foo];
    复制代码
  • 使用 Array.from 而不是 ... 运算符去做 map 遍历。 因为这样可以避免创建一个临时数组:
    1. // bad
    2. const baz = [...foo].map(bar);
    3. // good
    4. const baz = Array.from(foo, bar);
    复制代码
  • 如果一个数组有很多行,在数组的 [ 后和 ] 前断行 :
    1. // good
    2. const arr = [[0, 1], [2, 3], [4, 5]];
    3. const objectInArray = [
    4.   {
    5.     id: 1,
    6.   },
    7.   {
    8.     id: 2,
    9.   },
    10. ];
    11. const numberInArray = [
    12.   1,
    13.   2,
    14. ];
    复制代码
解构


  • 用对象的解构赋值来获取和使用对象某个或多个属性值:
    1. // bad
    2. function getFullName(user) {
    3.   const firstName = user.firstName;
    4.   const lastName = user.lastName;
    5.   return `${firstName} ${lastName}`;
    6. }
    7. // good
    8. function getFullName(user) {
    9.   const { firstName, lastName } = user;
    10.   return `${firstName} ${lastName}`;
    11. }
    12. // best
    13. function getFullName({ firstName, lastName }) {
    14.   return `${firstName} ${lastName}`;
    15. }
    复制代码
  • 数组解构:
    1. const arr = [1, 2, 3, 4];
    2. // bad
    3. const first = arr[0];
    4. const second = arr[1];
    5. const four = arr[3];
    6. // good
    7. const [first, second, _,four] = arr;
    复制代码
  • 多个返回值用对象的解构,而不是数组解构:
    1. // bad
    2. function processInput(input) {
    3.   return [left, right, top, bottom];
    4. }
    5. // 数组解构,必须明确前后顺序
    6. const [left, __, top] = processInput(input);
    7. // good
    8. function processInput(input) {
    9.   return { left, right, top, bottom };
    10. }
    11. // 只需要关注值,而不用关注顺序
    12. const { left, top } = processInput(input);
    复制代码
字符串


  • 当需要动态生成字符串时,使用模板字符串而不是字符串拼接:
    1. // bad
    2. function sayHi(name) {
    3.   return 'How are you, ' + name + '?';
    4. }
    5. // bad
    6. function sayHi(name) {
    7.   return ['How are you, ', name, '?'].join();
    8. }
    9. // good 可读性比上面更强
    10. function sayHi(name) {
    11.   return `How are you, ${name}?`;
    12. }
    复制代码
  • 永远不要使用 eval(),该方法有太多漏洞。
变量


  • 不要使用链式变量赋值
因为会产生隐式的全局变量
  1. // bad
  2. (function example() {
  3.   // JavaScript interprets this as
  4.   // let a = ( b = ( c = 1 ) );
  5.   // The let keyword only applies to variable a; variables b and c become
  6.   // global variables.
  7.   let a = b = c = 1;
  8. }());
  9. console.log(a); // throws ReferenceError
  10. // 在块的外层也访问到了,代表这是一个全局变量。
  11. console.log(b); // 1
  12. console.log(c); // 1
  13. // good
  14. (function example() {
  15.   let a = 1;
  16.   let b = a;
  17.   let c = a;
  18. }());
  19. console.log(a); // throws ReferenceError
  20. console.log(b); // throws ReferenceError
  21. console.log(c); // throws ReferenceError
  22. // the same applies for `const`
复制代码

  • 不要使用一元自增自减运算符(++, --)
    根据 eslint 文档,一元增量和减量语句受到自动分号插入的影响,并且可能会导致应用程序中的值递增或递减的静默错误。 使用 num + = 1 而不是 num ++ 或 num ++ 语句也是含义清晰的。

  1.   // bad
  2.   const array = [1, 2, 3];
  3.   let num = 1;
  4.   num++;
  5.   --num;
  6.   let sum = 0;
  7.   let truthyCount = 0;
  8.   for (let i = 0; i < array.length; i++) {
  9.     let value = array[i];
  10.     sum += value;
  11.     if (value) {
  12.       truthyCount++;
  13.     }
  14.   }
  15.   // good
  16.   const array = [1, 2, 3];
  17.   let num = 1;
  18.   num += 1;
  19.   num -= 1;
  20.   const sum = array.reduce((a, b) => a + b, 0);
  21.   const truthyCount = array.filter(Boolean).length;
复制代码
属性


  • 访问属性时使用点符号
  1. const luke = {
  2.   jedi: true,
  3.   age: 28,
  4. };
  5. // bad
  6. const isJedi = luke['jedi'];
  7. // good
  8. const isJedi = luke.jedi;
复制代码

  • 根据表达式访问属性时使用[]
  1. const luke = {
  2.   jedi: true,
  3.   age: 28,
  4. };
  5. function getProp(prop) {
  6.   return luke[prop];
  7. }
  8. const isJedi = getProp('je'+'di');
复制代码
测试


  • 无论用哪个测试框架,都需要写测试。
  • 尽量去写很多小而美的函数,减少突变的发生
  • 小心 stub 和 mock —— 这会让你的测试变得容易出现问题。
  • 100% 测试覆盖率是我们努力的目标,即便实际上很少达到。
  • 每当你修了一个 bug, 都要尽量写一个回归测试。 如果一个 bug 修复了,没有回归测试,很可能以后会再次出问题。
公共约束

注释


  • 多行注释用 /** ... */
  1. // bad
  2. // make() returns a new element
  3. // based on the passed in tag name
  4. //
  5. // @param {String} tag
  6. // @return {Element} element
  7. function make(tag) {
  8.   // ...
  9.   return element;
  10. }
  11. // good
  12. /**
  13. * make() returns a new element
  14. * based on the passed-in tag name
  15. */
  16. function make(tag) {
  17.   // ...
  18.   return element;
  19. }
复制代码

  • 单行注释用 //
  1. // bad
  2. const active = true;  // is current tab
  3. // good
  4. // is current tab
  5. const active = true;
  6. // bad
  7. function getType() {
  8.   console.log('fetching type...');
  9.   // set the default type to 'no type'
  10.   const type = this._type || 'no type';
  11.   return type;
  12. }
  13. // good
  14. function getType() {
  15.   console.log('fetching type...');
  16.   // set the default type to 'no type'
  17.   const type = this._type || 'no type';
  18.   return type;
  19. }
  20. // also good
  21. function getType() {
  22.   // set the default type to 'no type'
  23.   const type = this._type || 'no type';
  24.   return type;
  25. }
复制代码

  • 用 // FIXME: 给问题注释,用 // TODO: 去注释待办
分号

为什么?当 JavaScript 遇到没有分号结尾的一行,它会执行 自动插入分号 这一规则来决定行末是否加分号。如果 JavaScript 在你的断行里错误的插入了分号,就会出现一些古怪的行为。显式配置代码检查去检查没有带分号的地方可以帮助你防止这种错误。
  1. // bad - raises exception
  2. const luke = {}
  3. const leia = {}
  4. [luke, leia].forEach((jedi) => jedi.father = 'vader')
  5. // bad - raises exception
  6. const reaction = "No! That’s impossible!"
  7. (async function meanwhileOnTheFalcon() {
  8.   // handle `leia`, `lando`, `chewie`, `r2`, `c3p0`
  9.   // ...
  10. }())
  11. // bad - returns `undefined` instead of the value on the next line - always happens when `return` is on a line by itself because of ASI!
  12. function foo() {
  13.   return
  14.     'search your feelings, you know it to be foo'
  15. }
  16. // good
  17. const luke = {};
  18. const leia = {};
  19. [luke, leia].forEach((jedi) => {
  20.   jedi.father = 'vader';
  21. });
  22. // good
  23. const reaction = "No! That’s impossible!";
  24. (async function meanwhileOnTheFalcon() {
  25.   // handle `leia`, `lando`, `chewie`, `r2`, `c3p0`
  26.   // ...
  27. }());
  28. // good
  29. function foo() {
  30.   return 'search your feelings, you know it to be foo';
  31. }
复制代码
命名规范


  • export default 导出模块A,则这个文件名也叫 A.*, import 时候的参数也叫 A :
  1. // file 1 contents
  2. class CheckBox {
  3.   // ...
  4. }
  5. export default CheckBox;
  6. // file 2 contents
  7. export default function fortyTwo() { return 42; }
  8. // file 3 contents
  9. export default function insideDirectory() {}
  10. // in some other file
  11. // bad
  12. import CheckBox from './checkBox'; // PascalCase import/export, camelCase filename
  13. import FortyTwo from './FortyTwo'; // PascalCase import/filename, camelCase export
  14. import InsideDirectory from './InsideDirectory'; // PascalCase import/filename, camelCase export
  15. // bad
  16. import CheckBox from './check_box'; // PascalCase import/export, snake_case filename
  17. import forty_two from './forty_two'; // snake_case import/filename, camelCase export
  18. import inside_directory from './inside_directory'; // snake_case import, camelCase export
  19. import index from './inside_directory/index'; // requiring the index file explicitly
  20. import insideDirectory from './insideDirectory/index'; // requiring the index file explicitly
  21. // good
  22. import CheckBox from './CheckBox'; // PascalCase export/import/filename
  23. import fortyTwo from './fortyTwo'; // camelCase export/import/filename
  24. import insideDirectory from './insideDirectory'; // camelCase export/import/directory name/implicit "index"
  25. // ^ supports both insideDirectory.js and insideDirectory/index.js
复制代码

  • 当你export default一个函数时,函数名用小驼峰,文件名和函数名一致, export 一个结构体/类/单例/函数库/对象 时用大驼峰。
  1. function makeStyleGuide() {
  2.   // ...
  3. }
  4. export default makeStyleGuide;
  5. const AirbnbStyleGuide = {
  6.   es6: {
  7.   }
  8. };
  9. export default AirbnbStyleGuide;
复制代码
标准库

标准库中包含一些由于历史原因遗留的工具类


  • 用 Number.isNaN 代替全局的 isNaN:
    1. // bad
    2. isNaN('1.2'); // false
    3. isNaN('1.2.3'); // true
    4. // good
    5. Number.isNaN('1.2.3'); // false
    6. Number.isNaN(Number('1.2.3')); // true
    复制代码
  • 用 Number.isFinite 代替 isFinite
  1. // bad
  2. isFinite('2e3'); // true
  3. // good
  4. Number.isFinite('2e3'); // false
  5. Number.isFinite(parseInt('2e3', 10)); // true
复制代码
类与函数

函数


  • 使用命名函数表达式而不是函数声明
    为什么?这是因为函数声明会发生提升,这意味着在一个文件里函数很容易在其被定义之前就被引用了。这样伤害了代码可读性和可维护性。如果你发现一个函数又大又复杂,且这个函数妨碍了这个文件其他部分的理解性,你应当单独把这个函数提取成一个单独的模块。不管这个名字是不是由一个确定的变量推断出来的,别忘了给表达式清晰的命名(这在现代浏览器和类似 babel 编译器中很常见)。这消除了由匿名函数在错误调用栈产生的所有假设。 (讨论)
    1. // bad
    2. function foo() {
    3.   // ...
    4. }
    5. // bad
    6. const foo = function () {
    7.   // ...
    8. };
    9. // good
    10. // lexical name distinguished from the variable-referenced invocation(s)
    11. // 函数表达式名和声明的函数名是不一样的
    12. const short = function longUniqueMoreDescriptiveLexicalFoo() {
    13.   // ...
    14. };
    复制代码
  • 把立即执行函数包裹在圆括号里:
    立即执行函数:Immediately Invoked Function expression = IIFE。 为什么?因为这样使代码读起来更清晰(译者注:我咋不觉得)。 另外,在模块化世界里,你几乎用不着 IIFE。
    1. // immediately-invoked function expression (IIFE)
    2. ( ()=> {
    3.   console.log('Welcome to the Internet. Please follow me.');
    4. }() );
    复制代码
  • 不要用 arguments 命名参数。他的优先级高于每个函数作用域自带的 arguments 对象,这会导致函数自带的 arguments 值被覆盖:
    1. // bad
    2. function foo(name, options, arguments) {
    3.   // ...
    4. }
    5. // good
    6. function foo(name, options, args) {
    7.   // ...
    8. }
    复制代码
  • 用默认参数语法而不是在函数里对参数重新赋值
    1. // really bad
    2. function handleThings(opts) {
    3.   // 如果 opts 的值为 false, 它会被赋值为 {}
    4.   // 虽然你想这么写,但是这个会带来一些微妙的 bug。
    5.   opts = opts || {};
    6.   // ...
    7. }
    8. // still bad
    9. function handleThings(opts) {
    10.   if (opts === void 0) {
    11.     opts = {};
    12.   }
    13.   // ...
    14. }
    15. // good
    16. function handleThings(opts = {}) {
    17.   // ...
    18. }
    复制代码
  • 把默认参数赋值放在最后面
    1. // bad
    2. function handleThings(opts = {}, name) {
    3.   // ...
    4. }
    5. // good
    6. function handleThings(name, opts = {}) {
    7.   // ...
    8. }
    复制代码
  • 不要修改参数,也不要重新对函数参数赋值:
    容易导致bug,另外重新对参数赋值也会导致优化问题。
    1. // bad
    2. function f1(a) {
    3.   a = 1;
    4.   // ...
    5. }
    6. function f2(a) {
    7.   if (!a) { a = 1; }
    8.   // ...
    9. }
    10. // good
    11. function f3(a) {
    12.   const b = a || 1;
    13.   // ...
    14. }
    15. function f4(a = 1) {
    16.   // ...
    17. }
    复制代码
箭头函数

<ul>当需要使用箭头函数的时候,使用它,但是不要滥用
当函数逻辑复杂时,不推荐使用箭头函数,而是单独抽出来放在一个函数里。
  1. // bad
  2. [1, 2, 3].map(function (x) {
  3.   const y = x + 1;
  4.   return x * y;
  5. });
  6. // good
  7. [1, 2, 3].map((x) => {
  8.   const y = x + 1;
  9.   return x * y;
  10. });
复制代码
避免箭头函数与比较操作符混淆
  1. // bad
  2. const itemHeight = (item) => item.height <= 256 ? item.largeSize : item.smallSize;
  3. // bad
  4. const itemHeight = (item) => item.height >= 256 ? item.largeSize : item.smallSize;
  5. // good
  6. const itemHeight = (item) => (item.height <= 256 ? item.largeSize : item.smallSize);
  7. // good
  8. const itemHeight = (item) => {
  9.   const { height, largeSize, smallSize } = item;
  10.   return height <= 256 ? largeSize : smallSize;
  11. };
复制代码

  • 自定义 toString() 方法是可以的,但需要保证它可以正常工作
  1. // bad
  2. function Queue(contents = []) {
  3.   this.queue = [...contents];
  4. }
  5. Queue.prototype.pop = function () {
  6.   const value = this.queue[0];
  7.   this.queue.splice(0, 1);
  8.   return value;
  9. };
  10. // good
  11. class Queue {
  12.   constructor(contents = []) {
  13.     this.queue = [...contents];
  14.   }
  15.   pop() {
  16.     const value = this.queue[0];
  17.     this.queue.splice(0, 1);
  18.     return value;
  19.   }
  20. }
复制代码

  • 如果没有特别定义,类有默认的构造方法。一个空的构造函数或只是代表父类的构造函数是不需要写的。
  1. // bad
  2. const inherits = require('inherits');
  3. function PeekableQueue(contents) {
  4.   Queue.apply(this, contents);
  5. }
  6. inherits(PeekableQueue, Queue);
  7. PeekableQueue.prototype.peek = function () {
  8.   return this.queue[0];
  9. }
  10. // good
  11. class PeekableQueue extends Queue {
  12.   peek() {
  13.     return this.queue[0];
  14.   }
  15. }
复制代码
模块


  • 使用(import/export)模块
  1. // bad
  2. Jedi.prototype.jump = function () {
  3.   this.jumping = true;
  4.   return true;
  5. };
  6. Jedi.prototype.setHeight = function (height) {
  7.   this.height = height;
  8. };
  9. const luke = new Jedi();
  10. luke.jump(); // => true
  11. luke.setHeight(20); // => undefined
  12. // good
  13. class Jedi {
  14.   jump() {
  15.     this.jumping = true;
  16.     return this;
  17.   }
  18.   setHeight(height) {
  19.     this.height = height;
  20.     return this;
  21.   }
  22. }
  23. const luke = new Jedi();
  24. luke.jump()
  25.   .setHeight(20);
复制代码

  • 不要导出可变的东西:
变化通常都是需要避免,特别是当你要输出可变的绑定。虽然在某些场景下可能需要这种技术,但总的来说应该导出常量。
  1. class Jedi {
  2.   constructor(options = {}) {
  3.     this.name = options.name || 'no name';
  4.   }
  5.   getName() {
  6.     return this.name;
  7.   }
  8.   toString() {
  9.     return `Jedi - ${this.getName()}`;
  10.   }
  11. }
复制代码

  • import JavaScript文件不用包含扩展名
  1. // bad
  2. class Jedi {
  3.   constructor() {}
  4.   getName() {
  5.     return this.name;
  6.   }
  7. }
  8. // bad
  9. class Rey extends Jedi {
  10.   // 这种构造函数是不需要写的
  11.   constructor(...args) {
  12.     super(...args);
  13.   }
  14. }
  15. // good
  16. class Rey extends Jedi {
  17.   constructor(...args) {
  18.     super(...args);
  19.     this.name = 'Rey';
  20.   }
  21. }
复制代码
迭代器与生成器


  • 不要用迭代器。使用 JavaScript 高级函数代替 for-in、 for-of
    用数组的这些迭代方法: map() / every() / filter() / find() / findIndex() / reduce() / some() / ... , 对象的这些方法 Object.keys() / Object.values() / Object.entries() 得到一个数组,就能去遍历对象。
    1. // bad
    2. const AirbnbStyleGuide = require('./AirbnbStyleGuide');
    3. module.exports = AirbnbStyleGuide.es6;
    4. // ok
    5. import AirbnbStyleGuide from './AirbnbStyleGuide';
    6. export default AirbnbStyleGuide.es6;
    7. // best
    8. import { es6 } from './AirbnbStyleGuide';
    9. export default es6;
    复制代码
提升


  • var 声明会被提前到离他最近的作用域的最前面,但是它的赋值语句并没有提前。const 和 let 被赋予了新的概念 暂时性死区 (TDZ)。 重要的是要知道为什么 typeof 不再安全
  1. // bad
  2. let foo = 3;
  3. export { foo }
  4. // good
  5. const foo = 3;
  6. export { foo }
复制代码

  • 已命名函数表达式提升他的变量名,不是函数名或函数体
  1. // bad
  2. import foo from './foo.js';
  3. import bar from './bar.jsx';
  4. import baz from './baz/index.jsx';
  5. // good
  6. import foo from './foo';
  7. import bar from './bar';
  8. import baz from './baz';
复制代码
比较运算符与相等


  • 用 === 和 !== 严格比较而不是 == 和 !=
  • 条件语句,例如if语句使用coercion与tobooleant抽象方法评估它们的表达式,始终遵循这些简单的规则:

    • Objects evaluate to true
    • Undefined evaluates to false
    • Null evaluates to false
    • Booleans evaluate to the value of the boolean
    • Numbers evaluate to false if +0, -0, or NaN, otherwise true
    • Strings evaluate to false if an empty string '', otherwise true

  1. const numbers = [1, 2, 3, 4, 5];
  2. // bad
  3. let sum = 0;
  4. for (let num of numbers) {
  5.   sum += num;
  6. }
  7. sum === 15;
  8. // good
  9. let sum = 0;
  10. numbers.forEach((num) => sum += num);
  11. sum === 15;
  12. // best (use the functional force)
  13. const sum = numbers.reduce((total, num) => total + num, 0);
  14. sum === 15;
  15. // bad
  16. const increasedByOne = [];
  17. for (let i = 0; i < numbers.length; i++) {
  18.   increasedByOne.push(numbers[i] + 1);
  19. }
  20.     // good
  21. const increasedByOne = [];
  22. numbers.forEach((num) => {
  23.   increasedByOne.push(num + 1);
  24. });
  25. // best (keeping it functional)
  26. const increasedByOne = numbers.map((num) => num + 1);
复制代码

  • 三元表达式不应该嵌套,尽量保持单行表达式
  1. // 我们知道这个不会工作,假设没有定义全局的 notDefined
  2. function example() {
  3.   console.log(notDefined); // => throws a ReferenceError
  4. }
  5. // 在你引用的地方之后声明一个变量,他会正常输出是因为变量提升。
  6. // 注意: declaredButNotAssigned 的值 true 没有被提升。
  7. function example() {
  8.   console.log(declaredButNotAssigned); // => undefined
  9.   var declaredButNotAssigned = true;
  10. }
  11. // 可以写成如下例子, 二者意义相同。
  12. function example() {
  13.   let declaredButNotAssigned;
  14.   console.log(declaredButNotAssigned); // => undefined
  15.   declaredButNotAssigned = true;
  16. }
  17. // 用 const,let就不一样了。
  18. function example() {
  19.   console.log(declaredButNotAssigned); // => throws a ReferenceError
  20.   console.log(typeof declaredButNotAssigned); // => throws a ReferenceError
  21.   const declaredButNotAssigned = true;
  22. }
复制代码
事件


  • 当把数据载荷传递给事件时(例如是 DOM 还是像 Backbone 这样有很多属性的事件)。这使得后续的贡献者(程序员)向这个事件添加更多的数据时不用去找或者更新每个处理器。
  1. function example() {
  2.   console.log(named); // => undefined
  3.   named(); // => TypeError named is not a function
  4.   superPower(); // => ReferenceError superPower is not defined
  5.   var named = function superPower() {
  6.     console.log('Flying');
  7.   };
  8. }
  9. // 函数名和变量名一样是也如此。
  10. function example() {
  11.   console.log(named); // => undefined
  12.   named(); // => TypeError named is not a function
  13.   var named = function named() {
  14.     console.log('named');
  15.   };
  16. }
复制代码
类型转换与强制转换


  • 字符串
  1. if ([0] && []) {
  2.   // true
  3.   // an array (even an empty one) is an object, objects will evaluate to true
  4. }
复制代码

  • 数字: 用 Number 做类型转换,parseInt 转换 string 应总是带上进制位
  1. // bad
  2. const foo = maybe1 > maybe2
  3.   ? "bar"
  4.   : value1 > value2 ? "baz" : null;
  5. // better
  6. const maybeNull = value1 > value2 ? 'baz' : null;
  7. const foo = maybe1 > maybe2
  8. ? 'bar'
  9.   : maybeNull;
  10. // best
  11. const maybeNull = value1 > value2 ? 'baz' : null;
  12. const foo = maybe1 > maybe2 ? 'bar' : maybeNull;
复制代码

  • 移位运算要小心
    移位运算对大于 32 位的整数会导致意外行为。Discussion. 最大的 32 位整数是 2,147,483,647:

  1. // bad
  2. $(this).trigger('listingUpdated', listing.id);
  3. // ...
  4. $(this).on('listingUpdated', (e, listingID) => {
  5.   // do something with listingID
  6. });
复制代码
推荐资源


  • 网站:

    • MDN: 不管你是仅仅开始入门、学过一点基础或者是个网站开发老手,你都能在这里找到有用的资源。
    • JS周刊 : 你可以在这里,接收到JS社区里最新的动态,其他开发者编写的优秀工具,阅读优秀的文章。
    • 印记中文 : JS及其前端领域的文档集合。

  • 书籍(为了尊重作者的版权,下列书籍仅开源书籍提供链接):


来源:https://www.cnblogs.com/zhaoqingqing/p/18403172
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

举报 回复 使用道具