os/persistentdata/persistentstorage/sqlite3api/TEST/TclScript/fts3near.test
author sl@SLION-WIN7.fritz.box
Fri, 15 Jun 2012 03:10:57 +0200
changeset 0 bde4ae8d615e
permissions -rw-r--r--
First public contribution.
sl@0
     1
sl@0
     2
# 2007 October 15
sl@0
     3
#
sl@0
     4
# The author disclaims copyright to this source code.  In place of
sl@0
     5
# a legal notice, here is a blessing:
sl@0
     6
#
sl@0
     7
#    May you do good and not evil.
sl@0
     8
#    May you find forgiveness for yourself and forgive others.
sl@0
     9
#    May you share freely, never taking more than you give.
sl@0
    10
#
sl@0
    11
#*************************************************************************
sl@0
    12
#
sl@0
    13
# $Id: fts3near.test,v 1.2 2008/09/12 18:25:31 drh Exp $
sl@0
    14
#
sl@0
    15
sl@0
    16
set testdir [file dirname $argv0]
sl@0
    17
source $testdir/tester.tcl
sl@0
    18
sl@0
    19
# If SQLITE_ENABLE_FTS3 is defined, omit this file.
sl@0
    20
ifcapable !fts3 {
sl@0
    21
  finish_test
sl@0
    22
  return
sl@0
    23
}
sl@0
    24
sl@0
    25
db eval {
sl@0
    26
  CREATE VIRTUAL TABLE t1 USING fts3(content);
sl@0
    27
  INSERT INTO t1(content) VALUES('one three four five');
sl@0
    28
  INSERT INTO t1(content) VALUES('two three four five');
sl@0
    29
  INSERT INTO t1(content) VALUES('one two three four five');
sl@0
    30
}
sl@0
    31
sl@0
    32
do_test fts3near-1.1 {
sl@0
    33
  execsql {SELECT docid FROM t1 WHERE content MATCH 'one NEAR/0 three'}
sl@0
    34
} {1}
sl@0
    35
do_test fts3near-1.2 {
sl@0
    36
  execsql {SELECT docid FROM t1 WHERE content MATCH 'one NEAR/1 two'}
sl@0
    37
} {3}
sl@0
    38
do_test fts3near-1.3 {
sl@0
    39
  execsql {SELECT docid FROM t1 WHERE content MATCH 'one NEAR/1 three'}
sl@0
    40
} {1 3}
sl@0
    41
do_test fts3near-1.4 {
sl@0
    42
  execsql {SELECT docid FROM t1 WHERE content MATCH 'three NEAR/1 one'}
sl@0
    43
} {1 3}
sl@0
    44
do_test fts3near-1.5 {
sl@0
    45
  execsql {SELECT docid FROM t1 WHERE content MATCH '"one two" NEAR/1 five'}
sl@0
    46
} {}
sl@0
    47
do_test fts3near-1.6 {
sl@0
    48
  execsql {SELECT docid FROM t1 WHERE content MATCH '"one two" NEAR/2 five'}
sl@0
    49
} {3}
sl@0
    50
do_test fts3near-1.7 {
sl@0
    51
  execsql {SELECT docid FROM t1 WHERE content MATCH 'one NEAR four'}
sl@0
    52
} {1 3}
sl@0
    53
do_test fts3near-1.8 {
sl@0
    54
  execsql {SELECT docid FROM t1 WHERE content MATCH 'four NEAR three'}
sl@0
    55
} {1 2 3}
sl@0
    56
do_test fts3near-1.9 {
sl@0
    57
  execsql {SELECT docid FROM t1 WHERE content MATCH '"four five" NEAR/0 three'}
sl@0
    58
} {1 2 3}
sl@0
    59
do_test fts3near-1.10 {
sl@0
    60
  execsql {SELECT docid FROM t1 WHERE content MATCH '"four five" NEAR/2 one'}
sl@0
    61
} {1 3}
sl@0
    62
do_test fts3near-1.11 {
sl@0
    63
  execsql {SELECT docid FROM t1 WHERE content MATCH '"four five" NEAR/1 one'}
sl@0
    64
} {1}
sl@0
    65
do_test fts3near-1.12 {
sl@0
    66
  execsql {SELECT docid FROM t1 WHERE content MATCH 'five NEAR/1 "two three"'}
sl@0
    67
} {2 3} 
sl@0
    68
do_test fts3near-1.13 {
sl@0
    69
  execsql {SELECT docid FROM t1 WHERE content MATCH 'one NEAR five'}
sl@0
    70
} {1 3} 
sl@0
    71
sl@0
    72
sl@0
    73
# Output format of the offsets() function:
sl@0
    74
#
sl@0
    75
#     <column number> <term number> <starting offset> <number of bytes>
sl@0
    76
#
sl@0
    77
db eval {
sl@0
    78
  INSERT INTO t1(content) VALUES('A X B C D A B');
sl@0
    79
}
sl@0
    80
do_test fts3near-2.1 {
sl@0
    81
  execsql {
sl@0
    82
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'A NEAR/0 B'
sl@0
    83
  }
sl@0
    84
} {{0 0 10 1 0 1 12 1}}
sl@0
    85
do_test fts3near-2.2 {
sl@0
    86
  execsql {
sl@0
    87
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'B NEAR/0 A'
sl@0
    88
  }
sl@0
    89
} {{0 1 10 1 0 0 12 1}}
sl@0
    90
