How to get the number of rows of the selected result from sqlite3?

前端 未结 8 473
情话喂你
情话喂你 2020-12-01 12:00

I want to get the number of selected rows as well as the selected data. At the present I have to use two sql statements:

one is

select * from XXX w         


        
相关标签:
8条回答
  • 2020-12-01 12:22

    For those who are still looking for another method, the more elegant one I found to get the total of row was to use a CTE. this ensure that the count is only calculated once :

    WITH cnt(total) as (SELECT COUNT(*) from xxx) select * from xxx,cnt
    

    the only drawback is if a WHERE clause is needed, it should be applied in both main query and CTE query.

    In the first comment, Alttag said that there is no issue to run 2 queries. I don't agree with that unless both are part of a unique transaction. If not, the source table can be altered between the 2 queries by any INSERT or DELETE from another thread/process. In such case, the count value might be wrong.

    0 讨论(0)
  • 2020-12-01 12:23

    If you use sqlite3_get_table instead of prepare/step/finalize you will get all the results at once in an array ("result table"), including the numbers and names of columns, and the number of rows. Then you should free the result with sqlite3_free_table

    0 讨论(0)
  • You could combine them into a single statement:

    select count(*), * from XXX where XXX
    

    or

    select count(*) as MYCOUNT, * from XXX where XXX
    
    0 讨论(0)
  • 2020-12-01 12:33

    To get the number of unique titles, you need to pass the DISTINCT clause to the COUNT function as the following statement:

    SELECT
     COUNT(DISTINCT column_name)
    FROM
     'table_name';
    

    Source: http://www.sqlitetutorial.net/sqlite-count-function/

    0 讨论(0)
  • 2020-12-01 12:37

    SQL can't mix single-row (counting) and multi-row results (selecting data from your tables). This is a common problem with returning huge amounts of data. Here are some tips how to handle this:

    • Read the first N rows and tell the user "more than N rows available". Not very precise but often good enough. If you keep the cursor open, you can fetch more data when the user hits the bottom of the view (Google Reader does this)

    • Instead of selecting the data directly, first copy it into a temporary table. The INSERT statement will return the number of rows copied. Later, you can use the data in the temporary table to display the data. You can add a "row number" to this temporary table to make paging more simple.

    • Fetch the data in a background thread. This allows the user to use your application while the data grid or table fills with more data.

    0 讨论(0)
  • 2020-12-01 12:41

    Once you already have the select * from XXX results, you can just find the array length in your program right?

    0 讨论(0)
提交回复
热议问题