leveldb 安装及使用

leveldb 简介

leveldb 是 Google 用 C++ 开发的一个快速的键值对存储数据库,提供从字符串键到字符串值的有序映射。

leveldb 安装

下载 leveldb

1
git clone https://github.com/google/leveldb.git

编译 leveldb

1
2
cd leveldb/
make

编译的动态库和静态库分别在 out-shared,out-static 下:

1
2
ls leveldb/out-shared/libleveldb.so.1.20
ls leveldb/out-static/libleveldb.a

安装 leveldb

只有动态库需要安装,静态库在你编译的时候直接链接即可

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
# cp leveldb header file
sudo cp -r /leveldb/include/ /usr/include/

# cp lib to /usr/lib/
sudo cp /leveldb/out-shared/libleveldb.so.1.20 /usr/lib/

# create link
sudo ln -s /usr/lib/libleveldb.so.1.20 /usr/lib/libleveldb.so.1
sudo ln -s /usr/lib/libleveldb.so.1.20 /usr/lib/libleveldb.so

# update lib cache
sudo ldconfig

查看安装是否成功

1
2
3
4
5
ls /usr/lib/libleveldb.so*
# 显示下面 3 个文件即安装成功
/usr/lib/libleveldb.so.1.20
/usr/lib/libleveldb.so.1
/usr/lib/libleveldb.so

leveldb 使用

我们来编写一个 hello_leveldb.cc 来测试我们的 leveldb 。

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
#include <iostream>
#include <cassert>
#include <cstdlib>
#include <string>
// 包含必要的头文件
#include <leveldb/db.h>

using namespace std;

int main(void)
{
    leveldb::DB *db = nullptr;
    leveldb::Options options;

    // 如果数据库不存在就创建
    options.create_if_missing = true;

    // 创建的数据库在 /tmp/testdb
    leveldb::Status status = leveldb::DB::Open(options, "/tmp/testdb", &db);
    assert(status.ok());

    std::string key = "A";
    std::string value = "a";
    std::string get_value;
    
    // 写入 key1 -> value1
    leveldb::Status s = db->Put(leveldb::WriteOptions(), key, value);

    // 写入成功,就读取 key:people 对应的 value
    if (s.ok())
        s = db->Get(leveldb::ReadOptions(), "A", &get_value);

    // 读取成功就输出
    if (s.ok())
        cout << get_value << endl;
    else
        cout << s.ToString() << endl;

    delete db;

    return 0;
}

编译 - 静态链接

1
2
cp leveldb/out-static/libleveldb.a ./
g++ hello_leveldb.cc -o hello_leveldb ./libleveldb.a -lpthread

编译 - 动态链接

1
g++ hello_leveldb.cc -o hello_leveldb -lpthread -lleveldb

运行结果

1
2
3
4
5
6
./hello_leveldb
# 输出值为 a,说明成功存储和获取
a

# 查看数据库
ls /tmp/testdb

原文地址

leveldb基本概念和实现原理学习leveldb-handbook