那里有一个很好的JS速记参考吗?

时间:2010-10-10 07:59:17

标签: javascript shorthand

我想在我的常规编码习惯中加入任何简写技巧,并且当我在压缩代码中看到它们时也能够阅读它们。

有人知道概述技术的参考页面或文档吗?

编辑:我之前提到过minifiers,现在我很清楚,缩小和高效的JS输入技术是两个几乎完全不同的概念。

5 个答案:

答案 0 :(得分:42)

使用ECMAScript 2015 (ES6)条款更新了。见底部。

最常见的条件短线是:

a = a || b     // if a is falsy use b as default
a || (a = b)   // another version of assigning a default value
a = b ? c : d  // if b then c else d
a != null      // same as: (a !== null && a !== undefined) , but `a` has to be defined

用于创建对象和数组的对象文字表示法:

obj = {
   prop1: 5,
   prop2: function () { ... },
   ...
}
arr = [1, 2, 3, "four", ...]

a = {}     // instead of new Object()
b = []     // instead of new Array()
c = /.../  // instead of new RegExp()

内置类型(数字,字符串,日期,布尔值)

// Increment/Decrement/Multiply/Divide
a += 5  // same as: a = a + 5
a++     // same as: a = a + 1

// Number and Date
a = 15e4        // 150000
a = ~~b         // Math.floor(b) if b is always positive
a = +new Date   // new Date().getTime()

// toString, toNumber, toBoolean
a = +"5"        // a will be the number five (toNumber)
a = "" + 5 + 6  // "56" (toString)
a = !!"exists"  // true (toBoolean)

变量声明:

var a, b, c // instead of var a; var b; var c;

索引处的字符串字符:

"some text"[1] // instead of "some text".charAt(1);

ECMAScript 2015(ES6)标准短号

这些是相对较新的补充,因此不要指望浏览器之间的广泛支持。 它们可能受到现代环境(例如:newter node.js)或通过转换器的支持。 “旧”版本当然会继续发挥作用。

箭头功能

a.map(s => s.length)                    // new
a.map(function(s) { return s.length })  // old

休息参数

// new 
function(a, b, ...args) {
  // ... use args as an array
}

// old
function f(a, b){
  var args = Array.prototype.slice.call(arguments, f.length)
  // ... use args as an array
}

默认参数值

function f(a, opts={}) { ... }                   // new
function f(a, opts) { opts = opts || {}; ... }   // old

<强>解构

var bag = [1, 2, 3]
var [a, b, c] = bag                     // new  
var a = bag[0], b = bag[1], c = bag[2]  // old  

对象文字内的方法定义

// new                  |        // old
var obj = {             |        var obj = {
    method() { ... }    |            method: function() { ... }
};                      |        };

对象文字内的计算属性名称

// new                               |      // old
var obj = {                          |      var obj = { 
    key1: 1,                         |          key1: 5  
    ['key' + 2]() { return 42 }      |      };
};                                   |      obj['key' + 2] = function () { return 42 } 

奖励:内置对象的新方法

// convert from array-like to real array
Array.from(document.querySelectorAll('*'))                   // new
Array.prototype.slice.call(document.querySelectorAll('*'))   // old

'crazy'.includes('az')         // new
'crazy'.indexOf('az') != -1    // old

'crazy'.startsWith('cr')       // new (there's also endsWith)
'crazy'.indexOf('az') == 0     // old

'*'.repeat(n)                  // new
Array(n+1).join('*')           // old 

奖励2:箭头功能还会使self = this捕获不必要的

// new (notice the arrow)
function Timer(){
    this.state = 0;
    setInterval(() => this.state++, 1000); // `this` properly refers to our timer
}

// old
function Timer() {
    var self = this; // needed to save a reference to capture `this`
    self.state = 0;
    setInterval(function () { self.state++ }, 1000); // used captured value in functions
}

答案 1 :(得分:17)

如果通过JavaScript,您还包含比版本1.5更新的版本,那么您还可以看到以下内容:


表达式闭包:

