]> git.openstreetmap.org Git - nominatim.git/blob - test/bdd/steps/db_ops.py
822094629d0cc1b740b7e72d083f3734d7cff0ff
[nominatim.git] / test / bdd / steps / db_ops.py
1 import base64
2 import random
3 import string
4 import re
5 from nose.tools import * # for assert functions
6 import psycopg2.extras
7
8 class PlaceColumn:
9
10     def __init__(self, context, force_name):
11         self.columns = { 'admin_level' : 100}
12         self.force_name = force_name
13         self.context = context
14         self.geometry = None
15
16     def add(self, key, value):
17         if hasattr(self, 'set_key_' + key):
18             getattr(self, 'set_key_' + key)(value)
19         elif key.startswith('name+'):
20             self.add_hstore('name', key[5:], value)
21         elif key.startswith('extra+'):
22             self.add_hstore('extratags', key[6:], value)
23         else:
24             assert_in(key, ('class', 'type', 'street', 'addr_place',
25                             'isin', 'postcode'))
26             self.columns[key] = None if value == '' else value
27
28     def set_key_name(self, value):
29         self.add_hstore('name', 'name', value)
30
31     def set_key_osm(self, value):
32         assert_in(value[0], 'NRW')
33         ok_(value[1:].isdigit())
34
35         self.columns['osm_type'] = value[0]
36         self.columns['osm_id'] = int(value[1:])
37
38     def set_key_admin(self, value):
39         self.columns['admin_level'] = int(value)
40
41     def set_key_housenr(self, value):
42         self.columns['housenumber'] = None if value == '' else value
43
44     def set_key_country(self, value):
45         self.columns['country_code'] = None if value == '' else value
46
47     def set_key_geometry(self, value):
48         self.geometry = self.context.osm.parse_geometry(value, self.context.scene)
49         assert_is_not_none(self.geometry)
50
51     def add_hstore(self, column, key, value):
52         if column in self.columns:
53             self.columns[column][key] = value
54         else:
55             self.columns[column] = { key : value }
56
57     def db_insert(self, cursor):
58         assert_in('osm_type', self.columns)
59         if self.force_name and 'name' not in self.columns:
60             self.add_hstore('name', 'name', ''.join(random.choice(string.printable)
61                                            for _ in range(int(random.random()*30))))
62
63         if self.columns['osm_type'] == 'N' and self.geometry is None:
64             self.geometry = "ST_SetSRID(ST_Point(%f, %f), 4326)" % (
65                             random.random()*360 - 180, random.random()*180 - 90)
66         else:
67             assert_is_not_none(self.geometry, "Geometry missing")
68         query = 'INSERT INTO place (%s, geometry) values(%s, %s)' % (
69                      ','.join(self.columns.keys()),
70                      ','.join(['%s' for x in range(len(self.columns))]),
71                      self.geometry)
72         cursor.execute(query, list(self.columns.values()))
73
74 class NominatimID:
75     """ Splits a unique identifier for places into its components.
76         As place_ids cannot be used for testing, we use a unique
77         identifier instead that is of the form <osmtype><osmid>[:<class>].
78     """
79
80     id_regex = re.compile(r"(?P<tp>[NRW])(?P<id>\d+)(:(?P<cls>\w+))?")
81
82     def __init__(self, oid):
83         self.typ = self.oid = self.cls = None
84
85         if oid is not None:
86             m = self.id_regex.fullmatch(oid)
87             assert_is_not_none(m, "ID '%s' not of form <osmtype><osmid>[:<class>]" % oid)
88
89             self.typ = m.group('tp')
90             self.oid = m.group('id')
91             self.cls = m.group('cls')
92
93     def table_select(self):
94         """ Return where clause and parameter list to select the object
95             from a Nominatim table.
96         """
97         where = 'osm_type = %s and osm_id = %s'
98         params = [self.typ, self. oid]
99
100         if self.cls is not None:
101             where += ' and class = %s'
102             params.append(self.cls)
103
104         return where, params
105
106     def get_place_id(self, cur):
107         where, params = self.table_select()
108         cur.execute("SELECT place_id FROM placex WHERE %s" % where, params)
109         eq_(1, cur.rowcount, "Expected exactly 1 entry in placex found %s" % cur.rowcount)
110
111         return cur.fetchone()[0]
112
113
114 def assert_db_column(row, column, value, context):
115     if column == 'object':
116         return
117
118     if column.startswith('centroid'):
119         fac = float(column[9:]) if column.startswith('centroid*') else 1.0
120         x, y = value.split(' ')
121         assert_almost_equal(float(x) * fac, row['cx'])
122         assert_almost_equal(float(y) * fac, row['cy'])
123     elif column == 'geometry':
124         geom = context.osm.parse_geometry(value, context.scene)
125         cur = context.db.cursor()
126         cur.execute("SELECT ST_Equals(%s, ST_SetSRID(%%s::geometry, 4326))" % geom,
127                     (row['geomtxt'],))
128         eq_(cur.fetchone()[0], True)
129     else:
130         eq_(value, str(row[column]),
131             "Row '%s': expected: %s, got: %s"
132             % (column, value, str(row[column])))
133
134
135 ################################ STEPS ##################################
136
137 @given(u'the scene (?P<scene>.+)')
138 def set_default_scene(context, scene):
139     context.scene = scene
140
141 @given("the (?P<named>named )?places")
142 def add_data_to_place_table(context, named):
143     cur = context.db.cursor()
144     cur.execute('ALTER TABLE place DISABLE TRIGGER place_before_insert')
145     for r in context.table:
146         col = PlaceColumn(context, named is not None)
147
148         for h in r.headings:
149             col.add(h, r[h])
150
151         col.db_insert(cur)
152     cur.execute('ALTER TABLE place ENABLE TRIGGER place_before_insert')
153     cur.close()
154     context.db.commit()
155
156 @given("the relations")
157 def add_data_to_planet_relations(context):
158     cur = context.db.cursor()
159     for r in context.table:
160         last_node = 0
161         last_way = 0
162         parts = []
163         if r['members']:
164             members = []
165             for m in r['members'].split(','):
166                 mid = NominatimID(m)
167                 if mid.typ == 'N':
168                     parts.insert(last_node, int(mid.oid))
169                     last_node += 1
170                     last_way += 1
171                 elif mid.typ == 'W':
172                     parts.insert(last_way, int(mid.oid))
173                     last_way += 1
174                 else:
175                     parts.append(int(mid.oid))
176
177                 members.extend((mid.typ.lower() + mid.oid, mid.cls or ''))
178         else:
179             members = None
180
181         tags = []
182         for h in r.headings:
183             if h.startswith("tags+"):
184                 tags.extend((h[5:], r[h]))
185
186         cur.execute("""INSERT INTO planet_osm_rels (id, way_off, rel_off, parts, members, tags)
187                        VALUES (%s, %s, %s, %s, %s, %s)""",
188                     (r['id'], last_node, last_way, parts, members, tags))
189     context.db.commit()
190
191 @given("the ways")
192 def add_data_to_planet_ways(context):
193     cur = context.db.cursor()
194     for r in context.table:
195         tags = []
196         for h in r.headings:
197             if h.startswith("tags+"):
198                 tags.extend((h[5:], r[h]))
199
200         nodes = [ int(x.strip()) for x in r['nodes'].split(',') ]
201
202         cur.execute("INSERT INTO planet_osm_ways (id, nodes, tags) VALUES (%s, %s, %s)",
203                     (r['id'], nodes, tags))
204     context.db.commit()
205
206 @when("importing")
207 def import_and_index_data_from_place_table(context):
208     context.nominatim.run_setup_script('create-functions', 'create-partition-functions')
209     cur = context.db.cursor()
210     cur.execute(
211         """insert into placex (osm_type, osm_id, class, type, name, admin_level,
212            housenumber, street, addr_place, isin, postcode, country_code, extratags,
213            geometry)
214            select * from place where not (class='place' and type='houses' and osm_type='W')""")
215     cur.execute(
216         """select insert_osmline (osm_id, housenumber, street, addr_place,
217            postcode, country_code, geometry)
218            from place where class='place' and type='houses' and osm_type='W'""")
219     context.db.commit()
220     context.nominatim.run_setup_script('index', 'index-noanalyse')
221
222 @when("updating places")
223 def update_place_table(context):
224     context.nominatim.run_setup_script(
225         'create-functions', 'create-partition-functions', 'enable-diff-updates')
226     cur = context.db.cursor()
227     for r in context.table:
228         col = PlaceColumn(context, False)
229
230         for h in r.headings:
231             col.add(h, r[h])
232
233         col.db_insert(cur)
234
235     context.db.commit()
236     context.nominatim.run_update_script('index')
237
238 @when("marking for delete (?P<oids>.*)")
239 def delete_places(context, oids):
240     context.nominatim.run_setup_script(
241         'create-functions', 'create-partition-functions', 'enable-diff-updates')
242     cur = context.db.cursor()
243     for oid in oids.split(','):
244         where, params = NominatimID(oid).table_select()
245         cur.execute("DELETE FROM place WHERE " + where, params)
246     context.db.commit()
247     context.nominatim.run_update_script('index')
248
249 @then("placex contains(?P<exact> exactly)?")
250 def check_placex_contents(context, exact):
251     cur = context.db.cursor(cursor_factory=psycopg2.extras.DictCursor)
252
253     expected_content = set()
254     for row in context.table:
255         nid = NominatimID(row['object'])
256         where, params = nid.table_select()
257         cur.execute("""SELECT *, ST_AsText(geometry) as geomtxt,
258                        ST_X(centroid) as cx, ST_Y(centroid) as cy
259                        FROM placex where %s""" % where,
260                     params)
261
262         for res in cur:
263             if exact:
264                 expected_content.add((res['osm_type'], res['osm_id'], res['class']))
265             for h in row.headings:
266                 if h.startswith('name'):
267                     name = h[5:] if h.startswith('name+') else 'name'
268                     assert_in(name, res['name'])
269                     eq_(res['name'][name], row[h])
270                 elif h.startswith('extratags+'):
271                     eq_(res['extratags'][h[10:]], row[h])
272                 elif h in ('linked_place_id', 'parent_place_id'):
273                     if row[h] == '0':
274                         eq_(0, res[h])
275                     elif row[h] == '-':
276                         assert_is_none(res[h])
277                     else:
278                         eq_(NominatimID(row[h]).get_place_id(context.db.cursor()),
279                             res[h])
280                 else:
281                     assert_db_column(res, h, row[h], context)
282
283     if exact:
284         cur.execute('SELECT osm_type, osm_id, class from placex')
285         eq_(expected_content, set([(r[0], r[1], r[2]) for r in cur]))
286
287     context.db.commit()
288
289 @then("search_name contains")
290 def check_search_name_contents(context):
291     cur = context.db.cursor(cursor_factory=psycopg2.extras.DictCursor)
292
293     for row in context.table:
294         pid = NominatimID(row['object']).get_place_id(cur)
295         cur.execute("""SELECT *, ST_X(centroid) as cx, ST_Y(centroid) as cy
296                        FROM search_name WHERE place_id = %s""", (pid, ))
297
298         for res in cur:
299             for h in row.headings:
300                 if h in ('name_vector', 'nameaddress_vector'):
301                     terms = [x.strip().replace('#', ' ') for x in row[h].split(',')]
302                     subcur = context.db.cursor()
303                     subcur.execute("""SELECT word_id, word_token
304                                       FROM word, (SELECT unnest(%s) as term) t
305                                       WHERE word_token = make_standard_name(t.term)""",
306                                    (terms,))
307                     ok_(subcur.rowcount >= len(terms))
308                     for wid in subcur:
309                         assert_in(wid[0], res[h],
310                                   "Missing term for %s/%s: %s" % (pid, h, wid[1]))
311                 else:
312                     assert_db_column(res, h, row[h], context)
313
314
315     context.db.commit()
316
317 @then("(?P<oid>\w+) expands to interpolation")
318 def check_location_property_osmline(context, oid):
319     cur = context.db.cursor(cursor_factory=psycopg2.extras.DictCursor)
320     nid = NominatimID(oid)
321
322     eq_('W', nid.typ, "interpolation must be a way")
323
324     cur.execute("""SELECT *, ST_AsText(linegeo) as geomtxt
325                    FROM location_property_osmline WHERE osm_id = %s""",
326                 (nid.oid, ))
327
328     todo = list(range(len(list(context.table))))
329     for res in cur:
330         for i in todo:
331             row = context.table[i]
332             if (int(row['start']) == res['startnumber']
333                 and int(row['end']) == res['endnumber']):
334                 todo.remove(i)
335                 break
336         else:
337             assert False, "Unexpected row %s" % (str(res))
338
339         for h in row.headings:
340             if h in ('start', 'end'):
341                 continue
342             elif h == 'parent_place_id':
343                 if row[h] == '0':
344                     eq_(0, res[h])
345                 elif row[h] == '-':
346                     assert_is_none(res[h])
347                 else:
348                     eq_(NominatimID(row[h]).get_place_id(context.db.cursor()),
349                         res[h])
350             else:
351                 assert_db_column(res, h, row[h], context)
352
353     eq_(todo, [])
354
355
356 @then("placex has no entry for (?P<oid>.*)")
357 def check_placex_has_entry(context, oid):
358     cur = context.db.cursor(cursor_factory=psycopg2.extras.DictCursor)
359     nid = NominatimID(oid)
360     where, params = nid.table_select()
361     cur.execute("SELECT * FROM placex where %s" % where, params)
362     eq_(0, cur.rowcount)
363     context.db.commit()
364
365 @then("search_name has no entry for (?P<oid>.*)")
366 def check_search_name_has_entry(context, oid):
367     cur = context.db.cursor(cursor_factory=psycopg2.extras.DictCursor)
368     pid = NominatimID(oid).get_place_id(cur)
369     cur.execute("SELECT * FROM search_name WHERE place_id = %s", (pid, ))
370     eq_(0, cur.rowcount)
371     context.db.commit()