do_test fts3near-2.3 {
sl@0
    91
  execsql {
sl@0
    92
    SELECT offsets(t1) FROM t1 WHERE content MATCH '"C D" NEAR/0 A'
sl@0
    93
  }
sl@0
    94
} {{0 0 6 1 0 1 8 1 0 2 10 1}}
sl@0
    95
do_test fts3near-2.4 {
sl@0
    96
  execsql {
sl@0
    97
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'A NEAR/0 "C D"'
sl@0
    98
  }
sl@0
    99
} {{0 1 6 1 0 2 8 1 0 0 10 1}}
sl@0
   100
do_test fts3near-2.5 {
sl@0
   101
  execsql {
sl@0
   102
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'A NEAR A'
sl@0
   103
  }
sl@0
   104
} {{0 0 0 1 0 1 0 1 0 0 10 1 0 1 10 1}}
sl@0
   105
do_test fts3near-2.6 {
sl@0
   106
  execsql {
sl@0
   107
    INSERT INTO t1 VALUES('A A A');
sl@0
   108
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'A NEAR/2 A';
sl@0
   109
  }
sl@0
   110
} [list [list 0 0 0 1   0 1 0 1   0 0 2 1   0 1 2 1   0 0 4 1   0 1 4 1]]
sl@0
   111
do_test fts3near-2.7 {
sl@0
   112
  execsql {
sl@0
   113
    DELETE FROM t1;
sl@0
   114
    INSERT INTO t1 VALUES('A A A A');
sl@0
   115
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'A NEAR A NEAR A';
sl@0
   116
  }
sl@0
   117
} [list [list \
sl@0
   118
    0 0 0 1   0 1 0 1   0 2 0 1   0 0 2 1   \
sl@0
   119
    0 1 2 1   0 2 2 1   0 0 4 1   0 1 4 1   \
sl@0
   120
    0 2 4 1   0 0 6 1   0 1 6 1   0 2 6 1   \
sl@0
   121
]]
sl@0
   122
sl@0
   123
db eval {
sl@0
   124
  DELETE FROM t1;
sl@0
   125
  INSERT INTO t1(content) VALUES(
sl@0
   126
    'one two three two four six three six nine four eight twelve'
sl@0
   127
  );
sl@0
   128
}
sl@0
   129
sl@0
   130
do_test fts3near-3.1 {
sl@0
   131
  execsql {SELECT offsets(t1) FROM t1 WHERE content MATCH 'three NEAR/1 one'}
sl@0
   132
} {{0 1 0 3 0 0 8 5}}
sl@0
   133
do_test fts3near-3.2 {
sl@0
   134
  execsql {SELECT offsets(t1) FROM t1 WHERE content MATCH 'one NEAR/1 three'}
sl@0
   135
} {{0 0 0 3 0 1 8 5}}
sl@0
   136
do_test fts3near-3.3 {
sl@0
   137
  execsql {SELECT offsets(t1) FROM t1 WHERE content MATCH 'three NEAR/1 two'}
sl@0
   138
} {{0 1 4 3 0 0 8 5 0 1 14 3}}
sl@0
   139
do_test fts3near-3.4 {
sl@0
   140
  execsql {SELECT offsets(t1) FROM t1 WHERE content MATCH 'three NEAR/2 two'}
sl@0
   141
} {{0 1 4 3 0 0 8 5 0 1 14 3 0 0 27 5}}
sl@0
   142
do_test fts3near-3.5 {
sl@0
   143
  execsql {SELECT offsets(t1) FROM t1 WHERE content MATCH 'two NEAR/2 three'}
sl@0
   144
} {{0 0 4 3 0 1 8 5 0 0 14 3 0 1 27 5}}
sl@0
   145
do_test fts3near-3.6 {
sl@0
   146
  execsql {
sl@0
   147
    SELECT offsets(t1) FROM t1 WHERE content MATCH 'three NEAR/0 "two four"'
sl@0
   148
  }
sl@0
   149
} {{0 0 8 5 0 1 14 3 0 2 18 4}}
sl@0
   150
do_test fts3near-3.7 {
sl@0
   151
  execsql {
sl@0
   152
    SELECT offsets(t1) FROM t1 WHERE content MATCH '"two four" NEAR/0 three'}
sl@0
   153
} {{0 2 8 5 0 0 14 3 0 1 18 4}}
sl@0
   154
sl@0
   155
