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,
 
  17     'TEMPLATE_DB' : 'test_template_nominatim',
 
  18     'TEST_DB' : 'test_nominatim',
 
  19     'API_TEST_DB' : 'test_api_nominatim',
 
  20     'TEST_SETTINGS_FILE' : '/tmp/nominatim_settings.php',
 
  21     'PHPCOV' : False, # set to output directory to enable code coverage
 
  24 use_step_matcher("re")
 
  26 class NominatimEnvironment(object):
 
  27     """ Collects all functions for the execution of Nominatim functions.
 
  30     def __init__(self, config):
 
  31         self.build_dir = os.path.abspath(config['BUILDDIR'])
 
  32         self.src_dir = os.path.abspath(os.path.join(os.path.split(__file__)[0], "../.."))
 
  33         self.template_db = config['TEMPLATE_DB']
 
  34         self.test_db = config['TEST_DB']
 
  35         self.api_test_db = config['API_TEST_DB']
 
  36         self.local_settings_file = config['TEST_SETTINGS_FILE']
 
  37         self.reuse_template = not config['REMOVE_TEMPLATE']
 
  38         self.keep_scenario_db = config['KEEP_TEST_DB']
 
  39         self.code_coverage_path = config['PHPCOV']
 
  40         self.code_coverage_id = 1
 
  41         os.environ['NOMINATIM_SETTINGS'] = self.local_settings_file
 
  43         self.template_db_done = False
 
  45     def next_code_coverage_file(self):
 
  46         fn = os.path.join(self.code_coverage_path, "%06d.cov" % self.code_coverage_id)
 
  47         self.code_coverage_id += 1
 
  51     def write_nominatim_config(self, dbname):
 
  52         f = open(self.local_settings_file, 'w')
 
  53         f.write("<?php\n  @define('CONST_Database_DSN', 'pgsql://@/%s');\n" % dbname)
 
  54         f.write("@define('CONST_Osm2pgsql_Flatnode_File', null);\n")
 
  59             os.remove(self.local_settings_file)
 
  61             pass # ignore missing file
 
  63     def db_drop_database(self, name):
 
  64         conn = psycopg2.connect(database='postgres')
 
  65         conn.set_isolation_level(0)
 
  67         cur.execute('DROP DATABASE IF EXISTS %s' % (name, ))
 
  70     def setup_template_db(self):
 
  71         if self.template_db_done:
 
  74         self.template_db_done = True
 
  76         if self.reuse_template:
 
  77             # check that the template is there
 
  78             conn = psycopg2.connect(database='postgres')
 
  80             cur.execute('select count(*) from pg_database where datname = %s',
 
  82             if cur.fetchone()[0] == 1:
 
  86             # just in case... make sure a previous table has been dropped
 
  87             self.db_drop_database(self.template_db)
 
  90             # call the first part of database setup
 
  91             self.write_nominatim_config(self.template_db)
 
  92             self.run_setup_script('create-db', 'setup-db')
 
  93             # remove external data to speed up indexing for tests
 
  94             conn = psycopg2.connect(database=self.template_db)
 
  96             cur.execute("""select tablename from pg_tables
 
  97                            where tablename in ('gb_postcode', 'us_postcode')""")
 
  99                 conn.cursor().execute('TRUNCATE TABLE %s' % (t[0],))
 
 103             # execute osm2pgsql import on an empty file to get the right tables
 
 104             with tempfile.NamedTemporaryFile(dir='/tmp', suffix='.xml') as fd:
 
 105                 fd.write(b'<osm version="0.6"></osm>')
 
 107                 self.run_setup_script('import-data',
 
 111                                       'create-partition-tables',
 
 112                                       'create-partition-functions',
 
 114                                       'create-search-indices',
 
 116                                       osm2pgsql_cache='200')
 
 118             self.db_drop_database(self.template_db)
 
 122     def setup_api_db(self, context):
 
 123         self.write_nominatim_config(self.api_test_db)
 
 125     def setup_db(self, context):
 
 126         self.setup_template_db()
 
 127         self.write_nominatim_config(self.test_db)
 
 128         conn = psycopg2.connect(database=self.template_db)
 
 129         conn.set_isolation_level(0)
 
 131         cur.execute('DROP DATABASE IF EXISTS %s' % (self.test_db, ))
 
 132         cur.execute('CREATE DATABASE %s TEMPLATE = %s' % (self.test_db, self.template_db))
 
 134         context.db = psycopg2.connect(database=self.test_db)
 
 135         if python_version[0] < 3:
 
 136             psycopg2.extras.register_hstore(context.db, globally=False, unicode=True)
 
 138             psycopg2.extras.register_hstore(context.db, globally=False)
 
 140     def teardown_db(self, context):
 
 144         if not self.keep_scenario_db:
 
 145             self.db_drop_database(self.test_db)
 
 147     def run_setup_script(self, *args, **kwargs):
 
 148         self.run_nominatim_script('setup', *args, **kwargs)
 
 150     def run_update_script(self, *args, **kwargs):
 
 151         self.run_nominatim_script('update', *args, **kwargs)
 
 153     def run_nominatim_script(self, script, *args, **kwargs):
 
 154         cmd = ['/usr/bin/env', 'php', '-Cq']
 
 155         cmd.append(os.path.join(self.build_dir, 'utils', '%s.php' % script))
 
 156         cmd.extend(['--%s' % x for x in args])
 
 157         for k, v in kwargs.items():
 
 158             cmd.extend(('--' + k.replace('_', '-'), str(v)))
 
 159         proc = subprocess.Popen(cmd, cwd=self.build_dir,
 
 160                                 stdout=subprocess.PIPE, stderr=subprocess.PIPE)
 
 161         (outp, outerr) = proc.communicate()
 
 162         logger.debug("run_nominatim_script: %s\n%s\n%s" % (cmd, outp, outerr))
 
 163         assert (proc.returncode == 0), "Script '%s' failed:\n%s\n%s\n" % (script, outp, outerr)
 
 166 class OSMDataFactory(object):
 
 169         scriptpath = os.path.dirname(os.path.abspath(__file__))
 
 170         self.scene_path = os.environ.get('SCENE_PATH',
 
 171                            os.path.join(scriptpath, '..', 'scenes', 'data'))
 
 172         self.scene_cache = {}
 
 175     def parse_geometry(self, geom, scene):
 
 176         if geom.find(':') >= 0:
 
 177             return "ST_SetSRID(%s, 4326)" % self.get_scene_geometry(scene, geom)
 
 179         if geom.find(',') < 0:
 
 180             out = "POINT(%s)" % self.mk_wkt_point(geom)
 
 181         elif geom.find('(') < 0:
 
 182             line = ','.join([self.mk_wkt_point(x) for x in geom.split(',')])
 
 183             out = "LINESTRING(%s)" % line
 
 185             inner = geom.strip('() ')
 
 186             line = ','.join([self.mk_wkt_point(x) for x in inner.split(',')])
 
 187             out = "POLYGON((%s))" % line
 
 189         return "ST_SetSRID('%s'::geometry, 4326)" % out
 
 191     def mk_wkt_point(self, point):
 
 193         if geom.find(' ') >= 0:
 
 196             pt = self.grid_node(int(geom))
 
 197             assert_is_not_none(pt, "Point not found in grid")
 
 200     def get_scene_geometry(self, default_scene, name):
 
 202         for obj in name.split('+'):
 
 204             if oname.startswith(':'):
 
 205                 assert_is_not_none(default_scene, "You need to set a scene")
 
 206                 defscene = self.load_scene(default_scene)
 
 207                 wkt = defscene[oname[1:]]
 
 209                 scene, obj = oname.split(':', 2)
 
 210                 scene_geoms = self.load_scene(scene)
 
 211                 wkt = scene_geoms[obj]
 
 213             geoms.append("'%s'::geometry" % wkt)
 
 218             return 'ST_LineMerge(ST_Collect(ARRAY[%s]))' % ','.join(geoms)
 
 220     def load_scene(self, name):
 
 221         if name in self.scene_cache:
 
 222             return self.scene_cache[name]
 
 225         with open(os.path.join(self.scene_path, "%s.wkt" % name), 'r') as fd:
 
 228                     obj, wkt = line.split('|', 2)
 
 229                     scene[obj.strip()] = wkt.strip()
 
 230             self.scene_cache[name] = scene
 
 234     def clear_grid(self):
 
 237     def add_grid_node(self, nodeid, x, y):
 
 238         self.grid[nodeid] = (x, y)
 
 240     def grid_node(self, nodeid):
 
 241         return self.grid.get(nodeid)
 
 244 def before_all(context):
 
 246     context.config.setup_logging()
 
 248     for k,v in userconfig.items():
 
 249         context.config.userdata.setdefault(k, v)
 
 250     logging.debug('User config: %s' %(str(context.config.userdata)))
 
 251     # Nominatim test setup
 
 252     context.nominatim = NominatimEnvironment(context.config.userdata)
 
 253     context.osm = OSMDataFactory()
 
 255 def after_all(context):
 
 256     context.nominatim.cleanup()
 
 259 def before_scenario(context, scenario):
 
 260     if 'DB' in context.tags:
 
 261         context.nominatim.setup_db(context)
 
 262     elif 'APIDB' in context.tags:
 
 263         context.nominatim.setup_api_db(context)
 
 266 def after_scenario(context, scenario):
 
 267     if 'DB' in context.tags:
 
 268         context.nominatim.teardown_db(context)