[C++基础]030_C++使用Sqlite<转载>
一、SQLite
SQLite,是一款轻型的数据库,是遵守ACID的关联式数据库管理系统,它的设计目标是嵌入式的,而且目前已经在很多嵌入式产品中使用了它,它占用资源非常的低,在嵌入式设备中,可能只需要几百K的内存就够了。它能够支持Windows/Linux/Unix等等主流的操作系统,同时能够跟很多程序语言相结合,还有ODBC接口,同样比起Mysql、PostgreSQL这两款开源世界著名的数据库管理系统来讲,它的处理速度比他们都快。SQLite也被用于很多软件,打开飞信的安装目录,就能看见 SQLite ,估计是被用来存储聊天记录的。
二、下载SQLite
我下的版本为sqlite-amalgamation-3071400.zip,这个包含了主要的源代码。sqlite-dll-win32-x86-3071400.zip这个是Windows下的编译好的DLL文件和def文件,解压缩后包含两个文件,sqlite3.def和sqlite3.dll。
编译源代码很简单,新建立一个C++空项目,把sqlite-amalgamation-3071400.zip解压缩后的文件拷进去,编译、链接,就行了。我的目的是把sqlite数据库作为自己项目中的一部分,是作为嵌入的一部分使用的。这个要利用到sqlite3.dll文件。可是源文件只有sqlite3.def和sqlite3.dll没有sqlite3.lib文件,怎么用呢?根据def文件可以生成对应的LIB文件。以下是命令行生成LIB文件。找到VS的安装路径,我的是D:\ProgramFiles\,用命令行进入以下路径。
D:\Program Files\Microsoft Visual Studio 9.0\VC\bin>lib /def:sqlite3.def /machine:ix86
三、使用
1 //#pragma comment(lib,"sqlite3.lib") 2 #include <iostream> 3 #include <string> 4 #include <sstream> 5 #include "sqlite3.h" 6 7 using namespace std; 8 9 sqlite3* pDB; 10 static int callback(void *NotUsed, int argc, char **argv, char **azColName) 11 { 12 int i =0; 13 std::cout<< azColName[i] << " = "<< (argv[i] ? argv[i] : "NULL")<< ", " ; 14 std::cout<< "\n"; 15 return 0; 16 } 17 int main() 18 { 19 int res = sqlite3_open("mydatabase.db", &pDB); 20 if( res ){ 21 std::cout << "Can't open database: "<< sqlite3_errmsg(pDB); 22 sqlite3_close(pDB); 23 return -1; 24 } 25 char* errMsg; 26 string dropTab="drop table test;"; 27 string createStrSQL= "create table test(one int, two long);"; 28 int res; 29 res = sqlite3_exec(pDB,dropTab.c_str(),0,0, &errMsg); 30 if (res != SQLITE_OK) 31 { 32 std::cout << "执行SQL出错." << errMsg << std::endl; 33 return -1; 34 } 35 res = sqlite3_exec(pDB,createStrSQL.c_str(),0,0, &errMsg); 36 if (res != SQLITE_OK) 37 { 38 std::cout << "执行创建table的SQL出错." << errMsg << std::endl; 39 return -1; 40 } 41 else 42 std::cout << "创建table的SQL成功执行."<< std::endl; 43 44 for (int i= 1; i < 10; ++i) 45 { 46 stringstream strsql; 47 strsql << "insert into test values("; 48 strsql << i << ","<< (i+10) << ");"; 49 std::string str = strsql.str(); 50 res = sqlite3_exec(pDB,str.c_str(),0,0, &errMsg); 51 if (res != SQLITE_OK) 52 { 53 std::cout << "执行SQL出错." << errMsg << std::endl; 54 return -1; 55 } 56 } 57 string strSQL= "select * from test;"; 58 int res = sqlite3_exec(pDB,strSQL.c_str(),callback,0, &errMsg); 59 if (res != SQLITE_OK) 60 { 61 std::cout << "执行SQL出错." << errMsg << std::endl; 62 return -1; 63 } 64 else 65 std::cout << "SQL成功执行."<< std::endl; 66 return 0; 67 }