xref: /sqlite-3.40.0/ext/misc/remember.c (revision ae3ec3f9)
1 /*
2 ** 2016-08-09
3 **
4 ** The author disclaims copyright to this source code.  In place of
5 ** a legal notice, here is a blessing:
6 **
7 **    May you do good and not evil.
8 **    May you find forgiveness for yourself and forgive others.
9 **    May you share freely, never taking more than you give.
10 **
11 *************************************************************************
12 **
13 ** This file demonstrates how to create an SQL function that is a pass-through
14 ** for integer values (it returns a copy of its argument) but also saves the
15 ** value that is passed through into a C-language variable.  The address of
16 ** the C-language variable is supplied as the second argument.
17 **
18 ** This allows, for example, a counter to incremented and the original
19 ** value retrieved, atomically, using a single statement:
20 **
21 **    UPDATE counterTab SET cnt=remember(cnt,$PTR)+1 WHERE id=$ID
22 **
23 ** Prepare the above statement once.  Then to use it, bind the address
24 ** of the output variable to $PTR using sqlite3_bind_pointer() with a
25 ** pointer type of "carray" and bind the id of the counter to $ID and
26 ** run the prepared statement.
27 **
28 ** One can imagine doing similar things with floating-point values and
29 ** strings, but this demonstration extension will stick to using just
30 ** integers.
31 */
32 #include "sqlite3ext.h"
33 SQLITE_EXTENSION_INIT1
34 #include <assert.h>
35 
36 /*
37 **      remember(V,PTR)
38 **
39 ** Return the integer value V.  Also save the value of V in a
40 ** C-language variable whose address is PTR.
41 */
42 static void rememberFunc(
43   sqlite3_context *pCtx,
44   int argc,
45   sqlite3_value **argv
46 ){
47   sqlite3_int64 v;
48   sqlite3_int64 *ptr;
49   assert( argc==2 );
50   v = sqlite3_value_int64(argv[0]);
51   ptr = sqlite3_value_pointer(argv[1], "carray");
52   if( ptr ) *ptr = v;
53   sqlite3_result_int64(pCtx, v);
54 }
55 
56 #ifdef _WIN32
57 __declspec(dllexport)
58 #endif
59 int sqlite3_remember_init(
60   sqlite3 *db,
61   char **pzErrMsg,
62   const sqlite3_api_routines *pApi
63 ){
64   int rc = SQLITE_OK;
65   SQLITE_EXTENSION_INIT2(pApi);
66   rc = sqlite3_create_function(db, "remember", 2, SQLITE_UTF8, 0,
67                                rememberFunc, 0, 0);
68   return rc;
69 }
70