ES5新增
forEach
// forEach 返回undefined
var arr = ['Prosper', 'Lee', 'is', ['very', 'very'], 'nice', '!', , null];
// ES6写法
arr.forEach((currentValue, index, array) => {
console.log('arr[' + index + ']=' + array[index] + '==' + currentValue);
console.log(array.join(",").split(",").join(' '));
});
arr.forEach(function (currentValue, index, array) {
console.log('arr[' + index + ']=' + array[index] + '==' + currentValue);
console.log(array.join(",").split(",").join(' '));
})
// this参数
function Counter() {
this.sum = 0;
this.count = 0;
}
Counter.prototype.add = function (array) {
array.forEach(function (entry) {
this.sum += entry;
++this.count;
console.log(this); // this指向Counter,否则指向window
}, this);
};
var obj = new Counter();
obj.add([1, 3, 5, 7]);
console.log(obj.count); // 4 === (1+1+1+1)
console.log(obj.sum); // 16 === (1+3+5+7)
map
// map与上同,不同方法如下 将每次的值存到数组中然后返回成一个新数组
var arr1 = ['1', '2', 3, '4', 5, '6'];
console.log(arr1.map(v => v + '2'));
console.log(arr1.map(v => v + 2));
console.log(arr1.map(v => v * '2'));
// 例1 返回新数组
var kvArray = [{
key: function () {},
value: 10
},
{
key: 'abc',
value: 20
},
{
key: 3,
value: 30
}
];
var reformattedArray = kvArray.map(function (obj) {
var rObj = {};
rObj[obj.key] = obj.value;
return rObj;
});
console.log(reformattedArray); // [{function () {}: 10},{abc: 20},{3: 30}]
// 例2 两种结果相同
"Hello World".split('').map(function(x) {
return x;
})
Array.prototype.map.call("Hello World", function(x) {
return x;
})
// 例3 返回选项
var select = `<select name="" id="" multiple="multiple" size="2">
<option value="HTML" selected="selected">HTML</option>
<option value="CSS" selected="selected">CSS</option>
<option value="JS">JS</option>
<option value="Vue">Vue</option>
</select>`;
document.write(select);
var elems = document.querySelectorAll('select option:checked');
var values = Array.prototype.map.call(elems, function(obj) {
return obj.value;
})
console.log(values); // ["HTML", "CSS"]
some()
// some() 方法测试数组中的某些元素是否通过由提供的函数实现的测试
var arr2 = ['Prosper', 'Lee', 'is', ['very', 'very'], 'nice', '!', , null];
arr2.some(function (currentValue, index, array) {
return currentValue == 'is'; // 通过true
})
every()
// every() 方法测试数组的所有元素是否都通过了指定函数的测试
var arr2 = ['Prosper', 'Lee', 'is', ['very', 'very'], 'nice', '!', , null];
arr2.every(function (currentValue, index, array) {
return currentValue == 'Prosper'; // 不通过false
})
var arr3 = ['Prosper','Prosper','Prosper','Prosper','Prosper','Prosper'];
arr3.every(function (currentValue, index, array) {
return currentValue == 'Prosper'; // 通过true
})
filter()
// filter() 方法创建一个新数组, 其包含通过所提供函数实现的测试的所有元素
var arr4 = ['spray', 'limit', 'elite', 'exuberant', 'destruction', 'present'];
var result = arr4.filter(word => word.length > 6);
console.log(result);
indexOf()
// indexOf() str.indexOf(searchValue[, fromIndex]) 方法返回调用 String对象中第一次出现的指定值的索引,开始在 fromIndex进行搜索。如果未找到该值,则返回-1。
var arr5 = ['Prosper', 'Lee', 'is', 'very', 'nice', '!!!'];
console.log(arr5.indexOf("Pro", 0)); // returns -1
console.log(arr5.indexOf("Pro")); // returns -1
console.log(arr5.indexOf("Lee")); // returns 1
console.log(arr5.indexOf("Lee",2)); // returns -1
console.log("Prosper Lee".indexOf("Prosper")); // returns 0
console.log("Prosper Lee".indexOf("Lee")); // returns 8
console.log("Prosper Lee".indexOf("Prosper", 0)); // returns 0
console.log("Prosper Lee".indexOf("Prosper", 5)); // returns -1
console.log("Prosper Lee".indexOf("z")); // returns -1
console.log("Prosper Lee".indexOf("", 10)); // returns 10
console.log("Prosper Lee".indexOf("", 11)); // returns 11
console.log("Prosper Lee".indexOf("", 12)); // returns 11
// lastIndexOf() 方法可返回一个指定的字符串值最后出现的位置。第二个参数为从0开始查,查到第几个结束
console.log('Prosper Lee'.lastIndexOf('e')); //
console.log('Prosper Lee'.lastIndexOf('o')); //
console.log('Prosper Lee'.lastIndexOf('b')); // -1
console.log('Prosper Lee'.lastIndexOf('e',4)); // -1
console.log('Prosper Lee'.lastIndexOf('e',5)); //
console.log('Prosper Lee'.lastIndexOf('e',9)); //
console.log('Prosper Lee'.lastIndexOf('e',10)); //
// array.reduce(function (accumulator, currentValue, currentIndex, array) {}, initialValue)
[{x: 1}, {x:2}, {x:3}].reduce((accumulator, currentValue) => accumulator + currentValue.x, 0); //
[[0, 1], [2, 3], [4, 5]].reduce(( acc, cur ) => acc.concat(cur), []); // [0,1,2,3,4,5]
// 统计出现次数
['Alice', 'Bob', 'Tiff', 'Bruce', 'Alice'].reduce(function (allNames, name) {
allNames[name] = ++allNames[name] || 1;
// if (name in allNames) {
// allNames[name]++;
// } else {
// allNames[name] = 1;
// }
return allNames;
}, {}); // { 'Alice': 2, 'Bob': 1, 'Tiff': 1, 'Bruce': 1 }
// 按属性对object分类节
var people = [{
name: 'Alice',
age: 21
},
{
name: 'Max',
age: 20
},
{
name: 'Jane',
age: 20
}
];
function groupBy(objectArray, property) {
return objectArray.reduce(function (acc, obj) {
var key = obj[property];
// console.log(key); // 21 20 20
if (!acc[key]) { // undefined时才定义空数组
acc[key] = [];
}
acc[key].push(obj);
return acc;
}, {});
}
console.log(groupBy(people, 'age'));
// groupedPeople is:
// {
// 20: [
// { name: 'Max', age: 20 },
// { name: 'Jane', age: 20 }
// ],
// 21: [{ name: 'Alice', age: 21 }]
// }
[0, 1, 2, 3, 4].reduce((accumulator, currentValue, currentIndex, array) => { return accumulator + currentValue; }, 10 ); //
// callback accumulator currentValue currentIndex array return value
// [1 call] 10 0 0 [0, 1, 2, 3, 4] 10
// [2 call] 10 1 1 [0, 1, 2, 3, 4] 11
// [3 call] 11 2 2 [0, 1, 2, 3, 4] 13
// [4 call] 13 3 3 [0, 1, 2, 3, 4] 16
// [5 call] 16 4 4 [0, 1, 2, 3, 4] 20
reduceRight()
// array.reduceRight(function (previousValue, currentValue, index, array) {}, initialValue)
[0, 1, 2, 3, 4].reduceRight((previousValue, currentValue, index, array) => { return previousValue + currentValue; }, 10); //
// callback accumulator currentValue currentIndex array return value
// [1 call] 10 4 4 [0, 1, 2, 3, 4] 14
// [2 call] 14 3 3 [0, 1, 2, 3, 4] 17
// [3 call] 17 2 2 [0, 1, 2, 3, 4] 19
// [4 call] 19 1 1 [0, 1, 2, 3, 4] 20
// [5 call] 20 0 0 [0, 1, 2, 3, 4] 20
['1', '2', '3', '4', '5'].reduce((prev, cur) => prev + cur); //
['1', '2', '3', '4', '5'].reduceRight((prev, cur) => prev + cur); //
// Array.isArray() 用于确定传递的值是否是一个 Array。
Array.isArray([1, 2, 3]); // true
Array.isArray({foo: 123}); // false
Array.isArray("foobar"); // false
Array.isArray(undefined); // false
Array.from()
// Array.from() 方法从一个类似数组或可迭代对象中创建一个新的数组实例。
Array.from(['a', 'b', 'c'], (v, i) => i + "->" + v ); // ["0->a", "1->b", "2->c"]
Array.from(['a', 'b', 'c'], x => x + x ); // ["aa", "bb", "cc"]
Array.from({ length: 5 }, (v, i) => i); // [0, 1, 2, 3, 4]
var m = [1, 2, 2], n = [2,3,3];
function combine(){
let arr = [].concat.apply([], arguments); // 没有去重的新数组
console.log(arr);
return Array.from(new Set(arr));
}
console.log(combine(m,n));
trim()
// trim() 去掉字符串前后空白
console.log(' Prosper Lee '.trim()); // "Prosper Lee"
console.log('Prosper Lee '.replace(/^\s+|\s+$/g, "z")); // "Prosper Leez" // 兼容: 将前后有空格的位置替换成z
ES5新增的更多相关文章
- 4日6日--ES5新增数组方法
forEach使用的函数调用,所以占内存比较大,不如定长for循环和迭代for循环 1.通过forEach将数组中的元素逐个表示出来(遍历方法,读取操作). 2.通过map将原数组中的元素进行算数运算 ...
- String方法,js中Array方法,ES5新增Array方法,以及jQuery中Array方法
相关阅读:https://blog.csdn.net/u013185654/article/details/78498393 相关阅读:https://www.cnblogs.com/huangyin ...
- js数组定义和方法 (包含ES5新增数组方法)
数组Array 1. 数组定义 一系列数据的集合成为数组.数组的元素可以为任何类型的数据(包括数组,函数等),每个元素之间用逗号隔开,数组格式:[1,2,3]. 2. 数组创建方式 (1) 字面量方法 ...
- ES5新增数组方法测试和字符串常见API测试
首先是ES5新增数组方法测试: <!DOCTYPE html><html lang="en"><head> <meta charset=& ...
- ES5新增的数组方法
ES5新增:(IE9级以上支持)1.forEach():遍历数组,无返回值,不改变原数组.2.map():遍历数组,返回一个新数组,不改变原数组.3.filter():过滤掉数组中不满足条件的值,返回 ...
- 学习笔记-es5新增的一些数组的API(不全)-字符串-字符串API(不全)
### es5新增的数组的api + indexOf() 搜索数组中的元素,并返回它所在的位置. arr.indexOf(str,index) 参数: str为要查找的字符串 index为开始查找的下 ...
- ES5新增数组的方法
ES5新增数组的方法 ES5新增数组常见方法(indexOf/forEach/map/filter/some/every) .indexOf( data , start) 检测数组中是否存在指定数据 ...
- ES5新增数组方法every()、some()、filter()、map()
JavaScript ES5标准中新增了一些Array方法,如every().some().filter().map().它们的出现使我们能够更加便利地操作数组,但对IE9以下浏览器的兼容性比较差.下 ...
- this与bind(this) (es5新增)
this与bind(this) this this指向的是当前函数的作用域(对象实例),有如下的例子 const app = { name: 'xiaoming', log() { console.l ...
- 复习——高级语法对象原型,es5新增语法
今天的开始进入了js的高级语法 我马上也要复习完了,之前学到闭包递归,就回去复习去了,复都复习这么久而且,复习的过程真的比学知识的过程难熬的多,只不过终于要复习完了,再来点es6的新语法马上就要步入v ...
随机推荐
- ubuntu connect to windows folder share
在windows上给远程登录的用户设置一个账号密码.”右击计算机图标“——"管理”——“本地用户和组”——“用户”.然后右击选择“新用户”,输入账号密码,并勾选“密码永不过期”,这样,在远程 ...
- 【阿里聚安全·安全周刊】女主换脸人工合成小电影|伊朗间谍APP苹果安卓皆中招
本周的七个关键词: 人工智能 丨 HTTP链接=不安全链接 丨 滑动验证码 丨 伊朗间谍APP 丨 加密挖矿 丨 Android应用测试速查表 丨 黑客销售签名证书 -1- [人工智能]女主换 ...
- 安卓开发学习笔记(七):仿写腾讯QQ登录注册界面
这段代码的关键主要是在我们的相对布局以及线性布局上面,我们首先在总体布局里设置为线性布局,然后再在里面设置为相对布局,这是一个十分常见的XML布局模式. 废话不多说,直接上代码:一.activity. ...
- 接口调试之Postman 使用方法详解
一.Postman背景介绍 用户在开发或者调试网络程序或者是网页B/S模式的程序的时候是需要一些方法来跟踪网页请求的,用户可以使用一些网络的监视工具比如著名的Firebug等网页调试工具.今天给大家介 ...
- 字符串匹配(一)----Rabin-Karp算法
题目:假如要判断字符串A"ABA"是不是字符串B"ABABABA"的子串. 解法一:暴力破解法, 直接枚举所有的长度为3的子串,然后依次与A比较,这样就能得出匹 ...
- [Swift]LeetCode419. 甲板上的战舰 | Battleships in a Board
Given an 2D board, count how many battleships are in it. The battleships are represented with 'X's, ...
- [Swift]LeetCode795. 区间子数组个数 | Number of Subarrays with Bounded Maximum
We are given an array A of positive integers, and two positive integers L and R (L <= R). Return ...
- [Swift]LeetCode896. 单调数列 | Monotonic Array
An array is monotonic if it is either monotone increasing or monotone decreasing. An array A is mono ...
- 【视频】使用ASP.NET Core开发GraphQL服务
GraphQL 既是一种用于 API 的查询语言也是一个满足你数据查询的运行时. GraphQL来自Facebook,它于2012年开始开发,2015年开源. GraphQL与编程语言无关,可以使用很 ...
- dataframe的select传入不定参数
在提取 dataframe 里面的列时,需要传入不定参数,即 dataframe.select(args) .例如某个 dataframe 如下: 一般提取某列或者某几列的时候是这样子写的: data ...