8 from nose.tools import * # for assert functions
9 from sys import version_info as python_version
11 logger = logging.getLogger(__name__)
14 'BUILDDIR' : os.path.join(os.path.split(__file__)[0], "../../build"),
15 'REMOVE_TEMPLATE' : False,
16 'KEEP_TEST_DB' : False,
20 'TEMPLATE_DB' : 'test_template_nominatim',
21 'TEST_DB' : 'test_nominatim',
22 'API_TEST_DB' : 'test_api_nominatim',
23 'TEST_SETTINGS_FILE' : '/tmp/nominatim_settings.php',
24 'SERVER_MODULE_PATH' : None,
25 'PHPCOV' : False, # set to output directory to enable code coverage
28 use_step_matcher("re")
30 class NominatimEnvironment(object):
31 """ Collects all functions for the execution of Nominatim functions.
34 def __init__(self, config):
35 self.build_dir = os.path.abspath(config['BUILDDIR'])
36 self.src_dir = os.path.abspath(os.path.join(os.path.split(__file__)[0], "../.."))
37 self.db_host = config['DB_HOST']
38 self.db_user = config['DB_USER']
39 self.db_pass = config['DB_PASS']
40 self.template_db = config['TEMPLATE_DB']
41 self.test_db = config['TEST_DB']
42 self.api_test_db = config['API_TEST_DB']
43 self.server_module_path = config['SERVER_MODULE_PATH']
44 self.local_settings_file = config['TEST_SETTINGS_FILE']
45 self.reuse_template = not config['REMOVE_TEMPLATE']
46 self.keep_scenario_db = config['KEEP_TEST_DB']
47 self.code_coverage_path = config['PHPCOV']
48 self.code_coverage_id = 1
49 os.environ['NOMINATIM_SETTINGS'] = self.local_settings_file
51 self.template_db_done = False
53 def connect_database(self, dbname):
54 dbargs = {'database': dbname}
56 dbargs['host'] = self.db_host
58 dbargs['user'] = self.db_user
60 dbargs['password'] = self.db_pass
61 conn = psycopg2.connect(**dbargs)
64 def next_code_coverage_file(self):
65 fn = os.path.join(self.code_coverage_path, "%06d.cov" % self.code_coverage_id)
66 self.code_coverage_id += 1
70 def write_nominatim_config(self, dbname):
71 f = open(self.local_settings_file, 'w')
72 f.write("<?php\n @define('CONST_Database_DSN', 'pgsql://%s:%s@%s/%s');\n" %
73 (self.db_user if self.db_user else '',
74 self.db_pass if self.db_pass else '',
75 self.db_host if self.db_host else '',
77 f.write("@define('CONST_Osm2pgsql_Flatnode_File', null);\n")
82 os.remove(self.local_settings_file)
84 pass # ignore missing file
86 def db_drop_database(self, name):
87 conn = self.connect_database('postgres')
88 conn.set_isolation_level(0)
90 cur.execute('DROP DATABASE IF EXISTS %s' % (name, ))
93 def setup_template_db(self):
94 if self.template_db_done:
97 self.template_db_done = True
99 if self.reuse_template:
100 # check that the template is there
101 conn = self.connect_database('postgres')
103 cur.execute('select count(*) from pg_database where datname = %s',
105 if cur.fetchone()[0] == 1:
109 # just in case... make sure a previous table has been dropped
110 self.db_drop_database(self.template_db)
113 # call the first part of database setup
114 self.write_nominatim_config(self.template_db)
115 self.run_setup_script('create-db', 'setup-db')
116 # remove external data to speed up indexing for tests
117 conn = self.connect_database(self.template_db)
119 cur.execute("""select tablename from pg_tables
120 where tablename in ('gb_postcode', 'us_postcode')""")
122 conn.cursor().execute('TRUNCATE TABLE %s' % (t[0],))
126 # execute osm2pgsql import on an empty file to get the right tables
127 with tempfile.NamedTemporaryFile(dir='/tmp', suffix='.xml') as fd:
128 fd.write(b'<osm version="0.6"></osm>')
130 self.run_setup_script('import-data',
134 'create-partition-tables',
135 'create-partition-functions',
137 'create-search-indices',
139 osm2pgsql_cache='200')
141 self.db_drop_database(self.template_db)
145 def setup_api_db(self, context):
146 self.write_nominatim_config(self.api_test_db)
148 def setup_unknown_db(self, context):
149 self.write_nominatim_config('UNKNOWN_DATABASE_NAME')
151 def setup_db(self, context):
152 self.setup_template_db()
153 self.write_nominatim_config(self.test_db)
154 conn = self.connect_database(self.template_db)
155 conn.set_isolation_level(0)
157 cur.execute('DROP DATABASE IF EXISTS %s' % (self.test_db, ))
158 cur.execute('CREATE DATABASE %s TEMPLATE = %s' % (self.test_db, self.template_db))
160 context.db = self.connect_database(self.test_db)
161 if python_version[0] < 3:
162 psycopg2.extras.register_hstore(context.db, globally=False, unicode=True)
164 psycopg2.extras.register_hstore(context.db, globally=False)
166 def teardown_db(self, context):
170 if not self.keep_scenario_db:
171 self.db_drop_database(self.test_db)
173 def run_setup_script(self, *args, **kwargs):
174 if self.server_module_path:
175 kwargs = dict(kwargs)
176 kwargs['module_path'] = self.server_module_path
177 self.run_nominatim_script('setup', *args, **kwargs)
179 def run_update_script(self, *args, **kwargs):
180 self.run_nominatim_script('update', *args, **kwargs)
182 def run_nominatim_script(self, script, *args, **kwargs):
183 cmd = ['/usr/bin/env', 'php', '-Cq']
184 cmd.append(os.path.join(self.build_dir, 'utils', '%s.php' % script))
185 cmd.extend(['--%s' % x for x in args])
186 for k, v in kwargs.items():
187 cmd.extend(('--' + k.replace('_', '-'), str(v)))
188 proc = subprocess.Popen(cmd, cwd=self.build_dir,
189 stdout=subprocess.PIPE, stderr=subprocess.PIPE)
190 (outp, outerr) = proc.communicate()
191 logger.debug("run_nominatim_script: %s\n%s\n%s" % (cmd, outp, outerr))
192 assert (proc.returncode == 0), "Script '%s' failed:\n%s\n%s\n" % (script, outp, outerr)
195 class OSMDataFactory(object):
198 scriptpath = os.path.dirname(os.path.abspath(__file__))
199 self.scene_path = os.environ.get('SCENE_PATH',
200 os.path.join(scriptpath, '..', 'scenes', 'data'))
201 self.scene_cache = {}
204 def parse_geometry(self, geom, scene):
205 if geom.find(':') >= 0:
206 return "ST_SetSRID(%s, 4326)" % self.get_scene_geometry(scene, geom)
208 if geom.find(',') < 0:
209 out = "POINT(%s)" % self.mk_wkt_point(geom)
210 elif geom.find('(') < 0:
211 line = ','.join([self.mk_wkt_point(x) for x in geom.split(',')])
212 out = "LINESTRING(%s)" % line
214 inner = geom.strip('() ')
215 line = ','.join([self.mk_wkt_point(x) for x in inner.split(',')])
216 out = "POLYGON((%s))" % line
218 return "ST_SetSRID('%s'::geometry, 4326)" % out
220 def mk_wkt_point(self, point):
222 if geom.find(' ') >= 0:
225 pt = self.grid_node(int(geom))
226 assert_is_not_none(pt, "Point not found in grid")
229 def get_scene_geometry(self, default_scene, name):
231 for obj in name.split('+'):
233 if oname.startswith(':'):
234 assert_is_not_none(default_scene, "You need to set a scene")
235 defscene = self.load_scene(default_scene)
236 wkt = defscene[oname[1:]]
238 scene, obj = oname.split(':', 2)
239 scene_geoms = self.load_scene(scene)
240 wkt = scene_geoms[obj]
242 geoms.append("'%s'::geometry" % wkt)
247 return 'ST_LineMerge(ST_Collect(ARRAY[%s]))' % ','.join(geoms)
249 def load_scene(self, name):
250 if name in self.scene_cache:
251 return self.scene_cache[name]
254 with open(os.path.join(self.scene_path, "%s.wkt" % name), 'r') as fd:
257 obj, wkt = line.split('|', 2)
258 scene[obj.strip()] = wkt.strip()
259 self.scene_cache[name] = scene
263 def clear_grid(self):
266 def add_grid_node(self, nodeid, x, y):
267 self.grid[nodeid] = (x, y)
269 def grid_node(self, nodeid):
270 return self.grid.get(nodeid)
273 def before_all(context):
275 context.config.setup_logging()
277 for k,v in userconfig.items():
278 context.config.userdata.setdefault(k, v)
279 logging.debug('User config: %s' %(str(context.config.userdata)))
280 # Nominatim test setup
281 context.nominatim = NominatimEnvironment(context.config.userdata)
282 context.osm = OSMDataFactory()
284 def after_all(context):
285 context.nominatim.cleanup()
288 def before_scenario(context, scenario):
289 if 'DB' in context.tags:
290 context.nominatim.setup_db(context)
291 elif 'APIDB' in context.tags:
292 context.nominatim.setup_api_db(context)
293 elif 'UNKNOWNDB' in context.tags:
294 context.nominatim.setup_unknown_db(context)
297 def after_scenario(context, scenario):
298 if 'DB' in context.tags:
299 context.nominatim.teardown_db(context)