]> git.openstreetmap.org Git - nominatim.git/blob - test/python/test_tokenizer_icu.py
Merge pull request #2452 from lonvia/update-houses-on-street-name-change
[nominatim.git] / test / python / test_tokenizer_icu.py
1 """
2 Tests for Legacy ICU tokenizer.
3 """
4 import shutil
5 import yaml
6
7 import pytest
8
9 from nominatim.tokenizer import icu_tokenizer
10 from nominatim.tokenizer.icu_name_processor import ICUNameProcessorRules
11 from nominatim.tokenizer.icu_rule_loader import ICURuleLoader
12 from nominatim.db import properties
13
14 from mock_icu_word_table import MockIcuWordTable
15
16 @pytest.fixture
17 def word_table(temp_db_conn):
18     return MockIcuWordTable(temp_db_conn)
19
20
21 @pytest.fixture
22 def test_config(def_config, tmp_path):
23     def_config.project_dir = tmp_path / 'project'
24     def_config.project_dir.mkdir()
25
26     sqldir = tmp_path / 'sql'
27     sqldir.mkdir()
28     (sqldir / 'tokenizer').mkdir()
29     (sqldir / 'tokenizer' / 'icu_tokenizer.sql').write_text("SELECT 'a'")
30     shutil.copy(str(def_config.lib_dir.sql / 'tokenizer' / 'icu_tokenizer_tables.sql'),
31                 str(sqldir / 'tokenizer' / 'icu_tokenizer_tables.sql'))
32
33     def_config.lib_dir.sql = sqldir
34
35     return def_config
36
37
38 @pytest.fixture
39 def tokenizer_factory(dsn, tmp_path, property_table,
40                       sql_preprocessor, place_table, word_table):
41     (tmp_path / 'tokenizer').mkdir()
42
43     def _maker():
44         return icu_tokenizer.create(dsn, tmp_path / 'tokenizer')
45
46     return _maker
47
48
49 @pytest.fixture
50 def db_prop(temp_db_conn):
51     def _get_db_property(name):
52         return properties.get_property(temp_db_conn, name)
53
54     return _get_db_property
55
56
57 @pytest.fixture
58 def analyzer(tokenizer_factory, test_config, monkeypatch,
59              temp_db_with_extensions, tmp_path):
60     sql = tmp_path / 'sql' / 'tokenizer' / 'icu_tokenizer.sql'
61     sql.write_text("SELECT 'a';")
62
63     monkeypatch.setenv('NOMINATIM_TERM_NORMALIZATION', ':: lower();')
64     tok = tokenizer_factory()
65     tok.init_new_db(test_config)
66     monkeypatch.undo()
67
68     def _mk_analyser(norm=("[[:Punctuation:][:Space:]]+ > ' '",), trans=(':: upper()',),
69                      variants=('~gasse -> gasse', 'street => st', )):
70         cfgstr = {'normalization' : list(norm),
71                    'transliteration' : list(trans),
72                    'variants' : [ {'words': list(variants)}]}
73         tok.naming_rules = ICUNameProcessorRules(loader=ICURuleLoader(cfgstr))
74
75         return tok.name_analyzer()
76
77     return _mk_analyser
78
79
80 @pytest.fixture
81 def getorcreate_full_word(temp_db_cursor):
82     temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION getorcreate_full_word(
83                                                  norm_term TEXT, lookup_terms TEXT[],
84                                                  OUT full_token INT,
85                                                  OUT partial_tokens INT[])
86   AS $$
87 DECLARE
88   partial_terms TEXT[] = '{}'::TEXT[];
89   term TEXT;
90   term_id INTEGER;
91   term_count INTEGER;
92 BEGIN
93   SELECT min(word_id) INTO full_token
94     FROM word WHERE info->>'word' = norm_term and type = 'W';
95
96   IF full_token IS NULL THEN
97     full_token := nextval('seq_word');
98     INSERT INTO word (word_id, word_token, type, info)
99       SELECT full_token, lookup_term, 'W',
100              json_build_object('word', norm_term, 'count', 0)
101         FROM unnest(lookup_terms) as lookup_term;
102   END IF;
103
104   FOR term IN SELECT unnest(string_to_array(unnest(lookup_terms), ' ')) LOOP
105     term := trim(term);
106     IF NOT (ARRAY[term] <@ partial_terms) THEN
107       partial_terms := partial_terms || term;
108     END IF;
109   END LOOP;
110
111   partial_tokens := '{}'::INT[];
112   FOR term IN SELECT unnest(partial_terms) LOOP
113     SELECT min(word_id), max(info->>'count') INTO term_id, term_count
114       FROM word WHERE word_token = term and type = 'w';
115
116     IF term_id IS NULL THEN
117       term_id := nextval('seq_word');
118       term_count := 0;
119       INSERT INTO word (word_id, word_token, type, info)
120         VALUES (term_id, term, 'w', json_build_object('count', term_count));
121     END IF;
122
123     IF NOT (ARRAY[term_id] <@ partial_tokens) THEN
124       partial_tokens := partial_tokens || term_id;
125     END IF;
126   END LOOP;
127 END;
128 $$
129 LANGUAGE plpgsql;
130                               """)
131
132
133 @pytest.fixture
134 def getorcreate_hnr_id(temp_db_cursor):
135     temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION getorcreate_hnr_id(lookup_term TEXT)
136                               RETURNS INTEGER AS $$
137                                 SELECT -nextval('seq_word')::INTEGER; $$ LANGUAGE SQL""")
138
139
140 def test_init_new(tokenizer_factory, test_config, monkeypatch, db_prop):
141     monkeypatch.setenv('NOMINATIM_TERM_NORMALIZATION', ':: lower();')
142
143     tok = tokenizer_factory()
144     tok.init_new_db(test_config)
145
146     assert db_prop(icu_tokenizer.DBCFG_TERM_NORMALIZATION) == ':: lower();'
147     assert db_prop(icu_tokenizer.DBCFG_MAXWORDFREQ) is not None
148
149
150 def test_init_word_table(tokenizer_factory, test_config, place_row, word_table):
151     place_row(names={'name' : 'Test Area', 'ref' : '52'})
152     place_row(names={'name' : 'No Area'})
153     place_row(names={'name' : 'Holzstrasse'})
154
155     tok = tokenizer_factory()
156     tok.init_new_db(test_config)
157
158     assert word_table.get_partial_words() == {('test', 1),
159                                               ('no', 1), ('area', 2),
160                                               ('holz', 1), ('strasse', 1),
161                                               ('str', 1)}
162
163
164 def test_init_from_project(monkeypatch, test_config, tokenizer_factory):
165     monkeypatch.setenv('NOMINATIM_TERM_NORMALIZATION', ':: lower();')
166     monkeypatch.setenv('NOMINATIM_MAX_WORD_FREQUENCY', '90300')
167     tok = tokenizer_factory()
168     tok.init_new_db(test_config)
169     monkeypatch.undo()
170
171     tok = tokenizer_factory()
172     tok.init_from_project()
173
174     assert tok.naming_rules is not None
175     assert tok.term_normalization == ':: lower();'
176     assert tok.max_word_frequency == '90300'
177
178
179 def test_update_sql_functions(db_prop, temp_db_cursor,
180                               tokenizer_factory, test_config, table_factory,
181                               monkeypatch):
182     monkeypatch.setenv('NOMINATIM_MAX_WORD_FREQUENCY', '1133')
183     tok = tokenizer_factory()
184     tok.init_new_db(test_config)
185     monkeypatch.undo()
186
187     assert db_prop(icu_tokenizer.DBCFG_MAXWORDFREQ) == '1133'
188
189     table_factory('test', 'txt TEXT')
190
191     func_file = test_config.lib_dir.sql / 'tokenizer' / 'icu_tokenizer.sql'
192     func_file.write_text("""INSERT INTO test VALUES ('{{max_word_freq}}')""")
193
194     tok.update_sql_functions(test_config)
195
196     test_content = temp_db_cursor.row_set('SELECT * FROM test')
197     assert test_content == set((('1133', ), ))
198
199
200 def test_normalize_postcode(analyzer):
201     with analyzer() as anl:
202         anl.normalize_postcode('123') == '123'
203         anl.normalize_postcode('ab-34 ') == 'AB-34'
204         anl.normalize_postcode('38 Б') == '38 Б'
205
206
207 def test_update_postcodes_from_db_empty(analyzer, table_factory, word_table):
208     table_factory('location_postcode', 'postcode TEXT',
209                   content=(('1234',), ('12 34',), ('AB23',), ('1234',)))
210
211     with analyzer() as anl:
212         anl.update_postcodes_from_db()
213
214     assert word_table.count() == 3
215     assert word_table.get_postcodes() == {'1234', '12 34', 'AB23'}
216
217
218 def test_update_postcodes_from_db_add_and_remove(analyzer, table_factory, word_table):
219     table_factory('location_postcode', 'postcode TEXT',
220                   content=(('1234',), ('45BC', ), ('XX45', )))
221     word_table.add_postcode(' 1234', '1234')
222     word_table.add_postcode(' 5678', '5678')
223
224     with analyzer() as anl:
225         anl.update_postcodes_from_db()
226
227     assert word_table.count() == 3
228     assert word_table.get_postcodes() == {'1234', '45BC', 'XX45'}
229
230
231 def test_update_special_phrase_empty_table(analyzer, word_table):
232     with analyzer() as anl:
233         anl.update_special_phrases([
234             ("König  bei", "amenity", "royal", "near"),
235             ("Könige ", "amenity", "royal", "-"),
236             ("street", "highway", "primary", "in")
237         ], True)
238
239     assert word_table.get_special() \
240                == {('KÖNIG BEI', 'König bei', 'amenity', 'royal', 'near'),
241                    ('KÖNIGE', 'Könige', 'amenity', 'royal', None),
242                    ('STREET', 'street', 'highway', 'primary', 'in')}
243
244
245 def test_update_special_phrase_delete_all(analyzer, word_table):
246     word_table.add_special('FOO', 'foo', 'amenity', 'prison', 'in')
247     word_table.add_special('BAR', 'bar', 'highway', 'road', None)
248
249     assert word_table.count_special() == 2
250
251     with analyzer() as anl:
252         anl.update_special_phrases([], True)
253
254     assert word_table.count_special() == 0
255
256
257 def test_update_special_phrases_no_replace(analyzer, word_table):
258     word_table.add_special('FOO', 'foo', 'amenity', 'prison', 'in')
259     word_table.add_special('BAR', 'bar', 'highway', 'road', None)
260
261     assert word_table.count_special() == 2
262
263     with analyzer() as anl:
264         anl.update_special_phrases([], False)
265
266     assert word_table.count_special() == 2
267
268
269 def test_update_special_phrase_modify(analyzer, word_table):
270     word_table.add_special('FOO', 'foo', 'amenity', 'prison', 'in')
271     word_table.add_special('BAR', 'bar', 'highway', 'road', None)
272
273     assert word_table.count_special() == 2
274
275     with analyzer() as anl:
276         anl.update_special_phrases([
277             ('prison', 'amenity', 'prison', 'in'),
278             ('bar', 'highway', 'road', '-'),
279             ('garden', 'leisure', 'garden', 'near')
280         ], True)
281
282     assert word_table.get_special() \
283                == {('PRISON', 'prison', 'amenity', 'prison', 'in'),
284                    ('BAR', 'bar', 'highway', 'road', None),
285                    ('GARDEN', 'garden', 'leisure', 'garden', 'near')}
286
287
288 def test_add_country_names_new(analyzer, word_table):
289     with analyzer() as anl:
290         anl.add_country_names('es', {'name': 'Espagña', 'name:en': 'Spain'})
291
292     assert word_table.get_country() == {('es', 'ESPAGÑA'), ('es', 'SPAIN')}
293
294
295 def test_add_country_names_extend(analyzer, word_table):
296     word_table.add_country('ch', 'SCHWEIZ')
297
298     with analyzer() as anl:
299         anl.add_country_names('ch', {'name': 'Schweiz', 'name:fr': 'Suisse'})
300
301     assert word_table.get_country() == {('ch', 'SCHWEIZ'), ('ch', 'SUISSE')}
302
303
304 class TestPlaceNames:
305
306     @pytest.fixture(autouse=True)
307     def setup(self, analyzer, getorcreate_full_word):
308         with analyzer() as anl:
309             self.analyzer = anl
310             yield anl
311
312
313     def expect_name_terms(self, info, *expected_terms):
314         tokens = self.analyzer.get_word_token_info(expected_terms)
315         print (tokens)
316         for token in tokens:
317             assert token[2] is not None, "No token for {0}".format(token)
318
319         assert eval(info['names']) == set((t[2] for t in tokens))
320
321
322     def test_simple_names(self):
323         info = self.analyzer.process_place({'name': {'name': 'Soft bAr', 'ref': '34'}})
324
325         self.expect_name_terms(info, '#Soft bAr', '#34', 'Soft', 'bAr', '34')
326
327
328     @pytest.mark.parametrize('sep', [',' , ';'])
329     def test_names_with_separator(self, sep):
330         info = self.analyzer.process_place({'name': {'name': sep.join(('New York', 'Big Apple'))}})
331
332         self.expect_name_terms(info, '#New York', '#Big Apple',
333                                      'new', 'york', 'big', 'apple')
334
335
336     def test_full_names_with_bracket(self):
337         info = self.analyzer.process_place({'name': {'name': 'Houseboat (left)'}})
338
339         self.expect_name_terms(info, '#Houseboat (left)', '#Houseboat',
340                                      'houseboat', 'left')
341
342
343     def test_country_name(self, word_table):
344         info = self.analyzer.process_place({'name': {'name': 'Norge'},
345                                            'country_feature': 'no'})
346
347         self.expect_name_terms(info, '#norge', 'norge')
348         assert word_table.get_country() == {('no', 'NORGE')}
349
350
351 class TestPlaceAddress:
352
353     @pytest.fixture(autouse=True)
354     def setup(self, analyzer, getorcreate_full_word):
355         with analyzer(trans=(":: upper()", "'🜵' > ' '")) as anl:
356             self.analyzer = anl
357             yield anl
358
359
360     def process_address(self, **kwargs):
361         return self.analyzer.process_place({'address': kwargs})
362
363
364     def name_token_set(self, *expected_terms):
365         tokens = self.analyzer.get_word_token_info(expected_terms)
366         for token in tokens:
367             assert token[2] is not None, "No token for {0}".format(token)
368
369         return set((t[2] for t in tokens))
370
371
372     @pytest.mark.parametrize('pcode', ['12345', 'AB 123', '34-345'])
373     def test_process_place_postcode(self, word_table, pcode):
374         self.process_address(postcode=pcode)
375
376         assert word_table.get_postcodes() == {pcode, }
377
378
379     @pytest.mark.parametrize('pcode', ['12:23', 'ab;cd;f', '123;836'])
380     def test_process_place_bad_postcode(self, word_table, pcode):
381         self.process_address(postcode=pcode)
382
383         assert not word_table.get_postcodes()
384
385
386     @pytest.mark.parametrize('hnr', ['123a', '1', '101'])
387     def test_process_place_housenumbers_simple(self, hnr, getorcreate_hnr_id):
388         info = self.process_address(housenumber=hnr)
389
390         assert info['hnr'] == hnr.upper()
391         assert info['hnr_tokens'] == "{-1}"
392
393
394     def test_process_place_housenumbers_lists(self, getorcreate_hnr_id):
395         info = self.process_address(conscriptionnumber='1; 2;3')
396
397         assert set(info['hnr'].split(';')) == set(('1', '2', '3'))
398         assert info['hnr_tokens'] == "{-1,-2,-3}"
399
400
401     def test_process_place_housenumbers_duplicates(self, getorcreate_hnr_id):
402         info = self.process_address(housenumber='134',
403                                     conscriptionnumber='134',
404                                     streetnumber='99a')
405
406         assert set(info['hnr'].split(';')) == set(('134', '99A'))
407         assert info['hnr_tokens'] == "{-1,-2}"
408
409
410     def test_process_place_housenumbers_cached(self, getorcreate_hnr_id):
411         info = self.process_address(housenumber="45")
412         assert info['hnr_tokens'] == "{-1}"
413
414         info = self.process_address(housenumber="46")
415         assert info['hnr_tokens'] == "{-2}"
416
417         info = self.process_address(housenumber="41;45")
418         assert eval(info['hnr_tokens']) == {-1, -3}
419
420         info = self.process_address(housenumber="41")
421         assert eval(info['hnr_tokens']) == {-3}
422
423
424     def test_process_place_street(self):
425         info = self.process_address(street='Grand Road')
426
427         assert eval(info['street']) == self.name_token_set('#GRAND ROAD')
428
429
430     def test_process_place_street_empty(self):
431         info = self.process_address(street='🜵')
432
433         assert 'street' not in info
434
435
436     def test_process_place_place(self):
437         info = self.process_address(place='Honu Lulu')
438
439         assert eval(info['place_search']) == self.name_token_set('#HONU LULU',
440                                                                  'HONU', 'LULU')
441         assert eval(info['place_match']) == self.name_token_set('#HONU LULU')
442
443
444     def test_process_place_place_empty(self):
445         info = self.process_address(place='🜵')
446
447         assert 'place_search' not in info
448         assert 'place_match' not in info
449
450
451     def test_process_place_address_terms(self):
452         info = self.process_address(country='de', city='Zwickau', state='Sachsen',
453                                     suburb='Zwickau', street='Hauptstr',
454                                     full='right behind the church')
455
456         city_full = self.name_token_set('#ZWICKAU')
457         city_all = self.name_token_set('#ZWICKAU', 'ZWICKAU')
458         state_full = self.name_token_set('#SACHSEN')
459         state_all = self.name_token_set('#SACHSEN', 'SACHSEN')
460
461         result = {k: [eval(v[0]), eval(v[1])] for k,v in info['addr'].items()}
462
463         assert result == {'city': [city_all, city_full],
464                           'suburb': [city_all, city_full],
465                           'state': [state_all, state_full]}
466
467
468     def test_process_place_address_terms_empty(self):
469         info = self.process_address(country='de', city=' ', street='Hauptstr',
470                                     full='right behind the church')
471
472         assert 'addr' not in info
473