|
| 1 | +package com.fishercoder; |
| 2 | + |
| 3 | +import java.util.HashMap; |
| 4 | +import java.util.Map; |
| 5 | + |
| 6 | +/** |
| 7 | + * 677. Map Sum Pairs |
| 8 | + * |
| 9 | + * Implement a MapSum class with insert, and sum methods. |
| 10 | +
|
| 11 | + For the method insert, you'll be given a pair of (string, integer). |
| 12 | + The string represents the key and the integer represents the value. |
| 13 | + If the key already existed, then the original key-value pair will be overridden to the new one. |
| 14 | +
|
| 15 | + For the method sum, you'll be given a string representing the prefix, |
| 16 | + and you need to return the sum of all the pairs' value whose key starts with the prefix. |
| 17 | +
|
| 18 | + Example 1: |
| 19 | +
|
| 20 | + Input: insert("apple", 3), Output: Null |
| 21 | + Input: sum("ap"), Output: 3 |
| 22 | + Input: insert("app", 2), Output: Null |
| 23 | + Input: sum("ap"), Output: 5 |
| 24 | +
|
| 25 | + */ |
| 26 | +public class _677 { |
| 27 | + public static class Solution1 { |
| 28 | + public static class MapSum { |
| 29 | + |
| 30 | + Map<String, Integer> map; |
| 31 | + |
| 32 | + /** |
| 33 | + * Initialize your data structure here. |
| 34 | + */ |
| 35 | + public MapSum() { |
| 36 | + map = new HashMap<>(); |
| 37 | + } |
| 38 | + |
| 39 | + public void insert(String key, int val) { |
| 40 | + map.put(key, val); |
| 41 | + } |
| 42 | + |
| 43 | + public int sum(String prefix) { |
| 44 | + int sum = 0; |
| 45 | + for (String key : map.keySet()) { |
| 46 | + if (key.startsWith(prefix)) { |
| 47 | + sum += map.get(key); |
| 48 | + } |
| 49 | + } |
| 50 | + return sum; |
| 51 | + } |
| 52 | + } |
| 53 | + |
| 54 | + } |
| 55 | +} |
0 commit comments