0

我正在尝试重构我编写的一些使用 IndexedDb 的代码。理想情况下,我想做的是创建一个小型业务库,抽象出使用 IndexedDb 的一些丑陋之处。例如,我将创建一个 toDoList 对象,该对象将具有一些获取、添加、更新、删除的方法,并且在这些方法中我将调用 IndexedDb。

这是我所拥有的一个例子:

var MyApp = MyApp || {};

(function() {

  var req = indexedDB.open("todostore", 1);

  req.onerror = function(e) { console.log(e); };

  req.onupgradeneeded = function (e) {
    var newDB = e.target.result;
    newDB.createObjectStore("todostore", { keyPath : "id", autoIncrement : true });
  };

  req.onsuccess = function () {
    MyApp.db = req.result;
  };

})();

MyApp.todolist = (function() {
  return {
    get : function(key, success) {
      var tran = MyApp.db.transaction("todostore");
      var req = tran.objectStore("todostore").get(key);

      req.onsuccess = function (e) {           
        success(e.target.result);
      };
    }
  };
})();

//consumer of library would ideally just do something like this:

var worked = function(e) {
   //do something...
}
MyApp.todolist.get(1, worked);

问题是 MyApp.db 在 get 方法中未定义,因为尚未触发 onsuccess 回调。我还是 javascript 的新手,所以想知道我可以使用哪些选项/模式。谢谢你的帮助!

4

1 回答 1

2

可能有 1000 种不同的方法来处理这个问题。但我建议在您的“get”方法中简单地包含一个失败选项,并在数据库未准备好时触发该选项:

MyApp.todolist = (function() {
  return {
    get : function(key, success, failure) {
      if(!MyApp.db) { 
        if(typeof failure === "function") {
          failure("Database is not ready yet");
        } 
        return;
      }
      var tran = MyApp.db.transaction("todostore");
      var req = tran.objectStore("todostore").get(key);

      req.onsuccess = function (e) {           
        success(e.target.result);
      };
    }
  };
})();

//consumer of library would ideally just do something like this:

var worked = function(e) {
   //do something...
};

var didntWork = function(e) {
   //report the error, e.
};

MyApp.todolist.get(1, worked, didntWork);

您还应该考虑为您的客户端提供一个回调方法来确定数据库何时准备好(或未准备好)。如果不出意外,至少提供一些方法让他们通过方法轻松检查数据库是否准备好。根据您希望如何向用户展示该工具,您可以使用许多选项。

于 2012-09-06T03:55:00.137 回答