os/persistentdata/persistentstorage/sqlite3api/SQLite/fts2.c
changeset 0 bde4ae8d615e
     1.1 --- /dev/null	Thu Jan 01 00:00:00 1970 +0000
     1.2 +++ b/os/persistentdata/persistentstorage/sqlite3api/SQLite/fts2.c	Fri Jun 15 03:10:57 2012 +0200
     1.3 @@ -0,0 +1,6859 @@
     1.4 +/* fts2 has a design flaw which can lead to database corruption (see
     1.5 +** below).  It is recommended not to use it any longer, instead use
     1.6 +** fts3 (or higher).  If you believe that your use of fts2 is safe,
     1.7 +** add -DSQLITE_ENABLE_BROKEN_FTS2=1 to your CFLAGS.
     1.8 +*/
     1.9 +#if (!defined(SQLITE_CORE) || defined(SQLITE_ENABLE_FTS2)) \
    1.10 +        && !defined(SQLITE_ENABLE_BROKEN_FTS2)
    1.11 +#error fts2 has a design flaw and has been deprecated.
    1.12 +#endif
    1.13 +/* The flaw is that fts2 uses the content table's unaliased rowid as
    1.14 +** the unique docid.  fts2 embeds the rowid in the index it builds,
    1.15 +** and expects the rowid to not change.  The SQLite VACUUM operation
    1.16 +** will renumber such rowids, thereby breaking fts2.  If you are using
    1.17 +** fts2 in a system which has disabled VACUUM, then you can continue
    1.18 +** to use it safely.  Note that PRAGMA auto_vacuum does NOT disable
    1.19 +** VACUUM, though systems using auto_vacuum are unlikely to invoke
    1.20 +** VACUUM.
    1.21 +**
    1.22 +** Unlike fts1, which is safe across VACUUM if you never delete
    1.23 +** documents, fts2 has a second exposure to this flaw, in the segments
    1.24 +** table.  So fts2 should be considered unsafe across VACUUM in all
    1.25 +** cases.
    1.26 +*/
    1.27 +
    1.28 +/*
    1.29 +** 2006 Oct 10
    1.30 +**
    1.31 +** The author disclaims copyright to this source code.  In place of
    1.32 +** a legal notice, here is a blessing:
    1.33 +**
    1.34 +**    May you do good and not evil.
    1.35 +**    May you find forgiveness for yourself and forgive others.
    1.36 +**    May you share freely, never taking more than you give.
    1.37 +**
    1.38 +******************************************************************************
    1.39 +**
    1.40 +** This is an SQLite module implementing full-text search.
    1.41 +*/
    1.42 +
    1.43 +/*
    1.44 +** The code in this file is only compiled if:
    1.45 +**
    1.46 +**     * The FTS2 module is being built as an extension
    1.47 +**       (in which case SQLITE_CORE is not defined), or
    1.48 +**
    1.49 +**     * The FTS2 module is being built into the core of
    1.50 +**       SQLite (in which case SQLITE_ENABLE_FTS2 is defined).
    1.51 +*/
    1.52 +
    1.53 +/* TODO(shess) Consider exporting this comment to an HTML file or the
    1.54 +** wiki.
    1.55 +*/
    1.56 +/* The full-text index is stored in a series of b+tree (-like)
    1.57 +** structures called segments which map terms to doclists.  The
    1.58 +** structures are like b+trees in layout, but are constructed from the
    1.59 +** bottom up in optimal fashion and are not updatable.  Since trees
    1.60 +** are built from the bottom up, things will be described from the
    1.61 +** bottom up.
    1.62 +**
    1.63 +**
    1.64 +**** Varints ****
    1.65 +** The basic unit of encoding is a variable-length integer called a
    1.66 +** varint.  We encode variable-length integers in little-endian order
    1.67 +** using seven bits * per byte as follows:
    1.68 +**
    1.69 +** KEY:
    1.70 +**         A = 0xxxxxxx    7 bits of data and one flag bit
    1.71 +**         B = 1xxxxxxx    7 bits of data and one flag bit
    1.72 +**
    1.73 +**  7 bits - A
    1.74 +** 14 bits - BA
    1.75 +** 21 bits - BBA
    1.76 +** and so on.
    1.77 +**
    1.78 +** This is identical to how sqlite encodes varints (see util.c).
    1.79 +**
    1.80 +**
    1.81 +**** Document lists ****
    1.82 +** A doclist (document list) holds a docid-sorted list of hits for a
    1.83 +** given term.  Doclists hold docids, and can optionally associate
    1.84 +** token positions and offsets with docids.
    1.85 +**
    1.86 +** A DL_POSITIONS_OFFSETS doclist is stored like this:
    1.87 +**
    1.88 +** array {
    1.89 +**   varint docid;
    1.90 +**   array {                (position list for column 0)
    1.91 +**     varint position;     (delta from previous position plus POS_BASE)
    1.92 +**     varint startOffset;  (delta from previous startOffset)
    1.93 +**     varint endOffset;    (delta from startOffset)
    1.94 +**   }
    1.95 +**   array {
    1.96 +**     varint POS_COLUMN;   (marks start of position list for new column)
    1.97 +**     varint column;       (index of new column)
    1.98 +**     array {
    1.99 +**       varint position;   (delta from previous position plus POS_BASE)
   1.100 +**       varint startOffset;(delta from previous startOffset)
   1.101 +**       varint endOffset;  (delta from startOffset)
   1.102 +**     }
   1.103 +**   }
   1.104 +**   varint POS_END;        (marks end of positions for this document.
   1.105 +** }
   1.106 +**
   1.107 +** Here, array { X } means zero or more occurrences of X, adjacent in
   1.108 +** memory.  A "position" is an index of a token in the token stream
   1.109 +** generated by the tokenizer, while an "offset" is a byte offset,
   1.110 +** both based at 0.  Note that POS_END and POS_COLUMN occur in the
   1.111 +** same logical place as the position element, and act as sentinals
   1.112 +** ending a position list array.
   1.113 +**
   1.114 +** A DL_POSITIONS doclist omits the startOffset and endOffset
   1.115 +** information.  A DL_DOCIDS doclist omits both the position and
   1.116 +** offset information, becoming an array of varint-encoded docids.
   1.117 +**
   1.118 +** On-disk data is stored as type DL_DEFAULT, so we don't serialize
   1.119 +** the type.  Due to how deletion is implemented in the segmentation
   1.120 +** system, on-disk doclists MUST store at least positions.
   1.121 +**
   1.122 +**
   1.123 +**** Segment leaf nodes ****
   1.124 +** Segment leaf nodes store terms and doclists, ordered by term.  Leaf
   1.125 +** nodes are written using LeafWriter, and read using LeafReader (to
   1.126 +** iterate through a single leaf node's data) and LeavesReader (to
   1.127 +** iterate through a segment's entire leaf layer).  Leaf nodes have
   1.128 +** the format:
   1.129 +**
   1.130 +** varint iHeight;             (height from leaf level, always 0)
   1.131 +** varint nTerm;               (length of first term)
   1.132 +** char pTerm[nTerm];          (content of first term)
   1.133 +** varint nDoclist;            (length of term's associated doclist)
   1.134 +** char pDoclist[nDoclist];    (content of doclist)
   1.135 +** array {
   1.136 +**                             (further terms are delta-encoded)
   1.137 +**   varint nPrefix;           (length of prefix shared with previous term)
   1.138 +**   varint nSuffix;           (length of unshared suffix)
   1.139 +**   char pTermSuffix[nSuffix];(unshared suffix of next term)
   1.140 +**   varint nDoclist;          (length of term's associated doclist)
   1.141 +**   char pDoclist[nDoclist];  (content of doclist)
   1.142 +** }
   1.143 +**
   1.144 +** Here, array { X } means zero or more occurrences of X, adjacent in
   1.145 +** memory.
   1.146 +**
   1.147 +** Leaf nodes are broken into blocks which are stored contiguously in
   1.148 +** the %_segments table in sorted order.  This means that when the end
   1.149 +** of a node is reached, the next term is in the node with the next
   1.150 +** greater node id.
   1.151 +**
   1.152 +** New data is spilled to a new leaf node when the current node
   1.153 +** exceeds LEAF_MAX bytes (default 2048).  New data which itself is
   1.154 +** larger than STANDALONE_MIN (default 1024) is placed in a standalone
   1.155 +** node (a leaf node with a single term and doclist).  The goal of
   1.156 +** these settings is to pack together groups of small doclists while
   1.157 +** making it efficient to directly access large doclists.  The
   1.158 +** assumption is that large doclists represent terms which are more
   1.159 +** likely to be query targets.
   1.160 +**
   1.161 +** TODO(shess) It may be useful for blocking decisions to be more
   1.162 +** dynamic.  For instance, it may make more sense to have a 2.5k leaf
   1.163 +** node rather than splitting into 2k and .5k nodes.  My intuition is
   1.164 +** that this might extend through 2x or 4x the pagesize.
   1.165 +**
   1.166 +**
   1.167 +**** Segment interior nodes ****
   1.168 +** Segment interior nodes store blockids for subtree nodes and terms
   1.169 +** to describe what data is stored by the each subtree.  Interior
   1.170 +** nodes are written using InteriorWriter, and read using
   1.171 +** InteriorReader.  InteriorWriters are created as needed when
   1.172 +** SegmentWriter creates new leaf nodes, or when an interior node
   1.173 +** itself grows too big and must be split.  The format of interior
   1.174 +** nodes:
   1.175 +**
   1.176 +** varint iHeight;           (height from leaf level, always >0)
   1.177 +** varint iBlockid;          (block id of node's leftmost subtree)
   1.178 +** optional {
   1.179 +**   varint nTerm;           (length of first term)
   1.180 +**   char pTerm[nTerm];      (content of first term)
   1.181 +**   array {
   1.182 +**                                (further terms are delta-encoded)
   1.183 +**     varint nPrefix;            (length of shared prefix with previous term)
   1.184 +**     varint nSuffix;            (length of unshared suffix)
   1.185 +**     char pTermSuffix[nSuffix]; (unshared suffix of next term)
   1.186 +**   }
   1.187 +** }
   1.188 +**
   1.189 +** Here, optional { X } means an optional element, while array { X }
   1.190 +** means zero or more occurrences of X, adjacent in memory.
   1.191 +**
   1.192 +** An interior node encodes n terms separating n+1 subtrees.  The
   1.193 +** subtree blocks are contiguous, so only the first subtree's blockid
   1.194 +** is encoded.  The subtree at iBlockid will contain all terms less
   1.195 +** than the first term encoded (or all terms if no term is encoded).
   1.196 +** Otherwise, for terms greater than or equal to pTerm[i] but less
   1.197 +** than pTerm[i+1], the subtree for that term will be rooted at
   1.198 +** iBlockid+i.  Interior nodes only store enough term data to
   1.199 +** distinguish adjacent children (if the rightmost term of the left
   1.200 +** child is "something", and the leftmost term of the right child is
   1.201 +** "wicked", only "w" is stored).
   1.202 +**
   1.203 +** New data is spilled to a new interior node at the same height when
   1.204 +** the current node exceeds INTERIOR_MAX bytes (default 2048).
   1.205 +** INTERIOR_MIN_TERMS (default 7) keeps large terms from monopolizing
   1.206 +** interior nodes and making the tree too skinny.  The interior nodes
   1.207 +** at a given height are naturally tracked by interior nodes at
   1.208 +** height+1, and so on.
   1.209 +**
   1.210 +**
   1.211 +**** Segment directory ****
   1.212 +** The segment directory in table %_segdir stores meta-information for
   1.213 +** merging and deleting segments, and also the root node of the
   1.214 +** segment's tree.
   1.215 +**
   1.216 +** The root node is the top node of the segment's tree after encoding
   1.217 +** the entire segment, restricted to ROOT_MAX bytes (default 1024).
   1.218 +** This could be either a leaf node or an interior node.  If the top
   1.219 +** node requires more than ROOT_MAX bytes, it is flushed to %_segments
   1.220 +** and a new root interior node is generated (which should always fit
   1.221 +** within ROOT_MAX because it only needs space for 2 varints, the
   1.222 +** height and the blockid of the previous root).
   1.223 +**
   1.224 +** The meta-information in the segment directory is:
   1.225 +**   level               - segment level (see below)
   1.226 +**   idx                 - index within level
   1.227 +**                       - (level,idx uniquely identify a segment)
   1.228 +**   start_block         - first leaf node
   1.229 +**   leaves_end_block    - last leaf node
   1.230 +**   end_block           - last block (including interior nodes)
   1.231 +**   root                - contents of root node
   1.232 +**
   1.233 +** If the root node is a leaf node, then start_block,
   1.234 +** leaves_end_block, and end_block are all 0.
   1.235 +**
   1.236 +**
   1.237 +**** Segment merging ****
   1.238 +** To amortize update costs, segments are groups into levels and
   1.239 +** merged in matches.  Each increase in level represents exponentially
   1.240 +** more documents.
   1.241 +**
   1.242 +** New documents (actually, document updates) are tokenized and
   1.243 +** written individually (using LeafWriter) to a level 0 segment, with
   1.244 +** incrementing idx.  When idx reaches MERGE_COUNT (default 16), all
   1.245 +** level 0 segments are merged into a single level 1 segment.  Level 1
   1.246 +** is populated like level 0, and eventually MERGE_COUNT level 1
   1.247 +** segments are merged to a single level 2 segment (representing
   1.248 +** MERGE_COUNT^2 updates), and so on.
   1.249 +**
   1.250 +** A segment merge traverses all segments at a given level in
   1.251 +** parallel, performing a straightforward sorted merge.  Since segment
   1.252 +** leaf nodes are written in to the %_segments table in order, this
   1.253 +** merge traverses the underlying sqlite disk structures efficiently.
   1.254 +** After the merge, all segment blocks from the merged level are
   1.255 +** deleted.
   1.256 +**
   1.257 +** MERGE_COUNT controls how often we merge segments.  16 seems to be
   1.258 +** somewhat of a sweet spot for insertion performance.  32 and 64 show
   1.259 +** very similar performance numbers to 16 on insertion, though they're
   1.260 +** a tiny bit slower (perhaps due to more overhead in merge-time
   1.261 +** sorting).  8 is about 20% slower than 16, 4 about 50% slower than
   1.262 +** 16, 2 about 66% slower than 16.
   1.263 +**
   1.264 +** At query time, high MERGE_COUNT increases the number of segments
   1.265 +** which need to be scanned and merged.  For instance, with 100k docs
   1.266 +** inserted:
   1.267 +**
   1.268 +**    MERGE_COUNT   segments
   1.269 +**       16           25
   1.270 +**        8           12
   1.271 +**        4           10
   1.272 +**        2            6
   1.273 +**
   1.274 +** This appears to have only a moderate impact on queries for very
   1.275 +** frequent terms (which are somewhat dominated by segment merge
   1.276 +** costs), and infrequent and non-existent terms still seem to be fast
   1.277 +** even with many segments.
   1.278 +**
   1.279 +** TODO(shess) That said, it would be nice to have a better query-side
   1.280 +** argument for MERGE_COUNT of 16.  Also, it is possible/likely that
   1.281 +** optimizations to things like doclist merging will swing the sweet
   1.282 +** spot around.
   1.283 +**
   1.284 +**
   1.285 +**
   1.286 +**** Handling of deletions and updates ****
   1.287 +** Since we're using a segmented structure, with no docid-oriented
   1.288 +** index into the term index, we clearly cannot simply update the term
   1.289 +** index when a document is deleted or updated.  For deletions, we
   1.290 +** write an empty doclist (varint(docid) varint(POS_END)), for updates
   1.291 +** we simply write the new doclist.  Segment merges overwrite older
   1.292 +** data for a particular docid with newer data, so deletes or updates
   1.293 +** will eventually overtake the earlier data and knock it out.  The
   1.294 +** query logic likewise merges doclists so that newer data knocks out
   1.295 +** older data.
   1.296 +**
   1.297 +** TODO(shess) Provide a VACUUM type operation to clear out all
   1.298 +** deletions and duplications.  This would basically be a forced merge
   1.299 +** into a single segment.
   1.300 +*/
   1.301 +
   1.302 +#if !defined(SQLITE_CORE) || defined(SQLITE_ENABLE_FTS2)
   1.303 +
   1.304 +#if defined(SQLITE_ENABLE_FTS2) && !defined(SQLITE_CORE)
   1.305 +# define SQLITE_CORE 1
   1.306 +#endif
   1.307 +
   1.308 +#include <assert.h>
   1.309 +#include <stdlib.h>
   1.310 +#include <stdio.h>
   1.311 +#include <string.h>
   1.312 +#include <ctype.h>
   1.313 +
   1.314 +#include "fts2.h"
   1.315 +#include "fts2_hash.h"
   1.316 +#include "fts2_tokenizer.h"
   1.317 +#include "sqlite3.h"
   1.318 +#include "sqlite3ext.h"
   1.319 +SQLITE_EXTENSION_INIT1
   1.320 +
   1.321 +
   1.322 +/* TODO(shess) MAN, this thing needs some refactoring.  At minimum, it
   1.323 +** would be nice to order the file better, perhaps something along the
   1.324 +** lines of:
   1.325 +**
   1.326 +**  - utility functions
   1.327 +**  - table setup functions
   1.328 +**  - table update functions
   1.329 +**  - table query functions
   1.330 +**
   1.331 +** Put the query functions last because they're likely to reference
   1.332 +** typedefs or functions from the table update section.
   1.333 +*/
   1.334 +
   1.335 +#if 0
   1.336 +# define TRACE(A)  printf A; fflush(stdout)
   1.337 +#else
   1.338 +# define TRACE(A)
   1.339 +#endif
   1.340 +
   1.341 +/* It is not safe to call isspace(), tolower(), or isalnum() on
   1.342 +** hi-bit-set characters.  This is the same solution used in the
   1.343 +** tokenizer.
   1.344 +*/
   1.345 +/* TODO(shess) The snippet-generation code should be using the
   1.346 +** tokenizer-generated tokens rather than doing its own local
   1.347 +** tokenization.
   1.348 +*/
   1.349 +/* TODO(shess) Is __isascii() a portable version of (c&0x80)==0? */
   1.350 +static int safe_isspace(char c){
   1.351 +  return (c&0x80)==0 ? isspace(c) : 0;
   1.352 +}
   1.353 +static int safe_tolower(char c){
   1.354 +  return (c&0x80)==0 ? tolower(c) : c;
   1.355 +}
   1.356 +static int safe_isalnum(char c){
   1.357 +  return (c&0x80)==0 ? isalnum(c) : 0;
   1.358 +}
   1.359 +
   1.360 +typedef enum DocListType {
   1.361 +  DL_DOCIDS,              /* docids only */
   1.362 +  DL_POSITIONS,           /* docids + positions */
   1.363 +  DL_POSITIONS_OFFSETS    /* docids + positions + offsets */
   1.364 +} DocListType;
   1.365 +
   1.366 +/*
   1.367 +** By default, only positions and not offsets are stored in the doclists.
   1.368 +** To change this so that offsets are stored too, compile with
   1.369 +**
   1.370 +**          -DDL_DEFAULT=DL_POSITIONS_OFFSETS
   1.371 +**
   1.372 +** If DL_DEFAULT is set to DL_DOCIDS, your table can only be inserted
   1.373 +** into (no deletes or updates).
   1.374 +*/
   1.375 +#ifndef DL_DEFAULT
   1.376 +# define DL_DEFAULT DL_POSITIONS
   1.377 +#endif
   1.378 +
   1.379 +enum {
   1.380 +  POS_END = 0,        /* end of this position list */
   1.381 +  POS_COLUMN,         /* followed by new column number */
   1.382 +  POS_BASE
   1.383 +};
   1.384 +
   1.385 +/* MERGE_COUNT controls how often we merge segments (see comment at
   1.386 +** top of file).
   1.387 +*/
   1.388 +#define MERGE_COUNT 16
   1.389 +
   1.390 +/* utility functions */
   1.391 +
   1.392 +/* CLEAR() and SCRAMBLE() abstract memset() on a pointer to a single
   1.393 +** record to prevent errors of the form:
   1.394 +**
   1.395 +** my_function(SomeType *b){
   1.396 +**   memset(b, '\0', sizeof(b));  // sizeof(b)!=sizeof(*b)
   1.397 +** }
   1.398 +*/
   1.399 +/* TODO(shess) Obvious candidates for a header file. */
   1.400 +#define CLEAR(b) memset(b, '\0', sizeof(*(b)))
   1.401 +
   1.402 +#ifndef NDEBUG
   1.403 +#  define SCRAMBLE(b) memset(b, 0x55, sizeof(*(b)))
   1.404 +#else
   1.405 +#  define SCRAMBLE(b)
   1.406 +#endif
   1.407 +
   1.408 +/* We may need up to VARINT_MAX bytes to store an encoded 64-bit integer. */
   1.409 +#define VARINT_MAX 10
   1.410 +
   1.411 +/* Write a 64-bit variable-length integer to memory starting at p[0].
   1.412 + * The length of data written will be between 1 and VARINT_MAX bytes.
   1.413 + * The number of bytes written is returned. */
   1.414 +static int putVarint(char *p, sqlite_int64 v){
   1.415 +  unsigned char *q = (unsigned char *) p;
   1.416 +  sqlite_uint64 vu = v;
   1.417 +  do{
   1.418 +    *q++ = (unsigned char) ((vu & 0x7f) | 0x80);
   1.419 +    vu >>= 7;
   1.420 +  }while( vu!=0 );
   1.421 +  q[-1] &= 0x7f;  /* turn off high bit in final byte */
   1.422 +  assert( q - (unsigned char *)p <= VARINT_MAX );
   1.423 +  return (int) (q - (unsigned char *)p);
   1.424 +}
   1.425 +
   1.426 +/* Read a 64-bit variable-length integer from memory starting at p[0].
   1.427 + * Return the number of bytes read, or 0 on error.
   1.428 + * The value is stored in *v. */
   1.429 +static int getVarint(const char *p, sqlite_int64 *v){
   1.430 +  const unsigned char *q = (const unsigned char *) p;
   1.431 +  sqlite_uint64 x = 0, y = 1;
   1.432 +  while( (*q & 0x80) == 0x80 ){
   1.433 +    x += y * (*q++ & 0x7f);
   1.434 +    y <<= 7;
   1.435 +    if( q - (unsigned char *)p >= VARINT_MAX ){  /* bad data */
   1.436 +      assert( 0 );
   1.437 +      return 0;
   1.438 +    }
   1.439 +  }
   1.440 +  x += y * (*q++);
   1.441 +  *v = (sqlite_int64) x;
   1.442 +  return (int) (q - (unsigned char *)p);
   1.443 +}
   1.444 +
   1.445 +static int getVarint32(const char *p, int *pi){
   1.446 + sqlite_int64 i;
   1.447 + int ret = getVarint(p, &i);
   1.448 + *pi = (int) i;
   1.449 + assert( *pi==i );
   1.450 + return ret;
   1.451 +}
   1.452 +
   1.453 +/*******************************************************************/
   1.454 +/* DataBuffer is used to collect data into a buffer in piecemeal
   1.455 +** fashion.  It implements the usual distinction between amount of
   1.456 +** data currently stored (nData) and buffer capacity (nCapacity).
   1.457 +**
   1.458 +** dataBufferInit - create a buffer with given initial capacity.
   1.459 +** dataBufferReset - forget buffer's data, retaining capacity.
   1.460 +** dataBufferDestroy - free buffer's data.
   1.461 +** dataBufferSwap - swap contents of two buffers.
   1.462 +** dataBufferExpand - expand capacity without adding data.
   1.463 +** dataBufferAppend - append data.
   1.464 +** dataBufferAppend2 - append two pieces of data at once.
   1.465 +** dataBufferReplace - replace buffer's data.
   1.466 +*/
   1.467 +typedef struct DataBuffer {
   1.468 +  char *pData;          /* Pointer to malloc'ed buffer. */
   1.469 +  int nCapacity;        /* Size of pData buffer. */
   1.470 +  int nData;            /* End of data loaded into pData. */
   1.471 +} DataBuffer;
   1.472 +
   1.473 +static void dataBufferInit(DataBuffer *pBuffer, int nCapacity){
   1.474 +  assert( nCapacity>=0 );
   1.475 +  pBuffer->nData = 0;
   1.476 +  pBuffer->nCapacity = nCapacity;
   1.477 +  pBuffer->pData = nCapacity==0 ? NULL : sqlite3_malloc(nCapacity);
   1.478 +}
   1.479 +static void dataBufferReset(DataBuffer *pBuffer){
   1.480 +  pBuffer->nData = 0;
   1.481 +}
   1.482 +static void dataBufferDestroy(DataBuffer *pBuffer){
   1.483 +  if( pBuffer->pData!=NULL ) sqlite3_free(pBuffer->pData);
   1.484 +  SCRAMBLE(pBuffer);
   1.485 +}
   1.486 +static void dataBufferSwap(DataBuffer *pBuffer1, DataBuffer *pBuffer2){
   1.487 +  DataBuffer tmp = *pBuffer1;
   1.488 +  *pBuffer1 = *pBuffer2;
   1.489 +  *pBuffer2 = tmp;
   1.490 +}
   1.491 +static void dataBufferExpand(DataBuffer *pBuffer, int nAddCapacity){
   1.492 +  assert( nAddCapacity>0 );
   1.493 +  /* TODO(shess) Consider expanding more aggressively.  Note that the
   1.494 +  ** underlying malloc implementation may take care of such things for
   1.495 +  ** us already.
   1.496 +  */
   1.497 +  if( pBuffer->nData+nAddCapacity>pBuffer->nCapacity ){
   1.498 +    pBuffer->nCapacity = pBuffer->nData+nAddCapacity;
   1.499 +    pBuffer->pData = sqlite3_realloc(pBuffer->pData, pBuffer->nCapacity);
   1.500 +  }
   1.501 +}
   1.502 +static void dataBufferAppend(DataBuffer *pBuffer,
   1.503 +                             const char *pSource, int nSource){
   1.504 +  assert( nSource>0 && pSource!=NULL );
   1.505 +  dataBufferExpand(pBuffer, nSource);
   1.506 +  memcpy(pBuffer->pData+pBuffer->nData, pSource, nSource);
   1.507 +  pBuffer->nData += nSource;
   1.508 +}
   1.509 +static void dataBufferAppend2(DataBuffer *pBuffer,
   1.510 +                              const char *pSource1, int nSource1,
   1.511 +                              const char *pSource2, int nSource2){
   1.512 +  assert( nSource1>0 && pSource1!=NULL );
   1.513 +  assert( nSource2>0 && pSource2!=NULL );
   1.514 +  dataBufferExpand(pBuffer, nSource1+nSource2);
   1.515 +  memcpy(pBuffer->pData+pBuffer->nData, pSource1, nSource1);
   1.516 +  memcpy(pBuffer->pData+pBuffer->nData+nSource1, pSource2, nSource2);
   1.517 +  pBuffer->nData += nSource1+nSource2;
   1.518 +}
   1.519 +static void dataBufferReplace(DataBuffer *pBuffer,
   1.520 +                              const char *pSource, int nSource){
   1.521 +  dataBufferReset(pBuffer);
   1.522 +  dataBufferAppend(pBuffer, pSource, nSource);
   1.523 +}
   1.524 +
   1.525 +/* StringBuffer is a null-terminated version of DataBuffer. */
   1.526 +typedef struct StringBuffer {
   1.527 +  DataBuffer b;            /* Includes null terminator. */
   1.528 +} StringBuffer;
   1.529 +
   1.530 +static void initStringBuffer(StringBuffer *sb){
   1.531 +  dataBufferInit(&sb->b, 100);
   1.532 +  dataBufferReplace(&sb->b, "", 1);
   1.533 +}
   1.534 +static int stringBufferLength(StringBuffer *sb){
   1.535 +  return sb->b.nData-1;
   1.536 +}
   1.537 +static char *stringBufferData(StringBuffer *sb){
   1.538 +  return sb->b.pData;
   1.539 +}
   1.540 +static void stringBufferDestroy(StringBuffer *sb){
   1.541 +  dataBufferDestroy(&sb->b);
   1.542 +}
   1.543 +
   1.544 +static void nappend(StringBuffer *sb, const char *zFrom, int nFrom){
   1.545 +  assert( sb->b.nData>0 );
   1.546 +  if( nFrom>0 ){
   1.547 +    sb->b.nData--;
   1.548 +    dataBufferAppend2(&sb->b, zFrom, nFrom, "", 1);
   1.549 +  }
   1.550 +}
   1.551 +static void append(StringBuffer *sb, const char *zFrom){
   1.552 +  nappend(sb, zFrom, strlen(zFrom));
   1.553 +}
   1.554 +
   1.555 +/* Append a list of strings separated by commas. */
   1.556 +static void appendList(StringBuffer *sb, int nString, char **azString){
   1.557 +  int i;
   1.558 +  for(i=0; i<nString; ++i){
   1.559 +    if( i>0 ) append(sb, ", ");
   1.560 +    append(sb, azString[i]);
   1.561 +  }
   1.562 +}
   1.563 +
   1.564 +static int endsInWhiteSpace(StringBuffer *p){
   1.565 +  return stringBufferLength(p)>0 &&
   1.566 +    safe_isspace(stringBufferData(p)[stringBufferLength(p)-1]);
   1.567 +}
   1.568 +
   1.569 +/* If the StringBuffer ends in something other than white space, add a
   1.570 +** single space character to the end.
   1.571 +*/
   1.572 +static void appendWhiteSpace(StringBuffer *p){
   1.573 +  if( stringBufferLength(p)==0 ) return;
   1.574 +  if( !endsInWhiteSpace(p) ) append(p, " ");
   1.575 +}
   1.576 +
   1.577 +/* Remove white space from the end of the StringBuffer */
   1.578 +static void trimWhiteSpace(StringBuffer *p){
   1.579 +  while( endsInWhiteSpace(p) ){
   1.580 +    p->b.pData[--p->b.nData-1] = '\0';
   1.581 +  }
   1.582 +}
   1.583 +
   1.584 +/*******************************************************************/
   1.585 +/* DLReader is used to read document elements from a doclist.  The
   1.586 +** current docid is cached, so dlrDocid() is fast.  DLReader does not
   1.587 +** own the doclist buffer.
   1.588 +**
   1.589 +** dlrAtEnd - true if there's no more data to read.
   1.590 +** dlrDocid - docid of current document.
   1.591 +** dlrDocData - doclist data for current document (including docid).
   1.592 +** dlrDocDataBytes - length of same.
   1.593 +** dlrAllDataBytes - length of all remaining data.
   1.594 +** dlrPosData - position data for current document.
   1.595 +** dlrPosDataLen - length of pos data for current document (incl POS_END).
   1.596 +** dlrStep - step to current document.
   1.597 +** dlrInit - initial for doclist of given type against given data.
   1.598 +** dlrDestroy - clean up.
   1.599 +**
   1.600 +** Expected usage is something like:
   1.601 +**
   1.602 +**   DLReader reader;
   1.603 +**   dlrInit(&reader, pData, nData);
   1.604 +**   while( !dlrAtEnd(&reader) ){
   1.605 +**     // calls to dlrDocid() and kin.
   1.606 +**     dlrStep(&reader);
   1.607 +**   }
   1.608 +**   dlrDestroy(&reader);
   1.609 +*/
   1.610 +typedef struct DLReader {
   1.611 +  DocListType iType;
   1.612 +  const char *pData;
   1.613 +  int nData;
   1.614 +
   1.615 +  sqlite_int64 iDocid;
   1.616 +  int nElement;
   1.617 +} DLReader;
   1.618 +
   1.619 +static int dlrAtEnd(DLReader *pReader){
   1.620 +  assert( pReader->nData>=0 );
   1.621 +  return pReader->nData==0;
   1.622 +}
   1.623 +static sqlite_int64 dlrDocid(DLReader *pReader){
   1.624 +  assert( !dlrAtEnd(pReader) );
   1.625 +  return pReader->iDocid;
   1.626 +}
   1.627 +static const char *dlrDocData(DLReader *pReader){
   1.628 +  assert( !dlrAtEnd(pReader) );
   1.629 +  return pReader->pData;
   1.630 +}
   1.631 +static int dlrDocDataBytes(DLReader *pReader){
   1.632 +  assert( !dlrAtEnd(pReader) );
   1.633 +  return pReader->nElement;
   1.634 +}
   1.635 +static int dlrAllDataBytes(DLReader *pReader){
   1.636 +  assert( !dlrAtEnd(pReader) );
   1.637 +  return pReader->nData;
   1.638 +}
   1.639 +/* TODO(shess) Consider adding a field to track iDocid varint length
   1.640 +** to make these two functions faster.  This might matter (a tiny bit)
   1.641 +** for queries.
   1.642 +*/
   1.643 +static const char *dlrPosData(DLReader *pReader){
   1.644 +  sqlite_int64 iDummy;
   1.645 +  int n = getVarint(pReader->pData, &iDummy);
   1.646 +  assert( !dlrAtEnd(pReader) );
   1.647 +  return pReader->pData+n;
   1.648 +}
   1.649 +static int dlrPosDataLen(DLReader *pReader){
   1.650 +  sqlite_int64 iDummy;
   1.651 +  int n = getVarint(pReader->pData, &iDummy);
   1.652 +  assert( !dlrAtEnd(pReader) );
   1.653 +  return pReader->nElement-n;
   1.654 +}
   1.655 +static void dlrStep(DLReader *pReader){
   1.656 +  assert( !dlrAtEnd(pReader) );
   1.657 +
   1.658 +  /* Skip past current doclist element. */
   1.659 +  assert( pReader->nElement<=pReader->nData );
   1.660 +  pReader->pData += pReader->nElement;
   1.661 +  pReader->nData -= pReader->nElement;
   1.662 +
   1.663 +  /* If there is more data, read the next doclist element. */
   1.664 +  if( pReader->nData!=0 ){
   1.665 +    sqlite_int64 iDocidDelta;
   1.666 +    int iDummy, n = getVarint(pReader->pData, &iDocidDelta);
   1.667 +    pReader->iDocid += iDocidDelta;
   1.668 +    if( pReader->iType>=DL_POSITIONS ){
   1.669 +      assert( n<pReader->nData );
   1.670 +      while( 1 ){
   1.671 +        n += getVarint32(pReader->pData+n, &iDummy);
   1.672 +        assert( n<=pReader->nData );
   1.673 +        if( iDummy==POS_END ) break;
   1.674 +        if( iDummy==POS_COLUMN ){
   1.675 +          n += getVarint32(pReader->pData+n, &iDummy);
   1.676 +          assert( n<pReader->nData );
   1.677 +        }else if( pReader->iType==DL_POSITIONS_OFFSETS ){
   1.678 +          n += getVarint32(pReader->pData+n, &iDummy);
   1.679 +          n += getVarint32(pReader->pData+n, &iDummy);
   1.680 +          assert( n<pReader->nData );
   1.681 +        }
   1.682 +      }
   1.683 +    }
   1.684 +    pReader->nElement = n;
   1.685 +    assert( pReader->nElement<=pReader->nData );
   1.686 +  }
   1.687 +}
   1.688 +static void dlrInit(DLReader *pReader, DocListType iType,
   1.689 +                    const char *pData, int nData){
   1.690 +  assert( pData!=NULL && nData!=0 );
   1.691 +  pReader->iType = iType;
   1.692 +  pReader->pData = pData;
   1.693 +  pReader->nData = nData;
   1.694 +  pReader->nElement = 0;
   1.695 +  pReader->iDocid = 0;
   1.696 +
   1.697 +  /* Load the first element's data.  There must be a first element. */
   1.698 +  dlrStep(pReader);
   1.699 +}
   1.700 +static void dlrDestroy(DLReader *pReader){
   1.701 +  SCRAMBLE(pReader);
   1.702 +}
   1.703 +
   1.704 +#ifndef NDEBUG
   1.705 +/* Verify that the doclist can be validly decoded.  Also returns the
   1.706 +** last docid found because it is convenient in other assertions for
   1.707 +** DLWriter.
   1.708 +*/
   1.709 +static void docListValidate(DocListType iType, const char *pData, int nData,
   1.710 +                            sqlite_int64 *pLastDocid){
   1.711 +  sqlite_int64 iPrevDocid = 0;
   1.712 +  assert( nData>0 );
   1.713 +  assert( pData!=0 );
   1.714 +  assert( pData+nData>pData );
   1.715 +  while( nData!=0 ){
   1.716 +    sqlite_int64 iDocidDelta;
   1.717 +    int n = getVarint(pData, &iDocidDelta);
   1.718 +    iPrevDocid += iDocidDelta;
   1.719 +    if( iType>DL_DOCIDS ){
   1.720 +      int iDummy;
   1.721 +      while( 1 ){
   1.722 +        n += getVarint32(pData+n, &iDummy);
   1.723 +        if( iDummy==POS_END ) break;
   1.724 +        if( iDummy==POS_COLUMN ){
   1.725 +          n += getVarint32(pData+n, &iDummy);
   1.726 +        }else if( iType>DL_POSITIONS ){
   1.727 +          n += getVarint32(pData+n, &iDummy);
   1.728 +          n += getVarint32(pData+n, &iDummy);
   1.729 +        }
   1.730 +        assert( n<=nData );
   1.731 +      }
   1.732 +    }
   1.733 +    assert( n<=nData );
   1.734 +    pData += n;
   1.735 +    nData -= n;
   1.736 +  }
   1.737 +  if( pLastDocid ) *pLastDocid = iPrevDocid;
   1.738 +}
   1.739 +#define ASSERT_VALID_DOCLIST(i, p, n, o) docListValidate(i, p, n, o)
   1.740 +#else
   1.741 +#define ASSERT_VALID_DOCLIST(i, p, n, o) assert( 1 )
   1.742 +#endif
   1.743 +
   1.744 +/*******************************************************************/
   1.745 +/* DLWriter is used to write doclist data to a DataBuffer.  DLWriter
   1.746 +** always appends to the buffer and does not own it.
   1.747 +**
   1.748 +** dlwInit - initialize to write a given type doclistto a buffer.
   1.749 +** dlwDestroy - clear the writer's memory.  Does not free buffer.
   1.750 +** dlwAppend - append raw doclist data to buffer.
   1.751 +** dlwCopy - copy next doclist from reader to writer.
   1.752 +** dlwAdd - construct doclist element and append to buffer.
   1.753 +**    Only apply dlwAdd() to DL_DOCIDS doclists (else use PLWriter).
   1.754 +*/
   1.755 +typedef struct DLWriter {
   1.756 +  DocListType iType;
   1.757 +  DataBuffer *b;
   1.758 +  sqlite_int64 iPrevDocid;
   1.759 +#ifndef NDEBUG
   1.760 +  int has_iPrevDocid;
   1.761 +#endif
   1.762 +} DLWriter;
   1.763 +
   1.764 +static void dlwInit(DLWriter *pWriter, DocListType iType, DataBuffer *b){
   1.765 +  pWriter->b = b;
   1.766 +  pWriter->iType = iType;
   1.767 +  pWriter->iPrevDocid = 0;
   1.768 +#ifndef NDEBUG
   1.769 +  pWriter->has_iPrevDocid = 0;
   1.770 +#endif
   1.771 +}
   1.772 +static void dlwDestroy(DLWriter *pWriter){
   1.773 +  SCRAMBLE(pWriter);
   1.774 +}
   1.775 +/* iFirstDocid is the first docid in the doclist in pData.  It is
   1.776 +** needed because pData may point within a larger doclist, in which
   1.777 +** case the first item would be delta-encoded.
   1.778 +**
   1.779 +** iLastDocid is the final docid in the doclist in pData.  It is
   1.780 +** needed to create the new iPrevDocid for future delta-encoding.  The
   1.781 +** code could decode the passed doclist to recreate iLastDocid, but
   1.782 +** the only current user (docListMerge) already has decoded this
   1.783 +** information.
   1.784 +*/
   1.785 +/* TODO(shess) This has become just a helper for docListMerge.
   1.786 +** Consider a refactor to make this cleaner.
   1.787 +*/
   1.788 +static void dlwAppend(DLWriter *pWriter,
   1.789 +                      const char *pData, int nData,
   1.790 +                      sqlite_int64 iFirstDocid, sqlite_int64 iLastDocid){
   1.791 +  sqlite_int64 iDocid = 0;
   1.792 +  char c[VARINT_MAX];
   1.793 +  int nFirstOld, nFirstNew;     /* Old and new varint len of first docid. */
   1.794 +#ifndef NDEBUG
   1.795 +  sqlite_int64 iLastDocidDelta;
   1.796 +#endif
   1.797 +
   1.798 +  /* Recode the initial docid as delta from iPrevDocid. */
   1.799 +  nFirstOld = getVarint(pData, &iDocid);
   1.800 +  assert( nFirstOld<nData || (nFirstOld==nData && pWriter->iType==DL_DOCIDS) );
   1.801 +  nFirstNew = putVarint(c, iFirstDocid-pWriter->iPrevDocid);
   1.802 +
   1.803 +  /* Verify that the incoming doclist is valid AND that it ends with
   1.804 +  ** the expected docid.  This is essential because we'll trust this
   1.805 +  ** docid in future delta-encoding.
   1.806 +  */
   1.807 +  ASSERT_VALID_DOCLIST(pWriter->iType, pData, nData, &iLastDocidDelta);
   1.808 +  assert( iLastDocid==iFirstDocid-iDocid+iLastDocidDelta );
   1.809 +
   1.810 +  /* Append recoded initial docid and everything else.  Rest of docids
   1.811 +  ** should have been delta-encoded from previous initial docid.
   1.812 +  */
   1.813 +  if( nFirstOld<nData ){
   1.814 +    dataBufferAppend2(pWriter->b, c, nFirstNew,
   1.815 +                      pData+nFirstOld, nData-nFirstOld);
   1.816 +  }else{
   1.817 +    dataBufferAppend(pWriter->b, c, nFirstNew);
   1.818 +  }
   1.819 +  pWriter->iPrevDocid = iLastDocid;
   1.820 +}
   1.821 +static void dlwCopy(DLWriter *pWriter, DLReader *pReader){
   1.822 +  dlwAppend(pWriter, dlrDocData(pReader), dlrDocDataBytes(pReader),
   1.823 +            dlrDocid(pReader), dlrDocid(pReader));
   1.824 +}
   1.825 +static void dlwAdd(DLWriter *pWriter, sqlite_int64 iDocid){
   1.826 +  char c[VARINT_MAX];
   1.827 +  int n = putVarint(c, iDocid-pWriter->iPrevDocid);
   1.828 +
   1.829 +  /* Docids must ascend. */
   1.830 +  assert( !pWriter->has_iPrevDocid || iDocid>pWriter->iPrevDocid );
   1.831 +  assert( pWriter->iType==DL_DOCIDS );
   1.832 +
   1.833 +  dataBufferAppend(pWriter->b, c, n);
   1.834 +  pWriter->iPrevDocid = iDocid;
   1.835 +#ifndef NDEBUG
   1.836 +  pWriter->has_iPrevDocid = 1;
   1.837 +#endif
   1.838 +}
   1.839 +
   1.840 +/*******************************************************************/
   1.841 +/* PLReader is used to read data from a document's position list.  As
   1.842 +** the caller steps through the list, data is cached so that varints
   1.843 +** only need to be decoded once.
   1.844 +**
   1.845 +** plrInit, plrDestroy - create/destroy a reader.
   1.846 +** plrColumn, plrPosition, plrStartOffset, plrEndOffset - accessors
   1.847 +** plrAtEnd - at end of stream, only call plrDestroy once true.
   1.848 +** plrStep - step to the next element.
   1.849 +*/
   1.850 +typedef struct PLReader {
   1.851 +  /* These refer to the next position's data.  nData will reach 0 when
   1.852 +  ** reading the last position, so plrStep() signals EOF by setting
   1.853 +  ** pData to NULL.
   1.854 +  */
   1.855 +  const char *pData;
   1.856 +  int nData;
   1.857 +
   1.858 +  DocListType iType;
   1.859 +  int iColumn;         /* the last column read */
   1.860 +  int iPosition;       /* the last position read */
   1.861 +  int iStartOffset;    /* the last start offset read */
   1.862 +  int iEndOffset;      /* the last end offset read */
   1.863 +} PLReader;
   1.864 +
   1.865 +static int plrAtEnd(PLReader *pReader){
   1.866 +  return pReader->pData==NULL;
   1.867 +}
   1.868 +static int plrColumn(PLReader *pReader){
   1.869 +  assert( !plrAtEnd(pReader) );
   1.870 +  return pReader->iColumn;
   1.871 +}
   1.872 +static int plrPosition(PLReader *pReader){
   1.873 +  assert( !plrAtEnd(pReader) );
   1.874 +  return pReader->iPosition;
   1.875 +}
   1.876 +static int plrStartOffset(PLReader *pReader){
   1.877 +  assert( !plrAtEnd(pReader) );
   1.878 +  return pReader->iStartOffset;
   1.879 +}
   1.880 +static int plrEndOffset(PLReader *pReader){
   1.881 +  assert( !plrAtEnd(pReader) );
   1.882 +  return pReader->iEndOffset;
   1.883 +}
   1.884 +static void plrStep(PLReader *pReader){
   1.885 +  int i, n;
   1.886 +
   1.887 +  assert( !plrAtEnd(pReader) );
   1.888 +
   1.889 +  if( pReader->nData==0 ){
   1.890 +    pReader->pData = NULL;
   1.891 +    return;
   1.892 +  }
   1.893 +
   1.894 +  n = getVarint32(pReader->pData, &i);
   1.895 +  if( i==POS_COLUMN ){
   1.896 +    n += getVarint32(pReader->pData+n, &pReader->iColumn);
   1.897 +    pReader->iPosition = 0;
   1.898 +    pReader->iStartOffset = 0;
   1.899 +    n += getVarint32(pReader->pData+n, &i);
   1.900 +  }
   1.901 +  /* Should never see adjacent column changes. */
   1.902 +  assert( i!=POS_COLUMN );
   1.903 +
   1.904 +  if( i==POS_END ){
   1.905 +    pReader->nData = 0;
   1.906 +    pReader->pData = NULL;
   1.907 +    return;
   1.908 +  }
   1.909 +
   1.910 +  pReader->iPosition += i-POS_BASE;
   1.911 +  if( pReader->iType==DL_POSITIONS_OFFSETS ){
   1.912 +    n += getVarint32(pReader->pData+n, &i);
   1.913 +    pReader->iStartOffset += i;
   1.914 +    n += getVarint32(pReader->pData+n, &i);
   1.915 +    pReader->iEndOffset = pReader->iStartOffset+i;
   1.916 +  }
   1.917 +  assert( n<=pReader->nData );
   1.918 +  pReader->pData += n;
   1.919 +  pReader->nData -= n;
   1.920 +}
   1.921 +
   1.922 +static void plrInit(PLReader *pReader, DLReader *pDLReader){
   1.923 +  pReader->pData = dlrPosData(pDLReader);
   1.924 +  pReader->nData = dlrPosDataLen(pDLReader);
   1.925 +  pReader->iType = pDLReader->iType;
   1.926 +  pReader->iColumn = 0;
   1.927 +  pReader->iPosition = 0;
   1.928 +  pReader->iStartOffset = 0;
   1.929 +  pReader->iEndOffset = 0;
   1.930 +  plrStep(pReader);
   1.931 +}
   1.932 +static void plrDestroy(PLReader *pReader){
   1.933 +  SCRAMBLE(pReader);
   1.934 +}
   1.935 +
   1.936 +/*******************************************************************/
   1.937 +/* PLWriter is used in constructing a document's position list.  As a
   1.938 +** convenience, if iType is DL_DOCIDS, PLWriter becomes a no-op.
   1.939 +** PLWriter writes to the associated DLWriter's buffer.
   1.940 +**
   1.941 +** plwInit - init for writing a document's poslist.
   1.942 +** plwDestroy - clear a writer.
   1.943 +** plwAdd - append position and offset information.
   1.944 +** plwCopy - copy next position's data from reader to writer.
   1.945 +** plwTerminate - add any necessary doclist terminator.
   1.946 +**
   1.947 +** Calling plwAdd() after plwTerminate() may result in a corrupt
   1.948 +** doclist.
   1.949 +*/
   1.950 +/* TODO(shess) Until we've written the second item, we can cache the
   1.951 +** first item's information.  Then we'd have three states:
   1.952 +**
   1.953 +** - initialized with docid, no positions.
   1.954 +** - docid and one position.
   1.955 +** - docid and multiple positions.
   1.956 +**
   1.957 +** Only the last state needs to actually write to dlw->b, which would
   1.958 +** be an improvement in the DLCollector case.
   1.959 +*/
   1.960 +typedef struct PLWriter {
   1.961 +  DLWriter *dlw;
   1.962 +
   1.963 +  int iColumn;    /* the last column written */
   1.964 +  int iPos;       /* the last position written */
   1.965 +  int iOffset;    /* the last start offset written */
   1.966 +} PLWriter;
   1.967 +
   1.968 +/* TODO(shess) In the case where the parent is reading these values
   1.969 +** from a PLReader, we could optimize to a copy if that PLReader has
   1.970 +** the same type as pWriter.
   1.971 +*/
   1.972 +static void plwAdd(PLWriter *pWriter, int iColumn, int iPos,
   1.973 +                   int iStartOffset, int iEndOffset){
   1.974 +  /* Worst-case space for POS_COLUMN, iColumn, iPosDelta,
   1.975 +  ** iStartOffsetDelta, and iEndOffsetDelta.
   1.976 +  */
   1.977 +  char c[5*VARINT_MAX];
   1.978 +  int n = 0;
   1.979 +
   1.980 +  /* Ban plwAdd() after plwTerminate(). */
   1.981 +  assert( pWriter->iPos!=-1 );
   1.982 +
   1.983 +  if( pWriter->dlw->iType==DL_DOCIDS ) return;
   1.984 +
   1.985 +  if( iColumn!=pWriter->iColumn ){
   1.986 +    n += putVarint(c+n, POS_COLUMN);
   1.987 +    n += putVarint(c+n, iColumn);
   1.988 +    pWriter->iColumn = iColumn;
   1.989 +    pWriter->iPos = 0;
   1.990 +    pWriter->iOffset = 0;
   1.991 +  }
   1.992 +  assert( iPos>=pWriter->iPos );
   1.993 +  n += putVarint(c+n, POS_BASE+(iPos-pWriter->iPos));
   1.994 +  pWriter->iPos = iPos;
   1.995 +  if( pWriter->dlw->iType==DL_POSITIONS_OFFSETS ){
   1.996 +    assert( iStartOffset>=pWriter->iOffset );
   1.997 +    n += putVarint(c+n, iStartOffset-pWriter->iOffset);
   1.998 +    pWriter->iOffset = iStartOffset;
   1.999 +    assert( iEndOffset>=iStartOffset );
  1.1000 +    n += putVarint(c+n, iEndOffset-iStartOffset);
  1.1001 +  }
  1.1002 +  dataBufferAppend(pWriter->dlw->b, c, n);
  1.1003 +}
  1.1004 +static void plwCopy(PLWriter *pWriter, PLReader *pReader){
  1.1005 +  plwAdd(pWriter, plrColumn(pReader), plrPosition(pReader),
  1.1006 +         plrStartOffset(pReader), plrEndOffset(pReader));
  1.1007 +}
  1.1008 +static void plwInit(PLWriter *pWriter, DLWriter *dlw, sqlite_int64 iDocid){
  1.1009 +  char c[VARINT_MAX];
  1.1010 +  int n;
  1.1011 +
  1.1012 +  pWriter->dlw = dlw;
  1.1013 +
  1.1014 +  /* Docids must ascend. */
  1.1015 +  assert( !pWriter->dlw->has_iPrevDocid || iDocid>pWriter->dlw->iPrevDocid );
  1.1016 +  n = putVarint(c, iDocid-pWriter->dlw->iPrevDocid);
  1.1017 +  dataBufferAppend(pWriter->dlw->b, c, n);
  1.1018 +  pWriter->dlw->iPrevDocid = iDocid;
  1.1019 +#ifndef NDEBUG
  1.1020 +  pWriter->dlw->has_iPrevDocid = 1;
  1.1021 +#endif
  1.1022 +
  1.1023 +  pWriter->iColumn = 0;
  1.1024 +  pWriter->iPos = 0;
  1.1025 +  pWriter->iOffset = 0;
  1.1026 +}
  1.1027 +/* TODO(shess) Should plwDestroy() also terminate the doclist?  But
  1.1028 +** then plwDestroy() would no longer be just a destructor, it would
  1.1029 +** also be doing work, which isn't consistent with the overall idiom.
  1.1030 +** Another option would be for plwAdd() to always append any necessary
  1.1031 +** terminator, so that the output is always correct.  But that would
  1.1032 +** add incremental work to the common case with the only benefit being
  1.1033 +** API elegance.  Punt for now.
  1.1034 +*/
  1.1035 +static void plwTerminate(PLWriter *pWriter){
  1.1036 +  if( pWriter->dlw->iType>DL_DOCIDS ){
  1.1037 +    char c[VARINT_MAX];
  1.1038 +    int n = putVarint(c, POS_END);
  1.1039 +    dataBufferAppend(pWriter->dlw->b, c, n);
  1.1040 +  }
  1.1041 +#ifndef NDEBUG
  1.1042 +  /* Mark as terminated for assert in plwAdd(). */
  1.1043 +  pWriter->iPos = -1;
  1.1044 +#endif
  1.1045 +}
  1.1046 +static void plwDestroy(PLWriter *pWriter){
  1.1047 +  SCRAMBLE(pWriter);
  1.1048 +}
  1.1049 +
  1.1050 +/*******************************************************************/
  1.1051 +/* DLCollector wraps PLWriter and DLWriter to provide a
  1.1052 +** dynamically-allocated doclist area to use during tokenization.
  1.1053 +**
  1.1054 +** dlcNew - malloc up and initialize a collector.
  1.1055 +** dlcDelete - destroy a collector and all contained items.
  1.1056 +** dlcAddPos - append position and offset information.
  1.1057 +** dlcAddDoclist - add the collected doclist to the given buffer.
  1.1058 +** dlcNext - terminate the current document and open another.
  1.1059 +*/
  1.1060 +typedef struct DLCollector {
  1.1061 +  DataBuffer b;
  1.1062 +  DLWriter dlw;
  1.1063 +  PLWriter plw;
  1.1064 +} DLCollector;
  1.1065 +
  1.1066 +/* TODO(shess) This could also be done by calling plwTerminate() and
  1.1067 +** dataBufferAppend().  I tried that, expecting nominal performance
  1.1068 +** differences, but it seemed to pretty reliably be worth 1% to code
  1.1069 +** it this way.  I suspect it is the incremental malloc overhead (some
  1.1070 +** percentage of the plwTerminate() calls will cause a realloc), so
  1.1071 +** this might be worth revisiting if the DataBuffer implementation
  1.1072 +** changes.
  1.1073 +*/
  1.1074 +static void dlcAddDoclist(DLCollector *pCollector, DataBuffer *b){
  1.1075 +  if( pCollector->dlw.iType>DL_DOCIDS ){
  1.1076 +    char c[VARINT_MAX];
  1.1077 +    int n = putVarint(c, POS_END);
  1.1078 +    dataBufferAppend2(b, pCollector->b.pData, pCollector->b.nData, c, n);
  1.1079 +  }else{
  1.1080 +    dataBufferAppend(b, pCollector->b.pData, pCollector->b.nData);
  1.1081 +  }
  1.1082 +}
  1.1083 +static void dlcNext(DLCollector *pCollector, sqlite_int64 iDocid){
  1.1084 +  plwTerminate(&pCollector->plw);
  1.1085 +  plwDestroy(&pCollector->plw);
  1.1086 +  plwInit(&pCollector->plw, &pCollector->dlw, iDocid);
  1.1087 +}
  1.1088 +static void dlcAddPos(DLCollector *pCollector, int iColumn, int iPos,
  1.1089 +                      int iStartOffset, int iEndOffset){
  1.1090 +  plwAdd(&pCollector->plw, iColumn, iPos, iStartOffset, iEndOffset);
  1.1091 +}
  1.1092 +
  1.1093 +static DLCollector *dlcNew(sqlite_int64 iDocid, DocListType iType){
  1.1094 +  DLCollector *pCollector = sqlite3_malloc(sizeof(DLCollector));
  1.1095 +  dataBufferInit(&pCollector->b, 0);
  1.1096 +  dlwInit(&pCollector->dlw, iType, &pCollector->b);
  1.1097 +  plwInit(&pCollector->plw, &pCollector->dlw, iDocid);
  1.1098 +  return pCollector;
  1.1099 +}
  1.1100 +static void dlcDelete(DLCollector *pCollector){
  1.1101 +  plwDestroy(&pCollector->plw);
  1.1102 +  dlwDestroy(&pCollector->dlw);
  1.1103 +  dataBufferDestroy(&pCollector->b);
  1.1104 +  SCRAMBLE(pCollector);
  1.1105 +  sqlite3_free(pCollector);
  1.1106 +}
  1.1107 +
  1.1108 +
  1.1109 +/* Copy the doclist data of iType in pData/nData into *out, trimming
  1.1110 +** unnecessary data as we go.  Only columns matching iColumn are
  1.1111 +** copied, all columns copied if iColumn is -1.  Elements with no
  1.1112 +** matching columns are dropped.  The output is an iOutType doclist.
  1.1113 +*/
  1.1114 +/* NOTE(shess) This code is only valid after all doclists are merged.
  1.1115 +** If this is run before merges, then doclist items which represent
  1.1116 +** deletion will be trimmed, and will thus not effect a deletion
  1.1117 +** during the merge.
  1.1118 +*/
  1.1119 +static void docListTrim(DocListType iType, const char *pData, int nData,
  1.1120 +                        int iColumn, DocListType iOutType, DataBuffer *out){
  1.1121 +  DLReader dlReader;
  1.1122 +  DLWriter dlWriter;
  1.1123 +
  1.1124 +  assert( iOutType<=iType );
  1.1125 +
  1.1126 +  dlrInit(&dlReader, iType, pData, nData);
  1.1127 +  dlwInit(&dlWriter, iOutType, out);
  1.1128 +
  1.1129 +  while( !dlrAtEnd(&dlReader) ){
  1.1130 +    PLReader plReader;
  1.1131 +    PLWriter plWriter;
  1.1132 +    int match = 0;
  1.1133 +
  1.1134 +    plrInit(&plReader, &dlReader);
  1.1135 +
  1.1136 +    while( !plrAtEnd(&plReader) ){
  1.1137 +      if( iColumn==-1 || plrColumn(&plReader)==iColumn ){
  1.1138 +        if( !match ){
  1.1139 +          plwInit(&plWriter, &dlWriter, dlrDocid(&dlReader));
  1.1140 +          match = 1;
  1.1141 +        }
  1.1142 +        plwAdd(&plWriter, plrColumn(&plReader), plrPosition(&plReader),
  1.1143 +               plrStartOffset(&plReader), plrEndOffset(&plReader));
  1.1144 +      }
  1.1145 +      plrStep(&plReader);
  1.1146 +    }
  1.1147 +    if( match ){
  1.1148 +      plwTerminate(&plWriter);
  1.1149 +      plwDestroy(&plWriter);
  1.1150 +    }
  1.1151 +
  1.1152 +    plrDestroy(&plReader);
  1.1153 +    dlrStep(&dlReader);
  1.1154 +  }
  1.1155 +  dlwDestroy(&dlWriter);
  1.1156 +  dlrDestroy(&dlReader);
  1.1157 +}
  1.1158 +
  1.1159 +/* Used by docListMerge() to keep doclists in the ascending order by
  1.1160 +** docid, then ascending order by age (so the newest comes first).
  1.1161 +*/
  1.1162 +typedef struct OrderedDLReader {
  1.1163 +  DLReader *pReader;
  1.1164 +
  1.1165 +  /* TODO(shess) If we assume that docListMerge pReaders is ordered by
  1.1166 +  ** age (which we do), then we could use pReader comparisons to break
  1.1167 +  ** ties.
  1.1168 +  */
  1.1169 +  int idx;
  1.1170 +} OrderedDLReader;
  1.1171 +
  1.1172 +/* Order eof to end, then by docid asc, idx desc. */
  1.1173 +static int orderedDLReaderCmp(OrderedDLReader *r1, OrderedDLReader *r2){
  1.1174 +  if( dlrAtEnd(r1->pReader) ){
  1.1175 +    if( dlrAtEnd(r2->pReader) ) return 0;  /* Both atEnd(). */
  1.1176 +    return 1;                              /* Only r1 atEnd(). */
  1.1177 +  }
  1.1178 +  if( dlrAtEnd(r2->pReader) ) return -1;   /* Only r2 atEnd(). */
  1.1179 +
  1.1180 +  if( dlrDocid(r1->pReader)<dlrDocid(r2->pReader) ) return -1;
  1.1181 +  if( dlrDocid(r1->pReader)>dlrDocid(r2->pReader) ) return 1;
  1.1182 +
  1.1183 +  /* Descending on idx. */
  1.1184 +  return r2->idx-r1->idx;
  1.1185 +}
  1.1186 +
  1.1187 +/* Bubble p[0] to appropriate place in p[1..n-1].  Assumes that
  1.1188 +** p[1..n-1] is already sorted.
  1.1189 +*/
  1.1190 +/* TODO(shess) Is this frequent enough to warrant a binary search?
  1.1191 +** Before implementing that, instrument the code to check.  In most
  1.1192 +** current usage, I expect that p[0] will be less than p[1] a very
  1.1193 +** high proportion of the time.
  1.1194 +*/
  1.1195 +static void orderedDLReaderReorder(OrderedDLReader *p, int n){
  1.1196 +  while( n>1 && orderedDLReaderCmp(p, p+1)>0 ){
  1.1197 +    OrderedDLReader tmp = p[0];
  1.1198 +    p[0] = p[1];
  1.1199 +    p[1] = tmp;
  1.1200 +    n--;
  1.1201 +    p++;
  1.1202 +  }
  1.1203 +}
  1.1204 +
  1.1205 +/* Given an array of doclist readers, merge their doclist elements
  1.1206 +** into out in sorted order (by docid), dropping elements from older
  1.1207 +** readers when there is a duplicate docid.  pReaders is assumed to be
  1.1208 +** ordered by age, oldest first.
  1.1209 +*/
  1.1210 +/* TODO(shess) nReaders must be <= MERGE_COUNT.  This should probably
  1.1211 +** be fixed.
  1.1212 +*/
  1.1213 +static void docListMerge(DataBuffer *out,
  1.1214 +                         DLReader *pReaders, int nReaders){
  1.1215 +  OrderedDLReader readers[MERGE_COUNT];
  1.1216 +  DLWriter writer;
  1.1217 +  int i, n;
  1.1218 +  const char *pStart = 0;
  1.1219 +  int nStart = 0;
  1.1220 +  sqlite_int64 iFirstDocid = 0, iLastDocid = 0;
  1.1221 +
  1.1222 +  assert( nReaders>0 );
  1.1223 +  if( nReaders==1 ){
  1.1224 +    dataBufferAppend(out, dlrDocData(pReaders), dlrAllDataBytes(pReaders));
  1.1225 +    return;
  1.1226 +  }
  1.1227 +
  1.1228 +  assert( nReaders<=MERGE_COUNT );
  1.1229 +  n = 0;
  1.1230 +  for(i=0; i<nReaders; i++){
  1.1231 +    assert( pReaders[i].iType==pReaders[0].iType );
  1.1232 +    readers[i].pReader = pReaders+i;
  1.1233 +    readers[i].idx = i;
  1.1234 +    n += dlrAllDataBytes(&pReaders[i]);
  1.1235 +  }
  1.1236 +  /* Conservatively size output to sum of inputs.  Output should end
  1.1237 +  ** up strictly smaller than input.
  1.1238 +  */
  1.1239 +  dataBufferExpand(out, n);
  1.1240 +
  1.1241 +  /* Get the readers into sorted order. */
  1.1242 +  while( i-->0 ){
  1.1243 +    orderedDLReaderReorder(readers+i, nReaders-i);
  1.1244 +  }
  1.1245 +
  1.1246 +  dlwInit(&writer, pReaders[0].iType, out);
  1.1247 +  while( !dlrAtEnd(readers[0].pReader) ){
  1.1248 +    sqlite_int64 iDocid = dlrDocid(readers[0].pReader);
  1.1249 +
  1.1250 +    /* If this is a continuation of the current buffer to copy, extend
  1.1251 +    ** that buffer.  memcpy() seems to be more efficient if it has a
  1.1252 +    ** lots of data to copy.
  1.1253 +    */
  1.1254 +    if( dlrDocData(readers[0].pReader)==pStart+nStart ){
  1.1255 +      nStart += dlrDocDataBytes(readers[0].pReader);
  1.1256 +    }else{
  1.1257 +      if( pStart!=0 ){
  1.1258 +        dlwAppend(&writer, pStart, nStart, iFirstDocid, iLastDocid);
  1.1259 +      }
  1.1260 +      pStart = dlrDocData(readers[0].pReader);
  1.1261 +      nStart = dlrDocDataBytes(readers[0].pReader);
  1.1262 +      iFirstDocid = iDocid;
  1.1263 +    }
  1.1264 +    iLastDocid = iDocid;
  1.1265 +    dlrStep(readers[0].pReader);
  1.1266 +
  1.1267 +    /* Drop all of the older elements with the same docid. */
  1.1268 +    for(i=1; i<nReaders &&
  1.1269 +             !dlrAtEnd(readers[i].pReader) &&
  1.1270 +             dlrDocid(readers[i].pReader)==iDocid; i++){
  1.1271 +      dlrStep(readers[i].pReader);
  1.1272 +    }
  1.1273 +
  1.1274 +    /* Get the readers back into order. */
  1.1275 +    while( i-->0 ){
  1.1276 +      orderedDLReaderReorder(readers+i, nReaders-i);
  1.1277 +    }
  1.1278 +  }
  1.1279 +
  1.1280 +  /* Copy over any remaining elements. */
  1.1281 +  if( nStart>0 ) dlwAppend(&writer, pStart, nStart, iFirstDocid, iLastDocid);
  1.1282 +  dlwDestroy(&writer);
  1.1283 +}
  1.1284 +
  1.1285 +/* Helper function for posListUnion().  Compares the current position
  1.1286 +** between left and right, returning as standard C idiom of <0 if
  1.1287 +** left<right, >0 if left>right, and 0 if left==right.  "End" always
  1.1288 +** compares greater.
  1.1289 +*/
  1.1290 +static int posListCmp(PLReader *pLeft, PLReader *pRight){
  1.1291 +  assert( pLeft->iType==pRight->iType );
  1.1292 +  if( pLeft->iType==DL_DOCIDS ) return 0;
  1.1293 +
  1.1294 +  if( plrAtEnd(pLeft) ) return plrAtEnd(pRight) ? 0 : 1;
  1.1295 +  if( plrAtEnd(pRight) ) return -1;
  1.1296 +
  1.1297 +  if( plrColumn(pLeft)<plrColumn(pRight) ) return -1;
  1.1298 +  if( plrColumn(pLeft)>plrColumn(pRight) ) return 1;
  1.1299 +
  1.1300 +  if( plrPosition(pLeft)<plrPosition(pRight) ) return -1;
  1.1301 +  if( plrPosition(pLeft)>plrPosition(pRight) ) return 1;
  1.1302 +  if( pLeft->iType==DL_POSITIONS ) return 0;
  1.1303 +
  1.1304 +  if( plrStartOffset(pLeft)<plrStartOffset(pRight) ) return -1;
  1.1305 +  if( plrStartOffset(pLeft)>plrStartOffset(pRight) ) return 1;
  1.1306 +
  1.1307 +  if( plrEndOffset(pLeft)<plrEndOffset(pRight) ) return -1;
  1.1308 +  if( plrEndOffset(pLeft)>plrEndOffset(pRight) ) return 1;
  1.1309 +
  1.1310 +  return 0;
  1.1311 +}
  1.1312 +
  1.1313 +/* Write the union of position lists in pLeft and pRight to pOut.
  1.1314 +** "Union" in this case meaning "All unique position tuples".  Should
  1.1315 +** work with any doclist type, though both inputs and the output
  1.1316 +** should be the same type.
  1.1317 +*/
  1.1318 +static void posListUnion(DLReader *pLeft, DLReader *pRight, DLWriter *pOut){
  1.1319 +  PLReader left, right;
  1.1320 +  PLWriter writer;
  1.1321 +
  1.1322 +  assert( dlrDocid(pLeft)==dlrDocid(pRight) );
  1.1323 +  assert( pLeft->iType==pRight->iType );
  1.1324 +  assert( pLeft->iType==pOut->iType );
  1.1325 +
  1.1326 +  plrInit(&left, pLeft);
  1.1327 +  plrInit(&right, pRight);
  1.1328 +  plwInit(&writer, pOut, dlrDocid(pLeft));
  1.1329 +
  1.1330 +  while( !plrAtEnd(&left) || !plrAtEnd(&right) ){
  1.1331 +    int c = posListCmp(&left, &right);
  1.1332 +    if( c<0 ){
  1.1333 +      plwCopy(&writer, &left);
  1.1334 +      plrStep(&left);
  1.1335 +    }else if( c>0 ){
  1.1336 +      plwCopy(&writer, &right);
  1.1337 +      plrStep(&right);
  1.1338 +    }else{
  1.1339 +      plwCopy(&writer, &left);
  1.1340 +      plrStep(&left);
  1.1341 +      plrStep(&right);
  1.1342 +    }
  1.1343 +  }
  1.1344 +
  1.1345 +  plwTerminate(&writer);
  1.1346 +  plwDestroy(&writer);
  1.1347 +  plrDestroy(&left);
  1.1348 +  plrDestroy(&right);
  1.1349 +}
  1.1350 +
  1.1351 +/* Write the union of doclists in pLeft and pRight to pOut.  For
  1.1352 +** docids in common between the inputs, the union of the position
  1.1353 +** lists is written.  Inputs and outputs are always type DL_DEFAULT.
  1.1354 +*/
  1.1355 +static void docListUnion(
  1.1356 +  const char *pLeft, int nLeft,
  1.1357 +  const char *pRight, int nRight,
  1.1358 +  DataBuffer *pOut      /* Write the combined doclist here */
  1.1359 +){
  1.1360 +  DLReader left, right;
  1.1361 +  DLWriter writer;
  1.1362 +
  1.1363 +  if( nLeft==0 ){
  1.1364 +    if( nRight!=0) dataBufferAppend(pOut, pRight, nRight);
  1.1365 +    return;
  1.1366 +  }
  1.1367 +  if( nRight==0 ){
  1.1368 +    dataBufferAppend(pOut, pLeft, nLeft);
  1.1369 +    return;
  1.1370 +  }
  1.1371 +
  1.1372 +  dlrInit(&left, DL_DEFAULT, pLeft, nLeft);
  1.1373 +  dlrInit(&right, DL_DEFAULT, pRight, nRight);
  1.1374 +  dlwInit(&writer, DL_DEFAULT, pOut);
  1.1375 +
  1.1376 +  while( !dlrAtEnd(&left) || !dlrAtEnd(&right) ){
  1.1377 +    if( dlrAtEnd(&right) ){
  1.1378 +      dlwCopy(&writer, &left);
  1.1379 +      dlrStep(&left);
  1.1380 +    }else if( dlrAtEnd(&left) ){
  1.1381 +      dlwCopy(&writer, &right);
  1.1382 +      dlrStep(&right);
  1.1383 +    }else if( dlrDocid(&left)<dlrDocid(&right) ){
  1.1384 +      dlwCopy(&writer, &left);
  1.1385 +      dlrStep(&left);
  1.1386 +    }else if( dlrDocid(&left)>dlrDocid(&right) ){
  1.1387 +      dlwCopy(&writer, &right);
  1.1388 +      dlrStep(&right);
  1.1389 +    }else{
  1.1390 +      posListUnion(&left, &right, &writer);
  1.1391 +      dlrStep(&left);
  1.1392 +      dlrStep(&right);
  1.1393 +    }
  1.1394 +  }
  1.1395 +
  1.1396 +  dlrDestroy(&left);
  1.1397 +  dlrDestroy(&right);
  1.1398 +  dlwDestroy(&writer);
  1.1399 +}
  1.1400 +
  1.1401 +/* pLeft and pRight are DLReaders positioned to the same docid.
  1.1402 +**
  1.1403 +** If there are no instances in pLeft or pRight where the position
  1.1404 +** of pLeft is one less than the position of pRight, then this
  1.1405 +** routine adds nothing to pOut.
  1.1406 +**
  1.1407 +** If there are one or more instances where positions from pLeft
  1.1408 +** are exactly one less than positions from pRight, then add a new
  1.1409 +** document record to pOut.  If pOut wants to hold positions, then
  1.1410 +** include the positions from pRight that are one more than a
  1.1411 +** position in pLeft.  In other words:  pRight.iPos==pLeft.iPos+1.
  1.1412 +*/
  1.1413 +static void posListPhraseMerge(DLReader *pLeft, DLReader *pRight,
  1.1414 +                               DLWriter *pOut){
  1.1415 +  PLReader left, right;
  1.1416 +  PLWriter writer;
  1.1417 +  int match = 0;
  1.1418 +
  1.1419 +  assert( dlrDocid(pLeft)==dlrDocid(pRight) );
  1.1420 +  assert( pOut->iType!=DL_POSITIONS_OFFSETS );
  1.1421 +
  1.1422 +  plrInit(&left, pLeft);
  1.1423 +  plrInit(&right, pRight);
  1.1424 +
  1.1425 +  while( !plrAtEnd(&left) && !plrAtEnd(&right) ){
  1.1426 +    if( plrColumn(&left)<plrColumn(&right) ){
  1.1427 +      plrStep(&left);
  1.1428 +    }else if( plrColumn(&left)>plrColumn(&right) ){
  1.1429 +      plrStep(&right);
  1.1430 +    }else if( plrPosition(&left)+1<plrPosition(&right) ){
  1.1431 +      plrStep(&left);
  1.1432 +    }else if( plrPosition(&left)+1>plrPosition(&right) ){
  1.1433 +      plrStep(&right);
  1.1434 +    }else{
  1.1435 +      if( !match ){
  1.1436 +        plwInit(&writer, pOut, dlrDocid(pLeft));
  1.1437 +        match = 1;
  1.1438 +      }
  1.1439 +      plwAdd(&writer, plrColumn(&right), plrPosition(&right), 0, 0);
  1.1440 +      plrStep(&left);
  1.1441 +      plrStep(&right);
  1.1442 +    }
  1.1443 +  }
  1.1444 +
  1.1445 +  if( match ){
  1.1446 +    plwTerminate(&writer);
  1.1447 +    plwDestroy(&writer);
  1.1448 +  }
  1.1449 +
  1.1450 +  plrDestroy(&left);
  1.1451 +  plrDestroy(&right);
  1.1452 +}
  1.1453 +
  1.1454 +/* We have two doclists with positions:  pLeft and pRight.
  1.1455 +** Write the phrase intersection of these two doclists into pOut.
  1.1456 +**
  1.1457 +** A phrase intersection means that two documents only match
  1.1458 +** if pLeft.iPos+1==pRight.iPos.
  1.1459 +**
  1.1460 +** iType controls the type of data written to pOut.  If iType is
  1.1461 +** DL_POSITIONS, the positions are those from pRight.
  1.1462 +*/
  1.1463 +static void docListPhraseMerge(
  1.1464 +  const char *pLeft, int nLeft,
  1.1465 +  const char *pRight, int nRight,
  1.1466 +  DocListType iType,
  1.1467 +  DataBuffer *pOut      /* Write the combined doclist here */
  1.1468 +){
  1.1469 +  DLReader left, right;
  1.1470 +  DLWriter writer;
  1.1471 +
  1.1472 +  if( nLeft==0 || nRight==0 ) return;
  1.1473 +
  1.1474 +  assert( iType!=DL_POSITIONS_OFFSETS );
  1.1475 +
  1.1476 +  dlrInit(&left, DL_POSITIONS, pLeft, nLeft);
  1.1477 +  dlrInit(&right, DL_POSITIONS, pRight, nRight);
  1.1478 +  dlwInit(&writer, iType, pOut);
  1.1479 +
  1.1480 +  while( !dlrAtEnd(&left) && !dlrAtEnd(&right) ){
  1.1481 +    if( dlrDocid(&left)<dlrDocid(&right) ){
  1.1482 +      dlrStep(&left);
  1.1483 +    }else if( dlrDocid(&right)<dlrDocid(&left) ){
  1.1484 +      dlrStep(&right);
  1.1485 +    }else{
  1.1486 +      posListPhraseMerge(&left, &right, &writer);
  1.1487 +      dlrStep(&left);
  1.1488 +      dlrStep(&right);
  1.1489 +    }
  1.1490 +  }
  1.1491 +
  1.1492 +  dlrDestroy(&left);
  1.1493 +  dlrDestroy(&right);
  1.1494 +  dlwDestroy(&writer);
  1.1495 +}
  1.1496 +
  1.1497 +/* We have two DL_DOCIDS doclists:  pLeft and pRight.
  1.1498 +** Write the intersection of these two doclists into pOut as a
  1.1499 +** DL_DOCIDS doclist.
  1.1500 +*/
  1.1501 +static void docListAndMerge(
  1.1502 +  const char *pLeft, int nLeft,
  1.1503 +  const char *pRight, int nRight,
  1.1504 +  DataBuffer *pOut      /* Write the combined doclist here */
  1.1505 +){
  1.1506 +  DLReader left, right;
  1.1507 +  DLWriter writer;
  1.1508 +
  1.1509 +  if( nLeft==0 || nRight==0 ) return;
  1.1510 +
  1.1511 +  dlrInit(&left, DL_DOCIDS, pLeft, nLeft);
  1.1512 +  dlrInit(&right, DL_DOCIDS, pRight, nRight);
  1.1513 +  dlwInit(&writer, DL_DOCIDS, pOut);
  1.1514 +
  1.1515 +  while( !dlrAtEnd(&left) && !dlrAtEnd(&right) ){
  1.1516 +    if( dlrDocid(&left)<dlrDocid(&right) ){
  1.1517 +      dlrStep(&left);
  1.1518 +    }else if( dlrDocid(&right)<dlrDocid(&left) ){
  1.1519 +      dlrStep(&right);
  1.1520 +    }else{
  1.1521 +      dlwAdd(&writer, dlrDocid(&left));
  1.1522 +      dlrStep(&left);
  1.1523 +      dlrStep(&right);
  1.1524 +    }
  1.1525 +  }
  1.1526 +
  1.1527 +  dlrDestroy(&left);
  1.1528 +  dlrDestroy(&right);
  1.1529 +  dlwDestroy(&writer);
  1.1530 +}
  1.1531 +
  1.1532 +/* We have two DL_DOCIDS doclists:  pLeft and pRight.
  1.1533 +** Write the union of these two doclists into pOut as a
  1.1534 +** DL_DOCIDS doclist.
  1.1535 +*/
  1.1536 +static void docListOrMerge(
  1.1537 +  const char *pLeft, int nLeft,
  1.1538 +  const char *pRight, int nRight,
  1.1539 +  DataBuffer *pOut      /* Write the combined doclist here */
  1.1540 +){
  1.1541 +  DLReader left, right;
  1.1542 +  DLWriter writer;
  1.1543 +
  1.1544 +  if( nLeft==0 ){
  1.1545 +    if( nRight!=0 ) dataBufferAppend(pOut, pRight, nRight);
  1.1546 +    return;
  1.1547 +  }
  1.1548 +  if( nRight==0 ){
  1.1549 +    dataBufferAppend(pOut, pLeft, nLeft);
  1.1550 +    return;
  1.1551 +  }
  1.1552 +
  1.1553 +  dlrInit(&left, DL_DOCIDS, pLeft, nLeft);
  1.1554 +  dlrInit(&right, DL_DOCIDS, pRight, nRight);
  1.1555 +  dlwInit(&writer, DL_DOCIDS, pOut);
  1.1556 +
  1.1557 +  while( !dlrAtEnd(&left) || !dlrAtEnd(&right) ){
  1.1558 +    if( dlrAtEnd(&right) ){
  1.1559 +      dlwAdd(&writer, dlrDocid(&left));
  1.1560 +      dlrStep(&left);
  1.1561 +    }else if( dlrAtEnd(&left) ){
  1.1562 +      dlwAdd(&writer, dlrDocid(&right));
  1.1563 +      dlrStep(&right);
  1.1564 +    }else if( dlrDocid(&left)<dlrDocid(&right) ){
  1.1565 +      dlwAdd(&writer, dlrDocid(&left));
  1.1566 +      dlrStep(&left);
  1.1567 +    }else if( dlrDocid(&right)<dlrDocid(&left) ){
  1.1568 +      dlwAdd(&writer, dlrDocid(&right));
  1.1569 +      dlrStep(&right);
  1.1570 +    }else{
  1.1571 +      dlwAdd(&writer, dlrDocid(&left));
  1.1572 +      dlrStep(&left);
  1.1573 +      dlrStep(&right);
  1.1574 +    }
  1.1575 +  }
  1.1576 +
  1.1577 +  dlrDestroy(&left);
  1.1578 +  dlrDestroy(&right);
  1.1579 +  dlwDestroy(&writer);
  1.1580 +}
  1.1581 +
  1.1582 +/* We have two DL_DOCIDS doclists:  pLeft and pRight.
  1.1583 +** Write into pOut as DL_DOCIDS doclist containing all documents that
  1.1584 +** occur in pLeft but not in pRight.
  1.1585 +*/
  1.1586 +static void docListExceptMerge(
  1.1587 +  const char *pLeft, int nLeft,
  1.1588 +  const char *pRight, int nRight,
  1.1589 +  DataBuffer *pOut      /* Write the combined doclist here */
  1.1590 +){
  1.1591 +  DLReader left, right;
  1.1592 +  DLWriter writer;
  1.1593 +
  1.1594 +  if( nLeft==0 ) return;
  1.1595 +  if( nRight==0 ){
  1.1596 +    dataBufferAppend(pOut, pLeft, nLeft);
  1.1597 +    return;
  1.1598 +  }
  1.1599 +
  1.1600 +  dlrInit(&left, DL_DOCIDS, pLeft, nLeft);
  1.1601 +  dlrInit(&right, DL_DOCIDS, pRight, nRight);
  1.1602 +  dlwInit(&writer, DL_DOCIDS, pOut);
  1.1603 +
  1.1604 +  while( !dlrAtEnd(&left) ){
  1.1605 +    while( !dlrAtEnd(&right) && dlrDocid(&right)<dlrDocid(&left) ){
  1.1606 +      dlrStep(&right);
  1.1607 +    }
  1.1608 +    if( dlrAtEnd(&right) || dlrDocid(&left)<dlrDocid(&right) ){
  1.1609 +      dlwAdd(&writer, dlrDocid(&left));
  1.1610 +    }
  1.1611 +    dlrStep(&left);
  1.1612 +  }
  1.1613 +
  1.1614 +  dlrDestroy(&left);
  1.1615 +  dlrDestroy(&right);
  1.1616 +  dlwDestroy(&writer);
  1.1617 +}
  1.1618 +
  1.1619 +static char *string_dup_n(const char *s, int n){
  1.1620 +  char *str = sqlite3_malloc(n + 1);
  1.1621 +  memcpy(str, s, n);
  1.1622 +  str[n] = '\0';
  1.1623 +  return str;
  1.1624 +}
  1.1625 +
  1.1626 +/* Duplicate a string; the caller must free() the returned string.
  1.1627 + * (We don't use strdup() since it is not part of the standard C library and
  1.1628 + * may not be available everywhere.) */
  1.1629 +static char *string_dup(const char *s){
  1.1630 +  return string_dup_n(s, strlen(s));
  1.1631 +}
  1.1632 +
  1.1633 +/* Format a string, replacing each occurrence of the % character with
  1.1634 + * zDb.zName.  This may be more convenient than sqlite_mprintf()
  1.1635 + * when one string is used repeatedly in a format string.
  1.1636 + * The caller must free() the returned string. */
  1.1637 +static char *string_format(const char *zFormat,
  1.1638 +                           const char *zDb, const char *zName){
  1.1639 +  const char *p;
  1.1640 +  size_t len = 0;
  1.1641 +  size_t nDb = strlen(zDb);
  1.1642 +  size_t nName = strlen(zName);
  1.1643 +  size_t nFullTableName = nDb+1+nName;
  1.1644 +  char *result;
  1.1645 +  char *r;
  1.1646 +
  1.1647 +  /* first compute length needed */
  1.1648 +  for(p = zFormat ; *p ; ++p){
  1.1649 +    len += (*p=='%' ? nFullTableName : 1);
  1.1650 +  }
  1.1651 +  len += 1;  /* for null terminator */
  1.1652 +
  1.1653 +  r = result = sqlite3_malloc(len);
  1.1654 +  for(p = zFormat; *p; ++p){
  1.1655 +    if( *p=='%' ){
  1.1656 +      memcpy(r, zDb, nDb);
  1.1657 +      r += nDb;
  1.1658 +      *r++ = '.';
  1.1659 +      memcpy(r, zName, nName);
  1.1660 +      r += nName;
  1.1661 +    } else {
  1.1662 +      *r++ = *p;
  1.1663 +    }
  1.1664 +  }
  1.1665 +  *r++ = '\0';
  1.1666 +  assert( r == result + len );
  1.1667 +  return result;
  1.1668 +}
  1.1669 +
  1.1670 +static int sql_exec(sqlite3 *db, const char *zDb, const char *zName,
  1.1671 +                    const char *zFormat){
  1.1672 +  char *zCommand = string_format(zFormat, zDb, zName);
  1.1673 +  int rc;
  1.1674 +  TRACE(("FTS2 sql: %s\n", zCommand));
  1.1675 +  rc = sqlite3_exec(db, zCommand, NULL, 0, NULL);
  1.1676 +  sqlite3_free(zCommand);
  1.1677 +  return rc;
  1.1678 +}
  1.1679 +
  1.1680 +static int sql_prepare(sqlite3 *db, const char *zDb, const char *zName,
  1.1681 +                       sqlite3_stmt **ppStmt, const char *zFormat){
  1.1682 +  char *zCommand = string_format(zFormat, zDb, zName);
  1.1683 +  int rc;
  1.1684 +  TRACE(("FTS2 prepare: %s\n", zCommand));
  1.1685 +  rc = sqlite3_prepare_v2(db, zCommand, -1, ppStmt, NULL);
  1.1686 +  sqlite3_free(zCommand);
  1.1687 +  return rc;
  1.1688 +}
  1.1689 +
  1.1690 +/* end utility functions */
  1.1691 +
  1.1692 +/* Forward reference */
  1.1693 +typedef struct fulltext_vtab fulltext_vtab;
  1.1694 +
  1.1695 +/* A single term in a query is represented by an instances of
  1.1696 +** the following structure.
  1.1697 +*/
  1.1698 +typedef struct QueryTerm {
  1.1699 +  short int nPhrase; /* How many following terms are part of the same phrase */
  1.1700 +  short int iPhrase; /* This is the i-th term of a phrase. */
  1.1701 +  short int iColumn; /* Column of the index that must match this term */
  1.1702 +  signed char isOr;  /* this term is preceded by "OR" */
  1.1703 +  signed char isNot; /* this term is preceded by "-" */
  1.1704 +  signed char isPrefix; /* this term is followed by "*" */
  1.1705 +  char *pTerm;       /* text of the term.  '\000' terminated.  malloced */
  1.1706 +  int nTerm;         /* Number of bytes in pTerm[] */
  1.1707 +} QueryTerm;
  1.1708 +
  1.1709 +
  1.1710 +/* A query string is parsed into a Query structure.
  1.1711 + *
  1.1712 + * We could, in theory, allow query strings to be complicated
  1.1713 + * nested expressions with precedence determined by parentheses.
  1.1714 + * But none of the major search engines do this.  (Perhaps the
  1.1715 + * feeling is that an parenthesized expression is two complex of
  1.1716 + * an idea for the average user to grasp.)  Taking our lead from
  1.1717 + * the major search engines, we will allow queries to be a list
  1.1718 + * of terms (with an implied AND operator) or phrases in double-quotes,
  1.1719 + * with a single optional "-" before each non-phrase term to designate
  1.1720 + * negation and an optional OR connector.
  1.1721 + *
  1.1722 + * OR binds more tightly than the implied AND, which is what the
  1.1723 + * major search engines seem to do.  So, for example:
  1.1724 + * 
  1.1725 + *    [one two OR three]     ==>    one AND (two OR three)
  1.1726 + *    [one OR two three]     ==>    (one OR two) AND three
  1.1727 + *
  1.1728 + * A "-" before a term matches all entries that lack that term.
  1.1729 + * The "-" must occur immediately before the term with in intervening
  1.1730 + * space.  This is how the search engines do it.
  1.1731 + *
  1.1732 + * A NOT term cannot be the right-hand operand of an OR.  If this
  1.1733 + * occurs in the query string, the NOT is ignored:
  1.1734 + *
  1.1735 + *    [one OR -two]          ==>    one OR two
  1.1736 + *
  1.1737 + */
  1.1738 +typedef struct Query {
  1.1739 +  fulltext_vtab *pFts;  /* The full text index */
  1.1740 +  int nTerms;           /* Number of terms in the query */
  1.1741 +  QueryTerm *pTerms;    /* Array of terms.  Space obtained from malloc() */
  1.1742 +  int nextIsOr;         /* Set the isOr flag on the next inserted term */
  1.1743 +  int nextColumn;       /* Next word parsed must be in this column */
  1.1744 +  int dfltColumn;       /* The default column */
  1.1745 +} Query;
  1.1746 +
  1.1747 +
  1.1748 +/*
  1.1749 +** An instance of the following structure keeps track of generated
  1.1750 +** matching-word offset information and snippets.
  1.1751 +*/
  1.1752 +typedef struct Snippet {
  1.1753 +  int nMatch;     /* Total number of matches */
  1.1754 +  int nAlloc;     /* Space allocated for aMatch[] */
  1.1755 +  struct snippetMatch { /* One entry for each matching term */
  1.1756 +    char snStatus;       /* Status flag for use while constructing snippets */
  1.1757 +    short int iCol;      /* The column that contains the match */
  1.1758 +    short int iTerm;     /* The index in Query.pTerms[] of the matching term */
  1.1759 +    short int nByte;     /* Number of bytes in the term */
  1.1760 +    int iStart;          /* The offset to the first character of the term */
  1.1761 +  } *aMatch;      /* Points to space obtained from malloc */
  1.1762 +  char *zOffset;  /* Text rendering of aMatch[] */
  1.1763 +  int nOffset;    /* strlen(zOffset) */
  1.1764 +  char *zSnippet; /* Snippet text */
  1.1765 +  int nSnippet;   /* strlen(zSnippet) */
  1.1766 +} Snippet;
  1.1767 +
  1.1768 +
  1.1769 +typedef enum QueryType {
  1.1770 +  QUERY_GENERIC,   /* table scan */
  1.1771 +  QUERY_ROWID,     /* lookup by rowid */
  1.1772 +  QUERY_FULLTEXT   /* QUERY_FULLTEXT + [i] is a full-text search for column i*/
  1.1773 +} QueryType;
  1.1774 +
  1.1775 +typedef enum fulltext_statement {
  1.1776 +  CONTENT_INSERT_STMT,
  1.1777 +  CONTENT_SELECT_STMT,
  1.1778 +  CONTENT_UPDATE_STMT,
  1.1779 +  CONTENT_DELETE_STMT,
  1.1780 +  CONTENT_EXISTS_STMT,
  1.1781 +
  1.1782 +  BLOCK_INSERT_STMT,
  1.1783 +  BLOCK_SELECT_STMT,
  1.1784 +  BLOCK_DELETE_STMT,
  1.1785 +  BLOCK_DELETE_ALL_STMT,
  1.1786 +
  1.1787 +  SEGDIR_MAX_INDEX_STMT,
  1.1788 +  SEGDIR_SET_STMT,
  1.1789 +  SEGDIR_SELECT_LEVEL_STMT,
  1.1790 +  SEGDIR_SPAN_STMT,
  1.1791 +  SEGDIR_DELETE_STMT,
  1.1792 +  SEGDIR_SELECT_SEGMENT_STMT,
  1.1793 +  SEGDIR_SELECT_ALL_STMT,
  1.1794 +  SEGDIR_DELETE_ALL_STMT,
  1.1795 +  SEGDIR_COUNT_STMT,
  1.1796 +
  1.1797 +  MAX_STMT                     /* Always at end! */
  1.1798 +} fulltext_statement;
  1.1799 +
  1.1800 +/* These must exactly match the enum above. */
  1.1801 +/* TODO(shess): Is there some risk that a statement will be used in two
  1.1802 +** cursors at once, e.g.  if a query joins a virtual table to itself?
  1.1803 +** If so perhaps we should move some of these to the cursor object.
  1.1804 +*/
  1.1805 +static const char *const fulltext_zStatement[MAX_STMT] = {
  1.1806 +  /* CONTENT_INSERT */ NULL,  /* generated in contentInsertStatement() */
  1.1807 +  /* CONTENT_SELECT */ "select * from %_content where rowid = ?",
  1.1808 +  /* CONTENT_UPDATE */ NULL,  /* generated in contentUpdateStatement() */
  1.1809 +  /* CONTENT_DELETE */ "delete from %_content where rowid = ?",
  1.1810 +  /* CONTENT_EXISTS */ "select rowid from %_content limit 1",
  1.1811 +
  1.1812 +  /* BLOCK_INSERT */ "insert into %_segments values (?)",
  1.1813 +  /* BLOCK_SELECT */ "select block from %_segments where rowid = ?",
  1.1814 +  /* BLOCK_DELETE */ "delete from %_segments where rowid between ? and ?",
  1.1815 +  /* BLOCK_DELETE_ALL */ "delete from %_segments",
  1.1816 +
  1.1817 +  /* SEGDIR_MAX_INDEX */ "select max(idx) from %_segdir where level = ?",
  1.1818 +  /* SEGDIR_SET */ "insert into %_segdir values (?, ?, ?, ?, ?, ?)",
  1.1819 +  /* SEGDIR_SELECT_LEVEL */
  1.1820 +  "select start_block, leaves_end_block, root from %_segdir "
  1.1821 +  " where level = ? order by idx",
  1.1822 +  /* SEGDIR_SPAN */
  1.1823 +  "select min(start_block), max(end_block) from %_segdir "
  1.1824 +  " where level = ? and start_block <> 0",
  1.1825 +  /* SEGDIR_DELETE */ "delete from %_segdir where level = ?",
  1.1826 +
  1.1827 +  /* NOTE(shess): The first three results of the following two
  1.1828 +  ** statements must match.
  1.1829 +  */
  1.1830 +  /* SEGDIR_SELECT_SEGMENT */
  1.1831 +  "select start_block, leaves_end_block, root from %_segdir "
  1.1832 +  " where level = ? and idx = ?",
  1.1833 +  /* SEGDIR_SELECT_ALL */
  1.1834 +  "select start_block, leaves_end_block, root from %_segdir "
  1.1835 +  " order by level desc, idx asc",
  1.1836 +  /* SEGDIR_DELETE_ALL */ "delete from %_segdir",
  1.1837 +  /* SEGDIR_COUNT */ "select count(*), ifnull(max(level),0) from %_segdir",
  1.1838 +};
  1.1839 +
  1.1840 +/*
  1.1841 +** A connection to a fulltext index is an instance of the following
  1.1842 +** structure.  The xCreate and xConnect methods create an instance
  1.1843 +** of this structure and xDestroy and xDisconnect free that instance.
  1.1844 +** All other methods receive a pointer to the structure as one of their
  1.1845 +** arguments.
  1.1846 +*/
  1.1847 +struct fulltext_vtab {
  1.1848 +  sqlite3_vtab base;               /* Base class used by SQLite core */
  1.1849 +  sqlite3 *db;                     /* The database connection */
  1.1850 +  const char *zDb;                 /* logical database name */
  1.1851 +  const char *zName;               /* virtual table name */
  1.1852 +  int nColumn;                     /* number of columns in virtual table */
  1.1853 +  char **azColumn;                 /* column names.  malloced */
  1.1854 +  char **azContentColumn;          /* column names in content table; malloced */
  1.1855 +  sqlite3_tokenizer *pTokenizer;   /* tokenizer for inserts and queries */
  1.1856 +
  1.1857 +  /* Precompiled statements which we keep as long as the table is
  1.1858 +  ** open.
  1.1859 +  */
  1.1860 +  sqlite3_stmt *pFulltextStatements[MAX_STMT];
  1.1861 +
  1.1862 +  /* Precompiled statements used for segment merges.  We run a
  1.1863 +  ** separate select across the leaf level of each tree being merged.
  1.1864 +  */
  1.1865 +  sqlite3_stmt *pLeafSelectStmts[MERGE_COUNT];
  1.1866 +  /* The statement used to prepare pLeafSelectStmts. */
  1.1867 +#define LEAF_SELECT \
  1.1868 +  "select block from %_segments where rowid between ? and ? order by rowid"
  1.1869 +
  1.1870 +  /* These buffer pending index updates during transactions.
  1.1871 +  ** nPendingData estimates the memory size of the pending data.  It
  1.1872 +  ** doesn't include the hash-bucket overhead, nor any malloc
  1.1873 +  ** overhead.  When nPendingData exceeds kPendingThreshold, the
  1.1874 +  ** buffer is flushed even before the transaction closes.
  1.1875 +  ** pendingTerms stores the data, and is only valid when nPendingData
  1.1876 +  ** is >=0 (nPendingData<0 means pendingTerms has not been
  1.1877 +  ** initialized).  iPrevDocid is the last docid written, used to make
  1.1878 +  ** certain we're inserting in sorted order.
  1.1879 +  */
  1.1880 +  int nPendingData;
  1.1881 +#define kPendingThreshold (1*1024*1024)
  1.1882 +  sqlite_int64 iPrevDocid;
  1.1883 +  fts2Hash pendingTerms;
  1.1884 +};
  1.1885 +
  1.1886 +/*
  1.1887 +** When the core wants to do a query, it create a cursor using a
  1.1888 +** call to xOpen.  This structure is an instance of a cursor.  It
  1.1889 +** is destroyed by xClose.
  1.1890 +*/
  1.1891 +typedef struct fulltext_cursor {
  1.1892 +  sqlite3_vtab_cursor base;        /* Base class used by SQLite core */
  1.1893 +  QueryType iCursorType;           /* Copy of sqlite3_index_info.idxNum */
  1.1894 +  sqlite3_stmt *pStmt;             /* Prepared statement in use by the cursor */
  1.1895 +  int eof;                         /* True if at End Of Results */
  1.1896 +  Query q;                         /* Parsed query string */
  1.1897 +  Snippet snippet;                 /* Cached snippet for the current row */
  1.1898 +  int iColumn;                     /* Column being searched */
  1.1899 +  DataBuffer result;               /* Doclist results from fulltextQuery */
  1.1900 +  DLReader reader;                 /* Result reader if result not empty */
  1.1901 +} fulltext_cursor;
  1.1902 +
  1.1903 +static struct fulltext_vtab *cursor_vtab(fulltext_cursor *c){
  1.1904 +  return (fulltext_vtab *) c->base.pVtab;
  1.1905 +}
  1.1906 +
  1.1907 +static const sqlite3_module fts2Module;   /* forward declaration */
  1.1908 +
  1.1909 +/* Return a dynamically generated statement of the form
  1.1910 + *   insert into %_content (rowid, ...) values (?, ...)
  1.1911 + */
  1.1912 +static const char *contentInsertStatement(fulltext_vtab *v){
  1.1913 +  StringBuffer sb;
  1.1914 +  int i;
  1.1915 +
  1.1916 +  initStringBuffer(&sb);
  1.1917 +  append(&sb, "insert into %_content (rowid, ");
  1.1918 +  appendList(&sb, v->nColumn, v->azContentColumn);
  1.1919 +  append(&sb, ") values (?");
  1.1920 +  for(i=0; i<v->nColumn; ++i)
  1.1921 +    append(&sb, ", ?");
  1.1922 +  append(&sb, ")");
  1.1923 +  return stringBufferData(&sb);
  1.1924 +}
  1.1925 +
  1.1926 +/* Return a dynamically generated statement of the form
  1.1927 + *   update %_content set [col_0] = ?, [col_1] = ?, ...
  1.1928 + *                    where rowid = ?
  1.1929 + */
  1.1930 +static const char *contentUpdateStatement(fulltext_vtab *v){
  1.1931 +  StringBuffer sb;
  1.1932 +  int i;
  1.1933 +
  1.1934 +  initStringBuffer(&sb);
  1.1935 +  append(&sb, "update %_content set ");
  1.1936 +  for(i=0; i<v->nColumn; ++i) {
  1.1937 +    if( i>0 ){
  1.1938 +      append(&sb, ", ");
  1.1939 +    }
  1.1940 +    append(&sb, v->azContentColumn[i]);
  1.1941 +    append(&sb, " = ?");
  1.1942 +  }
  1.1943 +  append(&sb, " where rowid = ?");
  1.1944 +  return stringBufferData(&sb);
  1.1945 +}
  1.1946 +
  1.1947 +/* Puts a freshly-prepared statement determined by iStmt in *ppStmt.
  1.1948 +** If the indicated statement has never been prepared, it is prepared
  1.1949 +** and cached, otherwise the cached version is reset.
  1.1950 +*/
  1.1951 +static int sql_get_statement(fulltext_vtab *v, fulltext_statement iStmt,
  1.1952 +                             sqlite3_stmt **ppStmt){
  1.1953 +  assert( iStmt<MAX_STMT );
  1.1954 +  if( v->pFulltextStatements[iStmt]==NULL ){
  1.1955 +    const char *zStmt;
  1.1956 +    int rc;
  1.1957 +    switch( iStmt ){
  1.1958 +      case CONTENT_INSERT_STMT:
  1.1959 +        zStmt = contentInsertStatement(v); break;
  1.1960 +      case CONTENT_UPDATE_STMT:
  1.1961 +        zStmt = contentUpdateStatement(v); break;
  1.1962 +      default:
  1.1963 +        zStmt = fulltext_zStatement[iStmt];
  1.1964 +    }
  1.1965 +    rc = sql_prepare(v->db, v->zDb, v->zName, &v->pFulltextStatements[iStmt],
  1.1966 +                         zStmt);
  1.1967 +    if( zStmt != fulltext_zStatement[iStmt]) sqlite3_free((void *) zStmt);
  1.1968 +    if( rc!=SQLITE_OK ) return rc;
  1.1969 +  } else {
  1.1970 +    int rc = sqlite3_reset(v->pFulltextStatements[iStmt]);
  1.1971 +    if( rc!=SQLITE_OK ) return rc;
  1.1972 +  }
  1.1973 +
  1.1974 +  *ppStmt = v->pFulltextStatements[iStmt];
  1.1975 +  return SQLITE_OK;
  1.1976 +}
  1.1977 +
  1.1978 +/* Like sqlite3_step(), but convert SQLITE_DONE to SQLITE_OK and
  1.1979 +** SQLITE_ROW to SQLITE_ERROR.  Useful for statements like UPDATE,
  1.1980 +** where we expect no results.
  1.1981 +*/
  1.1982 +static int sql_single_step(sqlite3_stmt *s){
  1.1983 +  int rc = sqlite3_step(s);
  1.1984 +  return (rc==SQLITE_DONE) ? SQLITE_OK : rc;
  1.1985 +}
  1.1986 +
  1.1987 +/* Like sql_get_statement(), but for special replicated LEAF_SELECT
  1.1988 +** statements.  idx -1 is a special case for an uncached version of
  1.1989 +** the statement (used in the optimize implementation).
  1.1990 +*/
  1.1991 +/* TODO(shess) Write version for generic statements and then share
  1.1992 +** that between the cached-statement functions.
  1.1993 +*/
  1.1994 +static int sql_get_leaf_statement(fulltext_vtab *v, int idx,
  1.1995 +                                  sqlite3_stmt **ppStmt){
  1.1996 +  assert( idx>=-1 && idx<MERGE_COUNT );
  1.1997 +  if( idx==-1 ){
  1.1998 +    return sql_prepare(v->db, v->zDb, v->zName, ppStmt, LEAF_SELECT);
  1.1999 +  }else if( v->pLeafSelectStmts[idx]==NULL ){
  1.2000 +    int rc = sql_prepare(v->db, v->zDb, v->zName, &v->pLeafSelectStmts[idx],
  1.2001 +                         LEAF_SELECT);
  1.2002 +    if( rc!=SQLITE_OK ) return rc;
  1.2003 +  }else{
  1.2004 +    int rc = sqlite3_reset(v->pLeafSelectStmts[idx]);
  1.2005 +    if( rc!=SQLITE_OK ) return rc;
  1.2006 +  }
  1.2007 +
  1.2008 +  *ppStmt = v->pLeafSelectStmts[idx];
  1.2009 +  return SQLITE_OK;
  1.2010 +}
  1.2011 +
  1.2012 +/* insert into %_content (rowid, ...) values ([rowid], [pValues]) */
  1.2013 +static int content_insert(fulltext_vtab *v, sqlite3_value *rowid,
  1.2014 +                          sqlite3_value **pValues){
  1.2015 +  sqlite3_stmt *s;
  1.2016 +  int i;
  1.2017 +  int rc = sql_get_statement(v, CONTENT_INSERT_STMT, &s);
  1.2018 +  if( rc!=SQLITE_OK ) return rc;
  1.2019 +
  1.2020 +  rc = sqlite3_bind_value(s, 1, rowid);
  1.2021 +  if( rc!=SQLITE_OK ) return rc;
  1.2022 +
  1.2023 +  for(i=0; i<v->nColumn; ++i){
  1.2024 +    rc = sqlite3_bind_value(s, 2+i, pValues[i]);
  1.2025 +    if( rc!=SQLITE_OK ) return rc;
  1.2026 +  }
  1.2027 +
  1.2028 +  return sql_single_step(s);
  1.2029 +}
  1.2030 +
  1.2031 +/* update %_content set col0 = pValues[0], col1 = pValues[1], ...
  1.2032 + *                  where rowid = [iRowid] */
  1.2033 +static int content_update(fulltext_vtab *v, sqlite3_value **pValues,
  1.2034 +                          sqlite_int64 iRowid){
  1.2035 +  sqlite3_stmt *s;
  1.2036 +  int i;
  1.2037 +  int rc = sql_get_statement(v, CONTENT_UPDATE_STMT, &s);
  1.2038 +  if( rc!=SQLITE_OK ) return rc;
  1.2039 +
  1.2040 +  for(i=0; i<v->nColumn; ++i){
  1.2041 +    rc = sqlite3_bind_value(s, 1+i, pValues[i]);
  1.2042 +    if( rc!=SQLITE_OK ) return rc;
  1.2043 +  }
  1.2044 +
  1.2045 +  rc = sqlite3_bind_int64(s, 1+v->nColumn, iRowid);
  1.2046 +  if( rc!=SQLITE_OK ) return rc;
  1.2047 +
  1.2048 +  return sql_single_step(s);
  1.2049 +}
  1.2050 +
  1.2051 +static void freeStringArray(int nString, const char **pString){
  1.2052 +  int i;
  1.2053 +
  1.2054 +  for (i=0 ; i < nString ; ++i) {
  1.2055 +    if( pString[i]!=NULL ) sqlite3_free((void *) pString[i]);
  1.2056 +  }
  1.2057 +  sqlite3_free((void *) pString);
  1.2058 +}
  1.2059 +
  1.2060 +/* select * from %_content where rowid = [iRow]
  1.2061 + * The caller must delete the returned array and all strings in it.
  1.2062 + * null fields will be NULL in the returned array.
  1.2063 + *
  1.2064 + * TODO: Perhaps we should return pointer/length strings here for consistency
  1.2065 + * with other code which uses pointer/length. */
  1.2066 +static int content_select(fulltext_vtab *v, sqlite_int64 iRow,
  1.2067 +                          const char ***pValues){
  1.2068 +  sqlite3_stmt *s;
  1.2069 +  const char **values;
  1.2070 +  int i;
  1.2071 +  int rc;
  1.2072 +
  1.2073 +  *pValues = NULL;
  1.2074 +
  1.2075 +  rc = sql_get_statement(v, CONTENT_SELECT_STMT, &s);
  1.2076 +  if( rc!=SQLITE_OK ) return rc;
  1.2077 +
  1.2078 +  rc = sqlite3_bind_int64(s, 1, iRow);
  1.2079 +  if( rc!=SQLITE_OK ) return rc;
  1.2080 +
  1.2081 +  rc = sqlite3_step(s);
  1.2082 +  if( rc!=SQLITE_ROW ) return rc;
  1.2083 +
  1.2084 +  values = (const char **) sqlite3_malloc(v->nColumn * sizeof(const char *));
  1.2085 +  for(i=0; i<v->nColumn; ++i){
  1.2086 +    if( sqlite3_column_type(s, i)==SQLITE_NULL ){
  1.2087 +      values[i] = NULL;
  1.2088 +    }else{
  1.2089 +      values[i] = string_dup((char*)sqlite3_column_text(s, i));
  1.2090 +    }
  1.2091 +  }
  1.2092 +
  1.2093 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.2094 +   * to complete the iteration; otherwise the table will remain locked. */
  1.2095 +  rc = sqlite3_step(s);
  1.2096 +  if( rc==SQLITE_DONE ){
  1.2097 +    *pValues = values;
  1.2098 +    return SQLITE_OK;
  1.2099 +  }
  1.2100 +
  1.2101 +  freeStringArray(v->nColumn, values);
  1.2102 +  return rc;
  1.2103 +}
  1.2104 +
  1.2105 +/* delete from %_content where rowid = [iRow ] */
  1.2106 +static int content_delete(fulltext_vtab *v, sqlite_int64 iRow){
  1.2107 +  sqlite3_stmt *s;
  1.2108 +  int rc = sql_get_statement(v, CONTENT_DELETE_STMT, &s);
  1.2109 +  if( rc!=SQLITE_OK ) return rc;
  1.2110 +
  1.2111 +  rc = sqlite3_bind_int64(s, 1, iRow);
  1.2112 +  if( rc!=SQLITE_OK ) return rc;
  1.2113 +
  1.2114 +  return sql_single_step(s);
  1.2115 +}
  1.2116 +
  1.2117 +/* Returns SQLITE_ROW if any rows exist in %_content, SQLITE_DONE if
  1.2118 +** no rows exist, and any error in case of failure.
  1.2119 +*/
  1.2120 +static int content_exists(fulltext_vtab *v){
  1.2121 +  sqlite3_stmt *s;
  1.2122 +  int rc = sql_get_statement(v, CONTENT_EXISTS_STMT, &s);
  1.2123 +  if( rc!=SQLITE_OK ) return rc;
  1.2124 +
  1.2125 +  rc = sqlite3_step(s);
  1.2126 +  if( rc!=SQLITE_ROW ) return rc;
  1.2127 +
  1.2128 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.2129 +   * to complete the iteration; otherwise the table will remain locked. */
  1.2130 +  rc = sqlite3_step(s);
  1.2131 +  if( rc==SQLITE_DONE ) return SQLITE_ROW;
  1.2132 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2133 +  return rc;
  1.2134 +}
  1.2135 +
  1.2136 +/* insert into %_segments values ([pData])
  1.2137 +**   returns assigned rowid in *piBlockid
  1.2138 +*/
  1.2139 +static int block_insert(fulltext_vtab *v, const char *pData, int nData,
  1.2140 +                        sqlite_int64 *piBlockid){
  1.2141 +  sqlite3_stmt *s;
  1.2142 +  int rc = sql_get_statement(v, BLOCK_INSERT_STMT, &s);
  1.2143 +  if( rc!=SQLITE_OK ) return rc;
  1.2144 +
  1.2145 +  rc = sqlite3_bind_blob(s, 1, pData, nData, SQLITE_STATIC);
  1.2146 +  if( rc!=SQLITE_OK ) return rc;
  1.2147 +
  1.2148 +  rc = sqlite3_step(s);
  1.2149 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2150 +  if( rc!=SQLITE_DONE ) return rc;
  1.2151 +
  1.2152 +  *piBlockid = sqlite3_last_insert_rowid(v->db);
  1.2153 +  return SQLITE_OK;
  1.2154 +}
  1.2155 +
  1.2156 +/* delete from %_segments
  1.2157 +**   where rowid between [iStartBlockid] and [iEndBlockid]
  1.2158 +**
  1.2159 +** Deletes the range of blocks, inclusive, used to delete the blocks
  1.2160 +** which form a segment.
  1.2161 +*/
  1.2162 +static int block_delete(fulltext_vtab *v,
  1.2163 +                        sqlite_int64 iStartBlockid, sqlite_int64 iEndBlockid){
  1.2164 +  sqlite3_stmt *s;
  1.2165 +  int rc = sql_get_statement(v, BLOCK_DELETE_STMT, &s);
  1.2166 +  if( rc!=SQLITE_OK ) return rc;
  1.2167 +
  1.2168 +  rc = sqlite3_bind_int64(s, 1, iStartBlockid);
  1.2169 +  if( rc!=SQLITE_OK ) return rc;
  1.2170 +
  1.2171 +  rc = sqlite3_bind_int64(s, 2, iEndBlockid);
  1.2172 +  if( rc!=SQLITE_OK ) return rc;
  1.2173 +
  1.2174 +  return sql_single_step(s);
  1.2175 +}
  1.2176 +
  1.2177 +/* Returns SQLITE_ROW with *pidx set to the maximum segment idx found
  1.2178 +** at iLevel.  Returns SQLITE_DONE if there are no segments at
  1.2179 +** iLevel.  Otherwise returns an error.
  1.2180 +*/
  1.2181 +static int segdir_max_index(fulltext_vtab *v, int iLevel, int *pidx){
  1.2182 +  sqlite3_stmt *s;
  1.2183 +  int rc = sql_get_statement(v, SEGDIR_MAX_INDEX_STMT, &s);
  1.2184 +  if( rc!=SQLITE_OK ) return rc;
  1.2185 +
  1.2186 +  rc = sqlite3_bind_int(s, 1, iLevel);
  1.2187 +  if( rc!=SQLITE_OK ) return rc;
  1.2188 +
  1.2189 +  rc = sqlite3_step(s);
  1.2190 +  /* Should always get at least one row due to how max() works. */
  1.2191 +  if( rc==SQLITE_DONE ) return SQLITE_DONE;
  1.2192 +  if( rc!=SQLITE_ROW ) return rc;
  1.2193 +
  1.2194 +  /* NULL means that there were no inputs to max(). */
  1.2195 +  if( SQLITE_NULL==sqlite3_column_type(s, 0) ){
  1.2196 +    rc = sqlite3_step(s);
  1.2197 +    if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2198 +    return rc;
  1.2199 +  }
  1.2200 +
  1.2201 +  *pidx = sqlite3_column_int(s, 0);
  1.2202 +
  1.2203 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.2204 +   * to complete the iteration; otherwise the table will remain locked. */
  1.2205 +  rc = sqlite3_step(s);
  1.2206 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2207 +  if( rc!=SQLITE_DONE ) return rc;
  1.2208 +  return SQLITE_ROW;
  1.2209 +}
  1.2210 +
  1.2211 +/* insert into %_segdir values (
  1.2212 +**   [iLevel], [idx],
  1.2213 +**   [iStartBlockid], [iLeavesEndBlockid], [iEndBlockid],
  1.2214 +**   [pRootData]
  1.2215 +** )
  1.2216 +*/
  1.2217 +static int segdir_set(fulltext_vtab *v, int iLevel, int idx,
  1.2218 +                      sqlite_int64 iStartBlockid,
  1.2219 +                      sqlite_int64 iLeavesEndBlockid,
  1.2220 +                      sqlite_int64 iEndBlockid,
  1.2221 +                      const char *pRootData, int nRootData){
  1.2222 +  sqlite3_stmt *s;
  1.2223 +  int rc = sql_get_statement(v, SEGDIR_SET_STMT, &s);
  1.2224 +  if( rc!=SQLITE_OK ) return rc;
  1.2225 +
  1.2226 +  rc = sqlite3_bind_int(s, 1, iLevel);
  1.2227 +  if( rc!=SQLITE_OK ) return rc;
  1.2228 +
  1.2229 +  rc = sqlite3_bind_int(s, 2, idx);
  1.2230 +  if( rc!=SQLITE_OK ) return rc;
  1.2231 +
  1.2232 +  rc = sqlite3_bind_int64(s, 3, iStartBlockid);
  1.2233 +  if( rc!=SQLITE_OK ) return rc;
  1.2234 +
  1.2235 +  rc = sqlite3_bind_int64(s, 4, iLeavesEndBlockid);
  1.2236 +  if( rc!=SQLITE_OK ) return rc;
  1.2237 +
  1.2238 +  rc = sqlite3_bind_int64(s, 5, iEndBlockid);
  1.2239 +  if( rc!=SQLITE_OK ) return rc;
  1.2240 +
  1.2241 +  rc = sqlite3_bind_blob(s, 6, pRootData, nRootData, SQLITE_STATIC);
  1.2242 +  if( rc!=SQLITE_OK ) return rc;
  1.2243 +
  1.2244 +  return sql_single_step(s);
  1.2245 +}
  1.2246 +
  1.2247 +/* Queries %_segdir for the block span of the segments in level
  1.2248 +** iLevel.  Returns SQLITE_DONE if there are no blocks for iLevel,
  1.2249 +** SQLITE_ROW if there are blocks, else an error.
  1.2250 +*/
  1.2251 +static int segdir_span(fulltext_vtab *v, int iLevel,
  1.2252 +                       sqlite_int64 *piStartBlockid,
  1.2253 +                       sqlite_int64 *piEndBlockid){
  1.2254 +  sqlite3_stmt *s;
  1.2255 +  int rc = sql_get_statement(v, SEGDIR_SPAN_STMT, &s);
  1.2256 +  if( rc!=SQLITE_OK ) return rc;
  1.2257 +
  1.2258 +  rc = sqlite3_bind_int(s, 1, iLevel);
  1.2259 +  if( rc!=SQLITE_OK ) return rc;
  1.2260 +
  1.2261 +  rc = sqlite3_step(s);
  1.2262 +  if( rc==SQLITE_DONE ) return SQLITE_DONE;  /* Should never happen */
  1.2263 +  if( rc!=SQLITE_ROW ) return rc;
  1.2264 +
  1.2265 +  /* This happens if all segments at this level are entirely inline. */
  1.2266 +  if( SQLITE_NULL==sqlite3_column_type(s, 0) ){
  1.2267 +    /* We expect only one row.  We must execute another sqlite3_step()
  1.2268 +     * to complete the iteration; otherwise the table will remain locked. */
  1.2269 +    int rc2 = sqlite3_step(s);
  1.2270 +    if( rc2==SQLITE_ROW ) return SQLITE_ERROR;
  1.2271 +    return rc2;
  1.2272 +  }
  1.2273 +
  1.2274 +  *piStartBlockid = sqlite3_column_int64(s, 0);
  1.2275 +  *piEndBlockid = sqlite3_column_int64(s, 1);
  1.2276 +
  1.2277 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.2278 +   * to complete the iteration; otherwise the table will remain locked. */
  1.2279 +  rc = sqlite3_step(s);
  1.2280 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2281 +  if( rc!=SQLITE_DONE ) return rc;
  1.2282 +  return SQLITE_ROW;
  1.2283 +}
  1.2284 +
  1.2285 +/* Delete the segment blocks and segment directory records for all
  1.2286 +** segments at iLevel.
  1.2287 +*/
  1.2288 +static int segdir_delete(fulltext_vtab *v, int iLevel){
  1.2289 +  sqlite3_stmt *s;
  1.2290 +  sqlite_int64 iStartBlockid, iEndBlockid;
  1.2291 +  int rc = segdir_span(v, iLevel, &iStartBlockid, &iEndBlockid);
  1.2292 +  if( rc!=SQLITE_ROW && rc!=SQLITE_DONE ) return rc;
  1.2293 +
  1.2294 +  if( rc==SQLITE_ROW ){
  1.2295 +    rc = block_delete(v, iStartBlockid, iEndBlockid);
  1.2296 +    if( rc!=SQLITE_OK ) return rc;
  1.2297 +  }
  1.2298 +
  1.2299 +  /* Delete the segment directory itself. */
  1.2300 +  rc = sql_get_statement(v, SEGDIR_DELETE_STMT, &s);
  1.2301 +  if( rc!=SQLITE_OK ) return rc;
  1.2302 +
  1.2303 +  rc = sqlite3_bind_int64(s, 1, iLevel);
  1.2304 +  if( rc!=SQLITE_OK ) return rc;
  1.2305 +
  1.2306 +  return sql_single_step(s);
  1.2307 +}
  1.2308 +
  1.2309 +/* Delete entire fts index, SQLITE_OK on success, relevant error on
  1.2310 +** failure.
  1.2311 +*/
  1.2312 +static int segdir_delete_all(fulltext_vtab *v){
  1.2313 +  sqlite3_stmt *s;
  1.2314 +  int rc = sql_get_statement(v, SEGDIR_DELETE_ALL_STMT, &s);
  1.2315 +  if( rc!=SQLITE_OK ) return rc;
  1.2316 +
  1.2317 +  rc = sql_single_step(s);
  1.2318 +  if( rc!=SQLITE_OK ) return rc;
  1.2319 +
  1.2320 +  rc = sql_get_statement(v, BLOCK_DELETE_ALL_STMT, &s);
  1.2321 +  if( rc!=SQLITE_OK ) return rc;
  1.2322 +
  1.2323 +  return sql_single_step(s);
  1.2324 +}
  1.2325 +
  1.2326 +/* Returns SQLITE_OK with *pnSegments set to the number of entries in
  1.2327 +** %_segdir and *piMaxLevel set to the highest level which has a
  1.2328 +** segment.  Otherwise returns the SQLite error which caused failure.
  1.2329 +*/
  1.2330 +static int segdir_count(fulltext_vtab *v, int *pnSegments, int *piMaxLevel){
  1.2331 +  sqlite3_stmt *s;
  1.2332 +  int rc = sql_get_statement(v, SEGDIR_COUNT_STMT, &s);
  1.2333 +  if( rc!=SQLITE_OK ) return rc;
  1.2334 +
  1.2335 +  rc = sqlite3_step(s);
  1.2336 +  /* TODO(shess): This case should not be possible?  Should stronger
  1.2337 +  ** measures be taken if it happens?
  1.2338 +  */
  1.2339 +  if( rc==SQLITE_DONE ){
  1.2340 +    *pnSegments = 0;
  1.2341 +    *piMaxLevel = 0;
  1.2342 +    return SQLITE_OK;
  1.2343 +  }
  1.2344 +  if( rc!=SQLITE_ROW ) return rc;
  1.2345 +
  1.2346 +  *pnSegments = sqlite3_column_int(s, 0);
  1.2347 +  *piMaxLevel = sqlite3_column_int(s, 1);
  1.2348 +
  1.2349 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.2350 +   * to complete the iteration; otherwise the table will remain locked. */
  1.2351 +  rc = sqlite3_step(s);
  1.2352 +  if( rc==SQLITE_DONE ) return SQLITE_OK;
  1.2353 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.2354 +  return rc;
  1.2355 +}
  1.2356 +
  1.2357 +/* TODO(shess) clearPendingTerms() is far down the file because
  1.2358 +** writeZeroSegment() is far down the file because LeafWriter is far
  1.2359 +** down the file.  Consider refactoring the code to move the non-vtab
  1.2360 +** code above the vtab code so that we don't need this forward
  1.2361 +** reference.
  1.2362 +*/
  1.2363 +static int clearPendingTerms(fulltext_vtab *v);
  1.2364 +
  1.2365 +/*
  1.2366 +** Free the memory used to contain a fulltext_vtab structure.
  1.2367 +*/
  1.2368 +static void fulltext_vtab_destroy(fulltext_vtab *v){
  1.2369 +  int iStmt, i;
  1.2370 +
  1.2371 +  TRACE(("FTS2 Destroy %p\n", v));
  1.2372 +  for( iStmt=0; iStmt<MAX_STMT; iStmt++ ){
  1.2373 +    if( v->pFulltextStatements[iStmt]!=NULL ){
  1.2374 +      sqlite3_finalize(v->pFulltextStatements[iStmt]);
  1.2375 +      v->pFulltextStatements[iStmt] = NULL;
  1.2376 +    }
  1.2377 +  }
  1.2378 +
  1.2379 +  for( i=0; i<MERGE_COUNT; i++ ){
  1.2380 +    if( v->pLeafSelectStmts[i]!=NULL ){
  1.2381 +      sqlite3_finalize(v->pLeafSelectStmts[i]);
  1.2382 +      v->pLeafSelectStmts[i] = NULL;
  1.2383 +    }
  1.2384 +  }
  1.2385 +
  1.2386 +  if( v->pTokenizer!=NULL ){
  1.2387 +    v->pTokenizer->pModule->xDestroy(v->pTokenizer);
  1.2388 +    v->pTokenizer = NULL;
  1.2389 +  }
  1.2390 +
  1.2391 +  clearPendingTerms(v);
  1.2392 +
  1.2393 +  sqlite3_free(v->azColumn);
  1.2394 +  for(i = 0; i < v->nColumn; ++i) {
  1.2395 +    sqlite3_free(v->azContentColumn[i]);
  1.2396 +  }
  1.2397 +  sqlite3_free(v->azContentColumn);
  1.2398 +  sqlite3_free(v);
  1.2399 +}
  1.2400 +
  1.2401 +/*
  1.2402 +** Token types for parsing the arguments to xConnect or xCreate.
  1.2403 +*/
  1.2404 +#define TOKEN_EOF         0    /* End of file */
  1.2405 +#define TOKEN_SPACE       1    /* Any kind of whitespace */
  1.2406 +#define TOKEN_ID          2    /* An identifier */
  1.2407 +#define TOKEN_STRING      3    /* A string literal */
  1.2408 +#define TOKEN_PUNCT       4    /* A single punctuation character */
  1.2409 +
  1.2410 +/*
  1.2411 +** If X is a character that can be used in an identifier then
  1.2412 +** IdChar(X) will be true.  Otherwise it is false.
  1.2413 +**
  1.2414 +** For ASCII, any character with the high-order bit set is
  1.2415 +** allowed in an identifier.  For 7-bit characters, 
  1.2416 +** sqlite3IsIdChar[X] must be 1.
  1.2417 +**
  1.2418 +** Ticket #1066.  the SQL standard does not allow '$' in the
  1.2419 +** middle of identfiers.  But many SQL implementations do. 
  1.2420 +** SQLite will allow '$' in identifiers for compatibility.
  1.2421 +** But the feature is undocumented.
  1.2422 +*/
  1.2423 +static const char isIdChar[] = {
  1.2424 +/* x0 x1 x2 x3 x4 x5 x6 x7 x8 x9 xA xB xC xD xE xF */
  1.2425 +    0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,  /* 2x */
  1.2426 +    1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0, 0,  /* 3x */
  1.2427 +    0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,  /* 4x */
  1.2428 +    1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 1,  /* 5x */
  1.2429 +    0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,  /* 6x */
  1.2430 +    1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 0,  /* 7x */
  1.2431 +};
  1.2432 +#define IdChar(C)  (((c=C)&0x80)!=0 || (c>0x1f && isIdChar[c-0x20]))
  1.2433 +
  1.2434 +
  1.2435 +/*
  1.2436 +** Return the length of the token that begins at z[0]. 
  1.2437 +** Store the token type in *tokenType before returning.
  1.2438 +*/
  1.2439 +static int getToken(const char *z, int *tokenType){
  1.2440 +  int i, c;
  1.2441 +  switch( *z ){
  1.2442 +    case 0: {
  1.2443 +      *tokenType = TOKEN_EOF;
  1.2444 +      return 0;
  1.2445 +    }
  1.2446 +    case ' ': case '\t': case '\n': case '\f': case '\r': {
  1.2447 +      for(i=1; safe_isspace(z[i]); i++){}
  1.2448 +      *tokenType = TOKEN_SPACE;
  1.2449 +      return i;
  1.2450 +    }
  1.2451 +    case '`':
  1.2452 +    case '\'':
  1.2453 +    case '"': {
  1.2454 +      int delim = z[0];
  1.2455 +      for(i=1; (c=z[i])!=0; i++){
  1.2456 +        if( c==delim ){
  1.2457 +          if( z[i+1]==delim ){
  1.2458 +            i++;
  1.2459 +          }else{
  1.2460 +            break;
  1.2461 +          }
  1.2462 +        }
  1.2463 +      }
  1.2464 +      *tokenType = TOKEN_STRING;
  1.2465 +      return i + (c!=0);
  1.2466 +    }
  1.2467 +    case '[': {
  1.2468 +      for(i=1, c=z[0]; c!=']' && (c=z[i])!=0; i++){}
  1.2469 +      *tokenType = TOKEN_ID;
  1.2470 +      return i;
  1.2471 +    }
  1.2472 +    default: {
  1.2473 +      if( !IdChar(*z) ){
  1.2474 +        break;
  1.2475 +      }
  1.2476 +      for(i=1; IdChar(z[i]); i++){}
  1.2477 +      *tokenType = TOKEN_ID;
  1.2478 +      return i;
  1.2479 +    }
  1.2480 +  }
  1.2481 +  *tokenType = TOKEN_PUNCT;
  1.2482 +  return 1;
  1.2483 +}
  1.2484 +
  1.2485 +/*
  1.2486 +** A token extracted from a string is an instance of the following
  1.2487 +** structure.
  1.2488 +*/
  1.2489 +typedef struct Token {
  1.2490 +  const char *z;       /* Pointer to token text.  Not '\000' terminated */
  1.2491 +  short int n;         /* Length of the token text in bytes. */
  1.2492 +} Token;
  1.2493 +
  1.2494 +/*
  1.2495 +** Given a input string (which is really one of the argv[] parameters
  1.2496 +** passed into xConnect or xCreate) split the string up into tokens.
  1.2497 +** Return an array of pointers to '\000' terminated strings, one string
  1.2498 +** for each non-whitespace token.
  1.2499 +**
  1.2500 +** The returned array is terminated by a single NULL pointer.
  1.2501 +**
  1.2502 +** Space to hold the returned array is obtained from a single
  1.2503 +** malloc and should be freed by passing the return value to free().
  1.2504 +** The individual strings within the token list are all a part of
  1.2505 +** the single memory allocation and will all be freed at once.
  1.2506 +*/
  1.2507 +static char **tokenizeString(const char *z, int *pnToken){
  1.2508 +  int nToken = 0;
  1.2509 +  Token *aToken = sqlite3_malloc( strlen(z) * sizeof(aToken[0]) );
  1.2510 +  int n = 1;
  1.2511 +  int e, i;
  1.2512 +  int totalSize = 0;
  1.2513 +  char **azToken;
  1.2514 +  char *zCopy;
  1.2515 +  while( n>0 ){
  1.2516 +    n = getToken(z, &e);
  1.2517 +    if( e!=TOKEN_SPACE ){
  1.2518 +      aToken[nToken].z = z;
  1.2519 +      aToken[nToken].n = n;
  1.2520 +      nToken++;
  1.2521 +      totalSize += n+1;
  1.2522 +    }
  1.2523 +    z += n;
  1.2524 +  }
  1.2525 +  azToken = (char**)sqlite3_malloc( nToken*sizeof(char*) + totalSize );
  1.2526 +  zCopy = (char*)&azToken[nToken];
  1.2527 +  nToken--;
  1.2528 +  for(i=0; i<nToken; i++){
  1.2529 +    azToken[i] = zCopy;
  1.2530 +    n = aToken[i].n;
  1.2531 +    memcpy(zCopy, aToken[i].z, n);
  1.2532 +    zCopy[n] = 0;
  1.2533 +    zCopy += n+1;
  1.2534 +  }
  1.2535 +  azToken[nToken] = 0;
  1.2536 +  sqlite3_free(aToken);
  1.2537 +  *pnToken = nToken;
  1.2538 +  return azToken;
  1.2539 +}
  1.2540 +
  1.2541 +/*
  1.2542 +** Convert an SQL-style quoted string into a normal string by removing
  1.2543 +** the quote characters.  The conversion is done in-place.  If the
  1.2544 +** input does not begin with a quote character, then this routine
  1.2545 +** is a no-op.
  1.2546 +**
  1.2547 +** Examples:
  1.2548 +**
  1.2549 +**     "abc"   becomes   abc
  1.2550 +**     'xyz'   becomes   xyz
  1.2551 +**     [pqr]   becomes   pqr
  1.2552 +**     `mno`   becomes   mno
  1.2553 +*/
  1.2554 +static void dequoteString(char *z){
  1.2555 +  int quote;
  1.2556 +  int i, j;
  1.2557 +  if( z==0 ) return;
  1.2558 +  quote = z[0];
  1.2559 +  switch( quote ){
  1.2560 +    case '\'':  break;
  1.2561 +    case '"':   break;
  1.2562 +    case '`':   break;                /* For MySQL compatibility */
  1.2563 +    case '[':   quote = ']';  break;  /* For MS SqlServer compatibility */
  1.2564 +    default:    return;
  1.2565 +  }
  1.2566 +  for(i=1, j=0; z[i]; i++){
  1.2567 +    if( z[i]==quote ){
  1.2568 +      if( z[i+1]==quote ){
  1.2569 +        z[j++] = quote;
  1.2570 +        i++;
  1.2571 +      }else{
  1.2572 +        z[j++] = 0;
  1.2573 +        break;
  1.2574 +      }
  1.2575 +    }else{
  1.2576 +      z[j++] = z[i];
  1.2577 +    }
  1.2578 +  }
  1.2579 +}
  1.2580 +
  1.2581 +/*
  1.2582 +** The input azIn is a NULL-terminated list of tokens.  Remove the first
  1.2583 +** token and all punctuation tokens.  Remove the quotes from
  1.2584 +** around string literal tokens.
  1.2585 +**
  1.2586 +** Example:
  1.2587 +**
  1.2588 +**     input:      tokenize chinese ( 'simplifed' , 'mixed' )
  1.2589 +**     output:     chinese simplifed mixed
  1.2590 +**
  1.2591 +** Another example:
  1.2592 +**
  1.2593 +**     input:      delimiters ( '[' , ']' , '...' )
  1.2594 +**     output:     [ ] ...
  1.2595 +*/
  1.2596 +static void tokenListToIdList(char **azIn){
  1.2597 +  int i, j;
  1.2598 +  if( azIn ){
  1.2599 +    for(i=0, j=-1; azIn[i]; i++){
  1.2600 +      if( safe_isalnum(azIn[i][0]) || azIn[i][1] ){
  1.2601 +        dequoteString(azIn[i]);
  1.2602 +        if( j>=0 ){
  1.2603 +          azIn[j] = azIn[i];
  1.2604 +        }
  1.2605 +        j++;
  1.2606 +      }
  1.2607 +    }
  1.2608 +    azIn[j] = 0;
  1.2609 +  }
  1.2610 +}
  1.2611 +
  1.2612 +
  1.2613 +/*
  1.2614 +** Find the first alphanumeric token in the string zIn.  Null-terminate
  1.2615 +** this token.  Remove any quotation marks.  And return a pointer to
  1.2616 +** the result.
  1.2617 +*/
  1.2618 +static char *firstToken(char *zIn, char **pzTail){
  1.2619 +  int n, ttype;
  1.2620 +  while(1){
  1.2621 +    n = getToken(zIn, &ttype);
  1.2622 +    if( ttype==TOKEN_SPACE ){
  1.2623 +      zIn += n;
  1.2624 +    }else if( ttype==TOKEN_EOF ){
  1.2625 +      *pzTail = zIn;
  1.2626 +      return 0;
  1.2627 +    }else{
  1.2628 +      zIn[n] = 0;
  1.2629 +      *pzTail = &zIn[1];
  1.2630 +      dequoteString(zIn);
  1.2631 +      return zIn;
  1.2632 +    }
  1.2633 +  }
  1.2634 +  /*NOTREACHED*/
  1.2635 +}
  1.2636 +
  1.2637 +/* Return true if...
  1.2638 +**
  1.2639 +**   *  s begins with the string t, ignoring case
  1.2640 +**   *  s is longer than t
  1.2641 +**   *  The first character of s beyond t is not a alphanumeric
  1.2642 +** 
  1.2643 +** Ignore leading space in *s.
  1.2644 +**
  1.2645 +** To put it another way, return true if the first token of
  1.2646 +** s[] is t[].
  1.2647 +*/
  1.2648 +static int startsWith(const char *s, const char *t){
  1.2649 +  while( safe_isspace(*s) ){ s++; }
  1.2650 +  while( *t ){
  1.2651 +    if( safe_tolower(*s++)!=safe_tolower(*t++) ) return 0;
  1.2652 +  }
  1.2653 +  return *s!='_' && !safe_isalnum(*s);
  1.2654 +}
  1.2655 +
  1.2656 +/*
  1.2657 +** An instance of this structure defines the "spec" of a
  1.2658 +** full text index.  This structure is populated by parseSpec
  1.2659 +** and use by fulltextConnect and fulltextCreate.
  1.2660 +*/
  1.2661 +typedef struct TableSpec {
  1.2662 +  const char *zDb;         /* Logical database name */
  1.2663 +  const char *zName;       /* Name of the full-text index */
  1.2664 +  int nColumn;             /* Number of columns to be indexed */
  1.2665 +  char **azColumn;         /* Original names of columns to be indexed */
  1.2666 +  char **azContentColumn;  /* Column names for %_content */
  1.2667 +  char **azTokenizer;      /* Name of tokenizer and its arguments */
  1.2668 +} TableSpec;
  1.2669 +
  1.2670 +/*
  1.2671 +** Reclaim all of the memory used by a TableSpec
  1.2672 +*/
  1.2673 +static void clearTableSpec(TableSpec *p) {
  1.2674 +  sqlite3_free(p->azColumn);
  1.2675 +  sqlite3_free(p->azContentColumn);
  1.2676 +  sqlite3_free(p->azTokenizer);
  1.2677 +}
  1.2678 +
  1.2679 +/* Parse a CREATE VIRTUAL TABLE statement, which looks like this:
  1.2680 + *
  1.2681 + * CREATE VIRTUAL TABLE email
  1.2682 + *        USING fts2(subject, body, tokenize mytokenizer(myarg))
  1.2683 + *
  1.2684 + * We return parsed information in a TableSpec structure.
  1.2685 + * 
  1.2686 + */
  1.2687 +static int parseSpec(TableSpec *pSpec, int argc, const char *const*argv,
  1.2688 +                     char**pzErr){
  1.2689 +  int i, n;
  1.2690 +  char *z, *zDummy;
  1.2691 +  char **azArg;
  1.2692 +  const char *zTokenizer = 0;    /* argv[] entry describing the tokenizer */
  1.2693 +
  1.2694 +  assert( argc>=3 );
  1.2695 +  /* Current interface:
  1.2696 +  ** argv[0] - module name
  1.2697 +  ** argv[1] - database name
  1.2698 +  ** argv[2] - table name
  1.2699 +  ** argv[3..] - columns, optionally followed by tokenizer specification
  1.2700 +  **             and snippet delimiters specification.
  1.2701 +  */
  1.2702 +
  1.2703 +  /* Make a copy of the complete argv[][] array in a single allocation.
  1.2704 +  ** The argv[][] array is read-only and transient.  We can write to the
  1.2705 +  ** copy in order to modify things and the copy is persistent.
  1.2706 +  */
  1.2707 +  CLEAR(pSpec);
  1.2708 +  for(i=n=0; i<argc; i++){
  1.2709 +    n += strlen(argv[i]) + 1;
  1.2710 +  }
  1.2711 +  azArg = sqlite3_malloc( sizeof(char*)*argc + n );
  1.2712 +  if( azArg==0 ){
  1.2713 +    return SQLITE_NOMEM;
  1.2714 +  }
  1.2715 +  z = (char*)&azArg[argc];
  1.2716 +  for(i=0; i<argc; i++){
  1.2717 +    azArg[i] = z;
  1.2718 +    strcpy(z, argv[i]);
  1.2719 +    z += strlen(z)+1;
  1.2720 +  }
  1.2721 +
  1.2722 +  /* Identify the column names and the tokenizer and delimiter arguments
  1.2723 +  ** in the argv[][] array.
  1.2724 +  */
  1.2725 +  pSpec->zDb = azArg[1];
  1.2726 +  pSpec->zName = azArg[2];
  1.2727 +  pSpec->nColumn = 0;
  1.2728 +  pSpec->azColumn = azArg;
  1.2729 +  zTokenizer = "tokenize simple";
  1.2730 +  for(i=3; i<argc; ++i){
  1.2731 +    if( startsWith(azArg[i],"tokenize") ){
  1.2732 +      zTokenizer = azArg[i];
  1.2733 +    }else{
  1.2734 +      z = azArg[pSpec->nColumn] = firstToken(azArg[i], &zDummy);
  1.2735 +      pSpec->nColumn++;
  1.2736 +    }
  1.2737 +  }
  1.2738 +  if( pSpec->nColumn==0 ){
  1.2739 +    azArg[0] = "content";
  1.2740 +    pSpec->nColumn = 1;
  1.2741 +  }
  1.2742 +
  1.2743 +  /*
  1.2744 +  ** Construct the list of content column names.
  1.2745 +  **
  1.2746 +  ** Each content column name will be of the form cNNAAAA
  1.2747 +  ** where NN is the column number and AAAA is the sanitized
  1.2748 +  ** column name.  "sanitized" means that special characters are
  1.2749 +  ** converted to "_".  The cNN prefix guarantees that all column
  1.2750 +  ** names are unique.
  1.2751 +  **
  1.2752 +  ** The AAAA suffix is not strictly necessary.  It is included
  1.2753 +  ** for the convenience of people who might examine the generated
  1.2754 +  ** %_content table and wonder what the columns are used for.
  1.2755 +  */
  1.2756 +  pSpec->azContentColumn = sqlite3_malloc( pSpec->nColumn * sizeof(char *) );
  1.2757 +  if( pSpec->azContentColumn==0 ){
  1.2758 +    clearTableSpec(pSpec);
  1.2759 +    return SQLITE_NOMEM;
  1.2760 +  }
  1.2761 +  for(i=0; i<pSpec->nColumn; i++){
  1.2762 +    char *p;
  1.2763 +    pSpec->azContentColumn[i] = sqlite3_mprintf("c%d%s", i, azArg[i]);
  1.2764 +    for (p = pSpec->azContentColumn[i]; *p ; ++p) {
  1.2765 +      if( !safe_isalnum(*p) ) *p = '_';
  1.2766 +    }
  1.2767 +  }
  1.2768 +
  1.2769 +  /*
  1.2770 +  ** Parse the tokenizer specification string.
  1.2771 +  */
  1.2772 +  pSpec->azTokenizer = tokenizeString(zTokenizer, &n);
  1.2773 +  tokenListToIdList(pSpec->azTokenizer);
  1.2774 +
  1.2775 +  return SQLITE_OK;
  1.2776 +}
  1.2777 +
  1.2778 +/*
  1.2779 +** Generate a CREATE TABLE statement that describes the schema of
  1.2780 +** the virtual table.  Return a pointer to this schema string.
  1.2781 +**
  1.2782 +** Space is obtained from sqlite3_mprintf() and should be freed
  1.2783 +** using sqlite3_free().
  1.2784 +*/
  1.2785 +static char *fulltextSchema(
  1.2786 +  int nColumn,                  /* Number of columns */
  1.2787 +  const char *const* azColumn,  /* List of columns */
  1.2788 +  const char *zTableName        /* Name of the table */
  1.2789 +){
  1.2790 +  int i;
  1.2791 +  char *zSchema, *zNext;
  1.2792 +  const char *zSep = "(";
  1.2793 +  zSchema = sqlite3_mprintf("CREATE TABLE x");
  1.2794 +  for(i=0; i<nColumn; i++){
  1.2795 +    zNext = sqlite3_mprintf("%s%s%Q", zSchema, zSep, azColumn[i]);
  1.2796 +    sqlite3_free(zSchema);
  1.2797 +    zSchema = zNext;
  1.2798 +    zSep = ",";
  1.2799 +  }
  1.2800 +  zNext = sqlite3_mprintf("%s,%Q)", zSchema, zTableName);
  1.2801 +  sqlite3_free(zSchema);
  1.2802 +  return zNext;
  1.2803 +}
  1.2804 +
  1.2805 +/*
  1.2806 +** Build a new sqlite3_vtab structure that will describe the
  1.2807 +** fulltext index defined by spec.
  1.2808 +*/
  1.2809 +static int constructVtab(
  1.2810 +  sqlite3 *db,              /* The SQLite database connection */
  1.2811 +  fts2Hash *pHash,          /* Hash table containing tokenizers */
  1.2812 +  TableSpec *spec,          /* Parsed spec information from parseSpec() */
  1.2813 +  sqlite3_vtab **ppVTab,    /* Write the resulting vtab structure here */
  1.2814 +  char **pzErr              /* Write any error message here */
  1.2815 +){
  1.2816 +  int rc;
  1.2817 +  int n;
  1.2818 +  fulltext_vtab *v = 0;
  1.2819 +  const sqlite3_tokenizer_module *m = NULL;
  1.2820 +  char *schema;
  1.2821 +
  1.2822 +  char const *zTok;         /* Name of tokenizer to use for this fts table */
  1.2823 +  int nTok;                 /* Length of zTok, including nul terminator */
  1.2824 +
  1.2825 +  v = (fulltext_vtab *) sqlite3_malloc(sizeof(fulltext_vtab));
  1.2826 +  if( v==0 ) return SQLITE_NOMEM;
  1.2827 +  CLEAR(v);
  1.2828 +  /* sqlite will initialize v->base */
  1.2829 +  v->db = db;
  1.2830 +  v->zDb = spec->zDb;       /* Freed when azColumn is freed */
  1.2831 +  v->zName = spec->zName;   /* Freed when azColumn is freed */
  1.2832 +  v->nColumn = spec->nColumn;
  1.2833 +  v->azContentColumn = spec->azContentColumn;
  1.2834 +  spec->azContentColumn = 0;
  1.2835 +  v->azColumn = spec->azColumn;
  1.2836 +  spec->azColumn = 0;
  1.2837 +
  1.2838 +  if( spec->azTokenizer==0 ){
  1.2839 +    return SQLITE_NOMEM;
  1.2840 +  }
  1.2841 +
  1.2842 +  zTok = spec->azTokenizer[0]; 
  1.2843 +  if( !zTok ){
  1.2844 +    zTok = "simple";
  1.2845 +  }
  1.2846 +  nTok = strlen(zTok)+1;
  1.2847 +
  1.2848 +  m = (sqlite3_tokenizer_module *)sqlite3Fts2HashFind(pHash, zTok, nTok);
  1.2849 +  if( !m ){
  1.2850 +    *pzErr = sqlite3_mprintf("unknown tokenizer: %s", spec->azTokenizer[0]);
  1.2851 +    rc = SQLITE_ERROR;
  1.2852 +    goto err;
  1.2853 +  }
  1.2854 +
  1.2855 +  for(n=0; spec->azTokenizer[n]; n++){}
  1.2856 +  if( n ){
  1.2857 +    rc = m->xCreate(n-1, (const char*const*)&spec->azTokenizer[1],
  1.2858 +                    &v->pTokenizer);
  1.2859 +  }else{
  1.2860 +    rc = m->xCreate(0, 0, &v->pTokenizer);
  1.2861 +  }
  1.2862 +  if( rc!=SQLITE_OK ) goto err;
  1.2863 +  v->pTokenizer->pModule = m;
  1.2864 +
  1.2865 +  /* TODO: verify the existence of backing tables foo_content, foo_term */
  1.2866 +
  1.2867 +  schema = fulltextSchema(v->nColumn, (const char*const*)v->azColumn,
  1.2868 +                          spec->zName);
  1.2869 +  rc = sqlite3_declare_vtab(db, schema);
  1.2870 +  sqlite3_free(schema);
  1.2871 +  if( rc!=SQLITE_OK ) goto err;
  1.2872 +
  1.2873 +  memset(v->pFulltextStatements, 0, sizeof(v->pFulltextStatements));
  1.2874 +
  1.2875 +  /* Indicate that the buffer is not live. */
  1.2876 +  v->nPendingData = -1;
  1.2877 +
  1.2878 +  *ppVTab = &v->base;
  1.2879 +  TRACE(("FTS2 Connect %p\n", v));
  1.2880 +
  1.2881 +  return rc;
  1.2882 +
  1.2883 +err:
  1.2884 +  fulltext_vtab_destroy(v);
  1.2885 +  return rc;
  1.2886 +}
  1.2887 +
  1.2888 +static int fulltextConnect(
  1.2889 +  sqlite3 *db,
  1.2890 +  void *pAux,
  1.2891 +  int argc, const char *const*argv,
  1.2892 +  sqlite3_vtab **ppVTab,
  1.2893 +  char **pzErr
  1.2894 +){
  1.2895 +  TableSpec spec;
  1.2896 +  int rc = parseSpec(&spec, argc, argv, pzErr);
  1.2897 +  if( rc!=SQLITE_OK ) return rc;
  1.2898 +
  1.2899 +  rc = constructVtab(db, (fts2Hash *)pAux, &spec, ppVTab, pzErr);
  1.2900 +  clearTableSpec(&spec);
  1.2901 +  return rc;
  1.2902 +}
  1.2903 +
  1.2904 +/* The %_content table holds the text of each document, with
  1.2905 +** the rowid used as the docid.
  1.2906 +*/
  1.2907 +/* TODO(shess) This comment needs elaboration to match the updated
  1.2908 +** code.  Work it into the top-of-file comment at that time.
  1.2909 +*/
  1.2910 +static int fulltextCreate(sqlite3 *db, void *pAux,
  1.2911 +                          int argc, const char * const *argv,
  1.2912 +                          sqlite3_vtab **ppVTab, char **pzErr){
  1.2913 +  int rc;
  1.2914 +  TableSpec spec;
  1.2915 +  StringBuffer schema;
  1.2916 +  TRACE(("FTS2 Create\n"));
  1.2917 +
  1.2918 +  rc = parseSpec(&spec, argc, argv, pzErr);
  1.2919 +  if( rc!=SQLITE_OK ) return rc;
  1.2920 +
  1.2921 +  initStringBuffer(&schema);
  1.2922 +  append(&schema, "CREATE TABLE %_content(");
  1.2923 +  appendList(&schema, spec.nColumn, spec.azContentColumn);
  1.2924 +  append(&schema, ")");
  1.2925 +  rc = sql_exec(db, spec.zDb, spec.zName, stringBufferData(&schema));
  1.2926 +  stringBufferDestroy(&schema);
  1.2927 +  if( rc!=SQLITE_OK ) goto out;
  1.2928 +
  1.2929 +  rc = sql_exec(db, spec.zDb, spec.zName,
  1.2930 +                "create table %_segments(block blob);");
  1.2931 +  if( rc!=SQLITE_OK ) goto out;
  1.2932 +
  1.2933 +  rc = sql_exec(db, spec.zDb, spec.zName,
  1.2934 +                "create table %_segdir("
  1.2935 +                "  level integer,"
  1.2936 +                "  idx integer,"
  1.2937 +                "  start_block integer,"
  1.2938 +                "  leaves_end_block integer,"
  1.2939 +                "  end_block integer,"
  1.2940 +                "  root blob,"
  1.2941 +                "  primary key(level, idx)"
  1.2942 +                ");");
  1.2943 +  if( rc!=SQLITE_OK ) goto out;
  1.2944 +
  1.2945 +  rc = constructVtab(db, (fts2Hash *)pAux, &spec, ppVTab, pzErr);
  1.2946 +
  1.2947 +out:
  1.2948 +  clearTableSpec(&spec);
  1.2949 +  return rc;
  1.2950 +}
  1.2951 +
  1.2952 +/* Decide how to handle an SQL query. */
  1.2953 +static int fulltextBestIndex(sqlite3_vtab *pVTab, sqlite3_index_info *pInfo){
  1.2954 +  int i;
  1.2955 +  TRACE(("FTS2 BestIndex\n"));
  1.2956 +
  1.2957 +  for(i=0; i<pInfo->nConstraint; ++i){
  1.2958 +    const struct sqlite3_index_constraint *pConstraint;
  1.2959 +    pConstraint = &pInfo->aConstraint[i];
  1.2960 +    if( pConstraint->usable ) {
  1.2961 +      if( pConstraint->iColumn==-1 &&
  1.2962 +          pConstraint->op==SQLITE_INDEX_CONSTRAINT_EQ ){
  1.2963 +        pInfo->idxNum = QUERY_ROWID;      /* lookup by rowid */
  1.2964 +        TRACE(("FTS2 QUERY_ROWID\n"));
  1.2965 +      } else if( pConstraint->iColumn>=0 &&
  1.2966 +                 pConstraint->op==SQLITE_INDEX_CONSTRAINT_MATCH ){
  1.2967 +        /* full-text search */
  1.2968 +        pInfo->idxNum = QUERY_FULLTEXT + pConstraint->iColumn;
  1.2969 +        TRACE(("FTS2 QUERY_FULLTEXT %d\n", pConstraint->iColumn));
  1.2970 +      } else continue;
  1.2971 +
  1.2972 +      pInfo->aConstraintUsage[i].argvIndex = 1;
  1.2973 +      pInfo->aConstraintUsage[i].omit = 1;
  1.2974 +
  1.2975 +      /* An arbitrary value for now.
  1.2976 +       * TODO: Perhaps rowid matches should be considered cheaper than
  1.2977 +       * full-text searches. */
  1.2978 +      pInfo->estimatedCost = 1.0;   
  1.2979 +
  1.2980 +      return SQLITE_OK;
  1.2981 +    }
  1.2982 +  }
  1.2983 +  pInfo->idxNum = QUERY_GENERIC;
  1.2984 +  return SQLITE_OK;
  1.2985 +}
  1.2986 +
  1.2987 +static int fulltextDisconnect(sqlite3_vtab *pVTab){
  1.2988 +  TRACE(("FTS2 Disconnect %p\n", pVTab));
  1.2989 +  fulltext_vtab_destroy((fulltext_vtab *)pVTab);
  1.2990 +  return SQLITE_OK;
  1.2991 +}
  1.2992 +
  1.2993 +static int fulltextDestroy(sqlite3_vtab *pVTab){
  1.2994 +  fulltext_vtab *v = (fulltext_vtab *)pVTab;
  1.2995 +  int rc;
  1.2996 +
  1.2997 +  TRACE(("FTS2 Destroy %p\n", pVTab));
  1.2998 +  rc = sql_exec(v->db, v->zDb, v->zName,
  1.2999 +                "drop table if exists %_content;"
  1.3000 +                "drop table if exists %_segments;"
  1.3001 +                "drop table if exists %_segdir;"
  1.3002 +                );
  1.3003 +  if( rc!=SQLITE_OK ) return rc;
  1.3004 +
  1.3005 +  fulltext_vtab_destroy((fulltext_vtab *)pVTab);
  1.3006 +  return SQLITE_OK;
  1.3007 +}
  1.3008 +
  1.3009 +static int fulltextOpen(sqlite3_vtab *pVTab, sqlite3_vtab_cursor **ppCursor){
  1.3010 +  fulltext_cursor *c;
  1.3011 +
  1.3012 +  c = (fulltext_cursor *) sqlite3_malloc(sizeof(fulltext_cursor));
  1.3013 +  if( c ){
  1.3014 +    memset(c, 0, sizeof(fulltext_cursor));
  1.3015 +    /* sqlite will initialize c->base */
  1.3016 +    *ppCursor = &c->base;
  1.3017 +    TRACE(("FTS2 Open %p: %p\n", pVTab, c));
  1.3018 +    return SQLITE_OK;
  1.3019 +  }else{
  1.3020 +    return SQLITE_NOMEM;
  1.3021 +  }
  1.3022 +}
  1.3023 +
  1.3024 +
  1.3025 +/* Free all of the dynamically allocated memory held by *q
  1.3026 +*/
  1.3027 +static void queryClear(Query *q){
  1.3028 +  int i;
  1.3029 +  for(i = 0; i < q->nTerms; ++i){
  1.3030 +    sqlite3_free(q->pTerms[i].pTerm);
  1.3031 +  }
  1.3032 +  sqlite3_free(q->pTerms);
  1.3033 +  CLEAR(q);
  1.3034 +}
  1.3035 +
  1.3036 +/* Free all of the dynamically allocated memory held by the
  1.3037 +** Snippet
  1.3038 +*/
  1.3039 +static void snippetClear(Snippet *p){
  1.3040 +  sqlite3_free(p->aMatch);
  1.3041 +  sqlite3_free(p->zOffset);
  1.3042 +  sqlite3_free(p->zSnippet);
  1.3043 +  CLEAR(p);
  1.3044 +}
  1.3045 +/*
  1.3046 +** Append a single entry to the p->aMatch[] log.
  1.3047 +*/
  1.3048 +static void snippetAppendMatch(
  1.3049 +  Snippet *p,               /* Append the entry to this snippet */
  1.3050 +  int iCol, int iTerm,      /* The column and query term */
  1.3051 +  int iStart, int nByte     /* Offset and size of the match */
  1.3052 +){
  1.3053 +  int i;
  1.3054 +  struct snippetMatch *pMatch;
  1.3055 +  if( p->nMatch+1>=p->nAlloc ){
  1.3056 +    p->nAlloc = p->nAlloc*2 + 10;
  1.3057 +    p->aMatch = sqlite3_realloc(p->aMatch, p->nAlloc*sizeof(p->aMatch[0]) );
  1.3058 +    if( p->aMatch==0 ){
  1.3059 +      p->nMatch = 0;
  1.3060 +      p->nAlloc = 0;
  1.3061 +      return;
  1.3062 +    }
  1.3063 +  }
  1.3064 +  i = p->nMatch++;
  1.3065 +  pMatch = &p->aMatch[i];
  1.3066 +  pMatch->iCol = iCol;
  1.3067 +  pMatch->iTerm = iTerm;
  1.3068 +  pMatch->iStart = iStart;
  1.3069 +  pMatch->nByte = nByte;
  1.3070 +}
  1.3071 +
  1.3072 +/*
  1.3073 +** Sizing information for the circular buffer used in snippetOffsetsOfColumn()
  1.3074 +*/
  1.3075 +#define FTS2_ROTOR_SZ   (32)
  1.3076 +#define FTS2_ROTOR_MASK (FTS2_ROTOR_SZ-1)
  1.3077 +
  1.3078 +/*
  1.3079 +** Add entries to pSnippet->aMatch[] for every match that occurs against
  1.3080 +** document zDoc[0..nDoc-1] which is stored in column iColumn.
  1.3081 +*/
  1.3082 +static void snippetOffsetsOfColumn(
  1.3083 +  Query *pQuery,
  1.3084 +  Snippet *pSnippet,
  1.3085 +  int iColumn,
  1.3086 +  const char *zDoc,
  1.3087 +  int nDoc
  1.3088 +){
  1.3089 +  const sqlite3_tokenizer_module *pTModule;  /* The tokenizer module */
  1.3090 +  sqlite3_tokenizer *pTokenizer;             /* The specific tokenizer */
  1.3091 +  sqlite3_tokenizer_cursor *pTCursor;        /* Tokenizer cursor */
  1.3092 +  fulltext_vtab *pVtab;                /* The full text index */
  1.3093 +  int nColumn;                         /* Number of columns in the index */
  1.3094 +  const QueryTerm *aTerm;              /* Query string terms */
  1.3095 +  int nTerm;                           /* Number of query string terms */  
  1.3096 +  int i, j;                            /* Loop counters */
  1.3097 +  int rc;                              /* Return code */
  1.3098 +  unsigned int match, prevMatch;       /* Phrase search bitmasks */
  1.3099 +  const char *zToken;                  /* Next token from the tokenizer */
  1.3100 +  int nToken;                          /* Size of zToken */
  1.3101 +  int iBegin, iEnd, iPos;              /* Offsets of beginning and end */
  1.3102 +
  1.3103 +  /* The following variables keep a circular buffer of the last
  1.3104 +  ** few tokens */
  1.3105 +  unsigned int iRotor = 0;             /* Index of current token */
  1.3106 +  int iRotorBegin[FTS2_ROTOR_SZ];      /* Beginning offset of token */
  1.3107 +  int iRotorLen[FTS2_ROTOR_SZ];        /* Length of token */
  1.3108 +
  1.3109 +  pVtab = pQuery->pFts;
  1.3110 +  nColumn = pVtab->nColumn;
  1.3111 +  pTokenizer = pVtab->pTokenizer;
  1.3112 +  pTModule = pTokenizer->pModule;
  1.3113 +  rc = pTModule->xOpen(pTokenizer, zDoc, nDoc, &pTCursor);
  1.3114 +  if( rc ) return;
  1.3115 +  pTCursor->pTokenizer = pTokenizer;
  1.3116 +  aTerm = pQuery->pTerms;
  1.3117 +  nTerm = pQuery->nTerms;
  1.3118 +  if( nTerm>=FTS2_ROTOR_SZ ){
  1.3119 +    nTerm = FTS2_ROTOR_SZ - 1;
  1.3120 +  }
  1.3121 +  prevMatch = 0;
  1.3122 +  while(1){
  1.3123 +    rc = pTModule->xNext(pTCursor, &zToken, &nToken, &iBegin, &iEnd, &iPos);
  1.3124 +    if( rc ) break;
  1.3125 +    iRotorBegin[iRotor&FTS2_ROTOR_MASK] = iBegin;
  1.3126 +    iRotorLen[iRotor&FTS2_ROTOR_MASK] = iEnd-iBegin;
  1.3127 +    match = 0;
  1.3128 +    for(i=0; i<nTerm; i++){
  1.3129 +      int iCol;
  1.3130 +      iCol = aTerm[i].iColumn;
  1.3131 +      if( iCol>=0 && iCol<nColumn && iCol!=iColumn ) continue;
  1.3132 +      if( aTerm[i].nTerm>nToken ) continue;
  1.3133 +      if( !aTerm[i].isPrefix && aTerm[i].nTerm<nToken ) continue;
  1.3134 +      assert( aTerm[i].nTerm<=nToken );
  1.3135 +      if( memcmp(aTerm[i].pTerm, zToken, aTerm[i].nTerm) ) continue;
  1.3136 +      if( aTerm[i].iPhrase>1 && (prevMatch & (1<<i))==0 ) continue;
  1.3137 +      match |= 1<<i;
  1.3138 +      if( i==nTerm-1 || aTerm[i+1].iPhrase==1 ){
  1.3139 +        for(j=aTerm[i].iPhrase-1; j>=0; j--){
  1.3140 +          int k = (iRotor-j) & FTS2_ROTOR_MASK;
  1.3141 +          snippetAppendMatch(pSnippet, iColumn, i-j,
  1.3142 +                iRotorBegin[k], iRotorLen[k]);
  1.3143 +        }
  1.3144 +      }
  1.3145 +    }
  1.3146 +    prevMatch = match<<1;
  1.3147 +    iRotor++;
  1.3148 +  }
  1.3149 +  pTModule->xClose(pTCursor);  
  1.3150 +}
  1.3151 +
  1.3152 +
  1.3153 +/*
  1.3154 +** Compute all offsets for the current row of the query.  
  1.3155 +** If the offsets have already been computed, this routine is a no-op.
  1.3156 +*/
  1.3157 +static void snippetAllOffsets(fulltext_cursor *p){
  1.3158 +  int nColumn;
  1.3159 +  int iColumn, i;
  1.3160 +  int iFirst, iLast;
  1.3161 +  fulltext_vtab *pFts;
  1.3162 +
  1.3163 +  if( p->snippet.nMatch ) return;
  1.3164 +  if( p->q.nTerms==0 ) return;
  1.3165 +  pFts = p->q.pFts;
  1.3166 +  nColumn = pFts->nColumn;
  1.3167 +  iColumn = (p->iCursorType - QUERY_FULLTEXT);
  1.3168 +  if( iColumn<0 || iColumn>=nColumn ){
  1.3169 +    iFirst = 0;
  1.3170 +    iLast = nColumn-1;
  1.3171 +  }else{
  1.3172 +    iFirst = iColumn;
  1.3173 +    iLast = iColumn;
  1.3174 +  }
  1.3175 +  for(i=iFirst; i<=iLast; i++){
  1.3176 +    const char *zDoc;
  1.3177 +    int nDoc;
  1.3178 +    zDoc = (const char*)sqlite3_column_text(p->pStmt, i+1);
  1.3179 +    nDoc = sqlite3_column_bytes(p->pStmt, i+1);
  1.3180 +    snippetOffsetsOfColumn(&p->q, &p->snippet, i, zDoc, nDoc);
  1.3181 +  }
  1.3182 +}
  1.3183 +
  1.3184 +/*
  1.3185 +** Convert the information in the aMatch[] array of the snippet
  1.3186 +** into the string zOffset[0..nOffset-1].
  1.3187 +*/
  1.3188 +static void snippetOffsetText(Snippet *p){
  1.3189 +  int i;
  1.3190 +  int cnt = 0;
  1.3191 +  StringBuffer sb;
  1.3192 +  char zBuf[200];
  1.3193 +  if( p->zOffset ) return;
  1.3194 +  initStringBuffer(&sb);
  1.3195 +  for(i=0; i<p->nMatch; i++){
  1.3196 +    struct snippetMatch *pMatch = &p->aMatch[i];
  1.3197 +    zBuf[0] = ' ';
  1.3198 +    sqlite3_snprintf(sizeof(zBuf)-1, &zBuf[cnt>0], "%d %d %d %d",
  1.3199 +        pMatch->iCol, pMatch->iTerm, pMatch->iStart, pMatch->nByte);
  1.3200 +    append(&sb, zBuf);
  1.3201 +    cnt++;
  1.3202 +  }
  1.3203 +  p->zOffset = stringBufferData(&sb);
  1.3204 +  p->nOffset = stringBufferLength(&sb);
  1.3205 +}
  1.3206 +
  1.3207 +/*
  1.3208 +** zDoc[0..nDoc-1] is phrase of text.  aMatch[0..nMatch-1] are a set
  1.3209 +** of matching words some of which might be in zDoc.  zDoc is column
  1.3210 +** number iCol.
  1.3211 +**
  1.3212 +** iBreak is suggested spot in zDoc where we could begin or end an
  1.3213 +** excerpt.  Return a value similar to iBreak but possibly adjusted
  1.3214 +** to be a little left or right so that the break point is better.
  1.3215 +*/
  1.3216 +static int wordBoundary(
  1.3217 +  int iBreak,                   /* The suggested break point */
  1.3218 +  const char *zDoc,             /* Document text */
  1.3219 +  int nDoc,                     /* Number of bytes in zDoc[] */
  1.3220 +  struct snippetMatch *aMatch,  /* Matching words */
  1.3221 +  int nMatch,                   /* Number of entries in aMatch[] */
  1.3222 +  int iCol                      /* The column number for zDoc[] */
  1.3223 +){
  1.3224 +  int i;
  1.3225 +  if( iBreak<=10 ){
  1.3226 +    return 0;
  1.3227 +  }
  1.3228 +  if( iBreak>=nDoc-10 ){
  1.3229 +    return nDoc;
  1.3230 +  }
  1.3231 +  for(i=0; i<nMatch && aMatch[i].iCol<iCol; i++){}
  1.3232 +  while( i<nMatch && aMatch[i].iStart+aMatch[i].nByte<iBreak ){ i++; }
  1.3233 +  if( i<nMatch ){
  1.3234 +    if( aMatch[i].iStart<iBreak+10 ){
  1.3235 +      return aMatch[i].iStart;
  1.3236 +    }
  1.3237 +    if( i>0 && aMatch[i-1].iStart+aMatch[i-1].nByte>=iBreak ){
  1.3238 +      return aMatch[i-1].iStart;
  1.3239 +    }
  1.3240 +  }
  1.3241 +  for(i=1; i<=10; i++){
  1.3242 +    if( safe_isspace(zDoc[iBreak-i]) ){
  1.3243 +      return iBreak - i + 1;
  1.3244 +    }
  1.3245 +    if( safe_isspace(zDoc[iBreak+i]) ){
  1.3246 +      return iBreak + i + 1;
  1.3247 +    }
  1.3248 +  }
  1.3249 +  return iBreak;
  1.3250 +}
  1.3251 +
  1.3252 +
  1.3253 +
  1.3254 +/*
  1.3255 +** Allowed values for Snippet.aMatch[].snStatus
  1.3256 +*/
  1.3257 +#define SNIPPET_IGNORE  0   /* It is ok to omit this match from the snippet */
  1.3258 +#define SNIPPET_DESIRED 1   /* We want to include this match in the snippet */
  1.3259 +
  1.3260 +/*
  1.3261 +** Generate the text of a snippet.
  1.3262 +*/
  1.3263 +static void snippetText(
  1.3264 +  fulltext_cursor *pCursor,   /* The cursor we need the snippet for */
  1.3265 +  const char *zStartMark,     /* Markup to appear before each match */
  1.3266 +  const char *zEndMark,       /* Markup to appear after each match */
  1.3267 +  const char *zEllipsis       /* Ellipsis mark */
  1.3268 +){
  1.3269 +  int i, j;
  1.3270 +  struct snippetMatch *aMatch;
  1.3271 +  int nMatch;
  1.3272 +  int nDesired;
  1.3273 +  StringBuffer sb;
  1.3274 +  int tailCol;
  1.3275 +  int tailOffset;
  1.3276 +  int iCol;
  1.3277 +  int nDoc;
  1.3278 +  const char *zDoc;
  1.3279 +  int iStart, iEnd;
  1.3280 +  int tailEllipsis = 0;
  1.3281 +  int iMatch;
  1.3282 +  
  1.3283 +
  1.3284 +  sqlite3_free(pCursor->snippet.zSnippet);
  1.3285 +  pCursor->snippet.zSnippet = 0;
  1.3286 +  aMatch = pCursor->snippet.aMatch;
  1.3287 +  nMatch = pCursor->snippet.nMatch;
  1.3288 +  initStringBuffer(&sb);
  1.3289 +
  1.3290 +  for(i=0; i<nMatch; i++){
  1.3291 +    aMatch[i].snStatus = SNIPPET_IGNORE;
  1.3292 +  }
  1.3293 +  nDesired = 0;
  1.3294 +  for(i=0; i<pCursor->q.nTerms; i++){
  1.3295 +    for(j=0; j<nMatch; j++){
  1.3296 +      if( aMatch[j].iTerm==i ){
  1.3297 +        aMatch[j].snStatus = SNIPPET_DESIRED;
  1.3298 +        nDesired++;
  1.3299 +        break;
  1.3300 +      }
  1.3301 +    }
  1.3302 +  }
  1.3303 +
  1.3304 +  iMatch = 0;
  1.3305 +  tailCol = -1;
  1.3306 +  tailOffset = 0;
  1.3307 +  for(i=0; i<nMatch && nDesired>0; i++){
  1.3308 +    if( aMatch[i].snStatus!=SNIPPET_DESIRED ) continue;
  1.3309 +    nDesired--;
  1.3310 +    iCol = aMatch[i].iCol;
  1.3311 +    zDoc = (const char*)sqlite3_column_text(pCursor->pStmt, iCol+1);
  1.3312 +    nDoc = sqlite3_column_bytes(pCursor->pStmt, iCol+1);
  1.3313 +    iStart = aMatch[i].iStart - 40;
  1.3314 +    iStart = wordBoundary(iStart, zDoc, nDoc, aMatch, nMatch, iCol);
  1.3315 +    if( iStart<=10 ){
  1.3316 +      iStart = 0;
  1.3317 +    }
  1.3318 +    if( iCol==tailCol && iStart<=tailOffset+20 ){
  1.3319 +      iStart = tailOffset;
  1.3320 +    }
  1.3321 +    if( (iCol!=tailCol && tailCol>=0) || iStart!=tailOffset ){
  1.3322 +      trimWhiteSpace(&sb);
  1.3323 +      appendWhiteSpace(&sb);
  1.3324 +      append(&sb, zEllipsis);
  1.3325 +      appendWhiteSpace(&sb);
  1.3326 +    }
  1.3327 +    iEnd = aMatch[i].iStart + aMatch[i].nByte + 40;
  1.3328 +    iEnd = wordBoundary(iEnd, zDoc, nDoc, aMatch, nMatch, iCol);
  1.3329 +    if( iEnd>=nDoc-10 ){
  1.3330 +      iEnd = nDoc;
  1.3331 +      tailEllipsis = 0;
  1.3332 +    }else{
  1.3333 +      tailEllipsis = 1;
  1.3334 +    }
  1.3335 +    while( iMatch<nMatch && aMatch[iMatch].iCol<iCol ){ iMatch++; }
  1.3336 +    while( iStart<iEnd ){
  1.3337 +      while( iMatch<nMatch && aMatch[iMatch].iStart<iStart
  1.3338 +             && aMatch[iMatch].iCol<=iCol ){
  1.3339 +        iMatch++;
  1.3340 +      }
  1.3341 +      if( iMatch<nMatch && aMatch[iMatch].iStart<iEnd
  1.3342 +             && aMatch[iMatch].iCol==iCol ){
  1.3343 +        nappend(&sb, &zDoc[iStart], aMatch[iMatch].iStart - iStart);
  1.3344 +        iStart = aMatch[iMatch].iStart;
  1.3345 +        append(&sb, zStartMark);
  1.3346 +        nappend(&sb, &zDoc[iStart], aMatch[iMatch].nByte);
  1.3347 +        append(&sb, zEndMark);
  1.3348 +        iStart += aMatch[iMatch].nByte;
  1.3349 +        for(j=iMatch+1; j<nMatch; j++){
  1.3350 +          if( aMatch[j].iTerm==aMatch[iMatch].iTerm
  1.3351 +              && aMatch[j].snStatus==SNIPPET_DESIRED ){
  1.3352 +            nDesired--;
  1.3353 +            aMatch[j].snStatus = SNIPPET_IGNORE;
  1.3354 +          }
  1.3355 +        }
  1.3356 +      }else{
  1.3357 +        nappend(&sb, &zDoc[iStart], iEnd - iStart);
  1.3358 +        iStart = iEnd;
  1.3359 +      }
  1.3360 +    }
  1.3361 +    tailCol = iCol;
  1.3362 +    tailOffset = iEnd;
  1.3363 +  }
  1.3364 +  trimWhiteSpace(&sb);
  1.3365 +  if( tailEllipsis ){
  1.3366 +    appendWhiteSpace(&sb);
  1.3367 +    append(&sb, zEllipsis);
  1.3368 +  }
  1.3369 +  pCursor->snippet.zSnippet = stringBufferData(&sb);
  1.3370 +  pCursor->snippet.nSnippet = stringBufferLength(&sb);
  1.3371 +}
  1.3372 +
  1.3373 +
  1.3374 +/*
  1.3375 +** Close the cursor.  For additional information see the documentation
  1.3376 +** on the xClose method of the virtual table interface.
  1.3377 +*/
  1.3378 +static int fulltextClose(sqlite3_vtab_cursor *pCursor){
  1.3379 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3380 +  TRACE(("FTS2 Close %p\n", c));
  1.3381 +  sqlite3_finalize(c->pStmt);
  1.3382 +  queryClear(&c->q);
  1.3383 +  snippetClear(&c->snippet);
  1.3384 +  if( c->result.nData!=0 ) dlrDestroy(&c->reader);
  1.3385 +  dataBufferDestroy(&c->result);
  1.3386 +  sqlite3_free(c);
  1.3387 +  return SQLITE_OK;
  1.3388 +}
  1.3389 +
  1.3390 +static int fulltextNext(sqlite3_vtab_cursor *pCursor){
  1.3391 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3392 +  int rc;
  1.3393 +
  1.3394 +  TRACE(("FTS2 Next %p\n", pCursor));
  1.3395 +  snippetClear(&c->snippet);
  1.3396 +  if( c->iCursorType < QUERY_FULLTEXT ){
  1.3397 +    /* TODO(shess) Handle SQLITE_SCHEMA AND SQLITE_BUSY. */
  1.3398 +    rc = sqlite3_step(c->pStmt);
  1.3399 +    switch( rc ){
  1.3400 +      case SQLITE_ROW:
  1.3401 +        c->eof = 0;
  1.3402 +        return SQLITE_OK;
  1.3403 +      case SQLITE_DONE:
  1.3404 +        c->eof = 1;
  1.3405 +        return SQLITE_OK;
  1.3406 +      default:
  1.3407 +        c->eof = 1;
  1.3408 +        return rc;
  1.3409 +    }
  1.3410 +  } else {  /* full-text query */
  1.3411 +    rc = sqlite3_reset(c->pStmt);
  1.3412 +    if( rc!=SQLITE_OK ) return rc;
  1.3413 +
  1.3414 +    if( c->result.nData==0 || dlrAtEnd(&c->reader) ){
  1.3415 +      c->eof = 1;
  1.3416 +      return SQLITE_OK;
  1.3417 +    }
  1.3418 +    rc = sqlite3_bind_int64(c->pStmt, 1, dlrDocid(&c->reader));
  1.3419 +    dlrStep(&c->reader);
  1.3420 +    if( rc!=SQLITE_OK ) return rc;
  1.3421 +    /* TODO(shess) Handle SQLITE_SCHEMA AND SQLITE_BUSY. */
  1.3422 +    rc = sqlite3_step(c->pStmt);
  1.3423 +    if( rc==SQLITE_ROW ){   /* the case we expect */
  1.3424 +      c->eof = 0;
  1.3425 +      return SQLITE_OK;
  1.3426 +    }
  1.3427 +    /* an error occurred; abort */
  1.3428 +    return rc==SQLITE_DONE ? SQLITE_ERROR : rc;
  1.3429 +  }
  1.3430 +}
  1.3431 +
  1.3432 +
  1.3433 +/* TODO(shess) If we pushed LeafReader to the top of the file, or to
  1.3434 +** another file, term_select() could be pushed above
  1.3435 +** docListOfTerm().
  1.3436 +*/
  1.3437 +static int termSelect(fulltext_vtab *v, int iColumn,
  1.3438 +                      const char *pTerm, int nTerm, int isPrefix,
  1.3439 +                      DocListType iType, DataBuffer *out);
  1.3440 +
  1.3441 +/* Return a DocList corresponding to the query term *pTerm.  If *pTerm
  1.3442 +** is the first term of a phrase query, go ahead and evaluate the phrase
  1.3443 +** query and return the doclist for the entire phrase query.
  1.3444 +**
  1.3445 +** The resulting DL_DOCIDS doclist is stored in pResult, which is
  1.3446 +** overwritten.
  1.3447 +*/
  1.3448 +static int docListOfTerm(
  1.3449 +  fulltext_vtab *v,   /* The full text index */
  1.3450 +  int iColumn,        /* column to restrict to.  No restriction if >=nColumn */
  1.3451 +  QueryTerm *pQTerm,  /* Term we are looking for, or 1st term of a phrase */
  1.3452 +  DataBuffer *pResult /* Write the result here */
  1.3453 +){
  1.3454 +  DataBuffer left, right, new;
  1.3455 +  int i, rc;
  1.3456 +
  1.3457 +  /* No phrase search if no position info. */
  1.3458 +  assert( pQTerm->nPhrase==0 || DL_DEFAULT!=DL_DOCIDS );
  1.3459 +
  1.3460 +  /* This code should never be called with buffered updates. */
  1.3461 +  assert( v->nPendingData<0 );
  1.3462 +
  1.3463 +  dataBufferInit(&left, 0);
  1.3464 +  rc = termSelect(v, iColumn, pQTerm->pTerm, pQTerm->nTerm, pQTerm->isPrefix,
  1.3465 +                  0<pQTerm->nPhrase ? DL_POSITIONS : DL_DOCIDS, &left);
  1.3466 +  if( rc ) return rc;
  1.3467 +  for(i=1; i<=pQTerm->nPhrase && left.nData>0; i++){
  1.3468 +    dataBufferInit(&right, 0);
  1.3469 +    rc = termSelect(v, iColumn, pQTerm[i].pTerm, pQTerm[i].nTerm,
  1.3470 +                    pQTerm[i].isPrefix, DL_POSITIONS, &right);
  1.3471 +    if( rc ){
  1.3472 +      dataBufferDestroy(&left);
  1.3473 +      return rc;
  1.3474 +    }
  1.3475 +    dataBufferInit(&new, 0);
  1.3476 +    docListPhraseMerge(left.pData, left.nData, right.pData, right.nData,
  1.3477 +                       i<pQTerm->nPhrase ? DL_POSITIONS : DL_DOCIDS, &new);
  1.3478 +    dataBufferDestroy(&left);
  1.3479 +    dataBufferDestroy(&right);
  1.3480 +    left = new;
  1.3481 +  }
  1.3482 +  *pResult = left;
  1.3483 +  return SQLITE_OK;
  1.3484 +}
  1.3485 +
  1.3486 +/* Add a new term pTerm[0..nTerm-1] to the query *q.
  1.3487 +*/
  1.3488 +static void queryAdd(Query *q, const char *pTerm, int nTerm){
  1.3489 +  QueryTerm *t;
  1.3490 +  ++q->nTerms;
  1.3491 +  q->pTerms = sqlite3_realloc(q->pTerms, q->nTerms * sizeof(q->pTerms[0]));
  1.3492 +  if( q->pTerms==0 ){
  1.3493 +    q->nTerms = 0;
  1.3494 +    return;
  1.3495 +  }
  1.3496 +  t = &q->pTerms[q->nTerms - 1];
  1.3497 +  CLEAR(t);
  1.3498 +  t->pTerm = sqlite3_malloc(nTerm+1);
  1.3499 +  memcpy(t->pTerm, pTerm, nTerm);
  1.3500 +  t->pTerm[nTerm] = 0;
  1.3501 +  t->nTerm = nTerm;
  1.3502 +  t->isOr = q->nextIsOr;
  1.3503 +  t->isPrefix = 0;
  1.3504 +  q->nextIsOr = 0;
  1.3505 +  t->iColumn = q->nextColumn;
  1.3506 +  q->nextColumn = q->dfltColumn;
  1.3507 +}
  1.3508 +
  1.3509 +/*
  1.3510 +** Check to see if the string zToken[0...nToken-1] matches any
  1.3511 +** column name in the virtual table.   If it does,
  1.3512 +** return the zero-indexed column number.  If not, return -1.
  1.3513 +*/
  1.3514 +static int checkColumnSpecifier(
  1.3515 +  fulltext_vtab *pVtab,    /* The virtual table */
  1.3516 +  const char *zToken,      /* Text of the token */
  1.3517 +  int nToken               /* Number of characters in the token */
  1.3518 +){
  1.3519 +  int i;
  1.3520 +  for(i=0; i<pVtab->nColumn; i++){
  1.3521 +    if( memcmp(pVtab->azColumn[i], zToken, nToken)==0
  1.3522 +        && pVtab->azColumn[i][nToken]==0 ){
  1.3523 +      return i;
  1.3524 +    }
  1.3525 +  }
  1.3526 +  return -1;
  1.3527 +}
  1.3528 +
  1.3529 +/*
  1.3530 +** Parse the text at pSegment[0..nSegment-1].  Add additional terms
  1.3531 +** to the query being assemblied in pQuery.
  1.3532 +**
  1.3533 +** inPhrase is true if pSegment[0..nSegement-1] is contained within
  1.3534 +** double-quotes.  If inPhrase is true, then the first term
  1.3535 +** is marked with the number of terms in the phrase less one and
  1.3536 +** OR and "-" syntax is ignored.  If inPhrase is false, then every
  1.3537 +** term found is marked with nPhrase=0 and OR and "-" syntax is significant.
  1.3538 +*/
  1.3539 +static int tokenizeSegment(
  1.3540 +  sqlite3_tokenizer *pTokenizer,          /* The tokenizer to use */
  1.3541 +  const char *pSegment, int nSegment,     /* Query expression being parsed */
  1.3542 +  int inPhrase,                           /* True if within "..." */
  1.3543 +  Query *pQuery                           /* Append results here */
  1.3544 +){
  1.3545 +  const sqlite3_tokenizer_module *pModule = pTokenizer->pModule;
  1.3546 +  sqlite3_tokenizer_cursor *pCursor;
  1.3547 +  int firstIndex = pQuery->nTerms;
  1.3548 +  int iCol;
  1.3549 +  int nTerm = 1;
  1.3550 +  
  1.3551 +  int rc = pModule->xOpen(pTokenizer, pSegment, nSegment, &pCursor);
  1.3552 +  if( rc!=SQLITE_OK ) return rc;
  1.3553 +  pCursor->pTokenizer = pTokenizer;
  1.3554 +
  1.3555 +  while( 1 ){
  1.3556 +    const char *pToken;
  1.3557 +    int nToken, iBegin, iEnd, iPos;
  1.3558 +
  1.3559 +    rc = pModule->xNext(pCursor,
  1.3560 +                        &pToken, &nToken,
  1.3561 +                        &iBegin, &iEnd, &iPos);
  1.3562 +    if( rc!=SQLITE_OK ) break;
  1.3563 +    if( !inPhrase &&
  1.3564 +        pSegment[iEnd]==':' &&
  1.3565 +         (iCol = checkColumnSpecifier(pQuery->pFts, pToken, nToken))>=0 ){
  1.3566 +      pQuery->nextColumn = iCol;
  1.3567 +      continue;
  1.3568 +    }
  1.3569 +    if( !inPhrase && pQuery->nTerms>0 && nToken==2
  1.3570 +         && pSegment[iBegin]=='O' && pSegment[iBegin+1]=='R' ){
  1.3571 +      pQuery->nextIsOr = 1;
  1.3572 +      continue;
  1.3573 +    }
  1.3574 +    queryAdd(pQuery, pToken, nToken);
  1.3575 +    if( !inPhrase && iBegin>0 && pSegment[iBegin-1]=='-' ){
  1.3576 +      pQuery->pTerms[pQuery->nTerms-1].isNot = 1;
  1.3577 +    }
  1.3578 +    if( iEnd<nSegment && pSegment[iEnd]=='*' ){
  1.3579 +      pQuery->pTerms[pQuery->nTerms-1].isPrefix = 1;
  1.3580 +    }
  1.3581 +    pQuery->pTerms[pQuery->nTerms-1].iPhrase = nTerm;
  1.3582 +    if( inPhrase ){
  1.3583 +      nTerm++;
  1.3584 +    }
  1.3585 +  }
  1.3586 +
  1.3587 +  if( inPhrase && pQuery->nTerms>firstIndex ){
  1.3588 +    pQuery->pTerms[firstIndex].nPhrase = pQuery->nTerms - firstIndex - 1;
  1.3589 +  }
  1.3590 +
  1.3591 +  return pModule->xClose(pCursor);
  1.3592 +}
  1.3593 +
  1.3594 +/* Parse a query string, yielding a Query object pQuery.
  1.3595 +**
  1.3596 +** The calling function will need to queryClear() to clean up
  1.3597 +** the dynamically allocated memory held by pQuery.
  1.3598 +*/
  1.3599 +static int parseQuery(
  1.3600 +  fulltext_vtab *v,        /* The fulltext index */
  1.3601 +  const char *zInput,      /* Input text of the query string */
  1.3602 +  int nInput,              /* Size of the input text */
  1.3603 +  int dfltColumn,          /* Default column of the index to match against */
  1.3604 +  Query *pQuery            /* Write the parse results here. */
  1.3605 +){
  1.3606 +  int iInput, inPhrase = 0;
  1.3607 +
  1.3608 +  if( zInput==0 ) nInput = 0;
  1.3609 +  if( nInput<0 ) nInput = strlen(zInput);
  1.3610 +  pQuery->nTerms = 0;
  1.3611 +  pQuery->pTerms = NULL;
  1.3612 +  pQuery->nextIsOr = 0;
  1.3613 +  pQuery->nextColumn = dfltColumn;
  1.3614 +  pQuery->dfltColumn = dfltColumn;
  1.3615 +  pQuery->pFts = v;
  1.3616 +
  1.3617 +  for(iInput=0; iInput<nInput; ++iInput){
  1.3618 +    int i;
  1.3619 +    for(i=iInput; i<nInput && zInput[i]!='"'; ++i){}
  1.3620 +    if( i>iInput ){
  1.3621 +      tokenizeSegment(v->pTokenizer, zInput+iInput, i-iInput, inPhrase,
  1.3622 +                       pQuery);
  1.3623 +    }
  1.3624 +    iInput = i;
  1.3625 +    if( i<nInput ){
  1.3626 +      assert( zInput[i]=='"' );
  1.3627 +      inPhrase = !inPhrase;
  1.3628 +    }
  1.3629 +  }
  1.3630 +
  1.3631 +  if( inPhrase ){
  1.3632 +    /* unmatched quote */
  1.3633 +    queryClear(pQuery);
  1.3634 +    return SQLITE_ERROR;
  1.3635 +  }
  1.3636 +  return SQLITE_OK;
  1.3637 +}
  1.3638 +
  1.3639 +/* TODO(shess) Refactor the code to remove this forward decl. */
  1.3640 +static int flushPendingTerms(fulltext_vtab *v);
  1.3641 +
  1.3642 +/* Perform a full-text query using the search expression in
  1.3643 +** zInput[0..nInput-1].  Return a list of matching documents
  1.3644 +** in pResult.
  1.3645 +**
  1.3646 +** Queries must match column iColumn.  Or if iColumn>=nColumn
  1.3647 +** they are allowed to match against any column.
  1.3648 +*/
  1.3649 +static int fulltextQuery(
  1.3650 +  fulltext_vtab *v,      /* The full text index */
  1.3651 +  int iColumn,           /* Match against this column by default */
  1.3652 +  const char *zInput,    /* The query string */
  1.3653 +  int nInput,            /* Number of bytes in zInput[] */
  1.3654 +  DataBuffer *pResult,   /* Write the result doclist here */
  1.3655 +  Query *pQuery          /* Put parsed query string here */
  1.3656 +){
  1.3657 +  int i, iNext, rc;
  1.3658 +  DataBuffer left, right, or, new;
  1.3659 +  int nNot = 0;
  1.3660 +  QueryTerm *aTerm;
  1.3661 +
  1.3662 +  /* TODO(shess) Instead of flushing pendingTerms, we could query for
  1.3663 +  ** the relevant term and merge the doclist into what we receive from
  1.3664 +  ** the database.  Wait and see if this is a common issue, first.
  1.3665 +  **
  1.3666 +  ** A good reason not to flush is to not generate update-related
  1.3667 +  ** error codes from here.
  1.3668 +  */
  1.3669 +
  1.3670 +  /* Flush any buffered updates before executing the query. */
  1.3671 +  rc = flushPendingTerms(v);
  1.3672 +  if( rc!=SQLITE_OK ) return rc;
  1.3673 +
  1.3674 +  /* TODO(shess) I think that the queryClear() calls below are not
  1.3675 +  ** necessary, because fulltextClose() already clears the query.
  1.3676 +  */
  1.3677 +  rc = parseQuery(v, zInput, nInput, iColumn, pQuery);
  1.3678 +  if( rc!=SQLITE_OK ) return rc;
  1.3679 +
  1.3680 +  /* Empty or NULL queries return no results. */
  1.3681 +  if( pQuery->nTerms==0 ){
  1.3682 +    dataBufferInit(pResult, 0);
  1.3683 +    return SQLITE_OK;
  1.3684 +  }
  1.3685 +
  1.3686 +  /* Merge AND terms. */
  1.3687 +  /* TODO(shess) I think we can early-exit if( i>nNot && left.nData==0 ). */
  1.3688 +  aTerm = pQuery->pTerms;
  1.3689 +  for(i = 0; i<pQuery->nTerms; i=iNext){
  1.3690 +    if( aTerm[i].isNot ){
  1.3691 +      /* Handle all NOT terms in a separate pass */
  1.3692 +      nNot++;
  1.3693 +      iNext = i + aTerm[i].nPhrase+1;
  1.3694 +      continue;
  1.3695 +    }
  1.3696 +    iNext = i + aTerm[i].nPhrase + 1;
  1.3697 +    rc = docListOfTerm(v, aTerm[i].iColumn, &aTerm[i], &right);
  1.3698 +    if( rc ){
  1.3699 +      if( i!=nNot ) dataBufferDestroy(&left);
  1.3700 +      queryClear(pQuery);
  1.3701 +      return rc;
  1.3702 +    }
  1.3703 +    while( iNext<pQuery->nTerms && aTerm[iNext].isOr ){
  1.3704 +      rc = docListOfTerm(v, aTerm[iNext].iColumn, &aTerm[iNext], &or);
  1.3705 +      iNext += aTerm[iNext].nPhrase + 1;
  1.3706 +      if( rc ){
  1.3707 +        if( i!=nNot ) dataBufferDestroy(&left);
  1.3708 +        dataBufferDestroy(&right);
  1.3709 +        queryClear(pQuery);
  1.3710 +        return rc;
  1.3711 +      }
  1.3712 +      dataBufferInit(&new, 0);
  1.3713 +      docListOrMerge(right.pData, right.nData, or.pData, or.nData, &new);
  1.3714 +      dataBufferDestroy(&right);
  1.3715 +      dataBufferDestroy(&or);
  1.3716 +      right = new;
  1.3717 +    }
  1.3718 +    if( i==nNot ){           /* first term processed. */
  1.3719 +      left = right;
  1.3720 +    }else{
  1.3721 +      dataBufferInit(&new, 0);
  1.3722 +      docListAndMerge(left.pData, left.nData, right.pData, right.nData, &new);
  1.3723 +      dataBufferDestroy(&right);
  1.3724 +      dataBufferDestroy(&left);
  1.3725 +      left = new;
  1.3726 +    }
  1.3727 +  }
  1.3728 +
  1.3729 +  if( nNot==pQuery->nTerms ){
  1.3730 +    /* We do not yet know how to handle a query of only NOT terms */
  1.3731 +    return SQLITE_ERROR;
  1.3732 +  }
  1.3733 +
  1.3734 +  /* Do the EXCEPT terms */
  1.3735 +  for(i=0; i<pQuery->nTerms;  i += aTerm[i].nPhrase + 1){
  1.3736 +    if( !aTerm[i].isNot ) continue;
  1.3737 +    rc = docListOfTerm(v, aTerm[i].iColumn, &aTerm[i], &right);
  1.3738 +    if( rc ){
  1.3739 +      queryClear(pQuery);
  1.3740 +      dataBufferDestroy(&left);
  1.3741 +      return rc;
  1.3742 +    }
  1.3743 +    dataBufferInit(&new, 0);
  1.3744 +    docListExceptMerge(left.pData, left.nData, right.pData, right.nData, &new);
  1.3745 +    dataBufferDestroy(&right);
  1.3746 +    dataBufferDestroy(&left);
  1.3747 +    left = new;
  1.3748 +  }
  1.3749 +
  1.3750 +  *pResult = left;
  1.3751 +  return rc;
  1.3752 +}
  1.3753 +
  1.3754 +/*
  1.3755 +** This is the xFilter interface for the virtual table.  See
  1.3756 +** the virtual table xFilter method documentation for additional
  1.3757 +** information.
  1.3758 +**
  1.3759 +** If idxNum==QUERY_GENERIC then do a full table scan against
  1.3760 +** the %_content table.
  1.3761 +**
  1.3762 +** If idxNum==QUERY_ROWID then do a rowid lookup for a single entry
  1.3763 +** in the %_content table.
  1.3764 +**
  1.3765 +** If idxNum>=QUERY_FULLTEXT then use the full text index.  The
  1.3766 +** column on the left-hand side of the MATCH operator is column
  1.3767 +** number idxNum-QUERY_FULLTEXT, 0 indexed.  argv[0] is the right-hand
  1.3768 +** side of the MATCH operator.
  1.3769 +*/
  1.3770 +/* TODO(shess) Upgrade the cursor initialization and destruction to
  1.3771 +** account for fulltextFilter() being called multiple times on the
  1.3772 +** same cursor.  The current solution is very fragile.  Apply fix to
  1.3773 +** fts2 as appropriate.
  1.3774 +*/
  1.3775 +static int fulltextFilter(
  1.3776 +  sqlite3_vtab_cursor *pCursor,     /* The cursor used for this query */
  1.3777 +  int idxNum, const char *idxStr,   /* Which indexing scheme to use */
  1.3778 +  int argc, sqlite3_value **argv    /* Arguments for the indexing scheme */
  1.3779 +){
  1.3780 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3781 +  fulltext_vtab *v = cursor_vtab(c);
  1.3782 +  int rc;
  1.3783 +
  1.3784 +  TRACE(("FTS2 Filter %p\n",pCursor));
  1.3785 +
  1.3786 +  /* If the cursor has a statement that was not prepared according to
  1.3787 +  ** idxNum, clear it.  I believe all calls to fulltextFilter with a
  1.3788 +  ** given cursor will have the same idxNum , but in this case it's
  1.3789 +  ** easy to be safe.
  1.3790 +  */
  1.3791 +  if( c->pStmt && c->iCursorType!=idxNum ){
  1.3792 +    sqlite3_finalize(c->pStmt);
  1.3793 +    c->pStmt = NULL;
  1.3794 +  }
  1.3795 +
  1.3796 +  /* Get a fresh statement appropriate to idxNum. */
  1.3797 +  /* TODO(shess): Add a prepared-statement cache in the vt structure.
  1.3798 +  ** The cache must handle multiple open cursors.  Easier to cache the
  1.3799 +  ** statement variants at the vt to reduce malloc/realloc/free here.
  1.3800 +  ** Or we could have a StringBuffer variant which allowed stack
  1.3801 +  ** construction for small values.
  1.3802 +  */
  1.3803 +  if( !c->pStmt ){
  1.3804 +    char *zSql = sqlite3_mprintf("select rowid, * from %%_content %s",
  1.3805 +                                 idxNum==QUERY_GENERIC ? "" : "where rowid=?");
  1.3806 +    rc = sql_prepare(v->db, v->zDb, v->zName, &c->pStmt, zSql);
  1.3807 +    sqlite3_free(zSql);
  1.3808 +    if( rc!=SQLITE_OK ) return rc;
  1.3809 +    c->iCursorType = idxNum;
  1.3810 +  }else{
  1.3811 +    sqlite3_reset(c->pStmt);
  1.3812 +    assert( c->iCursorType==idxNum );
  1.3813 +  }
  1.3814 +
  1.3815 +  switch( idxNum ){
  1.3816 +    case QUERY_GENERIC:
  1.3817 +      break;
  1.3818 +
  1.3819 +    case QUERY_ROWID:
  1.3820 +      rc = sqlite3_bind_int64(c->pStmt, 1, sqlite3_value_int64(argv[0]));
  1.3821 +      if( rc!=SQLITE_OK ) return rc;
  1.3822 +      break;
  1.3823 +
  1.3824 +    default:   /* full-text search */
  1.3825 +    {
  1.3826 +      const char *zQuery = (const char *)sqlite3_value_text(argv[0]);
  1.3827 +      assert( idxNum<=QUERY_FULLTEXT+v->nColumn);
  1.3828 +      assert( argc==1 );
  1.3829 +      queryClear(&c->q);
  1.3830 +      if( c->result.nData!=0 ){
  1.3831 +        /* This case happens if the same cursor is used repeatedly. */
  1.3832 +        dlrDestroy(&c->reader);
  1.3833 +        dataBufferReset(&c->result);
  1.3834 +      }else{
  1.3835 +        dataBufferInit(&c->result, 0);
  1.3836 +      }
  1.3837 +      rc = fulltextQuery(v, idxNum-QUERY_FULLTEXT, zQuery, -1, &c->result, &c->q);
  1.3838 +      if( rc!=SQLITE_OK ) return rc;
  1.3839 +      if( c->result.nData!=0 ){
  1.3840 +        dlrInit(&c->reader, DL_DOCIDS, c->result.pData, c->result.nData);
  1.3841 +      }
  1.3842 +      break;
  1.3843 +    }
  1.3844 +  }
  1.3845 +
  1.3846 +  return fulltextNext(pCursor);
  1.3847 +}
  1.3848 +
  1.3849 +/* This is the xEof method of the virtual table.  The SQLite core
  1.3850 +** calls this routine to find out if it has reached the end of
  1.3851 +** a query's results set.
  1.3852 +*/
  1.3853 +static int fulltextEof(sqlite3_vtab_cursor *pCursor){
  1.3854 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3855 +  return c->eof;
  1.3856 +}
  1.3857 +
  1.3858 +/* This is the xColumn method of the virtual table.  The SQLite
  1.3859 +** core calls this method during a query when it needs the value
  1.3860 +** of a column from the virtual table.  This method needs to use
  1.3861 +** one of the sqlite3_result_*() routines to store the requested
  1.3862 +** value back in the pContext.
  1.3863 +*/
  1.3864 +static int fulltextColumn(sqlite3_vtab_cursor *pCursor,
  1.3865 +                          sqlite3_context *pContext, int idxCol){
  1.3866 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3867 +  fulltext_vtab *v = cursor_vtab(c);
  1.3868 +
  1.3869 +  if( idxCol<v->nColumn ){
  1.3870 +    sqlite3_value *pVal = sqlite3_column_value(c->pStmt, idxCol+1);
  1.3871 +    sqlite3_result_value(pContext, pVal);
  1.3872 +  }else if( idxCol==v->nColumn ){
  1.3873 +    /* The extra column whose name is the same as the table.
  1.3874 +    ** Return a blob which is a pointer to the cursor
  1.3875 +    */
  1.3876 +    sqlite3_result_blob(pContext, &c, sizeof(c), SQLITE_TRANSIENT);
  1.3877 +  }
  1.3878 +  return SQLITE_OK;
  1.3879 +}
  1.3880 +
  1.3881 +/* This is the xRowid method.  The SQLite core calls this routine to
  1.3882 +** retrive the rowid for the current row of the result set.  The
  1.3883 +** rowid should be written to *pRowid.
  1.3884 +*/
  1.3885 +static int fulltextRowid(sqlite3_vtab_cursor *pCursor, sqlite_int64 *pRowid){
  1.3886 +  fulltext_cursor *c = (fulltext_cursor *) pCursor;
  1.3887 +
  1.3888 +  *pRowid = sqlite3_column_int64(c->pStmt, 0);
  1.3889 +  return SQLITE_OK;
  1.3890 +}
  1.3891 +
  1.3892 +/* Add all terms in [zText] to pendingTerms table.  If [iColumn] > 0,
  1.3893 +** we also store positions and offsets in the hash table using that
  1.3894 +** column number.
  1.3895 +*/
  1.3896 +static int buildTerms(fulltext_vtab *v, sqlite_int64 iDocid,
  1.3897 +                      const char *zText, int iColumn){
  1.3898 +  sqlite3_tokenizer *pTokenizer = v->pTokenizer;
  1.3899 +  sqlite3_tokenizer_cursor *pCursor;
  1.3900 +  const char *pToken;
  1.3901 +  int nTokenBytes;
  1.3902 +  int iStartOffset, iEndOffset, iPosition;
  1.3903 +  int rc;
  1.3904 +
  1.3905 +  rc = pTokenizer->pModule->xOpen(pTokenizer, zText, -1, &pCursor);
  1.3906 +  if( rc!=SQLITE_OK ) return rc;
  1.3907 +
  1.3908 +  pCursor->pTokenizer = pTokenizer;
  1.3909 +  while( SQLITE_OK==(rc=pTokenizer->pModule->xNext(pCursor,
  1.3910 +                                                   &pToken, &nTokenBytes,
  1.3911 +                                                   &iStartOffset, &iEndOffset,
  1.3912 +                                                   &iPosition)) ){
  1.3913 +    DLCollector *p;
  1.3914 +    int nData;                   /* Size of doclist before our update. */
  1.3915 +
  1.3916 +    /* Positions can't be negative; we use -1 as a terminator
  1.3917 +     * internally.  Token can't be NULL or empty. */
  1.3918 +    if( iPosition<0 || pToken == NULL || nTokenBytes == 0 ){
  1.3919 +      rc = SQLITE_ERROR;
  1.3920 +      break;
  1.3921 +    }
  1.3922 +
  1.3923 +    p = fts2HashFind(&v->pendingTerms, pToken, nTokenBytes);
  1.3924 +    if( p==NULL ){
  1.3925 +      nData = 0;
  1.3926 +      p = dlcNew(iDocid, DL_DEFAULT);
  1.3927 +      fts2HashInsert(&v->pendingTerms, pToken, nTokenBytes, p);
  1.3928 +
  1.3929 +      /* Overhead for our hash table entry, the key, and the value. */
  1.3930 +      v->nPendingData += sizeof(struct fts2HashElem)+sizeof(*p)+nTokenBytes;
  1.3931 +    }else{
  1.3932 +      nData = p->b.nData;
  1.3933 +      if( p->dlw.iPrevDocid!=iDocid ) dlcNext(p, iDocid);
  1.3934 +    }
  1.3935 +    if( iColumn>=0 ){
  1.3936 +      dlcAddPos(p, iColumn, iPosition, iStartOffset, iEndOffset);
  1.3937 +    }
  1.3938 +
  1.3939 +    /* Accumulate data added by dlcNew or dlcNext, and dlcAddPos. */
  1.3940 +    v->nPendingData += p->b.nData-nData;
  1.3941 +  }
  1.3942 +
  1.3943 +  /* TODO(shess) Check return?  Should this be able to cause errors at
  1.3944 +  ** this point?  Actually, same question about sqlite3_finalize(),
  1.3945 +  ** though one could argue that failure there means that the data is
  1.3946 +  ** not durable.  *ponder*
  1.3947 +  */
  1.3948 +  pTokenizer->pModule->xClose(pCursor);
  1.3949 +  if( SQLITE_DONE == rc ) return SQLITE_OK;
  1.3950 +  return rc;
  1.3951 +}
  1.3952 +
  1.3953 +/* Add doclists for all terms in [pValues] to pendingTerms table. */
  1.3954 +static int insertTerms(fulltext_vtab *v, sqlite_int64 iRowid,
  1.3955 +                       sqlite3_value **pValues){
  1.3956 +  int i;
  1.3957 +  for(i = 0; i < v->nColumn ; ++i){
  1.3958 +    char *zText = (char*)sqlite3_value_text(pValues[i]);
  1.3959 +    int rc = buildTerms(v, iRowid, zText, i);
  1.3960 +    if( rc!=SQLITE_OK ) return rc;
  1.3961 +  }
  1.3962 +  return SQLITE_OK;
  1.3963 +}
  1.3964 +
  1.3965 +/* Add empty doclists for all terms in the given row's content to
  1.3966 +** pendingTerms.
  1.3967 +*/
  1.3968 +static int deleteTerms(fulltext_vtab *v, sqlite_int64 iRowid){
  1.3969 +  const char **pValues;
  1.3970 +  int i, rc;
  1.3971 +
  1.3972 +  /* TODO(shess) Should we allow such tables at all? */
  1.3973 +  if( DL_DEFAULT==DL_DOCIDS ) return SQLITE_ERROR;
  1.3974 +
  1.3975 +  rc = content_select(v, iRowid, &pValues);
  1.3976 +  if( rc!=SQLITE_OK ) return rc;
  1.3977 +
  1.3978 +  for(i = 0 ; i < v->nColumn; ++i) {
  1.3979 +    rc = buildTerms(v, iRowid, pValues[i], -1);
  1.3980 +    if( rc!=SQLITE_OK ) break;
  1.3981 +  }
  1.3982 +
  1.3983 +  freeStringArray(v->nColumn, pValues);
  1.3984 +  return SQLITE_OK;
  1.3985 +}
  1.3986 +
  1.3987 +/* TODO(shess) Refactor the code to remove this forward decl. */
  1.3988 +static int initPendingTerms(fulltext_vtab *v, sqlite_int64 iDocid);
  1.3989 +
  1.3990 +/* Insert a row into the %_content table; set *piRowid to be the ID of the
  1.3991 +** new row.  Add doclists for terms to pendingTerms.
  1.3992 +*/
  1.3993 +static int index_insert(fulltext_vtab *v, sqlite3_value *pRequestRowid,
  1.3994 +                        sqlite3_value **pValues, sqlite_int64 *piRowid){
  1.3995 +  int rc;
  1.3996 +
  1.3997 +  rc = content_insert(v, pRequestRowid, pValues);  /* execute an SQL INSERT */
  1.3998 +  if( rc!=SQLITE_OK ) return rc;
  1.3999 +
  1.4000 +  *piRowid = sqlite3_last_insert_rowid(v->db);
  1.4001 +  rc = initPendingTerms(v, *piRowid);
  1.4002 +  if( rc!=SQLITE_OK ) return rc;
  1.4003 +
  1.4004 +  return insertTerms(v, *piRowid, pValues);
  1.4005 +}
  1.4006 +
  1.4007 +/* Delete a row from the %_content table; add empty doclists for terms
  1.4008 +** to pendingTerms.
  1.4009 +*/
  1.4010 +static int index_delete(fulltext_vtab *v, sqlite_int64 iRow){
  1.4011 +  int rc = initPendingTerms(v, iRow);
  1.4012 +  if( rc!=SQLITE_OK ) return rc;
  1.4013 +
  1.4014 +  rc = deleteTerms(v, iRow);
  1.4015 +  if( rc!=SQLITE_OK ) return rc;
  1.4016 +
  1.4017 +  return content_delete(v, iRow);  /* execute an SQL DELETE */
  1.4018 +}
  1.4019 +
  1.4020 +/* Update a row in the %_content table; add delete doclists to
  1.4021 +** pendingTerms for old terms not in the new data, add insert doclists
  1.4022 +** to pendingTerms for terms in the new data.
  1.4023 +*/
  1.4024 +static int index_update(fulltext_vtab *v, sqlite_int64 iRow,
  1.4025 +                        sqlite3_value **pValues){
  1.4026 +  int rc = initPendingTerms(v, iRow);
  1.4027 +  if( rc!=SQLITE_OK ) return rc;
  1.4028 +
  1.4029 +  /* Generate an empty doclist for each term that previously appeared in this
  1.4030 +   * row. */
  1.4031 +  rc = deleteTerms(v, iRow);
  1.4032 +  if( rc!=SQLITE_OK ) return rc;
  1.4033 +
  1.4034 +  rc = content_update(v, pValues, iRow);  /* execute an SQL UPDATE */
  1.4035 +  if( rc!=SQLITE_OK ) return rc;
  1.4036 +
  1.4037 +  /* Now add positions for terms which appear in the updated row. */
  1.4038 +  return insertTerms(v, iRow, pValues);
  1.4039 +}
  1.4040 +
  1.4041 +/*******************************************************************/
  1.4042 +/* InteriorWriter is used to collect terms and block references into
  1.4043 +** interior nodes in %_segments.  See commentary at top of file for
  1.4044 +** format.
  1.4045 +*/
  1.4046 +
  1.4047 +/* How large interior nodes can grow. */
  1.4048 +#define INTERIOR_MAX 2048
  1.4049 +
  1.4050 +/* Minimum number of terms per interior node (except the root). This
  1.4051 +** prevents large terms from making the tree too skinny - must be >0
  1.4052 +** so that the tree always makes progress.  Note that the min tree
  1.4053 +** fanout will be INTERIOR_MIN_TERMS+1.
  1.4054 +*/
  1.4055 +#define INTERIOR_MIN_TERMS 7
  1.4056 +#if INTERIOR_MIN_TERMS<1
  1.4057 +# error INTERIOR_MIN_TERMS must be greater than 0.
  1.4058 +#endif
  1.4059 +
  1.4060 +/* ROOT_MAX controls how much data is stored inline in the segment
  1.4061 +** directory.
  1.4062 +*/
  1.4063 +/* TODO(shess) Push ROOT_MAX down to whoever is writing things.  It's
  1.4064 +** only here so that interiorWriterRootInfo() and leafWriterRootInfo()
  1.4065 +** can both see it, but if the caller passed it in, we wouldn't even
  1.4066 +** need a define.
  1.4067 +*/
  1.4068 +#define ROOT_MAX 1024
  1.4069 +#if ROOT_MAX<VARINT_MAX*2
  1.4070 +# error ROOT_MAX must have enough space for a header.
  1.4071 +#endif
  1.4072 +
  1.4073 +/* InteriorBlock stores a linked-list of interior blocks while a lower
  1.4074 +** layer is being constructed.
  1.4075 +*/
  1.4076 +typedef struct InteriorBlock {
  1.4077 +  DataBuffer term;           /* Leftmost term in block's subtree. */
  1.4078 +  DataBuffer data;           /* Accumulated data for the block. */
  1.4079 +  struct InteriorBlock *next;
  1.4080 +} InteriorBlock;
  1.4081 +
  1.4082 +static InteriorBlock *interiorBlockNew(int iHeight, sqlite_int64 iChildBlock,
  1.4083 +                                       const char *pTerm, int nTerm){
  1.4084 +  InteriorBlock *block = sqlite3_malloc(sizeof(InteriorBlock));
  1.4085 +  char c[VARINT_MAX+VARINT_MAX];
  1.4086 +  int n;
  1.4087 +
  1.4088 +  if( block ){
  1.4089 +    memset(block, 0, sizeof(*block));
  1.4090 +    dataBufferInit(&block->term, 0);
  1.4091 +    dataBufferReplace(&block->term, pTerm, nTerm);
  1.4092 +
  1.4093 +    n = putVarint(c, iHeight);
  1.4094 +    n += putVarint(c+n, iChildBlock);
  1.4095 +    dataBufferInit(&block->data, INTERIOR_MAX);
  1.4096 +    dataBufferReplace(&block->data, c, n);
  1.4097 +  }
  1.4098 +  return block;
  1.4099 +}
  1.4100 +
  1.4101 +#ifndef NDEBUG
  1.4102 +/* Verify that the data is readable as an interior node. */
  1.4103 +static void interiorBlockValidate(InteriorBlock *pBlock){
  1.4104 +  const char *pData = pBlock->data.pData;
  1.4105 +  int nData = pBlock->data.nData;
  1.4106 +  int n, iDummy;
  1.4107 +  sqlite_int64 iBlockid;
  1.4108 +
  1.4109 +  assert( nData>0 );
  1.4110 +  assert( pData!=0 );
  1.4111 +  assert( pData+nData>pData );
  1.4112 +
  1.4113 +  /* Must lead with height of node as a varint(n), n>0 */
  1.4114 +  n = getVarint32(pData, &iDummy);
  1.4115 +  assert( n>0 );
  1.4116 +  assert( iDummy>0 );
  1.4117 +  assert( n<nData );
  1.4118 +  pData += n;
  1.4119 +  nData -= n;
  1.4120 +
  1.4121 +  /* Must contain iBlockid. */
  1.4122 +  n = getVarint(pData, &iBlockid);
  1.4123 +  assert( n>0 );
  1.4124 +  assert( n<=nData );
  1.4125 +  pData += n;
  1.4126 +  nData -= n;
  1.4127 +
  1.4128 +  /* Zero or more terms of positive length */
  1.4129 +  if( nData!=0 ){
  1.4130 +    /* First term is not delta-encoded. */
  1.4131 +    n = getVarint32(pData, &iDummy);
  1.4132 +    assert( n>0 );
  1.4133 +    assert( iDummy>0 );
  1.4134 +    assert( n+iDummy>0);
  1.4135 +    assert( n+iDummy<=nData );
  1.4136 +    pData += n+iDummy;
  1.4137 +    nData -= n+iDummy;
  1.4138 +
  1.4139 +    /* Following terms delta-encoded. */
  1.4140 +    while( nData!=0 ){
  1.4141 +      /* Length of shared prefix. */
  1.4142 +      n = getVarint32(pData, &iDummy);
  1.4143 +      assert( n>0 );
  1.4144 +      assert( iDummy>=0 );
  1.4145 +      assert( n<nData );
  1.4146 +      pData += n;
  1.4147 +      nData -= n;
  1.4148 +
  1.4149 +      /* Length and data of distinct suffix. */
  1.4150 +      n = getVarint32(pData, &iDummy);
  1.4151 +      assert( n>0 );
  1.4152 +      assert( iDummy>0 );
  1.4153 +      assert( n+iDummy>0);
  1.4154 +      assert( n+iDummy<=nData );
  1.4155 +      pData += n+iDummy;
  1.4156 +      nData -= n+iDummy;
  1.4157 +    }
  1.4158 +  }
  1.4159 +}
  1.4160 +#define ASSERT_VALID_INTERIOR_BLOCK(x) interiorBlockValidate(x)
  1.4161 +#else
  1.4162 +#define ASSERT_VALID_INTERIOR_BLOCK(x) assert( 1 )
  1.4163 +#endif
  1.4164 +
  1.4165 +typedef struct InteriorWriter {
  1.4166 +  int iHeight;                   /* from 0 at leaves. */
  1.4167 +  InteriorBlock *first, *last;
  1.4168 +  struct InteriorWriter *parentWriter;
  1.4169 +
  1.4170 +  DataBuffer term;               /* Last term written to block "last". */
  1.4171 +  sqlite_int64 iOpeningChildBlock; /* First child block in block "last". */
  1.4172 +#ifndef NDEBUG
  1.4173 +  sqlite_int64 iLastChildBlock;  /* for consistency checks. */
  1.4174 +#endif
  1.4175 +} InteriorWriter;
  1.4176 +
  1.4177 +/* Initialize an interior node where pTerm[nTerm] marks the leftmost
  1.4178 +** term in the tree.  iChildBlock is the leftmost child block at the
  1.4179 +** next level down the tree.
  1.4180 +*/
  1.4181 +static void interiorWriterInit(int iHeight, const char *pTerm, int nTerm,
  1.4182 +                               sqlite_int64 iChildBlock,
  1.4183 +                               InteriorWriter *pWriter){
  1.4184 +  InteriorBlock *block;
  1.4185 +  assert( iHeight>0 );
  1.4186 +  CLEAR(pWriter);
  1.4187 +
  1.4188 +  pWriter->iHeight = iHeight;
  1.4189 +  pWriter->iOpeningChildBlock = iChildBlock;
  1.4190 +#ifndef NDEBUG
  1.4191 +  pWriter->iLastChildBlock = iChildBlock;
  1.4192 +#endif
  1.4193 +  block = interiorBlockNew(iHeight, iChildBlock, pTerm, nTerm);
  1.4194 +  pWriter->last = pWriter->first = block;
  1.4195 +  ASSERT_VALID_INTERIOR_BLOCK(pWriter->last);
  1.4196 +  dataBufferInit(&pWriter->term, 0);
  1.4197 +}
  1.4198 +
  1.4199 +/* Append the child node rooted at iChildBlock to the interior node,
  1.4200 +** with pTerm[nTerm] as the leftmost term in iChildBlock's subtree.
  1.4201 +*/
  1.4202 +static void interiorWriterAppend(InteriorWriter *pWriter,
  1.4203 +                                 const char *pTerm, int nTerm,
  1.4204 +                                 sqlite_int64 iChildBlock){
  1.4205 +  char c[VARINT_MAX+VARINT_MAX];
  1.4206 +  int n, nPrefix = 0;
  1.4207 +
  1.4208 +  ASSERT_VALID_INTERIOR_BLOCK(pWriter->last);
  1.4209 +
  1.4210 +  /* The first term written into an interior node is actually
  1.4211 +  ** associated with the second child added (the first child was added
  1.4212 +  ** in interiorWriterInit, or in the if clause at the bottom of this
  1.4213 +  ** function).  That term gets encoded straight up, with nPrefix left
  1.4214 +  ** at 0.
  1.4215 +  */
  1.4216 +  if( pWriter->term.nData==0 ){
  1.4217 +    n = putVarint(c, nTerm);
  1.4218 +  }else{
  1.4219 +    while( nPrefix<pWriter->term.nData &&
  1.4220 +           pTerm[nPrefix]==pWriter->term.pData[nPrefix] ){
  1.4221 +      nPrefix++;
  1.4222 +    }
  1.4223 +
  1.4224 +    n = putVarint(c, nPrefix);
  1.4225 +    n += putVarint(c+n, nTerm-nPrefix);
  1.4226 +  }
  1.4227 +
  1.4228 +#ifndef NDEBUG
  1.4229 +  pWriter->iLastChildBlock++;
  1.4230 +#endif
  1.4231 +  assert( pWriter->iLastChildBlock==iChildBlock );
  1.4232 +
  1.4233 +  /* Overflow to a new block if the new term makes the current block
  1.4234 +  ** too big, and the current block already has enough terms.
  1.4235 +  */
  1.4236 +  if( pWriter->last->data.nData+n+nTerm-nPrefix>INTERIOR_MAX &&
  1.4237 +      iChildBlock-pWriter->iOpeningChildBlock>INTERIOR_MIN_TERMS ){
  1.4238 +    pWriter->last->next = interiorBlockNew(pWriter->iHeight, iChildBlock,
  1.4239 +                                           pTerm, nTerm);
  1.4240 +    pWriter->last = pWriter->last->next;
  1.4241 +    pWriter->iOpeningChildBlock = iChildBlock;
  1.4242 +    dataBufferReset(&pWriter->term);
  1.4243 +  }else{
  1.4244 +    dataBufferAppend2(&pWriter->last->data, c, n,
  1.4245 +                      pTerm+nPrefix, nTerm-nPrefix);
  1.4246 +    dataBufferReplace(&pWriter->term, pTerm, nTerm);
  1.4247 +  }
  1.4248 +  ASSERT_VALID_INTERIOR_BLOCK(pWriter->last);
  1.4249 +}
  1.4250 +
  1.4251 +/* Free the space used by pWriter, including the linked-list of
  1.4252 +** InteriorBlocks, and parentWriter, if present.
  1.4253 +*/
  1.4254 +static int interiorWriterDestroy(InteriorWriter *pWriter){
  1.4255 +  InteriorBlock *block = pWriter->first;
  1.4256 +
  1.4257 +  while( block!=NULL ){
  1.4258 +    InteriorBlock *b = block;
  1.4259 +    block = block->next;
  1.4260 +    dataBufferDestroy(&b->term);
  1.4261 +    dataBufferDestroy(&b->data);
  1.4262 +    sqlite3_free(b);
  1.4263 +  }
  1.4264 +  if( pWriter->parentWriter!=NULL ){
  1.4265 +    interiorWriterDestroy(pWriter->parentWriter);
  1.4266 +    sqlite3_free(pWriter->parentWriter);
  1.4267 +  }
  1.4268 +  dataBufferDestroy(&pWriter->term);
  1.4269 +  SCRAMBLE(pWriter);
  1.4270 +  return SQLITE_OK;
  1.4271 +}
  1.4272 +
  1.4273 +/* If pWriter can fit entirely in ROOT_MAX, return it as the root info
  1.4274 +** directly, leaving *piEndBlockid unchanged.  Otherwise, flush
  1.4275 +** pWriter to %_segments, building a new layer of interior nodes, and
  1.4276 +** recursively ask for their root into.
  1.4277 +*/
  1.4278 +static int interiorWriterRootInfo(fulltext_vtab *v, InteriorWriter *pWriter,
  1.4279 +                                  char **ppRootInfo, int *pnRootInfo,
  1.4280 +                                  sqlite_int64 *piEndBlockid){
  1.4281 +  InteriorBlock *block = pWriter->first;
  1.4282 +  sqlite_int64 iBlockid = 0;
  1.4283 +  int rc;
  1.4284 +
  1.4285 +  /* If we can fit the segment inline */
  1.4286 +  if( block==pWriter->last && block->data.nData<ROOT_MAX ){
  1.4287 +    *ppRootInfo = block->data.pData;
  1.4288 +    *pnRootInfo = block->data.nData;
  1.4289 +    return SQLITE_OK;
  1.4290 +  }
  1.4291 +
  1.4292 +  /* Flush the first block to %_segments, and create a new level of
  1.4293 +  ** interior node.
  1.4294 +  */
  1.4295 +  ASSERT_VALID_INTERIOR_BLOCK(block);
  1.4296 +  rc = block_insert(v, block->data.pData, block->data.nData, &iBlockid);
  1.4297 +  if( rc!=SQLITE_OK ) return rc;
  1.4298 +  *piEndBlockid = iBlockid;
  1.4299 +
  1.4300 +  pWriter->parentWriter = sqlite3_malloc(sizeof(*pWriter->parentWriter));
  1.4301 +  interiorWriterInit(pWriter->iHeight+1,
  1.4302 +                     block->term.pData, block->term.nData,
  1.4303 +                     iBlockid, pWriter->parentWriter);
  1.4304 +
  1.4305 +  /* Flush additional blocks and append to the higher interior
  1.4306 +  ** node.
  1.4307 +  */
  1.4308 +  for(block=block->next; block!=NULL; block=block->next){
  1.4309 +    ASSERT_VALID_INTERIOR_BLOCK(block);
  1.4310 +    rc = block_insert(v, block->data.pData, block->data.nData, &iBlockid);
  1.4311 +    if( rc!=SQLITE_OK ) return rc;
  1.4312 +    *piEndBlockid = iBlockid;
  1.4313 +
  1.4314 +    interiorWriterAppend(pWriter->parentWriter,
  1.4315 +                         block->term.pData, block->term.nData, iBlockid);
  1.4316 +  }
  1.4317 +
  1.4318 +  /* Parent node gets the chance to be the root. */
  1.4319 +  return interiorWriterRootInfo(v, pWriter->parentWriter,
  1.4320 +                                ppRootInfo, pnRootInfo, piEndBlockid);
  1.4321 +}
  1.4322 +
  1.4323 +/****************************************************************/
  1.4324 +/* InteriorReader is used to read off the data from an interior node
  1.4325 +** (see comment at top of file for the format).
  1.4326 +*/
  1.4327 +typedef struct InteriorReader {
  1.4328 +  const char *pData;
  1.4329 +  int nData;
  1.4330 +
  1.4331 +  DataBuffer term;          /* previous term, for decoding term delta. */
  1.4332 +
  1.4333 +  sqlite_int64 iBlockid;
  1.4334 +} InteriorReader;
  1.4335 +
  1.4336 +static void interiorReaderDestroy(InteriorReader *pReader){
  1.4337 +  dataBufferDestroy(&pReader->term);
  1.4338 +  SCRAMBLE(pReader);
  1.4339 +}
  1.4340 +
  1.4341 +/* TODO(shess) The assertions are great, but what if we're in NDEBUG
  1.4342 +** and the blob is empty or otherwise contains suspect data?
  1.4343 +*/
  1.4344 +static void interiorReaderInit(const char *pData, int nData,
  1.4345 +                               InteriorReader *pReader){
  1.4346 +  int n, nTerm;
  1.4347 +
  1.4348 +  /* Require at least the leading flag byte */
  1.4349 +  assert( nData>0 );
  1.4350 +  assert( pData[0]!='\0' );
  1.4351 +
  1.4352 +  CLEAR(pReader);
  1.4353 +
  1.4354 +  /* Decode the base blockid, and set the cursor to the first term. */
  1.4355 +  n = getVarint(pData+1, &pReader->iBlockid);
  1.4356 +  assert( 1+n<=nData );
  1.4357 +  pReader->pData = pData+1+n;
  1.4358 +  pReader->nData = nData-(1+n);
  1.4359 +
  1.4360 +  /* A single-child interior node (such as when a leaf node was too
  1.4361 +  ** large for the segment directory) won't have any terms.
  1.4362 +  ** Otherwise, decode the first term.
  1.4363 +  */
  1.4364 +  if( pReader->nData==0 ){
  1.4365 +    dataBufferInit(&pReader->term, 0);
  1.4366 +  }else{
  1.4367 +    n = getVarint32(pReader->pData, &nTerm);
  1.4368 +    dataBufferInit(&pReader->term, nTerm);
  1.4369 +    dataBufferReplace(&pReader->term, pReader->pData+n, nTerm);
  1.4370 +    assert( n+nTerm<=pReader->nData );
  1.4371 +    pReader->pData += n+nTerm;
  1.4372 +    pReader->nData -= n+nTerm;
  1.4373 +  }
  1.4374 +}
  1.4375 +
  1.4376 +static int interiorReaderAtEnd(InteriorReader *pReader){
  1.4377 +  return pReader->term.nData==0;
  1.4378 +}
  1.4379 +
  1.4380 +static sqlite_int64 interiorReaderCurrentBlockid(InteriorReader *pReader){
  1.4381 +  return pReader->iBlockid;
  1.4382 +}
  1.4383 +
  1.4384 +static int interiorReaderTermBytes(InteriorReader *pReader){
  1.4385 +  assert( !interiorReaderAtEnd(pReader) );
  1.4386 +  return pReader->term.nData;
  1.4387 +}
  1.4388 +static const char *interiorReaderTerm(InteriorReader *pReader){
  1.4389 +  assert( !interiorReaderAtEnd(pReader) );
  1.4390 +  return pReader->term.pData;
  1.4391 +}
  1.4392 +
  1.4393 +/* Step forward to the next term in the node. */
  1.4394 +static void interiorReaderStep(InteriorReader *pReader){
  1.4395 +  assert( !interiorReaderAtEnd(pReader) );
  1.4396 +
  1.4397 +  /* If the last term has been read, signal eof, else construct the
  1.4398 +  ** next term.
  1.4399 +  */
  1.4400 +  if( pReader->nData==0 ){
  1.4401 +    dataBufferReset(&pReader->term);
  1.4402 +  }else{
  1.4403 +    int n, nPrefix, nSuffix;
  1.4404 +
  1.4405 +    n = getVarint32(pReader->pData, &nPrefix);
  1.4406 +    n += getVarint32(pReader->pData+n, &nSuffix);
  1.4407 +
  1.4408 +    /* Truncate the current term and append suffix data. */
  1.4409 +    pReader->term.nData = nPrefix;
  1.4410 +    dataBufferAppend(&pReader->term, pReader->pData+n, nSuffix);
  1.4411 +
  1.4412 +    assert( n+nSuffix<=pReader->nData );
  1.4413 +    pReader->pData += n+nSuffix;
  1.4414 +    pReader->nData -= n+nSuffix;
  1.4415 +  }
  1.4416 +  pReader->iBlockid++;
  1.4417 +}
  1.4418 +
  1.4419 +/* Compare the current term to pTerm[nTerm], returning strcmp-style
  1.4420 +** results.  If isPrefix, equality means equal through nTerm bytes.
  1.4421 +*/
  1.4422 +static int interiorReaderTermCmp(InteriorReader *pReader,
  1.4423 +                                 const char *pTerm, int nTerm, int isPrefix){
  1.4424 +  const char *pReaderTerm = interiorReaderTerm(pReader);
  1.4425 +  int nReaderTerm = interiorReaderTermBytes(pReader);
  1.4426 +  int c, n = nReaderTerm<nTerm ? nReaderTerm : nTerm;
  1.4427 +
  1.4428 +  if( n==0 ){
  1.4429 +    if( nReaderTerm>0 ) return -1;
  1.4430 +    if( nTerm>0 ) return 1;
  1.4431 +    return 0;
  1.4432 +  }
  1.4433 +
  1.4434 +  c = memcmp(pReaderTerm, pTerm, n);
  1.4435 +  if( c!=0 ) return c;
  1.4436 +  if( isPrefix && n==nTerm ) return 0;
  1.4437 +  return nReaderTerm - nTerm;
  1.4438 +}
  1.4439 +
  1.4440 +/****************************************************************/
  1.4441 +/* LeafWriter is used to collect terms and associated doclist data
  1.4442 +** into leaf blocks in %_segments (see top of file for format info).
  1.4443 +** Expected usage is:
  1.4444 +**
  1.4445 +** LeafWriter writer;
  1.4446 +** leafWriterInit(0, 0, &writer);
  1.4447 +** while( sorted_terms_left_to_process ){
  1.4448 +**   // data is doclist data for that term.
  1.4449 +**   rc = leafWriterStep(v, &writer, pTerm, nTerm, pData, nData);
  1.4450 +**   if( rc!=SQLITE_OK ) goto err;
  1.4451 +** }
  1.4452 +** rc = leafWriterFinalize(v, &writer);
  1.4453 +**err:
  1.4454 +** leafWriterDestroy(&writer);
  1.4455 +** return rc;
  1.4456 +**
  1.4457 +** leafWriterStep() may write a collected leaf out to %_segments.
  1.4458 +** leafWriterFinalize() finishes writing any buffered data and stores
  1.4459 +** a root node in %_segdir.  leafWriterDestroy() frees all buffers and
  1.4460 +** InteriorWriters allocated as part of writing this segment.
  1.4461 +**
  1.4462 +** TODO(shess) Document leafWriterStepMerge().
  1.4463 +*/
  1.4464 +
  1.4465 +/* Put terms with data this big in their own block. */
  1.4466 +#define STANDALONE_MIN 1024
  1.4467 +
  1.4468 +/* Keep leaf blocks below this size. */
  1.4469 +#define LEAF_MAX 2048
  1.4470 +
  1.4471 +typedef struct LeafWriter {
  1.4472 +  int iLevel;
  1.4473 +  int idx;
  1.4474 +  sqlite_int64 iStartBlockid;     /* needed to create the root info */
  1.4475 +  sqlite_int64 iEndBlockid;       /* when we're done writing. */
  1.4476 +
  1.4477 +  DataBuffer term;                /* previous encoded term */
  1.4478 +  DataBuffer data;                /* encoding buffer */
  1.4479 +
  1.4480 +  /* bytes of first term in the current node which distinguishes that
  1.4481 +  ** term from the last term of the previous node.
  1.4482 +  */
  1.4483 +  int nTermDistinct;
  1.4484 +
  1.4485 +  InteriorWriter parentWriter;    /* if we overflow */
  1.4486 +  int has_parent;
  1.4487 +} LeafWriter;
  1.4488 +
  1.4489 +static void leafWriterInit(int iLevel, int idx, LeafWriter *pWriter){
  1.4490 +  CLEAR(pWriter);
  1.4491 +  pWriter->iLevel = iLevel;
  1.4492 +  pWriter->idx = idx;
  1.4493 +
  1.4494 +  dataBufferInit(&pWriter->term, 32);
  1.4495 +
  1.4496 +  /* Start out with a reasonably sized block, though it can grow. */
  1.4497 +  dataBufferInit(&pWriter->data, LEAF_MAX);
  1.4498 +}
  1.4499 +
  1.4500 +#ifndef NDEBUG
  1.4501 +/* Verify that the data is readable as a leaf node. */
  1.4502 +static void leafNodeValidate(const char *pData, int nData){
  1.4503 +  int n, iDummy;
  1.4504 +
  1.4505 +  if( nData==0 ) return;
  1.4506 +  assert( nData>0 );
  1.4507 +  assert( pData!=0 );
  1.4508 +  assert( pData+nData>pData );
  1.4509 +
  1.4510 +  /* Must lead with a varint(0) */
  1.4511 +  n = getVarint32(pData, &iDummy);
  1.4512 +  assert( iDummy==0 );
  1.4513 +  assert( n>0 );
  1.4514 +  assert( n<nData );
  1.4515 +  pData += n;
  1.4516 +  nData -= n;
  1.4517 +
  1.4518 +  /* Leading term length and data must fit in buffer. */
  1.4519 +  n = getVarint32(pData, &iDummy);
  1.4520 +  assert( n>0 );
  1.4521 +  assert( iDummy>0 );
  1.4522 +  assert( n+iDummy>0 );
  1.4523 +  assert( n+iDummy<nData );
  1.4524 +  pData += n+iDummy;
  1.4525 +  nData -= n+iDummy;
  1.4526 +
  1.4527 +  /* Leading term's doclist length and data must fit. */
  1.4528 +  n = getVarint32(pData, &iDummy);
  1.4529 +  assert( n>0 );
  1.4530 +  assert( iDummy>0 );
  1.4531 +  assert( n+iDummy>0 );
  1.4532 +  assert( n+iDummy<=nData );
  1.4533 +  ASSERT_VALID_DOCLIST(DL_DEFAULT, pData+n, iDummy, NULL);
  1.4534 +  pData += n+iDummy;
  1.4535 +  nData -= n+iDummy;
  1.4536 +
  1.4537 +  /* Verify that trailing terms and doclists also are readable. */
  1.4538 +  while( nData!=0 ){
  1.4539 +    n = getVarint32(pData, &iDummy);
  1.4540 +    assert( n>0 );
  1.4541 +    assert( iDummy>=0 );
  1.4542 +    assert( n<nData );
  1.4543 +    pData += n;
  1.4544 +    nData -= n;
  1.4545 +    n = getVarint32(pData, &iDummy);
  1.4546 +    assert( n>0 );
  1.4547 +    assert( iDummy>0 );
  1.4548 +    assert( n+iDummy>0 );
  1.4549 +    assert( n+iDummy<nData );
  1.4550 +    pData += n+iDummy;
  1.4551 +    nData -= n+iDummy;
  1.4552 +
  1.4553 +    n = getVarint32(pData, &iDummy);
  1.4554 +    assert( n>0 );
  1.4555 +    assert( iDummy>0 );
  1.4556 +    assert( n+iDummy>0 );
  1.4557 +    assert( n+iDummy<=nData );
  1.4558 +    ASSERT_VALID_DOCLIST(DL_DEFAULT, pData+n, iDummy, NULL);
  1.4559 +    pData += n+iDummy;
  1.4560 +    nData -= n+iDummy;
  1.4561 +  }
  1.4562 +}
  1.4563 +#define ASSERT_VALID_LEAF_NODE(p, n) leafNodeValidate(p, n)
  1.4564 +#else
  1.4565 +#define ASSERT_VALID_LEAF_NODE(p, n) assert( 1 )
  1.4566 +#endif
  1.4567 +
  1.4568 +/* Flush the current leaf node to %_segments, and adding the resulting
  1.4569 +** blockid and the starting term to the interior node which will
  1.4570 +** contain it.
  1.4571 +*/
  1.4572 +static int leafWriterInternalFlush(fulltext_vtab *v, LeafWriter *pWriter,
  1.4573 +                                   int iData, int nData){
  1.4574 +  sqlite_int64 iBlockid = 0;
  1.4575 +  const char *pStartingTerm;
  1.4576 +  int nStartingTerm, rc, n;
  1.4577 +
  1.4578 +  /* Must have the leading varint(0) flag, plus at least some
  1.4579 +  ** valid-looking data.
  1.4580 +  */
  1.4581 +  assert( nData>2 );
  1.4582 +  assert( iData>=0 );
  1.4583 +  assert( iData+nData<=pWriter->data.nData );
  1.4584 +  ASSERT_VALID_LEAF_NODE(pWriter->data.pData+iData, nData);
  1.4585 +
  1.4586 +  rc = block_insert(v, pWriter->data.pData+iData, nData, &iBlockid);
  1.4587 +  if( rc!=SQLITE_OK ) return rc;
  1.4588 +  assert( iBlockid!=0 );
  1.4589 +
  1.4590 +  /* Reconstruct the first term in the leaf for purposes of building
  1.4591 +  ** the interior node.
  1.4592 +  */
  1.4593 +  n = getVarint32(pWriter->data.pData+iData+1, &nStartingTerm);
  1.4594 +  pStartingTerm = pWriter->data.pData+iData+1+n;
  1.4595 +  assert( pWriter->data.nData>iData+1+n+nStartingTerm );
  1.4596 +  assert( pWriter->nTermDistinct>0 );
  1.4597 +  assert( pWriter->nTermDistinct<=nStartingTerm );
  1.4598 +  nStartingTerm = pWriter->nTermDistinct;
  1.4599 +
  1.4600 +  if( pWriter->has_parent ){
  1.4601 +    interiorWriterAppend(&pWriter->parentWriter,
  1.4602 +                         pStartingTerm, nStartingTerm, iBlockid);
  1.4603 +  }else{
  1.4604 +    interiorWriterInit(1, pStartingTerm, nStartingTerm, iBlockid,
  1.4605 +                       &pWriter->parentWriter);
  1.4606 +    pWriter->has_parent = 1;
  1.4607 +  }
  1.4608 +
  1.4609 +  /* Track the span of this segment's leaf nodes. */
  1.4610 +  if( pWriter->iEndBlockid==0 ){
  1.4611 +    pWriter->iEndBlockid = pWriter->iStartBlockid = iBlockid;
  1.4612 +  }else{
  1.4613 +    pWriter->iEndBlockid++;
  1.4614 +    assert( iBlockid==pWriter->iEndBlockid );
  1.4615 +  }
  1.4616 +
  1.4617 +  return SQLITE_OK;
  1.4618 +}
  1.4619 +static int leafWriterFlush(fulltext_vtab *v, LeafWriter *pWriter){
  1.4620 +  int rc = leafWriterInternalFlush(v, pWriter, 0, pWriter->data.nData);
  1.4621 +  if( rc!=SQLITE_OK ) return rc;
  1.4622 +
  1.4623 +  /* Re-initialize the output buffer. */
  1.4624 +  dataBufferReset(&pWriter->data);
  1.4625 +
  1.4626 +  return SQLITE_OK;
  1.4627 +}
  1.4628 +
  1.4629 +/* Fetch the root info for the segment.  If the entire leaf fits
  1.4630 +** within ROOT_MAX, then it will be returned directly, otherwise it
  1.4631 +** will be flushed and the root info will be returned from the
  1.4632 +** interior node.  *piEndBlockid is set to the blockid of the last
  1.4633 +** interior or leaf node written to disk (0 if none are written at
  1.4634 +** all).
  1.4635 +*/
  1.4636 +static int leafWriterRootInfo(fulltext_vtab *v, LeafWriter *pWriter,
  1.4637 +                              char **ppRootInfo, int *pnRootInfo,
  1.4638 +                              sqlite_int64 *piEndBlockid){
  1.4639 +  /* we can fit the segment entirely inline */
  1.4640 +  if( !pWriter->has_parent && pWriter->data.nData<ROOT_MAX ){
  1.4641 +    *ppRootInfo = pWriter->data.pData;
  1.4642 +    *pnRootInfo = pWriter->data.nData;
  1.4643 +    *piEndBlockid = 0;
  1.4644 +    return SQLITE_OK;
  1.4645 +  }
  1.4646 +
  1.4647 +  /* Flush remaining leaf data. */
  1.4648 +  if( pWriter->data.nData>0 ){
  1.4649 +    int rc = leafWriterFlush(v, pWriter);
  1.4650 +    if( rc!=SQLITE_OK ) return rc;
  1.4651 +  }
  1.4652 +
  1.4653 +  /* We must have flushed a leaf at some point. */
  1.4654 +  assert( pWriter->has_parent );
  1.4655 +
  1.4656 +  /* Tenatively set the end leaf blockid as the end blockid.  If the
  1.4657 +  ** interior node can be returned inline, this will be the final
  1.4658 +  ** blockid, otherwise it will be overwritten by
  1.4659 +  ** interiorWriterRootInfo().
  1.4660 +  */
  1.4661 +  *piEndBlockid = pWriter->iEndBlockid;
  1.4662 +
  1.4663 +  return interiorWriterRootInfo(v, &pWriter->parentWriter,
  1.4664 +                                ppRootInfo, pnRootInfo, piEndBlockid);
  1.4665 +}
  1.4666 +
  1.4667 +/* Collect the rootInfo data and store it into the segment directory.
  1.4668 +** This has the effect of flushing the segment's leaf data to
  1.4669 +** %_segments, and also flushing any interior nodes to %_segments.
  1.4670 +*/
  1.4671 +static int leafWriterFinalize(fulltext_vtab *v, LeafWriter *pWriter){
  1.4672 +  sqlite_int64 iEndBlockid;
  1.4673 +  char *pRootInfo;
  1.4674 +  int rc, nRootInfo;
  1.4675 +
  1.4676 +  rc = leafWriterRootInfo(v, pWriter, &pRootInfo, &nRootInfo, &iEndBlockid);
  1.4677 +  if( rc!=SQLITE_OK ) return rc;
  1.4678 +
  1.4679 +  /* Don't bother storing an entirely empty segment. */
  1.4680 +  if( iEndBlockid==0 && nRootInfo==0 ) return SQLITE_OK;
  1.4681 +
  1.4682 +  return segdir_set(v, pWriter->iLevel, pWriter->idx,
  1.4683 +                    pWriter->iStartBlockid, pWriter->iEndBlockid,
  1.4684 +                    iEndBlockid, pRootInfo, nRootInfo);
  1.4685 +}
  1.4686 +
  1.4687 +static void leafWriterDestroy(LeafWriter *pWriter){
  1.4688 +  if( pWriter->has_parent ) interiorWriterDestroy(&pWriter->parentWriter);
  1.4689 +  dataBufferDestroy(&pWriter->term);
  1.4690 +  dataBufferDestroy(&pWriter->data);
  1.4691 +}
  1.4692 +
  1.4693 +/* Encode a term into the leafWriter, delta-encoding as appropriate.
  1.4694 +** Returns the length of the new term which distinguishes it from the
  1.4695 +** previous term, which can be used to set nTermDistinct when a node
  1.4696 +** boundary is crossed.
  1.4697 +*/
  1.4698 +static int leafWriterEncodeTerm(LeafWriter *pWriter,
  1.4699 +                                const char *pTerm, int nTerm){
  1.4700 +  char c[VARINT_MAX+VARINT_MAX];
  1.4701 +  int n, nPrefix = 0;
  1.4702 +
  1.4703 +  assert( nTerm>0 );
  1.4704 +  while( nPrefix<pWriter->term.nData &&
  1.4705 +         pTerm[nPrefix]==pWriter->term.pData[nPrefix] ){
  1.4706 +    nPrefix++;
  1.4707 +    /* Failing this implies that the terms weren't in order. */
  1.4708 +    assert( nPrefix<nTerm );
  1.4709 +  }
  1.4710 +
  1.4711 +  if( pWriter->data.nData==0 ){
  1.4712 +    /* Encode the node header and leading term as:
  1.4713 +    **  varint(0)
  1.4714 +    **  varint(nTerm)
  1.4715 +    **  char pTerm[nTerm]
  1.4716 +    */
  1.4717 +    n = putVarint(c, '\0');
  1.4718 +    n += putVarint(c+n, nTerm);
  1.4719 +    dataBufferAppend2(&pWriter->data, c, n, pTerm, nTerm);
  1.4720 +  }else{
  1.4721 +    /* Delta-encode the term as:
  1.4722 +    **  varint(nPrefix)
  1.4723 +    **  varint(nSuffix)
  1.4724 +    **  char pTermSuffix[nSuffix]
  1.4725 +    */
  1.4726 +    n = putVarint(c, nPrefix);
  1.4727 +    n += putVarint(c+n, nTerm-nPrefix);
  1.4728 +    dataBufferAppend2(&pWriter->data, c, n, pTerm+nPrefix, nTerm-nPrefix);
  1.4729 +  }
  1.4730 +  dataBufferReplace(&pWriter->term, pTerm, nTerm);
  1.4731 +
  1.4732 +  return nPrefix+1;
  1.4733 +}
  1.4734 +
  1.4735 +/* Used to avoid a memmove when a large amount of doclist data is in
  1.4736 +** the buffer.  This constructs a node and term header before
  1.4737 +** iDoclistData and flushes the resulting complete node using
  1.4738 +** leafWriterInternalFlush().
  1.4739 +*/
  1.4740 +static int leafWriterInlineFlush(fulltext_vtab *v, LeafWriter *pWriter,
  1.4741 +                                 const char *pTerm, int nTerm,
  1.4742 +                                 int iDoclistData){
  1.4743 +  char c[VARINT_MAX+VARINT_MAX];
  1.4744 +  int iData, n = putVarint(c, 0);
  1.4745 +  n += putVarint(c+n, nTerm);
  1.4746 +
  1.4747 +  /* There should always be room for the header.  Even if pTerm shared
  1.4748 +  ** a substantial prefix with the previous term, the entire prefix
  1.4749 +  ** could be constructed from earlier data in the doclist, so there
  1.4750 +  ** should be room.
  1.4751 +  */
  1.4752 +  assert( iDoclistData>=n+nTerm );
  1.4753 +
  1.4754 +  iData = iDoclistData-(n+nTerm);
  1.4755 +  memcpy(pWriter->data.pData+iData, c, n);
  1.4756 +  memcpy(pWriter->data.pData+iData+n, pTerm, nTerm);
  1.4757 +
  1.4758 +  return leafWriterInternalFlush(v, pWriter, iData, pWriter->data.nData-iData);
  1.4759 +}
  1.4760 +
  1.4761 +/* Push pTerm[nTerm] along with the doclist data to the leaf layer of
  1.4762 +** %_segments.
  1.4763 +*/
  1.4764 +static int leafWriterStepMerge(fulltext_vtab *v, LeafWriter *pWriter,
  1.4765 +                               const char *pTerm, int nTerm,
  1.4766 +                               DLReader *pReaders, int nReaders){
  1.4767 +  char c[VARINT_MAX+VARINT_MAX];
  1.4768 +  int iTermData = pWriter->data.nData, iDoclistData;
  1.4769 +  int i, nData, n, nActualData, nActual, rc, nTermDistinct;
  1.4770 +
  1.4771 +  ASSERT_VALID_LEAF_NODE(pWriter->data.pData, pWriter->data.nData);
  1.4772 +  nTermDistinct = leafWriterEncodeTerm(pWriter, pTerm, nTerm);
  1.4773 +
  1.4774 +  /* Remember nTermDistinct if opening a new node. */
  1.4775 +  if( iTermData==0 ) pWriter->nTermDistinct = nTermDistinct;
  1.4776 +
  1.4777 +  iDoclistData = pWriter->data.nData;
  1.4778 +
  1.4779 +  /* Estimate the length of the merged doclist so we can leave space
  1.4780 +  ** to encode it.
  1.4781 +  */
  1.4782 +  for(i=0, nData=0; i<nReaders; i++){
  1.4783 +    nData += dlrAllDataBytes(&pReaders[i]);
  1.4784 +  }
  1.4785 +  n = putVarint(c, nData);
  1.4786 +  dataBufferAppend(&pWriter->data, c, n);
  1.4787 +
  1.4788 +  docListMerge(&pWriter->data, pReaders, nReaders);
  1.4789 +  ASSERT_VALID_DOCLIST(DL_DEFAULT,
  1.4790 +                       pWriter->data.pData+iDoclistData+n,
  1.4791 +                       pWriter->data.nData-iDoclistData-n, NULL);
  1.4792 +
  1.4793 +  /* The actual amount of doclist data at this point could be smaller
  1.4794 +  ** than the length we encoded.  Additionally, the space required to
  1.4795 +  ** encode this length could be smaller.  For small doclists, this is
  1.4796 +  ** not a big deal, we can just use memmove() to adjust things.
  1.4797 +  */
  1.4798 +  nActualData = pWriter->data.nData-(iDoclistData+n);
  1.4799 +  nActual = putVarint(c, nActualData);
  1.4800 +  assert( nActualData<=nData );
  1.4801 +  assert( nActual<=n );
  1.4802 +
  1.4803 +  /* If the new doclist is big enough for force a standalone leaf
  1.4804 +  ** node, we can immediately flush it inline without doing the
  1.4805 +  ** memmove().
  1.4806 +  */
  1.4807 +  /* TODO(shess) This test matches leafWriterStep(), which does this
  1.4808 +  ** test before it knows the cost to varint-encode the term and
  1.4809 +  ** doclist lengths.  At some point, change to
  1.4810 +  ** pWriter->data.nData-iTermData>STANDALONE_MIN.
  1.4811 +  */
  1.4812 +  if( nTerm+nActualData>STANDALONE_MIN ){
  1.4813 +    /* Push leaf node from before this term. */
  1.4814 +    if( iTermData>0 ){
  1.4815 +      rc = leafWriterInternalFlush(v, pWriter, 0, iTermData);
  1.4816 +      if( rc!=SQLITE_OK ) return rc;
  1.4817 +
  1.4818 +      pWriter->nTermDistinct = nTermDistinct;
  1.4819 +    }
  1.4820 +
  1.4821 +    /* Fix the encoded doclist length. */
  1.4822 +    iDoclistData += n - nActual;
  1.4823 +    memcpy(pWriter->data.pData+iDoclistData, c, nActual);
  1.4824 +
  1.4825 +    /* Push the standalone leaf node. */
  1.4826 +    rc = leafWriterInlineFlush(v, pWriter, pTerm, nTerm, iDoclistData);
  1.4827 +    if( rc!=SQLITE_OK ) return rc;
  1.4828 +
  1.4829 +    /* Leave the node empty. */
  1.4830 +    dataBufferReset(&pWriter->data);
  1.4831 +
  1.4832 +    return rc;
  1.4833 +  }
  1.4834 +
  1.4835 +  /* At this point, we know that the doclist was small, so do the
  1.4836 +  ** memmove if indicated.
  1.4837 +  */
  1.4838 +  if( nActual<n ){
  1.4839 +    memmove(pWriter->data.pData+iDoclistData+nActual,
  1.4840 +            pWriter->data.pData+iDoclistData+n,
  1.4841 +            pWriter->data.nData-(iDoclistData+n));
  1.4842 +    pWriter->data.nData -= n-nActual;
  1.4843 +  }
  1.4844 +
  1.4845 +  /* Replace written length with actual length. */
  1.4846 +  memcpy(pWriter->data.pData+iDoclistData, c, nActual);
  1.4847 +
  1.4848 +  /* If the node is too large, break things up. */
  1.4849 +  /* TODO(shess) This test matches leafWriterStep(), which does this
  1.4850 +  ** test before it knows the cost to varint-encode the term and
  1.4851 +  ** doclist lengths.  At some point, change to
  1.4852 +  ** pWriter->data.nData>LEAF_MAX.
  1.4853 +  */
  1.4854 +  if( iTermData+nTerm+nActualData>LEAF_MAX ){
  1.4855 +    /* Flush out the leading data as a node */
  1.4856 +    rc = leafWriterInternalFlush(v, pWriter, 0, iTermData);
  1.4857 +    if( rc!=SQLITE_OK ) return rc;
  1.4858 +
  1.4859 +    pWriter->nTermDistinct = nTermDistinct;
  1.4860 +
  1.4861 +    /* Rebuild header using the current term */
  1.4862 +    n = putVarint(pWriter->data.pData, 0);
  1.4863 +    n += putVarint(pWriter->data.pData+n, nTerm);
  1.4864 +    memcpy(pWriter->data.pData+n, pTerm, nTerm);
  1.4865 +    n += nTerm;
  1.4866 +
  1.4867 +    /* There should always be room, because the previous encoding
  1.4868 +    ** included all data necessary to construct the term.
  1.4869 +    */
  1.4870 +    assert( n<iDoclistData );
  1.4871 +    /* So long as STANDALONE_MIN is half or less of LEAF_MAX, the
  1.4872 +    ** following memcpy() is safe (as opposed to needing a memmove).
  1.4873 +    */
  1.4874 +    assert( 2*STANDALONE_MIN<=LEAF_MAX );
  1.4875 +    assert( n+pWriter->data.nData-iDoclistData<iDoclistData );
  1.4876 +    memcpy(pWriter->data.pData+n,
  1.4877 +           pWriter->data.pData+iDoclistData,
  1.4878 +           pWriter->data.nData-iDoclistData);
  1.4879 +    pWriter->data.nData -= iDoclistData-n;
  1.4880 +  }
  1.4881 +  ASSERT_VALID_LEAF_NODE(pWriter->data.pData, pWriter->data.nData);
  1.4882 +
  1.4883 +  return SQLITE_OK;
  1.4884 +}
  1.4885 +
  1.4886 +/* Push pTerm[nTerm] along with the doclist data to the leaf layer of
  1.4887 +** %_segments.
  1.4888 +*/
  1.4889 +/* TODO(shess) Revise writeZeroSegment() so that doclists are
  1.4890 +** constructed directly in pWriter->data.
  1.4891 +*/
  1.4892 +static int leafWriterStep(fulltext_vtab *v, LeafWriter *pWriter,
  1.4893 +                          const char *pTerm, int nTerm,
  1.4894 +                          const char *pData, int nData){
  1.4895 +  int rc;
  1.4896 +  DLReader reader;
  1.4897 +
  1.4898 +  dlrInit(&reader, DL_DEFAULT, pData, nData);
  1.4899 +  rc = leafWriterStepMerge(v, pWriter, pTerm, nTerm, &reader, 1);
  1.4900 +  dlrDestroy(&reader);
  1.4901 +
  1.4902 +  return rc;
  1.4903 +}
  1.4904 +
  1.4905 +
  1.4906 +/****************************************************************/
  1.4907 +/* LeafReader is used to iterate over an individual leaf node. */
  1.4908 +typedef struct LeafReader {
  1.4909 +  DataBuffer term;          /* copy of current term. */
  1.4910 +
  1.4911 +  const char *pData;        /* data for current term. */
  1.4912 +  int nData;
  1.4913 +} LeafReader;
  1.4914 +
  1.4915 +static void leafReaderDestroy(LeafReader *pReader){
  1.4916 +  dataBufferDestroy(&pReader->term);
  1.4917 +  SCRAMBLE(pReader);
  1.4918 +}
  1.4919 +
  1.4920 +static int leafReaderAtEnd(LeafReader *pReader){
  1.4921 +  return pReader->nData<=0;
  1.4922 +}
  1.4923 +
  1.4924 +/* Access the current term. */
  1.4925 +static int leafReaderTermBytes(LeafReader *pReader){
  1.4926 +  return pReader->term.nData;
  1.4927 +}
  1.4928 +static const char *leafReaderTerm(LeafReader *pReader){
  1.4929 +  assert( pReader->term.nData>0 );
  1.4930 +  return pReader->term.pData;
  1.4931 +}
  1.4932 +
  1.4933 +/* Access the doclist data for the current term. */
  1.4934 +static int leafReaderDataBytes(LeafReader *pReader){
  1.4935 +  int nData;
  1.4936 +  assert( pReader->term.nData>0 );
  1.4937 +  getVarint32(pReader->pData, &nData);
  1.4938 +  return nData;
  1.4939 +}
  1.4940 +static const char *leafReaderData(LeafReader *pReader){
  1.4941 +  int n, nData;
  1.4942 +  assert( pReader->term.nData>0 );
  1.4943 +  n = getVarint32(pReader->pData, &nData);
  1.4944 +  return pReader->pData+n;
  1.4945 +}
  1.4946 +
  1.4947 +static void leafReaderInit(const char *pData, int nData,
  1.4948 +                           LeafReader *pReader){
  1.4949 +  int nTerm, n;
  1.4950 +
  1.4951 +  assert( nData>0 );
  1.4952 +  assert( pData[0]=='\0' );
  1.4953 +
  1.4954 +  CLEAR(pReader);
  1.4955 +
  1.4956 +  /* Read the first term, skipping the header byte. */
  1.4957 +  n = getVarint32(pData+1, &nTerm);
  1.4958 +  dataBufferInit(&pReader->term, nTerm);
  1.4959 +  dataBufferReplace(&pReader->term, pData+1+n, nTerm);
  1.4960 +
  1.4961 +  /* Position after the first term. */
  1.4962 +  assert( 1+n+nTerm<nData );
  1.4963 +  pReader->pData = pData+1+n+nTerm;
  1.4964 +  pReader->nData = nData-1-n-nTerm;
  1.4965 +}
  1.4966 +
  1.4967 +/* Step the reader forward to the next term. */
  1.4968 +static void leafReaderStep(LeafReader *pReader){
  1.4969 +  int n, nData, nPrefix, nSuffix;
  1.4970 +  assert( !leafReaderAtEnd(pReader) );
  1.4971 +
  1.4972 +  /* Skip previous entry's data block. */
  1.4973 +  n = getVarint32(pReader->pData, &nData);
  1.4974 +  assert( n+nData<=pReader->nData );
  1.4975 +  pReader->pData += n+nData;
  1.4976 +  pReader->nData -= n+nData;
  1.4977 +
  1.4978 +  if( !leafReaderAtEnd(pReader) ){
  1.4979 +    /* Construct the new term using a prefix from the old term plus a
  1.4980 +    ** suffix from the leaf data.
  1.4981 +    */
  1.4982 +    n = getVarint32(pReader->pData, &nPrefix);
  1.4983 +    n += getVarint32(pReader->pData+n, &nSuffix);
  1.4984 +    assert( n+nSuffix<pReader->nData );
  1.4985 +    pReader->term.nData = nPrefix;
  1.4986 +    dataBufferAppend(&pReader->term, pReader->pData+n, nSuffix);
  1.4987 +
  1.4988 +    pReader->pData += n+nSuffix;
  1.4989 +    pReader->nData -= n+nSuffix;
  1.4990 +  }
  1.4991 +}
  1.4992 +
  1.4993 +/* strcmp-style comparison of pReader's current term against pTerm.
  1.4994 +** If isPrefix, equality means equal through nTerm bytes.
  1.4995 +*/
  1.4996 +static int leafReaderTermCmp(LeafReader *pReader,
  1.4997 +                             const char *pTerm, int nTerm, int isPrefix){
  1.4998 +  int c, n = pReader->term.nData<nTerm ? pReader->term.nData : nTerm;
  1.4999 +  if( n==0 ){
  1.5000 +    if( pReader->term.nData>0 ) return -1;
  1.5001 +    if(nTerm>0 ) return 1;
  1.5002 +    return 0;
  1.5003 +  }
  1.5004 +
  1.5005 +  c = memcmp(pReader->term.pData, pTerm, n);
  1.5006 +  if( c!=0 ) return c;
  1.5007 +  if( isPrefix && n==nTerm ) return 0;
  1.5008 +  return pReader->term.nData - nTerm;
  1.5009 +}
  1.5010 +
  1.5011 +
  1.5012 +/****************************************************************/
  1.5013 +/* LeavesReader wraps LeafReader to allow iterating over the entire
  1.5014 +** leaf layer of the tree.
  1.5015 +*/
  1.5016 +typedef struct LeavesReader {
  1.5017 +  int idx;                  /* Index within the segment. */
  1.5018 +
  1.5019 +  sqlite3_stmt *pStmt;      /* Statement we're streaming leaves from. */
  1.5020 +  int eof;                  /* we've seen SQLITE_DONE from pStmt. */
  1.5021 +
  1.5022 +  LeafReader leafReader;    /* reader for the current leaf. */
  1.5023 +  DataBuffer rootData;      /* root data for inline. */
  1.5024 +} LeavesReader;
  1.5025 +
  1.5026 +/* Access the current term. */
  1.5027 +static int leavesReaderTermBytes(LeavesReader *pReader){
  1.5028 +  assert( !pReader->eof );
  1.5029 +  return leafReaderTermBytes(&pReader->leafReader);
  1.5030 +}
  1.5031 +static const char *leavesReaderTerm(LeavesReader *pReader){
  1.5032 +  assert( !pReader->eof );
  1.5033 +  return leafReaderTerm(&pReader->leafReader);
  1.5034 +}
  1.5035 +
  1.5036 +/* Access the doclist data for the current term. */
  1.5037 +static int leavesReaderDataBytes(LeavesReader *pReader){
  1.5038 +  assert( !pReader->eof );
  1.5039 +  return leafReaderDataBytes(&pReader->leafReader);
  1.5040 +}
  1.5041 +static const char *leavesReaderData(LeavesReader *pReader){
  1.5042 +  assert( !pReader->eof );
  1.5043 +  return leafReaderData(&pReader->leafReader);
  1.5044 +}
  1.5045 +
  1.5046 +static int leavesReaderAtEnd(LeavesReader *pReader){
  1.5047 +  return pReader->eof;
  1.5048 +}
  1.5049 +
  1.5050 +/* loadSegmentLeaves() may not read all the way to SQLITE_DONE, thus
  1.5051 +** leaving the statement handle open, which locks the table.
  1.5052 +*/
  1.5053 +/* TODO(shess) This "solution" is not satisfactory.  Really, there
  1.5054 +** should be check-in function for all statement handles which
  1.5055 +** arranges to call sqlite3_reset().  This most likely will require
  1.5056 +** modification to control flow all over the place, though, so for now
  1.5057 +** just punt.
  1.5058 +**
  1.5059 +** Note the the current system assumes that segment merges will run to
  1.5060 +** completion, which is why this particular probably hasn't arisen in
  1.5061 +** this case.  Probably a brittle assumption.
  1.5062 +*/
  1.5063 +static int leavesReaderReset(LeavesReader *pReader){
  1.5064 +  return sqlite3_reset(pReader->pStmt);
  1.5065 +}
  1.5066 +
  1.5067 +static void leavesReaderDestroy(LeavesReader *pReader){
  1.5068 +  /* If idx is -1, that means we're using a non-cached statement
  1.5069 +  ** handle in the optimize() case, so we need to release it.
  1.5070 +  */
  1.5071 +  if( pReader->pStmt!=NULL && pReader->idx==-1 ){
  1.5072 +    sqlite3_finalize(pReader->pStmt);
  1.5073 +  }
  1.5074 +  leafReaderDestroy(&pReader->leafReader);
  1.5075 +  dataBufferDestroy(&pReader->rootData);
  1.5076 +  SCRAMBLE(pReader);
  1.5077 +}
  1.5078 +
  1.5079 +/* Initialize pReader with the given root data (if iStartBlockid==0
  1.5080 +** the leaf data was entirely contained in the root), or from the
  1.5081 +** stream of blocks between iStartBlockid and iEndBlockid, inclusive.
  1.5082 +*/
  1.5083 +static int leavesReaderInit(fulltext_vtab *v,
  1.5084 +                            int idx,
  1.5085 +                            sqlite_int64 iStartBlockid,
  1.5086 +                            sqlite_int64 iEndBlockid,
  1.5087 +                            const char *pRootData, int nRootData,
  1.5088 +                            LeavesReader *pReader){
  1.5089 +  CLEAR(pReader);
  1.5090 +  pReader->idx = idx;
  1.5091 +
  1.5092 +  dataBufferInit(&pReader->rootData, 0);
  1.5093 +  if( iStartBlockid==0 ){
  1.5094 +    /* Entire leaf level fit in root data. */
  1.5095 +    dataBufferReplace(&pReader->rootData, pRootData, nRootData);
  1.5096 +    leafReaderInit(pReader->rootData.pData, pReader->rootData.nData,
  1.5097 +                   &pReader->leafReader);
  1.5098 +  }else{
  1.5099 +    sqlite3_stmt *s;
  1.5100 +    int rc = sql_get_leaf_statement(v, idx, &s);
  1.5101 +    if( rc!=SQLITE_OK ) return rc;
  1.5102 +
  1.5103 +    rc = sqlite3_bind_int64(s, 1, iStartBlockid);
  1.5104 +    if( rc!=SQLITE_OK ) return rc;
  1.5105 +
  1.5106 +    rc = sqlite3_bind_int64(s, 2, iEndBlockid);
  1.5107 +    if( rc!=SQLITE_OK ) return rc;
  1.5108 +
  1.5109 +    rc = sqlite3_step(s);
  1.5110 +    if( rc==SQLITE_DONE ){
  1.5111 +      pReader->eof = 1;
  1.5112 +      return SQLITE_OK;
  1.5113 +    }
  1.5114 +    if( rc!=SQLITE_ROW ) return rc;
  1.5115 +
  1.5116 +    pReader->pStmt = s;
  1.5117 +    leafReaderInit(sqlite3_column_blob(pReader->pStmt, 0),
  1.5118 +                   sqlite3_column_bytes(pReader->pStmt, 0),
  1.5119 +                   &pReader->leafReader);
  1.5120 +  }
  1.5121 +  return SQLITE_OK;
  1.5122 +}
  1.5123 +
  1.5124 +/* Step the current leaf forward to the next term.  If we reach the
  1.5125 +** end of the current leaf, step forward to the next leaf block.
  1.5126 +*/
  1.5127 +static int leavesReaderStep(fulltext_vtab *v, LeavesReader *pReader){
  1.5128 +  assert( !leavesReaderAtEnd(pReader) );
  1.5129 +  leafReaderStep(&pReader->leafReader);
  1.5130 +
  1.5131 +  if( leafReaderAtEnd(&pReader->leafReader) ){
  1.5132 +    int rc;
  1.5133 +    if( pReader->rootData.pData ){
  1.5134 +      pReader->eof = 1;
  1.5135 +      return SQLITE_OK;
  1.5136 +    }
  1.5137 +    rc = sqlite3_step(pReader->pStmt);
  1.5138 +    if( rc!=SQLITE_ROW ){
  1.5139 +      pReader->eof = 1;
  1.5140 +      return rc==SQLITE_DONE ? SQLITE_OK : rc;
  1.5141 +    }
  1.5142 +    leafReaderDestroy(&pReader->leafReader);
  1.5143 +    leafReaderInit(sqlite3_column_blob(pReader->pStmt, 0),
  1.5144 +                   sqlite3_column_bytes(pReader->pStmt, 0),
  1.5145 +                   &pReader->leafReader);
  1.5146 +  }
  1.5147 +  return SQLITE_OK;
  1.5148 +}
  1.5149 +
  1.5150 +/* Order LeavesReaders by their term, ignoring idx.  Readers at eof
  1.5151 +** always sort to the end.
  1.5152 +*/
  1.5153 +static int leavesReaderTermCmp(LeavesReader *lr1, LeavesReader *lr2){
  1.5154 +  if( leavesReaderAtEnd(lr1) ){
  1.5155 +    if( leavesReaderAtEnd(lr2) ) return 0;
  1.5156 +    return 1;
  1.5157 +  }
  1.5158 +  if( leavesReaderAtEnd(lr2) ) return -1;
  1.5159 +
  1.5160 +  return leafReaderTermCmp(&lr1->leafReader,
  1.5161 +                           leavesReaderTerm(lr2), leavesReaderTermBytes(lr2),
  1.5162 +                           0);
  1.5163 +}
  1.5164 +
  1.5165 +/* Similar to leavesReaderTermCmp(), with additional ordering by idx
  1.5166 +** so that older segments sort before newer segments.
  1.5167 +*/
  1.5168 +static int leavesReaderCmp(LeavesReader *lr1, LeavesReader *lr2){
  1.5169 +  int c = leavesReaderTermCmp(lr1, lr2);
  1.5170 +  if( c!=0 ) return c;
  1.5171 +  return lr1->idx-lr2->idx;
  1.5172 +}
  1.5173 +
  1.5174 +/* Assume that pLr[1]..pLr[nLr] are sorted.  Bubble pLr[0] into its
  1.5175 +** sorted position.
  1.5176 +*/
  1.5177 +static void leavesReaderReorder(LeavesReader *pLr, int nLr){
  1.5178 +  while( nLr>1 && leavesReaderCmp(pLr, pLr+1)>0 ){
  1.5179 +    LeavesReader tmp = pLr[0];
  1.5180 +    pLr[0] = pLr[1];
  1.5181 +    pLr[1] = tmp;
  1.5182 +    nLr--;
  1.5183 +    pLr++;
  1.5184 +  }
  1.5185 +}
  1.5186 +
  1.5187 +/* Initializes pReaders with the segments from level iLevel, returning
  1.5188 +** the number of segments in *piReaders.  Leaves pReaders in sorted
  1.5189 +** order.
  1.5190 +*/
  1.5191 +static int leavesReadersInit(fulltext_vtab *v, int iLevel,
  1.5192 +                             LeavesReader *pReaders, int *piReaders){
  1.5193 +  sqlite3_stmt *s;
  1.5194 +  int i, rc = sql_get_statement(v, SEGDIR_SELECT_LEVEL_STMT, &s);
  1.5195 +  if( rc!=SQLITE_OK ) return rc;
  1.5196 +
  1.5197 +  rc = sqlite3_bind_int(s, 1, iLevel);
  1.5198 +  if( rc!=SQLITE_OK ) return rc;
  1.5199 +
  1.5200 +  i = 0;
  1.5201 +  while( (rc = sqlite3_step(s))==SQLITE_ROW ){
  1.5202 +    sqlite_int64 iStart = sqlite3_column_int64(s, 0);
  1.5203 +    sqlite_int64 iEnd = sqlite3_column_int64(s, 1);
  1.5204 +    const char *pRootData = sqlite3_column_blob(s, 2);
  1.5205 +    int nRootData = sqlite3_column_bytes(s, 2);
  1.5206 +
  1.5207 +    assert( i<MERGE_COUNT );
  1.5208 +    rc = leavesReaderInit(v, i, iStart, iEnd, pRootData, nRootData,
  1.5209 +                          &pReaders[i]);
  1.5210 +    if( rc!=SQLITE_OK ) break;
  1.5211 +
  1.5212 +    i++;
  1.5213 +  }
  1.5214 +  if( rc!=SQLITE_DONE ){
  1.5215 +    while( i-->0 ){
  1.5216 +      leavesReaderDestroy(&pReaders[i]);
  1.5217 +    }
  1.5218 +    return rc;
  1.5219 +  }
  1.5220 +
  1.5221 +  *piReaders = i;
  1.5222 +
  1.5223 +  /* Leave our results sorted by term, then age. */
  1.5224 +  while( i-- ){
  1.5225 +    leavesReaderReorder(pReaders+i, *piReaders-i);
  1.5226 +  }
  1.5227 +  return SQLITE_OK;
  1.5228 +}
  1.5229 +
  1.5230 +/* Merge doclists from pReaders[nReaders] into a single doclist, which
  1.5231 +** is written to pWriter.  Assumes pReaders is ordered oldest to
  1.5232 +** newest.
  1.5233 +*/
  1.5234 +/* TODO(shess) Consider putting this inline in segmentMerge(). */
  1.5235 +static int leavesReadersMerge(fulltext_vtab *v,
  1.5236 +                              LeavesReader *pReaders, int nReaders,
  1.5237 +                              LeafWriter *pWriter){
  1.5238 +  DLReader dlReaders[MERGE_COUNT];
  1.5239 +  const char *pTerm = leavesReaderTerm(pReaders);
  1.5240 +  int i, nTerm = leavesReaderTermBytes(pReaders);
  1.5241 +
  1.5242 +  assert( nReaders<=MERGE_COUNT );
  1.5243 +
  1.5244 +  for(i=0; i<nReaders; i++){
  1.5245 +    dlrInit(&dlReaders[i], DL_DEFAULT,
  1.5246 +            leavesReaderData(pReaders+i),
  1.5247 +            leavesReaderDataBytes(pReaders+i));
  1.5248 +  }
  1.5249 +
  1.5250 +  return leafWriterStepMerge(v, pWriter, pTerm, nTerm, dlReaders, nReaders);
  1.5251 +}
  1.5252 +
  1.5253 +/* Forward ref due to mutual recursion with segdirNextIndex(). */
  1.5254 +static int segmentMerge(fulltext_vtab *v, int iLevel);
  1.5255 +
  1.5256 +/* Put the next available index at iLevel into *pidx.  If iLevel
  1.5257 +** already has MERGE_COUNT segments, they are merged to a higher
  1.5258 +** level to make room.
  1.5259 +*/
  1.5260 +static int segdirNextIndex(fulltext_vtab *v, int iLevel, int *pidx){
  1.5261 +  int rc = segdir_max_index(v, iLevel, pidx);
  1.5262 +  if( rc==SQLITE_DONE ){              /* No segments at iLevel. */
  1.5263 +    *pidx = 0;
  1.5264 +  }else if( rc==SQLITE_ROW ){
  1.5265 +    if( *pidx==(MERGE_COUNT-1) ){
  1.5266 +      rc = segmentMerge(v, iLevel);
  1.5267 +      if( rc!=SQLITE_OK ) return rc;
  1.5268 +      *pidx = 0;
  1.5269 +    }else{
  1.5270 +      (*pidx)++;
  1.5271 +    }
  1.5272 +  }else{
  1.5273 +    return rc;
  1.5274 +  }
  1.5275 +  return SQLITE_OK;
  1.5276 +}
  1.5277 +
  1.5278 +/* Merge MERGE_COUNT segments at iLevel into a new segment at
  1.5279 +** iLevel+1.  If iLevel+1 is already full of segments, those will be
  1.5280 +** merged to make room.
  1.5281 +*/
  1.5282 +static int segmentMerge(fulltext_vtab *v, int iLevel){
  1.5283 +  LeafWriter writer;
  1.5284 +  LeavesReader lrs[MERGE_COUNT];
  1.5285 +  int i, rc, idx = 0;
  1.5286 +
  1.5287 +  /* Determine the next available segment index at the next level,
  1.5288 +  ** merging as necessary.
  1.5289 +  */
  1.5290 +  rc = segdirNextIndex(v, iLevel+1, &idx);
  1.5291 +  if( rc!=SQLITE_OK ) return rc;
  1.5292 +
  1.5293 +  /* TODO(shess) This assumes that we'll always see exactly
  1.5294 +  ** MERGE_COUNT segments to merge at a given level.  That will be
  1.5295 +  ** broken if we allow the developer to request preemptive or
  1.5296 +  ** deferred merging.
  1.5297 +  */
  1.5298 +  memset(&lrs, '\0', sizeof(lrs));
  1.5299 +  rc = leavesReadersInit(v, iLevel, lrs, &i);
  1.5300 +  if( rc!=SQLITE_OK ) return rc;
  1.5301 +  assert( i==MERGE_COUNT );
  1.5302 +
  1.5303 +  leafWriterInit(iLevel+1, idx, &writer);
  1.5304 +
  1.5305 +  /* Since leavesReaderReorder() pushes readers at eof to the end,
  1.5306 +  ** when the first reader is empty, all will be empty.
  1.5307 +  */
  1.5308 +  while( !leavesReaderAtEnd(lrs) ){
  1.5309 +    /* Figure out how many readers share their next term. */
  1.5310 +    for(i=1; i<MERGE_COUNT && !leavesReaderAtEnd(lrs+i); i++){
  1.5311 +      if( 0!=leavesReaderTermCmp(lrs, lrs+i) ) break;
  1.5312 +    }
  1.5313 +
  1.5314 +    rc = leavesReadersMerge(v, lrs, i, &writer);
  1.5315 +    if( rc!=SQLITE_OK ) goto err;
  1.5316 +
  1.5317 +    /* Step forward those that were merged. */
  1.5318 +    while( i-->0 ){
  1.5319 +      rc = leavesReaderStep(v, lrs+i);
  1.5320 +      if( rc!=SQLITE_OK ) goto err;
  1.5321 +
  1.5322 +      /* Reorder by term, then by age. */
  1.5323 +      leavesReaderReorder(lrs+i, MERGE_COUNT-i);
  1.5324 +    }
  1.5325 +  }
  1.5326 +
  1.5327 +  for(i=0; i<MERGE_COUNT; i++){
  1.5328 +    leavesReaderDestroy(&lrs[i]);
  1.5329 +  }
  1.5330 +
  1.5331 +  rc = leafWriterFinalize(v, &writer);
  1.5332 +  leafWriterDestroy(&writer);
  1.5333 +  if( rc!=SQLITE_OK ) return rc;
  1.5334 +
  1.5335 +  /* Delete the merged segment data. */
  1.5336 +  return segdir_delete(v, iLevel);
  1.5337 +
  1.5338 + err:
  1.5339 +  for(i=0; i<MERGE_COUNT; i++){
  1.5340 +    leavesReaderDestroy(&lrs[i]);
  1.5341 +  }
  1.5342 +  leafWriterDestroy(&writer);
  1.5343 +  return rc;
  1.5344 +}
  1.5345 +
  1.5346 +/* Accumulate the union of *acc and *pData into *acc. */
  1.5347 +static void docListAccumulateUnion(DataBuffer *acc,
  1.5348 +                                   const char *pData, int nData) {
  1.5349 +  DataBuffer tmp = *acc;
  1.5350 +  dataBufferInit(acc, tmp.nData+nData);
  1.5351 +  docListUnion(tmp.pData, tmp.nData, pData, nData, acc);
  1.5352 +  dataBufferDestroy(&tmp);
  1.5353 +}
  1.5354 +
  1.5355 +/* TODO(shess) It might be interesting to explore different merge
  1.5356 +** strategies, here.  For instance, since this is a sorted merge, we
  1.5357 +** could easily merge many doclists in parallel.  With some
  1.5358 +** comprehension of the storage format, we could merge all of the
  1.5359 +** doclists within a leaf node directly from the leaf node's storage.
  1.5360 +** It may be worthwhile to merge smaller doclists before larger
  1.5361 +** doclists, since they can be traversed more quickly - but the
  1.5362 +** results may have less overlap, making them more expensive in a
  1.5363 +** different way.
  1.5364 +*/
  1.5365 +
  1.5366 +/* Scan pReader for pTerm/nTerm, and merge the term's doclist over
  1.5367 +** *out (any doclists with duplicate docids overwrite those in *out).
  1.5368 +** Internal function for loadSegmentLeaf().
  1.5369 +*/
  1.5370 +static int loadSegmentLeavesInt(fulltext_vtab *v, LeavesReader *pReader,
  1.5371 +                                const char *pTerm, int nTerm, int isPrefix,
  1.5372 +                                DataBuffer *out){
  1.5373 +  /* doclist data is accumulated into pBuffers similar to how one does
  1.5374 +  ** increment in binary arithmetic.  If index 0 is empty, the data is
  1.5375 +  ** stored there.  If there is data there, it is merged and the
  1.5376 +  ** results carried into position 1, with further merge-and-carry
  1.5377 +  ** until an empty position is found.
  1.5378 +  */
  1.5379 +  DataBuffer *pBuffers = NULL;
  1.5380 +  int nBuffers = 0, nMaxBuffers = 0, rc;
  1.5381 +
  1.5382 +  assert( nTerm>0 );
  1.5383 +
  1.5384 +  for(rc=SQLITE_OK; rc==SQLITE_OK && !leavesReaderAtEnd(pReader);
  1.5385 +      rc=leavesReaderStep(v, pReader)){
  1.5386 +    /* TODO(shess) Really want leavesReaderTermCmp(), but that name is
  1.5387 +    ** already taken to compare the terms of two LeavesReaders.  Think
  1.5388 +    ** on a better name.  [Meanwhile, break encapsulation rather than
  1.5389 +    ** use a confusing name.]
  1.5390 +    */
  1.5391 +    int c = leafReaderTermCmp(&pReader->leafReader, pTerm, nTerm, isPrefix);
  1.5392 +    if( c>0 ) break;      /* Past any possible matches. */
  1.5393 +    if( c==0 ){
  1.5394 +      const char *pData = leavesReaderData(pReader);
  1.5395 +      int iBuffer, nData = leavesReaderDataBytes(pReader);
  1.5396 +
  1.5397 +      /* Find the first empty buffer. */
  1.5398 +      for(iBuffer=0; iBuffer<nBuffers; ++iBuffer){
  1.5399 +        if( 0==pBuffers[iBuffer].nData ) break;
  1.5400 +      }
  1.5401 +
  1.5402 +      /* Out of buffers, add an empty one. */
  1.5403 +      if( iBuffer==nBuffers ){
  1.5404 +        if( nBuffers==nMaxBuffers ){
  1.5405 +          DataBuffer *p;
  1.5406 +          nMaxBuffers += 20;
  1.5407 +
  1.5408 +          /* Manual realloc so we can handle NULL appropriately. */
  1.5409 +          p = sqlite3_malloc(nMaxBuffers*sizeof(*pBuffers));
  1.5410 +          if( p==NULL ){
  1.5411 +            rc = SQLITE_NOMEM;
  1.5412 +            break;
  1.5413 +          }
  1.5414 +
  1.5415 +          if( nBuffers>0 ){
  1.5416 +            assert(pBuffers!=NULL);
  1.5417 +            memcpy(p, pBuffers, nBuffers*sizeof(*pBuffers));
  1.5418 +            sqlite3_free(pBuffers);
  1.5419 +          }
  1.5420 +          pBuffers = p;
  1.5421 +        }
  1.5422 +        dataBufferInit(&(pBuffers[nBuffers]), 0);
  1.5423 +        nBuffers++;
  1.5424 +      }
  1.5425 +
  1.5426 +      /* At this point, must have an empty at iBuffer. */
  1.5427 +      assert(iBuffer<nBuffers && pBuffers[iBuffer].nData==0);
  1.5428 +
  1.5429 +      /* If empty was first buffer, no need for merge logic. */
  1.5430 +      if( iBuffer==0 ){
  1.5431 +        dataBufferReplace(&(pBuffers[0]), pData, nData);
  1.5432 +      }else{
  1.5433 +        /* pAcc is the empty buffer the merged data will end up in. */
  1.5434 +        DataBuffer *pAcc = &(pBuffers[iBuffer]);
  1.5435 +        DataBuffer *p = &(pBuffers[0]);
  1.5436 +
  1.5437 +        /* Handle position 0 specially to avoid need to prime pAcc
  1.5438 +        ** with pData/nData.
  1.5439 +        */
  1.5440 +        dataBufferSwap(p, pAcc);
  1.5441 +        docListAccumulateUnion(pAcc, pData, nData);
  1.5442 +
  1.5443 +        /* Accumulate remaining doclists into pAcc. */
  1.5444 +        for(++p; p<pAcc; ++p){
  1.5445 +          docListAccumulateUnion(pAcc, p->pData, p->nData);
  1.5446 +
  1.5447 +          /* dataBufferReset() could allow a large doclist to blow up
  1.5448 +          ** our memory requirements.
  1.5449 +          */
  1.5450 +          if( p->nCapacity<1024 ){
  1.5451 +            dataBufferReset(p);
  1.5452 +          }else{
  1.5453 +            dataBufferDestroy(p);
  1.5454 +            dataBufferInit(p, 0);
  1.5455 +          }
  1.5456 +        }
  1.5457 +      }
  1.5458 +    }
  1.5459 +  }
  1.5460 +
  1.5461 +  /* Union all the doclists together into *out. */
  1.5462 +  /* TODO(shess) What if *out is big?  Sigh. */
  1.5463 +  if( rc==SQLITE_OK && nBuffers>0 ){
  1.5464 +    int iBuffer;
  1.5465 +    for(iBuffer=0; iBuffer<nBuffers; ++iBuffer){
  1.5466 +      if( pBuffers[iBuffer].nData>0 ){
  1.5467 +        if( out->nData==0 ){
  1.5468 +          dataBufferSwap(out, &(pBuffers[iBuffer]));
  1.5469 +        }else{
  1.5470 +          docListAccumulateUnion(out, pBuffers[iBuffer].pData,
  1.5471 +                                 pBuffers[iBuffer].nData);
  1.5472 +        }
  1.5473 +      }
  1.5474 +    }
  1.5475 +  }
  1.5476 +
  1.5477 +  while( nBuffers-- ){
  1.5478 +    dataBufferDestroy(&(pBuffers[nBuffers]));
  1.5479 +  }
  1.5480 +  if( pBuffers!=NULL ) sqlite3_free(pBuffers);
  1.5481 +
  1.5482 +  return rc;
  1.5483 +}
  1.5484 +
  1.5485 +/* Call loadSegmentLeavesInt() with pData/nData as input. */
  1.5486 +static int loadSegmentLeaf(fulltext_vtab *v, const char *pData, int nData,
  1.5487 +                           const char *pTerm, int nTerm, int isPrefix,
  1.5488 +                           DataBuffer *out){
  1.5489 +  LeavesReader reader;
  1.5490 +  int rc;
  1.5491 +
  1.5492 +  assert( nData>1 );
  1.5493 +  assert( *pData=='\0' );
  1.5494 +  rc = leavesReaderInit(v, 0, 0, 0, pData, nData, &reader);
  1.5495 +  if( rc!=SQLITE_OK ) return rc;
  1.5496 +
  1.5497 +  rc = loadSegmentLeavesInt(v, &reader, pTerm, nTerm, isPrefix, out);
  1.5498 +  leavesReaderReset(&reader);
  1.5499 +  leavesReaderDestroy(&reader);
  1.5500 +  return rc;
  1.5501 +}
  1.5502 +
  1.5503 +/* Call loadSegmentLeavesInt() with the leaf nodes from iStartLeaf to
  1.5504 +** iEndLeaf (inclusive) as input, and merge the resulting doclist into
  1.5505 +** out.
  1.5506 +*/
  1.5507 +static int loadSegmentLeaves(fulltext_vtab *v,
  1.5508 +                             sqlite_int64 iStartLeaf, sqlite_int64 iEndLeaf,
  1.5509 +                             const char *pTerm, int nTerm, int isPrefix,
  1.5510 +                             DataBuffer *out){
  1.5511 +  int rc;
  1.5512 +  LeavesReader reader;
  1.5513 +
  1.5514 +  assert( iStartLeaf<=iEndLeaf );
  1.5515 +  rc = leavesReaderInit(v, 0, iStartLeaf, iEndLeaf, NULL, 0, &reader);
  1.5516 +  if( rc!=SQLITE_OK ) return rc;
  1.5517 +
  1.5518 +  rc = loadSegmentLeavesInt(v, &reader, pTerm, nTerm, isPrefix, out);
  1.5519 +  leavesReaderReset(&reader);
  1.5520 +  leavesReaderDestroy(&reader);
  1.5521 +  return rc;
  1.5522 +}
  1.5523 +
  1.5524 +/* Taking pData/nData as an interior node, find the sequence of child
  1.5525 +** nodes which could include pTerm/nTerm/isPrefix.  Note that the
  1.5526 +** interior node terms logically come between the blocks, so there is
  1.5527 +** one more blockid than there are terms (that block contains terms >=
  1.5528 +** the last interior-node term).
  1.5529 +*/
  1.5530 +/* TODO(shess) The calling code may already know that the end child is
  1.5531 +** not worth calculating, because the end may be in a later sibling
  1.5532 +** node.  Consider whether breaking symmetry is worthwhile.  I suspect
  1.5533 +** it is not worthwhile.
  1.5534 +*/
  1.5535 +static void getChildrenContaining(const char *pData, int nData,
  1.5536 +                                  const char *pTerm, int nTerm, int isPrefix,
  1.5537 +                                  sqlite_int64 *piStartChild,
  1.5538 +                                  sqlite_int64 *piEndChild){
  1.5539 +  InteriorReader reader;
  1.5540 +
  1.5541 +  assert( nData>1 );
  1.5542 +  assert( *pData!='\0' );
  1.5543 +  interiorReaderInit(pData, nData, &reader);
  1.5544 +
  1.5545 +  /* Scan for the first child which could contain pTerm/nTerm. */
  1.5546 +  while( !interiorReaderAtEnd(&reader) ){
  1.5547 +    if( interiorReaderTermCmp(&reader, pTerm, nTerm, 0)>0 ) break;
  1.5548 +    interiorReaderStep(&reader);
  1.5549 +  }
  1.5550 +  *piStartChild = interiorReaderCurrentBlockid(&reader);
  1.5551 +
  1.5552 +  /* Keep scanning to find a term greater than our term, using prefix
  1.5553 +  ** comparison if indicated.  If isPrefix is false, this will be the
  1.5554 +  ** same blockid as the starting block.
  1.5555 +  */
  1.5556 +  while( !interiorReaderAtEnd(&reader) ){
  1.5557 +    if( interiorReaderTermCmp(&reader, pTerm, nTerm, isPrefix)>0 ) break;
  1.5558 +    interiorReaderStep(&reader);
  1.5559 +  }
  1.5560 +  *piEndChild = interiorReaderCurrentBlockid(&reader);
  1.5561 +
  1.5562 +  interiorReaderDestroy(&reader);
  1.5563 +
  1.5564 +  /* Children must ascend, and if !prefix, both must be the same. */
  1.5565 +  assert( *piEndChild>=*piStartChild );
  1.5566 +  assert( isPrefix || *piStartChild==*piEndChild );
  1.5567 +}
  1.5568 +
  1.5569 +/* Read block at iBlockid and pass it with other params to
  1.5570 +** getChildrenContaining().
  1.5571 +*/
  1.5572 +static int loadAndGetChildrenContaining(
  1.5573 +  fulltext_vtab *v,
  1.5574 +  sqlite_int64 iBlockid,
  1.5575 +  const char *pTerm, int nTerm, int isPrefix,
  1.5576 +  sqlite_int64 *piStartChild, sqlite_int64 *piEndChild
  1.5577 +){
  1.5578 +  sqlite3_stmt *s = NULL;
  1.5579 +  int rc;
  1.5580 +
  1.5581 +  assert( iBlockid!=0 );
  1.5582 +  assert( pTerm!=NULL );
  1.5583 +  assert( nTerm!=0 );        /* TODO(shess) Why not allow this? */
  1.5584 +  assert( piStartChild!=NULL );
  1.5585 +  assert( piEndChild!=NULL );
  1.5586 +
  1.5587 +  rc = sql_get_statement(v, BLOCK_SELECT_STMT, &s);
  1.5588 +  if( rc!=SQLITE_OK ) return rc;
  1.5589 +
  1.5590 +  rc = sqlite3_bind_int64(s, 1, iBlockid);
  1.5591 +  if( rc!=SQLITE_OK ) return rc;
  1.5592 +
  1.5593 +  rc = sqlite3_step(s);
  1.5594 +  if( rc==SQLITE_DONE ) return SQLITE_ERROR;
  1.5595 +  if( rc!=SQLITE_ROW ) return rc;
  1.5596 +
  1.5597 +  getChildrenContaining(sqlite3_column_blob(s, 0), sqlite3_column_bytes(s, 0),
  1.5598 +                        pTerm, nTerm, isPrefix, piStartChild, piEndChild);
  1.5599 +
  1.5600 +  /* We expect only one row.  We must execute another sqlite3_step()
  1.5601 +   * to complete the iteration; otherwise the table will remain
  1.5602 +   * locked. */
  1.5603 +  rc = sqlite3_step(s);
  1.5604 +  if( rc==SQLITE_ROW ) return SQLITE_ERROR;
  1.5605 +  if( rc!=SQLITE_DONE ) return rc;
  1.5606 +
  1.5607 +  return SQLITE_OK;
  1.5608 +}
  1.5609 +
  1.5610 +/* Traverse the tree represented by pData[nData] looking for
  1.5611 +** pTerm[nTerm], placing its doclist into *out.  This is internal to
  1.5612 +** loadSegment() to make error-handling cleaner.
  1.5613 +*/
  1.5614 +static int loadSegmentInt(fulltext_vtab *v, const char *pData, int nData,
  1.5615 +                          sqlite_int64 iLeavesEnd,
  1.5616 +                          const char *pTerm, int nTerm, int isPrefix,
  1.5617 +                          DataBuffer *out){
  1.5618 +  /* Special case where root is a leaf. */
  1.5619 +  if( *pData=='\0' ){
  1.5620 +    return loadSegmentLeaf(v, pData, nData, pTerm, nTerm, isPrefix, out);
  1.5621 +  }else{
  1.5622 +    int rc;
  1.5623 +    sqlite_int64 iStartChild, iEndChild;
  1.5624 +
  1.5625 +    /* Process pData as an interior node, then loop down the tree
  1.5626 +    ** until we find the set of leaf nodes to scan for the term.
  1.5627 +    */
  1.5628 +    getChildrenContaining(pData, nData, pTerm, nTerm, isPrefix,
  1.5629 +                          &iStartChild, &iEndChild);
  1.5630 +    while( iStartChild>iLeavesEnd ){
  1.5631 +      sqlite_int64 iNextStart, iNextEnd;
  1.5632 +      rc = loadAndGetChildrenContaining(v, iStartChild, pTerm, nTerm, isPrefix,
  1.5633 +                                        &iNextStart, &iNextEnd);
  1.5634 +      if( rc!=SQLITE_OK ) return rc;
  1.5635 +
  1.5636 +      /* If we've branched, follow the end branch, too. */
  1.5637 +      if( iStartChild!=iEndChild ){
  1.5638 +        sqlite_int64 iDummy;
  1.5639 +        rc = loadAndGetChildrenContaining(v, iEndChild, pTerm, nTerm, isPrefix,
  1.5640 +                                          &iDummy, &iNextEnd);
  1.5641 +        if( rc!=SQLITE_OK ) return rc;
  1.5642 +      }
  1.5643 +
  1.5644 +      assert( iNextStart<=iNextEnd );
  1.5645 +      iStartChild = iNextStart;
  1.5646 +      iEndChild = iNextEnd;
  1.5647 +    }
  1.5648 +    assert( iStartChild<=iLeavesEnd );
  1.5649 +    assert( iEndChild<=iLeavesEnd );
  1.5650 +
  1.5651 +    /* Scan through the leaf segments for doclists. */
  1.5652 +    return loadSegmentLeaves(v, iStartChild, iEndChild,
  1.5653 +                             pTerm, nTerm, isPrefix, out);
  1.5654 +  }
  1.5655 +}
  1.5656 +
  1.5657 +/* Call loadSegmentInt() to collect the doclist for pTerm/nTerm, then
  1.5658 +** merge its doclist over *out (any duplicate doclists read from the
  1.5659 +** segment rooted at pData will overwrite those in *out).
  1.5660 +*/
  1.5661 +/* TODO(shess) Consider changing this to determine the depth of the
  1.5662 +** leaves using either the first characters of interior nodes (when
  1.5663 +** ==1, we're one level above the leaves), or the first character of
  1.5664 +** the root (which will describe the height of the tree directly).
  1.5665 +** Either feels somewhat tricky to me.
  1.5666 +*/
  1.5667 +/* TODO(shess) The current merge is likely to be slow for large
  1.5668 +** doclists (though it should process from newest/smallest to
  1.5669 +** oldest/largest, so it may not be that bad).  It might be useful to
  1.5670 +** modify things to allow for N-way merging.  This could either be
  1.5671 +** within a segment, with pairwise merges across segments, or across
  1.5672 +** all segments at once.
  1.5673 +*/
  1.5674 +static int loadSegment(fulltext_vtab *v, const char *pData, int nData,
  1.5675 +                       sqlite_int64 iLeavesEnd,
  1.5676 +                       const char *pTerm, int nTerm, int isPrefix,
  1.5677 +                       DataBuffer *out){
  1.5678 +  DataBuffer result;
  1.5679 +  int rc;
  1.5680 +
  1.5681 +  assert( nData>1 );
  1.5682 +
  1.5683 +  /* This code should never be called with buffered updates. */
  1.5684 +  assert( v->nPendingData<0 );
  1.5685 +
  1.5686 +  dataBufferInit(&result, 0);
  1.5687 +  rc = loadSegmentInt(v, pData, nData, iLeavesEnd,
  1.5688 +                      pTerm, nTerm, isPrefix, &result);
  1.5689 +  if( rc==SQLITE_OK && result.nData>0 ){
  1.5690 +    if( out->nData==0 ){
  1.5691 +      DataBuffer tmp = *out;
  1.5692 +      *out = result;
  1.5693 +      result = tmp;
  1.5694 +    }else{
  1.5695 +      DataBuffer merged;
  1.5696 +      DLReader readers[2];
  1.5697 +
  1.5698 +      dlrInit(&readers[0], DL_DEFAULT, out->pData, out->nData);
  1.5699 +      dlrInit(&readers[1], DL_DEFAULT, result.pData, result.nData);
  1.5700 +      dataBufferInit(&merged, out->nData+result.nData);
  1.5701 +      docListMerge(&merged, readers, 2);
  1.5702 +      dataBufferDestroy(out);
  1.5703 +      *out = merged;
  1.5704 +      dlrDestroy(&readers[0]);
  1.5705 +      dlrDestroy(&readers[1]);
  1.5706 +    }
  1.5707 +  }
  1.5708 +  dataBufferDestroy(&result);
  1.5709 +  return rc;
  1.5710 +}
  1.5711 +
  1.5712 +/* Scan the database and merge together the posting lists for the term
  1.5713 +** into *out.
  1.5714 +*/
  1.5715 +static int termSelect(fulltext_vtab *v, int iColumn,
  1.5716 +                      const char *pTerm, int nTerm, int isPrefix,
  1.5717 +                      DocListType iType, DataBuffer *out){
  1.5718 +  DataBuffer doclist;
  1.5719 +  sqlite3_stmt *s;
  1.5720 +  int rc = sql_get_statement(v, SEGDIR_SELECT_ALL_STMT, &s);
  1.5721 +  if( rc!=SQLITE_OK ) return rc;
  1.5722 +
  1.5723 +  /* This code should never be called with buffered updates. */
  1.5724 +  assert( v->nPendingData<0 );
  1.5725 +
  1.5726 +  dataBufferInit(&doclist, 0);
  1.5727 +
  1.5728 +  /* Traverse the segments from oldest to newest so that newer doclist
  1.5729 +  ** elements for given docids overwrite older elements.
  1.5730 +  */
  1.5731 +  while( (rc = sqlite3_step(s))==SQLITE_ROW ){
  1.5732 +    const char *pData = sqlite3_column_blob(s, 2);
  1.5733 +    const int nData = sqlite3_column_bytes(s, 2);
  1.5734 +    const sqlite_int64 iLeavesEnd = sqlite3_column_int64(s, 1);
  1.5735 +    rc = loadSegment(v, pData, nData, iLeavesEnd, pTerm, nTerm, isPrefix,
  1.5736 +                     &doclist);
  1.5737 +    if( rc!=SQLITE_OK ) goto err;
  1.5738 +  }
  1.5739 +  if( rc==SQLITE_DONE ){
  1.5740 +    if( doclist.nData!=0 ){
  1.5741 +      /* TODO(shess) The old term_select_all() code applied the column
  1.5742 +      ** restrict as we merged segments, leading to smaller buffers.
  1.5743 +      ** This is probably worthwhile to bring back, once the new storage
  1.5744 +      ** system is checked in.
  1.5745 +      */
  1.5746 +      if( iColumn==v->nColumn) iColumn = -1;
  1.5747 +      docListTrim(DL_DEFAULT, doclist.pData, doclist.nData,
  1.5748 +                  iColumn, iType, out);
  1.5749 +    }
  1.5750 +    rc = SQLITE_OK;
  1.5751 +  }
  1.5752 +
  1.5753 + err:
  1.5754 +  dataBufferDestroy(&doclist);
  1.5755 +  return rc;
  1.5756 +}
  1.5757 +
  1.5758 +/****************************************************************/
  1.5759 +/* Used to hold hashtable data for sorting. */
  1.5760 +typedef struct TermData {
  1.5761 +  const char *pTerm;
  1.5762 +  int nTerm;
  1.5763 +  DLCollector *pCollector;
  1.5764 +} TermData;
  1.5765 +
  1.5766 +/* Orders TermData elements in strcmp fashion ( <0 for less-than, 0
  1.5767 +** for equal, >0 for greater-than).
  1.5768 +*/
  1.5769 +static int termDataCmp(const void *av, const void *bv){
  1.5770 +  const TermData *a = (const TermData *)av;
  1.5771 +  const TermData *b = (const TermData *)bv;
  1.5772 +  int n = a->nTerm<b->nTerm ? a->nTerm : b->nTerm;
  1.5773 +  int c = memcmp(a->pTerm, b->pTerm, n);
  1.5774 +  if( c!=0 ) return c;
  1.5775 +  return a->nTerm-b->nTerm;
  1.5776 +}
  1.5777 +
  1.5778 +/* Order pTerms data by term, then write a new level 0 segment using
  1.5779 +** LeafWriter.
  1.5780 +*/
  1.5781 +static int writeZeroSegment(fulltext_vtab *v, fts2Hash *pTerms){
  1.5782 +  fts2HashElem *e;
  1.5783 +  int idx, rc, i, n;
  1.5784 +  TermData *pData;
  1.5785 +  LeafWriter writer;
  1.5786 +  DataBuffer dl;
  1.5787 +
  1.5788 +  /* Determine the next index at level 0, merging as necessary. */
  1.5789 +  rc = segdirNextIndex(v, 0, &idx);
  1.5790 +  if( rc!=SQLITE_OK ) return rc;
  1.5791 +
  1.5792 +  n = fts2HashCount(pTerms);
  1.5793 +  pData = sqlite3_malloc(n*sizeof(TermData));
  1.5794 +
  1.5795 +  for(i = 0, e = fts2HashFirst(pTerms); e; i++, e = fts2HashNext(e)){
  1.5796 +    assert( i<n );
  1.5797 +    pData[i].pTerm = fts2HashKey(e);
  1.5798 +    pData[i].nTerm = fts2HashKeysize(e);
  1.5799 +    pData[i].pCollector = fts2HashData(e);
  1.5800 +  }
  1.5801 +  assert( i==n );
  1.5802 +
  1.5803 +  /* TODO(shess) Should we allow user-defined collation sequences,
  1.5804 +  ** here?  I think we only need that once we support prefix searches.
  1.5805 +  */
  1.5806 +  if( n>1 ) qsort(pData, n, sizeof(*pData), termDataCmp);
  1.5807 +
  1.5808 +  /* TODO(shess) Refactor so that we can write directly to the segment
  1.5809 +  ** DataBuffer, as happens for segment merges.
  1.5810 +  */
  1.5811 +  leafWriterInit(0, idx, &writer);
  1.5812 +  dataBufferInit(&dl, 0);
  1.5813 +  for(i=0; i<n; i++){
  1.5814 +    dataBufferReset(&dl);
  1.5815 +    dlcAddDoclist(pData[i].pCollector, &dl);
  1.5816 +    rc = leafWriterStep(v, &writer,
  1.5817 +                        pData[i].pTerm, pData[i].nTerm, dl.pData, dl.nData);
  1.5818 +    if( rc!=SQLITE_OK ) goto err;
  1.5819 +  }
  1.5820 +  rc = leafWriterFinalize(v, &writer);
  1.5821 +
  1.5822 + err:
  1.5823 +  dataBufferDestroy(&dl);
  1.5824 +  sqlite3_free(pData);
  1.5825 +  leafWriterDestroy(&writer);
  1.5826 +  return rc;
  1.5827 +}
  1.5828 +
  1.5829 +/* If pendingTerms has data, free it. */
  1.5830 +static int clearPendingTerms(fulltext_vtab *v){
  1.5831 +  if( v->nPendingData>=0 ){
  1.5832 +    fts2HashElem *e;
  1.5833 +    for(e=fts2HashFirst(&v->pendingTerms); e; e=fts2HashNext(e)){
  1.5834 +      dlcDelete(fts2HashData(e));
  1.5835 +    }
  1.5836 +    fts2HashClear(&v->pendingTerms);
  1.5837 +    v->nPendingData = -1;
  1.5838 +  }
  1.5839 +  return SQLITE_OK;
  1.5840 +}
  1.5841 +
  1.5842 +/* If pendingTerms has data, flush it to a level-zero segment, and
  1.5843 +** free it.
  1.5844 +*/
  1.5845 +static int flushPendingTerms(fulltext_vtab *v){
  1.5846 +  if( v->nPendingData>=0 ){
  1.5847 +    int rc = writeZeroSegment(v, &v->pendingTerms);
  1.5848 +    if( rc==SQLITE_OK ) clearPendingTerms(v);
  1.5849 +    return rc;
  1.5850 +  }
  1.5851 +  return SQLITE_OK;
  1.5852 +}
  1.5853 +
  1.5854 +/* If pendingTerms is "too big", or docid is out of order, flush it.
  1.5855 +** Regardless, be certain that pendingTerms is initialized for use.
  1.5856 +*/
  1.5857 +static int initPendingTerms(fulltext_vtab *v, sqlite_int64 iDocid){
  1.5858 +  /* TODO(shess) Explore whether partially flushing the buffer on
  1.5859 +  ** forced-flush would provide better performance.  I suspect that if
  1.5860 +  ** we ordered the doclists by size and flushed the largest until the
  1.5861 +  ** buffer was half empty, that would let the less frequent terms
  1.5862 +  ** generate longer doclists.
  1.5863 +  */
  1.5864 +  if( iDocid<=v->iPrevDocid || v->nPendingData>kPendingThreshold ){
  1.5865 +    int rc = flushPendingTerms(v);
  1.5866 +    if( rc!=SQLITE_OK ) return rc;
  1.5867 +  }
  1.5868 +  if( v->nPendingData<0 ){
  1.5869 +    fts2HashInit(&v->pendingTerms, FTS2_HASH_STRING, 1);
  1.5870 +    v->nPendingData = 0;
  1.5871 +  }
  1.5872 +  v->iPrevDocid = iDocid;
  1.5873 +  return SQLITE_OK;
  1.5874 +}
  1.5875 +
  1.5876 +/* This function implements the xUpdate callback; it is the top-level entry
  1.5877 + * point for inserting, deleting or updating a row in a full-text table. */
  1.5878 +static int fulltextUpdate(sqlite3_vtab *pVtab, int nArg, sqlite3_value **ppArg,
  1.5879 +                   sqlite_int64 *pRowid){
  1.5880 +  fulltext_vtab *v = (fulltext_vtab *) pVtab;
  1.5881 +  int rc;
  1.5882 +
  1.5883 +  TRACE(("FTS2 Update %p\n", pVtab));
  1.5884 +
  1.5885 +  if( nArg<2 ){
  1.5886 +    rc = index_delete(v, sqlite3_value_int64(ppArg[0]));
  1.5887 +    if( rc==SQLITE_OK ){
  1.5888 +      /* If we just deleted the last row in the table, clear out the
  1.5889 +      ** index data.
  1.5890 +      */
  1.5891 +      rc = content_exists(v);
  1.5892 +      if( rc==SQLITE_ROW ){
  1.5893 +        rc = SQLITE_OK;
  1.5894 +      }else if( rc==SQLITE_DONE ){
  1.5895 +        /* Clear the pending terms so we don't flush a useless level-0
  1.5896 +        ** segment when the transaction closes.
  1.5897 +        */
  1.5898 +        rc = clearPendingTerms(v);
  1.5899 +        if( rc==SQLITE_OK ){
  1.5900 +          rc = segdir_delete_all(v);
  1.5901 +        }
  1.5902 +      }
  1.5903 +    }
  1.5904 +  } else if( sqlite3_value_type(ppArg[0]) != SQLITE_NULL ){
  1.5905 +    /* An update:
  1.5906 +     * ppArg[0] = old rowid
  1.5907 +     * ppArg[1] = new rowid
  1.5908 +     * ppArg[2..2+v->nColumn-1] = values
  1.5909 +     * ppArg[2+v->nColumn] = value for magic column (we ignore this)
  1.5910 +     */
  1.5911 +    sqlite_int64 rowid = sqlite3_value_int64(ppArg[0]);
  1.5912 +    if( sqlite3_value_type(ppArg[1]) != SQLITE_INTEGER ||
  1.5913 +      sqlite3_value_int64(ppArg[1]) != rowid ){
  1.5914 +      rc = SQLITE_ERROR;  /* we don't allow changing the rowid */
  1.5915 +    } else {
  1.5916 +      assert( nArg==2+v->nColumn+1);
  1.5917 +      rc = index_update(v, rowid, &ppArg[2]);
  1.5918 +    }
  1.5919 +  } else {
  1.5920 +    /* An insert:
  1.5921 +     * ppArg[1] = requested rowid
  1.5922 +     * ppArg[2..2+v->nColumn-1] = values
  1.5923 +     * ppArg[2+v->nColumn] = value for magic column (we ignore this)
  1.5924 +     */
  1.5925 +    assert( nArg==2+v->nColumn+1);
  1.5926 +    rc = index_insert(v, ppArg[1], &ppArg[2], pRowid);
  1.5927 +  }
  1.5928 +
  1.5929 +  return rc;
  1.5930 +}
  1.5931 +
  1.5932 +static int fulltextSync(sqlite3_vtab *pVtab){
  1.5933 +  TRACE(("FTS2 xSync()\n"));
  1.5934 +  return flushPendingTerms((fulltext_vtab *)pVtab);
  1.5935 +}
  1.5936 +
  1.5937 +static int fulltextBegin(sqlite3_vtab *pVtab){
  1.5938 +  fulltext_vtab *v = (fulltext_vtab *) pVtab;
  1.5939 +  TRACE(("FTS2 xBegin()\n"));
  1.5940 +
  1.5941 +  /* Any buffered updates should have been cleared by the previous
  1.5942 +  ** transaction.
  1.5943 +  */
  1.5944 +  assert( v->nPendingData<0 );
  1.5945 +  return clearPendingTerms(v);
  1.5946 +}
  1.5947 +
  1.5948 +static int fulltextCommit(sqlite3_vtab *pVtab){
  1.5949 +  fulltext_vtab *v = (fulltext_vtab *) pVtab;
  1.5950 +  TRACE(("FTS2 xCommit()\n"));
  1.5951 +
  1.5952 +  /* Buffered updates should have been cleared by fulltextSync(). */
  1.5953 +  assert( v->nPendingData<0 );
  1.5954 +  return clearPendingTerms(v);
  1.5955 +}
  1.5956 +
  1.5957 +static int fulltextRollback(sqlite3_vtab *pVtab){
  1.5958 +  TRACE(("FTS2 xRollback()\n"));
  1.5959 +  return clearPendingTerms((fulltext_vtab *)pVtab);
  1.5960 +}
  1.5961 +
  1.5962 +/*
  1.5963 +** Implementation of the snippet() function for FTS2
  1.5964 +*/
  1.5965 +static void snippetFunc(
  1.5966 +  sqlite3_context *pContext,
  1.5967 +  int argc,
  1.5968 +  sqlite3_value **argv
  1.5969 +){
  1.5970 +  fulltext_cursor *pCursor;
  1.5971 +  if( argc<1 ) return;
  1.5972 +  if( sqlite3_value_type(argv[0])!=SQLITE_BLOB ||
  1.5973 +      sqlite3_value_bytes(argv[0])!=sizeof(pCursor) ){
  1.5974 +    sqlite3_result_error(pContext, "illegal first argument to html_snippet",-1);
  1.5975 +  }else{
  1.5976 +    const char *zStart = "<b>";
  1.5977 +    const char *zEnd = "</b>";
  1.5978 +    const char *zEllipsis = "<b>...</b>";
  1.5979 +    memcpy(&pCursor, sqlite3_value_blob(argv[0]), sizeof(pCursor));
  1.5980 +    if( argc>=2 ){
  1.5981 +      zStart = (const char*)sqlite3_value_text(argv[1]);
  1.5982 +      if( argc>=3 ){
  1.5983 +        zEnd = (const char*)sqlite3_value_text(argv[2]);
  1.5984 +        if( argc>=4 ){
  1.5985 +          zEllipsis = (const char*)sqlite3_value_text(argv[3]);
  1.5986 +        }
  1.5987 +      }
  1.5988 +    }
  1.5989 +    snippetAllOffsets(pCursor);
  1.5990 +    snippetText(pCursor, zStart, zEnd, zEllipsis);
  1.5991 +    sqlite3_result_text(pContext, pCursor->snippet.zSnippet,
  1.5992 +                        pCursor->snippet.nSnippet, SQLITE_STATIC);
  1.5993 +  }
  1.5994 +}
  1.5995 +
  1.5996 +/*
  1.5997 +** Implementation of the offsets() function for FTS2
  1.5998 +*/
  1.5999 +static void snippetOffsetsFunc(
  1.6000 +  sqlite3_context *pContext,
  1.6001 +  int argc,
  1.6002 +  sqlite3_value **argv
  1.6003 +){
  1.6004 +  fulltext_cursor *pCursor;
  1.6005 +  if( argc<1 ) return;
  1.6006 +  if( sqlite3_value_type(argv[0])!=SQLITE_BLOB ||
  1.6007 +      sqlite3_value_bytes(argv[0])!=sizeof(pCursor) ){
  1.6008 +    sqlite3_result_error(pContext, "illegal first argument to offsets",-1);
  1.6009 +  }else{
  1.6010 +    memcpy(&pCursor, sqlite3_value_blob(argv[0]), sizeof(pCursor));
  1.6011 +    snippetAllOffsets(pCursor);
  1.6012 +    snippetOffsetText(&pCursor->snippet);
  1.6013 +    sqlite3_result_text(pContext,
  1.6014 +                        pCursor->snippet.zOffset, pCursor->snippet.nOffset,
  1.6015 +                        SQLITE_STATIC);
  1.6016 +  }
  1.6017 +}
  1.6018 +
  1.6019 +/* OptLeavesReader is nearly identical to LeavesReader, except that
  1.6020 +** where LeavesReader is geared towards the merging of complete
  1.6021 +** segment levels (with exactly MERGE_COUNT segments), OptLeavesReader
  1.6022 +** is geared towards implementation of the optimize() function, and
  1.6023 +** can merge all segments simultaneously.  This version may be
  1.6024 +** somewhat less efficient than LeavesReader because it merges into an
  1.6025 +** accumulator rather than doing an N-way merge, but since segment
  1.6026 +** size grows exponentially (so segment count logrithmically) this is
  1.6027 +** probably not an immediate problem.
  1.6028 +*/
  1.6029 +/* TODO(shess): Prove that assertion, or extend the merge code to
  1.6030 +** merge tree fashion (like the prefix-searching code does).
  1.6031 +*/
  1.6032 +/* TODO(shess): OptLeavesReader and LeavesReader could probably be
  1.6033 +** merged with little or no loss of performance for LeavesReader.  The
  1.6034 +** merged code would need to handle >MERGE_COUNT segments, and would
  1.6035 +** also need to be able to optionally optimize away deletes.
  1.6036 +*/
  1.6037 +typedef struct OptLeavesReader {
  1.6038 +  /* Segment number, to order readers by age. */
  1.6039 +  int segment;
  1.6040 +  LeavesReader reader;
  1.6041 +} OptLeavesReader;
  1.6042 +
  1.6043 +static int optLeavesReaderAtEnd(OptLeavesReader *pReader){
  1.6044 +  return leavesReaderAtEnd(&pReader->reader);
  1.6045 +}
  1.6046 +static int optLeavesReaderTermBytes(OptLeavesReader *pReader){
  1.6047 +  return leavesReaderTermBytes(&pReader->reader);
  1.6048 +}
  1.6049 +static const char *optLeavesReaderData(OptLeavesReader *pReader){
  1.6050 +  return leavesReaderData(&pReader->reader);
  1.6051 +}
  1.6052 +static int optLeavesReaderDataBytes(OptLeavesReader *pReader){
  1.6053 +  return leavesReaderDataBytes(&pReader->reader);
  1.6054 +}
  1.6055 +static const char *optLeavesReaderTerm(OptLeavesReader *pReader){
  1.6056 +  return leavesReaderTerm(&pReader->reader);
  1.6057 +}
  1.6058 +static int optLeavesReaderStep(fulltext_vtab *v, OptLeavesReader *pReader){
  1.6059 +  return leavesReaderStep(v, &pReader->reader);
  1.6060 +}
  1.6061 +static int optLeavesReaderTermCmp(OptLeavesReader *lr1, OptLeavesReader *lr2){
  1.6062 +  return leavesReaderTermCmp(&lr1->reader, &lr2->reader);
  1.6063 +}
  1.6064 +/* Order by term ascending, segment ascending (oldest to newest), with
  1.6065 +** exhausted readers to the end.
  1.6066 +*/
  1.6067 +static int optLeavesReaderCmp(OptLeavesReader *lr1, OptLeavesReader *lr2){
  1.6068 +  int c = optLeavesReaderTermCmp(lr1, lr2);
  1.6069 +  if( c!=0 ) return c;
  1.6070 +  return lr1->segment-lr2->segment;
  1.6071 +}
  1.6072 +/* Bubble pLr[0] to appropriate place in pLr[1..nLr-1].  Assumes that
  1.6073 +** pLr[1..nLr-1] is already sorted.
  1.6074 +*/
  1.6075 +static void optLeavesReaderReorder(OptLeavesReader *pLr, int nLr){
  1.6076 +  while( nLr>1 && optLeavesReaderCmp(pLr, pLr+1)>0 ){
  1.6077 +    OptLeavesReader tmp = pLr[0];
  1.6078 +    pLr[0] = pLr[1];
  1.6079 +    pLr[1] = tmp;
  1.6080 +    nLr--;
  1.6081 +    pLr++;
  1.6082 +  }
  1.6083 +}
  1.6084 +
  1.6085 +/* optimize() helper function.  Put the readers in order and iterate
  1.6086 +** through them, merging doclists for matching terms into pWriter.
  1.6087 +** Returns SQLITE_OK on success, or the SQLite error code which
  1.6088 +** prevented success.
  1.6089 +*/
  1.6090 +static int optimizeInternal(fulltext_vtab *v,
  1.6091 +                            OptLeavesReader *readers, int nReaders,
  1.6092 +                            LeafWriter *pWriter){
  1.6093 +  int i, rc = SQLITE_OK;
  1.6094 +  DataBuffer doclist, merged, tmp;
  1.6095 +
  1.6096 +  /* Order the readers. */
  1.6097 +  i = nReaders;
  1.6098 +  while( i-- > 0 ){
  1.6099 +    optLeavesReaderReorder(&readers[i], nReaders-i);
  1.6100 +  }
  1.6101 +
  1.6102 +  dataBufferInit(&doclist, LEAF_MAX);
  1.6103 +  dataBufferInit(&merged, LEAF_MAX);
  1.6104 +
  1.6105 +  /* Exhausted readers bubble to the end, so when the first reader is
  1.6106 +  ** at eof, all are at eof.
  1.6107 +  */
  1.6108 +  while( !optLeavesReaderAtEnd(&readers[0]) ){
  1.6109 +
  1.6110 +    /* Figure out how many readers share the next term. */
  1.6111 +    for(i=1; i<nReaders && !optLeavesReaderAtEnd(&readers[i]); i++){
  1.6112 +      if( 0!=optLeavesReaderTermCmp(&readers[0], &readers[i]) ) break;
  1.6113 +    }
  1.6114 +
  1.6115 +    /* Special-case for no merge. */
  1.6116 +    if( i==1 ){
  1.6117 +      /* Trim deletions from the doclist. */
  1.6118 +      dataBufferReset(&merged);
  1.6119 +      docListTrim(DL_DEFAULT,
  1.6120 +                  optLeavesReaderData(&readers[0]),
  1.6121 +                  optLeavesReaderDataBytes(&readers[0]),
  1.6122 +                  -1, DL_DEFAULT, &merged);
  1.6123 +    }else{
  1.6124 +      DLReader dlReaders[MERGE_COUNT];
  1.6125 +      int iReader, nReaders;
  1.6126 +
  1.6127 +      /* Prime the pipeline with the first reader's doclist.  After
  1.6128 +      ** one pass index 0 will reference the accumulated doclist.
  1.6129 +      */
  1.6130 +      dlrInit(&dlReaders[0], DL_DEFAULT,
  1.6131 +              optLeavesReaderData(&readers[0]),
  1.6132 +              optLeavesReaderDataBytes(&readers[0]));
  1.6133 +      iReader = 1;
  1.6134 +
  1.6135 +      assert( iReader<i );  /* Must execute the loop at least once. */
  1.6136 +      while( iReader<i ){
  1.6137 +        /* Merge 16 inputs per pass. */
  1.6138 +        for( nReaders=1; iReader<i && nReaders<MERGE_COUNT;
  1.6139 +             iReader++, nReaders++ ){
  1.6140 +          dlrInit(&dlReaders[nReaders], DL_DEFAULT,
  1.6141 +                  optLeavesReaderData(&readers[iReader]),
  1.6142 +                  optLeavesReaderDataBytes(&readers[iReader]));
  1.6143 +        }
  1.6144 +
  1.6145 +        /* Merge doclists and swap result into accumulator. */
  1.6146 +        dataBufferReset(&merged);
  1.6147 +        docListMerge(&merged, dlReaders, nReaders);
  1.6148 +        tmp = merged;
  1.6149 +        merged = doclist;
  1.6150 +        doclist = tmp;
  1.6151 +
  1.6152 +        while( nReaders-- > 0 ){
  1.6153 +          dlrDestroy(&dlReaders[nReaders]);
  1.6154 +        }
  1.6155 +
  1.6156 +        /* Accumulated doclist to reader 0 for next pass. */
  1.6157 +        dlrInit(&dlReaders[0], DL_DEFAULT, doclist.pData, doclist.nData);
  1.6158 +      }
  1.6159 +
  1.6160 +      /* Destroy reader that was left in the pipeline. */
  1.6161 +      dlrDestroy(&dlReaders[0]);
  1.6162 +
  1.6163 +      /* Trim deletions from the doclist. */
  1.6164 +      dataBufferReset(&merged);
  1.6165 +      docListTrim(DL_DEFAULT, doclist.pData, doclist.nData,
  1.6166 +                  -1, DL_DEFAULT, &merged);
  1.6167 +    }
  1.6168 +
  1.6169 +    /* Only pass doclists with hits (skip if all hits deleted). */
  1.6170 +    if( merged.nData>0 ){
  1.6171 +      rc = leafWriterStep(v, pWriter,
  1.6172 +                          optLeavesReaderTerm(&readers[0]),
  1.6173 +                          optLeavesReaderTermBytes(&readers[0]),
  1.6174 +                          merged.pData, merged.nData);
  1.6175 +      if( rc!=SQLITE_OK ) goto err;
  1.6176 +    }
  1.6177 +
  1.6178 +    /* Step merged readers to next term and reorder. */
  1.6179 +    while( i-- > 0 ){
  1.6180 +      rc = optLeavesReaderStep(v, &readers[i]);
  1.6181 +      if( rc!=SQLITE_OK ) goto err;
  1.6182 +
  1.6183 +      optLeavesReaderReorder(&readers[i], nReaders-i);
  1.6184 +    }
  1.6185 +  }
  1.6186 +
  1.6187 + err:
  1.6188 +  dataBufferDestroy(&doclist);
  1.6189 +  dataBufferDestroy(&merged);
  1.6190 +  return rc;
  1.6191 +}
  1.6192 +
  1.6193 +/* Implement optimize() function for FTS3.  optimize(t) merges all
  1.6194 +** segments in the fts index into a single segment.  't' is the magic
  1.6195 +** table-named column.
  1.6196 +*/
  1.6197 +static void optimizeFunc(sqlite3_context *pContext,
  1.6198 +                         int argc, sqlite3_value **argv){
  1.6199 +  fulltext_cursor *pCursor;
  1.6200 +  if( argc>1 ){
  1.6201 +    sqlite3_result_error(pContext, "excess arguments to optimize()",-1);
  1.6202 +  }else if( sqlite3_value_type(argv[0])!=SQLITE_BLOB ||
  1.6203 +            sqlite3_value_bytes(argv[0])!=sizeof(pCursor) ){
  1.6204 +    sqlite3_result_error(pContext, "illegal first argument to optimize",-1);
  1.6205 +  }else{
  1.6206 +    fulltext_vtab *v;
  1.6207 +    int i, rc, iMaxLevel;
  1.6208 +    OptLeavesReader *readers;
  1.6209 +    int nReaders;
  1.6210 +    LeafWriter writer;
  1.6211 +    sqlite3_stmt *s;
  1.6212 +
  1.6213 +    memcpy(&pCursor, sqlite3_value_blob(argv[0]), sizeof(pCursor));
  1.6214 +    v = cursor_vtab(pCursor);
  1.6215 +
  1.6216 +    /* Flush any buffered updates before optimizing. */
  1.6217 +    rc = flushPendingTerms(v);
  1.6218 +    if( rc!=SQLITE_OK ) goto err;
  1.6219 +
  1.6220 +    rc = segdir_count(v, &nReaders, &iMaxLevel);
  1.6221 +    if( rc!=SQLITE_OK ) goto err;
  1.6222 +    if( nReaders==0 || nReaders==1 ){
  1.6223 +      sqlite3_result_text(pContext, "Index already optimal", -1,
  1.6224 +                          SQLITE_STATIC);
  1.6225 +      return;
  1.6226 +    }
  1.6227 +
  1.6228 +    rc = sql_get_statement(v, SEGDIR_SELECT_ALL_STMT, &s);
  1.6229 +    if( rc!=SQLITE_OK ) goto err;
  1.6230 +
  1.6231 +    readers = sqlite3_malloc(nReaders*sizeof(readers[0]));
  1.6232 +    if( readers==NULL ) goto err;
  1.6233 +
  1.6234 +    /* Note that there will already be a segment at this position
  1.6235 +    ** until we call segdir_delete() on iMaxLevel.
  1.6236 +    */
  1.6237 +    leafWriterInit(iMaxLevel, 0, &writer);
  1.6238 +
  1.6239 +    i = 0;
  1.6240 +    while( (rc = sqlite3_step(s))==SQLITE_ROW ){
  1.6241 +      sqlite_int64 iStart = sqlite3_column_int64(s, 0);
  1.6242 +      sqlite_int64 iEnd = sqlite3_column_int64(s, 1);
  1.6243 +      const char *pRootData = sqlite3_column_blob(s, 2);
  1.6244 +      int nRootData = sqlite3_column_bytes(s, 2);
  1.6245 +
  1.6246 +      assert( i<nReaders );
  1.6247 +      rc = leavesReaderInit(v, -1, iStart, iEnd, pRootData, nRootData,
  1.6248 +                            &readers[i].reader);
  1.6249 +      if( rc!=SQLITE_OK ) break;
  1.6250 +
  1.6251 +      readers[i].segment = i;
  1.6252 +      i++;
  1.6253 +    }
  1.6254 +
  1.6255 +    /* If we managed to succesfully read them all, optimize them. */
  1.6256 +    if( rc==SQLITE_DONE ){
  1.6257 +      assert( i==nReaders );
  1.6258 +      rc = optimizeInternal(v, readers, nReaders, &writer);
  1.6259 +    }
  1.6260 +
  1.6261 +    while( i-- > 0 ){
  1.6262 +      leavesReaderDestroy(&readers[i].reader);
  1.6263 +    }
  1.6264 +    sqlite3_free(readers);
  1.6265 +
  1.6266 +    /* If we've successfully gotten to here, delete the old segments
  1.6267 +    ** and flush the interior structure of the new segment.
  1.6268 +    */
  1.6269 +    if( rc==SQLITE_OK ){
  1.6270 +      for( i=0; i<=iMaxLevel; i++ ){
  1.6271 +        rc = segdir_delete(v, i);
  1.6272 +        if( rc!=SQLITE_OK ) break;
  1.6273 +      }
  1.6274 +
  1.6275 +      if( rc==SQLITE_OK ) rc = leafWriterFinalize(v, &writer);
  1.6276 +    }
  1.6277 +
  1.6278 +    leafWriterDestroy(&writer);
  1.6279 +
  1.6280 +    if( rc!=SQLITE_OK ) goto err;
  1.6281 +
  1.6282 +    sqlite3_result_text(pContext, "Index optimized", -1, SQLITE_STATIC);
  1.6283 +    return;
  1.6284 +
  1.6285 +    /* TODO(shess): Error-handling needs to be improved along the
  1.6286 +    ** lines of the dump_ functions.
  1.6287 +    */
  1.6288 + err:
  1.6289 +    {
  1.6290 +      char buf[512];
  1.6291 +      sqlite3_snprintf(sizeof(buf), buf, "Error in optimize: %s",
  1.6292 +                       sqlite3_errmsg(sqlite3_context_db_handle(pContext)));
  1.6293 +      sqlite3_result_error(pContext, buf, -1);
  1.6294 +    }
  1.6295 +  }
  1.6296 +}
  1.6297 +
  1.6298 +#ifdef SQLITE_TEST
  1.6299 +/* Generate an error of the form "<prefix>: <msg>".  If msg is NULL,
  1.6300 +** pull the error from the context's db handle.
  1.6301 +*/
  1.6302 +static void generateError(sqlite3_context *pContext,
  1.6303 +                          const char *prefix, const char *msg){
  1.6304 +  char buf[512];
  1.6305 +  if( msg==NULL ) msg = sqlite3_errmsg(sqlite3_context_db_handle(pContext));
  1.6306 +  sqlite3_snprintf(sizeof(buf), buf, "%s: %s", prefix, msg);
  1.6307 +  sqlite3_result_error(pContext, buf, -1);
  1.6308 +}
  1.6309 +
  1.6310 +/* Helper function to collect the set of terms in the segment into
  1.6311 +** pTerms.  The segment is defined by the leaf nodes between
  1.6312 +** iStartBlockid and iEndBlockid, inclusive, or by the contents of
  1.6313 +** pRootData if iStartBlockid is 0 (in which case the entire segment
  1.6314 +** fit in a leaf).
  1.6315 +*/
  1.6316 +static int collectSegmentTerms(fulltext_vtab *v, sqlite3_stmt *s,
  1.6317 +                               fts2Hash *pTerms){
  1.6318 +  const sqlite_int64 iStartBlockid = sqlite3_column_int64(s, 0);
  1.6319 +  const sqlite_int64 iEndBlockid = sqlite3_column_int64(s, 1);
  1.6320 +  const char *pRootData = sqlite3_column_blob(s, 2);
  1.6321 +  const int nRootData = sqlite3_column_bytes(s, 2);
  1.6322 +  LeavesReader reader;
  1.6323 +  int rc = leavesReaderInit(v, 0, iStartBlockid, iEndBlockid,
  1.6324 +                            pRootData, nRootData, &reader);
  1.6325 +  if( rc!=SQLITE_OK ) return rc;
  1.6326 +
  1.6327 +  while( rc==SQLITE_OK && !leavesReaderAtEnd(&reader) ){
  1.6328 +    const char *pTerm = leavesReaderTerm(&reader);
  1.6329 +    const int nTerm = leavesReaderTermBytes(&reader);
  1.6330 +    void *oldValue = sqlite3Fts2HashFind(pTerms, pTerm, nTerm);
  1.6331 +    void *newValue = (void *)((char *)oldValue+1);
  1.6332 +
  1.6333 +    /* From the comment before sqlite3Fts2HashInsert in fts2_hash.c,
  1.6334 +    ** the data value passed is returned in case of malloc failure.
  1.6335 +    */
  1.6336 +    if( newValue==sqlite3Fts2HashInsert(pTerms, pTerm, nTerm, newValue) ){
  1.6337 +      rc = SQLITE_NOMEM;
  1.6338 +    }else{
  1.6339 +      rc = leavesReaderStep(v, &reader);
  1.6340 +    }
  1.6341 +  }
  1.6342 +
  1.6343 +  leavesReaderDestroy(&reader);
  1.6344 +  return rc;
  1.6345 +}
  1.6346 +
  1.6347 +/* Helper function to build the result string for dump_terms(). */
  1.6348 +static int generateTermsResult(sqlite3_context *pContext, fts2Hash *pTerms){
  1.6349 +  int iTerm, nTerms, nResultBytes, iByte;
  1.6350 +  char *result;
  1.6351 +  TermData *pData;
  1.6352 +  fts2HashElem *e;
  1.6353 +
  1.6354 +  /* Iterate pTerms to generate an array of terms in pData for
  1.6355 +  ** sorting.
  1.6356 +  */
  1.6357 +  nTerms = fts2HashCount(pTerms);
  1.6358 +  assert( nTerms>0 );
  1.6359 +  pData = sqlite3_malloc(nTerms*sizeof(TermData));
  1.6360 +  if( pData==NULL ) return SQLITE_NOMEM;
  1.6361 +
  1.6362 +  nResultBytes = 0;
  1.6363 +  for(iTerm = 0, e = fts2HashFirst(pTerms); e; iTerm++, e = fts2HashNext(e)){
  1.6364 +    nResultBytes += fts2HashKeysize(e)+1;   /* Term plus trailing space */
  1.6365 +    assert( iTerm<nTerms );
  1.6366 +    pData[iTerm].pTerm = fts2HashKey(e);
  1.6367 +    pData[iTerm].nTerm = fts2HashKeysize(e);
  1.6368 +    pData[iTerm].pCollector = fts2HashData(e);  /* unused */
  1.6369 +  }
  1.6370 +  assert( iTerm==nTerms );
  1.6371 +
  1.6372 +  assert( nResultBytes>0 );   /* nTerms>0, nResultsBytes must be, too. */
  1.6373 +  result = sqlite3_malloc(nResultBytes);
  1.6374 +  if( result==NULL ){
  1.6375 +    sqlite3_free(pData);
  1.6376 +    return SQLITE_NOMEM;
  1.6377 +  }
  1.6378 +
  1.6379 +  if( nTerms>1 ) qsort(pData, nTerms, sizeof(*pData), termDataCmp);
  1.6380 +
  1.6381 +  /* Read the terms in order to build the result. */
  1.6382 +  iByte = 0;
  1.6383 +  for(iTerm=0; iTerm<nTerms; ++iTerm){
  1.6384 +    memcpy(result+iByte, pData[iTerm].pTerm, pData[iTerm].nTerm);
  1.6385 +    iByte += pData[iTerm].nTerm;
  1.6386 +    result[iByte++] = ' ';
  1.6387 +  }
  1.6388 +  assert( iByte==nResultBytes );
  1.6389 +  assert( result[nResultBytes-1]==' ' );
  1.6390 +  result[nResultBytes-1] = '\0';
  1.6391 +
  1.6392 +  /* Passes away ownership of result. */
  1.6393 +  sqlite3_result_text(pContext, result, nResultBytes-1, sqlite3_free);
  1.6394 +  sqlite3_free(pData);
  1.6395 +  return SQLITE_OK;
  1.6396 +}
  1.6397 +
  1.6398 +/* Implements dump_terms() for use in inspecting the fts2 index from
  1.6399 +** tests.  TEXT result containing the ordered list of terms joined by
  1.6400 +** spaces.  dump_terms(t, level, idx) dumps the terms for the segment
  1.6401 +** specified by level, idx (in %_segdir), while dump_terms(t) dumps
  1.6402 +** all terms in the index.  In both cases t is the fts table's magic
  1.6403 +** table-named column.
  1.6404 +*/
  1.6405 +static void dumpTermsFunc(
  1.6406 +  sqlite3_context *pContext,
  1.6407 +  int argc, sqlite3_value **argv
  1.6408 +){
  1.6409 +  fulltext_cursor *pCursor;
  1.6410 +  if( argc!=3 && argc!=1 ){
  1.6411 +    generateError(pContext, "dump_terms", "incorrect arguments");
  1.6412 +  }else if( sqlite3_value_type(argv[0])!=SQLITE_BLOB ||
  1.6413 +            sqlite3_value_bytes(argv[0])!=sizeof(pCursor) ){
  1.6414 +    generateError(pContext, "dump_terms", "illegal first argument");
  1.6415 +  }else{
  1.6416 +    fulltext_vtab *v;
  1.6417 +    fts2Hash terms;
  1.6418 +    sqlite3_stmt *s = NULL;
  1.6419 +    int rc;
  1.6420 +
  1.6421 +    memcpy(&pCursor, sqlite3_value_blob(argv[0]), sizeof(pCursor));
  1.6422 +    v = cursor_vtab(pCursor);
  1.6423 +
  1.6424 +    /* If passed only the cursor column, get all segments.  Otherwise
  1.6425 +    ** get the segment described by the following two arguments.
  1.6426 +    */
  1.6427 +    if( argc==1 ){
  1.6428 +      rc = sql_get_statement(v, SEGDIR_SELECT_ALL_STMT, &s);
  1.6429 +    }else{
  1.6430 +      rc = sql_get_statement(v, SEGDIR_SELECT_SEGMENT_STMT, &s);
  1.6431 +      if( rc==SQLITE_OK ){
  1.6432 +        rc = sqlite3_bind_int(s, 1, sqlite3_value_int(argv[1]));
  1.6433 +        if( rc==SQLITE_OK ){
  1.6434 +          rc = sqlite3_bind_int(s, 2, sqlite3_value_int(argv[2]));
  1.6435 +        }
  1.6436 +      }
  1.6437 +    }
  1.6438 +
  1.6439 +    if( rc!=SQLITE_OK ){
  1.6440 +      generateError(pContext, "dump_terms", NULL);
  1.6441 +      return;
  1.6442 +    }
  1.6443 +
  1.6444 +    /* Collect the terms for each segment. */
  1.6445 +    sqlite3Fts2HashInit(&terms, FTS2_HASH_STRING, 1);
  1.6446 +    while( (rc = sqlite3_step(s))==SQLITE_ROW ){
  1.6447 +      rc = collectSegmentTerms(v, s, &terms);
  1.6448 +      if( rc!=SQLITE_OK ) break;
  1.6449 +    }
  1.6450 +
  1.6451 +    if( rc!=SQLITE_DONE ){
  1.6452 +      sqlite3_reset(s);
  1.6453 +      generateError(pContext, "dump_terms", NULL);
  1.6454 +    }else{
  1.6455 +      const int nTerms = fts2HashCount(&terms);
  1.6456 +      if( nTerms>0 ){
  1.6457 +        rc = generateTermsResult(pContext, &terms);
  1.6458 +        if( rc==SQLITE_NOMEM ){
  1.6459 +          generateError(pContext, "dump_terms", "out of memory");
  1.6460 +        }else{
  1.6461 +          assert( rc==SQLITE_OK );
  1.6462 +        }
  1.6463 +      }else if( argc==3 ){
  1.6464 +        /* The specific segment asked for could not be found. */
  1.6465 +        generateError(pContext, "dump_terms", "segment not found");
  1.6466 +      }else{
  1.6467 +        /* No segments found. */
  1.6468 +        /* TODO(shess): It should be impossible to reach this.  This
  1.6469 +        ** case can only happen for an empty table, in which case
  1.6470 +        ** SQLite has no rows to call this function on.
  1.6471 +        */
  1.6472 +        sqlite3_result_null(pContext);
  1.6473 +      }
  1.6474 +    }
  1.6475 +    sqlite3Fts2HashClear(&terms);
  1.6476 +  }
  1.6477 +}
  1.6478 +
  1.6479 +/* Expand the DL_DEFAULT doclist in pData into a text result in
  1.6480 +** pContext.
  1.6481 +*/
  1.6482 +static void createDoclistResult(sqlite3_context *pContext,
  1.6483 +                                const char *pData, int nData){
  1.6484 +  DataBuffer dump;
  1.6485 +  DLReader dlReader;
  1.6486 +
  1.6487 +  assert( pData!=NULL && nData>0 );
  1.6488 +
  1.6489 +  dataBufferInit(&dump, 0);
  1.6490 +  dlrInit(&dlReader, DL_DEFAULT, pData, nData);
  1.6491 +  for( ; !dlrAtEnd(&dlReader); dlrStep(&dlReader) ){
  1.6492 +    char buf[256];
  1.6493 +    PLReader plReader;
  1.6494 +
  1.6495 +    plrInit(&plReader, &dlReader);
  1.6496 +    if( DL_DEFAULT==DL_DOCIDS || plrAtEnd(&plReader) ){
  1.6497 +      sqlite3_snprintf(sizeof(buf), buf, "[%lld] ", dlrDocid(&dlReader));
  1.6498 +      dataBufferAppend(&dump, buf, strlen(buf));
  1.6499 +    }else{
  1.6500 +      int iColumn = plrColumn(&plReader);
  1.6501 +
  1.6502 +      sqlite3_snprintf(sizeof(buf), buf, "[%lld %d[",
  1.6503 +                       dlrDocid(&dlReader), iColumn);
  1.6504 +      dataBufferAppend(&dump, buf, strlen(buf));
  1.6505 +
  1.6506 +      for( ; !plrAtEnd(&plReader); plrStep(&plReader) ){
  1.6507 +        if( plrColumn(&plReader)!=iColumn ){
  1.6508 +          iColumn = plrColumn(&plReader);
  1.6509 +          sqlite3_snprintf(sizeof(buf), buf, "] %d[", iColumn);
  1.6510 +          assert( dump.nData>0 );
  1.6511 +          dump.nData--;                     /* Overwrite trailing space. */
  1.6512 +          assert( dump.pData[dump.nData]==' ');
  1.6513 +          dataBufferAppend(&dump, buf, strlen(buf));
  1.6514 +        }
  1.6515 +        if( DL_DEFAULT==DL_POSITIONS_OFFSETS ){
  1.6516 +          sqlite3_snprintf(sizeof(buf), buf, "%d,%d,%d ",
  1.6517 +                           plrPosition(&plReader),
  1.6518 +                           plrStartOffset(&plReader), plrEndOffset(&plReader));
  1.6519 +        }else if( DL_DEFAULT==DL_POSITIONS ){
  1.6520 +          sqlite3_snprintf(sizeof(buf), buf, "%d ", plrPosition(&plReader));
  1.6521 +        }else{
  1.6522 +          assert( NULL=="Unhandled DL_DEFAULT value");
  1.6523 +        }
  1.6524 +        dataBufferAppend(&dump, buf, strlen(buf));
  1.6525 +      }
  1.6526 +      plrDestroy(&plReader);
  1.6527 +
  1.6528 +      assert( dump.nData>0 );
  1.6529 +      dump.nData--;                     /* Overwrite trailing space. */
  1.6530 +      assert( dump.pData[dump.nData]==' ');
  1.6531 +      dataBufferAppend(&dump, "]] ", 3);
  1.6532 +    }
  1.6533 +  }
  1.6534 +  dlrDestroy(&dlReader);
  1.6535 +
  1.6536 +  assert( dump.nData>0 );
  1.6537 +  dump.nData--;                     /* Overwrite trailing space. */
  1.6538 +  assert( dump.pData[dump.nData]==' ');
  1.6539 +  dump.pData[dump.nData] = '\0';
  1.6540 +  assert( dump.nData>0 );
  1.6541 +
  1.6542 +  /* Passes ownership of dump's buffer to pContext. */
  1.6543 +  sqlite3_result_text(pContext, dump.pData, dump.nData, sqlite3_free);
  1.6544 +  dump.pData = NULL;
  1.6545 +  dump.nData = dump.nCapacity = 0;
  1.6546 +}
  1.6547 +
  1.6548 +/* Implements dump_doclist() for use in inspecting the fts2 index from
  1.6549 +** tests.  TEXT result containing a string representation of the
  1.6550 +** doclist for the indicated term.  dump_doclist(t, term, level, idx)
  1.6551 +** dumps the doclist for term from the segment specified by level, idx
  1.6552 +** (in %_segdir), while dump_doclist(t, term) dumps the logical
  1.6553 +** doclist for the term across all segments.  The per-segment doclist
  1.6554 +** can contain deletions, while the full-index doclist will not
  1.6555 +** (deletions are omitted).
  1.6556 +**
  1.6557 +** Result formats differ with the setting of DL_DEFAULTS.  Examples:
  1.6558 +**
  1.6559 +** DL_DOCIDS: [1] [3] [7]
  1.6560 +** DL_POSITIONS: [1 0[0 4] 1[17]] [3 1[5]]
  1.6561 +** DL_POSITIONS_OFFSETS: [1 0[0,0,3 4,23,26] 1[17,102,105]] [3 1[5,20,23]]
  1.6562 +**
  1.6563 +** In each case the number after the outer '[' is the docid.  In the
  1.6564 +** latter two cases, the number before the inner '[' is the column
  1.6565 +** associated with the values within.  For DL_POSITIONS the numbers
  1.6566 +** within are the positions, for DL_POSITIONS_OFFSETS they are the
  1.6567 +** position, the start offset, and the end offset.
  1.6568 +*/
  1.6569 +static void dumpDoclistFunc(
  1.6570 +  sqlite3_context *pContext,
  1.6571 +  int argc, sqlite3_value **argv
  1.6572 +){
  1.6573 +  fulltext_cursor *pCursor;
  1.6574 +  if( argc!=2 && argc!=4 ){
  1.6575 +    generateError(pContext, "dump_doclist", "incorrect arguments");
  1.6576 +  }else if( sqlite3_value_type(argv[0])!=SQLITE_BLOB ||
  1.6577 +            sqlite3_value_bytes(argv[0])!=sizeof(pCursor) ){
  1.6578 +    generateError(pContext, "dump_doclist", "illegal first argument");
  1.6579 +  }else if( sqlite3_value_text(argv[1])==NULL ||
  1.6580 +            sqlite3_value_text(argv[1])[0]=='\0' ){
  1.6581 +    generateError(pContext, "dump_doclist", "empty second argument");
  1.6582 +  }else{
  1.6583 +    const char *pTerm = (const char *)sqlite3_value_text(argv[1]);
  1.6584 +    const int nTerm = strlen(pTerm);
  1.6585 +    fulltext_vtab *v;
  1.6586 +    int rc;
  1.6587 +    DataBuffer doclist;
  1.6588 +
  1.6589 +    memcpy(&pCursor, sqlite3_value_blob(argv[0]), sizeof(pCursor));
  1.6590 +    v = cursor_vtab(pCursor);
  1.6591 +
  1.6592 +    dataBufferInit(&doclist, 0);
  1.6593 +
  1.6594 +    /* termSelect() yields the same logical doclist that queries are
  1.6595 +    ** run against.
  1.6596 +    */
  1.6597 +    if( argc==2 ){
  1.6598 +      rc = termSelect(v, v->nColumn, pTerm, nTerm, 0, DL_DEFAULT, &doclist);
  1.6599 +    }else{
  1.6600 +      sqlite3_stmt *s = NULL;
  1.6601 +
  1.6602 +      /* Get our specific segment's information. */
  1.6603 +      rc = sql_get_statement(v, SEGDIR_SELECT_SEGMENT_STMT, &s);
  1.6604 +      if( rc==SQLITE_OK ){
  1.6605 +        rc = sqlite3_bind_int(s, 1, sqlite3_value_int(argv[2]));
  1.6606 +        if( rc==SQLITE_OK ){
  1.6607 +          rc = sqlite3_bind_int(s, 2, sqlite3_value_int(argv[3]));
  1.6608 +        }
  1.6609 +      }
  1.6610 +
  1.6611 +      if( rc==SQLITE_OK ){
  1.6612 +        rc = sqlite3_step(s);
  1.6613 +
  1.6614 +        if( rc==SQLITE_DONE ){
  1.6615 +          dataBufferDestroy(&doclist);
  1.6616 +          generateError(pContext, "dump_doclist", "segment not found");
  1.6617 +          return;
  1.6618 +        }
  1.6619 +
  1.6620 +        /* Found a segment, load it into doclist. */
  1.6621 +        if( rc==SQLITE_ROW ){
  1.6622 +          const sqlite_int64 iLeavesEnd = sqlite3_column_int64(s, 1);
  1.6623 +          const char *pData = sqlite3_column_blob(s, 2);
  1.6624 +          const int nData = sqlite3_column_bytes(s, 2);
  1.6625 +
  1.6626 +          /* loadSegment() is used by termSelect() to load each
  1.6627 +          ** segment's data.
  1.6628 +          */
  1.6629 +          rc = loadSegment(v, pData, nData, iLeavesEnd, pTerm, nTerm, 0,
  1.6630 +                           &doclist);
  1.6631 +          if( rc==SQLITE_OK ){
  1.6632 +            rc = sqlite3_step(s);
  1.6633 +
  1.6634 +            /* Should not have more than one matching segment. */
  1.6635 +            if( rc!=SQLITE_DONE ){
  1.6636 +              sqlite3_reset(s);
  1.6637 +              dataBufferDestroy(&doclist);
  1.6638 +              generateError(pContext, "dump_doclist", "invalid segdir");
  1.6639 +              return;
  1.6640 +            }
  1.6641 +            rc = SQLITE_OK;
  1.6642 +          }
  1.6643 +        }
  1.6644 +      }
  1.6645 +
  1.6646 +      sqlite3_reset(s);
  1.6647 +    }
  1.6648 +
  1.6649 +    if( rc==SQLITE_OK ){
  1.6650 +      if( doclist.nData>0 ){
  1.6651 +        createDoclistResult(pContext, doclist.pData, doclist.nData);
  1.6652 +      }else{
  1.6653 +        /* TODO(shess): This can happen if the term is not present, or
  1.6654 +        ** if all instances of the term have been deleted and this is
  1.6655 +        ** an all-index dump.  It may be interesting to distinguish
  1.6656 +        ** these cases.
  1.6657 +        */
  1.6658 +        sqlite3_result_text(pContext, "", 0, SQLITE_STATIC);
  1.6659 +      }
  1.6660 +    }else if( rc==SQLITE_NOMEM ){
  1.6661 +      /* Handle out-of-memory cases specially because if they are
  1.6662 +      ** generated in fts2 code they may not be reflected in the db
  1.6663 +      ** handle.
  1.6664 +      */
  1.6665 +      /* TODO(shess): Handle this more comprehensively.
  1.6666 +      ** sqlite3ErrStr() has what I need, but is internal.
  1.6667 +      */
  1.6668 +      generateError(pContext, "dump_doclist", "out of memory");
  1.6669 +    }else{
  1.6670 +      generateError(pContext, "dump_doclist", NULL);
  1.6671 +    }
  1.6672 +
  1.6673 +    dataBufferDestroy(&doclist);
  1.6674 +  }
  1.6675 +}
  1.6676 +#endif
  1.6677 +
  1.6678 +/*
  1.6679 +** This routine implements the xFindFunction method for the FTS2
  1.6680 +** virtual table.
  1.6681 +*/
  1.6682 +static int fulltextFindFunction(
  1.6683 +  sqlite3_vtab *pVtab,
  1.6684 +  int nArg,
  1.6685 +  const char *zName,
  1.6686 +  void (**pxFunc)(sqlite3_context*,int,sqlite3_value**),
  1.6687 +  void **ppArg
  1.6688 +){
  1.6689 +  if( strcmp(zName,"snippet")==0 ){
  1.6690 +    *pxFunc = snippetFunc;
  1.6691 +    return 1;
  1.6692 +  }else if( strcmp(zName,"offsets")==0 ){
  1.6693 +    *pxFunc = snippetOffsetsFunc;
  1.6694 +    return 1;
  1.6695 +  }else if( strcmp(zName,"optimize")==0 ){
  1.6696 +    *pxFunc = optimizeFunc;
  1.6697 +    return 1;
  1.6698 +#ifdef SQLITE_TEST
  1.6699 +    /* NOTE(shess): These functions are present only for testing
  1.6700 +    ** purposes.  No particular effort is made to optimize their
  1.6701 +    ** execution or how they build their results.
  1.6702 +    */
  1.6703 +  }else if( strcmp(zName,"dump_terms")==0 ){
  1.6704 +    /* fprintf(stderr, "Found dump_terms\n"); */
  1.6705 +    *pxFunc = dumpTermsFunc;
  1.6706 +    return 1;
  1.6707 +  }else if( strcmp(zName,"dump_doclist")==0 ){
  1.6708 +    /* fprintf(stderr, "Found dump_doclist\n"); */
  1.6709 +    *pxFunc = dumpDoclistFunc;
  1.6710 +    return 1;
  1.6711 +#endif
  1.6712 +  }
  1.6713 +  return 0;
  1.6714 +}
  1.6715 +
  1.6716 +/*
  1.6717 +** Rename an fts2 table.
  1.6718 +*/
  1.6719 +static int fulltextRename(
  1.6720 +  sqlite3_vtab *pVtab,
  1.6721 +  const char *zName
  1.6722 +){
  1.6723 +  fulltext_vtab *p = (fulltext_vtab *)pVtab;
  1.6724 +  int rc = SQLITE_NOMEM;
  1.6725 +  char *zSql = sqlite3_mprintf(
  1.6726 +    "ALTER TABLE %Q.'%q_content'  RENAME TO '%q_content';"
  1.6727 +    "ALTER TABLE %Q.'%q_segments' RENAME TO '%q_segments';"
  1.6728 +    "ALTER TABLE %Q.'%q_segdir'   RENAME TO '%q_segdir';"
  1.6729 +    , p->zDb, p->zName, zName 
  1.6730 +    , p->zDb, p->zName, zName 
  1.6731 +    , p->zDb, p->zName, zName
  1.6732 +  );
  1.6733 +  if( zSql ){
  1.6734 +    rc = sqlite3_exec(p->db, zSql, 0, 0, 0);
  1.6735 +    sqlite3_free(zSql);
  1.6736 +  }
  1.6737 +  return rc;
  1.6738 +}
  1.6739 +
  1.6740 +static const sqlite3_module fts2Module = {
  1.6741 +  /* iVersion      */ 0,
  1.6742 +  /* xCreate       */ fulltextCreate,
  1.6743 +  /* xConnect      */ fulltextConnect,
  1.6744 +  /* xBestIndex    */ fulltextBestIndex,
  1.6745 +  /* xDisconnect   */ fulltextDisconnect,
  1.6746 +  /* xDestroy      */ fulltextDestroy,
  1.6747 +  /* xOpen         */ fulltextOpen,
  1.6748 +  /* xClose        */ fulltextClose,
  1.6749 +  /* xFilter       */ fulltextFilter,
  1.6750 +  /* xNext         */ fulltextNext,
  1.6751 +  /* xEof          */ fulltextEof,
  1.6752 +  /* xColumn       */ fulltextColumn,
  1.6753 +  /* xRowid        */ fulltextRowid,
  1.6754 +  /* xUpdate       */ fulltextUpdate,
  1.6755 +  /* xBegin        */ fulltextBegin,
  1.6756 +  /* xSync         */ fulltextSync,
  1.6757 +  /* xCommit       */ fulltextCommit,
  1.6758 +  /* xRollback     */ fulltextRollback,
  1.6759 +  /* xFindFunction */ fulltextFindFunction,
  1.6760 +  /* xRename */       fulltextRename,
  1.6761 +};
  1.6762 +
  1.6763 +static void hashDestroy(void *p){
  1.6764 +  fts2Hash *pHash = (fts2Hash *)p;
  1.6765 +  sqlite3Fts2HashClear(pHash);
  1.6766 +  sqlite3_free(pHash);
  1.6767 +}
  1.6768 +
  1.6769 +/*
  1.6770 +** The fts2 built-in tokenizers - "simple" and "porter" - are implemented
  1.6771 +** in files fts2_tokenizer1.c and fts2_porter.c respectively. The following
  1.6772 +** two forward declarations are for functions declared in these files
  1.6773 +** used to retrieve the respective implementations.
  1.6774 +**
  1.6775 +** Calling sqlite3Fts2SimpleTokenizerModule() sets the value pointed
  1.6776 +** to by the argument to point a the "simple" tokenizer implementation.
  1.6777 +** Function ...PorterTokenizerModule() sets *pModule to point to the
  1.6778 +** porter tokenizer/stemmer implementation.
  1.6779 +*/
  1.6780 +void sqlite3Fts2SimpleTokenizerModule(sqlite3_tokenizer_module const**ppModule);
  1.6781 +void sqlite3Fts2PorterTokenizerModule(sqlite3_tokenizer_module const**ppModule);
  1.6782 +void sqlite3Fts2IcuTokenizerModule(sqlite3_tokenizer_module const**ppModule);
  1.6783 +
  1.6784 +int sqlite3Fts2InitHashTable(sqlite3 *, fts2Hash *, const char *);
  1.6785 +
  1.6786 +/*
  1.6787 +** Initialise the fts2 extension. If this extension is built as part
  1.6788 +** of the sqlite library, then this function is called directly by
  1.6789 +** SQLite. If fts2 is built as a dynamically loadable extension, this
  1.6790 +** function is called by the sqlite3_extension_init() entry point.
  1.6791 +*/
  1.6792 +int sqlite3Fts2Init(sqlite3 *db){
  1.6793 +  int rc = SQLITE_OK;
  1.6794 +  fts2Hash *pHash = 0;
  1.6795 +  const sqlite3_tokenizer_module *pSimple = 0;
  1.6796 +  const sqlite3_tokenizer_module *pPorter = 0;
  1.6797 +  const sqlite3_tokenizer_module *pIcu = 0;
  1.6798 +
  1.6799 +  sqlite3Fts2SimpleTokenizerModule(&pSimple);
  1.6800 +  sqlite3Fts2PorterTokenizerModule(&pPorter);
  1.6801 +#ifdef SQLITE_ENABLE_ICU
  1.6802 +  sqlite3Fts2IcuTokenizerModule(&pIcu);
  1.6803 +#endif
  1.6804 +
  1.6805 +  /* Allocate and initialise the hash-table used to store tokenizers. */
  1.6806 +  pHash = sqlite3_malloc(sizeof(fts2Hash));
  1.6807 +  if( !pHash ){
  1.6808 +    rc = SQLITE_NOMEM;
  1.6809 +  }else{
  1.6810 +    sqlite3Fts2HashInit(pHash, FTS2_HASH_STRING, 1);
  1.6811 +  }
  1.6812 +
  1.6813 +  /* Load the built-in tokenizers into the hash table */
  1.6814 +  if( rc==SQLITE_OK ){
  1.6815 +    if( sqlite3Fts2HashInsert(pHash, "simple", 7, (void *)pSimple)
  1.6816 +     || sqlite3Fts2HashInsert(pHash, "porter", 7, (void *)pPorter) 
  1.6817 +     || (pIcu && sqlite3Fts2HashInsert(pHash, "icu", 4, (void *)pIcu))
  1.6818 +    ){
  1.6819 +      rc = SQLITE_NOMEM;
  1.6820 +    }
  1.6821 +  }
  1.6822 +
  1.6823 +  /* Create the virtual table wrapper around the hash-table and overload 
  1.6824 +  ** the two scalar functions. If this is successful, register the
  1.6825 +  ** module with sqlite.
  1.6826 +  */
  1.6827 +  if( SQLITE_OK==rc 
  1.6828 +   && SQLITE_OK==(rc = sqlite3Fts2InitHashTable(db, pHash, "fts2_tokenizer"))
  1.6829 +   && SQLITE_OK==(rc = sqlite3_overload_function(db, "snippet", -1))
  1.6830 +   && SQLITE_OK==(rc = sqlite3_overload_function(db, "offsets", -1))
  1.6831 +   && SQLITE_OK==(rc = sqlite3_overload_function(db, "optimize", -1))
  1.6832 +#ifdef SQLITE_TEST
  1.6833 +   && SQLITE_OK==(rc = sqlite3_overload_function(db, "dump_terms", -1))
  1.6834 +   && SQLITE_OK==(rc = sqlite3_overload_function(db, "dump_doclist", -1))
  1.6835 +#endif
  1.6836 +  ){
  1.6837 +    return sqlite3_create_module_v2(
  1.6838 +        db, "fts2", &fts2Module, (void *)pHash, hashDestroy
  1.6839 +    );
  1.6840 +  }
  1.6841 +
  1.6842 +  /* An error has occured. Delete the hash table and return the error code. */
  1.6843 +  assert( rc!=SQLITE_OK );
  1.6844 +  if( pHash ){
  1.6845 +    sqlite3Fts2HashClear(pHash);
  1.6846 +    sqlite3_free(pHash);
  1.6847 +  }
  1.6848 +  return rc;
  1.6849 +}
  1.6850 +
  1.6851 +#if !SQLITE_CORE
  1.6852 +int sqlite3_extension_init(
  1.6853 +  sqlite3 *db, 
  1.6854 +  char **pzErrMsg,
  1.6855 +  const sqlite3_api_routines *pApi
  1.6856 +){
  1.6857 +  SQLITE_EXTENSION_INIT2(pApi)
  1.6858 +  return sqlite3Fts2Init(db);
  1.6859 +}
  1.6860 +#endif
  1.6861 +
  1.6862 +#endif /* !defined(SQLITE_CORE) || defined(SQLITE_ENABLE_FTS2) */