标签:world first start log des tar 变量 之间 rip
一、冻结对象:Object.freeze
方法
const foo = Object.freeze({}); // 常规模式时,下面一行不起作用; // 严格模式时,该行会报错 foo.prop = 123;
二、声明变量的方法
let,const、import命令、class命令
const map = new Map(); map.set(‘first‘, ‘hello‘); map.set(‘second‘, ‘world‘); for (let [key, value] of map) { console.log(key + " is " + value); } // first is hello // second is world
for (let codePoint of ‘foo‘) { console.log(codePoint) } // "f" // "o" // "o"
let s = ‘Hello world!‘; s.startsWith(‘Hello‘) // true s.endsWith(‘!‘) // true s.includes(‘o‘) // true
这三个方法都支持第二个参数,表示开始搜索的位置。
let s = ‘Hello world!‘; s.startsWith(‘world‘, 6) // true s.endsWith(‘Hello‘, 5) // true s.includes(‘Hello‘, 6) // false
使用第二个参数n
时,endsWith
的行为与其他两个方法有所不同。它针对前n
个字符,而其他两个方法针对从第n
个位置直到字符串结束
repeat()
方法返回一个新字符串,表示将原字符串重复n
次。
‘x‘.repeat(3) // "xxx" ‘hello‘.repeat(2) // "hellohello" ‘na‘.repeat(0) // ""
参数如果是小数,会被取整。
‘na‘.repeat(2.9) // "nana"
如果repeat
的参数是负数或者Infinity
,会报错。
‘na‘.repeat(Infinity) // RangeError ‘na‘.repeat(-1) // RangeError
但是,如果参数是 0 到-1 之间的小数,则等同于 0,这是因为会先进行取整运算。0 到-1 之间的小数,取整以后等于-0
,repeat
视同为 0。
‘na‘.repeat(-0.9) // ""
参数NaN
等同于 0
‘na‘.repeat(NaN) // ""
如果repeat
的参数是字符串,则会先转换成数字
‘na‘.repeat(‘na‘) // "" ‘na‘.repeat(‘3‘) // "nanana"
ES2017 引入了字符串补全长度的功能。如果某个字符串不够指定长度,会在头部或尾部补全。padStart()
用于头部补全,padEnd()
用于尾部补全。
‘x‘.padStart(5, ‘ab‘) // ‘ababx‘ ‘x‘.padStart(4, ‘ab‘) // ‘abax‘ ‘x‘.padEnd(5, ‘ab‘) // ‘xabab‘ ‘x‘.padEnd(4, ‘ab‘) // ‘xaba‘
如果原字符串的长度,等于或大于指定的最小长度,则返回原字符串。
‘xxx‘.padStart(2, ‘ab‘) // ‘xxx‘ ‘xxx‘.padEnd(2, ‘ab‘) // ‘xxx‘
如果用来补全的字符串与原字符串,两者的长度之和超过了指定的最小长度,则会截去超出位数的补全字符串。
‘abc‘.padStart(10, ‘0123456789‘) // ‘0123456abc‘
如果省略第二个参数,默认使用空格补全长度。
‘x‘.padStart(4) // ‘ x‘ ‘x‘.padEnd(4) // ‘x ‘
padStart
的常见用途是为数值补全指定位数。下面代码生成 10 位的数值字符串
‘1‘.padStart(10, ‘0‘) // "0000000001" ‘12‘.padStart(10, ‘0‘) // "0000000012" ‘123456‘.padStart(10, ‘0‘) // "0000123456"
另一个用途是提示字符串格式
‘12‘.padStart(10, ‘YYYY-MM-DD‘) // "YYYY-MM-12" ‘09-12‘.padStart(10, ‘YYYY-MM-DD‘) // "YYYY-09-12"
标签:world first start log des tar 变量 之间 rip
原文地址:http://www.cnblogs.com/karila/p/7827553.html