lodash源码分析每日一练 - 数组 - flatten / flattenDeep / flattenDepth
2023-12-26 20:22:52
今日分享:
每一步都是曼妙的风景~
__.flatten(array)
使用:
减少一级array嵌套深度
使用示例:
_.flatten([1, [2, [3, [4]], 5]]);
// => [1, 2, [3, [4]], 5]
尝试手写:
①修改原数组;②数组减少一级嵌套深度;③ 合并能力,可以减少n层嵌套深度
let flatten_arr=[1, [2,[3 ,[4]],5]];
function my_flatten(arr) {
if(arr.length === 0) { return arr };
if(arr instanceof Array) {
let newArr = [];
for(let i = 0; i< arr.length; i++) {
if(arr[i] instanceof Array) {
for(var j = 0; j < arr[i].length; j++) {
newArr.push(arr[i][j])
}
}else{
newArr.push(arr[i])
}
}
arr = newArr
}
return arr;
}
console.log(my_flatten(flatten_arr)); // [1,2,[3,[4]],5]
源码方案:
function flatten(array) {
var length = array == null ? 0 : array.length;
return length ? baseFlatten(array, 1) : [];
}
function baseFlatten(array, depth, predicate, isStrict, result) {
var index = -1,
length = array.length;
predicate || (predicate = isFlattenable);
result || (result = []);
while (++index < length) {
var value = array[index];
if (depth > 0 && predicate(value)) {
if (depth > 1) {
// 如果是多层级或直接拍平,递归调用自身即可完成
baseFlatten(value, depth - 1, predicate, isStrict, result);
} else {
arrayPush(result, value);
}
} else if (!isStrict) {
result[result.length] = value;
}
}
return result;
}
类似方法
_.flattenDeep
将array递归为一维数组。
使用示例:
_.flattenDeep([1, [2, [3, [4]], 5]]);
// => [1, 2, 3, 4, 5]
源码方案:
function flattenDeep(array) {
var length = array == null ? 0 : array.length;
return length ? baseFlatten(array, INFINITY) : [];
}
_.flattenDepth
根据 depth 递归减少 array 的嵌套层级
使用示例:
var array = [1, [2, [3, [4]], 5]];
_.flattenDepth(array, 1);
// => [1, 2, [3, [4]], 5]
_.flattenDepth(array, 2);
// => [1, 2, 3, [4], 5]
源码方案:
function flattenDepth(array, depth) {
var length = array == null ? 0 : array.length;
if (!length) {
return [];
}
depth = depth === undefined ? 1 : toInteger(depth);
return baseFlatten(array, depth);
}
总结
总的来说还是循环+递归调用的方式,实现深层拍平。取值然后push到新数组即可。
文章来源:https://blog.csdn.net/pong_dong/article/details/135148522
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。 如若内容造成侵权/违法违规/事实不符,请联系我的编程经验分享网邮箱:veading@qq.com进行投诉反馈,一经查实,立即删除!
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。 如若内容造成侵权/违法违规/事实不符,请联系我的编程经验分享网邮箱:veading@qq.com进行投诉反馈,一经查实,立即删除!