]> git.openstreetmap.org Git - nominatim.git/blob - test/python/tokenizer/test_legacy.py
Merge pull request #2562 from lonvia/copyright-headers
[nominatim.git] / test / python / tokenizer / test_legacy.py
1 # SPDX-License-Identifier: GPL-2.0-only
2 #
3 # This file is part of Nominatim. (https://nominatim.org)
4 #
5 # Copyright (C) 2022 by the Nominatim developer community.
6 # For a full list of authors see the git log.
7 """
8 Test for legacy tokenizer.
9 """
10 import shutil
11 import re
12
13 import pytest
14
15 from nominatim.indexer.place_info import PlaceInfo
16 from nominatim.tokenizer import legacy_tokenizer
17 from nominatim.db import properties
18 from nominatim.errors import UsageError
19
20 from mock_legacy_word_table import MockLegacyWordTable
21
22 # Force use of legacy word table
23 @pytest.fixture
24 def word_table(temp_db_conn):
25     return MockLegacyWordTable(temp_db_conn)
26
27
28 @pytest.fixture
29 def test_config(project_env, tmp_path):
30     module_dir = tmp_path / 'module_src'
31     module_dir.mkdir()
32     (module_dir / 'nominatim.so').write_text('TEST nomiantim.so')
33
34     project_env.lib_dir.module = module_dir
35
36     sqldir = tmp_path / 'sql'
37     sqldir.mkdir()
38     (sqldir / 'tokenizer').mkdir()
39
40     # Get the original SQL but replace make_standard_name to avoid module use.
41     init_sql = (project_env.lib_dir.sql / 'tokenizer' / 'legacy_tokenizer.sql').read_text()
42     for fn in ('transliteration', 'gettokenstring'):
43         init_sql = re.sub(f'CREATE OR REPLACE FUNCTION {fn}[^;]*;',
44                           '', init_sql, re.DOTALL)
45     init_sql += """
46                    CREATE OR REPLACE FUNCTION make_standard_name(name TEXT)
47                    RETURNS TEXT AS $$ SELECT lower(name); $$ LANGUAGE SQL;
48
49                 """
50     # Also load util functions. Some are needed by the tokenizer.
51     init_sql += (project_env.lib_dir.sql / 'functions' / 'utils.sql').read_text()
52     (sqldir / 'tokenizer' / 'legacy_tokenizer.sql').write_text(init_sql)
53
54     (sqldir / 'words.sql').write_text("SELECT 'a'")
55
56     shutil.copy(str(project_env.lib_dir.sql / 'tokenizer' / 'legacy_tokenizer_tables.sql'),
57                 str(sqldir / 'tokenizer' / 'legacy_tokenizer_tables.sql'))
58
59     project_env.lib_dir.sql = sqldir
60     project_env.lib_dir.data = sqldir
61
62     return project_env
63
64
65 @pytest.fixture
66 def tokenizer_factory(dsn, tmp_path, property_table):
67     (tmp_path / 'tokenizer').mkdir()
68
69     def _maker():
70         return legacy_tokenizer.create(dsn, tmp_path / 'tokenizer')
71
72     return _maker
73
74
75 @pytest.fixture
76 def tokenizer_setup(tokenizer_factory, test_config, monkeypatch, sql_preprocessor):
77     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
78     tok = tokenizer_factory()
79     tok.init_new_db(test_config)
80
81
82 @pytest.fixture
83 def analyzer(tokenizer_factory, test_config, monkeypatch, sql_preprocessor,
84              word_table, temp_db_with_extensions, tmp_path):
85     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
86     monkeypatch.setenv('NOMINATIM_TERM_NORMALIZATION', ':: lower();')
87     tok = tokenizer_factory()
88     tok.init_new_db(test_config)
89     monkeypatch.undo()
90
91     with tok.name_analyzer() as analyzer:
92         yield analyzer
93
94
95 @pytest.fixture
96 def make_standard_name(temp_db_cursor):
97     temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION make_standard_name(name TEXT)
98                               RETURNS TEXT AS $$ SELECT '#' || lower(name) || '#'; $$ LANGUAGE SQL""")
99
100
101 @pytest.fixture
102 def create_postcode_id(temp_db_cursor):
103     temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION create_postcode_id(postcode TEXT)
104                               RETURNS BOOLEAN AS $$
105                               INSERT INTO word (word_token, word, class, type)
106                                 VALUES (' ' || postcode, postcode, 'place', 'postcode')
107                               RETURNING True;
108                               $$ LANGUAGE SQL""")
109
110
111 def test_init_new(tokenizer_factory, test_config, monkeypatch,
112                   temp_db_conn, sql_preprocessor):
113     monkeypatch.setenv('NOMINATIM_TERM_NORMALIZATION', 'xxvv')
114     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
115
116     tok = tokenizer_factory()
117     tok.init_new_db(test_config)
118
119     assert properties.get_property(temp_db_conn, legacy_tokenizer.DBCFG_NORMALIZATION) == 'xxvv'
120
121     outfile = test_config.project_dir / 'module' / 'nominatim.so'
122
123     assert outfile.exists()
124     assert outfile.read_text() == 'TEST nomiantim.so'
125     assert outfile.stat().st_mode == 33261
126
127
128 def test_init_module_load_failed(tokenizer_factory, test_config):
129     tok = tokenizer_factory()
130
131     with pytest.raises(UsageError):
132         tok.init_new_db(test_config)
133
134
135 def test_init_module_custom(tokenizer_factory, test_config,
136                             monkeypatch, tmp_path, sql_preprocessor):
137     module_dir = (tmp_path / 'custom').resolve()
138     module_dir.mkdir()
139     (module_dir/ 'nominatim.so').write_text('CUSTOM nomiantim.so')
140
141     monkeypatch.setenv('NOMINATIM_DATABASE_MODULE_PATH', str(module_dir))
142     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
143
144     tok = tokenizer_factory()
145     tok.init_new_db(test_config)
146
147     assert not (test_config.project_dir / 'module').exists()
148
149
150 def test_init_from_project(tokenizer_setup, tokenizer_factory, test_config):
151     tok = tokenizer_factory()
152
153     tok.init_from_project(test_config)
154
155     assert tok.normalization is not None
156
157
158 def test_update_sql_functions(sql_preprocessor, temp_db_conn,
159                               tokenizer_factory, test_config, table_factory,
160                               monkeypatch, temp_db_cursor):
161     monkeypatch.setenv('NOMINATIM_MAX_WORD_FREQUENCY', '1133')
162     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
163     tok = tokenizer_factory()
164     tok.init_new_db(test_config)
165     monkeypatch.undo()
166
167     assert properties.get_property(temp_db_conn, legacy_tokenizer.DBCFG_MAXWORDFREQ) == '1133'
168
169     table_factory('test', 'txt TEXT')
170
171     func_file = test_config.lib_dir.sql / 'tokenizer' / 'legacy_tokenizer.sql'
172     func_file.write_text("""INSERT INTO test VALUES ('{{max_word_freq}}'),
173                                                    ('{{modulepath}}')""")
174
175     tok.update_sql_functions(test_config)
176
177     test_content = temp_db_cursor.row_set('SELECT * FROM test')
178     assert test_content == set((('1133', ), (str(test_config.project_dir / 'module'), )))
179
180
181 def test_finalize_import(tokenizer_factory, temp_db_conn,
182                          temp_db_cursor, test_config, monkeypatch,
183                          sql_preprocessor_cfg):
184     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
185
186     func_file = test_config.lib_dir.sql / 'tokenizer' / 'legacy_tokenizer_indices.sql'
187     func_file.write_text("""CREATE FUNCTION test() RETURNS TEXT
188                             AS $$ SELECT 'b'::text $$ LANGUAGE SQL""")
189
190     tok = tokenizer_factory()
191     tok.init_new_db(test_config)
192
193     tok.finalize_import(test_config)
194
195     temp_db_cursor.scalar('SELECT test()') == 'b'
196
197
198 def test_migrate_database(tokenizer_factory, test_config, temp_db_conn, monkeypatch):
199     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
200     tok = tokenizer_factory()
201     tok.migrate_database(test_config)
202
203     assert properties.get_property(temp_db_conn, legacy_tokenizer.DBCFG_MAXWORDFREQ) is not None
204     assert properties.get_property(temp_db_conn, legacy_tokenizer.DBCFG_NORMALIZATION) is not None
205
206     outfile = test_config.project_dir / 'module' / 'nominatim.so'
207
208     assert outfile.exists()
209     assert outfile.read_text() == 'TEST nomiantim.so'
210     assert outfile.stat().st_mode == 33261
211
212
213 def test_check_database(test_config, tokenizer_factory, monkeypatch,
214                         temp_db_cursor, sql_preprocessor_cfg):
215     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
216     tok = tokenizer_factory()
217     tok.init_new_db(test_config)
218
219     assert tok.check_database(False) is None
220
221
222 def test_check_database_no_tokenizer(test_config, tokenizer_factory):
223     tok = tokenizer_factory()
224
225     assert tok.check_database(False) is not None
226
227
228 def test_check_database_bad_setup(test_config, tokenizer_factory, monkeypatch,
229                                   temp_db_cursor, sql_preprocessor_cfg):
230     monkeypatch.setattr(legacy_tokenizer, '_check_module', lambda m, c: None)
231     tok = tokenizer_factory()
232     tok.init_new_db(test_config)
233
234     # Inject a bad transliteration.
235     temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION make_standard_name(name TEXT)
236                               RETURNS TEXT AS $$ SELECT 'garbage'::text; $$ LANGUAGE SQL""")
237
238     assert tok.check_database(False) is not None
239
240
241 def test_update_statistics_reverse_only(word_table, tokenizer_factory):
242     tok = tokenizer_factory()
243     tok.update_statistics()
244
245
246 def test_update_statistics(word_table, table_factory, temp_db_cursor, tokenizer_factory):
247     word_table.add_full_word(1000, 'hello')
248     table_factory('search_name',
249                   'place_id BIGINT, name_vector INT[]',
250                   [(12, [1000])])
251     tok = tokenizer_factory()
252
253     tok.update_statistics()
254
255     assert temp_db_cursor.scalar("""SELECT count(*) FROM word
256                                     WHERE word_token like ' %' and
257                                           search_name_count > 0""") > 0
258
259
260 def test_normalize(analyzer):
261     assert analyzer.normalize('TEsT') == 'test'
262
263
264 def test_update_postcodes_from_db_empty(analyzer, table_factory, word_table,
265                                         create_postcode_id):
266     table_factory('location_postcode', 'postcode TEXT',
267                   content=(('1234',), ('12 34',), ('AB23',), ('1234',)))
268
269     analyzer.update_postcodes_from_db()
270
271     assert word_table.get_postcodes() == {'1234', '12 34', 'AB23'}
272
273
274 def test_update_postcodes_from_db_add_and_remove(analyzer, table_factory, word_table,
275                                                  create_postcode_id):
276     table_factory('location_postcode', 'postcode TEXT',
277                   content=(('1234',), ('45BC', ), ('XX45', )))
278     word_table.add_postcode(' 1234', '1234')
279     word_table.add_postcode(' 5678', '5678')
280
281     analyzer.update_postcodes_from_db()
282
283     assert word_table.get_postcodes() == {'1234', '45BC', 'XX45'}
284
285
286 def test_update_special_phrase_empty_table(analyzer, word_table, make_standard_name):
287     analyzer.update_special_phrases([
288         ("König bei", "amenity", "royal", "near"),
289         ("Könige", "amenity", "royal", "-"),
290         ("könige", "amenity", "royal", "-"),
291         ("strasse", "highway", "primary", "in")
292     ], True)
293
294     assert word_table.get_special() \
295                == set(((' #könig bei#', 'könig bei', 'amenity', 'royal', 'near'),
296                        (' #könige#', 'könige', 'amenity', 'royal', None),
297                        (' #strasse#', 'strasse', 'highway', 'primary', 'in')))
298
299
300 def test_update_special_phrase_delete_all(analyzer, word_table, make_standard_name):
301     word_table.add_special(' #foo#', 'foo', 'amenity', 'prison', 'in')
302     word_table.add_special(' #bar#', 'bar', 'highway', 'road', None)
303
304     assert word_table.count_special() == 2
305
306     analyzer.update_special_phrases([], True)
307
308     assert word_table.count_special() == 0
309
310
311 def test_update_special_phrases_no_replace(analyzer, word_table, make_standard_name):
312     word_table.add_special(' #foo#', 'foo', 'amenity', 'prison', 'in')
313     word_table.add_special(' #bar#', 'bar', 'highway', 'road', None)
314
315     assert word_table.count_special() == 2
316
317     analyzer.update_special_phrases([], False)
318
319     assert word_table.count_special() == 2
320
321
322 def test_update_special_phrase_modify(analyzer, word_table, make_standard_name):
323     word_table.add_special(' #foo#', 'foo', 'amenity', 'prison', 'in')
324     word_table.add_special(' #bar#', 'bar', 'highway', 'road', None)
325
326     assert word_table.count_special() == 2
327
328     analyzer.update_special_phrases([
329         ('prison', 'amenity', 'prison', 'in'),
330         ('bar', 'highway', 'road', '-'),
331         ('garden', 'leisure', 'garden', 'near')
332     ], True)
333
334     assert word_table.get_special() \
335                == set(((' #prison#', 'prison', 'amenity', 'prison', 'in'),
336                        (' #bar#', 'bar', 'highway', 'road', None),
337                        (' #garden#', 'garden', 'leisure', 'garden', 'near')))
338
339
340 def test_add_country_names(analyzer, word_table, make_standard_name):
341     analyzer.add_country_names('de', {'name': 'Germany',
342                                       'name:de': 'Deutschland',
343                                       'short_name': 'germany'})
344
345     assert word_table.get_country() \
346                == {('de', ' #germany#'),
347                    ('de', ' #deutschland#')}
348
349
350 def test_add_more_country_names(analyzer, word_table, make_standard_name):
351     word_table.add_country('fr', ' #france#')
352     word_table.add_country('it', ' #italy#')
353     word_table.add_country('it', ' #itala#')
354
355     analyzer.add_country_names('it', {'name': 'Italy', 'ref': 'IT'})
356
357     assert word_table.get_country() \
358                == {('fr', ' #france#'),
359                    ('it', ' #italy#'),
360                    ('it', ' #itala#'),
361                    ('it', ' #it#')}
362
363
364 @pytest.mark.parametrize('pcode', ['12345', 'AB 123', '34-345'])
365 def test_process_place_postcode(analyzer, create_postcode_id, word_table, pcode):
366     analyzer.process_place(PlaceInfo({'address': {'postcode' : pcode}}))
367
368     assert word_table.get_postcodes() == {pcode, }
369
370
371 @pytest.mark.parametrize('pcode', ['12:23', 'ab;cd;f', '123;836'])
372 def test_process_place_bad_postcode(analyzer, create_postcode_id, word_table, pcode):
373     analyzer.process_place(PlaceInfo({'address': {'postcode' : pcode}}))
374
375     assert not word_table.get_postcodes()
376
377
378 class TestHousenumberName:
379
380     @staticmethod
381     @pytest.fixture(autouse=True)
382     def setup_create_housenumbers(temp_db_cursor):
383         temp_db_cursor.execute("""CREATE OR REPLACE FUNCTION create_housenumbers(
384                                       housenumbers TEXT[],
385                                       OUT tokens TEXT, OUT normtext TEXT)
386                                   AS $$
387                                   SELECT housenumbers::TEXT, array_to_string(housenumbers, ';')
388                                   $$ LANGUAGE SQL""")
389
390
391     @staticmethod
392     @pytest.mark.parametrize('hnr', ['123a', '1', '101'])
393     def test_process_place_housenumbers_simple(analyzer, hnr):
394         info = analyzer.process_place(PlaceInfo({'address': {'housenumber' : hnr}}))
395
396         assert info['hnr'] == hnr
397         assert info['hnr_tokens'].startswith("{")
398
399
400     @staticmethod
401     def test_process_place_housenumbers_lists(analyzer):
402         info = analyzer.process_place(PlaceInfo({'address': {'conscriptionnumber' : '1; 2;3'}}))
403
404         assert set(info['hnr'].split(';')) == set(('1', '2', '3'))
405
406
407     @staticmethod
408     def test_process_place_housenumbers_duplicates(analyzer):
409         info = analyzer.process_place(PlaceInfo({'address': {'housenumber' : '134',
410                                                    'conscriptionnumber' : '134',
411                                                    'streetnumber' : '99a'}}))
412
413         assert set(info['hnr'].split(';')) == set(('134', '99a'))
414
415
416 class TestPlaceNames:
417
418     @pytest.fixture(autouse=True)
419     def setup(self, analyzer):
420         self.analyzer = analyzer
421
422
423     def expect_name_terms(self, info, *expected_terms):
424         tokens = self.analyzer.get_word_token_info(list(expected_terms))
425         for token in tokens:
426             assert token[2] is not None, "No token for {0}".format(token)
427
428         assert eval(info['names']) == set((t[2] for t in tokens)),\
429                f"Expected: {tokens}\nGot: {info['names']}"
430
431
432     def process_named_place(self, names):
433         return self.analyzer.process_place(PlaceInfo({'name': names}))
434
435
436     def test_simple_names(self):
437         info = self.process_named_place({'name': 'Soft bAr', 'ref': '34'})
438
439         self.expect_name_terms(info, '#Soft bAr', '#34', 'Soft', 'bAr', '34')
440
441
442     @pytest.mark.parametrize('sep', [',' , ';'])
443     def test_names_with_separator(self, sep):
444         info = self.process_named_place({'name': sep.join(('New York', 'Big Apple'))})
445
446         self.expect_name_terms(info, '#New York', '#Big Apple',
447                                      'new', 'york', 'big', 'apple')
448
449
450     def test_full_names_with_bracket(self):
451         info = self.process_named_place({'name': 'Houseboat (left)'})
452
453         self.expect_name_terms(info, '#Houseboat (left)', '#Houseboat',
454                                      'houseboat', '(left)')
455
456
457     def test_country_name(self, word_table):
458         place = PlaceInfo({'name' : {'name': 'Norge'},
459                            'country_code': 'no',
460                            'rank_address': 4,
461                            'class': 'boundary',
462                            'type': 'administrative'})
463
464         info = self.analyzer.process_place(place)
465
466         self.expect_name_terms(info, '#norge', 'norge')
467         assert word_table.get_country() == {('no', ' norge')}
468
469
470 class TestPlaceAddress:
471
472     @pytest.fixture(autouse=True)
473     def setup(self, analyzer):
474         self.analyzer = analyzer
475
476
477     @pytest.fixture
478     def getorcreate_hnr_id(self, temp_db_cursor):
479         temp_db_cursor.execute("""CREATE SEQUENCE seq_hnr start 1;
480                                   CREATE OR REPLACE FUNCTION getorcreate_housenumber_id(lookup_word TEXT)
481                                   RETURNS INTEGER AS $$
482                                   SELECT -nextval('seq_hnr')::INTEGER; $$ LANGUAGE SQL""")
483
484     def process_address(self, **kwargs):
485         return self.analyzer.process_place(PlaceInfo({'address': kwargs}))
486
487
488     def name_token_set(self, *expected_terms):
489         tokens = self.analyzer.get_word_token_info(list(expected_terms))
490         for token in tokens:
491             assert token[2] is not None, "No token for {0}".format(token)
492
493         return set((t[2] for t in tokens))
494
495
496     @pytest.mark.parametrize('pcode', ['12345', 'AB 123', '34-345'])
497     def test_process_place_postcode(self, word_table, pcode):
498         self.process_address(postcode=pcode)
499
500         assert word_table.get_postcodes() == {pcode, }
501
502
503     @pytest.mark.parametrize('pcode', ['12:23', 'ab;cd;f', '123;836'])
504     def test_process_place_bad_postcode(self, word_table, pcode):
505         self.process_address(postcode=pcode)
506
507         assert not word_table.get_postcodes()
508
509
510     @pytest.mark.parametrize('hnr', ['123a', '0', '101'])
511     def test_process_place_housenumbers_simple(self, hnr, getorcreate_hnr_id):
512         info = self.process_address(housenumber=hnr)
513
514         assert info['hnr'] == hnr.lower()
515         assert info['hnr_tokens'] == "{-1}"
516
517
518     def test_process_place_housenumbers_lists(self, getorcreate_hnr_id):
519         info = self.process_address(conscriptionnumber='1; 2;3')
520
521         assert set(info['hnr'].split(';')) == set(('1', '2', '3'))
522         assert info['hnr_tokens'] == "{-1,-2,-3}"
523
524
525     def test_process_place_housenumbers_duplicates(self, getorcreate_hnr_id):
526         info = self.process_address(housenumber='134',
527                                     conscriptionnumber='134',
528                                     streetnumber='99A')
529
530         assert set(info['hnr'].split(';')) == set(('134', '99a'))
531         assert info['hnr_tokens'] == "{-1,-2}"
532
533
534     def test_process_place_street(self):
535         # legacy tokenizer only indexes known names
536         self.analyzer.process_place(PlaceInfo({'name': {'name' : 'Grand Road'}}))
537         info = self.process_address(street='Grand Road')
538
539         assert eval(info['street']) == self.name_token_set('#Grand Road')
540
541
542     def test_process_place_street_empty(self):
543         info = self.process_address(street='🜵')
544
545         assert 'street' not in info
546
547
548     def test_process_place_place(self):
549         self.analyzer.process_place(PlaceInfo({'name': {'name' : 'Honu Lulu'}}))
550         info = self.process_address(place='Honu Lulu')
551
552         assert eval(info['place_search']) == self.name_token_set('#Honu Lulu',
553                                                                  'Honu', 'Lulu')
554         assert eval(info['place_match']) == self.name_token_set('#Honu Lulu')
555
556
557     def test_process_place_place_empty(self):
558         info = self.process_address(place='🜵')
559
560         assert 'place' not in info
561
562
563     def test_process_place_address_terms(self):
564         for name in ('Zwickau', 'Haupstraße', 'Sachsen'):
565             self.analyzer.process_place(PlaceInfo({'name': {'name' : name}}))
566         info = self.process_address(country='de', city='Zwickau', state='Sachsen',
567                                     suburb='Zwickau', street='Hauptstr',
568                                     full='right behind the church')
569
570         city = self.name_token_set('ZWICKAU')
571         state = self.name_token_set('SACHSEN')
572
573         print(info)
574         result = {k: eval(v[0]) for k,v in info['addr'].items()}
575
576         assert result == {'city': city, 'suburb': city, 'state': state}
577
578
579     def test_process_place_address_terms_empty(self):
580         info = self.process_address(country='de', city=' ', street='Hauptstr',
581                                     full='right behind the church')
582
583         assert 'addr' not in info
584