Source: lib/util/multi_map.js

  1. /*! @license
  2. * Shaka Player
  3. * Copyright 2016 Google LLC
  4. * SPDX-License-Identifier: Apache-2.0
  5. */
  6. goog.provide('shaka.util.MultiMap');
  7. /**
  8. * @summary A simple multimap template.
  9. * @template T
  10. */
  11. shaka.util.MultiMap = class {
  12. /** */
  13. constructor() {
  14. /** @private {!Object.<string, !Array.<T>>} */
  15. this.map_ = {};
  16. }
  17. /**
  18. * Add a key, value pair to the map.
  19. * @param {string} key
  20. * @param {T} value
  21. */
  22. push(key, value) {
  23. // eslint-disable-next-line no-prototype-builtins
  24. if (this.map_.hasOwnProperty(key)) {
  25. this.map_[key].push(value);
  26. } else {
  27. this.map_[key] = [value];
  28. }
  29. }
  30. /**
  31. * Get a list of values by key.
  32. * @param {string} key
  33. * @return {Array.<T>} or null if no such key exists.
  34. */
  35. get(key) {
  36. const list = this.map_[key];
  37. // slice() clones the list so that it and the map can each be modified
  38. // without affecting the other.
  39. return list ? list.slice() : null;
  40. }
  41. /**
  42. * Get a list of all values.
  43. * @return {!Array.<T>}
  44. */
  45. getAll() {
  46. const list = [];
  47. for (const key in this.map_) {
  48. list.push(...this.map_[key]);
  49. }
  50. return list;
  51. }
  52. /**
  53. * Remove a specific value, if it exists.
  54. * @param {string} key
  55. * @param {T} value
  56. */
  57. remove(key, value) {
  58. if (!(key in this.map_)) {
  59. return;
  60. }
  61. this.map_[key] = this.map_[key].filter((i) => i != value);
  62. if (this.map_[key].length == 0) {
  63. // Delete the array if it's empty, so that |get| will reliably return null
  64. // "if no such key exists", instead of sometimes returning an empty array.
  65. delete this.map_[key];
  66. }
  67. }
  68. /**
  69. * Clear all keys and values from the multimap.
  70. */
  71. clear() {
  72. this.map_ = {};
  73. }
  74. /**
  75. * @param {function(string, !Array.<T>)} callback
  76. */
  77. forEach(callback) {
  78. for (const key in this.map_) {
  79. callback(key, this.map_[key]);
  80. }
  81. }
  82. /**
  83. * Returns the number of elements in the multimap.
  84. * @return {number}
  85. */
  86. size() {
  87. return Object.keys(this.map_).length;
  88. }
  89. /**
  90. * Get a list of all the keys.
  91. * @return {!Array.<string>}
  92. */
  93. keys() {
  94. return Object.keys(this.map_);
  95. }
  96. };