ORMLite选择使用谓词一些列(ORMLite select some columns using

2019-07-30 20:27发布

我有一些领域ORMLite数据库。 我想从其中id = = id,这将我从web服务获得表中选择标题。 我做这样的:

 try {
    Dao<ProcessStatus,Integer> dao = db.getStatusDao(); 
    Log.i("status",dao.queryForAll().toString());
    QueryBuilder<ProcessStatus,Integer> query = dao.queryBuilder();
    Where where = query.where();
    String a = null;
    for(Order r:LoginActivity.orders) {
        //LoginActivity.orders - array of my objects which I get from webservice
        Log.i("database",query.selectRaw("select title from process_status").
            where().rawComparison(ProcessStatus.STATUS_ID, "=",
                       r.getProcess_status().getProccessStatusId()).toString());
    }
    Log.i("sr",a);
} catch (SQLException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}

我想是这样,但我得到的只有我的组ID,而不是冠军。 我想是这样的:

Log.i("database", query.selectColumns(ProcessStatus.STATUS_TITLE).where().
    eq(ProcessStatus.STATUS_ID, r.getProcess_status().getProccessStatusId())
    .toString());

但我也有同样的结果。 我应该如何从数据库中获得数据?

Answer 1:

对于从表中选择一个特定的领域,你可以这样做:

String result = "";
try {
    GenericRawResults<String[]> rawResults = yourDAO.queryRaw("select " +
        ProcessStatus.STATUS_TITLE +" from YourTable where "+ 
        ProcessStatus.STATUS_ID + " = " + 
        r.getProcess_status().getProccessStatusId());
    List<String[]> results = rawResults.getResults();
    // This will select the first result (the first and maybe only row returned)
    String[] resultArray = results.get(0);
    //This will select the first field in the result which should be the ID
    result = resultArray[0];
} catch (Exception e) {
    e.printStackTrace();
}

希望这可以帮助。



Answer 2:

很难正确地回答这个问题,没有看到所有的类processStatusId领域等。 不过,我认为你正在做太多的原始方法,可能无法正确逃避你的价值观等。

我会建议您使用IN ,而不是你的循环是做什么的SQL语句。 就像是:

List<String> ids = new ArrayList<String>();
for(Order r : LoginActivity.orders) {
    ids.add(r.getProcess_status().getProccessStatusId());
}
QueryBuilder<ProcessStatus, Integer> qb = dao.queryBuilder();
Where where = qb.where();
where.in(ProcessStatus.STATUS_ID, ids);
qb.selectColumns(ProcessStatus.STATUS_TITLE);

现在,您已经构建了查询,要么你可以检索你的ProcessStatus对象,也可以让自己使用的标题dao.queryForRaw(...)

List<ProcessStatus> results = qb.query();
// or use the prepareStatementString method to get raw results
GenericRawResults<String[]> results = dao.queryRaw(qb.prepareStatementString());
// each raw result would have a String[] with 1 element for the title


文章来源: ORMLite select some columns using predicates