5

我想像这样从 abe_account 中选择 *

sqlite> select * from abe_account;
admin|Peter John|admin_account|password

但我想在 C++ 中做到这一点并返回每个元素,例如

admin as vector x[0]
Peter John as vector x[1]
admin_account as vector x[2]
password as vector x[4]

然后在我关闭 sqlite3_close(db) 时在外面使用它

例如 cout << x[0] << endl;

我该怎么做,我试图 cout << str << endl;

但它什么也没打印。

下面的代码是我自己尝试的:

#include <iostream>
#include <sqlite3.h>

//g++ -o test test.cpp -lsqlite3
using namespace std;

int main()
{

    sqlite3 *db;
    sqlite3_stmt * stmt;

    if (sqlite3_open("abeserver.db", &db) == SQLITE_OK)
    {
    sqlite3_prepare( db, "SELECT * from abe_account;", -1, &stmt, NULL );//preparing the statement
    sqlite3_step( stmt );//executing the statement
    char * str = (char *) sqlite3_column_text( stmt, 0 );///reading the 1st column of the result
        }
    else
    {
        cout << "Failed to open db\n";
    }

    sqlite3_finalize(stmt);
    sqlite3_close(db);

    cout << str << endl;

    return 0;

}
4

1 回答 1

8

当你执行一个语句时,你会得到一个表格的结果。你有一些列,你知道的数量和行,你知道的数量。

首先,做一个

std::vector< std::vector < std:: string > > result;

string部分是单元格中的文本。内部向量是一行。外部向量是一列。

由于您确切知道numbe rof 列,因此您可以“添加列”。在您的情况下,您需要其中 4 个:

for( int i = 0; i < 4; i++ )
    result.push_back(std::vector< std::string >());

现在,您的外部向量有 4 个元素,代表 4 列。

现在,在您的代码中,您会得到这样的数据

while( sqlite3_column_text( stmt, 0 ) )
{
    for( int i = 0; i < 4; i++ )
        result[i].push_back( std::string( (char *)sqlite3_column_text( stmt, i ) ) );
    sqlite3_step( stmt );
}
于 2012-08-13T10:10:39.620 回答