New*_*ser 2 html javascript indexeddb
我正在将一些数据存储在 indexedDb 中。
我创建了一个将数据保存到 indexedDb 的方法。我已经存储了 49 条记录。我正在尝试检索所有这些。我已经编写了以下代码来获取值。我的 js 文件中不存在除此行之外的其他代码。
function crap() {
var indexedDb = window.indexedDB || window.webkitIndexedDB || window.msIndexedDB;
var IDBKeyRange = window.IDBKeyRange || window.webkitIDBKeyRange;
var openedDb = indexedDb && indexedDb.open;
var isIndexDbTransactionPossible = window.IDBTransaction || window.webkitIDBTransaction;
if (isIndexDbTransactionPossible) {
isIndexDbTransactionPossible.READ_WRITE = isIndexDbTransactionPossible.READ_WRITE || 'readwrite';
isIndexDbTransactionPossible.READ_ONLY = isIndexDbTransactionPossible.READ_ONLY || 'readonly';
}
var request = indexedDb.open('Offline', DB_VERSION);
request.onupgradeneeded = function(e) {
var db = e.target.result;
if (db.objectStoreNames.contains('tab')) {
db.deleteObjectStore('tab');
}
var store = db.createObjectStore('tab', {keyPath: 'id', autoIncrement: true});
};
request.onsuccess = function(e) {
console.log("DB opened");
var db = e.target.result;
var store= db.transaction('tab', IDBTransaction.READ_ONLY).objectStore('tab');
var cursor = store.openCursor();
cursor.onsuccess = function(event) {
var c = event.target.result;
if (c) {
console.log("New value")
c.continue();
}
};
};
}
Run Code Online (Sandbox Code Playgroud)
我看到“新价值”打印了 124 次。我不确定为什么 cursor.continue() 在第 49 次尝试后没有返回 null。任何帮助深表感谢。
我确信此方法不会被调用多次。“数据库打开”只记录一个。
只需使用 getAll 函数:
var allRecords = store.getAll();
allRecords.onsuccess = function() {
console.log(allRecords.result);
};
Run Code Online (Sandbox Code Playgroud)
在文档中阅读更多内容:使用 IndexedDB
无需检查readyState,只需检查游标请求回调中是否定义了游标。这是一个例子。为了清楚起见,我稍微修改了变量的名称。
cursorRequest.onsuccess = function(event) {
var cursor = event.target.result;
if(cursor) {
var value = cursor.value;
console.log('New value:', value);
cursor.continue();
} else {
// Undefined cursor. This means either no objects found,
// or no next object found
// Do not call cursor.continue(); in this else branch because
// there are no more objects over which to iterate.
// Coincidentally, this also means we are done iterating.
console.log('Finished iterating');
}
}
Run Code Online (Sandbox Code Playgroud)