indexedDB 使用记录

由于之前的项目采用过websql作为数据存储,就是因为websql和真机的sqlite都是属于关系型数据库,可以使用sql语句进行操作,后来在实际的使用中,websql由于已被w3c抛弃很久,很多浏览器都不支持,最终决定网页版使用indexedDB进行复杂数据的存储。

以下是真机sqlite之前使用的代码
ionic sqlite 存取数据封装

indexedDB

indexedDB API

1. 启动应用成功后调用创建indexedDB对象库

  indexed_db: any;//H5 indexedDB数据库对象


  /**
   * 创建indexed_db
   */
  createIndexedDB() {
    try {
      let indexedDB = this.win.indexedDB || this.win.webkitIndexedDB || this.win.mozIndexedDB || this.win.msIndexedDB;
      if (indexedDB) {

        const request = indexedDB.open('data.db', '1');
        request.onsuccess = (e: any) => {
          this.indexed_db = e.target.result;
        }
        request.onerror = (e) => {
          console.log('创建数据库失败');
        }
        request.onupgradeneeded = (e) => {
          this.indexed_db = request.result;
          //判断message是否存在,不存在则创建
          if (!this.indexed_db.objectStoreNames.contains('message')) {
            let messageStore = this.indexed_db.createObjectStore('message', {
              keyPath: "id",//主键
              autoIncrement: true//主键是否自增长
            });

            //指定可以被索引的字段,自由组装唯一的索引,可用于条件查询数据,unique: 字段是否唯一
            messageStore.createIndex(SqlIndex.UserId, "userId", {
              unique: false
            });
            messageStore.createIndex(SqlIndex.UserIdType, ['userId', 'msgType'], {
              unique: false
            });
          }
        }

      } else {
        console.log('创建数据库失败');
      }
    } catch (err) {
      console.log('创建数据库失败');
    }
  }
SqlIndex值
//索引类型
export enum SqlIndex {
  UserId = "userId",
  UserIdType = "userId-type",
}

2. 新增数据

 /**
   * 操作IndexedDB
   * @param storeName 对象名称
   * @param data 存储的数据
   */
  insertIndexedDB(storeNam: string, data: any): Promise<any> {
    return new Promise((resolve, reject) => {
      //readwrite 获取读写权限
      let transaction = this.indexed_db.transaction(storeNam, 'readwrite');
      let store = transaction.objectStore(storeNam);
      let request = store.add(data);
      request.onerror = (e) => {
        console.log("insert data failed");
        reject(e);
      }
      request.onsuccess = (e) => {
        resolve(e)
      }
    })
  }
调用示例 创建message时使用了userId和msgType作为索引,索引data对象里必须含有userId和msgType字段
this.insertIndexedDB('message', { userId: 1, msgType: 1, title:'test', state: 0, content: 'content', createTime: new Date().getTime().toString()});
成功后如下图,调用操作语句必须要在insertIndexedDB函数执行成功, this.indexed_db有值后才能调用
image.png

3. 查询数据 (不能分页查询)

  /**
   * 获取所有数据
   * @param storeNam 对象名称
   * @param sqlIndex 索引
   * @param indexValue 索引值
   */
  getIndexedDBAll(storeNam: string, sqlIndex: string, indexValue: any): Promise<any> {
    return new Promise((resolve, reject) => {
      let transaction = this.indexed_db.transaction(storeNam, 'readwrite');
      let store = transaction.objectStore(storeNam);
      let request = store.index(sqlIndex).getAll(indexValue);
      request.onerror = (e) => {
        reject(e);
      }
      request.onsuccess = (e) => {
        resolve(e)
      }
    })
  }
调用查询示例
this.getIndexedDBAll('message', SqlIndex.UserIdType, [1, 1]).then(data => {
    if (data.target.result) {
      console.log(data.target.result);
    }
})

// messageStore.createIndex(SqlIndex.UserIdType, ['userId', 'msgType'], {
// unique: false
//});

创建对象库的时候曾经调用以上代码创建索引,索引查询传入的数组[1,1],第一个值表示userId =1,第二个值表示msgType =1,如图
image.png
查询最后一条数据
/**
   * 获取最后一条记录
   * @param storeNam 对象名称
   * @param sqlIndex 索引
   * @param indexValue 索引值
   */
  getIndexedDBPrev(storeNam: string, sqlIndex: string, indexValue: any): Promise<any> {
    return new Promise((resolve, reject) => {
      let transaction = this.indexed_db.transaction(storeNam, 'readwrite');
      let store = transaction.objectStore(storeNam);
      let request = store.index(sqlIndex).openCursor(indexValue, 'prev');// 对应的值有 "next" | "nextunique" | "prev" | "prevunique";
      request.onerror = (e) => {
        reject(e);
      }
      request.onsuccess = (e) => {
        resolve(e)
      }
    })
  }
