Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> Javascript

จะแปลงอาร์เรย์เป็น JavaScript อาร์เรย์ที่ซับซ้อนได้อย่างไร


สมมติว่า เราต้องเขียนฟังก์ชันที่ใช้อาร์เรย์ของ Numbers และ number n โดยที่ n>=จำนวนใดๆ ของอาร์เรย์ ฟังก์ชันนี้จำเป็นต้องแบ่งอาร์เรย์ออกเป็นอาร์เรย์ย่อยหากผลรวมขององค์ประกอบที่ต่อเนื่องกันของอาร์เรย์เกินจำนวน n

ตัวอย่างเช่น −

// if the original array is:
const arr = [2, 1, 2, 1, 1, 1, 1, 1];
// and the number n is 4
// then the output array should be:
const output = [ [ 2, 1 ], [ 2, 1, 1 ], [ 1, 1, 1 ] ];

มาเขียนโค้ดสำหรับฟังก์ชันนี้กัน −

ตัวอย่าง

const arr = [2, 1, 2, 1, 1, 1, 1, 1];
const splitArray = (arr, num) => {
   return arr.reduce((acc, val, ind) => {
      let { sum, res } = acc;
      if(ind === 0){
         return {sum: val, res:[[val]]};
      };
      if(sum + val <= num){
         res[res.length-1].push(val);
         sum +=val;
      }else{
         res.push([val]);
         sum = val;
      };
      return { sum, res };
   }, {
      sum: 0,
      res: []
   }).res;
};
console.log(splitArray(arr, 4));
console.log(splitArray(arr, 5));

ผลลัพธ์

ผลลัพธ์ในคอนโซลจะเป็น -

[ [ 2, 1 ], [ 2, 1, 1 ], [ 1, 1, 1 ] ]
[ [ 2, 1, 2 ], [ 1, 1, 1, 1, 1 ] ]