JavaScript 1.7及更早版本:

var square = function(x) { return x * x; }

JavaScript 1.8添加了一个简写Lambda notation,用于编写expression closures的简单函数:

var square = function(x) x * x;

reduce()方法:

JavaScript 1.8还向数组引入了reduce()方法:

var total = [0, 1, 2, 3].reduce(function(a, b){ return a + b; });  
// total == 6 

解构分配:

在JavaScript 1.7中,您可以使用destructuring assignment来交换值以避免临时变量:

var a = 1;  
var b = 3;  

[a, b] = [b, a]; 

数组理解和filter()方法:

JavaScript 1.7中引入了

Array Comprehensions,可以减少以下代码:

var numbers = [1, 2, 3, 21, 22, 30];  
var evens = [];

for (var i = 0; i < numbers.length; i++) {
  if (numbers[i] % 2 === 0) {
    evens.push(numbers[i]);
  }
}

对于这样的事情:

var numbers = [1, 2, 3, 21, 22, 30];
var evens = [i for each(i in numbers) if (i % 2 === 0)];

或者使用JavaScript 1.6中引入的数组中的filter()方法:

var numbers = [1, 2, 3, 21, 22, 30];
var evens = numbers.filter(function(i) { return i % 2 === 0; });  

答案 2 :(得分:3)

您正在寻找JavaScript语言的习语

偷看what's new in JavaScript 1.6+肯定很有趣,但由于缺乏主流,你无法在野外使用语言功能(例如,列表推导或yield关键字)支持。但是,如果您没有接触过Lisp或Scheme,那么了解新的标准库函数是值得的。许多典型的函数式编程(如mapreducefilter)很容易知道,并且经常出现在JavaScript库中,如jQuery;另一个有用的函数是bind(jQuery中的proxy,在某种程度上),这在将方法指定为回调时很有用。

答案 3 :(得分:1)

获取数组的最后一个值

这不是一个真正的简写,但更像是大多数人使用的技术的更短的替代技术

当我需要获取数组的最后一个值时,我通常使用以下技术:

var str = 'Example string you actually only need the last word of FooBar';
var lastWord = str.split(' ').slice(-1)[0];

.slice(-1)[0]的部分是速记技巧。与我几乎所有人都使用的方法相比,这个更短:

var str = 'Example string you actually only need the last word of FooBar';
var lastWord = str.split(' ');
    lastWord = lastWord[lastWord.length-1];

测试此速记的相对计算速度

为了测试这个,我做了以下事情:

var str = 'Example string you actually only need the last word of FooBar';
var start = +new Date();
for (var i=0;i<1000000;i++) {var x=str.split(' ').slice(-1)[0];}
console.log('The first script took',+new Date() - start,'milliseconds');

然后单独(以防止可能的同步运行):

var start2 = +new Date();
for (var j=0;j<1000000;j++) {var x=str.split(' ');x=x[x.length-1];}
console.log('The second script took',+new Date() - start,'milliseconds');

结果:

The first script took 2231 milliseconds
The second script took 8565 milliseconds

结论:使用这种速记没有任何缺点。

调试短路

大多数浏览器都为每个具有id的元素支持隐藏的全局变量。所以,如果我需要调试一些东西,我通常只是在元素中添加一个简单的id,然后使用我的控制台通过全局变量访问它。您可以自己检查一下:只需在此处打开控制台,输入footer并按Enter键即可。它很可能会返回<div id="footer>,除非您有罕见的浏览器没有这个(我还没有找到)。

如果全局变量已被其他变量占用,我通常会使用可怕的 document.all['idName']document.all.idName。我当然知道这是非常过时的,我不会在我的任何实际脚本中使用它,但是当我不想输入完整的document.getElementById('idName')时我会使用它,因为大多数浏览器都支持无论如何,是的,我确实很懒。

答案 4 :(得分:1)

这个github repo专门用于Javascript的字节保存技术。我发现它非常方便!

https://github.com/jed/140bytes/wiki/Byte-saving-techniques