Source: lib/offline/db_engine.js

  1. /**
  2. * @license
  3. * Copyright 2016 Google Inc.
  4. *
  5. * Licensed under the Apache License, Version 2.0 (the "License");
  6. * you may not use this file except in compliance with the License.
  7. * You may obtain a copy of the License at
  8. *
  9. * http://www.apache.org/licenses/LICENSE-2.0
  10. *
  11. * Unless required by applicable law or agreed to in writing, software
  12. * distributed under the License is distributed on an "AS IS" BASIS,
  13. * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14. * See the License for the specific language governing permissions and
  15. * limitations under the License.
  16. */
  17. goog.provide('shaka.offline.DBEngine');
  18. goog.require('goog.asserts');
  19. goog.require('shaka.log');
  20. goog.require('shaka.util.Error');
  21. goog.require('shaka.util.Functional');
  22. goog.require('shaka.util.IDestroyable');
  23. goog.require('shaka.util.PublicPromise');
  24. /**
  25. * This manages all operations on an IndexedDB. This wraps all operations
  26. * in Promises. All Promises will resolve once the transaction has completed.
  27. * Depending on the browser, this may or may not be after the data is flushed
  28. * to disk. https://goo.gl/zMOeJc
  29. *
  30. * @struct
  31. * @constructor
  32. * @implements {shaka.util.IDestroyable}
  33. */
  34. shaka.offline.DBEngine = function() {
  35. /** @private {IDBDatabase} */
  36. this.db_ = null;
  37. /** @private {!Array.<shaka.offline.DBEngine.Operation>} */
  38. this.operations_ = [];
  39. /** @private {!Object.<string, number>} */
  40. this.currentIdMap_ = {};
  41. };
  42. /**
  43. * @typedef {{
  44. * transaction: !IDBTransaction,
  45. * promise: !shaka.util.PublicPromise
  46. * }}
  47. *
  48. * @property {!IDBTransaction} transaction
  49. * The transaction that this operation is using.
  50. * @property {!shaka.util.PublicPromise} promise
  51. * The promise associated with the operation.
  52. */
  53. shaka.offline.DBEngine.Operation;
  54. /** @private {string} */
  55. shaka.offline.DBEngine.DB_NAME_ = 'shaka_offline_db';
  56. /** @private @const {number} */
  57. shaka.offline.DBEngine.DB_VERSION_ = 1;
  58. /**
  59. * Determines if the browsers supports IndexedDB.
  60. * @return {boolean}
  61. */
  62. shaka.offline.DBEngine.isSupported = function() {
  63. return window.indexedDB != null;
  64. };
  65. /**
  66. * Delete the database. There must be no open connections to the database.
  67. * @return {!Promise}
  68. */
  69. shaka.offline.DBEngine.deleteDatabase = function() {
  70. if (!window.indexedDB)
  71. return Promise.resolve();
  72. var request =
  73. window.indexedDB.deleteDatabase(shaka.offline.DBEngine.DB_NAME_);
  74. var p = new shaka.util.PublicPromise();
  75. request.onsuccess = function(event) {
  76. goog.asserts.assert(event.newVersion == null, 'Unexpected database update');
  77. p.resolve();
  78. };
  79. request.onerror = shaka.offline.DBEngine.onError_.bind(null, request, p);
  80. return p;
  81. };
  82. /**
  83. * Gets whether the DBEngine is initialized.
  84. *
  85. * @return {boolean}
  86. */
  87. shaka.offline.DBEngine.prototype.initialized = function() {
  88. return this.db_ != null;
  89. };
  90. /**
  91. * Initializes the database and creates and required tables.
  92. *
  93. * @param {!Object.<string, string>} storeMap
  94. * A map of store name to the key path.
  95. * @return {!Promise}
  96. */
  97. shaka.offline.DBEngine.prototype.init = function(storeMap) {
  98. goog.asserts.assert(!this.db_, 'Already initialized');
  99. var DBEngine = shaka.offline.DBEngine;
  100. if (!DBEngine.isSupported()) {
  101. return Promise.reject(
  102. new shaka.util.Error(
  103. shaka.util.Error.Category.STORAGE,
  104. shaka.util.Error.Code.INDEXED_DB_NOT_SUPPORTED));
  105. }
  106. var indexedDB = window.indexedDB;
  107. var request = indexedDB.open(DBEngine.DB_NAME_, DBEngine.DB_VERSION_);
  108. var promise = new shaka.util.PublicPromise();
  109. request.onupgradeneeded = function(event) {
  110. var db = event.target.result;
  111. goog.asserts.assert(event.oldVersion == 0,
  112. 'Must be upgrading from version 0');
  113. goog.asserts.assert(db.objectStoreNames.length == 0,
  114. 'Version 0 database should be empty');
  115. for (var name in storeMap) {
  116. db.createObjectStore(name, {keyPath: storeMap[name]});
  117. }
  118. };
  119. request.onsuccess = (function(event) {
  120. this.db_ = event.target.result;
  121. promise.resolve();
  122. }.bind(this));
  123. request.onerror = DBEngine.onError_.bind(null, request, promise);
  124. return promise.then(function() {
  125. // For each store, get the next ID and store in the map.
  126. var stores = Object.keys(storeMap);
  127. return Promise.all(stores.map(function(store) {
  128. return this.getNextId_(store).then(function(id) {
  129. this.currentIdMap_[store] = id;
  130. }.bind(this));
  131. }.bind(this)));
  132. }.bind(this));
  133. };
  134. /** @override */
  135. shaka.offline.DBEngine.prototype.destroy = function() {
  136. return Promise.all(this.operations_.map(function(op) {
  137. try {
  138. // If the transaction is considered finished but has not called the
  139. // callbacks yet, it will still be in the list and this call will fail.
  140. // Simply ignore errors.
  141. op.transaction.abort();
  142. } catch (e) {}
  143. var Functional = shaka.util.Functional;
  144. return op.promise.catch(Functional.noop);
  145. })).then(function() {
  146. goog.asserts.assert(this.operations_.length == 0,
  147. 'All operations should have been closed');
  148. if (this.db_) {
  149. this.db_.close();
  150. this.db_ = null;
  151. }
  152. }.bind(this));
  153. };
  154. /**
  155. * Gets the item with the given ID in the store.
  156. *
  157. * @param {string} storeName
  158. * @param {number} key
  159. * @return {!Promise.<T>}
  160. * @template T
  161. */
  162. shaka.offline.DBEngine.prototype.get = function(storeName, key) {
  163. return this.createOperation_(storeName, 'readonly', function(store) {
  164. return store.get(key);
  165. });
  166. };
  167. /**
  168. * Calls the given callback for each value in the store. The promise will
  169. * resolve after all items have been traversed.
  170. *
  171. * @param {string} storeName
  172. * @param {function(T)} callback
  173. * @return {!Promise}
  174. * @template T
  175. */
  176. shaka.offline.DBEngine.prototype.forEach = function(storeName, callback) {
  177. return this.createOperation_(storeName, 'readonly', function(store) {
  178. return store.openCursor();
  179. }, function(/** IDBCursor */ cursor) {
  180. if (!cursor) return;
  181. callback(cursor.value);
  182. cursor.continue();
  183. });
  184. };
  185. /**
  186. * Adds or updates the given value in the store.
  187. *
  188. * @param {string} storeName
  189. * @param {!Object} value
  190. * @return {!Promise}
  191. */
  192. shaka.offline.DBEngine.prototype.insert = function(storeName, value) {
  193. return this.createOperation_(storeName, 'readwrite', function(store) {
  194. return store.put(value);
  195. });
  196. };
  197. /**
  198. * Removes the item with the given key.
  199. *
  200. * @param {string} storeName
  201. * @param {number} key
  202. * @return {!Promise}
  203. */
  204. shaka.offline.DBEngine.prototype.remove = function(storeName, key) {
  205. return this.createOperation_(storeName, 'readwrite', function(store) {
  206. return store.delete(key);
  207. });
  208. };
  209. /**
  210. * Removes all items for which the given predicate returns true.
  211. *
  212. * @param {string} storeName
  213. * @param {function(T):boolean} callback
  214. * @return {!Promise.<number>}
  215. * @template T
  216. */
  217. shaka.offline.DBEngine.prototype.removeWhere = function(storeName, callback) {
  218. var async = [];
  219. return this.createOperation_(storeName, 'readwrite', function(store) {
  220. return store.openCursor();
  221. }, function(/** IDBCursor */ cursor) {
  222. if (!cursor) return;
  223. if (callback(cursor.value)) {
  224. var request = cursor.delete();
  225. var p = new shaka.util.PublicPromise();
  226. request.onsuccess = p.resolve;
  227. request.onerror = shaka.offline.DBEngine.onError_.bind(null, request, p);
  228. async.push(p);
  229. }
  230. cursor.continue();
  231. }).then(function() {
  232. return Promise.all(async);
  233. }).then(function() {
  234. return async.length;
  235. });
  236. };
  237. /**
  238. * Reserves the next ID and returns it.
  239. *
  240. * @param {string} storeName
  241. * @return {number}
  242. */
  243. shaka.offline.DBEngine.prototype.reserveId = function(storeName) {
  244. goog.asserts.assert(storeName in this.currentIdMap_,
  245. 'Store name must be passed to init()');
  246. return this.currentIdMap_[storeName]++;
  247. };
  248. /**
  249. * Gets the ID to start at.
  250. *
  251. * @param {string} storeName
  252. * @return {!Promise.<number>}
  253. * @private
  254. */
  255. shaka.offline.DBEngine.prototype.getNextId_ = function(storeName) {
  256. var ret = 0;
  257. return this.createOperation_(storeName, 'readonly', function(store) {
  258. return store.openCursor(null, 'prev');
  259. }, function(/** IDBCursor */ cursor) {
  260. if (cursor)
  261. ret = cursor.key + 1;
  262. }).then(function() { return ret; });
  263. };
  264. /**
  265. * Creates a new transaction for the given store name and calls the given
  266. * callback to create a request. It then wraps the given request in an
  267. * operation and returns the resulting promise. The Promise resolves when
  268. * the transaction is complete, which will be after opt_success is called.
  269. *
  270. * @param {string} storeName
  271. * @param {string} type
  272. * @param {function(!IDBObjectStore):!IDBRequest} createRequest
  273. * @param {(function(*))=} opt_success The value of onsuccess for the request.
  274. * @return {!Promise}
  275. * @private
  276. */
  277. shaka.offline.DBEngine.prototype.createOperation_ = function(
  278. storeName, type, createRequest, opt_success) {
  279. goog.asserts.assert(this.db_, 'Must not be destroyed');
  280. goog.asserts.assert(type == 'readonly' || type == 'readwrite',
  281. 'Type must be "readonly" or "readwrite"');
  282. var trans = this.db_.transaction([storeName], type);
  283. var request = createRequest(trans.objectStore(storeName));
  284. var p = new shaka.util.PublicPromise();
  285. if (opt_success)
  286. request.onsuccess = function(event) { opt_success(event.target.result); };
  287. request.onerror = function(event) {
  288. shaka.log.info('The request unexpectedly failed',
  289. request.error ? request.error.message : 'unknown error');
  290. };
  291. var op = {transaction: trans, promise: p};
  292. this.operations_.push(op);
  293. // Only remove the transaction once it has completed, which may be after the
  294. // request is complete (e.g. it may need to write to disk).
  295. var removeOp = (function() {
  296. var i = this.operations_.indexOf(op);
  297. goog.asserts.assert(i >= 0, 'Operation must be in the list.');
  298. this.operations_.splice(i, 1);
  299. }.bind(this));
  300. trans.oncomplete = function(event) {
  301. removeOp();
  302. p.resolve(request.result);
  303. };
  304. trans.onerror = function(event) {
  305. // Otherwise Firefox will raise an error which will cause a karma failure.
  306. // This will not stop the onabort callback from firing.
  307. event.preventDefault();
  308. };
  309. // We will see an onabort call via:
  310. // 1. request error -> transaction error -> transaction abort
  311. // 2. transaction commit fail -> transaction abort
  312. // As any transaction error will result in an abort, it is better to listen
  313. // for an abort so that we will catch all failed transaction operations.
  314. trans.onabort = function(event) {
  315. removeOp();
  316. shaka.offline.DBEngine.onError_(request, p, event);
  317. };
  318. return p;
  319. };
  320. /**
  321. * Rejects the given Promise with an unknown error.
  322. *
  323. * @param {!IDBRequest} request
  324. * @param {!shaka.util.PublicPromise} promise
  325. * @param {Event} event
  326. * @private
  327. */
  328. shaka.offline.DBEngine.onError_ = function(request, promise, event) {
  329. // |request.error| can be null as per 3.3.4 point 2 of the W3 spec. When a
  330. // request does not have an error and is passed here it is because it was from
  331. // |transaction.onabort| and therefore not an actual error.
  332. if (!request.error || request.error.name == 'AbortError') {
  333. promise.reject(new shaka.util.Error(
  334. shaka.util.Error.Category.STORAGE,
  335. shaka.util.Error.Code.OPERATION_ABORTED));
  336. } else {
  337. promise.reject(new shaka.util.Error(
  338. shaka.util.Error.Category.STORAGE,
  339. shaka.util.Error.Code.INDEXED_DB_ERROR, request.error));
  340. }
  341. // Firefox will raise an error which will cause a karma failure.
  342. event.preventDefault();
  343. };