根据条件索引获取数量
/**
   * 获取条数
   * @param storeNam 对象名称
   * @param sqlIndex 索引
   * @param value 索引值
   */
  getIndexedDBCount(storeNam: string, sqlIndex: string, indexValue: any): Promise<any> {
    return new Promise((resolve, reject) => {
      let transaction = this.indexed_db.transaction(storeNam, 'readwrite');
      let store = transaction.objectStore(storeNam);
      let request = store.index(sqlIndex).count(indexValue);
      request.onerror = (e) => {
        reject(e);
      }
      request.onsuccess = (e) => {
        resolve(e)
      }
    })
  }

4. 修改数据,data的数据必须是从库里查询出去,带有索引的数据

 /**
   * 更新数据
   * @param storeNam 对象名称
   * @param data 更新的数据
   */
  updateIndexedDB(storeNam: string, data: any): Promise<any> {
    return new Promise((resolve, reject) => {
      let transaction = this.indexed_db.transaction(storeNam, 'readwrite');
      let store = transaction.objectStore(storeNam);
      let request = store.put(data)
      request.onerror = (e) => {
        reject(e);
      }
      request.onsuccess = (e) => {
        resolve(e)
      }
    })
  }

5. 删除数据,只删除对象库里的某一条数据

 /**
   * 根据key删除
   * @param key 
   */
  deleteIndexedDB(storeNam: string, key: any) {
    var transaction = this.indexed_db.transaction(storeNam, 'readwrite');
    var store = transaction.objectStore(storeNam);
    store.delete(key);
  }

6.清空对象数据,将会删除对象库里的所有数据

/**
   * 清空数据
   * @param storeNam 对象名称
   */
  clearIndexedDB(storeNam: string) {
    var transaction = this.indexed_db.transaction(storeNam, 'readwrite');
    var store = transaction.objectStore(storeNam);
    store.clear();
  }

7. 版本更新(索引更新)

当前版本已经发布,但后期需要追加索引时,修改版本号1为2

 const request = indexedDB.open('data.db', '2');

从而重新触发onupgradeneeded事件,那么在回调函数里面追加新建的代码

request.onupgradeneeded = (e) => {
          this.indexed_db = request.result;
          //判断message是否存在,不存在则创建
          if (!this.indexed_db.objectStoreNames.contains('message')) {
            let messageStore = this.indexed_db.createObjectStore('message', {
              keyPath: "id",//主键
              autoIncrement: true//主键是否自增长
            });

            //指定可以被索引的字段,自由组装唯一的索引,可用于条件查询数据,unique: 字段是否唯一
            messageStore.createIndex(SqlIndex.UserId, "userId", {
              unique: false
            });
            messageStore.createIndex(SqlIndex.UserIdType, ['userId', 'msgType'], {
              unique: false
            });
          }
          // 新增代码
          let objectStore = e.target.transaction.objectStore('message');
          objectStore.createIndex('userId-type-time', ['userId', 'msgType','createTime'], {
            unique: false
          });
      
}
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,723评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,485评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 152,998评论 0 344
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,323评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,355评论 5 374
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,079评论 1 285
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,389评论 3 400
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,019评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,519评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,971评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,100评论 1 333
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,738评论 4 324
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,293评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,289评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,517评论 1 262
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,547评论 2 354
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,834评论 2 345

推荐阅读更多精彩内容

  • IndexedDB 是一个浏览器内置的 NoSQL 底层实现,它允许你存储简单值以及结构化数据。不过即便是在 Mo...
    东方孤思子阅读 1,814评论 0 0
  • 前言 Web SQL Database引入了一组使用 SQL 操作客户端数据库的 APIs,如果你熟悉SQL语句,...
    Nanayai阅读 6,939评论 1 7
  • 1. GET和POST的区别 区别: Get从服务器获取数据,Post向服务器传送数据 Get传值在url中可见...
    小流歌_阅读 390评论 0 1
  • 时间:2017-03-27 18:02:47 该文章为 《HTML5缓存机制浅析:移动端Web加载性能优化》 ...
    izhongxia阅读 606评论 0 1
  • 推荐指数: 6.0 书籍主旨关键词:特权、焦点、注意力、语言联想、情景联想 观点: 1.统计学现在叫数据分析,社会...
    Jenaral阅读 5,701评论 0 5