一、获取表的Schema信息:
1). 动态创建表。
2). 根据sqlite3提供的API,获取表字段的信息,如字段数量以及每个字段的类型。
3). 删除该表。
见以下代码及关键性注释:
1 #include
2 #include3
4 using namespace std;
5
6 void doTest()
7 {
8 sqlite3* conn = NULL;
9 //1. 打开数据库
10 int result = sqlite3_open("D:/mytest.db",&conn);
11 if (result != SQLITE_OK) {
12 sqlite3_close(conn);
13 return;
14 }
15 const char* createTableSQL =
16 "CREATE TABLE TESTTABLE (int_col INT, float_col REAL, string_col TEXT)";
17 sqlite3_stmt* stmt = NULL;
18 int len = strlen(createTableSQL);
19 //2. 准备创建数据表,如果创建失败,需要用sqlite3_finalize释放sqlite3_stmt对象,以防止内存泄露。
20 if (sqlite3_prepare_v2(conn,createTableSQL,len,&stmt,NULL) != SQLITE_OK) {
21 if (stmt)
22 sqlite3_finalize(stmt);
23 sqlite3_close(conn);
24 return;
25 }
26 //3. 通过sqlite3_step命令执行创建表的语句。对于DDL和DML语句而言,sqlite3_step执行正确的返回值
27 //只有SQLITE_DONE,对于SELECT查询而言,如果有数据返回SQLITE_ROW,当到达结果集末尾时则返回
28 //SQLITE_DONE。
29 if (sqlite3_step(stmt) != SQLITE_DONE) {
30 sqlite3_finalize(stmt);
31 sqlite3_close(conn);
32 return;
33 }
34 //4. 释放创建表语句对象的资源。
35 sqlite3_finalize(stmt);
36 printf("Succeed to create test table now.\n");
37 //5. 构造查询表数据的sqlite3_stmt对象。
38