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,
 
  21     'TEMPLATE_DB' : 'test_template_nominatim',
 
  22     'TEST_DB' : 'test_nominatim',
 
  23     'API_TEST_DB' : 'test_api_nominatim',
 
  24     'TEST_SETTINGS_FILE' : '/tmp/nominatim_settings.php',
 
  25     'SERVER_MODULE_PATH' : None,
 
  26     'PHPCOV' : False, # set to output directory to enable code coverage
 
  29 use_step_matcher("re")
 
  31 class NominatimEnvironment(object):
 
  32     """ Collects all functions for the execution of Nominatim functions.
 
  35     def __init__(self, config):
 
  36         self.build_dir = os.path.abspath(config['BUILDDIR'])
 
  37         self.src_dir = os.path.abspath(os.path.join(os.path.split(__file__)[0], "../.."))
 
  38         self.db_host = config['DB_HOST']
 
  39         self.db_port = config['DB_PORT']
 
  40         self.db_user = config['DB_USER']
 
  41         self.db_pass = config['DB_PASS']
 
  42         self.template_db = config['TEMPLATE_DB']
 
  43         self.test_db = config['TEST_DB']
 
  44         self.api_test_db = config['API_TEST_DB']
 
  45         self.server_module_path = config['SERVER_MODULE_PATH']
 
  46         self.local_settings_file = config['TEST_SETTINGS_FILE']
 
  47         self.reuse_template = not config['REMOVE_TEMPLATE']
 
  48         self.keep_scenario_db = config['KEEP_TEST_DB']
 
  49         self.code_coverage_path = config['PHPCOV']
 
  50         self.code_coverage_id = 1
 
  51         os.environ['NOMINATIM_SETTINGS'] = self.local_settings_file
 
  53         self.template_db_done = False
 
  55     def connect_database(self, dbname):
 
  56         dbargs = {'database': dbname}
 
  58             dbargs['host'] = self.db_host
 
  60             dbargs['port'] = self.db_port
 
  62             dbargs['user'] = self.db_user
 
  64             dbargs['password'] = self.db_pass
 
  65         conn = psycopg2.connect(**dbargs)
 
  68     def next_code_coverage_file(self):
 
  69         fn = os.path.join(self.code_coverage_path, "%06d.cov" % self.code_coverage_id)
 
  70         self.code_coverage_id += 1
 
  74     def write_nominatim_config(self, dbname):
 
  75         f = open(self.local_settings_file, 'w')
 
  76         # https://secure.php.net/manual/en/ref.pdo-pgsql.connection.php
 
  77         f.write("<?php\n  @define('CONST_Database_DSN', 'pgsql:dbname=%s%s%s%s%s');\n" %
 
  79                  (';host=' + self.db_host) if self.db_host else '',
 
  80                  (';port=' + self.db_port) if self.db_port else '',
 
  81                  (';user=' + self.db_user) if self.db_user else '',
 
  82                  (';password=' + self.db_pass) if self.db_pass else ''
 
  84         f.write("@define('CONST_Osm2pgsql_Flatnode_File', null);\n")
 
  89             os.remove(self.local_settings_file)
 
  91             pass # ignore missing file
 
  93     def db_drop_database(self, name):
 
  94         conn = self.connect_database('postgres')
 
  95         conn.set_isolation_level(0)
 
  97         cur.execute('DROP DATABASE IF EXISTS %s' % (name, ))
 
 100     def setup_template_db(self):
 
 101         if self.template_db_done:
 
 104         self.template_db_done = True
 
 106         if self.reuse_template:
 
 107             # check that the template is there
 
 108             conn = self.connect_database('postgres')
 
 110             cur.execute('select count(*) from pg_database where datname = %s',
 
 112             if cur.fetchone()[0] == 1:
 
 116             # just in case... make sure a previous table has been dropped
 
 117             self.db_drop_database(self.template_db)
 
 120             # call the first part of database setup
 
 121             self.write_nominatim_config(self.template_db)
 
 122             self.run_setup_script('create-db', 'setup-db')
 
 123             # remove external data to speed up indexing for tests
 
 124             conn = self.connect_database(self.template_db)
 
 126             cur.execute("""select tablename from pg_tables
 
 127                            where tablename in ('gb_postcode', 'us_postcode')""")
 
 129                 conn.cursor().execute('TRUNCATE TABLE %s' % (t[0],))
 
 133             # execute osm2pgsql import on an empty file to get the right tables
 
 134             with tempfile.NamedTemporaryFile(dir='/tmp', suffix='.xml') as fd:
 
 135                 fd.write(b'<osm version="0.6"></osm>')
 
 137                 self.run_setup_script('import-data',
 
 141                                       'create-partition-tables',
 
 142                                       'create-partition-functions',
 
 144                                       'create-search-indices',
 
 146                                       osm2pgsql_cache='200')
 
 148             self.db_drop_database(self.template_db)
 
 152     def setup_api_db(self, context):
 
 153         self.write_nominatim_config(self.api_test_db)
 
 155     def setup_unknown_db(self, context):
 
 156         self.write_nominatim_config('UNKNOWN_DATABASE_NAME')
 
 158     def setup_db(self, context):
 
 159         self.setup_template_db()
 
 160         self.write_nominatim_config(self.test_db)
 
 161         conn = self.connect_database(self.template_db)
 
 162         conn.set_isolation_level(0)
 
 164         cur.execute('DROP DATABASE IF EXISTS %s' % (self.test_db, ))
 
 165         cur.execute('CREATE DATABASE %s TEMPLATE = %s' % (self.test_db, self.template_db))
 
 167         context.db = self.connect_database(self.test_db)
 
 168         if python_version[0] < 3:
 
 169             psycopg2.extras.register_hstore(context.db, globally=False, unicode=True)
 
 171             psycopg2.extras.register_hstore(context.db, globally=False)
 
 173     def teardown_db(self, context):
 
 177         if not self.keep_scenario_db:
 
 178             self.db_drop_database(self.test_db)
 
 180     def run_setup_script(self, *args, **kwargs):
 
 181         if self.server_module_path:
 
 182             kwargs = dict(kwargs)
 
 183             kwargs['module_path'] = self.server_module_path
 
 184         self.run_nominatim_script('setup', *args, **kwargs)
 
 186     def run_update_script(self, *args, **kwargs):
 
 187         self.run_nominatim_script('update', *args, **kwargs)
 
 189     def run_nominatim_script(self, script, *args, **kwargs):
 
 190         cmd = ['/usr/bin/env', 'php', '-Cq']
 
 191         cmd.append(os.path.join(self.build_dir, 'utils', '%s.php' % script))
 
 192         cmd.extend(['--%s' % x for x in args])
 
 193         for k, v in kwargs.items():
 
 194             cmd.extend(('--' + k.replace('_', '-'), str(v)))
 
 195         proc = subprocess.Popen(cmd, cwd=self.build_dir,
 
 196                                 stdout=subprocess.PIPE, stderr=subprocess.PIPE)
 
 197         (outp, outerr) = proc.communicate()
 
 198         outerr = outerr.decode('utf-8').replace('\\n', '\n')
 
 199         logger.debug("run_nominatim_script: %s\n%s\n%s" % (cmd, outp, outerr))
 
 200         assert (proc.returncode == 0), "Script '%s' failed:\n%s\n%s\n" % (script, outp, outerr)
 
 203 class OSMDataFactory(object):
 
 206         scriptpath = os.path.dirname(os.path.abspath(__file__))
 
 207         self.scene_path = os.environ.get('SCENE_PATH',
 
 208                            os.path.join(scriptpath, '..', 'scenes', 'data'))
 
 209         self.scene_cache = {}
 
 212     def parse_geometry(self, geom, scene):
 
 213         if geom.find(':') >= 0:
 
 214             return "ST_SetSRID(%s, 4326)" % self.get_scene_geometry(scene, geom)
 
 216         if geom.find(',') < 0:
 
 217             out = "POINT(%s)" % self.mk_wkt_point(geom)
 
 218         elif geom.find('(') < 0:
 
 219             line = ','.join([self.mk_wkt_point(x) for x in geom.split(',')])
 
 220             out = "LINESTRING(%s)" % line
 
 222             inner = geom.strip('() ')
 
 223             line = ','.join([self.mk_wkt_point(x) for x in inner.split(',')])
 
 224             out = "POLYGON((%s))" % line
 
 226         return "ST_SetSRID('%s'::geometry, 4326)" % out
 
 228     def mk_wkt_point(self, point):
 
 230         if geom.find(' ') >= 0:
 
 233             pt = self.grid_node(int(geom))
 
 234             assert_is_not_none(pt, "Point not found in grid")
 
 237     def get_scene_geometry(self, default_scene, name):
 
 239         for obj in name.split('+'):
 
 241             if oname.startswith(':'):
 
 242                 assert_is_not_none(default_scene, "You need to set a scene")
 
 243                 defscene = self.load_scene(default_scene)
 
 244                 wkt = defscene[oname[1:]]
 
 246                 scene, obj = oname.split(':', 2)
 
 247                 scene_geoms = self.load_scene(scene)
 
 248                 wkt = scene_geoms[obj]
 
 250             geoms.append("'%s'::geometry" % wkt)
 
 255             return 'ST_LineMerge(ST_Collect(ARRAY[%s]))' % ','.join(geoms)
 
 257     def load_scene(self, name):
 
 258         if name in self.scene_cache:
 
 259             return self.scene_cache[name]
 
 262         with open(os.path.join(self.scene_path, "%s.wkt" % name), 'r') as fd:
 
 265                     obj, wkt = line.split('|', 2)
 
 266                     scene[obj.strip()] = wkt.strip()
 
 267             self.scene_cache[name] = scene
 
 271     def clear_grid(self):
 
 274     def add_grid_node(self, nodeid, x, y):
 
 275         self.grid[nodeid] = (x, y)
 
 277     def grid_node(self, nodeid):
 
 278         return self.grid.get(nodeid)
 
 281 def before_all(context):
 
 283     context.config.setup_logging()
 
 285     for k,v in userconfig.items():
 
 286         context.config.userdata.setdefault(k, v)
 
 287     logging.debug('User config: %s' %(str(context.config.userdata)))
 
 288     # Nominatim test setup
 
 289     context.nominatim = NominatimEnvironment(context.config.userdata)
 
 290     context.osm = OSMDataFactory()
 
 292 def after_all(context):
 
 293     context.nominatim.cleanup()
 
 296 def before_scenario(context, scenario):
 
 297     if 'DB' in context.tags:
 
 298         context.nominatim.setup_db(context)
 
 299     elif 'APIDB' in context.tags:
 
 300         context.nominatim.setup_api_db(context)
 
 301     elif 'UNKNOWNDB' in context.tags:
 
 302         context.nominatim.setup_unknown_db(context)
 
 305 def after_scenario(context, scenario):
 
 306     if 'DB' in context.tags:
 
 307         context.nominatim.teardown_db(context)