如何简便的数组重新排列?

现在有个数组是[7, 8, 10, 2, 3, 6, 11, 13, 15, 17,],需要重新排列生成个新数组,顺序变为后三个+前三个+后续所有+前面剩余所有,如果我让6变为开头的话就是[6, 11, 13, 15,10, 2, 3,17,7, 8,],

        // 获取当前index后的内容
        let nowList = this.NumberList.slice(nowIndex)
        let prevList: number[] = []
        let startList: number[] = []
        // 如果当前index在第三位后
        if (nowIndex - 3 > 0) {
            // 获取前三
            prevList = this.NumberList.slice(nowIndex - 3, nowIndex)
            // 获取前方剩余
            startList = this.NumberList.slice(0, nowIndex - 3)
        } else {
            // 获取前面的数
            prevList = this.NumberList.slice(0, nowIndex)
        }
        // 插入
        nowList.splice(3, 0, ...prevList)
        nowList.push(...startList)
        return nowList
    }

想问有什么比较简单的写法吗

阅读 1.2k
1 个回答
var arr = [7, 8, 10, 2, 3, 6, 11, 13, 15, 17]
// 要放在开头的数字索引
var index = arr.findIndex(n => n == 6);
// TIP:slice方法是左闭右开,也就是包含左边索引元素,不包含右边索引元素
var newArr = [
    ...arr.slice(index,index+4),// 以index为起点,加上后三个,也就是到index+4(不含)共4个元素
    ...arr.slice(Math.max(index-3,0),index), // 前三个也就是从index-3(含)到index(不含)共3个元素
    ...arr.slice(index+4),// 后续所有也就是从index+4(含)开始往后
    ...arr.slice(0,Math.max(index-3,0)) // 前面所有也就是从0开始截取到index-3(不含)
]
// 将以上截取的数组展开拼接即为最终结果
// TIP:以上slice涉及到减的部分需要注意起始数字为负数时要设为0,否则slice会取倒数的索引

https://developer.mozilla.org...

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题