1 /****************************************************************************
3 ** Copyright (C) 2011 Nokia Corporation and/or its subsidiary(-ies).
4 ** All rights reserved.
5 ** Contact: Nokia Corporation (qt-info@nokia.com)
7 ** This file is part of the QtSql module of the Qt Toolkit.
9 ** $QT_BEGIN_LICENSE:LGPL$
10 ** GNU Lesser General Public License Usage
11 ** This file may be used under the terms of the GNU Lesser General Public
12 ** License version 2.1 as published by the Free Software Foundation and
13 ** appearing in the file LICENSE.LGPL included in the packaging of this
14 ** file. Please review the following information to ensure the GNU Lesser
15 ** General Public License version 2.1 requirements will be met:
16 ** http://www.gnu.org/licenses/old-licenses/lgpl-2.1.html.
18 ** In addition, as a special exception, Nokia gives you certain additional
19 ** rights. These rights are described in the Nokia Qt LGPL Exception
20 ** version 1.1, included in the file LGPL_EXCEPTION.txt in this package.
22 ** GNU General Public License Usage
23 ** Alternatively, this file may be used under the terms of the GNU General
24 ** Public License version 3.0 as published by the Free Software Foundation
25 ** and appearing in the file LICENSE.GPL included in the packaging of this
26 ** file. Please review the following information to ensure the GNU General
27 ** Public License version 3.0 requirements will be met:
28 ** http://www.gnu.org/copyleft/gpl.html.
31 ** Alternatively, this file may be used in accordance with the terms and
32 ** conditions contained in a signed written agreement between you and Nokia.
40 ****************************************************************************/
42 #include "qsqlquery.h"
44 //#define QT_DEBUG_SQL
47 #include "qsqlrecord.h"
48 #include "qsqlresult.h"
49 #include "qsqldriver.h"
50 #include "qsqldatabase.h"
51 #include "private/qsqlnulldriver_p.h"
57 class QSqlQueryPrivate
60 QSqlQueryPrivate(QSqlResult* result);
63 QSqlResult* sqlResult;
65 static QSqlQueryPrivate* shared_null();
68 Q_GLOBAL_STATIC_WITH_ARGS(QSqlQueryPrivate, nullQueryPrivate, (0))
69 Q_GLOBAL_STATIC(QSqlNullDriver, nullDriver)
70 Q_GLOBAL_STATIC_WITH_ARGS(QSqlNullResult, nullResult, (nullDriver()))
72 QSqlQueryPrivate* QSqlQueryPrivate::shared_null()
74 QSqlQueryPrivate *null = nullQueryPrivate();
82 QSqlQueryPrivate::QSqlQueryPrivate(QSqlResult* result)
83 : ref(1), sqlResult(result)
86 sqlResult = nullResult();
89 QSqlQueryPrivate::~QSqlQueryPrivate()
91 QSqlResult *nr = nullResult();
92 if (!nr || sqlResult == nr)
99 \brief The QSqlQuery class provides a means of executing and
100 manipulating SQL statements.
107 QSqlQuery encapsulates the functionality involved in creating,
108 navigating and retrieving data from SQL queries which are
109 executed on a \l QSqlDatabase. It can be used to execute DML
110 (data manipulation language) statements, such as \c SELECT, \c
111 INSERT, \c UPDATE and \c DELETE, as well as DDL (data definition
112 language) statements, such as \c{CREATE} \c{TABLE}. It can also
113 be used to execute database-specific commands which are not
114 standard SQL (e.g. \c{SET DATESTYLE=ISO} for PostgreSQL).
116 Successfully executed SQL statements set the query's state to
117 active so that isActive() returns true. Otherwise the query's
118 state is set to inactive. In either case, when executing a new SQL
119 statement, the query is positioned on an invalid record. An active
120 query must be navigated to a valid record (so that isValid()
121 returns true) before values can be retrieved.
123 For some databases, if an active query that is a \c{SELECT}
124 statement exists when you call \l{QSqlDatabase::}{commit()} or
125 \l{QSqlDatabase::}{rollback()}, the commit or rollback will
126 fail. See isActive() for details.
128 \target QSqlQuery examples
130 Navigating records is performed with the following functions:
140 These functions allow the programmer to move forward, backward
141 or arbitrarily through the records returned by the query. If you
142 only need to move forward through the results (e.g., by using
143 next()), you can use setForwardOnly(), which will save a
144 significant amount of memory overhead and improve performance on
145 some databases. Once an active query is positioned on a valid
146 record, data can be retrieved using value(). All data is
147 transferred from the SQL backend using QVariants.
151 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 7
153 To access the data returned by a query, use value(int). Each
154 field in the data returned by a \c SELECT statement is accessed
155 by passing the field's position in the statement, starting from
156 0. This makes using \c{SELECT *} queries inadvisable because the
157 order of the fields returned is indeterminate.
159 For the sake of efficiency, there are no functions to access a
160 field by name (unless you use prepared queries with names, as
161 explained below). To convert a field name into an index, use
162 record().\l{QSqlRecord::indexOf()}{indexOf()}, for example:
164 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 8
166 QSqlQuery supports prepared query execution and the binding of
167 parameter values to placeholders. Some databases don't support
168 these features, so for those, Qt emulates the required
169 functionality. For example, the Oracle and ODBC drivers have
170 proper prepared query support, and Qt makes use of it; but for
171 databases that don't have this support, Qt implements the feature
172 itself, e.g. by replacing placeholders with actual values when a
173 query is executed. Use numRowsAffected() to find out how many rows
174 were affected by a non-\c SELECT query, and size() to find how
175 many were retrieved by a \c SELECT.
177 Oracle databases identify placeholders by using a colon-name
178 syntax, e.g \c{:name}. ODBC simply uses \c ? characters. Qt
179 supports both syntaxes, with the restriction that you can't mix
180 them in the same query.
182 You can retrieve the values of all the fields in a single variable
183 (a map) using boundValues().
185 \section1 Approaches to Binding Values
187 Below we present the same example using each of the four
188 different binding approaches, as well as one example of binding
189 values to a stored procedure.
191 \bold{Named binding using named placeholders:}
193 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 9
195 \bold{Positional binding using named placeholders:}
197 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 10
199 \bold{Binding values using positional placeholders (version 1):}
201 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 11
203 \bold{Binding values using positional placeholders (version 2):}
205 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 12
207 \bold{Binding values to a stored procedure:}
209 This code calls a stored procedure called \c AsciiToInt(), passing
210 it a character through its in parameter, and taking its result in
213 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 13
215 Note that unbound parameters will retain their values.
217 Stored procedures that uses the return statement to return values,
218 or return multiple result sets, are not fully supported. For specific
219 details see \l{SQL Database Drivers}.
221 \warning You must load the SQL driver and open the connection before a
222 QSqlQuery is created. Also, the connection must remain open while the
223 query exists; otherwise, the behavior of QSqlQuery is undefined.
225 \sa QSqlDatabase, QSqlQueryModel, QSqlTableModel, QVariant
229 Constructs a QSqlQuery object which uses the QSqlResult \a result
230 to communicate with a database.
233 QSqlQuery::QSqlQuery(QSqlResult *result)
235 d = new QSqlQueryPrivate(result);
239 Destroys the object and frees any allocated resources.
242 QSqlQuery::~QSqlQuery()
249 Constructs a copy of \a other.
252 QSqlQuery::QSqlQuery(const QSqlQuery& other)
261 static void qInit(QSqlQuery *q, const QString& query, QSqlDatabase db)
263 QSqlDatabase database = db;
264 if (!database.isValid())
265 database = QSqlDatabase::database(QLatin1String(QSqlDatabase::defaultConnection), false);
266 if (database.isValid()) {
267 *q = QSqlQuery(database.driver()->createResult());
269 if (!query.isEmpty())
274 Constructs a QSqlQuery object using the SQL \a query and the
275 database \a db. If \a db is not specified, or is invalid, the application's
276 default database is used. If \a query is not an empty string, it
281 QSqlQuery::QSqlQuery(const QString& query, QSqlDatabase db)
283 d = QSqlQueryPrivate::shared_null();
284 qInit(this, query, db);
288 Constructs a QSqlQuery object using the database \a db.
289 If \a db is invalid, the application's default database will be used.
294 QSqlQuery::QSqlQuery(QSqlDatabase db)
296 d = QSqlQueryPrivate::shared_null();
297 qInit(this, QString(), db);
302 Assigns \a other to this object.
305 QSqlQuery& QSqlQuery::operator=(const QSqlQuery& other)
307 qAtomicAssign(d, other.d);
312 Returns true if the query is \l{isActive()}{active} and positioned
313 on a valid record and the \a field is NULL; otherwise returns
314 false. Note that for some drivers, isNull() will not return accurate
315 information until after an attempt is made to retrieve data.
317 \sa isActive(), isValid(), value()
320 bool QSqlQuery::isNull(int field) const
322 if (d->sqlResult->isActive() && d->sqlResult->isValid())
323 return d->sqlResult->isNull(field);
329 Executes the SQL in \a query. Returns true and sets the query state
330 to \l{isActive()}{active} if the query was successful; otherwise
331 returns false. The \a query string must use syntax appropriate for
332 the SQL database being queried (for example, standard SQL).
334 After the query is executed, the query is positioned on an \e
335 invalid record and must be navigated to a valid record before data
336 values can be retrieved (for example, using next()).
338 Note that the last error for this query is reset when exec() is
341 For SQLite, the query string can contain only one statement at a time.
342 If more than one statements is give, the function returns false.
346 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 34
348 \sa isActive(), isValid(), next(), previous(), first(), last(),
352 bool QSqlQuery::exec(const QString& query)
355 bool fo = isForwardOnly();
356 *this = QSqlQuery(driver()->createResult());
357 d->sqlResult->setNumericalPrecisionPolicy(d->sqlResult->numericalPrecisionPolicy());
360 d->sqlResult->clear();
361 d->sqlResult->setActive(false);
362 d->sqlResult->setLastError(QSqlError());
363 d->sqlResult->setAt(QSql::BeforeFirstRow);
364 d->sqlResult->setNumericalPrecisionPolicy(d->sqlResult->numericalPrecisionPolicy());
366 d->sqlResult->setQuery(query.trimmed());
367 if (!driver()->isOpen() || driver()->isOpenError()) {
368 qWarning("QSqlQuery::exec: database not open");
371 if (query.isEmpty()) {
372 qWarning("QSqlQuery::exec: empty query");
376 qDebug("\n QSqlQuery: %s", query.toLocal8Bit().constData());
378 return d->sqlResult->reset(query);
382 Returns the value of field \a index in the current record.
384 The fields are numbered from left to right using the text of the
385 \c SELECT statement, e.g. in
387 \snippet doc/src/snippets/code/src_sql_kernel_qsqlquery.cpp 0
389 field 0 is \c forename and field 1 is \c
390 surname. Using \c{SELECT *} is not recommended because the order
391 of the fields in the query is undefined.
393 An invalid QVariant is returned if field \a index does not
394 exist, if the query is inactive, or if the query is positioned on
397 \sa previous() next() first() last() seek() isActive() isValid()
400 QVariant QSqlQuery::value(int index) const
402 if (isActive() && isValid() && (index > QSql::BeforeFirstRow))
403 return d->sqlResult->data(index);
404 qWarning("QSqlQuery::value: not positioned on a valid record");
409 Returns the current internal position of the query. The first
410 record is at position zero. If the position is invalid, the
411 function returns QSql::BeforeFirstRow or
412 QSql::AfterLastRow, which are special negative values.
414 \sa previous() next() first() last() seek() isActive() isValid()
417 int QSqlQuery::at() const
419 return d->sqlResult->at();
423 Returns the text of the current query being used, or an empty
424 string if there is no current query text.
429 QString QSqlQuery::lastQuery() const
431 return d->sqlResult->lastQuery();
435 Returns the database driver associated with the query.
438 const QSqlDriver *QSqlQuery::driver() const
440 return d->sqlResult->driver();
444 Returns the result associated with the query.
447 const QSqlResult* QSqlQuery::result() const
453 Retrieves the record at position \a index, if available, and
454 positions the query on the retrieved record. The first record is at
455 position 0. Note that the query must be in an \l{isActive()}
456 {active} state and isSelect() must return true before calling this
459 If \a relative is false (the default), the following rules apply:
463 \o If \a index is negative, the result is positioned before the
464 first record and false is returned.
466 \o Otherwise, an attempt is made to move to the record at position
467 \a index. If the record at position \a index could not be retrieved,
468 the result is positioned after the last record and false is
469 returned. If the record is successfully retrieved, true is returned.
473 If \a relative is true, the following rules apply:
477 \o If the result is currently positioned before the first record or
478 on the first record, and \a index is negative, there is no change,
479 and false is returned.
481 \o If the result is currently located after the last record, and \a
482 index is positive, there is no change, and false is returned.
484 \o If the result is currently located somewhere in the middle, and
485 the relative offset \a index moves the result below zero, the result
486 is positioned before the first record and false is returned.
488 \o Otherwise, an attempt is made to move to the record \a index
489 records ahead of the current record (or \a index records behind the
490 current record if \a index is negative). If the record at offset \a
491 index could not be retrieved, the result is positioned after the
492 last record if \a index >= 0, (or before the first record if \a
493 index is negative), and false is returned. If the record is
494 successfully retrieved, true is returned.
498 \sa next() previous() first() last() at() isActive() isValid()
500 bool QSqlQuery::seek(int index, bool relative)
502 if (!isSelect() || !isActive())
505 if (!relative) { // arbitrary seek
507 d->sqlResult->setAt(QSql::BeforeFirstRow);
512 switch (at()) { // relative seek
513 case QSql::BeforeFirstRow:
520 case QSql::AfterLastRow:
522 d->sqlResult->fetchLast();
523 actualIdx = at() + index;
529 if ((at() + index) < 0) {
530 d->sqlResult->setAt(QSql::BeforeFirstRow);
533 actualIdx = at() + index;
537 // let drivers optimize
538 if (isForwardOnly() && actualIdx < at()) {
539 qWarning("QSqlQuery::seek: cannot seek backwards in a forward only query");
542 if (actualIdx == (at() + 1) && at() != QSql::BeforeFirstRow) {
543 if (!d->sqlResult->fetchNext()) {
544 d->sqlResult->setAt(QSql::AfterLastRow);
549 if (actualIdx == (at() - 1)) {
550 if (!d->sqlResult->fetchPrevious()) {
551 d->sqlResult->setAt(QSql::BeforeFirstRow);
556 if (!d->sqlResult->fetch(actualIdx)) {
557 d->sqlResult->setAt(QSql::AfterLastRow);
565 Retrieves the next record in the result, if available, and positions
566 the query on the retrieved record. Note that the result must be in
567 the \l{isActive()}{active} state and isSelect() must return true
568 before calling this function or it will do nothing and return false.
570 The following rules apply:
574 \o If the result is currently located before the first record,
575 e.g. immediately after a query is executed, an attempt is made to
576 retrieve the first record.
578 \o If the result is currently located after the last record, there
579 is no change and false is returned.
581 \o If the result is located somewhere in the middle, an attempt is
582 made to retrieve the next record.
586 If the record could not be retrieved, the result is positioned after
587 the last record and false is returned. If the record is successfully
588 retrieved, true is returned.
590 \sa previous() first() last() seek() at() isActive() isValid()
592 bool QSqlQuery::next()
594 if (!isSelect() || !isActive())
598 case QSql::BeforeFirstRow:
599 b = d->sqlResult->fetchFirst();
601 case QSql::AfterLastRow:
604 if (!d->sqlResult->fetchNext()) {
605 d->sqlResult->setAt(QSql::AfterLastRow);
614 Retrieves the previous record in the result, if available, and
615 positions the query on the retrieved record. Note that the result
616 must be in the \l{isActive()}{active} state and isSelect() must
617 return true before calling this function or it will do nothing and
620 The following rules apply:
624 \o If the result is currently located before the first record, there
625 is no change and false is returned.
627 \o If the result is currently located after the last record, an
628 attempt is made to retrieve the last record.
630 \o If the result is somewhere in the middle, an attempt is made to
631 retrieve the previous record.
635 If the record could not be retrieved, the result is positioned
636 before the first record and false is returned. If the record is
637 successfully retrieved, true is returned.
639 \sa next() first() last() seek() at() isActive() isValid()
641 bool QSqlQuery::previous()
643 if (!isSelect() || !isActive())
645 if (isForwardOnly()) {
646 qWarning("QSqlQuery::seek: cannot seek backwards in a forward only query");
652 case QSql::BeforeFirstRow:
654 case QSql::AfterLastRow:
655 b = d->sqlResult->fetchLast();
658 if (!d->sqlResult->fetchPrevious()) {
659 d->sqlResult->setAt(QSql::BeforeFirstRow);
667 Retrieves the first record in the result, if available, and
668 positions the query on the retrieved record. Note that the result
669 must be in the \l{isActive()}{active} state and isSelect() must
670 return true before calling this function or it will do nothing and
671 return false. Returns true if successful. If unsuccessful the query
672 position is set to an invalid position and false is returned.
674 \sa next() previous() last() seek() at() isActive() isValid()
676 bool QSqlQuery::first()
678 if (!isSelect() || !isActive())
680 if (isForwardOnly() && at() > QSql::BeforeFirstRow) {
681 qWarning("QSqlQuery::seek: cannot seek backwards in a forward only query");
685 b = d->sqlResult->fetchFirst();
691 Retrieves the last record in the result, if available, and positions
692 the query on the retrieved record. Note that the result must be in
693 the \l{isActive()}{active} state and isSelect() must return true
694 before calling this function or it will do nothing and return false.
695 Returns true if successful. If unsuccessful the query position is
696 set to an invalid position and false is returned.
698 \sa next() previous() first() seek() at() isActive() isValid()
701 bool QSqlQuery::last()
703 if (!isSelect() || !isActive())
706 b = d->sqlResult->fetchLast();
711 Returns the size of the result (number of rows returned), or -1 if
712 the size cannot be determined or if the database does not support
713 reporting information about query sizes. Note that for non-\c SELECT
714 statements (isSelect() returns false), size() will return -1. If the
715 query is not active (isActive() returns false), -1 is returned.
717 To determine the number of rows affected by a non-\c SELECT
718 statement, use numRowsAffected().
720 \sa isActive() numRowsAffected() QSqlDriver::hasFeature()
722 int QSqlQuery::size() const
724 if (isActive() && d->sqlResult->driver()->hasFeature(QSqlDriver::QuerySize))
725 return d->sqlResult->size();
730 Returns the number of rows affected by the result's SQL statement,
731 or -1 if it cannot be determined. Note that for \c SELECT
732 statements, the value is undefined; use size() instead. If the query
733 is not \l{isActive()}{active}, -1 is returned.
735 \sa size() QSqlDriver::hasFeature()
738 int QSqlQuery::numRowsAffected() const
741 return d->sqlResult->numRowsAffected();
746 Returns error information about the last error (if any) that
747 occurred with this query.
749 \sa QSqlError, QSqlDatabase::lastError()
752 QSqlError QSqlQuery::lastError() const
754 return d->sqlResult->lastError();
758 Returns true if the query is currently positioned on a valid
759 record; otherwise returns false.
762 bool QSqlQuery::isValid() const
764 return d->sqlResult->isValid();
769 Returns true if the query is \e{active}. An active QSqlQuery is one
770 that has been \l{QSqlQuery::exec()} {exec()'d} successfully but not
771 yet finished with. When you are finished with an active query, you
772 can make make the query inactive by calling finish() or clear(), or
773 you can delete the QSqlQuery instance.
775 \note Of particular interest is an active query that is a \c{SELECT}
776 statement. For some databases that support transactions, an active
777 query that is a \c{SELECT} statement can cause a \l{QSqlDatabase::}
778 {commit()} or a \l{QSqlDatabase::} {rollback()} to fail, so before
779 committing or rolling back, you should make your active \c{SELECT}
780 statement query inactive using one of the ways listed above.
784 bool QSqlQuery::isActive() const
786 return d->sqlResult->isActive();
790 Returns true if the current query is a \c SELECT statement;
791 otherwise returns false.
794 bool QSqlQuery::isSelect() const
796 return d->sqlResult->isSelect();
800 Returns true if you can only scroll forward through a result set;
801 otherwise returns false.
803 \sa setForwardOnly(), next()
805 bool QSqlQuery::isForwardOnly() const
807 return d->sqlResult->isForwardOnly();
811 Sets forward only mode to \a forward. If \a forward is true, only
812 next() and seek() with positive values, are allowed for navigating
815 Forward only mode can be (depending on the driver) more memory
816 efficient since results do not need to be cached. It will also
817 improve performance on some databases. For this to be true, you must
818 call \c setForwardOnly() before the query is prepared or executed.
819 Note that the constructor that takes a query and a database may
822 Forward only mode is off by default.
824 Setting forward only to false is a suggestion to the database engine,
825 which has the final say on whether a result set is forward only or
826 scrollable. isForwardOnly() will always return the correct status of
829 \note Calling setForwardOnly after execution of the query will result
830 in unexpected results at best, and crashes at worst.
832 \sa isForwardOnly(), next(), seek(), QSqlResult::setForwardOnly()
834 void QSqlQuery::setForwardOnly(bool forward)
836 d->sqlResult->setForwardOnly(forward);
840 Returns a QSqlRecord containing the field information for the
841 current query. If the query points to a valid row (isValid() returns
842 true), the record is populated with the row's values. An empty
843 record is returned when there is no active query (isActive() returns
846 To retrieve values from a query, value() should be used since
847 its index-based lookup is faster.
849 In the following example, a \c{SELECT * FROM} query is executed.
850 Since the order of the columns is not defined, QSqlRecord::indexOf()
851 is used to obtain the index of a column.
853 \snippet doc/src/snippets/code/src_sql_kernel_qsqlquery.cpp 1
857 QSqlRecord QSqlQuery::record() const
859 QSqlRecord rec = d->sqlResult->record();
862 for (int i = 0; i < rec.count(); ++i)
863 rec.setValue(i, value(i));
869 Clears the result set and releases any resources held by the
870 query. Sets the query state to inactive. You should rarely if ever
871 need to call this function.
873 void QSqlQuery::clear()
875 *this = QSqlQuery(driver()->createResult());
879 Prepares the SQL query \a query for execution. Returns true if the
880 query is prepared successfully; otherwise returns false.
882 The query may contain placeholders for binding values. Both Oracle
883 style colon-name (e.g., \c{:surname}), and ODBC style (\c{?})
884 placeholders are supported; but they cannot be mixed in the same
885 query. See the \l{QSqlQuery examples}{Detailed Description} for
888 Portability note: Some databases choose to delay preparing a query
889 until it is executed the first time. In this case, preparing a
890 syntactically wrong query succeeds, but every consecutive exec()
893 For SQLite, the query string can contain only one statement at a time.
894 If more than one statements are give, the function returns false.
898 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 9
900 \sa exec(), bindValue(), addBindValue()
902 bool QSqlQuery::prepare(const QString& query)
905 bool fo = isForwardOnly();
906 *this = QSqlQuery(driver()->createResult());
908 d->sqlResult->setNumericalPrecisionPolicy(d->sqlResult->numericalPrecisionPolicy());
910 d->sqlResult->setActive(false);
911 d->sqlResult->setLastError(QSqlError());
912 d->sqlResult->setAt(QSql::BeforeFirstRow);
913 d->sqlResult->setNumericalPrecisionPolicy(d->sqlResult->numericalPrecisionPolicy());
916 qWarning("QSqlQuery::prepare: no driver");
919 if (!driver()->isOpen() || driver()->isOpenError()) {
920 qWarning("QSqlQuery::prepare: database not open");
923 if (query.isEmpty()) {
924 qWarning("QSqlQuery::prepare: empty query");
928 qDebug("\n QSqlQuery::prepare: %s", query.toLocal8Bit().constData());
930 return d->sqlResult->savePrepare(query);
934 Executes a previously prepared SQL query. Returns true if the query
935 executed successfully; otherwise returns false.
937 Note that the last error for this query is reset when exec() is
940 \sa prepare() bindValue() addBindValue() boundValue() boundValues()
942 bool QSqlQuery::exec()
944 d->sqlResult->resetBindCount();
946 if (d->sqlResult->lastError().isValid())
947 d->sqlResult->setLastError(QSqlError());
949 return d->sqlResult->exec();
952 /*! \enum QSqlQuery::BatchExecutionMode
954 \value ValuesAsRows - Updates multiple rows. Treats every entry in a QVariantList as a value for updating the next row.
955 \value ValuesAsColumns - Updates a single row. Treats every entry in a QVariantList as a single value of an array type.
961 Executes a previously prepared SQL query in a batch. All the bound
962 parameters have to be lists of variants. If the database doesn't
963 support batch executions, the driver will simulate it using
964 conventional exec() calls.
966 Returns true if the query is executed successfully; otherwise
971 \snippet doc/src/snippets/code/src_sql_kernel_qsqlquery.cpp 2
973 The example above inserts four new rows into \c myTable:
975 \snippet doc/src/snippets/code/src_sql_kernel_qsqlquery.cpp 3
977 To bind NULL values, a null QVariant of the relevant type has to be
978 added to the bound QVariantList; for example, \c
979 {QVariant(QVariant::String)} should be used if you are using
982 \note Every bound QVariantList must contain the same amount of
985 \note The type of the QVariants in a list must not change. For
986 example, you cannot mix integer and string variants within a
989 The \a mode parameter indicates how the bound QVariantList will be
990 interpreted. If \a mode is \c ValuesAsRows, every variant within
991 the QVariantList will be interpreted as a value for a new row. \c
992 ValuesAsColumns is a special case for the Oracle driver. In this
993 mode, every entry within a QVariantList will be interpreted as
994 array-value for an IN or OUT value within a stored procedure. Note
995 that this will only work if the IN or OUT value is a table-type
996 consisting of only one column of a basic type, for example \c{TYPE
997 myType IS TABLE OF VARCHAR(64) INDEX BY BINARY_INTEGER;}
999 \sa prepare(), bindValue(), addBindValue()
1001 bool QSqlQuery::execBatch(BatchExecutionMode mode)
1003 return d->sqlResult->execBatch(mode == ValuesAsColumns);
1007 Set the placeholder \a placeholder to be bound to value \a val in
1008 the prepared statement. Note that the placeholder mark (e.g \c{:})
1009 must be included when specifying the placeholder name. If \a
1010 paramType is QSql::Out or QSql::InOut, the placeholder will be
1011 overwritten with data from the database after the exec() call.
1012 In this case, sufficient space must be pre-allocated to store
1015 To bind a NULL value, use a null QVariant; for example, use
1016 \c {QVariant(QVariant::String)} if you are binding a string.
1018 Values cannot be bound to multiple locations in the query, eg:
1020 INSERT INTO testtable (id, name, samename) VALUES (:id, :name, :name)
1022 Binding to name will bind to the first :name, but not the second.
1024 \sa addBindValue(), prepare(), exec(), boundValue() boundValues()
1026 void QSqlQuery::bindValue(const QString& placeholder, const QVariant& val,
1027 QSql::ParamType paramType
1030 d->sqlResult->bindValue(placeholder, val, paramType);
1034 Set the placeholder in position \a pos to be bound to value \a val
1035 in the prepared statement. Field numbering starts at 0. If \a
1036 paramType is QSql::Out or QSql::InOut, the placeholder will be
1037 overwritten with data from the database after the exec() call.
1039 void QSqlQuery::bindValue(int pos, const QVariant& val, QSql::ParamType paramType)
1041 d->sqlResult->bindValue(pos, val, paramType);
1045 Adds the value \a val to the list of values when using positional
1046 value binding. The order of the addBindValue() calls determines
1047 which placeholder a value will be bound to in the prepared query.
1048 If \a paramType is QSql::Out or QSql::InOut, the placeholder will be
1049 overwritten with data from the database after the exec() call.
1051 To bind a NULL value, use a null QVariant; for example, use \c
1052 {QVariant(QVariant::String)} if you are binding a string.
1054 \sa bindValue(), prepare(), exec(), boundValue() boundValues()
1056 void QSqlQuery::addBindValue(const QVariant& val, QSql::ParamType paramType)
1058 d->sqlResult->addBindValue(val, paramType);
1062 Returns the value for the \a placeholder.
1064 \sa boundValues() bindValue() addBindValue()
1066 QVariant QSqlQuery::boundValue(const QString& placeholder) const
1068 return d->sqlResult->boundValue(placeholder);
1072 Returns the value for the placeholder at position \a pos.
1074 QVariant QSqlQuery::boundValue(int pos) const
1076 return d->sqlResult->boundValue(pos);
1080 Returns a map of the bound values.
1082 With named binding, the bound values can be examined in the
1085 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 14
1087 With positional binding, the code becomes:
1089 \snippet doc/src/snippets/sqldatabase/sqldatabase.cpp 15
1091 \sa boundValue() bindValue() addBindValue()
1093 QMap<QString,QVariant> QSqlQuery::boundValues() const
1095 QMap<QString,QVariant> map;
1097 const QVector<QVariant> values(d->sqlResult->boundValues());
1098 for (int i = 0; i < values.count(); ++i)
1099 map[d->sqlResult->boundValueName(i)] = values.at(i);
1104 Returns the last query that was successfully executed.
1106 In most cases this function returns the same string as lastQuery().
1107 If a prepared query with placeholders is executed on a DBMS that
1108 does not support it, the preparation of this query is emulated. The
1109 placeholders in the original query are replaced with their bound
1110 values to form a new query. This function returns the modified
1111 query. It is mostly useful for debugging purposes.
1115 QString QSqlQuery::executedQuery() const
1117 return d->sqlResult->executedQuery();
1121 \fn bool QSqlQuery::prev()
1123 Use previous() instead.
1127 Returns the object ID of the most recent inserted row if the
1128 database supports it. An invalid QVariant will be returned if the
1129 query did not insert any value or if the database does not report
1130 the id back. If more than one row was touched by the insert, the
1131 behavior is undefined.
1133 For MySQL databases the row's auto-increment field will be returned.
1135 \note For this function to work in PSQL, the table table must
1136 contain OIDs, which may not have been created by default. Check the
1137 \c default_with_oids configuration variable to be sure.
1139 \sa QSqlDriver::hasFeature()
1141 QVariant QSqlQuery::lastInsertId() const
1143 return d->sqlResult->lastInsertId();
1148 Instruct the database driver to return numerical values with a
1149 precision specified by \a precisionPolicy.
1151 The Oracle driver, for example, can retrieve numerical values as
1152 strings to prevent the loss of precision. If high precision doesn't
1153 matter, use this method to increase execution speed by bypassing
1156 Note: Drivers that don't support fetching numerical values with low
1157 precision will ignore the precision policy. You can use
1158 QSqlDriver::hasFeature() to find out whether a driver supports this
1161 Note: Setting the precision policy doesn't affect the currently
1162 active query. Call \l{exec()}{exec(QString)} or prepare() in order
1163 to activate the policy.
1165 \sa QSql::NumericalPrecisionPolicy, numericalPrecisionPolicy()
1167 void QSqlQuery::setNumericalPrecisionPolicy(QSql::NumericalPrecisionPolicy precisionPolicy)
1169 d->sqlResult->setNumericalPrecisionPolicy(precisionPolicy);
1173 Returns the current precision policy.
1175 \sa QSql::NumericalPrecisionPolicy, setNumericalPrecisionPolicy()
1177 QSql::NumericalPrecisionPolicy QSqlQuery::numericalPrecisionPolicy() const
1179 return d->sqlResult->numericalPrecisionPolicy();
1185 Instruct the database driver that no more data will be fetched from
1186 this query until it is re-executed. There is normally no need to
1187 call this function, but it may be helpful in order to free resources
1188 such as locks or cursors if you intend to re-use the query at a
1191 Sets the query to inactive. Bound values retain their values.
1193 \sa prepare() exec() isActive()
1195 void QSqlQuery::finish()
1198 d->sqlResult->setLastError(QSqlError());
1199 d->sqlResult->setAt(QSql::BeforeFirstRow);
1200 d->sqlResult->detachFromResultSet();
1201 d->sqlResult->setActive(false);
1208 Discards the current result set and navigates to the next if available.
1210 Some databases are capable of returning multiple result sets for
1211 stored procedures or SQL batches (a query strings that contains
1212 multiple statements). If multiple result sets are available after
1213 executing a query this function can be used to navigate to the next
1216 If a new result set is available this function will return true.
1217 The query will be repositioned on an \e invalid record in the new
1218 result set and must be navigated to a valid record before data
1219 values can be retrieved. If a new result set isn't available the
1220 function returns false and the query is set to inactive. In any
1221 case the old result set will be discarded.
1223 When one of the statements is a non-select statement a count of
1224 affected rows may be available instead of a result set.
1226 Note that some databases, i.e. Microsoft SQL Server, requires
1227 non-scrollable cursors when working with multiple result sets. Some
1228 databases may execute all statements at once while others may delay
1229 the execution until the result set is actually accessed, and some
1230 databases may have restrictions on which statements are allowed to
1231 be used in a SQL batch.
1233 \sa QSqlDriver::hasFeature() setForwardOnly() next() isSelect() numRowsAffected() isActive() lastError()
1235 bool QSqlQuery::nextResult()
1238 return d->sqlResult->nextResult();