mirror of
https://github.com/osm-search/Nominatim.git
synced 2025-01-01 01:17:38 +03:00
84 lines
2.8 KiB
Python
84 lines
2.8 KiB
Python
# SPDX-License-Identifier: GPL-2.0-only
|
|
#
|
|
# This file is part of Nominatim. (https://nominatim.org)
|
|
#
|
|
# Copyright (C) 2022 by the Nominatim developer community.
|
|
# For a full list of authors see the git log.
|
|
"""
|
|
Sanitizer that preprocesses address tags for house numbers. The sanitizer
|
|
allows to
|
|
|
|
* define which tags are to be considered house numbers (see 'filter-kind')
|
|
* split house number lists into individual numbers (see 'delimiters')
|
|
|
|
Arguments:
|
|
delimiters: Define the set of characters to be used for
|
|
splitting a list of house numbers into parts. (default: ',;')
|
|
filter-kind: Define the address tags that are considered to be a
|
|
house number. Either takes a single string or a list of strings,
|
|
where each string is a regular expression. An address item
|
|
is considered a house number if the 'kind' fully matches any
|
|
of the given regular expressions. (default: 'housenumber')
|
|
convert-to-name: Define house numbers that should be treated as a name
|
|
instead of a house number. Either takes a single string
|
|
or a list of strings, where each string is a regular
|
|
expression that must match the full house number value.
|
|
"""
|
|
import re
|
|
|
|
class _HousenumberSanitizer:
|
|
|
|
def __init__(self, config):
|
|
self.filter_kind = config.get_filter_kind('housenumber')
|
|
self.split_regexp = config.get_delimiter()
|
|
|
|
nameregexps = config.get_string_list('convert-to-name', [])
|
|
self.is_name_regexp = [re.compile(r) for r in nameregexps]
|
|
|
|
|
|
|
|
def __call__(self, obj):
|
|
if not obj.address:
|
|
return
|
|
|
|
new_address = []
|
|
for item in obj.address:
|
|
if self.filter_kind(item):
|
|
if self._treat_as_name(item.name):
|
|
obj.names.append(item.clone(kind='housenumber'))
|
|
else:
|
|
new_address.extend(item.clone(kind='housenumber', name=n)
|
|
for n in self.sanitize(item.name))
|
|
else:
|
|
# Don't touch other address items.
|
|
new_address.append(item)
|
|
|
|
obj.address = new_address
|
|
|
|
|
|
def sanitize(self, value):
|
|
""" Extract housenumbers in a regularized format from an OSM value.
|
|
|
|
The function works as a generator that yields all valid housenumbers
|
|
that can be created from the value.
|
|
"""
|
|
for hnr in self.split_regexp.split(value):
|
|
if hnr:
|
|
yield from self._regularize(hnr)
|
|
|
|
|
|
@staticmethod
|
|
def _regularize(hnr):
|
|
yield hnr
|
|
|
|
|
|
def _treat_as_name(self, housenumber):
|
|
return any(r.fullmatch(housenumber) is not None for r in self.is_name_regexp)
|
|
|
|
|
|
def create(config):
|
|
""" Create a housenumber processing function.
|
|
"""
|
|
|
|
return _HousenumberSanitizer(config)
|