db eval {
sl@0
   156
  INSERT INTO t1(content) VALUES('
sl@0
   157
    This specification defines Cascading Style Sheets, level 2 (CSS2). CSS2 is a style sheet language that allows authors and users to attach style (e.g., fonts, spacing, and aural cues) to structured documents (e.g., HTML documents and XML applications). By separating the presentation style of documents from the content of documents, CSS2 simplifies Web authoring and site maintenance.
sl@0
   158
sl@0
   159
    CSS2 builds on CSS1 (see [CSS1]) and, with very few exceptions, all valid CSS1 style sheets are valid CSS2 style sheets. CSS2 supports media-specific style sheets so that authors may tailor the presentation of their documents to visual browsers, aural devices, printers, braille devices, handheld devices, etc. This specification also supports content positioning, downloadable fonts, table layout, features for internationalization, automatic counters and numbering, and some properties related to user interface.
sl@0
   160
  ') 
sl@0
   161
}
sl@0
   162
do_test fts3near-4.1 {
sl@0
   163
  execsql {
sl@0
   164
    SELECT snippet(t1) FROM t1 WHERE content MATCH 'specification NEAR supports'
sl@0
   165
  }
sl@0
   166
} {{<b>...</b> devices, handheld devices, etc. This <b>specification</b> also <b>supports</b> content positioning, downloadable fonts, <b>...</b>}}
sl@0
   167
sl@0
   168
do_test fts3near-5.1 {
sl@0
   169
  execsql {
sl@0
   170
    SELECT docid FROM t1 WHERE content MATCH 'specification attach'
sl@0
   171
  }
sl@0
   172
} {2}
sl@0
   173
do_test fts3near-5.2 {
sl@0
   174
  execsql {
sl@0
   175
    SELECT docid FROM t1 WHERE content MATCH 'specification NEAR attach'
sl@0
   176
  }
sl@0
   177
} {}
sl@0
   178
do_test fts3near-5.3 {
sl@0
   179
  execsql {
sl@0
   180
    SELECT docid FROM t1 WHERE content MATCH 'specification NEAR/18 attach'
sl@0
   181
  }
sl@0
   182
} {}
sl@0
   183
do_test fts3near-5.4 {
sl@0
   184
  execsql {
sl@0
   185
    SELECT docid FROM t1 WHERE content MATCH 'specification NEAR/19 attach'
sl@0
   186
  }
sl@0
   187
} {2}
sl@0
   188
do_test fts3near-5.5 {
sl@0
   189
  execsql {
sl@0
   190
    SELECT docid FROM t1 WHERE content MATCH 'specification NEAR/000018 attach'
sl@0
   191
  }
sl@0
   192
} {}
sl@0
   193
do_test fts3near-5.6 {
sl@0
   194
  execsql {
sl@0
   195
    SELECT docid FROM t1 WHERE content MATCH 'specification NEAR/000019 attach'
sl@0
   196
  }
sl@0
   197
} {2}
sl@0
   198
sl@0
   199
db eval {
sl@0
   200
  INSERT INTO t1 VALUES('
sl@0
   201
      abbrev aberrations abjurations aboding abr abscesses absolutistic
sl@0
   202
      abstention abuses acanthuses acceptance acclaimers accomplish
sl@0
   203
      accoutring accusation acetonic acid acolytes acquitting acrylonitrile
sl@0
   204
      actives acyclic addicted adenoid adjacently adjusting admissible
sl@0
   205
      adoption adulated advantaging advertisers aedes aerogramme aetiology
sl@0
   206
      affiliative afforest afterclap agamogenesis aggrade agings agonize
sl@0
   207
      agron ailurophile airfreight airspeed alarmists alchemizing
sl@0
   208
      alexandrines alien aliped all allergenic allocator allowances almost
sl@0
   209
      alphabetizes altho alvine amaurosis ambles ameliorate amicability amnio
sl@0
   210
      amour ampicillin amusement anadromous analogues anarchy anchormen
sl@0
   211
      anecdota aneurin angst animating anlage announcements anodized
sl@0
   212
      answerable antemeridian anthracene antiabortionist anticlimaxes
sl@0
   213
      antifriction antimitotic antiphon antiques antithetic anviled
sl@0
   214
      apatosaurus aphrodisia apodal aposiopesis apparatus appendectomies
sl@0
   215
      applications appraisingly appropriate apteryx arabinose
sl@0
   216
      arboricultural archdeaconates archipelago ardently arguers armadillo
sl@0
   217
      arnicas arrayed arrowy arthroscope artisans ascensive ashier
sl@0
   218
      aspersorium assail assentor assignees assonants astereognosis
sl@0
   219
      astringency astutest atheistical atomize attachment attenuates
sl@0
   220
      attrahent audibility augite auricle auteurists autobus autolysis
sl@0
   221
      autosome avenge avidest aw awl ayes babirusa backbeats backgrounder
sl@0
   222
      backseat backswings baddie bagnios baked balefuller ballista balmily
sl@0
   223
      bandbox bandylegged bankruptcy baptism barbering bargain barneys
sl@0
   224
      barracuda barterer bashes bassists bathers batterer bavardage
sl@0
   225
      beachfront beanstalk beauteous become bedim bedtimes beermats begat
sl@0
   226
      begun belabors bellarmine belongings bending benthos bereavements
sl@0
   227
      besieger bestialized betide bevels biases bicarbonates bidentate bigger
sl@0
   228
      bile billow bine biodynamics biomedicine biotites birding bisection
sl@0
   229
      bitingly bkg blackheads blaeberry blanking blatherer bleeper blindage
sl@0
   230
      blithefulness blockish bloodstreams bloused blubbing bluestocking
sl@0
   231
      blurted boatbill bobtailed boffo bold boltrope bondservant bonks
sl@0
   232
      bookbinding bookworm booting borating boscages botchers bougainvillea
sl@0
   233
      bounty bowlegged boyhood bracketed brainstorm brandishes
sl@0
   234
      braunschweigers brazilin breakneck breathlessness brewage bridesmaids
sl@0
   235
      brighter brisker broader brokerages bronziest browband brunets bryology
sl@0
   236
      bucking budlike bugleweed bulkily bulling bummer bunglers bureau burgs
sl@0
   237
      burrito bushfire buss butlery buttressing bylines cabdriver cached
sl@0
   238
      cadaverousnesses cafeterias cakewalk calcifies calendula callboy calms
sl@0
   239
      calyptra camisoles camps candelabrum caned cannolis canoodling cantors
sl@0
   240
      cape caponize capsuling caracoled carbolics carcase carditis caretakers
sl@0
   241
      carnallite carousel carrageenan cartels carves cashbook castanets
sl@0
   242
      casuistry catalyzer catchers categorizations cathexis caucuses
sl@0
   243
      causeway cavetto cede cella cementite centenary centrals ceramics ceria
sl@0
   244
      cervixes chafferer chalcopyrites chamfers change chaotically
sl@0
   245
      characteristically charivari chases chatterer cheats cheeks chef
sl@0
   246
      chemurgy chetah chickaree chigoes chillies chinning chirp chive
sl@0
   247
      chloroforms chokebore choplogic chorioids chromatic chronically
sl@0
   248
      chubbiest chunder chutzpah cimetidine cinque circulated circumscribe
sl@0
   249
      cirrose citrin claddagh clamorousness clapperboards classicalism
sl@0
   250
      clauses cleanse clemency clicker clinchers cliquiest clods closeting
sl@0
   251
      cloudscape clucking cnidarian coalfish coatrack coca cockfights coddled
sl@0
   252
      coeducation coexistence cognitively coiffed colatitude collage
sl@0
   253
      collections collinear colonelcy colorimetric columelliform combos
sl@0
   254
      comforters commence commercialist commit commorancy communized compar
sl@0
   255
      compendiously complainers compliance composition comprised comradery
sl@0
   256
      concelebrants concerted conciliation concourses condensate
sl@0
   257
      condonations confab confessionals confirmed conforming congeal
sl@0
   258
      congregant conjectured conjurers connoisseurs conscripting
sl@0
   259
      conservator consolable conspired constricting consuls contagious
sl@0
   260
      contemporaneity contesters continuities contractors contrarian
sl@0
   261
      contrive convalescents convents convexly convulsed cooncan coparcenary
sl@0
   262
      coprolite copyreader cordially corklike cornflour coroner corralling
sl@0
   263
      corrigible corsages cosies cosmonauts costumer cottontails counselings
sl@0
   264
      counterclaim counterpane countertenors courageously couth coveting
sl@0
   265
      coworker cozier cracklings crampon crappies craved cream credenzas
sl@0
   266
      crematoriums cresol cricoid crinkle criterion crocodile crore crossover
sl@0
   267
      crowded cruelest crunch cruzeiros cryptomeria cubism cuesta culprit
sl@0
   268
      cumquat cupped curdle curly cursoring curvy customized cutting cyclamens
sl@0
   269
      cylindrical cytaster dachshund daikon damages damselfly dangling
sl@0
   270
      darkest databanks dauphine dazzling deadpanned deathday debauchers
sl@0
   271
      debunking decameter decedents decibel decisions declinations
sl@0
   272
      decomposition decoratively decretive deduct deescalated defecating
sl@0
   273
      deferentially definiendum defluxion defrocks degrade deice dekaliters
sl@0
   274
      deli delinquencies deludedly demarcates demineralizers demodulating
sl@0
   275
      demonstrabilities demurred deniabilities denouncement denudation
sl@0
   276
      departure deplorable deposing depredatory deputizes derivational
sl@0
   277
      desalinization descriptors desexes desisted despising destitute
sl@0
   278
      detectability determiner detoxifying devalued devilries devotions
sl@0
   279
      dextrous diagenesis dialling diaphoresis diazonium dickeys diddums
sl@0
   280
      differencing dig dignified dildo dimetric dineric dinosaurs diplodocus
sl@0
   281
      directer dirty disagrees disassembler disburses disclosures
sl@0
   282
      disconcerts discountability discrete disembarrass disenthrone
sl@0
   283
      disgruntled dishpans disintegrators dislodged disobedient
sl@0
   284
      dispassionate dispiritednesses dispraised disqualifying
sl@0
   285
      dissatisfying dissidence dissolvers distich distracting distrusts
sl@0
   286
      ditto diverse divineness dizzily dockyard dodgers doggish doited dom
sl@0
   287
      dominium doohickey doozie dorsum doubleheaders dourer downbeats
sl@0
   288
      downshifted doyennes draftsman dramatic drawling dredge drifter
sl@0
   289
      drivelines droopier drowsed drunkards dubiosities duding dulcifying
sl@0
   290
      dumpcart duodecillion durable duteous dyed dysgenic eagles earplugs
sl@0
   291
      earwitness ebonite echoers economical ectothermous edibility educates
sl@0
   292
      effected effigies eggbeaters egresses ejaculates elasticize elector
sl@0
   293
      electrodynamometer electrophorus elem eligibly eloped emaciating
sl@0
   294
      embarcaderos embezzlers embosses embryectomy emfs emotionalizing
sl@0
   295
      empiricist emu enamels enchained encoded encrusts endeavored endogamous
sl@0
   296
      endothelioma energizes engager engrosses enl enologist enrolls ensphere
sl@0
   297
      enters entirety entrap entryways envies eosinophil epicentral
sl@0
   298
      epigrammatized episodic epochs equestrian equitably erect ernes
sl@0
   299
      errorless escalated eschatology espaliers essonite estop eternity
sl@0
   300
      ethnologically eudemonics euphonious euthenist evangelizations
sl@0
   301
      eventuality evilest evulsion examinee exceptionably exciter
sl@0
   302
      excremental execrably exemplars exhalant exhorter exocrine exothermic
sl@0
   303
      expected expends explainable exploratory expostulatory expunges
sl@0
   304
      extends externals extorts extrapolative extrorse eyebolt eyra
sl@0
   305
      facetiously factor faeries fairings fallacies falsities fancifulness
sl@0
   306
      fantasticalness farmhouse fascinate fatalistically fattener fave
sl@0
   307
      fearlessly featly federates feints fellowman fencers ferny
sl@0
   308
      fertilenesses feta feudality fibers fictionalize fiefs fightback
sl@0
   309
      filefish filmier finaglers fingerboards finochio firefly firmament
sl@0
   310
      fishmeal fitted fjords flagitiousnesses flamen flaps flatfooting
sl@0
   311
      flauntier fleapit fleshes flickertail flints floaty floorboards
sl@0
   312
      floristic flow fluffily fluorescein flutes flyspecks foetal folderols
sl@0
   313
      followable foolhardier footlockers foppish forceless foredo foreknows
sl@0
   314
      foreseeing foretaste forgather forlorn formidableness fortalice
sl@0
   315
      forwarding founding foxhunting fragmentarily frangipani fray freeform
sl@0
   316
      freezable freshening fridges frilliest frizzed frontbench frottages
sl@0
   317
      fruitcake fryable fugleman fulminated functionalists fungoid furfuran
sl@0
   318
      furtive fussy fwd gadolinium galabias gallinaceous galvanism gamers
sl@0
   319
      gangland gaoling garganey garrisoning gasp gate gauger gayety geed
sl@0
   320
      geminately generalissimos genii gentled geochronology geomorphic
sl@0
   321
      geriatricians gesellschaft ghat gibbeting giggles gimps girdlers
sl@0
   322
      glabella glaive glassfuls gleefully glistered globetrotted glorifier
sl@0
   323
      gloving glutathione glyptodont goaled gobsmacked goggliest golliwog
sl@0
   324
      goobers gooseberries gormandizer gouramis grabbier gradually grampuses
sl@0
   325
      grandmothers granulated graptolite gratuitously gravitates greaten
sl@0
   326
      greenmailer greys grills grippers groan gropingly grounding groveling
sl@0
   327
      grueled grunter guardroom guggle guineas gummed gunnysacks gushingly
sl@0
   328
      gutturals gynecoid gyrostabilizer habitudes haemophilia hailer hairs
sl@0
   329
      halest hallow halters hamsters handhelds handsaw hangup haranguer
sl@0
   330
      hardheartedness harlotry harps hashing hated hauntingly hayrack
sl@0
   331
      headcases headphone headword heartbreakers heaters hebephrenia
sl@0
   332
      hedonist heightening heliozoan helots hemelytron hemorrhagic hent
sl@0
   333
      herbicides hereunto heroines heteroclitics heterotrophs hexers
sl@0
   334
      hidebound hies hightails hindmost hippopotomonstrosesquipedalian
sl@0
   335
      histologist hittable hobbledehoys hogans holdings holocrine homegirls
sl@0
   336
      homesteader homogeneousness homopolar honeys hoodwinks hoovered
sl@0
   337
      horizontally horridness horseshoers hospitalization hotdogging houri
sl@0
   338
      housemate howitzers huffier humanist humid humors huntress husbandmen
sl@0
   339
      hyaenas hydride hydrokinetics hydroponically hygrothermograph
sl@0
   340
      hyperbolically hypersensitiveness hypnogogic hypodermically
sl@0
   341
      hypothermia iatrochemistry ichthyological idealist ideograms idling
sl@0
   342
      igniting illegal illuminatingly ilmenite imbibing immateriality
sl@0
   343
      immigrating immortalizes immures imparts impeder imperfection
sl@0
   344
      impersonated implant implying imposition imprecating imprimis
sl@0
   345
      improvising impv inanenesses inaugurate incapably incentivize
sl@0
   346
      incineration incloses incomparableness inconsequential incorporate
sl@0
   347
      incrementing incumbered indecorous indentation indicative indignities
sl@0
   348
      indistinguishably indoors indulges ineducation inerrable
sl@0
   349
      inexperienced infants infestations infirmnesses inflicting
sl@0
   350
      infracostal ingathered ingressions inheritances iniquity
sl@0
   351
      injuriousnesses innervated inoculates inquisitionist insectile
sl@0
   352
      insiders insolate inspirers instatement instr insulates intactness
sl@0
   353
      intellects intensifies intercalations intercontinental interferon
sl@0
   354
      interlarded intermarrying internalizing interpersonally
sl@0
   355
      interrelatednesses intersperse interviewees intolerance
sl@0
   356
      intransigents introducing intubates invades inventing inveterate
sl@0
   357
      invocate iodides irenicism ironsmith irreducibly irresistibility
sl@0
   358
      irriguous isobarisms isometrically issuable itineracies jackdaws
sl@0
   359
      jaggery jangling javelins jeeringly jeremiad jeweler jigsawing jitter
sl@0
   360
      jocosity jokester jot jowls judicative juicy jungly jurists juxtaposed
sl@0
   361
      kalpa karstify keddah kendo kermesses keynote kibbutznik kidnaper
sl@0
   362
      kilogram kindred kingpins kissers klatch kneads knobbed knowingest
sl@0
   363
      kookaburras kruller labefaction labyrinths lacquer laddered lagoons
sl@0
   364
      lambency laminates lancinate landscapist lankiness lapse larked lasso
sl@0
   365
      laterite laudableness laundrywomen lawgiver laypersons leafhoppers
sl@0
   366
      leapfrogs leaven leeches legated legislature leitmotifs lenients
sl@0
   367
      leprous letterheads levelling lexicographically liberalists
sl@0
   368
      librettist licorice lifesaving lightheadedly likelier limekiln limped
sl@0
   369
      lines linkers lipoma liquidator listeners litharge litmus
sl@0
   370
      liverishnesses loamier lobeline locative locutionary loggier loiterer
sl@0
   371
      longevity loomed loping lotion louts lowboys luaus lucrativeness lulus
sl@0
   372
      lumpier lungi lush luthern lymphangial lythraceous machinists maculate
sl@0
   373
      maggot magnetochemistry maharani maimers majored malaprops malignants
sl@0
   374
      maloti mammary manchineel manfully manicotti manipulativenesses
sl@0
   375
      mansards manufactories maraschino margin markdown marooning marshland
sl@0
   376
      mascaraing massaging masticate matchmark matings mattes mausoleum
sl@0
   377
      mayflies mealworm meataxe medevaced medievalist meetings megavitamin
sl@0
   378
      melded melodramatic memorableness mendaciousnesses mensurable
sl@0
   379
      mercenaries mere meronymous mesmerizes mestee metallurgical
sl@0
   380
      metastasize meterages meticulosity mewed microbe microcrystalline
sl@0
   381
      micromanager microsporophyll midiron miffed milder militiamen
sl@0
   382
      millesimal milometer mincing mingily minims minstrelsy mires
sl@0
   383
      misanthropic miscalculate miscomprehended misdefines misery mishears
sl@0
   384
      misled mispickel misrepresent misspending mistranslate miswriting
sl@0
   385
      mixologists mobilizers moderators modulate mojo mollies momentum monde
sl@0
   386
      monied monocles monographs monophyletic monotonousness moocher
sl@0
   387
      moorages morality morion mortally moseyed motherly motorboat mouldering
sl@0
   388
      mousers moveables mucky mudslides mulatto multicellularity
sl@0
   389
      multipartite multivalences mundanities murkiest mushed muskiness
sl@0
   390
      mutability mutisms mycelia myosotis mythicist nacred namable napkin
sl@0
   391
      narghile nastiness nattering nauseations nearliest necessitate
sl@0
   392
      necrophobia neg negotiators neologizes nephrotomy netiquette
sl@0
   393
      neurophysiology newbie newspaper niccolite nielsbohriums nightlong
sl@0
   394
      nincompoops nitpicked nix noddling nomadize nonadhesive noncandidates
sl@0
   395
      nonconducting nondigestible nones nongreasy nonjoinder nonoccurrence
sl@0
   396
      nonporousness nonrestrictive nonstaining nonuniform nooses northwards
sl@0
   397
      nostalgic notepaper nourishment noyades nuclides numberless numskulls
sl@0
   398
      nutmegged nymphaea oatmeal obis objurgators oblivious obsequiousness
sl@0
   399
      obsoletism obtruding occlusions ocher octettes odeums offcuts
sl@0
   400
      officiation ogival oilstone olestras omikron oncogenesis onsetting
sl@0
   401
      oomphs openly ophthalmoscope opposites optimum orangutans
sl@0
   402
      orchestrations ordn organophosphates origin ornithosis orthognathous
sl@0
   403
      oscillatory ossuaries ostracized ounce outbreaks outearning outgrows
sl@0
   404
      outlived outpoints outrunning outspends outwearing overabound
sl@0
   405
      overbalance overcautious overcrowds overdubbing overexpanding
sl@0
   406
      overgraze overindustrialize overlearning overoptimism overproducing
sl@0
   407
      overripe overshadowing overspreading overstuff overtones overwind ow
sl@0
   408
      oxidizing pacer packs paganish painstakingly palate palette pally
sl@0
   409
      palsying pandemic panhandled pantheism papaws papped parading
sl@0
   410
      parallelize paranoia parasitically pardners parietal parodied pars
sl@0
   411
      participator partridgeberry passerines password pastors
sl@0
   412
      paterfamiliases patination patrolman paunch pawnshops peacekeeper
sl@0
   413
      peatbog peculator pedestrianism peduncles pegboard pellucidnesses
sl@0
   414
      pendency penitentiary penstock pentylenetetrazol peptidase perched
sl@0
   415
      perennial performing perigynous peripheralize perjurer permissively
sl@0
   416
      perpetuals persistency perspicuously perturbingly pesky petcock
sl@0
   417
      petrologists pfennige pharmacies phenformin philanderers
sl@0
   418
      philosophically phonecards phosgenes photocomposer photogenic photons
sl@0
   419
      phototype phylloid physiotherapeutics picadores pickup pieces pigging
sl@0
   420
      pilaster pillion pimples pinioned pinpricks pipers pirogi pit
sl@0
   421
      pitifullest pizza placental plainly planing plasmin platforming
sl@0
   422
      playacts playwrights plectra pleurisy plopped plug plumule plussed
sl@0
   423
      poaches poetasters pointless polarize policyholder polkaed
sl@0
   424
      polyadelphous polygraphing polyphonous pomace ponderers pooch poplar
sl@0
   425
      porcelains portableness portly positioning postage posthumously
sl@0
   426
      postponed potages potholed poulard powdering practised pranksters
sl@0
   427
      preadapt preassigning precentors precipitous preconditions predefined
sl@0
   428
      predictors preengage prefers prehumans premedical prenotification
sl@0
   429
      preplanning prepuberty presbytery presentation presidia prestissimo
sl@0
   430
      preterites prevailer prewarmed priding primitively principalships
sl@0
   431
      prisage privileged probed prochurch proctoscope products proficients
sl@0
   432
      prognathism prohibiting proletarianisms prominence promulgates
sl@0
   433
      proofreading property proportions prorate proselytize prosthesis
sl@0
   434
      proteins prototypic provenances provitamin prudish pseudonymities
sl@0
   435
      psychoanalysts psychoneuroses psychrometer publishable pufferies
sl@0
   436
      pullet pulses punchy punkins purchased purities pursers pushover
sl@0
   437
      putridity pylons pyrogenous pzazz quadricepses quaff qualmish quarriers
sl@0
   438
      quasilinear queerness questionnaires quieten quintals quislings quoits
sl@0
   439
      rabidness racketeers radiative radioisotope radiotherapists ragingly
sl@0
   440
      rainband rakishness rampagers rands raped rare raspy ratiocinator
sl@0
   441
      rattlebrain ravening razz reactivation readoption realm reapportioning
sl@0
   442
      reasoning reattempts rebidding rebuts recapitulatory receptiveness
sl@0
   443
      recipes reckonings recognizee recommendatory reconciled reconnoiters
sl@0
   444
      recontaminated recoupments recruits recumbently redact redefine
sl@0
   445
      redheaded redistributable redraw redwing reeled reenlistment reexports
sl@0
   446
      refiles reflate reflowing refortified refried refuses regelate
sl@0
   447
      registrant regretting rehabilitative reigning reinduced reinstalled
sl@0
   448
      reinvesting rejoining relations relegates religiosities reluctivity
sl@0
   449
      remastered reminisce remodifying remounted rends renovate reordered
sl@0
   450
      repartee repel rephrase replicate repossessing reprint reprogramed
sl@0
   451
      repugnantly requiter rescheduling resegregate resettled residually
sl@0
   452
      resold resourcefulness respondent restating restrainedly resubmission
sl@0
   453
      resurveyed retaliating retiarius retorsion retreated retrofitting
sl@0
   454
      returning revanchism reverberated reverted revitalization
sl@0
   455
      revolutionize rewind rhapsodizing rhizogenic rhythms ricketinesses
sl@0
   456
      ridicule righteous rilles rinks rippliest ritualize riyals roast rockery
sl@0
   457
      roguish romanizations rookiest roquelaure rotation rotundity rounder
sl@0
   458
      routinizing rubberize rubricated ruefully ruining rummaged runic
sl@0
   459
      russets ruttish sackers sacrosanctly safeguarding said salaciousness
sl@0
   460
      salinity salsas salutatorians sampan sandbag saned santonin
sl@0
   461
      saprophagous sarnies satem saturant savaged sawbucks scablike scalp
sl@0
   462
      scant scared scatter schedulers schizophrenics schnauzers schoolmarms
sl@0
   463
      scintillae scleroses scoped scotched scram scratchiness screwball
sl@0
   464
      scripting scrubwomen scrutinizing scumbled scuttled seals seasickness
sl@0
   465
      seccos secretions secularizing seditiousnesses seeking segregators
sl@0
   466
      seize selfish semeiology seminarian semitropical sensate sensors
sl@0
   467
      sentimo septicemic sequentially serener serine serums
sl@0
   468
      sesquicentennials seventeen sexiest sforzandos shadowing shallot
sl@0
   469
      shampooing sharking shearer sheered shelters shifter shiner shipper
sl@0
   470
      shitted shoaled shofroth shorebirds shortsightedly showboated shrank
sl@0
   471
      shrines shucking shuttlecocks sickeningly sideling sidewise sigil
sl@0
   472
      signifiers siliceous silty simony simulative singled sinkings sirrah
sl@0
   473
      situps skateboarder sketchpad skim skirmished skulkers skywalk slander
sl@0
   474
      slating sleaziest sleepyheads slicking slink slitting slot slub
sl@0
   475
      slumlords smallest smattered smilier smokers smriti snailfish snatch
sl@0
   476
      snides snitching snooze snowblowers snub soapboxing socialite sockeyes
sl@0
   477
      softest sold solicitings solleret sombreros somnolencies sons sopor
sl@0
   478
      sorites soubrette soupspoon southpaw spaces spandex sparkers spatially
sl@0
   479
      speccing specking spectroscopists speedsters spermatics sphincter
sl@0
   480
      spiffied spindlings spirals spitball splayfeet splitter spokeswomen
sl@0
   481
      spooled sportily spousals sprightliness sprogs spurner squalene
sl@0
   482
      squattered squelches squirms stablish staggerings stalactitic stamp
sl@0
   483
      stands starflower starwort stations stayed steamroll steeplebush
sl@0
   484
      stemmatics stepfathers stereos steroid sticks stillage stinker
sl@0
   485
      stirringly stockpiling stomaching stopcock stormers strabismuses
sl@0
   486
      strainer strappado strawberries streetwise striae strikeouts strives
sl@0
   487
      stroppiest stubbed study stunting style suavity subchloride subdeb
sl@0
   488
      subfields subjoin sublittoral subnotebooks subprograms subside
sl@0
   489
      substantial subtenants subtreasuries succeeding sucked sufferers
sl@0
   490
      sugarier sulfaguanidine sulphating summerhouse sunbonnets sunned
sl@0
   491
      superagency supercontinent superheroes supernatural superscribing
sl@0
   492
      superthin supplest suppositive surcease surfs surprise survey
sl@0
   493
      suspiration svelte swamplands swashes sweatshop swellhead swindling
sl@0
   494
      switching sworn syllabuses sympathetics synchrocyclotron syndic
sl@0
   495
      synonymously syringed tablatures tabulation tackling taiga takas talker
sl@0
   496
      tamarisks tangential tans taproom tarpapers taskmaster tattiest
sl@0
   497
      tautologically taxied teacup tearjerkers technocracies teepee
sl@0
   498
      telegenic telephony telexed temperaments temptress tenderizing tensed
sl@0
   499
      tenuring tergal terned terror testatrices tetherball textile thatched
sl@0
   500
      their theorem thereof thermometers thewy thimerosal thirsty
sl@0
   501
      thoroughwort threateningly thrived through thumbnails thwacks
sl@0
   502
      ticketing tie til timekeepers timorousness tinkers tippers tisane
sl@0
   503
      titrating toastmaster toff toking tomb tongs toolmakings topes topple
sl@0
   504
      torose tortilla totalizing touchlines tousling townsmen trachea
sl@0
   505
      tradeable tragedienne traitorous trances transcendentalists
sl@0
   506
      transferrable tranship translating transmogrifying transportable
sl@0
   507
      transvestism traumatize treachery treed trenail tressing tribeswoman
sl@0
   508
      trichromatism triennials trikes trims triplicate tristich trivializes
sl@0
   509
      trombonist trots trouts trued trunnion tryster tubes tulle tundras turban
sl@0
   510
      turgescence turnround tutelar tweedinesses twill twit tympanum typists
sl@0
   511
      tzarists ulcered ultramodern umbles unaccountability unamended
sl@0
   512
      unassertivenesses unbanned unblocked unbundled uncertified unclaimed
sl@0
   513
      uncoated unconcerns unconvinced uncrossing undefined underbodice
sl@0
   514
      underemphasize undergrowth underpayment undershirts understudy
sl@0
   515
      underwritten undissolved unearthed unentered unexpended unfeeling
sl@0
   516
      unforeseen unfussy unhair unhinges unifilar unimproved uninvitingly
sl@0
   517
      universalization unknowns unlimbering unman unmet unnaturalness
sl@0
   518
      unornament unperturbed unprecedentedly unproportionate unread
sl@0
   519
      unreflecting unreproducible unripe unsatisfying unseaworthiness
sl@0
   520
      unsharable unsociable unstacking unsubtly untactfully untied untruest
sl@0
   521
      unveils unwilled unyokes upheave upraised upstart upwind urethrae
sl@0
   522
      urtexts usurers uvula vacillators vailed validation valvule vanities
sl@0
   523
      varia variously vassaled vav veggies velours venerator ventrals
sl@0
   524
      verbalizes verification vernacularized verticality vestigially via
sl@0
   525
      vicariously victoriousness viewpoint villainies vines violoncellist
sl@0
   526
      virtual viscus vital vitrify viviparous vocalizers voidable volleys
sl@0
   527
      volutes vouches vulcanology wackos waggery wainwrights waling wallowing
sl@0
   528
      wanking wardroom warmup wartiest washwoman watchman watermarks waverer
sl@0
   529
      wayzgoose weariest weatherstripped weediness weevil welcomed
sl@0
   530
      wentletrap whackers wheatworm whelp whf whinged whirl whistles whithers
sl@0
   531
      wholesomeness whosoever widows wikiup willowier windburned windsail
sl@0
   532
      wingspread winterkilled wisecracking witchgrass witling wobbliest
sl@0
   533
      womanliness woodcut woodworking woozy working worldwide worthiest
sl@0
   534
      wrappings wretched writhe wynd xylophone yardarm yea yelped yippee yoni
sl@0
   535
      yuks zealotry zigzagger zitherists zoologists zygosis');
sl@0
   536
}
sl@0
   537
sl@0
   538
do_test fts3near-6.1 {
sl@0
   539
  execsql {
sl@0
   540
    SELECT docid FROM t1 WHERE content MATCH 'abbrev zygosis'
sl@0
   541
  }
sl@0
   542
} {3}
sl@0
   543
do_test fts3near-6.2 {
sl@0
   544
  execsql {
sl@0
   545
    SELECT docid FROM t1 WHERE content MATCH 'abbrev NEAR zygosis'
sl@0
   546
  }
sl@0
   547
} {}
sl@0
   548
do_test fts3near-6.3 {
sl@0
   549
  execsql {
sl@0
   550
    SELECT docid FROM t1 WHERE content MATCH 'abbrev NEAR/100 zygosis'
sl@0
   551
  }
sl@0
   552
} {}
sl@0
   553
do_test fts3near-6.4 {
sl@0
   554
  execsql {
sl@0
   555
    SELECT docid FROM t1 WHERE content MATCH 'abbrev NEAR/1000 zygosis'
sl@0
   556
  }
sl@0
   557
} {}
sl@0
   558
do_test fts3near-6.5 {
sl@0
   559
  execsql {
sl@0
   560
    SELECT docid FROM t1 WHERE content MATCH 'abbrev NEAR/10000 zygosis'
sl@0
   561
  }
sl@0
   562
} {3}
sl@0
   563
sl@0
   564
sl@0
   565
finish_test