2 from collections
import namedtuple
10 from sqlalchemy
.sql
import func
12 import whoosh
.filedb
.filestore
13 import whoosh
.filedb
.fileindex
15 from whoosh
.qparser
import QueryParser
17 import whoosh
.spelling
19 from pokedex
.db
import connect
20 import pokedex
.db
.tables
as tables
21 from pokedex
.roomaji
import romanize
23 __all__
= ['PokedexLookup']
26 rx_is_number
= re
.compile('^\d+$')
28 LookupResult
= namedtuple('LookupResult',
29 ['object', 'indexed_name', 'name', 'language', 'iso3166', 'exact'])
31 class LanguageWeighting(whoosh
.scoring
.Weighting
):
32 """A scoring class that forces otherwise-equal English results to come
33 before foreign results.
36 def score(self
, searcher
, fieldnum
, text
, docnum
, weight
, QTF
=1):
37 doc
= searcher
.stored_fields(docnum
)
38 if doc
['language'] == None:
39 # English (well, "default"); leave it at 1
41 elif doc
['language'] == u
'Roomaji':
42 # Give Roomaji a little boost; it's most likely to be searched
45 # Everything else can drop down the totem pole
49 class PokedexLookup(object):
50 INTERMEDIATE_LOOKUP_RESULTS
= 25
51 MAX_LOOKUP_RESULTS
= 10
53 # Dictionary of table name => table class.
54 # Need the table name so we can get the class from the table name after we
55 # retrieve something from the index
56 indexed_tables
= dict(
57 (cls
.__tablename__
, cls
)
70 def __init__(self
, directory
=None, session
=None, recreate
=False):
71 """Opens the whoosh index stored in the named directory. If the index
72 doesn't already exist, it will be created.
75 Directory containing the index. Defaults to a location within the
76 `pokedex` egg directory.
79 If the index needs to be created, this database session will be
80 used. Defaults to an attempt to connect to the default SQLite
81 database installed by `pokedex setup`.
84 If set to True, the whoosh index will be created even if it already
88 # By the time this returns, self.index, self.speller, and self.session
93 directory
= pkg_resources
.resource_filename('pokedex',
97 self
.session
= session
99 self
.session
= connect()
101 # Attempt to open or create the index
102 directory_exists
= os
.path
.exists(directory
)
103 if directory_exists
and not recreate
:
104 # Already exists; should be an index! Bam, done.
106 self
.index
= whoosh
.index
.open_dir(directory
, indexname
='MAIN')
107 spell_store
= whoosh
.filedb
.filestore
.FileStorage(directory
)
108 self
.speller
= whoosh
.spelling
.SpellChecker(spell_store
)
110 except whoosh
.index
.EmptyIndexError
as e
:
111 # Apparently not a real index. Fall out and create it
114 # Delete and start over if we're going to bail anyway.
115 if directory_exists
and recreate
:
116 # Be safe and only delete if it looks like a whoosh index, i.e.,
117 # everything starts with _
118 if all(f
[0] == '_' for f
in os
.listdir(directory
)):
119 shutil
.rmtree(directory
)
120 directory_exists
= False
122 if not directory_exists
:
127 schema
= whoosh
.fields
.Schema(
128 name
=whoosh
.fields
.ID(stored
=True),
129 table
=whoosh
.fields
.ID(stored
=True),
130 row_id
=whoosh
.fields
.ID(stored
=True),
131 language
=whoosh
.fields
.STORED
,
132 iso3166
=whoosh
.fields
.STORED
,
133 display_name
=whoosh
.fields
.STORED
, # non-lowercased name
136 self
.index
= whoosh
.index
.create_in(directory
, schema
=schema
,
138 writer
= self
.index
.writer()
140 # Index every name in all our tables of interest
141 # speller_entries becomes a list of (word, score) tuples; the score is
142 # 2 for English names, 1.5 for Roomaji, and 1 for everything else. I
143 # think this biases the results in the direction most people expect,
144 # especially when e.g. German names are very similar to English names
146 for cls
in self
.indexed_tables
.values():
147 q
= self
.session
.query(cls
)
149 for row
in q
.yield_per(5):
150 row_key
= dict(table
=unicode(cls
.__tablename__
),
151 row_id
=unicode(row
.id))
153 def add(name
, language
, iso3166
, score
):
154 normalized_name
= self
.normalize_name(name
)
157 name
=normalized_name
, display_name
=name
,
158 language
=language
, iso3166
=iso3166
,
162 speller_entries
.append((normalized_name
, score
))
165 # Add the basic English name to the index
166 if cls
== tables
.Pokemon
:
167 # Pokémon need their form name added
169 add(row
.full_name
, None, u
'us', 1)
171 # If this is a default form, ALSO add the unadorned name,
172 # so 'Deoxys' alone will still do the right thing
173 if row
.forme_name
and not row
.forme_base_pokemon_id
:
174 add(row
.name
, None, u
'us', 1)
176 add(row
.name
, None, u
'us', 1)
178 # Some things also have other languages' names
179 # XXX other language form names..?
180 for foreign_name
in getattr(row
, 'foreign_names', []):
181 moonspeak
= foreign_name
.name
182 if row
.name
== moonspeak
:
183 # Don't add the English name again as a different
184 # language; no point and it makes spell results
188 add(moonspeak
, foreign_name
.language
.name
,
189 foreign_name
.language
.iso3166
,
193 if foreign_name
.language
.name
== 'Japanese':
194 roomaji
= romanize(foreign_name
.name
)
195 add(roomaji
, u
'Roomaji', u
'jp', 8)
199 # Construct and populate a spell-checker index. Quicker to do it all
200 # at once, as every call to add_* does a commit(), and those seem to be
202 self
.speller
= whoosh
.spelling
.SpellChecker(self
.index
.storage
)
203 self
.speller
.add_scored_words(speller_entries
)
206 def normalize_name(self
, name
):
207 """Strips irrelevant formatting junk from name input.
209 Specifically: everything is lowercased, and accents are removed.
211 # http://stackoverflow.com/questions/517923/what-is-the-best-way-to-remove-accents-in-a-python-unicode-string
212 # Makes sense to me. Decompose by Unicode rules, then remove combining
213 # characters, then recombine. I'm explicitly doing it this way instead
214 # of testing combining() because Korean characters apparently
215 # decompose! But the results are considered letters, not combining
216 # characters, so testing for Mn works well, and combining them again
217 # makes them look right.
218 nkfd_form
= unicodedata
.normalize('NFKD', unicode(name
))
219 name
= u
"".join(c
for c
in nkfd_form
220 if unicodedata
.category(c
) != 'Mn')
221 name
= unicodedata
.normalize('NFC', name
)
229 def _apply_valid_types(self
, name
, valid_types
):
230 """Combines the enforced `valid_types` with any from the search string
231 itself and updates the query.
233 For example, a name of 'a,b:foo' and valid_types of b,c will search for
234 only `b`s named "foo".
236 Returns `(name, merged_valid_types, term)`, where `name` has had any type
237 prefix stripped, `merged_valid_types` combines the original
238 `valid_types` with the type prefix, and `term` is a query term for
239 limited to just the allowed types. If there are no type restrictions
240 at all, `term` will be None.
243 # Remove any type prefix (pokemon:133) first
244 user_valid_types
= []
246 prefix_chunk
, name
= name
.split(':', 1)
249 prefixes
= prefix_chunk
.split(',')
250 user_valid_types
= [_
.strip() for _
in prefixes
]
252 # Merge the valid types together. Only types that appear in BOTH lists
254 # As a special case, if the user asked for types that are explicitly
255 # forbidden, completely ignore what the user requested
256 combined_valid_types
= []
257 if user_valid_types
and valid_types
:
258 combined_valid_types
= list(
259 set(user_valid_types
) & set(combined_valid_types
)
262 if not combined_valid_types
:
263 # No overlap! Just use the enforced ones
264 combined_valid_types
= valid_types
266 # One list or the other was blank, so just use the one that isn't
267 combined_valid_types
= valid_types
+ user_valid_types
269 if not combined_valid_types
:
271 return name
, [], None
275 final_valid_types
= []
276 for valid_type
in combined_valid_types
:
277 table_name
= self
._parse_table_name(valid_type
)
279 # Quietly ignore bogus valid_types; more likely to DTRT
281 final_valid_types
.append(valid_type
)
282 type_terms
.append(whoosh
.query
.Term(u
'table', table_name
))
284 return name
, final_valid_types
, whoosh
.query
.Or(type_terms
)
287 def _parse_table_name(self
, name
):
288 """Takes a singular table name, table name, or table object and returns
291 Returns None for a bogus name.
294 if hasattr(name
, '__tablename__'):
295 return getattr(name
, '__tablename__')
298 for table
in self
.indexed_tables
.values():
299 if name
in (table
.__tablename__
, table
.__singlename__
):
300 return table
.__tablename__
302 # Bogus. Be nice and return dummy
305 def _whoosh_records_to_results(self
, records
, exact
=True):
306 """Converts a list of whoosh's indexed records to LookupResult tuples
307 containing database objects.
309 # XXX this 'exact' thing is getting kinda leaky. would like a better
310 # way to handle it, since only lookup() cares about fuzzy results
313 for record
in records
:
315 seen_key
= record
['table'], record
['row_id']
318 seen
[seen_key
] = True
320 cls
= self
.indexed_tables
[record
['table']]
321 obj
= self
.session
.query(cls
).get(record
['row_id'])
323 results
.append(LookupResult(object=obj
,
324 indexed_name
=record
['name'],
325 name
=record
['display_name'],
326 language
=record
['language'],
327 iso3166
=record
['iso3166'],
333 def lookup(self
, input, valid_types
=[], exact_only
=False):
334 """Attempts to find some sort of object, given a name.
336 Returns a list of named (object, name, language, iso3166, exact)
337 tuples. `object` is a database object, `name` is the name under which
338 the object was found, `language` and `iso3166` are the name and country
339 code of the language in which the name was found, and `exact` is True
343 This function currently ONLY does fuzzy matching if there are no exact
346 Formes are not returned unless requested; "Shaymin" will return only
349 Extraneous whitespace is removed with extreme prejudice.
352 - Names: "Eevee", "Surf", "Run Away", "Payapa Berry", etc.
353 - Foreign names: "Iibui", "Eivui"
354 - Fuzzy names in whatever language: "Evee", "Ibui"
355 - IDs: "133", "192", "250"
357 - Type restrictions. "type:psychic" will only return the type. This
358 is how to make ID lookup useful. Multiple type specs can be entered
359 with commas, as "move,item:1". If `valid_types` are provided, any
360 type prefix will be ignored.
361 - Alternate formes can be specified merely like "wash rotom".
364 Name of the thing to look for.
367 A list of table objects or names, e.g., `['pokemon', 'moves']`. If
368 this is provided, only results in one of the given tables will be
372 If True, only exact matches are returned. If set to False (the
373 default), and the provided `name` doesn't match anything exactly,
374 spelling correction will be attempted.
377 name
= self
.normalize_name(input)
381 # Pop off any type prefix and merge with valid_types
382 name
, merged_valid_types
, type_term
= \
383 self
._apply_valid_types(name
, valid_types
)
387 return self
.random_lookup(valid_types
=merged_valid_types
)
389 # Do different things depending what the query looks like
390 # Note: Term objects do an exact match, so we don't have to worry about
391 # a query parser tripping on weird characters in the input
393 # Let Python try to convert to a number, so 0xff works
394 name_as_number
= int(name
, base
=0)
397 name_as_number
= None
399 if '*' in name
or '?' in name
:
401 query
= whoosh
.query
.Wildcard(u
'name', name
)
402 elif name_as_number
is not None:
403 # Don't spell-check numbers!
405 query
= whoosh
.query
.Term(u
'row_id', unicode(name_as_number
))
408 query
= whoosh
.query
.Term(u
'name', name
)
411 query
= query
& type_term
415 searcher
= self
.index
.searcher()
416 # XXX is this kosher? docs say search() takes a weighting arg, but it
418 searcher
.weighting
= LanguageWeighting()
419 results
= searcher
.search(query
,
420 limit
=self
.INTERMEDIATE_LOOKUP_RESULTS
)
422 # Look for some fuzzy matches if necessary
423 if not exact_only
and not results
:
427 for suggestion
in self
.speller
.suggest(
428 name
, self
.INTERMEDIATE_LOOKUP_RESULTS
):
430 query
= whoosh
.query
.Term('name', suggestion
)
431 results
.extend(searcher
.search(query
))
433 ### Convert results to db objects
434 objects
= self
._whoosh_records_to_results(results
, exact
=exact
)
436 # Only return up to 10 matches; beyond that, something is wrong. We
437 # strip out duplicate entries above, so it's remotely possible that we
438 # should have more than 10 here and lost a few. The speller returns 25
439 # to give us some padding, and should avoid that problem. Not a big
440 # deal if we lose the 25th-most-likely match anyway.
441 return objects
[:self
.MAX_LOOKUP_RESULTS
]
444 def random_lookup(self
, valid_types
=[]):
445 """Returns a random lookup result from one of the provided
450 for valid_type
in valid_types
:
451 table_name
= self
._parse_table_name(valid_type
)
453 tables
.append(self
.indexed_tables
[table_name
])
456 # n.b.: It's possible we got a list of valid_types and none of them
457 # were valid, but this function is guaranteed to return
458 # *something*, so it politely selects from the entire index isntead
459 tables
= self
.indexed_tables
.values()
461 # Rather than create an array of many hundred items and pick randomly
462 # from it, just pick a number up to the total number of potential
463 # items, then pick randomly from that, and partition the whole range
464 # into chunks. This also avoids the slight problem that the index
465 # contains more rows (for languages) for some items than others.
466 # XXX ought to cache this (in the index?) if possible
470 count
= self
.session
.query(table
).count()
472 partitions
.append((table
, count
))
474 n
= random
.randint(1, total
)
475 while n
> partitions
[0][1]:
476 n
-= partitions
[0][1]
479 return self
.lookup(unicode(n
), valid_types
=[ partitions
[0][0] ])
481 def prefix_lookup(self
, prefix
, valid_types
=[]):
482 """Returns terms starting with the given exact prefix.
484 Type prefixes are recognized, but no other name munging is done.
487 # Pop off any type prefix and merge with valid_types
488 prefix
, merged_valid_types
, type_term
= \
489 self
._apply_valid_types(prefix
, valid_types
)
491 query
= whoosh
.query
.Prefix(u
'name', self
.normalize_name(prefix
))
494 query
= query
& type_term
496 searcher
= self
.index
.searcher()
497 searcher
.weighting
= LanguageWeighting()
498 results
= searcher
.search(query
) # XXX , limit=self.MAX_LOOKUP_RESULTS)
500 return self
._whoosh_records_to_results(results
)