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

แมปผลรวมคู่ใน JavaScript


ปัญหา

เราจำเป็นต้องปรับใช้คลาส MapSum ด้วยการแทรกและวิธีรวม สำหรับการแทรกเมธอด เราจะได้คู่ของ (สตริง, จำนวนเต็ม) สตริงแสดงถึงคีย์และจำนวนเต็มแสดงถึงค่า หากมีคีย์อยู่แล้ว คู่คีย์-ค่าเดิมจะถูกแทนที่เป็นคีย์ใหม่

สำหรับเมธอด sum เราจะได้รับสตริงที่แสดงคำนำหน้า และเราจำเป็นต้องส่งคืนผลรวมของค่าของคู่ทั้งหมดที่มีคีย์ขึ้นต้นด้วยคำนำหน้า

ตัวอย่าง

ต่อไปนี้เป็นรหัส -

class Node {
   constructor(val) {
      this.num = 0
      this.val = val
      this.children = {}
   }
}
class MapSum {
   constructor(){
      this.root = new Node('');
   }
}
MapSum.prototype.insert = function (key, val) {
   let node = this.root
   for (const char of key) {
      if (!node.children[char]) {
         node.children[char] = new Node(char)
      }
      node = node.children[char]
   }
   node.num = val
}

MapSum.prototype.sum = function (prefix) {
   let sum = 0
   let node = this.root
   for (const char of prefix) {
      if (!node.children[char]) {
         return 0
      }
      node = node.children[char]
   }
   const helper = (node) => {
      sum += node.num
      const { children } = node
      Object.keys(children).forEach((key) => {
         helper(children[key])
      })
   }
   helper(node)
   return sum
}
const m = new MapSum();
console.log(m.insert('apple', 3));
console.log(m.sum('ap'));

ผลลัพธ์

undefined
3