hexsha
stringlengths
40
40
size
int64
7
1.04M
ext
stringclasses
10 values
lang
stringclasses
1 value
max_stars_repo_path
stringlengths
4
247
max_stars_repo_name
stringlengths
4
125
max_stars_repo_head_hexsha
stringlengths
40
78
max_stars_repo_licenses
listlengths
1
10
max_stars_count
int64
1
368k
max_stars_repo_stars_event_min_datetime
stringlengths
24
24
max_stars_repo_stars_event_max_datetime
stringlengths
24
24
max_issues_repo_path
stringlengths
4
247
max_issues_repo_name
stringlengths
4
125
max_issues_repo_head_hexsha
stringlengths
40
78
max_issues_repo_licenses
listlengths
1
10
max_issues_count
int64
1
116k
max_issues_repo_issues_event_min_datetime
stringlengths
24
24
max_issues_repo_issues_event_max_datetime
stringlengths
24
24
max_forks_repo_path
stringlengths
4
247
max_forks_repo_name
stringlengths
4
125
max_forks_repo_head_hexsha
stringlengths
40
78
max_forks_repo_licenses
listlengths
1
10
max_forks_count
int64
1
105k
max_forks_repo_forks_event_min_datetime
stringlengths
24
24
max_forks_repo_forks_event_max_datetime
stringlengths
24
24
content
stringlengths
1
1.04M
avg_line_length
float64
1.77
618k
max_line_length
int64
1
1.02M
alphanum_fraction
float64
0
1
original_content
stringlengths
7
1.04M
filtered:remove_function_no_docstring
int64
-102
942k
filtered:remove_class_no_docstring
int64
-354
977k
filtered:remove_delete_markers
int64
0
60.1k
215499b87f796abd452312b91b2724408513c326
4,893
py
Python
rhea/system/stream/fifobus.py
mngr0/rhea
9ad8d193f7f78f1d192af438568d45fb5a398c8c
[ "MIT" ]
null
null
null
rhea/system/stream/fifobus.py
mngr0/rhea
9ad8d193f7f78f1d192af438568d45fb5a398c8c
[ "MIT" ]
null
null
null
rhea/system/stream/fifobus.py
mngr0/rhea
9ad8d193f7f78f1d192af438568d45fb5a398c8c
[ "MIT" ]
null
null
null
# # Copyright (c) 2013-2015 Christopher L. Felton # See the licence file in the top directory # import myhdl from myhdl import Signal, intbv, always_comb from ..clock import Clock from .streamers import Streamers _fb_num = 0 _fb_list = {} def _add_bus(fb, name=''): """ globally keep track of all the buses added. """ global _fb_num, _fb_list _fb_num += 1 _fb_list[name] = fb
35.201439
74
0.600245
# # Copyright (c) 2013-2015 Christopher L. Felton # See the licence file in the top directory # import myhdl from myhdl import Signal, intbv, always_comb from ..clock import Clock from .streamers import Streamers _fb_num = 0 _fb_list = {} def _add_bus(fb, name=''): """ globally keep track of all the buses added. """ global _fb_num, _fb_list _fb_num += 1 _fb_list[name] = fb class FIFOBus(Streamers): def __init__(self, width=8): """ A FIFO interface This interface encapsulates the signals required to interface to a FIFO. This object also contains the configuration information of a FIFO: word width and the FIFO size (depth). Arguments: size (int): The depth of the FIFO, the maximum number of elements a FIFO can hold. width (int): The width of the elements in the FIFO. """ self.name = "fifobus{0}".format(_fb_num) # @todo: add write clock and read clock to the interface! self.write_clock = Clock(0) self.read_clock = Clock(0) # all the data signals are from the perspective # of the FIFO being interfaced to. That is , write_data # means write_to and read_data means read_from self.clear = Signal(bool(0)) # fifo clear self.write = Signal(bool(0)) # write strobe to fifo self.write_data = Signal(intbv(0)[width:]) # fifo data in self.read = Signal(bool(0)) # fifo read strobe self.read_data = Signal(intbv(0)[width:]) # fifo data out self.read_valid = Signal(bool(0)) self.empty = Signal(bool(1)) # fifo empty self.full = Signal(bool(0)) # fifo full # The FIFO instance will attached the FIFO count self.count = None self.width = width # keep track of all the FIFOBus used. _add_bus(self, self.name) def __str__(self): s = "wr: {} {:04X}, rd: {} {:04X}, empty {}, full {}".format( int(self.write), int(self.write_data), int(self.read), int(self.read_data), int(self.empty), int(self.full)) return s def writetrans(self, data): """ Do a write transaction This generator will drive the FIFOBus signals required to perform a write. If the FIFO is full an exception is thrown. """ self._start_transaction(write=True, data=data) if not self.full: self.write.next = True self.write_data.next = data yield self.write_clock.posedge self.write.next = False self._end_transaction(self.write_data) def readtrans(self): """ Do a read transaction This generator will drive the FIFOBus signals required to perform a read. If the FIFO is empty an exception is thrown """ self._start_transaction(write=False) if not self.empty: self.read.next = True yield self.read_clock.posedge self.read.next = False while not self.valid: yield self.read_clock.posedge data = int(self.read_data) self._end_transaction(data) @myhdl.block def assign_read_write_paths(self, readpath, writepath): """ Assign the signals from the `readpath` to the read signals of this interface and same for write Arguments: readpath (FIFOBus): user readpath writepath (FIFOBus): user writepath +- write -> FIFOBus FIFO -> read FIFOBus User | +- read <- FIFOBus FIFO <- write The above depicts a common scenario, when a single FIFOBus interface is exposed to a user but internally there are two FIFOs, internally a FIFOBus is used for each FIFO, the internal interfaces need to be mapped to the user FIFOBus interface. When the user drives the write signals the write path write signals will mirror the external control, when the user reads from the FIFOBus the readpath read signals should mirror. """ assert isinstance(readpath, FIFOBus) assert isinstance(writepath, FIFOBus) @always_comb def beh_assign(): # write, from self perspective, self will be writing writepath.write.next = self.write writepath.write_data.next = self.write_data self.full.next = writepath.full # read, from self perspective, self will be reading readpath.read.next = self.read self.read_data.next = readpath.read_data self.read_valid.next = readpath.read_valid self.empty.next = readpath.empty return beh_assign
697
3,772
23
9d2f8b6243abe41aff1ec1f3cbc03b7f2abd38ac
3,215
py
Python
code/plot_likelihood_parameters.py
matfontaine/alpha_SpatialNMF
d4d64e187af3a808a4c0e380f704b1d9d7afdeaa
[ "CC0-1.0" ]
null
null
null
code/plot_likelihood_parameters.py
matfontaine/alpha_SpatialNMF
d4d64e187af3a808a4c0e380f704b1d9d7afdeaa
[ "CC0-1.0" ]
null
null
null
code/plot_likelihood_parameters.py
matfontaine/alpha_SpatialNMF
d4d64e187af3a808a4c0e380f704b1d9d7afdeaa
[ "CC0-1.0" ]
null
null
null
import matplotlib.pyplot as plt import matplotlib.gridspec as gridspec import pickle as pic import sys, os import numpy as np import math as math HYP = 1.4 BETA = 0.0 it = 500 S = 2 M = 2 K = 32 init = "circ" EST_DIR_A = "/home/mafontai/Documents/project/git_project/speech_separation/alpha_SpatialMNMF/results_2anechoic/dev/" SAVE_PATH_A = os.path.join(EST_DIR_A, "alpha=%s" % str(HYP), "beta=%s" % str(BETA)) file_path = os.path.join(SAVE_PATH_A, "alpha_SpatialMNMF-likelihood-interval=10-M={}-S={}-it={}-K={}-init={}-rand=1-ID=0.pic").format(str(M), str(S), str(it), str(K), init) data_likelihood = pic.load(open(file_path, 'rb')) li_it = np.arange(1, it + 1, 10) file_path = os.path.join(SAVE_PATH_A, "alpha_SpatialMNMF-parameters-M={}-S={}-it={}-K={}-init={}-rand=1-ID=0.npz").format(str(M), str(S), str(it), str(K), init) file = np.load(file_path) lambda_NFT = file['lambda_NFT'] lambda_true_NFT=file['lambda_true_NFT'] SM_NFP = file['SM_NFP'] fig_width_pt = 400.6937 # Get this from LaTeX using \showthe\columnwidth inches_per_pt = 1.0 / 72.27 # Convert pt to inch golden_mean = (math.sqrt(5) - 1.0) / 2.0 # Aesthetic ratio fig_width = fig_width_pt * inches_per_pt # width in inches fig_height = fig_width * golden_mean # height in inches fig_size = np.array([(S + 2) * fig_width, 3. * fig_height]) fig = plt.figure(tight_layout=True, figsize=fig_size) gs = gridspec.GridSpec(nrows=S + 2, ncols=3) # beta divergence ax = fig.add_subplot(gs[0, :]) ax.plot(li_it, data_likelihood) ax.set(xlabel='number of iterations', ylabel='beta_div', title='beta-divergence (beta={})'.format(BETA)) for n in range(S): ax = fig.add_subplot(gs[n+1, 0]) im = ax.imshow(np.log(lambda_true_NFT[n]), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='true logPSD s{}'.format(n+1)) ax = fig.add_subplot(gs[n+1, 1]) im = ax.imshow(np.log(lambda_NFT[n]), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='est logPSD s{}'.format(n+1)) ax = fig.add_subplot(gs[n+1, 2]) im = ax.imshow(SM_NFP[n], interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='directions', ylabel='frequency', title='spatial measure s{}'.format(n+1)) ax = fig.add_subplot(gs[-1, 0]) im = ax.imshow(np.log(lambda_true_NFT.sum(axis=0)), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='true logPSD x') ax = fig.add_subplot(gs[-1, 1]) im = ax.imshow(np.log(lambda_NFT.sum(axis=0)), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='est logPSD x') ax = fig.add_subplot(gs[-1, 2]) im = ax.imshow(SM_NFP.sum(axis=0), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='directions', ylabel='frequency', title='spatial measure x') fig.align_labels() fig.subplots_adjust(wspace=0.2, hspace=0.7) plt.savefig("results.png", bbox_inches='tight', dpi=300)
39.691358
172
0.691135
import matplotlib.pyplot as plt import matplotlib.gridspec as gridspec import pickle as pic import sys, os import numpy as np import math as math HYP = 1.4 BETA = 0.0 it = 500 S = 2 M = 2 K = 32 init = "circ" EST_DIR_A = "/home/mafontai/Documents/project/git_project/speech_separation/alpha_SpatialMNMF/results_2anechoic/dev/" SAVE_PATH_A = os.path.join(EST_DIR_A, "alpha=%s" % str(HYP), "beta=%s" % str(BETA)) file_path = os.path.join(SAVE_PATH_A, "alpha_SpatialMNMF-likelihood-interval=10-M={}-S={}-it={}-K={}-init={}-rand=1-ID=0.pic").format(str(M), str(S), str(it), str(K), init) data_likelihood = pic.load(open(file_path, 'rb')) li_it = np.arange(1, it + 1, 10) file_path = os.path.join(SAVE_PATH_A, "alpha_SpatialMNMF-parameters-M={}-S={}-it={}-K={}-init={}-rand=1-ID=0.npz").format(str(M), str(S), str(it), str(K), init) file = np.load(file_path) lambda_NFT = file['lambda_NFT'] lambda_true_NFT=file['lambda_true_NFT'] SM_NFP = file['SM_NFP'] fig_width_pt = 400.6937 # Get this from LaTeX using \showthe\columnwidth inches_per_pt = 1.0 / 72.27 # Convert pt to inch golden_mean = (math.sqrt(5) - 1.0) / 2.0 # Aesthetic ratio fig_width = fig_width_pt * inches_per_pt # width in inches fig_height = fig_width * golden_mean # height in inches fig_size = np.array([(S + 2) * fig_width, 3. * fig_height]) fig = plt.figure(tight_layout=True, figsize=fig_size) gs = gridspec.GridSpec(nrows=S + 2, ncols=3) # beta divergence ax = fig.add_subplot(gs[0, :]) ax.plot(li_it, data_likelihood) ax.set(xlabel='number of iterations', ylabel='beta_div', title='beta-divergence (beta={})'.format(BETA)) for n in range(S): ax = fig.add_subplot(gs[n+1, 0]) im = ax.imshow(np.log(lambda_true_NFT[n]), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='true logPSD s{}'.format(n+1)) ax = fig.add_subplot(gs[n+1, 1]) im = ax.imshow(np.log(lambda_NFT[n]), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='est logPSD s{}'.format(n+1)) ax = fig.add_subplot(gs[n+1, 2]) im = ax.imshow(SM_NFP[n], interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='directions', ylabel='frequency', title='spatial measure s{}'.format(n+1)) ax = fig.add_subplot(gs[-1, 0]) im = ax.imshow(np.log(lambda_true_NFT.sum(axis=0)), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='true logPSD x') ax = fig.add_subplot(gs[-1, 1]) im = ax.imshow(np.log(lambda_NFT.sum(axis=0)), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='time frame', ylabel='frequency', title='est logPSD x') ax = fig.add_subplot(gs[-1, 2]) im = ax.imshow(SM_NFP.sum(axis=0), interpolation='nearest', origin='lower', aspect='auto') fig.colorbar(im, ax=ax) ax.set(xlabel='directions', ylabel='frequency', title='spatial measure x') fig.align_labels() fig.subplots_adjust(wspace=0.2, hspace=0.7) plt.savefig("results.png", bbox_inches='tight', dpi=300)
0
0
0
69073497cb0a3bfc6f2b0ab40c3ed6ca440904e9
8,528
py
Python
tests/parts/test_fields.py
peterandluc/PyHDB
826539d06b8bcef74fe755e7489b8a8255628f12
[ "Apache-2.0" ]
332
2015-01-03T21:50:28.000Z
2021-04-28T08:37:18.000Z
tests/parts/test_fields.py
peterandluc/PyHDB
826539d06b8bcef74fe755e7489b8a8255628f12
[ "Apache-2.0" ]
132
2015-01-12T10:26:09.000Z
2021-05-04T17:46:34.000Z
tests/parts/test_fields.py
peterandluc/PyHDB
826539d06b8bcef74fe755e7489b8a8255628f12
[ "Apache-2.0" ]
147
2015-01-10T16:25:29.000Z
2021-04-08T08:02:20.000Z
# Copyright 2014, 2015 SAP SE. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http: //www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, # software distributed under the License is distributed on an # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, # either express or implied. See the License for the specific # language governing permissions and limitations under the License. from io import BytesIO from pyhdb.protocol.parts import Fields
60.48227
77
0.681168
# Copyright 2014, 2015 SAP SE. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http: //www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, # software distributed under the License is distributed on an # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, # either express or implied. See the License for the specific # language governing permissions and limitations under the License. from io import BytesIO from pyhdb.protocol.parts import Fields def test_pack_data(): packed = Fields.pack_data(["Hello", "World"]) assert packed == \ b"\x02\x00\x05\x48\x65\x6c\x6c\x6f\x05\x57\x6f\x72\x6c\x64" def test_unpack_data(): packed = BytesIO( b"\x02\x00\x05\x48\x65\x6c\x6c\x6f\x05\x57\x6f\x72\x6c\x64" ) unpacked = Fields.unpack_data(packed) assert unpacked == [b"Hello", b"World"] def test_pack_large_data(): packed = Fields.pack_data([ b"97f0f004be65439846e0eae3e67edacbaa6e578d1e8ba1e3d2f57e18460967d1" b"433bd920e7e9221c4a4631f59730096f73f8df748b990c24dec2714ba8ade446" b"28eeffe47b54447c452f1bebdc6a21e00f576daca1ec2c1f991fc3c465c7b493" b"900e8c8bc79b772f47802d2fb7424dec7aae835c2802974802e5a4a1b79dcb63" b"a7c18846a1171d8e2150ce804b68a7db02810a058159", b"e7d536e3f67ce32a6e4a439880d28010df2199459b4e2836e272fba1d8597479" b"ff76db462267029601579310a36e49b2bc34aade017f57e4d40f110abea1a1bd" b"f4a17a1e20f28fe3751e83ffd3dc383b6e965e3a9f5d28d4378d31fa70dda065" b"1fa09ab1fc3a817148da42b3dcbeb4264d1ec6a7385abf3b9598459b337bbf6a" b"41fb49769e20735e5842fcb1e3ee1d19bfd2e7e249f5" ]) assert packed == \ b"\x02\x00\xFF\x2C\x01\x39\x37\x66\x30\x66\x30\x30\x34\x62\x65\x36" \ b"\x35\x34\x33\x39\x38\x34\x36\x65\x30\x65\x61\x65\x33\x65\x36\x37" \ b"\x65\x64\x61\x63\x62\x61\x61\x36\x65\x35\x37\x38\x64\x31\x65\x38" \ b"\x62\x61\x31\x65\x33\x64\x32\x66\x35\x37\x65\x31\x38\x34\x36\x30" \ b"\x39\x36\x37\x64\x31\x34\x33\x33\x62\x64\x39\x32\x30\x65\x37\x65" \ b"\x39\x32\x32\x31\x63\x34\x61\x34\x36\x33\x31\x66\x35\x39\x37\x33" \ b"\x30\x30\x39\x36\x66\x37\x33\x66\x38\x64\x66\x37\x34\x38\x62\x39" \ b"\x39\x30\x63\x32\x34\x64\x65\x63\x32\x37\x31\x34\x62\x61\x38\x61" \ b"\x64\x65\x34\x34\x36\x32\x38\x65\x65\x66\x66\x65\x34\x37\x62\x35" \ b"\x34\x34\x34\x37\x63\x34\x35\x32\x66\x31\x62\x65\x62\x64\x63\x36" \ b"\x61\x32\x31\x65\x30\x30\x66\x35\x37\x36\x64\x61\x63\x61\x31\x65" \ b"\x63\x32\x63\x31\x66\x39\x39\x31\x66\x63\x33\x63\x34\x36\x35\x63" \ b"\x37\x62\x34\x39\x33\x39\x30\x30\x65\x38\x63\x38\x62\x63\x37\x39" \ b"\x62\x37\x37\x32\x66\x34\x37\x38\x30\x32\x64\x32\x66\x62\x37\x34" \ b"\x32\x34\x64\x65\x63\x37\x61\x61\x65\x38\x33\x35\x63\x32\x38\x30" \ b"\x32\x39\x37\x34\x38\x30\x32\x65\x35\x61\x34\x61\x31\x62\x37\x39" \ b"\x64\x63\x62\x36\x33\x61\x37\x63\x31\x38\x38\x34\x36\x61\x31\x31" \ b"\x37\x31\x64\x38\x65\x32\x31\x35\x30\x63\x65\x38\x30\x34\x62\x36" \ b"\x38\x61\x37\x64\x62\x30\x32\x38\x31\x30\x61\x30\x35\x38\x31\x35" \ b"\x39\xFF\x2C\x01\x65\x37\x64\x35\x33\x36\x65\x33\x66\x36\x37\x63" \ b"\x65\x33\x32\x61\x36\x65\x34\x61\x34\x33\x39\x38\x38\x30\x64\x32" \ b"\x38\x30\x31\x30\x64\x66\x32\x31\x39\x39\x34\x35\x39\x62\x34\x65" \ b"\x32\x38\x33\x36\x65\x32\x37\x32\x66\x62\x61\x31\x64\x38\x35\x39" \ b"\x37\x34\x37\x39\x66\x66\x37\x36\x64\x62\x34\x36\x32\x32\x36\x37" \ b"\x30\x32\x39\x36\x30\x31\x35\x37\x39\x33\x31\x30\x61\x33\x36\x65" \ b"\x34\x39\x62\x32\x62\x63\x33\x34\x61\x61\x64\x65\x30\x31\x37\x66" \ b"\x35\x37\x65\x34\x64\x34\x30\x66\x31\x31\x30\x61\x62\x65\x61\x31" \ b"\x61\x31\x62\x64\x66\x34\x61\x31\x37\x61\x31\x65\x32\x30\x66\x32" \ b"\x38\x66\x65\x33\x37\x35\x31\x65\x38\x33\x66\x66\x64\x33\x64\x63" \ b"\x33\x38\x33\x62\x36\x65\x39\x36\x35\x65\x33\x61\x39\x66\x35\x64" \ b"\x32\x38\x64\x34\x33\x37\x38\x64\x33\x31\x66\x61\x37\x30\x64\x64" \ b"\x61\x30\x36\x35\x31\x66\x61\x30\x39\x61\x62\x31\x66\x63\x33\x61" \ b"\x38\x31\x37\x31\x34\x38\x64\x61\x34\x32\x62\x33\x64\x63\x62\x65" \ b"\x62\x34\x32\x36\x34\x64\x31\x65\x63\x36\x61\x37\x33\x38\x35\x61" \ b"\x62\x66\x33\x62\x39\x35\x39\x38\x34\x35\x39\x62\x33\x33\x37\x62" \ b"\x62\x66\x36\x61\x34\x31\x66\x62\x34\x39\x37\x36\x39\x65\x32\x30" \ b"\x37\x33\x35\x65\x35\x38\x34\x32\x66\x63\x62\x31\x65\x33\x65\x65" \ b"\x31\x64\x31\x39\x62\x66\x64\x32\x65\x37\x65\x32\x34\x39\x66\x35" def test_unpack_large_data(): packed = BytesIO( b"\x02\x00\xFF\x2C\x01\x39\x37\x66\x30\x66\x30\x30\x34\x62\x65\x36" b"\x35\x34\x33\x39\x38\x34\x36\x65\x30\x65\x61\x65\x33\x65\x36\x37" b"\x65\x64\x61\x63\x62\x61\x61\x36\x65\x35\x37\x38\x64\x31\x65\x38" b"\x62\x61\x31\x65\x33\x64\x32\x66\x35\x37\x65\x31\x38\x34\x36\x30" b"\x39\x36\x37\x64\x31\x34\x33\x33\x62\x64\x39\x32\x30\x65\x37\x65" b"\x39\x32\x32\x31\x63\x34\x61\x34\x36\x33\x31\x66\x35\x39\x37\x33" b"\x30\x30\x39\x36\x66\x37\x33\x66\x38\x64\x66\x37\x34\x38\x62\x39" b"\x39\x30\x63\x32\x34\x64\x65\x63\x32\x37\x31\x34\x62\x61\x38\x61" b"\x64\x65\x34\x34\x36\x32\x38\x65\x65\x66\x66\x65\x34\x37\x62\x35" b"\x34\x34\x34\x37\x63\x34\x35\x32\x66\x31\x62\x65\x62\x64\x63\x36" b"\x61\x32\x31\x65\x30\x30\x66\x35\x37\x36\x64\x61\x63\x61\x31\x65" b"\x63\x32\x63\x31\x66\x39\x39\x31\x66\x63\x33\x63\x34\x36\x35\x63" b"\x37\x62\x34\x39\x33\x39\x30\x30\x65\x38\x63\x38\x62\x63\x37\x39" b"\x62\x37\x37\x32\x66\x34\x37\x38\x30\x32\x64\x32\x66\x62\x37\x34" b"\x32\x34\x64\x65\x63\x37\x61\x61\x65\x38\x33\x35\x63\x32\x38\x30" b"\x32\x39\x37\x34\x38\x30\x32\x65\x35\x61\x34\x61\x31\x62\x37\x39" b"\x64\x63\x62\x36\x33\x61\x37\x63\x31\x38\x38\x34\x36\x61\x31\x31" b"\x37\x31\x64\x38\x65\x32\x31\x35\x30\x63\x65\x38\x30\x34\x62\x36" b"\x38\x61\x37\x64\x62\x30\x32\x38\x31\x30\x61\x30\x35\x38\x31\x35" b"\x39\xFF\x2C\x01\x65\x37\x64\x35\x33\x36\x65\x33\x66\x36\x37\x63" b"\x65\x33\x32\x61\x36\x65\x34\x61\x34\x33\x39\x38\x38\x30\x64\x32" b"\x38\x30\x31\x30\x64\x66\x32\x31\x39\x39\x34\x35\x39\x62\x34\x65" b"\x32\x38\x33\x36\x65\x32\x37\x32\x66\x62\x61\x31\x64\x38\x35\x39" b"\x37\x34\x37\x39\x66\x66\x37\x36\x64\x62\x34\x36\x32\x32\x36\x37" b"\x30\x32\x39\x36\x30\x31\x35\x37\x39\x33\x31\x30\x61\x33\x36\x65" b"\x34\x39\x62\x32\x62\x63\x33\x34\x61\x61\x64\x65\x30\x31\x37\x66" b"\x35\x37\x65\x34\x64\x34\x30\x66\x31\x31\x30\x61\x62\x65\x61\x31" b"\x61\x31\x62\x64\x66\x34\x61\x31\x37\x61\x31\x65\x32\x30\x66\x32" b"\x38\x66\x65\x33\x37\x35\x31\x65\x38\x33\x66\x66\x64\x33\x64\x63" b"\x33\x38\x33\x62\x36\x65\x39\x36\x35\x65\x33\x61\x39\x66\x35\x64" b"\x32\x38\x64\x34\x33\x37\x38\x64\x33\x31\x66\x61\x37\x30\x64\x64" b"\x61\x30\x36\x35\x31\x66\x61\x30\x39\x61\x62\x31\x66\x63\x33\x61" b"\x38\x31\x37\x31\x34\x38\x64\x61\x34\x32\x62\x33\x64\x63\x62\x65" b"\x62\x34\x32\x36\x34\x64\x31\x65\x63\x36\x61\x37\x33\x38\x35\x61" b"\x62\x66\x33\x62\x39\x35\x39\x38\x34\x35\x39\x62\x33\x33\x37\x62" b"\x62\x66\x36\x61\x34\x31\x66\x62\x34\x39\x37\x36\x39\x65\x32\x30" b"\x37\x33\x35\x65\x35\x38\x34\x32\x66\x63\x62\x31\x65\x33\x65\x65" b"\x31\x64\x31\x39\x62\x66\x64\x32\x65\x37\x65\x32\x34\x39\x66\x35" ) unpacked = Fields.unpack_data(packed) assert unpacked == [ b"97f0f004be65439846e0eae3e67edacbaa6e578d1e8ba1e3d2f57e18460967d1" b"433bd920e7e9221c4a4631f59730096f73f8df748b990c24dec2714ba8ade446" b"28eeffe47b54447c452f1bebdc6a21e00f576daca1ec2c1f991fc3c465c7b493" b"900e8c8bc79b772f47802d2fb7424dec7aae835c2802974802e5a4a1b79dcb63" b"a7c18846a1171d8e2150ce804b68a7db02810a058159", b"e7d536e3f67ce32a6e4a439880d28010df2199459b4e2836e272fba1d8597479" b"ff76db462267029601579310a36e49b2bc34aade017f57e4d40f110abea1a1bd" b"f4a17a1e20f28fe3751e83ffd3dc383b6e965e3a9f5d28d4378d31fa70dda065" b"1fa09ab1fc3a817148da42b3dcbeb4264d1ec6a7385abf3b9598459b337bbf6a" b"41fb49769e20735e5842fcb1e3ee1d19bfd2e7e249f5" ]
7,794
0
92
cc3165670824b1fcde6ca5d3c946a9eaf5909394
132
py
Python
desafio03.py
TrojanYT/TrojanPython
d64b9b6c1889e4fb637a7dacf850f7e159dd92aa
[ "MIT" ]
null
null
null
desafio03.py
TrojanYT/TrojanPython
d64b9b6c1889e4fb637a7dacf850f7e159dd92aa
[ "MIT" ]
null
null
null
desafio03.py
TrojanYT/TrojanPython
d64b9b6c1889e4fb637a7dacf850f7e159dd92aa
[ "MIT" ]
null
null
null
n1 = input('Digite o primeiro número? ') n2 = input('Digite o segundo número? ') soma = int(n1) + int(n2) print('A soma é: ', soma)
26.4
40
0.636364
n1 = input('Digite o primeiro número? ') n2 = input('Digite o segundo número? ') soma = int(n1) + int(n2) print('A soma é: ', soma)
0
0
0
4c4628ff35b366104fe2e07d36da43520634355b
11,938
py
Python
models/hourglass_relu/hg_blocks.py
dp-isi/VaryingSkinTone
2e595c1d668a8424d86b76dae1fef4b607c26fc8
[ "MIT" ]
null
null
null
models/hourglass_relu/hg_blocks.py
dp-isi/VaryingSkinTone
2e595c1d668a8424d86b76dae1fef4b607c26fc8
[ "MIT" ]
null
null
null
models/hourglass_relu/hg_blocks.py
dp-isi/VaryingSkinTone
2e595c1d668a8424d86b76dae1fef4b607c26fc8
[ "MIT" ]
null
null
null
from keras.models import * from keras.layers import * from keras.optimizers import Adam, RMSprop from keras.losses import mean_squared_error import keras.backend as K # from keras_lr_multiplier import LRMultiplier ''' code source: https://github.com/yuanyuanli85/Stacked_Hourglass_Network_Keras ''' import os # os.system('export CUDA_VISIBLE_DEVICES=1') os.environ['CUDA_VISIBLE_DEVICES']='1' # inres=(256,256) # num_channels=3 # bottleneck=bottleneck_mobile def connect_left_to_right(left, right, bottleneck, name, num_channels): ''' :param left: connect left feature to right feature :param name: layer name :return: ''' # left -> 1 bottlenect # right -> upsampling # Add -> left + right _xleft = bottleneck(left, num_channels, name + '_connect') _xright = UpSampling2D()(right) add = Add()([_xleft, _xright]) out = bottleneck(add, num_channels, name + '_connect_conv') return out # def create_heads(prelayerfeatures, rf1, num_classes, hgid, num_channels): # # two head, one head to next stage, one head to intermediate features # head = Conv2D(num_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=str(hgid) + '_conv_1x1_x1')( # rf1) # head = BatchNormalization()(head) # # for head as intermediate supervision, use 'linear' as activation. # head_parts = Conv2D(num_classes, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_parts')(head) # head_parts_debapriya = head_parts # # #moule to convert to coordinate from image # # head_parts_debapriya = Flatten()(head_parts) # # # head_parts_debapriya = Dense(2048,activation = 'sigmoid')(head_parts_debapriya) # # # head_parts_debapriya = Dense(1024,activation = 'sigmoid')(head_parts_debapriya) # # head_parts_debapriya = Dense(1024,activation = 'sigmoid')(head_parts_debapriya) # # head_parts_debapriya = Dense(num_classes*2,activation = 'sigmoid')(head_parts_debapriya) # # use linear activation # head = Conv2D(num_channels, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_x2')(head) # head_m = Conv2D(num_channels, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_x3')(head_parts) # head_next_stage = Add()([head, head_m, prelayerfeatures]) # return head_next_stage, head_parts,head_parts_debapriya
40.467797
145
0.667951
from keras.models import * from keras.layers import * from keras.optimizers import Adam, RMSprop from keras.losses import mean_squared_error import keras.backend as K # from keras_lr_multiplier import LRMultiplier ''' code source: https://github.com/yuanyuanli85/Stacked_Hourglass_Network_Keras ''' import os # os.system('export CUDA_VISIBLE_DEVICES=1') os.environ['CUDA_VISIBLE_DEVICES']='1' # inres=(256,256) # num_channels=3 # bottleneck=bottleneck_mobile def create_hourglass_network(num_classes, num_stacks, num_channels, inres, outres, bottleneck,inchannel): num_channels = int(num_channels) inchannel = int(inchannel) num_classes = int(num_classes) input = Input(shape=(int(inres[0]), int(inres[1]), inchannel)) front_features = create_front_module(input, num_channels, bottleneck) #contain 3 res blocks head_next_stage = front_features # masked_person = Lambda(lambda a: a[:,:,:,:3])(input) # cloth = Lambda(lambda a: a[:,:,:,3:6])(input) outputs = [] for i in range(num_stacks): head_next_stage, head_to_loss = hourglass_module(head_next_stage, num_classes, num_channels, bottleneck, i,[input]) # outputs.append(head_to_loss) outputs.append(head_to_loss) model = Model(inputs=input, outputs=outputs) rms = RMSprop(lr=5e-4) model.compile(optimizer=rms, loss=mean_squared_error, metrics=["accuracy"]) #new code part #extra -- upto3rd layer lr different # model_temp = Model(inputs=input, outputs=outputs[:3]) # trained_layers = model_temp.layers # dict1={} # for i in model.layers: # if(i in trained_layers): # dict1[i.name]=5e-4/2.0 # else: # dict1[i.name]=5e-4 # optimizer=LRMultiplier('RMSprop', dict1) # model.compile(optimizer=optimizer, loss=mean_squared_error, metrics=["accuracy"]) return model#,model_temp def hourglass_module(bottom, num_classes, num_channels, bottleneck, hgid,list_inputs): # create left features , f1, f2, f4, and f8 left_features = create_left_half_blocks(bottom, bottleneck, hgid, num_channels) # create right features, connect with left features rf1 = create_right_half_blocks(left_features, bottleneck, hgid, num_channels) # add 1x1 conv with two heads, head_next_stage is sent to next stage # head_parts is used for intermediate supervision head_next_stage, head_parts = create_heads(bottom, rf1, num_classes, hgid, num_channels,list_inputs) return head_next_stage, head_parts def bottleneck_block(bottom, num_out_channels, block_name): # skip layer if K.int_shape(bottom)[-1] == num_out_channels: _skip = bottom else: _skip = Conv2D(num_out_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + 'skip')(bottom) # residual: 3 conv blocks, [num_out_channels/2 -> num_out_channels/2 -> num_out_channels] _x = Conv2D(num_out_channels // 2, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + '_conv_1x1_x1')(bottom) _x = BatchNormalization()(_x) _x = Conv2D(num_out_channels // 2, kernel_size=(3, 3), activation='tanh', padding='same', name=block_name + '_conv_3x3_x2')(_x) _x = BatchNormalization()(_x) _x = Conv2D(num_out_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + '_conv_1x1_x3')(_x) _x = BatchNormalization()(_x) _x = Add(name=block_name + '_residual')([_skip, _x]) return _x def bottleneck_mobile(bottom, num_out_channels, block_name): # skip layer if K.int_shape(bottom)[-1] == num_out_channels: _skip = bottom else: _skip = SeparableConv2D(num_out_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + 'skip')(bottom) # residual: 3 conv blocks, [num_out_channels/2 -> num_out_channels/2 -> num_out_channels] _x = SeparableConv2D(num_out_channels // 2, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + '_conv_1x1_x1')(bottom) _x = BatchNormalization()(_x) _x = SeparableConv2D(num_out_channels // 2, kernel_size=(3, 3), activation='tanh', padding='same', name=block_name + '_conv_3x3_x2')(_x) _x = BatchNormalization()(_x) _x = SeparableConv2D(num_out_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=block_name + '_conv_1x1_x3')(_x) _x = BatchNormalization()(_x) _x = Add(name=block_name + '_residual')([_skip, _x]) return _x def create_front_module(input, num_channels, bottleneck,name_code='default'): # front module, input to 1/4 resolution # 1 7x7 conv + maxpooling # 3 residual block _x = Conv2D(64, kernel_size=(7, 7), strides=(1,1), padding='same', activation='tanh', name='front_conv_1x1_x1_%s'%(name_code))( input) _x = BatchNormalization()(_x) _x = bottleneck(_x, num_channels // 2, 'front_residual_x1_%s'%(name_code)) # _x = MaxPool2D(pool_size=(2, 2), strides=(2, 2))(_x) _x = bottleneck(_x, num_channels // 2, 'front_residual_x2_%s'%(name_code)) _x = bottleneck(_x, num_channels, 'front_residual_x3_%s'%(name_code)) # model1 = Model(inputs=[input],outputs=[_x]) return _x def create_left_half_blocks(bottom, bottleneck, hglayer, num_channels): # create left half blocks for hourglass module # f1, f2, f4 , f8 : 1, 1/2, 1/4 1/8 resolution hgname = 'hg' + str(hglayer) f1 = bottleneck(bottom, num_channels, hgname + '_l1') _x = MaxPool2D(pool_size=(2, 2), strides=(2, 2))(f1) f2 = bottleneck(_x, num_channels, hgname + '_l2') _x = MaxPool2D(pool_size=(2, 2), strides=(2, 2))(f2) f4 = bottleneck(_x, num_channels, hgname + '_l4') _x = MaxPool2D(pool_size=(2, 2), strides=(2, 2))(f4) f8 = bottleneck(_x, num_channels, hgname + '_l8') return (f1, f2, f4, f8) def connect_left_to_right(left, right, bottleneck, name, num_channels): ''' :param left: connect left feature to right feature :param name: layer name :return: ''' # left -> 1 bottlenect # right -> upsampling # Add -> left + right _xleft = bottleneck(left, num_channels, name + '_connect') _xright = UpSampling2D()(right) add = Add()([_xleft, _xright]) out = bottleneck(add, num_channels, name + '_connect_conv') return out def bottom_layer(lf8, bottleneck, hgid, num_channels): # blocks in lowest resolution # 3 bottlenect blocks + Add lf8_connect = bottleneck(lf8, num_channels, str(hgid) + "_lf8") _x = bottleneck(lf8, num_channels, str(hgid) + "_lf8_x1") _x = bottleneck(_x, num_channels, str(hgid) + "_lf8_x2") _x = bottleneck(_x, num_channels, str(hgid) + "_lf8_x3") rf8 = Add()([_x, lf8_connect]) return rf8 def create_right_half_blocks(leftfeatures, bottleneck, hglayer, num_channels): lf1, lf2, lf4, lf8 = leftfeatures rf8 = bottom_layer(lf8, bottleneck, hglayer, num_channels) rf4 = connect_left_to_right(lf4, rf8, bottleneck, 'hg' + str(hglayer) + '_rf4', num_channels) rf2 = connect_left_to_right(lf2, rf4, bottleneck, 'hg' + str(hglayer) + '_rf2', num_channels) rf1 = connect_left_to_right(lf1, rf2, bottleneck, 'hg' + str(hglayer) + '_rf1', num_channels) return rf1 # def create_heads(prelayerfeatures, rf1, num_classes, hgid, num_channels): # # two head, one head to next stage, one head to intermediate features # head = Conv2D(num_channels, kernel_size=(1, 1), activation='tanh', padding='same', name=str(hgid) + '_conv_1x1_x1')( # rf1) # head = BatchNormalization()(head) # # for head as intermediate supervision, use 'linear' as activation. # head_parts = Conv2D(num_classes, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_parts')(head) # head_parts_debapriya = head_parts # # #moule to convert to coordinate from image # # head_parts_debapriya = Flatten()(head_parts) # # # head_parts_debapriya = Dense(2048,activation = 'sigmoid')(head_parts_debapriya) # # # head_parts_debapriya = Dense(1024,activation = 'sigmoid')(head_parts_debapriya) # # head_parts_debapriya = Dense(1024,activation = 'sigmoid')(head_parts_debapriya) # # head_parts_debapriya = Dense(num_classes*2,activation = 'sigmoid')(head_parts_debapriya) # # use linear activation # head = Conv2D(num_channels, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_x2')(head) # head_m = Conv2D(num_channels, kernel_size=(1, 1), activation='sigmoid', padding='same', # name=str(hgid) + '_conv_1x1_x3')(head_parts) # head_next_stage = Add()([head, head_m, prelayerfeatures]) # return head_next_stage, head_parts,head_parts_debapriya def create_heads(prelayerfeatures, rf1, num_classes, hgid, num_channels,list_inputs): # two head, one head to next stage, one head to intermediate features # [masked_person] = list_inputs head = Conv2D(num_channels, kernel_size=(3, 3), activation='tanh', padding='same', name=str(hgid) + '_conv_1x1_x1')( rf1) head = BatchNormalization()(head) # for head as intermediate supervision, use 'linear' as activation. output_img = Conv2D(3, kernel_size=(1, 1), activation='sigmoid', padding='same', name=str(hgid)+'out_im' + '_conv_3x3_parts')(head) # output_mask = Conv2D(1, kernel_size=(1, 1), padding='same', # name=str(hgid)+'out_mask' + '_conv_1x1_parts', activation='sigmoid',kernel_regularizer=regularizers.l1(0.01))(head) # output_mask1 = Lambda(lambda a: K.repeat_elements(a,3,axis=-1))(output_mask) # # #mask from image # output_cl_mask = Conv2D(1, kernel_size=(1, 1), padding='same', # name=str(hgid)+'out_mask_cl' + '_conv_1x1_parts', activation='sigmoid',kernel_regularizer=regularizers.l1(0.01))(head) # output_cl_mask1 = Lambda(lambda a: K.repeat_elements(a,3,axis=-1))(output_cl_mask) # #mask from cloth # output_img_mask = Conv2D(1, kernel_size=(1, 1), padding='same', # name=str(hgid)+'out_mask_img' + '_conv_1x1_parts', activation='sigmoid',kernel_regularizer=regularizers.l1(0.01))(head) # output_img_mask1 = Lambda(lambda a: K.repeat_elements(a,3,axis=-1))(output_img_mask) # output_img_combi = Lambda( lambda d: d[-1]*d[1] + (1-d[1])*d[0] )([masked_person,output_mask1,output_img]) # output_img_combi = Lambda( lambda d: d[-1]*d[1] + (1-d[1])*d[0] )([masked_person,output_img_mask1,output_img]) # output_img_combi = Lambda( lambda d: d[-1]*d[1] + (1-d[1])*d[0] )([cloth,output_cl_mask1,output_img_combi]) # output_img_combi = Lambda( lambda d: d[0]*d[-1] + d[] )([masked_person,output_img,cloth,output_cl_mask1,output_img_mask1]) # head_parts = Concatenate(axis=-1)([output_img,output_mask,output_img_combi]) # head_parts = Concatenate(axis=-1)([output_img,output_cl_mask,output_img_mask,output_img_combi]) head_parts = output_img # head_parts = Conv2D(num_classes, kernel_size=(1, 1), activation='linear', padding='same', # name=str(hgid) + '_conv_1x1_parts')(head) # use linear activation head = Conv2D(num_channels, kernel_size=(1, 1), activation='linear', padding='same', name=str(hgid) + '_conv_1x1_x2')(head) head_m = Conv2D(num_channels, kernel_size=(1, 1), activation='linear', padding='same', name=str(hgid) + '_conv_1x1_x3')(head_parts) head_next_stage = Add()([head, head_m, prelayerfeatures]) return head_next_stage, head_parts def euclidean_loss(x, y): return K.sqrt(K.sum(K.square(x - y)))
9,208
0
229
1688966a6e7972cf565faa45fe80c6782bde8c46
469
py
Python
project_euler_5.py
andrazm123/Project-Euler
260a46810bce73e1079c13518ae94732c8cb1acb
[ "MIT" ]
null
null
null
project_euler_5.py
andrazm123/Project-Euler
260a46810bce73e1079c13518ae94732c8cb1acb
[ "MIT" ]
null
null
null
project_euler_5.py
andrazm123/Project-Euler
260a46810bce73e1079c13518ae94732c8cb1acb
[ "MIT" ]
null
null
null
def gcd(a, b): '''Najvecji skupni veckratnik''' if b == 0: return a else: return gcd(b, a % b) def lcm(a, b): '''Najmanjsi skupni delitelj''' return int((a * b) / gcd(a, b)) def stevilo_deljivo_prvimi_stevili(n): '''Vrne najmanjso stevilo deljivo s prvimi n naravnimi stevili''' if n == 1: return 1 else: return lcm(n, stevilo_deljivo_prvimi_stevili(n - 1)) print(stevilo_deljivo_prvimi_stevili(20))
21.318182
69
0.607676
def gcd(a, b): '''Najvecji skupni veckratnik''' if b == 0: return a else: return gcd(b, a % b) def lcm(a, b): '''Najmanjsi skupni delitelj''' return int((a * b) / gcd(a, b)) def stevilo_deljivo_prvimi_stevili(n): '''Vrne najmanjso stevilo deljivo s prvimi n naravnimi stevili''' if n == 1: return 1 else: return lcm(n, stevilo_deljivo_prvimi_stevili(n - 1)) print(stevilo_deljivo_prvimi_stevili(20))
0
0
0
f94db452582a37c81227fa49c9ec51bdc11638c0
101
py
Python
dolphindb/__init__.py
ShenHongFei/dolphindb-python
36f6cc0ded6d9b4b3f25d5eadd83dc3f3314fd8c
[ "Apache-2.0" ]
1
2020-12-29T11:23:07.000Z
2020-12-29T11:23:07.000Z
dolphindb/__init__.py
ShenHongFei/dolphindb-python
36f6cc0ded6d9b4b3f25d5eadd83dc3f3314fd8c
[ "Apache-2.0" ]
null
null
null
dolphindb/__init__.py
ShenHongFei/dolphindb-python
36f6cc0ded6d9b4b3f25d5eadd83dc3f3314fd8c
[ "Apache-2.0" ]
null
null
null
from .type_util import * from .session import session from .table import * from .vector import Vector
25.25
28
0.792079
from .type_util import * from .session import session from .table import * from .vector import Vector
0
0
0
ef1cc60922f5404a124cd5c3f0ddb5a1c2b477e4
6,730
py
Python
GameEvents.py
justinbeetle/pyDragonWarrior
cfaf57161ab4950da537de9937d688bc7d24bf4a
[ "MIT" ]
3
2021-04-07T14:43:20.000Z
2021-04-17T21:26:08.000Z
GameEvents.py
justinbeetle/pyDragonWarrior
cfaf57161ab4950da537de9937d688bc7d24bf4a
[ "MIT" ]
1
2022-01-02T15:52:23.000Z
2022-01-12T01:51:50.000Z
GameEvents.py
justinbeetle/pyDragonWarrior
cfaf57161ab4950da537de9937d688bc7d24bf4a
[ "MIT" ]
null
null
null
#!/usr/bin/env python from typing import List, Optional, Tuple import pygame joysticks = [] if __name__ == '__main__': try: main() except Exception as e: import sys import traceback print(traceback.format_exception(None, # <- type(e) by docs, but ignored e, e.__traceback__), file=sys.stderr, flush=True) traceback.print_exc()
41.036585
118
0.625854
#!/usr/bin/env python from typing import List, Optional, Tuple import pygame joysticks = [] def setup_joystick() -> bool: print('pygame.joystick.get_count() =', pygame.joystick.get_count(), flush=True) for joystickId in range(pygame.joystick.get_count()): joystick = pygame.joystick.Joystick(joystickId) print('joystick.get_id() =', joystick.get_id(), flush=True) print('joystick.get_name() =', joystick.get_name(), flush=True) # if joystick.get_name() == 'Controller (Xbox One For Windows)': print('Initializing joystick...', flush=True) joystick.init() joysticks.append(joystick) return len(joysticks) > 0 def get_events(is_keyboard_repeat_enabled: bool=False, translate_wasd_to_uldr: bool=True) -> List[pygame.event.Event]: events: List[pygame.event.Event] = [] for event in pygame.event.get(): if event.type == pygame.KEYDOWN or event.type == pygame.KEYUP: # Convert WASD to Up/Left/Down/Right if translate_wasd_to_uldr: if pygame.K_w == event.key: event.key = pygame.K_UP elif pygame.K_a == event.key: event.key = pygame.K_LEFT elif pygame.K_s == event.key: event.key = pygame.K_DOWN elif pygame.K_d == event.key: event.key = pygame.K_RIGHT if pygame.K_KP_ENTER == event.key: event.key = pygame.K_RETURN elif event.type == pygame.ACTIVEEVENT and event.gain: print('Detected gain focus event', flush=True) # Translate joystick events to keyboard events elif event.type == pygame.JOYBUTTONDOWN: if event.button == 0: event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_RETURN}) elif event.button == 1: event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_SPACE}) elif event.button == 6: event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_ESCAPE}) elif event.button == 7: event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_F1}) else: # Map all other buttons to an unused key event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_F15}) elif event.type == pygame.JOYHATMOTION: joystick_hat_event = get_event_for_joystick_hat_position(event.value) if joystick_hat_event is None: continue event = joystick_hat_event events.append(event) if is_keyboard_repeat_enabled: # Generate key down events from a joystick hat for the case where repeats are enabled for joystick_id in range(pygame.joystick.get_count()): joystick = pygame.joystick.Joystick(joystick_id) if not joystick.get_init(): continue for hat_id in range(joystick.get_numhats()): joystick_hat_event = get_event_for_joystick_hat_position(joystick.get_hat(hat_id)) if joystick_hat_event is not None: add_event_if_not_duplicate(events, joystick_hat_event) # Generate key down events for pressed keys pressed = pygame.key.get_pressed() if pressed[pygame.K_UP] or (translate_wasd_to_uldr and pressed[pygame.K_w]): add_event_if_not_duplicate(events, pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_UP})) elif pressed[pygame.K_DOWN] or (translate_wasd_to_uldr and pressed[pygame.K_s]): add_event_if_not_duplicate(events, pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_DOWN})) if pressed[pygame.K_LEFT] or (translate_wasd_to_uldr and pressed[pygame.K_a]): add_event_if_not_duplicate(events, pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_LEFT})) elif pressed[pygame.K_RIGHT] or (translate_wasd_to_uldr and pressed[pygame.K_d]): add_event_if_not_duplicate(events, pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_RIGHT})) return events def add_event_if_not_duplicate(events: List[pygame.event.Event], event: pygame.event.Event) -> None: if pygame.KEYDOWN == event.type: for existing_event in events: if pygame.KEYDOWN == existing_event.type and existing_event.key == event.key: # A KEYDOWN event of this type is already in events # print("Not adding event as a duplicate is already present", event, flush=True) return events.append(event) def clear_events() -> None: get_events() def get_event_for_joystick_hat_position(hat_position: Tuple[float, float]) -> Optional[pygame.event.Event]: event = None if hat_position == (0, -1): event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_DOWN}) elif hat_position == (0, 1): event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_UP}) elif hat_position == (-1, 0): event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_LEFT}) elif hat_position == (1, 0): event = pygame.event.Event(pygame.KEYDOWN, {'key': pygame.K_RIGHT}) # if event is not None: # print("Adding KEYDOWN event for joystick", pygame.key.name(event.key), flush=True) return event def main() -> None: # Initialize pygame print('Initialize pygame...', flush=True) pygame.init() setup_joystick() # Setup to draw maps print('Setup to draw maps...', flush=True) win_size_pixels = (250, 250) pygame.display.set_mode(win_size_pixels, pygame.SRCALPHA | pygame.HWSURFACE) print('pygame.display.Info() =', pygame.display.Info(), flush=True) print('pygame.display.get_wm_info() =', pygame.display.get_wm_info(), flush=True) # Iterate through and render the different maps is_running = True while is_running: # Process events print('Getting events...', flush=True) events = get_events(True) for event in events: print('event =', event, flush=True) if event.type == pygame.QUIT or (event.type == pygame.KEYDOWN and event.key == pygame.K_ESCAPE): is_running = False pygame.time.Clock().tick(5) # Exit the game pygame.joystick.quit() pygame.quit() if __name__ == '__main__': try: main() except Exception as e: import sys import traceback print(traceback.format_exception(None, # <- type(e) by docs, but ignored e, e.__traceback__), file=sys.stderr, flush=True) traceback.print_exc()
6,110
0
138
1a359f8c4679c96bac746dc20017997049f8367c
1,699
py
Python
data/emoji2vec/visualize.py
mitchelljeff/SUMMAD4.3
33bb3a74cff16a7aa699660a08d98ddcd662cad5
[ "MIT" ]
1
2017-09-15T14:06:07.000Z
2017-09-15T14:06:07.000Z
data/emoji2vec/visualize.py
mitchelljeff/SUMMAD4.3
33bb3a74cff16a7aa699660a08d98ddcd662cad5
[ "MIT" ]
null
null
null
data/emoji2vec/visualize.py
mitchelljeff/SUMMAD4.3
33bb3a74cff16a7aa699660a08d98ddcd662cad5
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- import tensorflow as tf from tensorflow.contrib.tensorboard.plugins import projector import os import numpy as np dir = "./jtr/data/emoji2vec/" emojis = [] vecs = [] with open(dir + "metadata.tsv", "w") as f_out: # f_out.write("emoji\n") with open(dir + "emoji2vec.txt", "r") as f_in: for ix, line in enumerate(f_in.readlines()[1:]): splits = line.strip().split(" ") emoji = splits[0] vec = [float(x) for x in splits[1:]] assert len(vec) == 300 # print(emoji, vec) emojis.append(emoji) vecs.append(vec) f_out.write(emoji+"\n") f_in.close() f_out.close() emoji2vec = tf.constant(np.array(vecs)) tf_emoji2vec = tf.get_variable("emoji2vec", [len(vecs), 300], tf.float64) # save embeddings to file with tf.Session() as sess: sess.run(tf.global_variables_initializer()) sess.run(tf_emoji2vec.assign(emoji2vec)) saver = tf.train.Saver() saver.save(sess, os.path.join(dir, "model.ckpt"), 0) # Use the same LOG_DIR where you stored your checkpoint. summary_writer = tf.summary.FileWriter(dir) # Format: tensorflow/contrib/tensorboard/plugins/projector/projector_config.proto config = projector.ProjectorConfig() # You can add multiple embeddings. Here we add only one. embedding = config.embeddings.add() embedding.tensor_name = tf_emoji2vec.name # Link this tensor to its metadata file (e.g. labels). embedding.metadata_path = os.path.join(dir, 'metadata.tsv') # Saves a configuration file that TensorBoard will read during startup. projector.visualize_embeddings(summary_writer, config)
32.673077
85
0.660388
# -*- coding: utf-8 -*- import tensorflow as tf from tensorflow.contrib.tensorboard.plugins import projector import os import numpy as np dir = "./jtr/data/emoji2vec/" emojis = [] vecs = [] with open(dir + "metadata.tsv", "w") as f_out: # f_out.write("emoji\n") with open(dir + "emoji2vec.txt", "r") as f_in: for ix, line in enumerate(f_in.readlines()[1:]): splits = line.strip().split(" ") emoji = splits[0] vec = [float(x) for x in splits[1:]] assert len(vec) == 300 # print(emoji, vec) emojis.append(emoji) vecs.append(vec) f_out.write(emoji+"\n") f_in.close() f_out.close() emoji2vec = tf.constant(np.array(vecs)) tf_emoji2vec = tf.get_variable("emoji2vec", [len(vecs), 300], tf.float64) # save embeddings to file with tf.Session() as sess: sess.run(tf.global_variables_initializer()) sess.run(tf_emoji2vec.assign(emoji2vec)) saver = tf.train.Saver() saver.save(sess, os.path.join(dir, "model.ckpt"), 0) # Use the same LOG_DIR where you stored your checkpoint. summary_writer = tf.summary.FileWriter(dir) # Format: tensorflow/contrib/tensorboard/plugins/projector/projector_config.proto config = projector.ProjectorConfig() # You can add multiple embeddings. Here we add only one. embedding = config.embeddings.add() embedding.tensor_name = tf_emoji2vec.name # Link this tensor to its metadata file (e.g. labels). embedding.metadata_path = os.path.join(dir, 'metadata.tsv') # Saves a configuration file that TensorBoard will read during startup. projector.visualize_embeddings(summary_writer, config)
0
0
0
2d8709b2618ae2bd21be1ef05a498b81db9df3ac
308
py
Python
RecoTracker/GeometryESProducer/python/TrackerMTDRecoGeometryESProducer_cfi.py
Purva-Chaudhari/cmssw
32e5cbfe54c4d809d60022586cf200b7c3020bcf
[ "Apache-2.0" ]
852
2015-01-11T21:03:51.000Z
2022-03-25T21:14:00.000Z
RecoTracker/GeometryESProducer/python/TrackerMTDRecoGeometryESProducer_cfi.py
Purva-Chaudhari/cmssw
32e5cbfe54c4d809d60022586cf200b7c3020bcf
[ "Apache-2.0" ]
30,371
2015-01-02T00:14:40.000Z
2022-03-31T23:26:05.000Z
RecoTracker/GeometryESProducer/python/TrackerMTDRecoGeometryESProducer_cfi.py
Purva-Chaudhari/cmssw
32e5cbfe54c4d809d60022586cf200b7c3020bcf
[ "Apache-2.0" ]
3,240
2015-01-02T05:53:18.000Z
2022-03-31T17:24:21.000Z
import FWCore.ParameterSet.Config as cms TrackerRecoGeometryESProducer = cms.ESProducer("TrackerMTDRecoGeometryESProducer", usePhase2Stacks = cms.bool(False) ) from Configuration.ProcessModifiers.vectorHits_cff import vectorHits vectorHits.toModify(TrackerRecoGeometryESProducer, usePhase2Stacks = True)
34.222222
82
0.86039
import FWCore.ParameterSet.Config as cms TrackerRecoGeometryESProducer = cms.ESProducer("TrackerMTDRecoGeometryESProducer", usePhase2Stacks = cms.bool(False) ) from Configuration.ProcessModifiers.vectorHits_cff import vectorHits vectorHits.toModify(TrackerRecoGeometryESProducer, usePhase2Stacks = True)
0
0
0
38a11636d3f125019cc9e573d3dc9f0b6ef5e60d
1,114
py
Python
Aves2/job_manager/aves2_schemas/data_schema.py
jd-aig/aves2
10aeb832feb94adf563f9795013c77bfd115b44e
[ "Apache-2.0" ]
3
2020-09-24T01:36:02.000Z
2022-03-28T11:53:54.000Z
Aves2/job_manager/aves2_schemas/data_schema.py
jd-aig/aves2
10aeb832feb94adf563f9795013c77bfd115b44e
[ "Apache-2.0" ]
null
null
null
Aves2/job_manager/aves2_schemas/data_schema.py
jd-aig/aves2
10aeb832feb94adf563f9795013c77bfd115b44e
[ "Apache-2.0" ]
1
2020-12-08T05:14:23.000Z
2020-12-08T05:14:23.000Z
data_schema = { "definitions": {}, "$schema": "http://json-schema.org/draft-07/schema#", "$id": "http://example.com/root.json", "type": "object", "title": "The Root Schema", "required": [ "type", "pvc", "path", "filename" ], "properties": { "type": { "$id": "#/properties/type", "type": "string", "title": "The Type Schema", "default": "", "examples": [ "OSSFile", "K8SPVC" ], "pattern": "^(.*)$" }, "pvc": { "$id": "#/properties/pvc", "type": "string", "title": "The Pvc Schema", "default": "", "examples": [ "" ], "pattern": "^(.*)$" }, "path": { "$id": "#/properties/path", "type": "string", "title": "The Path Schema", "default": "", "examples": [ "s3://xxxxx" ], "pattern": "^(.*)$" }, "filename": { "$id": "#/properties/filename", "type": "string", "title": "The Filename Schema", "default": "", "examples": [ "" ], "pattern": "^(.*)$" } } }
19.892857
55
0.409336
data_schema = { "definitions": {}, "$schema": "http://json-schema.org/draft-07/schema#", "$id": "http://example.com/root.json", "type": "object", "title": "The Root Schema", "required": [ "type", "pvc", "path", "filename" ], "properties": { "type": { "$id": "#/properties/type", "type": "string", "title": "The Type Schema", "default": "", "examples": [ "OSSFile", "K8SPVC" ], "pattern": "^(.*)$" }, "pvc": { "$id": "#/properties/pvc", "type": "string", "title": "The Pvc Schema", "default": "", "examples": [ "" ], "pattern": "^(.*)$" }, "path": { "$id": "#/properties/path", "type": "string", "title": "The Path Schema", "default": "", "examples": [ "s3://xxxxx" ], "pattern": "^(.*)$" }, "filename": { "$id": "#/properties/filename", "type": "string", "title": "The Filename Schema", "default": "", "examples": [ "" ], "pattern": "^(.*)$" } } }
0
0
0
223c2cc1668c0e1fd8c5eb1b2306bcd64971a335
32,181
py
Python
nullomers_assessor.py
vpennetti/nullomers-assessor
352de001f865efeb7ad37a1a51533a5a9f963682
[ "Apache-2.0" ]
3
2021-03-23T07:29:00.000Z
2021-12-02T21:36:35.000Z
nullomers_assessor.py
vpennetti/nullomers-assessor
352de001f865efeb7ad37a1a51533a5a9f963682
[ "Apache-2.0" ]
null
null
null
nullomers_assessor.py
vpennetti/nullomers-assessor
352de001f865efeb7ad37a1a51533a5a9f963682
[ "Apache-2.0" ]
1
2022-02-03T16:11:08.000Z
2022-02-03T16:11:08.000Z
import sys import Bio import statsmodels import math import numpy as np import pandas as pd from statsmodels.compat.python import range from statsmodels.compat.collections import OrderedDict from Bio import SeqIO from Bio.Seq import Seq from Bio.SeqUtils.ProtParam import ProteinAnalysis from collections import defaultdict from itertools import islice, chain, product, combinations_with_replacement from time import process_time ########## main function ############################################################################## if __name__ == "__main__": fasta_file = sys.argv[1] nullomers_file = sys.argv[2] threshold = float(sys.argv[3]) level = sys.argv[4] correction_method = sys.argv[5] print_log = sys.argv[6] else: print("\n**An error occured**\n") raise SystemExit() if (correction_method != "FDR") and (correction_method != "TARONE") and (correction_method != "BONF"): print("\n**Please choose one of the following attributes for statistical correction method: BONF or TARONE or FDR**\n") raise SystemExit() if (print_log != "TRUE") and (print_log != "FALSE"): print("\n**The 'print_log' parameter should be either TRUE or FALSE**\n") raise SystemExit() if (level == "DNA"): alphabet = "TCGA" elif (level == "PROT"): alphabet = "ACDEFGHIKLMNPQRSTVWY" else: print("\n**Please declare the type of sequences. Accepted attributes are DNA or PROT**\n") raise SystemExit() ################################################################################################################# ######### secondary functions ################################################################################### ################################################################################################################# ######### static arguments - not used in the current version ################################################### codon_table = { 'A': ('GCT', 'GCC', 'GCA', 'GCG'), 'C': ('TGT', 'TGC'), 'D': ('GAT', 'GAC'), 'E': ('GAA', 'GAG'), 'F': ('TTT', 'TTC'), 'G': ('GGT', 'GGC', 'GGA', 'GGG'), 'H': ('CAT', 'CAC'), 'I': ('ATT', 'ATC', 'ATA'), 'K': ('AAA', 'AAG'), 'L': ('TTA', 'TTG', 'CTT', 'CTC', 'CTA', 'CTG'), 'M': ('ATG',), 'N': ('AAT', 'AAC'), 'P': ('CCT', 'CCC', 'CCA', 'CCG'), 'Q': ('CAA', 'CAG'), 'R': ('CGT', 'CGC', 'CGA', 'CGG', 'AGA', 'AGG'), 'S': ('TCT', 'TCC', 'TCA', 'TCG', 'AGT', 'AGC'), 'T': ('ACT', 'ACC', 'ACA', 'ACG'), 'V': ('GTT', 'GTC', 'GTA', 'GTG'), 'W': ('TGG',), 'Y': ('TAT', 'TAC'), } ################################################################################################################# title = "\n***** Nullomers Assessor: Statistical evaluation of nullomers (version 1.04) *****\n" if (print_log == 'TRUE'): print(title) ########## calculations ###################### start_time = process_time() if (level == 'PROT') and (print_log == 'TRUE'): print("- The background proteome is currently processed") elif (level == 'DNA') and (print_log == 'TRUE'): print("- The background genome is currently processed") full_seq_list = [] for rec in SeqIO.parse(fasta_file, "fasta"): x = ProteinAnalysis(str(rec.seq)) full_seq_list.append(str(x.sequence)) if (print_log == 'TRUE'): print("- The calculation of transition probabilities is in progress") #aminoacid_percentage = ProteinAnalysis(''.join(full_seq_list)).get_amino_acids_percent() aminoacid_percentage = nth_order_probs(full_seq_list, 0) aminoacid_counter = ProteinAnalysis(''.join(full_seq_list)).count_amino_acids() total_sequence_length = sum(aminoacid_counter.values()) if (print_log == 'TRUE'): print("- The frequency of residues has been calculated successfully") transition_dictionary_first_order = nth_order_probs(full_seq_list, 1) if (print_log == 'TRUE'): print("- The 1st-order transition probabilities have been calculated successfully") transition_dictionary_second_order = nth_order_probs(full_seq_list, 2) if (print_log == 'TRUE'): print("- The 2nd-order transition probabilities have been calculated successfully") transition_dictionary_third_order = nth_order_probs(full_seq_list, 3) if (print_log == 'TRUE'): print("- The 3rd-order transition probabilities have been calculated successfully") ##empty full_seq_list to free up memory full_seq_list.clear() if (print_log == 'TRUE'): print("- The list of minimal absent words is currently processed") line_length = {} nullomer_list = [] exp_num_occur_zero_order = [] exp_num_occur_first_order = [] exp_num_occur_second_order = [] exp_num_occur_third_order = [] prob_corr_zero_occur_list_zero_order = [] prob_corr_zero_occur_list_first_order = [] prob_corr_zero_occur_list_second_order = [] prob_corr_zero_occur_list_third_order = [] with open(nullomers_file, encoding='utf8') as f: lines = f.read().splitlines() if (level == 'PROT'): lines = [ x for x in lines if x and (">" not in x) ] ##exclude blank lines and lines contain the '>' symbol elif (level == 'DNA'): lines = [ x for x in lines if x and (">" not in x) and ("N" not in x) ] ##exclude blank lines, lines that include 'N's and lines contain the '>' symbol if (print_log == 'TRUE'): print("- The list of minimal absent words has been parsed successfully\n") print("- The assesment of minimal absent words is now starting") print("** Please be patient this might be a time-consuming process **") max_len = len(max(lines, key=len)) min_len = len(min(lines, key=len)) if (level == 'PROT') and (print_log == 'TRUE'): print("- The shortest peptide of the list is a " + str(min_len) + "-mer while the longest is a " + str(max_len) + "-mer") elif (level == 'DNA') and (print_log == 'TRUE'): print("- The shortest nucleotide sequence of the list is a " + str(min_len) + "-mer while the longest is a " + str(max_len) + "-mer") if (level == 'PROT' and max_len > 6): print("\n**Nullomers' chains should be up to 6 amino acids in length. Please try again with shorter sequences**\n") raise SystemExit() elif (level == 'DNA' and correction_method == 'FDR' and max_len > 18): print("\n**Nullomers' chains should be up to 18 nucleotides in length using FDR method. Please try again with shorter sequences**\n") elif (level == 'DNA' and correction_method == 'BONF' and max_len > 18): print("\n**Nullomers should be up to 18 nucleotides in length using BONF method. Please try again with shorter sequences**\n") elif (level == 'DNA' and correction_method == 'TARONE' and max_len > 14): print("\n**Nullomers should be up to 14 nucleotides in length using TARONE method. Please try again with shorter sequences**\n") raise SystemExit() if (correction_method == 'FDR'): if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") probability_zero_occurrence_zero_order = [] probability_zero_occurrence_first_order = [] probability_zero_occurrence_second_order = [] probability_zero_occurrence_third_order = [] pvalues_zero_order = np.ones(len(lines), dtype=int) for index in range(len(lines)): if (index % 1000000) == 0 and index != 0: if (print_log == 'TRUE'): print(str(index) + ' rows have been parsed') motif_length = len(lines[index]) probability_one_occurrence_zero_order = 1 probability_one_occurrence_first_order = 1 probability_one_occurrence_second_order = 1 probability_one_occurrence_third_order = 1 for ind, current_letter in enumerate(str(lines[index])): if (ind == 0): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_second_order = probability_one_occurrence_second_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_third_order = probability_one_occurrence_third_order * aminoacid_percentage[str(current_letter)] one_previous_letter = current_letter if (ind==1): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind==2): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind>=3): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) if transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter expected_number_occurrences_zero_order = probability_one_occurrence_zero_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_first_order = probability_one_occurrence_first_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_second_order = probability_one_occurrence_second_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_third_order = probability_one_occurrence_third_order * (total_sequence_length - motif_length + 1) probability_zero_occurrence_zero_order.append(math.exp(-expected_number_occurrences_zero_order)) probability_zero_occurrence_first_order.append(math.exp(-expected_number_occurrences_first_order)) probability_zero_occurrence_second_order.append(math.exp(-expected_number_occurrences_second_order)) probability_zero_occurrence_third_order.append(math.exp(-expected_number_occurrences_third_order)) prob_corr_zero_occur_list_zero_order = fdrcorrection(probability_zero_occurrence_zero_order,threshold) prob_corr_zero_occur_list_first_order = fdrcorrection(probability_zero_occurrence_first_order,threshold) prob_corr_zero_occur_list_second_order = fdrcorrection(probability_zero_occurrence_second_order,threshold) prob_corr_zero_occur_list_third_order = fdrcorrection(probability_zero_occurrence_third_order,threshold) idx = return_indices(prob_corr_zero_occur_list_zero_order[0], True) idx1 = return_indices(prob_corr_zero_occur_list_first_order[0], True) idx2 = return_indices(prob_corr_zero_occur_list_second_order[0], True) idx3 = return_indices(prob_corr_zero_occur_list_third_order[0], True) #for i in idx: #print(str(i)) #for i1 in idx1: #print(str(i1)) #for i2 in idx2: #print(str(i2)) #for i3 in idx3: #print(str(i3)) ids_in_common = np.intersect1d(idx, idx1) #print(ids_in_common) ids_in_common = np.intersect1d(ids_in_common, idx2) #print(ids_in_common) ids_in_common = np.intersect1d(ids_in_common, idx3) #print(ids_in_common) if ids_in_common.size: if (print_log == 'TRUE'): print("\n** Results **\n") for index in ids_in_common: print(str(lines[index]) + '\t' + str(max(prob_corr_zero_occur_list_zero_order[1][index], prob_corr_zero_occur_list_first_order[1][index], prob_corr_zero_occur_list_second_order[1][index], prob_corr_zero_occur_list_third_order[1][index]))) else: print("No significant results found") ###################### elif (correction_method == 'BONF'): ##bonferroni correction if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") for index in range(len(lines)): if (index % 1000000) == 0 and index != 0: if (print_log == 'TRUE'): print(str(index) + ' rows have been parsed') if not ">" in str(lines[index]) and len(str(lines[index]))!=0: motif_length = len(lines[index]) probability_one_occurrence_zero_order = 1 probability_one_occurrence_first_order = 1 probability_one_occurrence_second_order = 1 probability_one_occurrence_third_order = 1 for ind, current_letter in enumerate(str(lines[index])): if (ind == 0): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_second_order = probability_one_occurrence_second_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_third_order = probability_one_occurrence_third_order * aminoacid_percentage[str(current_letter)] one_previous_letter = current_letter if (ind==1): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind==2): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind>=3): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) if transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter expected_number_occurrences_zero_order = probability_one_occurrence_zero_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_first_order = probability_one_occurrence_first_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_second_order = probability_one_occurrence_second_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_third_order = probability_one_occurrence_third_order * (total_sequence_length - motif_length + 1) probability_zero_occurrence_zero_order = math.exp(-expected_number_occurrences_zero_order) probability_zero_occurrence_first_order = math.exp(-expected_number_occurrences_first_order) probability_zero_occurrence_second_order = math.exp(-expected_number_occurrences_second_order) probability_zero_occurrence_third_order = math.exp(-expected_number_occurrences_third_order) ## statistical correction step begins here ## if (level == 'PROT'): corrected_probability_zero_occurrence_zero_order = (probability_zero_occurrence_zero_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_first_order = (probability_zero_occurrence_first_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_second_order = (probability_zero_occurrence_second_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_third_order = (probability_zero_occurrence_third_order * pow(20, len(str(lines[index])))) elif (level == 'DNA'): corrected_probability_zero_occurrence_zero_order = (probability_zero_occurrence_zero_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_first_order = (probability_zero_occurrence_first_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_second_order = (probability_zero_occurrence_second_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_third_order = (probability_zero_occurrence_third_order * pow(4, len(str(lines[index])))) if ((corrected_probability_zero_occurrence_zero_order < threshold) and (corrected_probability_zero_occurrence_first_order < threshold) and (corrected_probability_zero_occurrence_second_order < threshold) and (corrected_probability_zero_occurrence_third_order < threshold)): nullomer_list.append(str(lines[index])) exp_num_occur_zero_order.append(expected_number_occurrences_zero_order) exp_num_occur_first_order.append(expected_number_occurrences_first_order) exp_num_occur_second_order.append(expected_number_occurrences_second_order) exp_num_occur_third_order.append(expected_number_occurrences_third_order) prob_corr_zero_occur_list_zero_order.append(corrected_probability_zero_occurrence_zero_order) prob_corr_zero_occur_list_first_order.append(corrected_probability_zero_occurrence_first_order) prob_corr_zero_occur_list_second_order.append(corrected_probability_zero_occurrence_second_order) prob_corr_zero_occur_list_third_order.append(corrected_probability_zero_occurrence_third_order) if not (nullomer_list): print("No significant results found") else: if (print_log == 'TRUE'): print("\n** Results **\n") for itm1, itm2, itm3, itm4, itm5 in zip(nullomer_list, prob_corr_zero_occur_list_zero_order, prob_corr_zero_occur_list_first_order, prob_corr_zero_occur_list_second_order, prob_corr_zero_occur_list_third_order): max_prob = max(itm2, itm3, itm4, itm5) print(str(itm1) + '\t' + str(max_prob)) ##################### elif (correction_method == 'TARONE'): ##tarone (modified bonferroni) method if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") default_transition_prob = 0.0 # !!! for i in product(alphabet, repeat=2): transition_dictionary_first_order.setdefault(''.join(i), default_transition_prob) for i in product(alphabet, repeat=3): transition_dictionary_second_order.setdefault(''.join(i), default_transition_prob) for i in product(alphabet, repeat=4): transition_dictionary_third_order.setdefault(''.join(i), default_transition_prob) remaining_kmers = {} for cur_len in range(min_len,max_len + 1): if (print_log == 'TRUE'): print(str(cur_len) + '-mers are now evaluated') aa_combinations = product(alphabet, repeat=cur_len) promising_kmers_list = [] range1 = range(cur_len - 1) range2 = range(cur_len - 2) range3 = range(cur_len - 3) number_of_kmer_positions = total_sequence_length - cur_len + 1 for indexx, cur_comb in enumerate(aa_combinations): cur_comb = ''.join(cur_comb) if (indexx % 1000000) == 0 and indexx != 0: if (print_log == 'TRUE'): print(str(indexx) + ' rows have been parsed') pre_probability_one_occurrence_zero_order = 1 pre_probability_one_occurrence_first_order = 1 pre_probability_one_occurrence_second_order = 1 pre_probability_one_occurrence_third_order = 1 if cur_len > 0: p = aminoacid_percentage[cur_comb[0]] pre_probability_one_occurrence_first_order *= p pre_probability_one_occurrence_second_order *= p pre_probability_one_occurrence_third_order *= p if cur_len > 1: p = transition_dictionary_first_order[cur_comb[:2]] pre_probability_one_occurrence_second_order *= p pre_probability_one_occurrence_third_order *= p if cur_len > 2: p = transition_dictionary_second_order[cur_comb[:3]] pre_probability_one_occurrence_third_order *= p for cur_let in cur_comb: pre_probability_one_occurrence_zero_order *= aminoacid_percentage[cur_let] for i in range1: pre_probability_one_occurrence_first_order *= transition_dictionary_first_order[cur_comb[i:i+2]] for i in range2: pre_probability_one_occurrence_second_order *= transition_dictionary_second_order[cur_comb[i:i+3]] for i in range3: pre_probability_one_occurrence_third_order *= transition_dictionary_third_order[cur_comb[i:i+4]] if (cur_len >= 5): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order, pre_probability_one_occurrence_second_order, pre_probability_one_occurrence_third_order) elif (cur_len == 4): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order, pre_probability_one_occurrence_second_order) elif (cur_len == 3): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order) elif (cur_len == 2): min_prob = min(pre_probability_one_occurrence_zero_order) min_exp_numb_occurrences = min_prob * number_of_kmer_positions max_prob_zero_occurrence = math.exp(-min_exp_numb_occurrences) promising_kmers_list.append((max_prob_zero_occurrence, cur_comb)) promising_kmers_list.sort(reverse = True) num_of_included_kmers = len(promising_kmers_list) for value_prob, key_nullo in promising_kmers_list: corr_prob = value_prob * num_of_included_kmers if corr_prob > threshold: num_of_included_kmers -= 1 else: remaining_kmers[key_nullo] = corr_prob keys = remaining_kmers.keys() & lines results = {k:remaining_kmers[k] for k in keys} if (print_log == 'TRUE'): print("\n** Results **\n") if len(results.keys()) == 0: print('No significant results found') else: for key, val in results.items(): print(str(key) + "\t" + str(val)) end_time = process_time() - start_time if (print_log == 'TRUE'): print('\n\nTotal execution time: ' + str(end_time) + " seconds") print("\n** Execution was successful **")
59.15625
291
0.650726
import sys import Bio import statsmodels import math import numpy as np import pandas as pd from statsmodels.compat.python import range from statsmodels.compat.collections import OrderedDict from Bio import SeqIO from Bio.Seq import Seq from Bio.SeqUtils.ProtParam import ProteinAnalysis from collections import defaultdict from itertools import islice, chain, product, combinations_with_replacement from time import process_time ########## main function ############################################################################## if __name__ == "__main__": fasta_file = sys.argv[1] nullomers_file = sys.argv[2] threshold = float(sys.argv[3]) level = sys.argv[4] correction_method = sys.argv[5] print_log = sys.argv[6] else: print("\n**An error occured**\n") raise SystemExit() if (correction_method != "FDR") and (correction_method != "TARONE") and (correction_method != "BONF"): print("\n**Please choose one of the following attributes for statistical correction method: BONF or TARONE or FDR**\n") raise SystemExit() if (print_log != "TRUE") and (print_log != "FALSE"): print("\n**The 'print_log' parameter should be either TRUE or FALSE**\n") raise SystemExit() if (level == "DNA"): alphabet = "TCGA" elif (level == "PROT"): alphabet = "ACDEFGHIKLMNPQRSTVWY" else: print("\n**Please declare the type of sequences. Accepted attributes are DNA or PROT**\n") raise SystemExit() ################################################################################################################# ######### secondary functions ################################################################################### def return_indices(array, value): return np.where(array==value) def nth_order_probs(sequences, n): num = defaultdict(int) for seq in sequences: for i in range(len(seq) - n): j = i + n + 1 key = seq[i:j] num[key] += 1 denom = defaultdict(int) for key, value in (num.items()): denom[key[0:n]] += value return {key: value/denom[key[0:n]] for key, value in num.items()} def _ecdf(x): nobs = len(x) return np.arange(1,nobs+1)/float(nobs) def fdrcorrection(pvals, thresh, is_sorted=False): ###FDR correction -- more info at: http://www.statsmodels.org/devel/_modules/statsmodels/stats/multitest.html#multipletests pvals = np.asarray(pvals) if not is_sorted: pvals_sortind = np.argsort(pvals) pvals_sorted = np.take(pvals, pvals_sortind) else: pvals_sorted = pvals # alias ecdffactor = _ecdf(pvals_sorted) reject = pvals_sorted <= ecdffactor*thresh if reject.any(): rejectmax = max(np.nonzero(reject)[0]) reject[:rejectmax] = True pvals_corrected_raw = pvals_sorted / ecdffactor pvals_corrected = np.minimum.accumulate(pvals_corrected_raw[::-1])[::-1] del pvals_corrected_raw pvals_corrected[pvals_corrected>1] = 1 if not is_sorted: pvals_corrected_ = np.empty_like(pvals_corrected) pvals_corrected_[pvals_sortind] = pvals_corrected del pvals_corrected reject_ = np.empty_like(reject) reject_[pvals_sortind] = reject return reject_, pvals_corrected_ else: return reject, pvals_corrected ################################################################################################################# ######### static arguments - not used in the current version ################################################### codon_table = { 'A': ('GCT', 'GCC', 'GCA', 'GCG'), 'C': ('TGT', 'TGC'), 'D': ('GAT', 'GAC'), 'E': ('GAA', 'GAG'), 'F': ('TTT', 'TTC'), 'G': ('GGT', 'GGC', 'GGA', 'GGG'), 'H': ('CAT', 'CAC'), 'I': ('ATT', 'ATC', 'ATA'), 'K': ('AAA', 'AAG'), 'L': ('TTA', 'TTG', 'CTT', 'CTC', 'CTA', 'CTG'), 'M': ('ATG',), 'N': ('AAT', 'AAC'), 'P': ('CCT', 'CCC', 'CCA', 'CCG'), 'Q': ('CAA', 'CAG'), 'R': ('CGT', 'CGC', 'CGA', 'CGG', 'AGA', 'AGG'), 'S': ('TCT', 'TCC', 'TCA', 'TCG', 'AGT', 'AGC'), 'T': ('ACT', 'ACC', 'ACA', 'ACG'), 'V': ('GTT', 'GTC', 'GTA', 'GTG'), 'W': ('TGG',), 'Y': ('TAT', 'TAC'), } ################################################################################################################# title = "\n***** Nullomers Assessor: Statistical evaluation of nullomers (version 1.04) *****\n" if (print_log == 'TRUE'): print(title) ########## calculations ###################### start_time = process_time() if (level == 'PROT') and (print_log == 'TRUE'): print("- The background proteome is currently processed") elif (level == 'DNA') and (print_log == 'TRUE'): print("- The background genome is currently processed") full_seq_list = [] for rec in SeqIO.parse(fasta_file, "fasta"): x = ProteinAnalysis(str(rec.seq)) full_seq_list.append(str(x.sequence)) if (print_log == 'TRUE'): print("- The calculation of transition probabilities is in progress") #aminoacid_percentage = ProteinAnalysis(''.join(full_seq_list)).get_amino_acids_percent() aminoacid_percentage = nth_order_probs(full_seq_list, 0) aminoacid_counter = ProteinAnalysis(''.join(full_seq_list)).count_amino_acids() total_sequence_length = sum(aminoacid_counter.values()) if (print_log == 'TRUE'): print("- The frequency of residues has been calculated successfully") transition_dictionary_first_order = nth_order_probs(full_seq_list, 1) if (print_log == 'TRUE'): print("- The 1st-order transition probabilities have been calculated successfully") transition_dictionary_second_order = nth_order_probs(full_seq_list, 2) if (print_log == 'TRUE'): print("- The 2nd-order transition probabilities have been calculated successfully") transition_dictionary_third_order = nth_order_probs(full_seq_list, 3) if (print_log == 'TRUE'): print("- The 3rd-order transition probabilities have been calculated successfully") ##empty full_seq_list to free up memory full_seq_list.clear() if (print_log == 'TRUE'): print("- The list of minimal absent words is currently processed") line_length = {} nullomer_list = [] exp_num_occur_zero_order = [] exp_num_occur_first_order = [] exp_num_occur_second_order = [] exp_num_occur_third_order = [] prob_corr_zero_occur_list_zero_order = [] prob_corr_zero_occur_list_first_order = [] prob_corr_zero_occur_list_second_order = [] prob_corr_zero_occur_list_third_order = [] with open(nullomers_file, encoding='utf8') as f: lines = f.read().splitlines() if (level == 'PROT'): lines = [ x for x in lines if x and (">" not in x) ] ##exclude blank lines and lines contain the '>' symbol elif (level == 'DNA'): lines = [ x for x in lines if x and (">" not in x) and ("N" not in x) ] ##exclude blank lines, lines that include 'N's and lines contain the '>' symbol if (print_log == 'TRUE'): print("- The list of minimal absent words has been parsed successfully\n") print("- The assesment of minimal absent words is now starting") print("** Please be patient this might be a time-consuming process **") max_len = len(max(lines, key=len)) min_len = len(min(lines, key=len)) if (level == 'PROT') and (print_log == 'TRUE'): print("- The shortest peptide of the list is a " + str(min_len) + "-mer while the longest is a " + str(max_len) + "-mer") elif (level == 'DNA') and (print_log == 'TRUE'): print("- The shortest nucleotide sequence of the list is a " + str(min_len) + "-mer while the longest is a " + str(max_len) + "-mer") if (level == 'PROT' and max_len > 6): print("\n**Nullomers' chains should be up to 6 amino acids in length. Please try again with shorter sequences**\n") raise SystemExit() elif (level == 'DNA' and correction_method == 'FDR' and max_len > 18): print("\n**Nullomers' chains should be up to 18 nucleotides in length using FDR method. Please try again with shorter sequences**\n") elif (level == 'DNA' and correction_method == 'BONF' and max_len > 18): print("\n**Nullomers should be up to 18 nucleotides in length using BONF method. Please try again with shorter sequences**\n") elif (level == 'DNA' and correction_method == 'TARONE' and max_len > 14): print("\n**Nullomers should be up to 14 nucleotides in length using TARONE method. Please try again with shorter sequences**\n") raise SystemExit() if (correction_method == 'FDR'): if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") probability_zero_occurrence_zero_order = [] probability_zero_occurrence_first_order = [] probability_zero_occurrence_second_order = [] probability_zero_occurrence_third_order = [] pvalues_zero_order = np.ones(len(lines), dtype=int) for index in range(len(lines)): if (index % 1000000) == 0 and index != 0: if (print_log == 'TRUE'): print(str(index) + ' rows have been parsed') motif_length = len(lines[index]) probability_one_occurrence_zero_order = 1 probability_one_occurrence_first_order = 1 probability_one_occurrence_second_order = 1 probability_one_occurrence_third_order = 1 for ind, current_letter in enumerate(str(lines[index])): if (ind == 0): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_second_order = probability_one_occurrence_second_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_third_order = probability_one_occurrence_third_order * aminoacid_percentage[str(current_letter)] one_previous_letter = current_letter if (ind==1): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind==2): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind>=3): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) if transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter expected_number_occurrences_zero_order = probability_one_occurrence_zero_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_first_order = probability_one_occurrence_first_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_second_order = probability_one_occurrence_second_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_third_order = probability_one_occurrence_third_order * (total_sequence_length - motif_length + 1) probability_zero_occurrence_zero_order.append(math.exp(-expected_number_occurrences_zero_order)) probability_zero_occurrence_first_order.append(math.exp(-expected_number_occurrences_first_order)) probability_zero_occurrence_second_order.append(math.exp(-expected_number_occurrences_second_order)) probability_zero_occurrence_third_order.append(math.exp(-expected_number_occurrences_third_order)) prob_corr_zero_occur_list_zero_order = fdrcorrection(probability_zero_occurrence_zero_order,threshold) prob_corr_zero_occur_list_first_order = fdrcorrection(probability_zero_occurrence_first_order,threshold) prob_corr_zero_occur_list_second_order = fdrcorrection(probability_zero_occurrence_second_order,threshold) prob_corr_zero_occur_list_third_order = fdrcorrection(probability_zero_occurrence_third_order,threshold) idx = return_indices(prob_corr_zero_occur_list_zero_order[0], True) idx1 = return_indices(prob_corr_zero_occur_list_first_order[0], True) idx2 = return_indices(prob_corr_zero_occur_list_second_order[0], True) idx3 = return_indices(prob_corr_zero_occur_list_third_order[0], True) #for i in idx: #print(str(i)) #for i1 in idx1: #print(str(i1)) #for i2 in idx2: #print(str(i2)) #for i3 in idx3: #print(str(i3)) ids_in_common = np.intersect1d(idx, idx1) #print(ids_in_common) ids_in_common = np.intersect1d(ids_in_common, idx2) #print(ids_in_common) ids_in_common = np.intersect1d(ids_in_common, idx3) #print(ids_in_common) if ids_in_common.size: if (print_log == 'TRUE'): print("\n** Results **\n") for index in ids_in_common: print(str(lines[index]) + '\t' + str(max(prob_corr_zero_occur_list_zero_order[1][index], prob_corr_zero_occur_list_first_order[1][index], prob_corr_zero_occur_list_second_order[1][index], prob_corr_zero_occur_list_third_order[1][index]))) else: print("No significant results found") ###################### elif (correction_method == 'BONF'): ##bonferroni correction if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") for index in range(len(lines)): if (index % 1000000) == 0 and index != 0: if (print_log == 'TRUE'): print(str(index) + ' rows have been parsed') if not ">" in str(lines[index]) and len(str(lines[index]))!=0: motif_length = len(lines[index]) probability_one_occurrence_zero_order = 1 probability_one_occurrence_first_order = 1 probability_one_occurrence_second_order = 1 probability_one_occurrence_third_order = 1 for ind, current_letter in enumerate(str(lines[index])): if (ind == 0): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_second_order = probability_one_occurrence_second_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_third_order = probability_one_occurrence_third_order * aminoacid_percentage[str(current_letter)] one_previous_letter = current_letter if (ind==1): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind==2): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter if (ind>=3): probability_one_occurrence_zero_order = probability_one_occurrence_zero_order * aminoacid_percentage[str(current_letter)] probability_one_occurrence_first_order = probability_one_occurrence_first_order * transition_dictionary_first_order.get(str(one_previous_letter)+str(current_letter)) if transition_dictionary_second_order.get(str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_second_order = probability_one_occurrence_second_order * 1 else: probability_one_occurrence_second_order = probability_one_occurrence_second_order * transition_dictionary_second_order.get(str(two_previous_letters)+str(one_previous_letter)+str(current_letter)) if transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) is None: probability_one_occurrence_third_order = probability_one_occurrence_third_order * 1 else: probability_one_occurrence_third_order = probability_one_occurrence_third_order * transition_dictionary_third_order.get(str(three_previous_letters) + str(two_previous_letters) + str(one_previous_letter) + str(current_letter)) three_previous_letters = two_previous_letters two_previous_letters = one_previous_letter one_previous_letter = current_letter expected_number_occurrences_zero_order = probability_one_occurrence_zero_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_first_order = probability_one_occurrence_first_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_second_order = probability_one_occurrence_second_order * (total_sequence_length - motif_length + 1) expected_number_occurrences_third_order = probability_one_occurrence_third_order * (total_sequence_length - motif_length + 1) probability_zero_occurrence_zero_order = math.exp(-expected_number_occurrences_zero_order) probability_zero_occurrence_first_order = math.exp(-expected_number_occurrences_first_order) probability_zero_occurrence_second_order = math.exp(-expected_number_occurrences_second_order) probability_zero_occurrence_third_order = math.exp(-expected_number_occurrences_third_order) ## statistical correction step begins here ## if (level == 'PROT'): corrected_probability_zero_occurrence_zero_order = (probability_zero_occurrence_zero_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_first_order = (probability_zero_occurrence_first_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_second_order = (probability_zero_occurrence_second_order * pow(20, len(str(lines[index])))) corrected_probability_zero_occurrence_third_order = (probability_zero_occurrence_third_order * pow(20, len(str(lines[index])))) elif (level == 'DNA'): corrected_probability_zero_occurrence_zero_order = (probability_zero_occurrence_zero_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_first_order = (probability_zero_occurrence_first_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_second_order = (probability_zero_occurrence_second_order * pow(4, len(str(lines[index])))) corrected_probability_zero_occurrence_third_order = (probability_zero_occurrence_third_order * pow(4, len(str(lines[index])))) if ((corrected_probability_zero_occurrence_zero_order < threshold) and (corrected_probability_zero_occurrence_first_order < threshold) and (corrected_probability_zero_occurrence_second_order < threshold) and (corrected_probability_zero_occurrence_third_order < threshold)): nullomer_list.append(str(lines[index])) exp_num_occur_zero_order.append(expected_number_occurrences_zero_order) exp_num_occur_first_order.append(expected_number_occurrences_first_order) exp_num_occur_second_order.append(expected_number_occurrences_second_order) exp_num_occur_third_order.append(expected_number_occurrences_third_order) prob_corr_zero_occur_list_zero_order.append(corrected_probability_zero_occurrence_zero_order) prob_corr_zero_occur_list_first_order.append(corrected_probability_zero_occurrence_first_order) prob_corr_zero_occur_list_second_order.append(corrected_probability_zero_occurrence_second_order) prob_corr_zero_occur_list_third_order.append(corrected_probability_zero_occurrence_third_order) if not (nullomer_list): print("No significant results found") else: if (print_log == 'TRUE'): print("\n** Results **\n") for itm1, itm2, itm3, itm4, itm5 in zip(nullomer_list, prob_corr_zero_occur_list_zero_order, prob_corr_zero_occur_list_first_order, prob_corr_zero_occur_list_second_order, prob_corr_zero_occur_list_third_order): max_prob = max(itm2, itm3, itm4, itm5) print(str(itm1) + '\t' + str(max_prob)) ##################### elif (correction_method == 'TARONE'): ##tarone (modified bonferroni) method if (print_log == 'TRUE'): print("- The selected correction method is: " + str(correction_method) + "") print("- The q-value threshold is: " + str(threshold) + "\n") default_transition_prob = 0.0 # !!! for i in product(alphabet, repeat=2): transition_dictionary_first_order.setdefault(''.join(i), default_transition_prob) for i in product(alphabet, repeat=3): transition_dictionary_second_order.setdefault(''.join(i), default_transition_prob) for i in product(alphabet, repeat=4): transition_dictionary_third_order.setdefault(''.join(i), default_transition_prob) remaining_kmers = {} for cur_len in range(min_len,max_len + 1): if (print_log == 'TRUE'): print(str(cur_len) + '-mers are now evaluated') aa_combinations = product(alphabet, repeat=cur_len) promising_kmers_list = [] range1 = range(cur_len - 1) range2 = range(cur_len - 2) range3 = range(cur_len - 3) number_of_kmer_positions = total_sequence_length - cur_len + 1 for indexx, cur_comb in enumerate(aa_combinations): cur_comb = ''.join(cur_comb) if (indexx % 1000000) == 0 and indexx != 0: if (print_log == 'TRUE'): print(str(indexx) + ' rows have been parsed') pre_probability_one_occurrence_zero_order = 1 pre_probability_one_occurrence_first_order = 1 pre_probability_one_occurrence_second_order = 1 pre_probability_one_occurrence_third_order = 1 if cur_len > 0: p = aminoacid_percentage[cur_comb[0]] pre_probability_one_occurrence_first_order *= p pre_probability_one_occurrence_second_order *= p pre_probability_one_occurrence_third_order *= p if cur_len > 1: p = transition_dictionary_first_order[cur_comb[:2]] pre_probability_one_occurrence_second_order *= p pre_probability_one_occurrence_third_order *= p if cur_len > 2: p = transition_dictionary_second_order[cur_comb[:3]] pre_probability_one_occurrence_third_order *= p for cur_let in cur_comb: pre_probability_one_occurrence_zero_order *= aminoacid_percentage[cur_let] for i in range1: pre_probability_one_occurrence_first_order *= transition_dictionary_first_order[cur_comb[i:i+2]] for i in range2: pre_probability_one_occurrence_second_order *= transition_dictionary_second_order[cur_comb[i:i+3]] for i in range3: pre_probability_one_occurrence_third_order *= transition_dictionary_third_order[cur_comb[i:i+4]] if (cur_len >= 5): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order, pre_probability_one_occurrence_second_order, pre_probability_one_occurrence_third_order) elif (cur_len == 4): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order, pre_probability_one_occurrence_second_order) elif (cur_len == 3): min_prob = min(pre_probability_one_occurrence_zero_order, pre_probability_one_occurrence_first_order) elif (cur_len == 2): min_prob = min(pre_probability_one_occurrence_zero_order) min_exp_numb_occurrences = min_prob * number_of_kmer_positions max_prob_zero_occurrence = math.exp(-min_exp_numb_occurrences) promising_kmers_list.append((max_prob_zero_occurrence, cur_comb)) promising_kmers_list.sort(reverse = True) num_of_included_kmers = len(promising_kmers_list) for value_prob, key_nullo in promising_kmers_list: corr_prob = value_prob * num_of_included_kmers if corr_prob > threshold: num_of_included_kmers -= 1 else: remaining_kmers[key_nullo] = corr_prob keys = remaining_kmers.keys() & lines results = {k:remaining_kmers[k] for k in keys} if (print_log == 'TRUE'): print("\n** Results **\n") if len(results.keys()) == 0: print('No significant results found') else: for key, val in results.items(): print(str(key) + "\t" + str(val)) end_time = process_time() - start_time if (print_log == 'TRUE'): print('\n\nTotal execution time: ' + str(end_time) + " seconds") print("\n** Execution was successful **")
1,569
0
100
90a918baa821f6642a6998639ff3abde00d0c0d0
29,509
py
Python
common/tests/test_views.py
bogolla/mfl_api
c5dff1857a94e1272d0663804c2339fa88cb7be3
[ "MIT" ]
null
null
null
common/tests/test_views.py
bogolla/mfl_api
c5dff1857a94e1272d0663804c2339fa88cb7be3
[ "MIT" ]
null
null
null
common/tests/test_views.py
bogolla/mfl_api
c5dff1857a94e1272d0663804c2339fa88cb7be3
[ "MIT" ]
1
2019-02-06T19:23:49.000Z
2019-02-06T19:23:49.000Z
import json import uuid from django.core.urlresolvers import reverse from django.contrib.auth import get_user_model from django.core.cache import cache from rest_framework.test import APITestCase from model_mommy import mommy from ..models import ( County, Contact, ContactType, Constituency, Ward, UserContact, UserConstituency, UserCounty, Town, SubCounty ) from ..serializers import ( ContactSerializer, WardSerializer, WardDetailSerializer, CountySerializer, CountyDetailSerializer, ConstituencySerializer, ConstituencyDetailSerializer, UserContactSerializer, UserConstituencySerializer )
35.553012
78
0.593378
import json import uuid from django.core.urlresolvers import reverse from django.contrib.auth import get_user_model from django.core.cache import cache from rest_framework.test import APITestCase from model_mommy import mommy from ..models import ( County, Contact, ContactType, Constituency, Ward, UserContact, UserConstituency, UserCounty, Town, SubCounty ) from ..serializers import ( ContactSerializer, WardSerializer, WardDetailSerializer, CountySerializer, CountyDetailSerializer, ConstituencySerializer, ConstituencyDetailSerializer, UserContactSerializer, UserConstituencySerializer ) def default(obj): if isinstance(obj, uuid.UUID): return str(obj) class LoginMixin(object): def setUp(self): password = 'mtihani124' self.user = get_user_model().objects.create_superuser( email='tester@ehealth.or.ke', first_name='Test', employee_number='124144124124', password=password, is_national=True ) self.client.login(email='tester@ehealth.or.ke', password=password) self.maxDiff = None super(LoginMixin, self).setUp() class TestViewCounties(LoginMixin, APITestCase): def setUp(self): super(TestViewCounties, self).setUp() self.url = reverse('api:common:counties_list') def test_post(self): data = { "name": "Kiambu", "code": 22 } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) def test_list_counties(self): county = County.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100') county_2 = County.objects.create( created_by=self.user, updated_by=self.user, name='county 2', code='101') url = reverse('api:common:counties_list') response = self.client.get(url) expected_data = { "results": [ CountySerializer( county_2, context={ 'request': response.request } ).data, CountySerializer( county, context={ 'request': response.request } ).data ] } self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) self.assertEquals(200, response.status_code) def test_retrieve_single_county(self): county = County.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100') url = reverse('api:common:counties_list') url += "{}/".format(county.id) response = self.client.get(url) expected_data = CountyDetailSerializer( county, context={ 'request': response.request } ).data self.assertEquals( json.loads(json.dumps(expected_data, default=default)), json.loads(json.dumps(response.data, default=default))) self.assertEquals(200, response.status_code) class TestViewConstituencies(LoginMixin, APITestCase): def setUp(self): super(TestViewConstituencies, self).setUp() def test_list_constituencies(self): county = County.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100') constituency = Constituency.objects.create( created_by=self.user, updated_by=self.user, county=county, name='constituency 1', code='335') constituency_2 = Constituency.objects.create( created_by=self.user, updated_by=self.user, name='constituency 2', code='337', county=county) url = reverse('api:common:constituencies_list') response = self.client.get(url) expected_data = { "results": [ ConstituencySerializer( constituency_2, context={ 'request': response.request }).data, ConstituencySerializer( constituency, context={ 'request': response.request }).data ] } # some weird ordering the dumps string # json.loads the dumped string to check equality of dicts self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) self.assertEquals(200, response.status_code) self.assertEquals(2, response.data.get('count')) def test_retrive_single_constituency(self): county = County.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100') constituency = Constituency.objects.create( created_by=self.user, updated_by=self.user, county=county, name='constituency 1', code='335') url = reverse('api:common:constituencies_list') url += "{}/".format(constituency.id) response = self.client.get(url) expected_data = ConstituencyDetailSerializer( constituency, context={ 'request': response.request }).data self.assertEquals( json.loads(json.dumps(expected_data, default=default)), json.loads(json.dumps(response.data, default=default))) self.assertEquals(200, response.status_code) class TestViewWards(LoginMixin, APITestCase): def setUp(self): super(TestViewWards, self).setUp() def test_list_wards(self): county = mommy.make(County) constituency = Constituency.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100', county=county) ward_1 = Ward.objects.create( created_by=self.user, updated_by=self.user, constituency=constituency, name='ward 1', code='335') ward_2 = Ward.objects.create( created_by=self.user, updated_by=self.user, name='ward 2', code='337', constituency=constituency) url = reverse('api:common:wards_list') response = self.client.get(url) expected_data = { "results": [ WardSerializer( ward_2, context={ 'request': response.request }).data, WardSerializer( ward_1, context={ 'request': response.request }).data ] } self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) self.assertEquals(200, response.status_code) self.assertEquals(2, response.data.get('count')) def test_retrive_single_ward(self): county = County.objects.create( created_by=self.user, updated_by=self.user, name='county 1', code='100') constituency = mommy.make(Constituency, county=county) ward = Ward.objects.create( created_by=self.user, updated_by=self.user, constituency=constituency, name='sub county', code='335') url = reverse('api:common:wards_list') url += "{}/".format(ward.id) response = self.client.get(url) expected_data = WardDetailSerializer( ward, context={ 'request': response.request }).data self.assertEquals( json.loads(json.dumps(expected_data, default=default)), json.loads(json.dumps(response.data, default=default))) self.assertEquals(200, response.status_code) class TestContactView(LoginMixin, APITestCase): def setUp(self): super(TestContactView, self).setUp() self.url = reverse("api:common:contacts_list") def test_get_contacts(self): contact_type = mommy.make(ContactType, name="EMAIL") contact_type_1 = mommy.make(ContactType, name="PHONE") contact = mommy.make( Contact, contact='test@gmail.com', contact_type=contact_type) contact_1 = mommy.make( Contact, contact='0784636499', contact_type=contact_type_1) response = self.client.get(self.url) expected_data = { "results": [ ContactSerializer( contact_1, context={ 'request': response.request } ).data, ContactSerializer( contact, context={ 'request': response.request } ).data ] } self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) def test_post_created_by_not_supplied(self): # Special case, to test AbstractFieldsMixin contact_type = mommy.make(ContactType) data = { "contact": "072578980", "contact_type": str(contact_type.id) } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertEquals(1, Contact.objects.count()) self.assertIn('id', json.dumps(response.data, default=default)) self.assertIn('contact', json.dumps(response.data, default=default)) self.assertIn( 'contact_type', json.dumps(response.data, default=default)) def test_post_created_by_supplied(self): # Special case, to test AbstractFieldsMixin contact_type = mommy.make(ContactType) data = { "contact": "072578980", "contact_type": str(contact_type.id), "created_by": str(self.user.id) } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertEquals(1, Contact.objects.count()) self.assertIn('id', json.dumps(response.data, default=default)) self.assertIn('contact', json.dumps(response.data, default=default)) self.assertIn( 'contact_type', json.dumps(response.data, default=default)) def test_retrieve_contact(self): contact = mommy.make(Contact) url = self.url + "{}/".format(contact.id) response = self.client.get(url) self.assertEquals(200, response.status_code) def test_filtering(self): pass class TestContactTypeView(LoginMixin, APITestCase): def setUp(self): super(TestContactTypeView, self).setUp() self.url = reverse("api:common:contact_types_list") def test_post_contact_types(self): data = { "created": "2015-04-10T08:41:05.169411Z", "updated": "2015-04-10T08:41:05.169411Z", "name": "EMAIL", "description": "This is an email contact typ" } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertIn("id", response.data) self.assertIn("name", response.data) self.assertIn("description", response.data) # run the other side of the default method def test_default_method(self): obj = uuid.uuid4() result = default(obj) self.assertIsInstance(result, str) obj_2 = "" result = default(obj_2) self.assertIsNone(result) class TestTownView(LoginMixin, APITestCase): def setUp(self): super(TestTownView, self).setUp() self.url = reverse("api:common:towns_list") def test_post_contact_types(self): data = { "name": "Kiamaiko Taon" } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertIn("id", response.data) self.assertIn("name", response.data) self.assertEqual("Kiamaiko Taon", response.data['name']) class TestAPIRootView(LoginMixin, APITestCase): def setUp(self): self.url = reverse('api:root_listing') cache.clear() super(TestAPIRootView, self).setUp() def test_api_and_metadata_root_view(self): """ So, you've landed here, presumably after an exasperating test failure ( probably cursing under your breath ). There's a high chance that one of two things is wrong: * you have a concrete model in an app that is in `settings.LOCAL_APPS` that has no list & detail views and URLs OR * you violated the URL naming conventions (for the `name` param ) What are these naming conventions, I hear you ask... * detail views -> 'api:<app_name>:<applicable_model_verbose_name>' * list views -> 'api:<app_name>:<applicable_model_verbose_name_plural>' If Django gives your model a funny `verbose_name_plural` ( because it ends with a 'y' or 's' and silly Django just appends an 's' ), set a better `verbose_name_plural` in the model's `Meta`. Once in a while, Django will also pick a `verbose_name` that is not to your liking; you can override that too. PS: Yes, this is a bitch. It is also a good discipline master. And - it is stupid, only assembling metadata for CRUD views. """ # It is not the size of the dog in the fight that matters... # This is one sensitive bitch of a test! response = self.client.get(self.url) self.assertEquals(200, response.status_code) # Test that the root redirects here redirect_response = self.client.get( reverse('root_redirect'), follow=True) self.assertEquals(200, redirect_response.status_code) class TestUserContactView(LoginMixin, APITestCase): def setUp(self): super(TestUserContactView, self).setUp() self.url = reverse("api:common:user_contacts_list") def test_save(self): user_contact_1 = mommy.make(UserContact) user_contact_2 = mommy.make(UserContact) response = self.client.get(self.url) expected_data = { "results": [ UserContactSerializer( user_contact_2, context={ 'request': response.request } ).data, UserContactSerializer( user_contact_1, context={ 'request': response.request } ).data ] } self.assertEquals(200, response.status_code) self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) def test_retrieve_user_contact(self): user_contact = mommy.make(UserContact) url = self.url + "{}/".format(user_contact.id) response = self.client.get(url) self.assertEquals(200, response.status_code) expected_data = UserContactSerializer( user_contact, context={ 'request': response.request }).data self.assertEquals( json.loads(json.dumps(expected_data, default=default)), json.loads(json.dumps(response.data, default=default))) class TestFilteringSummariesView(LoginMixin, APITestCase): def setUp(self): super(TestFilteringSummariesView, self).setUp() self.url = reverse('api:common:filtering_summaries') def test_get_summaries(self): mommy.make(County, name="muranga") ward = mommy.make(Ward, name='kizito') mommy.make(Constituency, name='kiambaa') response = self.client.get(self.url + '?fields=ward') self.assertEquals(200, response.status_code) self.assertTrue('ward' in response.data) self.assertEqual(response.data['ward'][0]['name'], ward.name) def test_get_summaries_no_fields_specified(self): mommy.make(County, name="muranga") mommy.make(Ward, name='kizito') mommy.make(Constituency, name='kiambaa') response = self.client.get(self.url) self.assertEquals(200, response.status_code) self.assertEqual(response.data, {}) def test_get_summaries_some_fields_wrong(self): mommy.make(County, name="muranga") ward = mommy.make(Ward, name='kizito') mommy.make(Constituency, name='kiambaa') response = self.client.get(self.url + '?fields=ward,hakuna') self.assertEquals(200, response.status_code) self.assertTrue('ward' in response.data) self.assertEqual(response.data['ward'][0]['name'], ward.name) class TestDeleting(LoginMixin, APITestCase): def setUp(self): self.url = reverse('api:common:counties_list') super(TestDeleting, self).setUp() def test_delete_county(self): county = mommy.make(County) url = self.url + '{}/'.format(county.id) response = self.client.delete(url) # assert status code due to cache time of 15 seconds self.assertEquals(200, response.status_code) # self.assertEquals("Not Found", response.data.get('detail')) with self.assertRaises(County.DoesNotExist): County.objects.get(id=county.id) self.assertEquals(1, County.everything.filter(id=county.id).count()) class TestSlimDetailViews(LoginMixin, APITestCase): def test_get_county_slim_detail_view(self): county = mommy.make(County) url = reverse('api:common:county_slim_detail', args=[str(county.id)]) response = self.client.get(url) self.assertEquals(200, response.status_code) def test_get_consituency_slim_detail_view(self): const = mommy.make(Constituency) url = reverse( 'api:common:constituency_slim_detail', args=[str(const.id)]) response = self.client.get(url) self.assertEquals(200, response.status_code) def test_get_ward_slim_detail_view(self): ward = mommy.make(Ward) url = reverse('api:common:ward_slim_detail', args=[str(ward.id)]) response = self.client.get(url) self.assertEquals(200, response.status_code) class TestUserConstituenciesView(LoginMixin, APITestCase): def setUp(self): super(TestUserConstituenciesView, self).setUp() self.url = reverse("api:common:user_constituencies_list") def test_test_listing(self): user = mommy.make(get_user_model()) county = mommy.make(County) mommy.make(UserCounty, user=user, county=county) const = mommy.make(Constituency, county=county) mommy.make(UserCounty, user=self.user, county=county) user_const_1 = mommy.make( UserConstituency, constituency=const, created_by=user) response = self.client.get(self.url) self.assertEquals(200, response.status_code) expected_data = { "results": [ UserConstituencySerializer( user_const_1, context={ 'request': response.request } ).data ] } self.assertEquals( json.loads(json.dumps(expected_data['results'], default=default)), json.loads(json.dumps(response.data['results'], default=default))) def test_retrieve_single_user_constituency(self): user = mommy.make(get_user_model()) user_2 = mommy.make(get_user_model()) county = mommy.make(County) mommy.make(UserCounty, user=user, county=county) const = mommy.make(Constituency, county=county) user_const_1 = mommy.make( UserConstituency, constituency=const, created_by=user) mommy.make( UserConstituency, user=user_2, constituency=const, created_by=user) url = self.url + "{}/".format(user_const_1.id) response = self.client.get(url) self.assertEquals(200, response.status_code) expected_data = UserConstituencySerializer( user_const_1, context={ 'request': response.request }).data self.assertEquals( json.loads(json.dumps(expected_data, default=default)), json.loads(json.dumps(response.data, default=default))) def test_posting(self): user = mommy.make(get_user_model()) county = mommy.make(County) const = mommy.make(Constituency, county=county) mommy.make(UserCounty, user=self.user, county=county, active=True) data = { "constituency": str(const.id), "user": str(user.id) } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertEquals(1, UserConstituency.objects.count()) self.assertIn('id', json.loads(json.dumps( response.data, default=default))) class TestFilteringAdminUnits(APITestCase): def setUp(self): self.county = mommy.make(County) self.constituency = mommy.make(Constituency, county=self.county) self.initial_user = mommy.make(get_user_model()) mommy.make(UserCounty, user=self.initial_user, county=self.county) super(TestFilteringAdminUnits, self).setUp() def test_filter_wards_by_user_constituency(self): user = mommy.make(get_user_model()) mommy.make( UserConstituency, user=user, created_by=self.initial_user, constituency=self.constituency, updated_by=self.initial_user) ward_1 = mommy.make(Ward, constituency=self.constituency) ward_2 = mommy.make(Ward, constituency=self.constituency) mommy.make(Ward) self.client.force_authenticate(user) url = reverse("api:common:wards_list") response = self.client.get(url) expected_data = [ WardSerializer( ward_2, context={ 'request': response.request } ).data, WardSerializer( ward_1, context={ 'request': response.request } ).data] self.assertEquals( json.loads( json.dumps(expected_data, default=default)), json.loads( json.dumps( response.data.get("results"), default=default) ) ) def test_filter_consituencies_by_user_county(self): self.maxDiff = None user = mommy.make(get_user_model()) mommy.make( UserCounty, user=user, created_by=self.initial_user, county=self.county, updated_by=self.initial_user) const_1 = mommy.make(Constituency, county=self.county) const_2 = mommy.make(Constituency, county=self.county) mommy.make(Constituency) self.client.force_authenticate(user) url = reverse("api:common:constituencies_list") response = self.client.get(url) expected_data = [ ConstituencySerializer( const_2, context={ 'request': response.request } ).data, ConstituencySerializer( const_1, context={ 'request': response.request } ).data, ConstituencySerializer( self.constituency, context={ 'request': response.request } ).data ] self.assertEquals( json.loads( json.dumps(expected_data, default=default)), json.loads( json.dumps( response.data.get("results"), default=default) ) ) def test_national_user_sees_everything(self): self.maxDiff = None self.initial_user.is_national = True self.initial_user.save() self.client.force_authenticate(self.initial_user) # get constituencies url = reverse("api:common:constituencies_list") response = self.client.get(url) self.assertEquals( Constituency.objects.count(), len(response.data.get("results")) ) # get wards url = reverse("api:common:wards_list") response = self.client.get(url) self.assertEquals( Ward.objects.count(), len(response.data.get("results")) ) def test_national_user_sees_all_towns(self): county = mommy.make(County) user = mommy.make(get_user_model()) user.is_national = True user.save() mommy.make(UserCounty, user=user, county=county) mommy.make(Town, name='The shire') mommy.make(Town, name='sparta') url = reverse("api:common:towns_list") self.client.force_authenticate(user) response = self.client.get(url) self.assertEquals(200, response.status_code) self.assertEquals(2, len(response.data.get("results"))) def test_sub_county_user_sees_all_towns(self): county = mommy.make(County) user = mommy.make(get_user_model()) user_2 = mommy.make(get_user_model()) mommy.make(UserCounty, user=user, county=county) const = mommy.make(Constituency, county=county) mommy.make( UserConstituency, user=user_2, created_by=user, updated_by=user, constituency=const) mommy.make(Town, name='Rome') mommy.make(Town, name='Rivendell') url = reverse("api:common:towns_list") self.client.force_authenticate(user_2) response = self.client.get(url) self.assertEquals(200, response.status_code) self.assertEquals(2, len(response.data.get("results"))) def test_county_user_sees_only_wards_in_county(self): user = mommy.make(get_user_model()) mommy.make( UserCounty, user=user, county=self.county) ward_1 = mommy.make(Ward, constituency=self.constituency) ward_2 = mommy.make(Ward, constituency=self.constituency) mommy.make(Ward) self.client.force_authenticate(user) url = reverse("api:common:wards_list") response = self.client.get(url) expected_data = [ WardSerializer( ward_2, context={ 'request': response.request } ).data, WardSerializer( ward_1, context={ 'request': response.request } ).data] self.assertEquals( json.loads( json.dumps(expected_data, default=default)), json.loads( json.dumps( response.data.get("results"), default=default) ) ) class TestSubCountyView(LoginMixin, APITestCase): def setUp(self): self.url = reverse("api:common:sub_counties_list") super(TestSubCountyView, self).setUp() def test_posting(self): county = mommy.make(County) data = { "name": "test subcounty", "county": county.id } response = self.client.post(self.url, data) self.assertEquals(201, response.status_code) self.assertEquals(1, SubCounty.objects.count()) self.assertIn("id", response.data) def test_listing(self): mommy.make(SubCounty) mommy.make(SubCounty) mommy.make(SubCounty) mommy.make(SubCounty) mommy.make(SubCounty) response = self.client.get(self.url) self.assertEquals(200, response.status_code) self.assertEquals(5, response.data.get("count")) self.assertEquals(5, SubCounty.objects.count()) def test_retreiving(self): mommy.make(SubCounty) sub_county = mommy.make(SubCounty) url = self.url + "{}/".format(sub_county.id) response = self.client.get(url) self.assertEquals(200, response.status_code) self.assertEquals(str(sub_county.id), response.data.get("id")) def test_updating(self): sub_county = mommy.make(SubCounty) data = { "name": "name has been editted" } url = self.url + "{}/".format(sub_county.id) response = self.client.patch(url, data) ssub_county_refetched = SubCounty.objects.get(id=sub_county.id) self.assertEquals(200, response.status_code) self.assertEquals(ssub_county_refetched.name, data.get("name"))
25,052
2,052
1,718
0e73708eef7cd9ff9448de35b947d3c6d63f0ce7
9,968
py
Python
torch_models/models/seq_encoders.py
Ryou0634/pytorch_models
cd48f9b3797839df5dbf4e51bed81de44e7b962e
[ "BSD-3-Clause" ]
null
null
null
torch_models/models/seq_encoders.py
Ryou0634/pytorch_models
cd48f9b3797839df5dbf4e51bed81de44e7b962e
[ "BSD-3-Clause" ]
null
null
null
torch_models/models/seq_encoders.py
Ryou0634/pytorch_models
cd48f9b3797839df5dbf4e51bed81de44e7b962e
[ "BSD-3-Clause" ]
null
null
null
import torch import torch.nn as nn import torch.nn.functional as F from torch.nn.utils.rnn import pack_padded_sequence, pad_packed_sequence class SeqEncoderBase(nn.Module): ''' Sequence encoder takes sequences as input, transform them into embeddings, and then outputs encoded fixed-size representation. '''
45.104072
133
0.652087
import torch import torch.nn as nn import torch.nn.functional as F from torch.nn.utils.rnn import pack_padded_sequence, pad_packed_sequence class SeqEncoderBase(nn.Module): ''' Sequence encoder takes sequences as input, transform them into embeddings, and then outputs encoded fixed-size representation. ''' def __init__(self, embed_size, vocab_size): super().__init__() self.embed_size = embed_size self.vocab_size = vocab_size self.embedding = nn.Embedding(vocab_size+1, embed_size, padding_idx=vocab_size) def _pad_seqs(self, inputs): seq_lens = torch.LongTensor([len(seq) for seq in inputs]) padded_seqs = self.embedding.padding_idx*inputs[0].new_ones((len(inputs), seq_lens.max())) for i, (seq, seq_len) in enumerate(zip(inputs, seq_lens)): padded_seqs[i, :seq_len] = seq return padded_seqs, seq_lens class PaddedEmbedding(SeqEncoderBase): def __init__(self, embed_size, vocab_size): super().__init__(embed_size, vocab_size) def forward(self, inputs): # padding padded_seqs, seq_lens = self._pad_seqs(inputs, seq_lens) # (batch, max_len) # get embedding embeds = self.embedding(padded_seqs) # (batch, max_len, embed_size) return (embeds, seq_lens), None class BoV(SeqEncoderBase): def __init__(self, embed_size, vocab_size): super().__init__(embed_size, vocab_size) self.output_size = embed_size def _get_embeds(self, inputs): # flatten inputs, get embeddings, then split them back seq_lengths = [len(seq) for seq in inputs] cat_seqs = torch.cat(inputs) embed_seqs = self.embedding(cat_seqs).split(seq_lengths) return embed_seqs def forward(self, inputs): embed_seqs = self._get_embeds(inputs) averaged = [torch.mean(embed_seqs[i], dim=0) for i in range(len(embed_seqs))] return torch.stack(averaged) class RNNEncoder(SeqEncoderBase): def __init__(self, embed_size, hidden_size, vocab_size, bidirectional=None, num_layers=1, dropout=0, rnn='RNN', feed_size=0): super().__init__(embed_size, vocab_size) rnn_unit = eval('nn.'+rnn) if bidirectional is None: self.bidirectional = False self.output_size = hidden_size elif bidirectional == 'add': self.bidirectional = True self.bidir_type = 'add' self.output_size = hidden_size elif bidirectional == 'cat': self.bidirectional = True self.bidir_type = 'cat' self.output_size = 2*hidden_size else: raise Exception("bidirectional must be [None, 'add', 'cat']") self.rnn = rnn_unit(embed_size+feed_size, hidden_size, bidirectional=self.bidirectional, num_layers=num_layers, dropout=dropout) self.hidden_size = hidden_size self.feed_size = feed_size self.num_layers = num_layers self.num_directions = 1+self.bidirectional def pad_and_sort_inputs(self, inputs): # padding padded_seqs, seq_lens = self._pad_seqs(inputs) # (batch, max_len) # sorting seq_lens, perm_idx = seq_lens.sort(descending=True) padded_seqs = padded_seqs[perm_idx] return padded_seqs, seq_lens, perm_idx def get_packed_embeds(self, inputs): padded_seqs, seq_lens, perm_idx = self.pad_and_sort_inputs(inputs) # get embedding embeds = self.embedding(padded_seqs) # (batch, max_len, embed_size) # packing packed_embeds = pack_padded_sequence(embeds, seq_lens, batch_first=True) return packed_embeds, perm_idx def _reorder_hiddens(self, hiddens, perm_idx): if isinstance(self.rnn, nn.LSTM): hiddens, cells = hiddens return (hiddens[:, perm_idx], cells[:, perm_idx]) else: return hiddens[:, perm_idx] def _copy_hiddens(self, hiddens, n_copy): ''' Copy hiddens along the batch dimension. ''' if isinstance(self.rnn, nn.LSTM): hiddens, cells = hiddens return (hiddens.repeat(1, n_copy, 1), cells.repeat(1, n_copy, 1)) else: return hiddens.repeat(1, n_copy, 1) def _add_along_direction(self, tensors, hiddens): ''' Used when merging two hiddens from a bidirectional RNN. ''' batchsize = tensors.size(0) tensors = tensors.view(batchsize, -1, self.num_directions, self.hidden_size).sum(dim=2) # (batch, seq_len, hidden_size) if isinstance(self.rnn, nn.LSTM): hiddens, cells = hiddens hiddens = hiddens.view(self.num_layers, self.num_directions, -1, self.hidden_size).sum(dim=1) cells = cells.view(self.num_layers, self.num_directions, -1, self.hidden_size).sum(dim=1) hiddens = (hiddens, cells) else: hiddens = hiddens.view(self.num_layers, self.num_directions, -1, self.hidden_size).sum(dim=1) return tensors, hiddens def forward(self, inputs, init_state=None): ''' Compute batched outputs through all time steps. Inputs will be padded, and so is the outputs. You can unpad the outputs with lengths. Parameters : inputs : List[torch.LongTensor (seq_len, )] A batch of tensors containing indices. init_state : torch.tensor or Tuple[torch.tensor] (for LSTM) Initial hidden state. Returns : tensors : torch.tensor (batch, max(lengths), hidden_size) lengths : torch.LongTensor hiddens : torch.tensor or Tuple[torch.tensor] (for LSTM) ''' packed_embeds, perm_idx = self.get_packed_embeds(inputs) if init_state is not None: init_state = self._reorder_hiddens(init_state, perm_idx) outputs, hiddens = self.rnn(packed_embeds, init_state) tensors, lengths = pad_packed_sequence(outputs, batch_first=True) if self.bidirectional and self.bidir_type == 'add': tensors, hiddens = self._add_along_direction(tensors, hiddens) # _reorder_batch _, unperm_idx = perm_idx.sort() lengths = lengths[unperm_idx] tensors = tensors[unperm_idx] # (batch, seq_len, output_size) hiddens = self._reorder_hiddens(hiddens, unperm_idx) # (num_layers * num_directions, batch, hidden_size) return (tensors, lengths), hiddens def forward_step(self, inputs, init_state=None, feed_vec=None): ''' Compute batched outputs for a single step. Parameters : inputs : torch.LongTensor (batch, ) A batch of tensors containing indices. init_state : torch.tensor or Tuple[torch.tensor] (for LSTM) Initial hidden state. feed_vec : torch.tensor (batch, feed_size) Additional inputs concatenated to embeddings. Returns : tensors : torch.tensor (batch, 1, hidden_size) hiddens : torch.tensor or Tuple[torch.tensor] (for LSTM) ''' assert (self.feed_size == 0 and feed_vec is None) or (self.feed_size > 0 and feed_vec is not None) embeds = self.embedding(inputs) # (batch, input_size) if feed_vec is not None: embeds = torch.cat([embeds, feed_vec], dim=1) # (batch, input_size+feed_size) tensors, hiddens = self.rnn(embeds.unsqueeze(0), init_state) # (1, batch, num_directions * hidden_size), (num_layers * num_directions, batch, hidden_size) tensors = tensors.permute(1, 0, 2) if self.bidirectional and self.bidir_type == 'add': tensors, hiddens = self._add_along_direction(tensors, hiddens) return tensors, hiddens class RNNLastHidden(RNNEncoder): def __init__(self, embed_size, hidden_size, vocab_size, bidirectional='cat', num_layers=1, dropout=0, rnn='LSTM'): super().__init__(embed_size=embed_size, hidden_size=hidden_size, vocab_size=vocab_size, bidirectional=bidirectional, num_layers=num_layers, dropout=dropout, rnn=rnn) def forward(self, inputs): packed_embeds, perm_idx = self.get_packed_embeds(inputs) _, hiddens = self.rnn(packed_embeds) # (num_layers * num_directions, batch, hidden_size) if isinstance(self.rnn, nn.LSTM): hiddens = hiddens[0] hiddens = hiddens.view(self.num_layers, self.num_directions, -1, self.hidden_size) if not self.bidirectional: hidden = hiddens[-1].squeeze(0) if self.bidirectional and self.bidir_type == 'add': hidden = hiddens.sum(dim=1) # (num_layers, batch, hidden_size) hidden = hidden[-1] # (batch, hidden_size) if self.bidirectional and self.bidir_type == 'cat': hidden = torch.cat([tensor for tensor in hiddens[-1]], dim=1) # (batch, output_size) _, unperm_idx = perm_idx.sort() return hidden[unperm_idx] # (batch, output_size) class RNNMaxPool(RNNEncoder): def __init__(self, embed_size, hidden_size, vocab_size, bidirectional='cat', num_layers=1, dropout=0, rnn='LSTM'): super().__init__(embed_size, hidden_size, vocab_size, bidirectional, num_layers, dropout, rnn) def forward(self, inputs): packed_embeds, perm_idx = self.get_packed_embeds(inputs) outputs, _ = self.rnn(packed_embeds) # (batch, seq_len, num_directions * hidden_size) tensors, lengths = pad_packed_sequence(outputs, batch_first=True) if self.bidirectional and self.bidir_type == 'add': tensors = tensors.view(len(inputs), -1, self.num_directions, self.hidden_size).sum(dim=2) # (batch, seq_len, hidden_size) for tensor, length in zip(tensors, lengths): tensor[length:] = float('-inf') pooled, _ = torch.max(tensors, dim=1) _, unperm_idx = perm_idx.sort() return pooled[unperm_idx] # (batch, output_size)
5,269
3,965
407
0aa4c846dd24707f46527bf0c43bdc971d716dd5
6,693
py
Python
experiments/vitchyr/icra2018/train_separate_policies.py
Asap7772/railrl_evalsawyer
baba8ce634d32a48c7dfe4dc03b123e18e96e0a3
[ "MIT" ]
1
2020-10-23T14:40:09.000Z
2020-10-23T14:40:09.000Z
experiments/vitchyr/icra2018/train_separate_policies.py
Asap7772/railrl_evalsawyer
baba8ce634d32a48c7dfe4dc03b123e18e96e0a3
[ "MIT" ]
null
null
null
experiments/vitchyr/icra2018/train_separate_policies.py
Asap7772/railrl_evalsawyer
baba8ce634d32a48c7dfe4dc03b123e18e96e0a3
[ "MIT" ]
1
2021-05-27T20:38:45.000Z
2021-05-27T20:38:45.000Z
import random import numpy as np from rlkit.envs.mujoco.pusher3dof import PusherEnv3DOF from rlkit.envs.mujoco.pusher_avoider_3dof import PusherAvoiderEnv3DOF from rlkit.exploration_strategies.ou_strategy import OUStrategy from rlkit.launchers.launcher_util import run_experiment from rlkit.torch.networks import FeedForwardQFunction, FeedForwardPolicy from rlkit.torch.ddpg import DDPG import rlkit.misc.hyperparameter as hyp import rlkit.torch.pytorch_util as ptu from rlkit.torch.naf import NafPolicy, NAF from rllab.envs.normalized_env import normalize if __name__ == '__main__': num_configurations = 1 # for random mode n_seeds = 1 mode = "here" exp_prefix = "dev-separate-policies" version = "Dev" run_mode = "none" n_seeds = 3 mode = "ec2" exp_prefix = "pusher-avoid-hardcoded-naf" # version = "Dev" run_mode = 'grid' use_gpu = True if mode != "here": use_gpu = False snapshot_mode = "last" snapshot_gap = 10 periodic_sync_interval = 600 # 10 minutes variant = dict( version=version, algo_params=dict( num_epochs=501, num_steps_per_epoch=10000, num_steps_per_eval=1500, use_soft_update=True, tau=1e-3, batch_size=128, max_path_length=300, discount=0.99, qf_learning_rate=1e-3, policy_learning_rate=1e-4, # naf_policy_learning_rate=1e-4, # render=True, ), algo_class=NAF, # algo_class=DDPG, env_class=PusherAvoiderEnv3DOF, env_params=dict( task='both', ), hidden_size=400, es_params=dict( min_sigma=None, max_sigma=0.2, ) # env_class=PusherEnv3DOF, # env_params=dict( # goal=(1, -1), # ), ) if run_mode == 'grid': search_space = { # 'algo_params.use_soft_update': [True, False], 'hidden_size': [100, 400], # 'es_params.max_sigma': [0.1, 0.3, 0.5, 1], # 'env_params.hit_penalty': [0.05, 0.1, 0.5, 1], 'env_params.task': [ 'push', 'avoid', 'both', ], 'env_params.init_config': list(range(5)), # 'env_params.goal': [ # (-1, -1), # (0, -1), # (1, -1), # (-1, np.nan), # (0, np.nan), # (1, np.nan), # (np.nan, -1), # ] } sweeper = hyp.DeterministicHyperparameterSweeper( search_space, default_parameters=variant, ) for exp_id, variant in enumerate(sweeper.iterate_hyperparameters()): for i in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=exp_id, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, ) elif run_mode == 'custom_grid': for exp_id, ( goal, version, ) in enumerate([ # ((-1, -1), 'bottom-left'), # ((0, -1), 'bottom-middle'), # ((1, -1), 'bottom-right'), # ((-1, np.nan), 'left'), # ((0, np.nan), 'middle'), # ((1, np.nan), 'right'), # ((np.nan, -1), 'bottom'), ]): variant['version'] = version variant['env_params']['goal'] = goal new_exp_prefix = "{}_{}".format(exp_prefix, version) for _ in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=new_exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=exp_id, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, ) else: for _ in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=0, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, )
31.570755
76
0.511729
import random import numpy as np from rlkit.envs.mujoco.pusher3dof import PusherEnv3DOF from rlkit.envs.mujoco.pusher_avoider_3dof import PusherAvoiderEnv3DOF from rlkit.exploration_strategies.ou_strategy import OUStrategy from rlkit.launchers.launcher_util import run_experiment from rlkit.torch.networks import FeedForwardQFunction, FeedForwardPolicy from rlkit.torch.ddpg import DDPG import rlkit.misc.hyperparameter as hyp import rlkit.torch.pytorch_util as ptu from rlkit.torch.naf import NafPolicy, NAF from rllab.envs.normalized_env import normalize def experiment(variant): env = variant['env_class'](**variant['env_params']) env = normalize(env) es = OUStrategy( action_space=env.action_space, **variant['es_params'] ) algo_class = variant['algo_class'] algo_params = variant['algo_params'] hidden_size = variant['hidden_size'] if algo_class == DDPG: # algo_params.pop('naf_policy_learning_rate') qf = FeedForwardQFunction( int(env.observation_space.flat_dim), int(env.action_space.flat_dim), hidden_size, hidden_size, ) policy = FeedForwardPolicy( int(env.observation_space.flat_dim), int(env.action_space.flat_dim), hidden_size, hidden_size, ) algorithm = DDPG( env, exploration_strategy=es, qf=qf, policy=policy, **variant['algo_params'] ) elif algo_class == NAF: algo_params.pop('qf_learning_rate') # algo_params.pop('policy_learning_rate') qf = NafPolicy( int(env.observation_space.flat_dim), int(env.action_space.flat_dim), hidden_size, ) algorithm = NAF( env, policy=qf, exploration_strategy=es, **variant['algo_params'] ) else: raise Exception("Invalid algo class: {}".format(algo_class)) algorithm.to(ptu.device) algorithm.train() if __name__ == '__main__': num_configurations = 1 # for random mode n_seeds = 1 mode = "here" exp_prefix = "dev-separate-policies" version = "Dev" run_mode = "none" n_seeds = 3 mode = "ec2" exp_prefix = "pusher-avoid-hardcoded-naf" # version = "Dev" run_mode = 'grid' use_gpu = True if mode != "here": use_gpu = False snapshot_mode = "last" snapshot_gap = 10 periodic_sync_interval = 600 # 10 minutes variant = dict( version=version, algo_params=dict( num_epochs=501, num_steps_per_epoch=10000, num_steps_per_eval=1500, use_soft_update=True, tau=1e-3, batch_size=128, max_path_length=300, discount=0.99, qf_learning_rate=1e-3, policy_learning_rate=1e-4, # naf_policy_learning_rate=1e-4, # render=True, ), algo_class=NAF, # algo_class=DDPG, env_class=PusherAvoiderEnv3DOF, env_params=dict( task='both', ), hidden_size=400, es_params=dict( min_sigma=None, max_sigma=0.2, ) # env_class=PusherEnv3DOF, # env_params=dict( # goal=(1, -1), # ), ) if run_mode == 'grid': search_space = { # 'algo_params.use_soft_update': [True, False], 'hidden_size': [100, 400], # 'es_params.max_sigma': [0.1, 0.3, 0.5, 1], # 'env_params.hit_penalty': [0.05, 0.1, 0.5, 1], 'env_params.task': [ 'push', 'avoid', 'both', ], 'env_params.init_config': list(range(5)), # 'env_params.goal': [ # (-1, -1), # (0, -1), # (1, -1), # (-1, np.nan), # (0, np.nan), # (1, np.nan), # (np.nan, -1), # ] } sweeper = hyp.DeterministicHyperparameterSweeper( search_space, default_parameters=variant, ) for exp_id, variant in enumerate(sweeper.iterate_hyperparameters()): for i in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=exp_id, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, ) elif run_mode == 'custom_grid': for exp_id, ( goal, version, ) in enumerate([ # ((-1, -1), 'bottom-left'), # ((0, -1), 'bottom-middle'), # ((1, -1), 'bottom-right'), # ((-1, np.nan), 'left'), # ((0, np.nan), 'middle'), # ((1, np.nan), 'right'), # ((np.nan, -1), 'bottom'), ]): variant['version'] = version variant['env_params']['goal'] = goal new_exp_prefix = "{}_{}".format(exp_prefix, version) for _ in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=new_exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=exp_id, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, ) else: for _ in range(n_seeds): seed = random.randint(0, 10000) run_experiment( experiment, exp_prefix=exp_prefix, seed=seed, mode=mode, variant=variant, exp_id=0, use_gpu=use_gpu, sync_s3_log=True, sync_s3_pkl=True, snapshot_mode=snapshot_mode, snapshot_gap=snapshot_gap, periodic_sync_interval=periodic_sync_interval, )
1,486
0
23
5e5c6b74133371a4d1f0b9e965d2da016f8cbdbe
180
py
Python
ctpbee/interface/ctp/__init__.py
Faithforus/ctpbee
18cd81aa9218803ba649cde7389a1f249f4a24db
[ "MIT" ]
null
null
null
ctpbee/interface/ctp/__init__.py
Faithforus/ctpbee
18cd81aa9218803ba649cde7389a1f249f4a24db
[ "MIT" ]
null
null
null
ctpbee/interface/ctp/__init__.py
Faithforus/ctpbee
18cd81aa9218803ba649cde7389a1f249f4a24db
[ "MIT" ]
null
null
null
from .md_api import BeeMdApi from .md_api import BeeMdApiApp from .td_api import BeeTdApi from .td_api import BeeTdApiApp __all__ = [BeeMdApiApp, BeeMdApi, BeeTdApi, BeeTdApiApp]
25.714286
56
0.816667
from .md_api import BeeMdApi from .md_api import BeeMdApiApp from .td_api import BeeTdApi from .td_api import BeeTdApiApp __all__ = [BeeMdApiApp, BeeMdApi, BeeTdApi, BeeTdApiApp]
0
0
0
3b6757229fa4e0ec61c4e05d1d0337ce1546f654
2,904
py
Python
weibospider/pipelines.py
keyboardpianist/weiboSpider
e4ccaad4ee0e4dce31a18f6ddf16fba75d955aba
[ "MIT" ]
null
null
null
weibospider/pipelines.py
keyboardpianist/weiboSpider
e4ccaad4ee0e4dce31a18f6ddf16fba75d955aba
[ "MIT" ]
null
null
null
weibospider/pipelines.py
keyboardpianist/weiboSpider
e4ccaad4ee0e4dce31a18f6ddf16fba75d955aba
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- import pymongo from pymongo.errors import DuplicateKeyError from settings import MONGO_HOST, MONGO_PORT import pymysql # twisted: 用于异步写入(包含数据库)的框架,cursor.execute()是同步写入 from twisted.enterprise import adbapi
31.565217
68
0.607094
# -*- coding: utf-8 -*- import pymongo from pymongo.errors import DuplicateKeyError from settings import MONGO_HOST, MONGO_PORT import pymysql # twisted: 用于异步写入(包含数据库)的框架,cursor.execute()是同步写入 from twisted.enterprise import adbapi class MongoDBPipeline(object): def __init__(self): client = pymongo.MongoClient(MONGO_HOST, MONGO_PORT) db = client['weibo'] self.Users = db["Users"] self.Tweets = db["Tweets"] self.Comments = db["Comments"] self.Relationships = db["Relationships"] self.Reposts = db["Reposts"] def process_item(self, item, spider): if spider.name == 'comment_spider': self.insert_item(self.Comments, item) elif spider.name == 'fan_spider': self.insert_item(self.Relationships, item) elif spider.name == 'follower_spider': self.insert_item(self.Relationships, item) elif spider.name == 'user_spider': self.insert_item(self.Users, item) elif spider.name == 'tweet_spider': self.insert_item(self.Tweets, item) elif spider.name == 'repost_spider': self.insert_item(self.Reposts, item) return item @staticmethod def insert_item(collection, item): try: collection.insert(dict(item)) except DuplicateKeyError: pass class MySQLDBPipline(object): def __init__(self, pool): self.dbpool = pool @classmethod def from_settings(cls, settings): """ 这个函数名称是固定的,当爬虫启动的时候,scrapy会自动调用这些函数,加载配置数据。 :param settings: :return: """ params = dict( host=settings['MYSQL_HOST'], port=settings['MYSQL_PORT'], db=settings['MYSQL_DB'], user=settings['MYSQL_USER'], passwd=settings['MYSQL_PASSWD'], charset=settings['MYSQL_CHARSET'], cursorclass=pymysql.cursors.DictCursor ) # 创建一个数据库连接池对象,这个连接池中可以包含多个connect连接对象。 # 参数1:操作数据库的包名 # 参数2:链接数据库的参数 db_connect_pool = adbapi.ConnectionPool('pymysql', **params) # 初始化这个类的对象 obj = cls(db_connect_pool) return obj def process_item(self, item, spider): """ 在连接池中,开始执行数据的多线程写入操作。 :param item: :param spider: :return: """ # 参数1:在线程中被执行的sql语句 # 参数2:要保存的数据 #print(item) result = self.dbpool.runInteraction(self.insert, item) # 给result绑定一个回调函数,用于监听错误信息 result.addErrback(self.error, item, spider) def error(self, failure, item, spider): print('--------', failure,'---', item, '---', spider) # 下面这两步分别是数据库的插入语句,以及执行插入语句。这里把插入的数据和sql语句分开写了,跟何在一起写效果是一样的 def insert(self, cursor, item): insert_sql, params = item.get_insert_sql() cursor.execute(insert_sql, params) # 不需要commit()
1,248
1,812
46
0f2d10bfbdf173a3b75f3bacad2078c1e1729a98
24,301
py
Python
tlh/data/constraints.py
notyourav/the-little-hat
f52b38b18b762e704b36cef06c07656348ea6995
[ "MIT" ]
null
null
null
tlh/data/constraints.py
notyourav/the-little-hat
f52b38b18b762e704b36cef06c07656348ea6995
[ "MIT" ]
null
null
null
tlh/data/constraints.py
notyourav/the-little-hat
f52b38b18b762e704b36cef06c07656348ea6995
[ "MIT" ]
2
2021-10-05T20:40:12.000Z
2022-01-05T00:17:36.000Z
from tlh.const import RomVariant from dataclasses import dataclass from sortedcontainers import SortedKeyList from bisect import bisect_left, bisect_right from intervaltree import Interval, IntervalTree @dataclass class Constraint: """ A constraint defines that two local addresses of different rom variants should be at the same virtual address """ romA: RomVariant = None addressA: int = 0 romB: RomVariant = None addressB: int = 0 certainty: int = 0 author: str = '' note: str = '' enabled: bool = True @dataclass class RomRelations: """ A rom relation defines the relation between a local address for this rom variant and the corresponding virtual address """ @dataclass(frozen=True, eq=True) class Blocker: """ Blocks the progression of this rom until another rom has reached a local variant """ local_address: int rom_variant: RomVariant rom_address: int """ New idea: insert constraints one at a time as they come in and only move all existing relations accordingly - calculate the current virtual addresses for both sides of the constraint - take the lesser one and at a relation to place it at the higher one TODO what other relations need to be affected? - later virtual addresses for the lesser side - everything that references the virtual addresses from the lesser side -> too complicated to detect all without keeping all constraints around? """ @dataclass class ConstraintList: ''' List of constraints for a single rom variant '''
45.592871
212
0.611127
from tlh.const import RomVariant from dataclasses import dataclass from sortedcontainers import SortedKeyList from bisect import bisect_left, bisect_right from intervaltree import Interval, IntervalTree @dataclass class Constraint: """ A constraint defines that two local addresses of different rom variants should be at the same virtual address """ romA: RomVariant = None addressA: int = 0 romB: RomVariant = None addressB: int = 0 certainty: int = 0 author: str = '' note: str = '' enabled: bool = True @dataclass class RomRelation: local_address: int virtual_address: int def log(*argv): # print(*argv) pass class RomRelations: """ A rom relation defines the relation between a local address for this rom variant and the corresponding virtual address """ def __init__(self, romVariant: RomVariant) -> None: self.romVariant = romVariant # We basically want a SortedKeyList. However there are two different keys we need to access using bisect, local_address and virtual_address. # So instead we need to store sorted key lists for local and virtual addresses as well, see https://stackoverflow.com/a/27673073. self.relations: list[RomRelation] = [] self.keys_local: list[int] = [] self.keys_virtual: list[int] = [] def add_relation(self, local_address: int, virtual_address: int): if local_address > virtual_address: log(f'{self.romVariant} l{local_address} v{virtual_address}') assert False log(f'-> Add relation {self.romVariant} l{local_address} v{virtual_address}') # keep relations list (and both keys lists) sorted index = bisect_left(self.keys_local, local_address) self.keys_local.insert(index, local_address) self.keys_virtual.insert(index, virtual_address) self.relations.insert(index, RomRelation(local_address, virtual_address)) def clear(self): self.relations.clear() self.keys_local.clear() self.keys_virtual.clear() def get_previous_relation_for_local_address(self, local_address: int) -> RomRelation: index = bisect_right(self.keys_local, local_address) - 1 if index >= 0 and index < len(self.relations): return self.relations[index] return None def get_prev_and_next_relation_for_virtual_address(self, virtual_address: int) -> tuple[RomRelation, RomRelation]: index = bisect_right(self.keys_virtual, virtual_address) - 1 prev = None next = None if index >= 0 and index < len(self.relations): prev = self.relations[index] if index + 1 < len(self.relations): next = self.relations[index+1] return (prev, next) def print_relations(self): for relation in self.relations: print(f'l{relation.local_address} v{relation.virtual_address}') @dataclass(frozen=True, eq=True) class Blocker: """ Blocks the progression of this rom until another rom has reached a local variant """ local_address: int rom_variant: RomVariant rom_address: int class ConstraintManager: def __init__(self, variants: set[RomVariant]) -> None: """ Pass a set of all RomVariants that should be linked using this constraint manager """ self.variants = variants self.constraints: list[Constraint] = [] self.rom_relations: dict[RomVariant, RomRelations] = {} for variant in variants: self.rom_relations[variant] = RomRelations(variant) def set_variants(self, variants: set[RomVariant]) -> None: self.variants = variants self.rom_relations = {} for variant in variants: self.rom_relations[variant] = RomRelations(variant) def reset(self): self.constraints = [] for variant in self.variants: self.rom_relations[variant].clear() def add_constraint(self, constraint: Constraint) -> None: if constraint.enabled: # TODO add at the correct place self.constraints.append(constraint) # TODO add #self.rebuild_relations() def add_all_constraints(self, constraints: list[Constraint]) -> None: for constraint in constraints: if constraint.romA in self.variants and constraint.romB in self.variants: self.add_constraint(constraint) # TODO handle transitive constraints here? print(f'Added {len(self.constraints)} of {len(constraints)}') self.rebuild_relations() # print('Num of relations') # for variant in self.variants: # print(variant, len(self.rom_relations[variant].relations)) def rebuild_relations(self) -> None: """ Builds relations between local addresses for each variation and the virtual address based on the constraints """ local_addresses: dict[str, int] = {} local_blockers: dict[str, list[Blocker]] = {} local_blockers_count = 0 for variant in self.variants: self.rom_relations[variant].clear() local_addresses[variant] = -1 local_blockers[variant] = [] constraints = self.constraints.copy() virtual_address = -1 # TODO at that point all roms should have been resolved for tmp_counter in range(0, 0x0fffffff): log('') # Stop the loop if all constraints and blockers are resolved if not constraints and local_blockers_count == 0: break # Optimization? Jump to the next interesting virtual address # - next blocker with blocker.rom_variant:blocker.rom_address # - next constraint with romA:addressA or romB:addressB next_virtual_address = 0xffffffff # Store the blocker/constraint that was responsible for this va to be selected TODO only for debugging, remove later responsible_object = None def to_virtual_based_on_current_local(variant, address): # Don't return a virtual address before the local_address of anything # that is blocking this # TODO more correct would be to test against the virtual address of the thing # blocking us and then only advance to that position instead of simply returning # 0xfffffff, but that would lead to loops of calculation if both variants are # blocked. # if len(local_blockers[variant]) > 0: # return 0xfffffff for blocker in local_blockers[variant]: if blocker.rom_address > address: return 0xfffffff return virtual_address + address - local_addresses[variant] for variant in self.variants: for blocker in local_blockers[variant]: va = to_virtual_based_on_current_local( blocker.rom_variant, blocker.rom_address) if va < next_virtual_address: next_virtual_address = va responsible_object = blocker # Also test the address that we are blocking for constraint in constraints: va_a = to_virtual_based_on_current_local( constraint.romA, constraint.addressA) va_b = to_virtual_based_on_current_local( constraint.romB, constraint.addressB) # as both have the same virtual addresses after this constraint, we need to take the maximum va = min(va_a, va_b) if va < next_virtual_address: next_virtual_address = va responsible_object = constraint offset = next_virtual_address - virtual_address if offset == 0: # This is okay now and will happen if a possibly_done_constraint is blocked after adding the other constraints # Might still lead to endless loops in the future D: pass elif offset < 0: # TODO why is this necessary? should the corresponding constraint/blocker not have been removed in the previous iteration? log(f'Negative offset: {next_virtual_address} - {virtual_address}') log(responsible_object) log(local_addresses) log(local_blockers) # TODO this is still triggered in test_four_roms due to the va calculation for EU not being aware that it is blocked # TODO now also happending in test_bug_2, making it very slow assert False #offset = 1 virtual_address += offset log(f'-- Go to {virtual_address} (+{offset})') log(f'Due to {responsible_object}') # Advance all local_addresses where there is no blocker next_local_addresses = {} can_advance = {} for variant in self.variants: next_local_addresses[variant] = local_addresses[variant] + offset log( f'{variant} wants to {local_addresses[variant]} -> {next_local_addresses[variant]}') can_advance[variant] = True # TODO do a semi-shallow copy? local_blockers_copy = {} for variant in self.variants: local_blockers_copy[variant] = local_blockers[variant].copy() # We cannot fully be sure that a blocker is resolved as a constraint might be added afterwards that stops the resolution of this blocker possibly_resolved_blockers: dict[RomVariant, list[Blocker]] = {} for variant in self.variants: possibly_resolved_blockers[variant] = [] for variant in self.variants: still_blocking = False # https://stackoverflow.com/a/10665800 for blocker in local_blockers[variant]: log(f'Blocker {blocker}') if next_local_addresses[variant] >= blocker.local_address: if next_local_addresses[blocker.rom_variant] < blocker.rom_address: log(f'{variant} is still blocked by {blocker}') can_advance[variant] = False # Needed to add the following line for test_bug_4_simplified next_local_addresses[variant] = local_addresses[variant] # TODO After the introduction of the return in to_virtual_based_on_current_local # this no longer produces invalid constraints, instead this can happen when multiple # blockers need to be resolved at the same address and the order of the variants # does not align with the inverse order of the local addresses # Maybe invalid constraints that were previously found by this are now only found by # the checking of all constraints at the end? # elif next_local_addresses[blocker.rom_variant] < blocker.rom_address: #log(f'{blocker} {variant} creates invalid constraint: {next_local_addresses[blocker.rom_variant]} > {blocker.rom_address}:') #raise InvalidConstraintError() else: log(f'Possibly resolve {blocker}') next_local_addresses[variant] = blocker.local_address possibly_resolved_blockers[variant].append(blocker) # local_blockers_copy[variant].remove(blocker) #local_blockers_count -= 1 else: # Cannot be blocked, but reverse another blocker that would be resolved here if next_local_addresses[blocker.rom_variant] > blocker.rom_address: # TODO does this ever happen? assert False elif next_local_addresses[blocker.rom_variant] == blocker.rom_address: local_blockers_copy[variant].remove(blocker) new_blocker = Blocker( blocker.rom_address, variant, blocker.local_address) local_blockers_copy[blocker.rom_variant].append( new_blocker) # TODO does this not create one virtual address that is unused? next_local_addresses[blocker.rom_variant] = blocker.rom_address - 1 log( f'Would resolve {blocker}, but local not advanced enough, add opposing blocker {new_blocker}') local_blockers = local_blockers_copy possibly_done_constraints = [] # Handle all constraints TODO sort them somehow # https://stackoverflow.com/a/10665800 for constraint in reversed(constraints): virtual_address_a = virtual_address + constraint.addressA - \ next_local_addresses[ constraint.romA] # self.to_virtual(constraint.romA, constraint.addressA) virtual_address_b = virtual_address + constraint.addressB - \ next_local_addresses[ constraint.romB] # self.to_virtual(constraint.romB, constraint.addressB) if virtual_address_a == virtual_address_b == virtual_address: possibly_done_constraints.append(constraint) log(f'Possibly already done {constraint}') elif virtual_address_a == virtual_address: constraints.remove(constraint) log(f'Handle A {constraint}') # log(f'{constraint.addressA} > {local_addresses[constraint.romA]}') # if constraint.addressA > local_addresses[constraint.romA]: # raise InvalidConstraintError() # elif constraint.addressA == local_addresses[constraint.romA] and constraint.addressB != local_addresses[constraint.romB]: # raise InvalidConstraintError() blocker = Blocker(constraint.addressA, constraint.romB, constraint.addressB) log(f'add blocker {blocker}') local_blockers[constraint.romA].append(blocker) local_blockers_count += 1 # reduce advancement next_local_addresses[constraint.romA] = constraint.addressA-1 elif virtual_address_b == virtual_address: constraints.remove(constraint) log(f'Handle B {constraint}') # if constraint.addressB > local_addresses[constraint.romB]: # raise InvalidConstraintError() # elif constraint.addressB == local_addresses[constraint.romB] and constraint.addressA != local_addresses[constraint.romA]: # raise InvalidConstraintError() blocker = Blocker(constraint.addressB, constraint.romA, constraint.addressA) log(f'add blocker {blocker}') local_blockers[constraint.romB].append(blocker) local_blockers_count += 1 # reduce advancement next_local_addresses[constraint.romB] = constraint.addressB-1 for constraint in possibly_done_constraints: if next_local_addresses[constraint.romA] < constraint.addressA or next_local_addresses[constraint.romB] < constraint.addressB: log(f'Do not yet handle {constraint}') continue constraints.remove(constraint) log(f'Handle done {constraint}') continue # TODO don't need to insert a relation, because it's already correct? log(virtual_address_a, virtual_address_b) # Resolve possibly resolved blockers for variant in self.variants: for blocker in possibly_resolved_blockers[variant]: if next_local_addresses[variant] < blocker.local_address or not can_advance[variant] or next_local_addresses[blocker.rom_variant] < blocker.rom_address or not can_advance[blocker.rom_variant]: # An added constraint prevents us from advancing log(f'Don\'t resolve {blocker}') can_advance[variant] = False # We need to do this in two loops as the previous setting of can_advance to false might be a new blocker for variant in self.variants: for blocker in possibly_resolved_blockers[variant]: if next_local_addresses[variant] < blocker.local_address or not can_advance[variant] or next_local_addresses[blocker.rom_variant] < blocker.rom_address or not can_advance[blocker.rom_variant]: pass else: log(f'Resolve {blocker}') # Insert corresponding relation self.rom_relations[variant].add_relation( blocker.local_address, virtual_address) local_blockers[variant].remove(blocker) local_blockers_count -= 1 # reduce advancement next_local_addresses[variant] = blocker.local_address can_continue = False for variant in self.variants: if can_advance[variant]: log( f'{variant} advances to {next_local_addresses[variant]}') local_addresses[variant] = next_local_addresses[variant] can_continue = True else: log(f'{variant} stays at {local_addresses[variant]}') # TODO check that this is correct next_local_addresses[variant] = local_addresses[variant] if not can_continue: # every variation is blocked, invalid constraints raise InvalidConstraintError() log('Algorithm finished\n') # Check all constraints again # TODO remove this once we always find all invalid constraints before # currently not detected: two differing constraints for the same address (test_conflicting_constraint) for constraint in self.constraints: if self.to_virtual(constraint.romA, constraint.addressA) != self.to_virtual(constraint.romB, constraint.addressB): log(f'{constraint} not fulfilled') log(f'{self.to_virtual(constraint.romA, constraint.addressA)} != {self.to_virtual(constraint.romB, constraint.addressB)}') self.print_relations() # assert False raise InvalidConstraintError() # assert self.to_virtual(constraint.romA, constraint.addressA) == self.to_virtual(constraint.romB, constraint.addressB) # while constraints exist # get constraints that has the lowest virtual address # advance all local addresses to this virtual address # TODO if there are hints left until there, handle them # for the lower address of the constraint, add a relation to the current virtual address # add a hint for the higher address to be inserted later # for constraint in self.constraints: # # Add relation to rom variant with the lower address # # TODO check the difference of the virtual constraints! # if constraint.addressA < constraint.addressB: # print('a') # virtual_address = constraint.addressB # self.rom_relations[constraint.romA].add_relation(constraint.addressA, virtual_address) # else: # print('b') # virtual_address = constraint.addressA # self.rom_relations[constraint.romB].add_relation(constraint.addressB, virtual_address) # # TODO continue until we are at the other constraint def to_local(self, variant: RomVariant, virtual_address: int) -> int: """ Convert from a virtual address to a local address for a certain rom variant """ if not variant in self.variants: raise RomVariantNotAddedError() (prev, next) = self.rom_relations[variant].get_prev_and_next_relation_for_virtual_address( virtual_address) if prev is None: if next is not None: if virtual_address >= next.local_address: # No local address at this virtual address return -1 return virtual_address else: # Calculate offset to virtual_address offset = virtual_address - prev.virtual_address local_address = prev.local_address + offset if next is not None: if local_address >= next.local_address: # No local address at this virtual address return -1 return local_address def to_virtual(self, variant: RomVariant, local_address: int) -> int: """ Convert from a local address for a certain rom variant to a virtual address """ if not variant in self.variants: raise RomVariantNotAddedError() relation = self.rom_relations[variant].get_previous_relation_for_local_address( local_address) if relation is None: virtual_address = local_address else: # Calculate offset to local_address offset = local_address - relation.local_address virtual_address = relation.virtual_address + offset #print(f'{virtual_address} >= {local_address} {rom}') assert virtual_address >= local_address return virtual_address def print_relations(self) -> None: for variant in self.variants: print(f'--- {variant} ---') self.rom_relations[variant].print_relations() class RomVariantNotAddedError(Exception): pass class InvalidConstraintError(Exception): # TODO pass the other constraint(s) it is invalid against? pass """ New idea: insert constraints one at a time as they come in and only move all existing relations accordingly - calculate the current virtual addresses for both sides of the constraint - take the lesser one and at a relation to place it at the higher one TODO what other relations need to be affected? - later virtual addresses for the lesser side - everything that references the virtual addresses from the lesser side -> too complicated to detect all without keeping all constraints around? """ @dataclass class RomConstraint: addr: int constraint: Constraint class ConstraintList: ''' List of constraints for a single rom variant ''' def __init__(self, constraints: list[Constraint], rom_variant: RomVariant) -> None: self.constraints = SortedKeyList(key=lambda x:x.addr) for constraint in constraints: if constraint.romA == rom_variant: self.constraints.add(RomConstraint(constraint.addressA, constraint)) elif constraint.romB == rom_variant: self.constraints.add(RomConstraint(constraint.addressB, constraint)) def get_constraints_at(self, local_address: int) -> list[Constraint]: constraints = [] index = self.constraints.bisect_key_left(local_address) while index < len(self.constraints) and self.constraints[index].addr == local_address: constraints.append(self.constraints[index].constraint) index += 1 return constraints
4,732
17,656
351
63f1240754200fb3db6c8ba0af5ce8147b8df1e0
4,001
py
Python
comparison/scikit_optimize/skopt_synthetic.py
zhanglei1172/XBBO
9bf9b778b29735f108457d5e491680785212d580
[ "MIT" ]
2
2021-09-06T02:06:22.000Z
2021-12-09T10:46:56.000Z
comparison/scikit_optimize/skopt_synthetic.py
zhanglei1172/XBBO
9bf9b778b29735f108457d5e491680785212d580
[ "MIT" ]
null
null
null
comparison/scikit_optimize/skopt_synthetic.py
zhanglei1172/XBBO
9bf9b778b29735f108457d5e491680785212d580
[ "MIT" ]
null
null
null
import numpy as np import argparse from skopt.benchmarks import branin from skopt import gp_minimize from skopt import forest_minimize from skopt import gbrt_minimize from skopt import dummy_minimize if __name__ == "__main__": repeat_num = 10 max_call = 200 optimizers = [("gp_minimize", gp_minimize), ("forest_minimize", forest_minimize), ("gbrt_minimize", gbrt_minimize), ("dummy_minimize", dummy_minimize)] # parser = argparse.ArgumentParser() # parser.add_argument( # '--n_calls', nargs="?", default=200, type=int, help="Number of function calls.") # parser.add_argument( # '--n_runs', nargs="?", default=10, type=int, help="Number of runs.") # parser.add_argument( # '--acq_optimizer', nargs="?", default="lbfgs", type=str, # help="Acquistion optimizer.") # args = parser.parse_args() # run(args.n_calls, args.n_runs, args.acq_optimizer) import prettytable as pt results_all = run(max_call, repeat_num, optimizers) tb = pt.PrettyTable([ "Method", "Minimum", "Best minimum", "Mean f_calls to min", "Std f_calls to min", "Fastest f_calls to min" ]) # tb = pt.PrettyTable() # tb.field_names = [] for i, results in enumerate(results_all): dict_result = { "mean": np.round(results.mean(axis=0), 3), "std": np.round(results.std(axis=0), 3), "best": np.round(results.min(axis=0), 3) } tb.add_row([ 'skopt({})'.format(optimizers[i][0]), '{:.3f}+/-{:.3f}'.format(dict_result["mean"][0], dict_result['std'][0]), dict_result["best"][0], dict_result["mean"][1], dict_result["std"][1], int(dict_result["best"][1]) ]) print(tb)
38.471154
98
0.535116
import numpy as np import argparse from skopt.benchmarks import branin from skopt import gp_minimize from skopt import forest_minimize from skopt import gbrt_minimize from skopt import dummy_minimize def run(n_calls, n_runs, optimizers, acq_optimizer="lbfgs"): bounds = [(-5.0, 10.0), (0.0, 15.0)] results = [] for name, optimizer in optimizers: print(name) results_ = [] min_func_calls = [] time_ = 0.0 for random_state in range(n_runs): if name == "gp_minimize": res = optimizer(branin, bounds, random_state=random_state, n_calls=n_calls, noise=1e-10, verbose=True, acq_optimizer=acq_optimizer, n_jobs=-1) elif name == "gbrt_minimize": res = optimizer(branin, bounds, random_state=random_state, n_calls=n_calls, acq_optimizer=acq_optimizer) else: res = optimizer(branin, bounds, random_state=random_state, n_calls=n_calls,) results_.append(res) func_vals = np.round(res.func_vals, 3) min_func_calls.append(np.argmin(func_vals) + 1) optimal_values = [result.fun for result in results_] mean_optimum = np.mean(optimal_values) std = np.std(optimal_values) best = np.min(optimal_values) print("Mean optimum: " + str(mean_optimum)) print("Std of optimal values" + str(std)) print("Best optima:" + str(best)) mean_fcalls = np.mean(min_func_calls) std_fcalls = np.std(min_func_calls) best_fcalls = np.min(min_func_calls) print("Mean func_calls to reach min: " + str(mean_fcalls)) print("Std func_calls to reach min: " + str(std_fcalls)) print("Fastest no of func_calls to reach min: " + str(best_fcalls)) results.append([optimal_values, min_func_calls]) return np.swapaxes(np.array(results), 1, 2) # (alg, run, 2) if __name__ == "__main__": repeat_num = 10 max_call = 200 optimizers = [("gp_minimize", gp_minimize), ("forest_minimize", forest_minimize), ("gbrt_minimize", gbrt_minimize), ("dummy_minimize", dummy_minimize)] # parser = argparse.ArgumentParser() # parser.add_argument( # '--n_calls', nargs="?", default=200, type=int, help="Number of function calls.") # parser.add_argument( # '--n_runs', nargs="?", default=10, type=int, help="Number of runs.") # parser.add_argument( # '--acq_optimizer', nargs="?", default="lbfgs", type=str, # help="Acquistion optimizer.") # args = parser.parse_args() # run(args.n_calls, args.n_runs, args.acq_optimizer) import prettytable as pt results_all = run(max_call, repeat_num, optimizers) tb = pt.PrettyTable([ "Method", "Minimum", "Best minimum", "Mean f_calls to min", "Std f_calls to min", "Fastest f_calls to min" ]) # tb = pt.PrettyTable() # tb.field_names = [] for i, results in enumerate(results_all): dict_result = { "mean": np.round(results.mean(axis=0), 3), "std": np.round(results.std(axis=0), 3), "best": np.round(results.min(axis=0), 3) } tb.add_row([ 'skopt({})'.format(optimizers[i][0]), '{:.3f}+/-{:.3f}'.format(dict_result["mean"][0], dict_result['std'][0]), dict_result["best"][0], dict_result["mean"][1], dict_result["std"][1], int(dict_result["best"][1]) ]) print(tb)
2,129
0
23
24330687345ad6fc4308ad980e6abd11caabef02
5,082
py
Python
tests/test_date_timestamp_conformance.py
uk-gov-mirror/moj-analytical-services.mojap-arrow-pd-parser
3edb47fa581d7e05af10c7aeda4d825b1710ed51
[ "MIT" ]
null
null
null
tests/test_date_timestamp_conformance.py
uk-gov-mirror/moj-analytical-services.mojap-arrow-pd-parser
3edb47fa581d7e05af10c7aeda4d825b1710ed51
[ "MIT" ]
null
null
null
tests/test_date_timestamp_conformance.py
uk-gov-mirror/moj-analytical-services.mojap-arrow-pd-parser
3edb47fa581d7e05af10c7aeda4d825b1710ed51
[ "MIT" ]
null
null
null
import pytest import datetime import pandas as pd import pyarrow as pa import numpy as np from arrow_pd_parser.parse import ( pa_read_csv_to_pandas, pa_read_json_to_pandas, ) @pytest.mark.parametrize( "in_type,pd_timestamp_type,out_type", [ ("timestamp[s]", "datetime_object", "object"), ("timestamp[s]", "pd_timestamp", "datetime64[ns]"), ("timestamp[s]", "pd_period", "period[S]"), ("timestamp[ms]", "datetime_object", "object"), ("timestamp[ms]", "pd_timestamp", "datetime64[ns]"), ("timestamp[ms]", "pd_period", "period[L]"), ("timestamp[us]", "datetime_object", "object"), ("timestamp[us]", "pd_timestamp", "datetime64[ns]"), ("timestamp[us]", "pd_period", "period[U]"), ("timestamp[ns]", "datetime_object", "datetime64[ns]"), ("timestamp[ns]", "pd_timestamp", "datetime64[ns]"), ("timestamp[ns]", "pd_period", "period[N]"), ], ) @pytest.mark.parametrize( "in_type,pd_date_type,out_type", [ ("date32", "datetime_object", "object"), ("date32", "pd_timestamp", "datetime64[ns]"), ("date32", "pd_period", "object"), ("date64", "datetime_object", "object"), ("date64", "pd_timestamp", "datetime64[ns]"), ("date64", "pd_period", "period[L]"), ], ) @pytest.mark.skip( reason=( "This currently fails (see issue #43), but adding in " "test boilerplate for future fix." ) )
33.655629
87
0.639512
import pytest import datetime import pandas as pd import pyarrow as pa import numpy as np from arrow_pd_parser.parse import ( pa_read_csv_to_pandas, pa_read_json_to_pandas, ) def pd_datetime_series_to_list(s, series_type, date=False): fmt = "%Y-%m-%d" if date else "%Y-%m-%d %H:%M:%S" if series_type == "object": s_ = s.apply(datetime_object_as_str).to_list() elif series_type == "datetime64": s_ = s.dt.strftime(fmt).to_list() elif series_type == "period": s_ = s.apply(lambda x: None if pd.isna(x) else x.strftime(fmt)) s_ = s_.to_list() else: raise ValueError(f"series_type input {series_type} not expected.") str_dates = [None if pd.isna(x) else x for x in s_] return str_dates def datetime_object_as_str(x): if pd.isna(x): return np.nan else: return str(x) @pytest.mark.parametrize( "in_type,pd_timestamp_type,out_type", [ ("timestamp[s]", "datetime_object", "object"), ("timestamp[s]", "pd_timestamp", "datetime64[ns]"), ("timestamp[s]", "pd_period", "period[S]"), ("timestamp[ms]", "datetime_object", "object"), ("timestamp[ms]", "pd_timestamp", "datetime64[ns]"), ("timestamp[ms]", "pd_period", "period[L]"), ("timestamp[us]", "datetime_object", "object"), ("timestamp[us]", "pd_timestamp", "datetime64[ns]"), ("timestamp[us]", "pd_period", "period[U]"), ("timestamp[ns]", "datetime_object", "datetime64[ns]"), ("timestamp[ns]", "pd_timestamp", "datetime64[ns]"), ("timestamp[ns]", "pd_period", "period[N]"), ], ) def test_datetime(in_type, pd_timestamp_type, out_type): test_data_path = "tests/data/datetime_type.csv" test_str_dates = pd.read_csv(test_data_path, dtype=str)["my_datetime"] test_str_dates = [None if pd.isna(s) else s for s in test_str_dates] type_dict = { "timestamp[s]": pa.timestamp("s"), "timestamp[ms]": pa.timestamp("ms"), "timestamp[us]": pa.timestamp("us"), "timestamp[ns]": pa.timestamp("ns"), } schema = pa.schema([("my_datetime", type_dict[in_type])]) # datetime_object df = pa_read_csv_to_pandas( test_data_path, schema=schema, expect_full_schema=False, pd_timestamp_type=pd_timestamp_type, ) test_str_dates = pd.read_csv(test_data_path, dtype=str)["my_datetime"] test_str_dates = [None if pd.isna(s) else s for s in test_str_dates] assert str(df.my_datetime.dtype) == out_type if out_type == "object": assert isinstance(df.my_datetime[0], datetime.datetime) actual_str_dates = pd_datetime_series_to_list( df.my_datetime, out_type.split("[")[0], date=False ) assert test_str_dates == actual_str_dates @pytest.mark.parametrize( "in_type,pd_date_type,out_type", [ ("date32", "datetime_object", "object"), ("date32", "pd_timestamp", "datetime64[ns]"), ("date32", "pd_period", "object"), ("date64", "datetime_object", "object"), ("date64", "pd_timestamp", "datetime64[ns]"), ("date64", "pd_period", "period[L]"), ], ) def test_date(in_type, pd_date_type, out_type): test_data_path = "tests/data/date_type.csv" test_str_dates = pd.read_csv(test_data_path, dtype=str)["my_date"] test_str_dates = [None if pd.isna(s) else s for s in test_str_dates] schema = pa.schema([("my_date", getattr(pa, in_type)())]) # datetime_object if in_type == "date32" and pd_date_type == "pd_period": with pytest.warns(UserWarning): df = pa_read_csv_to_pandas( test_data_path, schema, expect_full_schema=False, pd_date_type=pd_date_type, ) else: df = pa_read_csv_to_pandas( test_data_path, schema, expect_full_schema=False, pd_date_type=pd_date_type ) test_str_dates = pd.read_csv(test_data_path, dtype=str)["my_date"] test_str_dates = [None if pd.isna(s) else s for s in test_str_dates] assert str(df.my_date.dtype) == out_type if out_type == "object": assert isinstance(df.my_date[0], datetime.date) actual_str_dates = pd_datetime_series_to_list( df.my_date, out_type.split("[")[0], date=True ) assert test_str_dates == actual_str_dates @pytest.mark.skip( reason=( "This currently fails (see issue #43), but adding in " "test boilerplate for future fix." ) ) def test_timestamps_as_strs(): test_data_path = "tests/data/datetime_type.csv" test_str_dates = pd.read_csv(test_data_path, dtype="string")["my_datetime"] schema = pa.schema([("my_datetime", pa.string())]) df = pa_read_csv_to_pandas(test_data_path, schema, expect_full_schema=False) assert df["my_datetime"].to_list() == test_str_dates.to_list() df = pa_read_json_to_pandas( test_data_path.replace(".csv", ".jsonl"), schema, expect_full_schema=False ) assert df["my_datetime"].to_list() == test_str_dates.to_list()
3,492
0
112
123407deed2006aaea02f0978e86eba377859f9f
1,048
py
Python
src/01/1.1.3_affine_cipher.py
fujiawei-dev/cryptography-note
5f4fe1d9139e6b68e4307dce66d3881b184368bd
[ "MIT" ]
1
2022-01-31T03:30:33.000Z
2022-01-31T03:30:33.000Z
src/01/1.1.3_affine_cipher.py
fujiawei-dev/cryptography-notes
5f4fe1d9139e6b68e4307dce66d3881b184368bd
[ "MIT" ]
null
null
null
src/01/1.1.3_affine_cipher.py
fujiawei-dev/cryptography-notes
5f4fe1d9139e6b68e4307dce66d3881b184368bd
[ "MIT" ]
null
null
null
''' Date: 2022.01.26 15:01:37 Description: 仿射密码 LastEditors: Rustle Karl LastEditTime: 2022.01.26 15:27:13 ''' from math import gcd def get_multiplicative_inverse(a): '''求乘法逆,这里只是简单列举''' return { 1: 1, 3: 9, 9: 3, 5: 21, 21: 5, 7: 15, 15: 7, 11: 19, 19: 11, 17: 23, 23: 17, 25: 25 }[a] a, b = 11, 4 e_chars = encrypt('SHIFTCIPHER', a, b) d_chars = decrypt(e_chars, a, b)
18.385965
60
0.53626
''' Date: 2022.01.26 15:01:37 Description: 仿射密码 LastEditors: Rustle Karl LastEditTime: 2022.01.26 15:27:13 ''' from math import gcd def get_multiplicative_inverse(a): '''求乘法逆,这里只是简单列举''' return { 1: 1, 3: 9, 9: 3, 5: 21, 21: 5, 7: 15, 15: 7, 11: 19, 19: 11, 17: 23, 23: 17, 25: 25 }[a] def e(x: int, a: int, b: int) -> int: if gcd(a, 26) != 1: # 最大公约数 raise ValueError # 唯一解充分必要条件 gcd(a, 26)=1 return (a*x+b) % 26 def d(y: int, a: int, b: int) -> int: return get_multiplicative_inverse(a)*(y-b) % 26 def encrypt(chars: str, a: int, b: int) -> str: e_chars = '' for char in chars.upper(): e_chars += chr(e(ord(char)-ord('A'), a, b)+ord('A')) return e_chars def decrypt(chars: str, a: int, b: int) -> str: d_chars = '' for char in chars.upper(): d_chars += chr(d(ord(char)-ord('A'), a, b)+ord('A')) return d_chars a, b = 11, 4 e_chars = encrypt('SHIFTCIPHER', a, b) d_chars = decrypt(e_chars, a, b)
536
0
92
052f45ad2a586fc63c16ed97a5fdf061a8a880c9
616
py
Python
src/moegplib/baselines/layers/mha.py
DLR-RM/moegplib
501c7fff49bc98e7cb62831f4185c34523837597
[ "MIT" ]
null
null
null
src/moegplib/baselines/layers/mha.py
DLR-RM/moegplib
501c7fff49bc98e7cb62831f4185c34523837597
[ "MIT" ]
null
null
null
src/moegplib/baselines/layers/mha.py
DLR-RM/moegplib
501c7fff49bc98e7cb62831f4185c34523837597
[ "MIT" ]
null
null
null
import torch from .layer import VarPropagationLayer from .layer_utils import get_jacobian_loop
36.235294
86
0.673701
import torch from .layer import VarPropagationLayer from .layer_utils import get_jacobian_loop class MHAVarPropagationLayer(VarPropagationLayer): def __init__(self, layer: torch.nn.Module, use_cov=False, **kwargs): super(MHAVarPropagationLayer, self).__init__(layer, use_cov=use_cov, **kwargs) def _call_diag_cov(self, x, var): nout = self.layer.embed_dim jcb = get_jacobian_loop(self.layer, x, nout, jcb_bz=1) var = torch.einsum("ijkl,ijl->ijk", jcb**2, var) x = x.permute(1, 0, 2) mean, _ = self.layer(x, x, x) return mean.permute(1, 0, 2), var
414
29
77
198033a9e06ba521eb44e04eebe28e277a882980
1,853
py
Python
deliver/send.py
sirech/deliver
0ddb47d9b7c7a4bddfcf92e4bd683803c95efd3a
[ "MIT" ]
3
2017-06-07T21:48:20.000Z
2020-06-15T16:27:43.000Z
deliver/send.py
sirech/deliver
0ddb47d9b7c7a4bddfcf92e4bd683803c95efd3a
[ "MIT" ]
null
null
null
deliver/send.py
sirech/deliver
0ddb47d9b7c7a4bddfcf92e4bd683803c95efd3a
[ "MIT" ]
null
null
null
import smtplib from converter.simple import UnicodeMessage import logging logger = logging.getLogger(__name__) class Sender: ''' Class that is responsible of sending emails. It uses a specified SMTP server. ''' def send(self, msg, *recipients): ''' Sends the given UnicodeMessage to each of the specified recipients. ''' assert isinstance(msg, UnicodeMessage) for recipient in recipients: assert isinstance(recipient, unicode) self._send(msg, *recipients) def _send(self, msg, *recipients): ''' Sends the given UnicodeMessage to each of the specified recipients. The emails are sent from the specified server, using the specified address. The subject is modified to include a subject prefix if it is not already there. ''' msg.replace_header('Subject', self._prepare_subject(msg['Subject'])) msg.replace_header('From', self.get_address()) msg.replace_header('Reply-To', self.get_address()) logging.debug('email ready to be sent: %s', msg['Message-Id']) for recipient in recipients: logger.debug('Sending message to %s', recipient) s = smtplib.SMTP(self._cfg['smtp_server']) msg.replace_header('To', recipient) s.sendmail(self.get_address(), recipient, msg.as_string()) s.quit() def get_address(self): '''Gets the address used by this sender''' return self._cfg['sender'] def _prepare_subject(self, subject): '''Modifies the given subject to include a prefix if it is not already there''' if self._cfg['subject_prefix'] in subject: return subject return self._cfg['subject_prefix'] + ' ' + subject
34.962264
95
0.639504
import smtplib from converter.simple import UnicodeMessage import logging logger = logging.getLogger(__name__) class Sender: ''' Class that is responsible of sending emails. It uses a specified SMTP server. ''' def __init__(self, config): self._cfg = config def send(self, msg, *recipients): ''' Sends the given UnicodeMessage to each of the specified recipients. ''' assert isinstance(msg, UnicodeMessage) for recipient in recipients: assert isinstance(recipient, unicode) self._send(msg, *recipients) def _send(self, msg, *recipients): ''' Sends the given UnicodeMessage to each of the specified recipients. The emails are sent from the specified server, using the specified address. The subject is modified to include a subject prefix if it is not already there. ''' msg.replace_header('Subject', self._prepare_subject(msg['Subject'])) msg.replace_header('From', self.get_address()) msg.replace_header('Reply-To', self.get_address()) logging.debug('email ready to be sent: %s', msg['Message-Id']) for recipient in recipients: logger.debug('Sending message to %s', recipient) s = smtplib.SMTP(self._cfg['smtp_server']) msg.replace_header('To', recipient) s.sendmail(self.get_address(), recipient, msg.as_string()) s.quit() def get_address(self): '''Gets the address used by this sender''' return self._cfg['sender'] def _prepare_subject(self, subject): '''Modifies the given subject to include a prefix if it is not already there''' if self._cfg['subject_prefix'] in subject: return subject return self._cfg['subject_prefix'] + ' ' + subject
33
0
27
53d7106d7c33b79a64f1f311fcf25ed2d46352f6
353
py
Python
models/authenticate.py
DamirZaripov16/test_ui-project
45dfc7ce84c40ecff68405bf1a39e8487cfec421
[ "Apache-2.0" ]
null
null
null
models/authenticate.py
DamirZaripov16/test_ui-project
45dfc7ce84c40ecff68405bf1a39e8487cfec421
[ "Apache-2.0" ]
null
null
null
models/authenticate.py
DamirZaripov16/test_ui-project
45dfc7ce84c40ecff68405bf1a39e8487cfec421
[ "Apache-2.0" ]
null
null
null
from faker import Faker fake = Faker("Ru-ru")
22.0625
53
0.660057
from faker import Faker fake = Faker("Ru-ru") class AuthenticationData: def __init__(self, username=None, password=None): self.username = username self.password = password @staticmethod def random(): username = fake.email() password = fake.password() return AuthenticationData(username, password)
207
75
23
0b0963e3eb7fa01e3e078eec3daa95d6180ad53b
570,120
py
Python
Python Codes/Webscrapper/BeautifulSoup Webscrapper.py
ryukeno/Onepark-ParkingProject
cc09e2dc41024776e0c24921fb0ce94eefb61d98
[ "MIT" ]
2
2020-06-12T03:34:31.000Z
2020-11-04T11:23:10.000Z
Python Codes/Webscrapper/BeautifulSoup Webscrapper.py
ryukeno/Onepark-DataProject
cc09e2dc41024776e0c24921fb0ce94eefb61d98
[ "MIT" ]
null
null
null
Python Codes/Webscrapper/BeautifulSoup Webscrapper.py
ryukeno/Onepark-DataProject
cc09e2dc41024776e0c24921fb0ce94eefb61d98
[ "MIT" ]
null
null
null
from urllib.request import Request, urlopen import urllib import requests import pandas as pd from xlwt import Workbook from bs4 import BeautifulSoup import sys import time import random url_list = ["https://www.google.com/search?q=Thomas+Muntzer+Strasse+122+parking+Gamstadt", "https://www.google.com/search?q=Bierweg+2+parking+Schkeuditz", "https://www.google.com/search?q=Terminalring+3+parking+Schkeuditz", "https://www.google.com/search?q=Kohlmeisenweg+3+parking+Schkeuditz", "https://www.google.com/search?q=Milanstrasse+4B+parking+Schkeuditz", "https://www.google.com/search?q=Wohlenbergstrasse+7+parking+Hannover", "https://www.google.com/search?q=E30+parking+", "https://www.google.com/search?q=Munchner+Strasse+20+parking+Langenhagen", "https://www.google.com/search?q=Gutenbergstrasse+11+parking+Langenhagen", "https://www.google.com/search?q=Petzelstrasse+60+parking+Langenhagen", "https://www.google.com/search?q=Flughafenstrasse+2+parking+Langenhagen", "https://www.google.com/search?q=Goldbacher+Str+46+parking+Aschaffenburg", "https://www.google.com/search?q=Morsestrasse+25+parking+Frankfurt", "https://www.google.com/search?q=Rennbahnstrasse+62+parking+Frankfurt", "https://www.google.com/search?q=Kleyerstrasse+89+parking+Frankfurt", "https://www.google.com/search?q=Dusseldorfer+Strasse+40+parking+Eschborn", "https://www.google.com/search?q=Frankfurter+Strasse+14+parking+Eschborn", "https://www.google.com/search?q=Goldsteinstrasse+134+parking+Frankfurt", "https://www.google.com/search?q=Schwanheimer+Ufer+parking+Frankfurt", "https://www.google.com/search?q=Larchenstrasse+133+parking+Frankfurt", "https://www.google.com/search?q=Ernst+Wiss+Strasse+1+parking+Frankfurt", "https://www.google.com/search?q=Fritz+Klatte+Strasse+26+parking+Frankfurt", "https://www.google.com/search?q=Wilhelm+Beckel+Strasse+6+parking+Frankfurt", "https://www.google.com/search?q=An+der+Gehespitz+75+parking+Neu+Isenburg", "https://www.google.com/search?q=An+der+Gehespitz+120+parking+Neu+Isenburg", "https://www.google.com/search?q=Guterbahnhofstrasse+4+parking+Erlangen", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+149+parking+Frankfurt", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+200+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+15+parking+Frankfurt", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+205+parking+Frankfurt", "https://www.google.com/search?q=K817+101+103+parking+Frankfurt", "https://www.google.com/search?q=Airportring+parking+Frankfurt", "https://www.google.com/search?q=Dieselstrasse+2+parking+Bad", "https://www.google.com/search?q=Im+Taubengrund+3+5+parking+Kelsterbach", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+338+parking+Frankfurt", "https://www.google.com/search?q=Am+Sudpark+7F+parking+Kelsterbach", "https://www.google.com/search?q=Unnamed+Road+parking+Kelsterbach", "https://www.google.com/search?q=Rotdornstrasse+12+parking+Kriftel", "https://www.google.com/search?q=Hessendamm+1+parking+Hattersheim", "https://www.google.com/search?q=Rheinstrasse+3+21+parking+Hattersheim", "https://www.google.com/search?q=Johann+Sperl+Strasse+21+parking+Nurnberg", "https://www.google.com/search?q=Flughafenstrasse+124+parking+Nurnberg", "https://www.google.com/search?q=Flughafenstrasse+100+parking+Nurnberg", "https://www.google.com/search?q=Robert+Koch+Strasse+7+8+parking+Raunheim", "https://www.google.com/search?q=Flughafenstrasse+101+parking+Nurnberg", "https://www.google.com/search?q=Xantener+Strasse+12+parking+Nurnberg", "https://www.google.com/search?q=Hafenstrasse+7+parking+Florsheim", "https://www.google.com/search?q=Frankfurter+Strasse+53+parking+Russelsheim", "https://www.google.com/search?q=Bottgerstrasse+20+parking+Florsheim", "https://www.google.com/search?q=Kohlenhofstrasse+32+parking+Nurnberg", "https://www.google.com/search?q=Tafelhofstrasse+17+parking+Nurnberg", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Nurnberg", "https://www.google.com/search?q=Sandstrasse+26+parking+Nurnberg", "https://www.google.com/search?q=Auguste+Viktoria+Strasse+15+parking+Wiesbaden", "https://www.google.com/search?q=Hans+Bockler+Strasse+15+parking+Unna", "https://www.google.com/search?q=Wilhelmstrasse+10+parking+Holzwickede", "https://www.google.com/search?q=Industriestrasse+18+parking+Bremen", "https://www.google.com/search?q=Rognitzstrasse+15+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Platz+10+parking+Berlin", "https://www.google.com/search?q=Mommsenstrasse+44+parking+Berlin", "https://www.google.com/search?q=Janischweg+parking+Berlin", "https://www.google.com/search?q=Krumme+Str+77+78+parking+Berlin", "https://www.google.com/search?q=Motzstrasse+83a+parking+Berlin", "https://www.google.com/search?q=Motzstrasse+85+parking+Berlin", "https://www.google.com/search?q=Meinekestrasse+19+parking+Berlin", "https://www.google.com/search?q=Dorfstrasse+13+parking+Schonefeld", "https://www.google.com/search?q=Rankestrasse+31+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+19+21+parking+Mittenwalde", "https://www.google.com/search?q=Kurfurstenstrasse+116+parking+Berlin", "https://www.google.com/search?q=Landgrafenstrasse+4+parking+Berlin", "https://www.google.com/search?q=Friedrich+Olbricht+Damm+71+parking+Berlin", "https://www.google.com/search?q=Kurt+Schumacher+Damm+176+parking+Berlin", "https://www.google.com/search?q=Stauffenbergstrasse+26+parking+Berlin", "https://www.google.com/search?q=Mehringdamm+28+parking+Berlin", "https://www.google.com/search?q=Gneisenaustrasse+104+106+parking+Berlin", "https://www.google.com/search?q=Kirchstrasse+20+parking+Schonefeld", "https://www.google.com/search?q=Wassmannsdorfer+Chaussee+2+parking+Schonefeld", "https://www.google.com/search?q=Rudower+Strasse+90+parking+Berlin", "https://www.google.com/search?q=Wittestrasse+32+parking+Berlin", "https://www.google.com/search?q=Silbersteinstrasse+54+parking+Berlin", "https://www.google.com/search?q=Triftstrasse+17+parking+Berlin", "https://www.google.com/search?q=Luxemburger+Strasse+25+parking+Berlin", "https://www.google.com/search?q=Oranienstrasse+96+parking+Berlin", "https://www.google.com/search?q=Dorotheenstrasse+65+parking+Berlin", "https://www.google.com/search?q=Reinhardtstr+7+parking+Berlin", "https://www.google.com/search?q=Oranienburger+Strasse+52+parking+Berlin", "https://www.google.com/search?q=Skalitzer+Strasse+133+parking+Berlin", "https://www.google.com/search?q=Gebruder+Hirth+Strasse+parking+Berlin", "https://www.google.com/search?q=Anna+Louisa+Karsch+Strasse+N+parking+Berlin", "https://www.google.com/search?q=A117+parking+Schonefeld", "https://www.google.com/search?q=Kleine+Rosenthaler+Strasse+12+parking+Berlin", "https://www.google.com/search?q=Holzmarktstrasse+73+parking+Berlin", "https://www.google.com/search?q=Alte+Schonhauser+Strasse+60+parking+Berlin", "https://www.google.com/search?q=Lange+Strasse+49+parking+Berlin", "https://www.google.com/search?q=Stralauer+Allee+3+parking+Berlin", "https://www.google.com/search?q=Oderstrasse+31+parking+Berlin", "https://www.google.com/search?q=Berliner+Strasse+17+parking+Berlin", "https://www.google.com/search?q=Stellbrinkweg+6+parking+Hamburg", "https://www.google.com/search?q=Kleinfeld+16+parking+Hamburg", "https://www.google.com/search?q=Buchheisterstrasse+16+parking+Hamburg", "https://www.google.com/search?q=Buchheisterstrasse+12+parking+Hamburg", "https://www.google.com/search?q=Zweibruckenstrasse+13A+parking+Hamburg", "https://www.google.com/search?q=Lindenstrasse+39+parking+Hamburg", "https://www.google.com/search?q=Carl+Petersen+Strasse+74+parking+Hamburg", "https://www.google.com/search?q=Holstenstrasse+119+parking+Hamburg", "https://www.google.com/search?q=Max+Brauer+Allee+230+parking+Hamburg", "https://www.google.com/search?q=Knutzenweg+26+parking+Hamburg", "https://www.google.com/search?q=Brauhausstieg+10+parking+Hamburg", "https://www.google.com/search?q=Brodersweg+13+parking+Hamburg", "https://www.google.com/search?q=Osterbekstrasse+86a+parking+Hamburg", "https://www.google.com/search?q=Fuhlsbuttler+Strasse+188+parking+Hamburg", "https://www.google.com/search?q=Schnackenburgallee+116a+parking+Hamburg", "https://www.google.com/search?q=Mexikoring+23+25+parking+Hamburg", "https://www.google.com/search?q=Sydneystrasse+parking+Hamburg", "https://www.google.com/search?q=Gropiusring+68+parking+Hamburg", "https://www.google.com/search?q=Ludwig+Dormer+Weg+32+parking+Hamburg", "https://www.google.com/search?q=Weg+beim+Jager+206+parking+Hamburg", "https://www.google.com/search?q=Zum+Markt+2+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+1+5+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Modering+1+parking+Hamburg", "https://www.google.com/search?q=Kreienkoppel+45+parking+Hamburg", "https://www.google.com/search?q=Goosmoortwiete+5D+parking+Bonningstedt", "https://www.google.com/search?q=Alexanderstrasse+46+parking+Stuttgart", "https://www.google.com/search?q=Oststrasse+39+parking+Norderstedt", "https://www.google.com/search?q=Liebigstrasse+6+parking+Ostfildern", "https://www.google.com/search?q=Industriestrasse+7+parking+Filderstadt", "https://www.google.com/search?q=Flughafenstrasse+34+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Fabrikstrasse+15+parking+Filderstadt", "https://www.google.com/search?q=Grungartenstrasse+3A+parking+Rheinmunster", "https://www.google.com/search?q=Fliederstrasse+20+parking+Freising", "https://www.google.com/search?q=Sudring+parking+Freising", "https://www.google.com/search?q=Raiffeisenstrasse+32+parking+Freising", "https://www.google.com/search?q=Verw,SubzGeb13101+1+parking+Munchen", "https://www.google.com/search?q=Nordallee+25+parking+Munchen+Flughafen", "https://www.google.com/search?q=Am+Isarkanal+2+parking+Eitting", "https://www.google.com/search?q=Eschenallee+9+parking+Oberding", "https://www.google.com/search?q=Lohstrasse+24B+parking+Oberding", "https://www.google.com/search?q=Eichenstrasse+10+parking+Oberding", "https://www.google.com/search?q=Lilienthalstrasse+3+5+parking+Hallbergmoos", "https://www.google.com/search?q=Lilienthalstrasse+3+parking+Hallbergmoos", "https://www.google.com/search?q=Eichenstrasse+70+parking+Oberding", "https://www.google.com/search?q=Giselastrasse+2+parking+Hallbergmoos", "https://www.google.com/search?q=Franzheimer+Ring+9+parking+Moosinning", "https://www.google.com/search?q=Gertrud+Grunow+Strasse+45+parking+Munchen", "https://www.google.com/search?q=Fritz+Winter+Strasse+7+parking+Munchen", "https://www.google.com/search?q=Johann+Fichte+Strasse+12+parking+Munchen", "https://www.google.com/search?q=Landshuter+Allee+81+parking+Munchen", "https://www.google.com/search?q=Rupprechtstrasse+22+parking+Munchen", "https://www.google.com/search?q=Reitknechtstrasse+6+parking+Munchen", "https://www.google.com/search?q=Luisenstrasse+61+parking+Munchen", "https://www.google.com/search?q=Am+Tucherpark+7+parking+Munchen", "https://www.google.com/search?q=Meistersingerstrasse+154+parking+Munchen", "https://www.google.com/search?q=Dachauer+Strasse+21+parking+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+14+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+1+parking+Munchen", "https://www.google.com/search?q=Adolf+Kolping+Strasse+10+parking+Munchen", "https://www.google.com/search?q=Hansastrasse+44+parking+Munchen", "https://www.google.com/search?q=Landwehrstrasse+10+parking+Munchen", "https://www.google.com/search?q=Baaderstrasse+82+parking+Munchen", "https://www.google.com/search?q=Zenettistrasse+7+parking+Munchen", "https://www.google.com/search?q=Hofmannstrasse+29+parking+Munchen", "https://www.google.com/search?q=Teramostrasse+29+parking+Memmingen", "https://www.google.com/search?q=Am+Flughafen+12A+parking+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12+parking+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+42+parking+Memmingerberg", "https://www.google.com/search?q=Flughafen+Strasse+39+parking+Memmingerberg", "https://www.google.com/search?q=Allmannsweilerstrasse+97+3+parking+Friedrichshafen", "https://www.google.com/search?q=Flughafenstrasse+11+parking+Altenrhein", "https://www.google.com/search?q=Brunnenstrasse+122+parking+Muhlhausen+Thuringen", "https://www.google.com/search?q=An+Der+Burg+25+parking+Muhlhausen+Thuringen", "https://www.google.com/search?q=Uferstrasse+40+parking+Eisenach", "https://www.google.com/search?q=Schutzenberg+6+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+8+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+38+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+32+parking+Gotha", "https://www.google.com/search?q=Liebetraustrasse+16+parking+Gotha", "https://www.google.com/search?q=Mohrenstrasse+22+parking+Gotha", "https://www.google.com/search?q=Friemarer+Strasse+5+parking+Gotha", "https://www.google.com/search?q=Arnoldiplatz+5+parking+Gotha", "https://www.google.com/search?q=Oststrasse+47+parking+Gotha", "https://www.google.com/search?q=Ekhofplatz+2+parking+Gotha", "https://www.google.com/search?q=Siebleber+Wall+8+parking+Gotha", "https://www.google.com/search?q=Justus+Perthes+Strasse+3+parking+Gotha", "https://www.google.com/search?q=Parkallee+15+parking+Gotha", "https://www.google.com/search?q=Helenenstrasse+1+parking+Gotha", "https://www.google.com/search?q=Parkstrasse+9+parking+Gotha", "https://www.google.com/search?q=Kunstmuhlenweg+11+parking+Gotha", "https://www.google.com/search?q=Kunstmuhlenweg+14+parking+Gotha", "https://www.google.com/search?q=Binderslebener+Landstrasse+100+parking+Erfurt", "https://www.google.com/search?q=Ulan+Bator+Strasse+1+parking+Erfurt", "https://www.google.com/search?q=Friedrichstrasse+11+parking+Nordhausen", "https://www.google.com/search?q=Emil+Reichardt+Strasse+1+parking+Nordhausen", "https://www.google.com/search?q=Zum+Schulgarten+10+parking+Erfurt", "https://www.google.com/search?q=Landgrabenstrasse+6+parking+Nordhausen", "https://www.google.com/search?q=Gothaer+Strasse+80+parking+Erfurt", "https://www.google.com/search?q=Grimmelallee+40+parking+Nordhausen", "https://www.google.com/search?q=Rudolf+Breitscheid+Strasse+6+parking+Nordhausen", "https://www.google.com/search?q=Am+Petersberg+1+parking+Nordhausen", "https://www.google.com/search?q=Grubenstrasse+51+parking+Erfurt", "https://www.google.com/search?q=Wallrothstrasse+26+parking+Nordhausen", "https://www.google.com/search?q=Kathe+Kollwitz+Strasse+14+parking+Nordhausen", "https://www.google.com/search?q=Bechtheimer+Str+1+parking+Erfurt", "https://www.google.com/search?q=Bonifaciusstrasse+12+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+72+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+79+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+8+parking+Erfurt", "https://www.google.com/search?q=Lachsgasse+3+parking+Erfurt", "https://www.google.com/search?q=Juri+Gagarin+Ring+119+parking+Erfurt", "https://www.google.com/search?q=Scherndorfer+Weg+1+parking+Sommerda", "https://www.google.com/search?q=Thomasstrasse+84+parking+Erfurt", "https://www.google.com/search?q=Schmidtstedter+Str+57+parking+Erfurt", "https://www.google.com/search?q=Erfurter+Strasse+46+parking+Sommerda", "https://www.google.com/search?q=Nicolaus+v+Dreyse+Strasse+7+parking+Sommerda", "https://www.google.com/search?q=August+Bebel+Strasse+7+parking+Sommerda", "https://www.google.com/search?q=Uhlandstrasse+1+parking+Sommerda", "https://www.google.com/search?q=Poststrasse+8+parking+Sommerda", "https://www.google.com/search?q=Schillerstrasse+15+parking+Sommerda", "https://www.google.com/search?q=Rohrborner+Weg+2+parking+Sommerda", "https://www.google.com/search?q=Werner+Seelenbinder+Strasse+2+parking+Erfurt", "https://www.google.com/search?q=Ernst+Neufert+Weg+1+parking+Erfurt", "https://www.google.com/search?q=Basedowstrasse+26+parking+Sommerda", "https://www.google.com/search?q=Strasse+Der+Einheit+9+parking+Sommerda", "https://www.google.com/search?q=Fichtestrasse+23+parking+Sommerda", "https://www.google.com/search?q=Mainzer+Strasse+18+parking+Sommerda", "https://www.google.com/search?q=Tambuchstrasse+14+parking+Arnstadt", "https://www.google.com/search?q=Krappgartenstrasse+45+parking+Arnstadt", "https://www.google.com/search?q=Schulgasse+1+parking+Arnstadt", "https://www.google.com/search?q=Bismarckstrasse+21+parking+Bebra", "https://www.google.com/search?q=Ried+9+parking+Arnstadt", "https://www.google.com/search?q=Hammerecke+1+parking+Arnstadt", "https://www.google.com/search?q=Wollmarkt+9+parking+Arnstadt", "https://www.google.com/search?q=Gaussstrasse+8+parking+Gottingen", "https://www.google.com/search?q=Walkemuhlenweg+8+parking+Gottingen", "https://www.google.com/search?q=Burgerstrasse+52+parking+Gottingen", "https://www.google.com/search?q=Bahnhofsallee+6+parking+Gottingen", "https://www.google.com/search?q=Kreuzbergring+10+parking+Gottingen", "https://www.google.com/search?q=Seilerweg+2+parking+Bad", "https://www.google.com/search?q=Vor+Der+Bahn+20+parking+Hann+", "https://www.google.com/search?q=Vor+Der+Bahn+16+parking+Hann+", "https://www.google.com/search?q=Werraweg+17+parking+Hann+", "https://www.google.com/search?q=Vor+Der+Bahn+1+parking+Hann+", "https://www.google.com/search?q=Werraweg+11+parking+Hann+", "https://www.google.com/search?q=Am+Markt+3+parking+Bad", "https://www.google.com/search?q=Hinter+Der+Blume+48+parking+Hann+", "https://www.google.com/search?q=Tanzwerder+12+parking+Hann+", "https://www.google.com/search?q=Leipziger+Strasse+26+parking+Kaufungen", "https://www.google.com/search?q=Marcel+Paul+Strasse+57+parking+Weimar", "https://www.google.com/search?q=Friedrich+Konig+Strasse+7+parking+Suhl", "https://www.google.com/search?q=Pfarrstrasse+10+parking+Suhl", "https://www.google.com/search?q=Schopenhauerstrasse+11+parking+Weimar", "https://www.google.com/search?q=Bertuchstrasse+2+parking+Weimar", "https://www.google.com/search?q=Weimarplatz+2+parking+Weimar", "https://www.google.com/search?q=Robert+Koch+Allee+9+parking+Bad", "https://www.google.com/search?q=Zum+Hospitalgraben+3+parking+Weimar", "https://www.google.com/search?q=Charlottenstrasse+7+parking+Meiningen", "https://www.google.com/search?q=Lindenallee+6+parking+Meiningen", "https://www.google.com/search?q=Landsberger+Str+2+parking+Meiningen", "https://www.google.com/search?q=Schlosspl+3+parking+Meiningen", "https://www.google.com/search?q=Werrastrasse+1+parking+Meiningen", "https://www.google.com/search?q=Kahnstrasse+1+parking+Fuldatal", "https://www.google.com/search?q=Dornhagener+Strasse+2+parking+Guxhagen", "https://www.google.com/search?q=Am+Rathaus+8+parking+Fuldatal", "https://www.google.com/search?q=Grafenhof+3+parking+Northeim", "https://www.google.com/search?q=Am+Bonnhofchen+5+parking+Sangerhausen", "https://www.google.com/search?q=Kaltenborner+Weg+5+parking+Sangerhausen", "https://www.google.com/search?q=Hedwigstrasse+2+parking+Kassel", "https://www.google.com/search?q=Mauerstrasse+6+parking+Kassel", "https://www.google.com/search?q=Garde+du+Corps+Strasse+5+parking+Kassel", "https://www.google.com/search?q=An+Der+Probstmuhle+1+parking+Sangerhausen", "https://www.google.com/search?q=Franz+Ulrich+Strasse+12+parking+Kassel", "https://www.google.com/search?q=Franz+Ulrich+Strasse+16+parking+Kassel", "https://www.google.com/search?q=Bertha+von+Suttner+Strasse+3+parking+Kassel", "https://www.google.com/search?q=Backmeisterweg+21+parking+Kassel", "https://www.google.com/search?q=Backmeisterweg+15+parking+Kassel", "https://www.google.com/search?q=Wilhelmshoher+Allee+257+parking+Kassel", "https://www.google.com/search?q=Marktstrasse+5+parking+Baunatal", "https://www.google.com/search?q=Marktstrasse+10+parking+Baunatal", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Hunfeld", "https://www.google.com/search?q=Friedrich+Ebert+Allee+12+parking+Baunatal", "https://www.google.com/search?q=Hohenkirchener+Strasse+2+parking+Espenau", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Immenhausen", "https://www.google.com/search?q=Hoststrasse+17+parking+Ahnatal", "https://www.google.com/search?q=Ilsenburger+Strasse+4+parking+Wernigerode", "https://www.google.com/search?q=Pfarrstrasse+43+parking+Wernigerode", "https://www.google.com/search?q=Pfarrstrasse+35+parking+Wernigerode", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Grebenstein", "https://www.google.com/search?q=Am+Katzenteich+12+parking+Wernigerode", "https://www.google.com/search?q=Halberstadter+Strasse+11+parking+Wernigerode", "https://www.google.com/search?q=Rudolf+Breitscheid+Strasse+19+parking+Wernigerode", "https://www.google.com/search?q=Feldstrasse+17+parking+Wernigerode", "https://www.google.com/search?q=L+3214+parking+Calden", "https://www.google.com/search?q=Wallstrasse+1+parking+Goslar", "https://www.google.com/search?q=Kaiserbleek+1+parking+Goslar", "https://www.google.com/search?q=Glockengiesserstrasse+87+parking+Goslar", "https://www.google.com/search?q=An+Der+Esse+2+parking+Hofgeismar", "https://www.google.com/search?q=Marktstrasse+43+parking+Goslar", "https://www.google.com/search?q=Schwiecheldtstrasse+3+parking+Goslar", "https://www.google.com/search?q=Baringerstrasse+35+parking+Goslar", "https://www.google.com/search?q=Charley+Jacob+Strasse+3+parking+Goslar", "https://www.google.com/search?q=Kornstrasse+9+parking+Goslar", "https://www.google.com/search?q=Vogelsang+6+parking+Goslar", "https://www.google.com/search?q=Raiffeisenstrasse+7+parking+Zierenberg", "https://www.google.com/search?q=Bertha+von+Suttner+Strasse+1+parking+Goslar", "https://www.google.com/search?q=Hagerstrasse+1+parking+Einbeck", "https://www.google.com/search?q=Klubgartenstrasse+12+parking+Goslar", "https://www.google.com/search?q=Hildesheimer+Strasse+18+parking+Goslar", "https://www.google.com/search?q=Pastorenstrasse+3+parking+Einbeck", "https://www.google.com/search?q=Westbahnhofstrasse+13+parking+Jena", "https://www.google.com/search?q=Krautgasse+30+parking+Jena", "https://www.google.com/search?q=Ernst+Abbe+Strasse+6+parking+Jena", "https://www.google.com/search?q=Ernst+Abbe+Strasse+15+parking+Jena", "https://www.google.com/search?q=Ernst+Haeckel+Strasse+8+parking+Jena", "https://www.google.com/search?q=Engelplatz+1+parking+Jena", "https://www.google.com/search?q=Kollegiengasse+10+parking+Jena", "https://www.google.com/search?q=Kollegiengasse+9+parking+Jena", "https://www.google.com/search?q=Holzmarkt+9+parking+Jena", "https://www.google.com/search?q=Rathausgasse+3+parking+Jena", "https://www.google.com/search?q=Hinter+Der+Kirche+5+parking+Jena", "https://www.google.com/search?q=L+3214+parking+Zierenberg", "https://www.google.com/search?q=Docklitzer+Tor+41+parking+Querfurt", "https://www.google.com/search?q=Am+Anger+26+parking+Jena", "https://www.google.com/search?q=Knebelstrasse+2+parking+Jena", "https://www.google.com/search?q=Docklitzer+Tor+45+parking+Querfurt", "https://www.google.com/search?q=Inselplatz+13+parking+Jena", "https://www.google.com/search?q=Jenertal+2+parking+Jena", "https://www.google.com/search?q=Beulwitzer+Strasse+1+parking+Saalfeld+Saale", "https://www.google.com/search?q=Felsenkellerstrasse+2+parking+Saalfeld+Saale", "https://www.google.com/search?q=Am+Blankenburger+Tor+9+parking+Saalfeld+Saale", "https://www.google.com/search?q=Fleischgasse+14+parking+Saalfeld+Saale", "https://www.google.com/search?q=Hinter+Dem+Graben+10+parking+Saalfeld+Saale", "https://www.google.com/search?q=Huttenstrasse+4+parking+Saalfeld+Saale", "https://www.google.com/search?q=Knochstrasse+11+parking+Saalfeld+Saale", "https://www.google.com/search?q=Magdeburger+Str+55+parking+Fulda", "https://www.google.com/search?q=Saalewiesen+25+parking+Saalfeld+Saale", "https://www.google.com/search?q=Magdeburger+Str+22+parking+Fulda", "https://www.google.com/search?q=Boyneburgstrasse+2+parking+Fulda", "https://www.google.com/search?q=Magdeburger+Str+29+parking+Fulda", "https://www.google.com/search?q=Esperantostrasse+1+parking+Fulda", "https://www.google.com/search?q=An+Der+Richthalle+3+parking+Fulda", "https://www.google.com/search?q=Kurfurstenstrasse+24+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Fulda", "https://www.google.com/search?q=Ruprechtstrasse+22+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+18+parking+Fulda", "https://www.google.com/search?q=Lindenstrasse+12+parking+Fulda", "https://www.google.com/search?q=Universitatsplatz+4+parking+Fulda", "https://www.google.com/search?q=Schlossstrasse+4+6+parking+Fulda", "https://www.google.com/search?q=Brauhausstrasse+6+parking+Fulda", "https://www.google.com/search?q=Am+Alten+Schlachthof+7+parking+Fulda", "https://www.google.com/search?q=Am+Rosengarten+19+parking+Fulda", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Gersfeld", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Liebenau", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Wolfhagen", "https://www.google.com/search?q=Kuhlinger+Str+39+parking+Halberstadt", "https://www.google.com/search?q=Am+Rhongarten+3+parking+Eichenzell", "https://www.google.com/search?q=Am+Bahnhof+8+parking+Ebersburg", "https://www.google.com/search?q=Burgermeister+Schlag+Strasse+1+parking+Eichenzell", "https://www.google.com/search?q=Kilianstrasse+22+parking+Ebersburg", "https://www.google.com/search?q=Brunnenstrasse+60+parking+Bad", "https://www.google.com/search?q=Am+Brennerwasser+5+parking+Lauterbach", "https://www.google.com/search?q=Eptinger+Rain+111+parking+Mucheln", "https://www.google.com/search?q=Bahnhofstrasse+72+parking+Warburg", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Warburg", "https://www.google.com/search?q=Bernhardistrasse+56+parking+Warburg", "https://www.google.com/search?q=Bernhardistrasse+15+parking+Warburg", "https://www.google.com/search?q=Goringsgraben+13+parking+Warburg", "https://www.google.com/search?q=Huffertstrasse+50+parking+Warburg", "https://www.google.com/search?q=Reichsbahnstrasse+2+parking+Teutschenthal", "https://www.google.com/search?q=Vinzenzstrasse+7+parking+Neuhof", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Hoxter", "https://www.google.com/search?q=Uferstrasse+9+parking+Hoxter", "https://www.google.com/search?q=Sackstrasse+4+parking+Hoxter", "https://www.google.com/search?q=Bennstedter+Strasse+38+47+parking+Teutschenthal", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Flieden", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Flieden", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Braunsbedra", "https://www.google.com/search?q=Am+Bahndamm+997+parking+Brakel", "https://www.google.com/search?q=An+Der+Magistrale+91+parking+Halle", "https://www.google.com/search?q=Dolauer+Strasse+77+parking+Halle", "https://www.google.com/search?q=Willy+Brandt+Strasse+6+parking+Salzgitter", "https://www.google.com/search?q=Eisenbahnstrasse+19+parking+Schkopau", "https://www.google.com/search?q=Wendelinusstrasse+8+parking+Bad", "https://www.google.com/search?q=Salinenstrasse+5+parking+Bad", "https://www.google.com/search?q=Mansfelder+Strasse+52+parking+Halle", "https://www.google.com/search?q=Kapellenstrasse+8+parking+Bad", "https://www.google.com/search?q=Robert+Everlien+Platz+1+parking+Wolfenbuttel", "https://www.google.com/search?q=Mansfelder+Strasse+56+parking+Halle", "https://www.google.com/search?q=Ankerstrasse+2+parking+Halle", "https://www.google.com/search?q=Herrenstrasse+20+parking+Halle", "https://www.google.com/search?q=Glauchaer+Strasse+77+parking+Halle", "https://www.google.com/search?q=Robert+Franz+Ring+20+parking+Halle", "https://www.google.com/search?q=Schlossplatz+14+parking+Wolfenbuttel", "https://www.google.com/search?q=Kasseler+Strasse+12+parking+Halle", "https://www.google.com/search?q=Brauergildenstrasse+5+parking+Wolfenbuttel", "https://www.google.com/search?q=Friedemann+Bach+Platz+3+parking+Halle", "https://www.google.com/search?q=Moritzburgring+4+parking+Halle", "https://www.google.com/search?q=Dachritzstrasse+10+parking+Halle", "https://www.google.com/search?q=Kleine+Brauhausstrasse+7+parking+Halle", "https://www.google.com/search?q=Universitatsring+3+parking+Halle", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+28+parking+Bad", "https://www.google.com/search?q=Hansering+20+parking+Halle", "https://www.google.com/search?q=Georg+Schumann+Platz+11+parking+Halle", "https://www.google.com/search?q=Streiberstrasse+25+parking+Halle", "https://www.google.com/search?q=Ernst+Toller+Strasse+20+parking+Halle", "https://www.google.com/search?q=Grosse+Steinstrasse+35+parking+Halle", "https://www.google.com/search?q=Fischer+von+Erlach+Strasse+90+parking+Halle", "https://www.google.com/search?q=Dorotheenstrasse+14+parking+Halle", "https://www.google.com/search?q=Magdeburger+Strasse+29+parking+Halle", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Willebadessen", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+6+parking+Bad", "https://www.google.com/search?q=B+6+parking+Halle", "https://www.google.com/search?q=Ernst+Kamieth+Strasse+6+parking+Halle", "https://www.google.com/search?q=Motzlicher+Strasse+45+parking+Halle", "https://www.google.com/search?q=Bahnhofsplatz+4+parking+Halle", "https://www.google.com/search?q=Am+Burghof+10+parking+Hildesheim", "https://www.google.com/search?q=Albertus+Magnus+Strasse+11+parking+Hildesheim", "https://www.google.com/search?q=Theodor+Storm+Strasse+34+parking+Hildesheim", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Schluchtern", "https://www.google.com/search?q=Lutzener+Strasse+1+parking+Bad", "https://www.google.com/search?q=Braunschweiger+Str+14+parking+Hildesheim", "https://www.google.com/search?q=Treibestrasse+9+parking+Hildesheim", "https://www.google.com/search?q=Kantorgasse+6+parking+Hildesheim", "https://www.google.com/search?q=Klaperhagen+7+parking+Hildesheim", "https://www.google.com/search?q=Am+Steine+6+parking+Hildesheim", "https://www.google.com/search?q=Am+Ratsbauhof+8+parking+Hildesheim", "https://www.google.com/search?q=Am+Bergholzchen+4+parking+Hildesheim", "https://www.google.com/search?q=Eckemekerstrasse+1+parking+Hildesheim", "https://www.google.com/search?q=Frankenstrasse+44+parking+Hildesheim", "https://www.google.com/search?q=Kardinal+Bertram+Strasse+35+parking+Hildesheim", "https://www.google.com/search?q=Kurzer+Hagen+6+parking+Hildesheim", "https://www.google.com/search?q=Jakobistrasse+22+parking+Hildesheim", "https://www.google.com/search?q=Kardinal+Bertram+Strasse+27+parking+Hildesheim", "https://www.google.com/search?q=Arnekenstrasse+26+parking+Hildesheim", "https://www.google.com/search?q=Bischof+Janssen+Strasse+30+parking+Hildesheim", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Kabelsketal", "https://www.google.com/search?q=Bischof+Janssen+Strasse+25+parking+Hildesheim", "https://www.google.com/search?q=Bahnhofsplatz+2+parking+Hildesheim", "https://www.google.com/search?q=Altes+Dorf+31+parking+Hildesheim", "https://www.google.com/search?q=Alte+Schule+10+parking+Landsberg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+104+parking+Mucke", "https://www.google.com/search?q=Stephanstrasse+100+parking+Zeitz", "https://www.google.com/search?q=Baenschstrasse+3+parking+Zeitz", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Steinau", "https://www.google.com/search?q=Dr+Rudolf+Hedler+Strasse+99+parking+Steinau", "https://www.google.com/search?q=Gerastrasse+15+parking+Braunschweig", "https://www.google.com/search?q=Rontgenstrasse+120+parking+Zeitz", "https://www.google.com/search?q=Schutzenplatz+21+parking+Zeitz", "https://www.google.com/search?q=Am+Alten+Bahnhof+14+15+parking+Kabelsketal", "https://www.google.com/search?q=Rote+Wiese+7+parking+Braunschweig", "https://www.google.com/search?q=Eisenbutteler+Str+12+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+42+parking+Landsberg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Braunschweig", "https://www.google.com/search?q=Nimes+Strasse+1+parking+Braunschweig", "https://www.google.com/search?q=Georg+Eckert+Strasse+11+parking+Braunschweig", "https://www.google.com/search?q=Kastanienallee+11+parking+Kabelsketal", "https://www.google.com/search?q=Kannengiesserstrasse+6+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Landsberg", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Grunberg", "https://www.google.com/search?q=Am+Guterbahnhof+4+parking+Steinheim", "https://www.google.com/search?q=Meinhardshof+1+parking+Braunschweig", "https://www.google.com/search?q=Grosser+Hof+7+parking+Braunschweig", "https://www.google.com/search?q=Rathausstrasse+9+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Marburg", "https://www.google.com/search?q=Erlenring+19+parking+Marburg", "https://www.google.com/search?q=Erlenring+26+parking+Marburg", "https://www.google.com/search?q=Furthstrasse+6+parking+Marburg", "https://www.google.com/search?q=Rossbergstrasse+40+parking+Schkeuditz", "https://www.google.com/search?q=Schwarzer+Weg+1+parking+Altenbeken", "https://www.google.com/search?q=Pilgrimstein+25+parking+Marburg", "https://www.google.com/search?q=Bierweg+6+parking+Schkeuditz", "https://www.google.com/search?q=Eisenbahnstrasse+11+parking+Markranstadt", "https://www.google.com/search?q=Fuldaer+Strasse+34+parking+Bad", "https://www.google.com/search?q=Schulstrasse+3+parking+Marburg", "https://www.google.com/search?q=Bahnhofstrasse+13+14+parking+Bad", "https://www.google.com/search?q=Schloss+4+parking+Marburg", "https://www.google.com/search?q=Wilhelmstrasse+7+parking+Marburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Bad", "https://www.google.com/search?q=Petzvalstrasse+53+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+4+7+parking+Bad", "https://www.google.com/search?q=Frankfurter+Strasse+12+parking+Marburg", "https://www.google.com/search?q=Am+Bahndamm+11+parking+Steinheim", "https://www.google.com/search?q=Bahnhofstrasse+44+parking+Pegau", "https://www.google.com/search?q=Am+Muhltor+6+parking+Schweinfurt", "https://www.google.com/search?q=Industriestrasse+15+parking+Schkeuditz", "https://www.google.com/search?q=Wenderter+Strasse+6+parking+Sarstedt", "https://www.google.com/search?q=Bahnhofstrasse+48+parking+Schkeuditz", "https://www.google.com/search?q=Berliner+Strasse+1+parking+Schkeuditz", "https://www.google.com/search?q=Jacobistrasse+3+parking+Sarstedt", "https://www.google.com/search?q=Terminalring+11+parking+Schkeuditz", "https://www.google.com/search?q=Hauptbahnhofstrasse+7+parking+Schweinfurt", "https://www.google.com/search?q=Bahnhofspl+9+parking+Schweinfurt", "https://www.google.com/search?q=Am+See+1+parking+Leipzig", "https://www.google.com/search?q=Hauptstrasse+48+parking+Zwenkau", "https://www.google.com/search?q=Freirodaer+Str+5+parking+Schkeuditz", "https://www.google.com/search?q=Mark+Twain+Strasse+1+parking+Braunschweig", "https://www.google.com/search?q=Miltitzer+Allee+42+parking+Leipzig", "https://www.google.com/search?q=Krakauer+Str+2+parking+Leipzig", "https://www.google.com/search?q=Schonauer+Ring+79+parking+Leipzig", "https://www.google.com/search?q=Sudfeldstrasse+4+parking+Springe", "https://www.google.com/search?q=Am+Bahnhof+15+parking+Wachtersbach", "https://www.google.com/search?q=Poststrasse+53+parking+Wachtersbach", "https://www.google.com/search?q=Raiffeisenstrasse+5+parking+Reiskirchen", "https://www.google.com/search?q=Main+Kinzig+Strasse+37+parking+Wachtersbach", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Springe", "https://www.google.com/search?q=Externsteiner+Strasse+33+parking+Horn+Bad", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Laatzen", "https://www.google.com/search?q=Burgermeister+Peters+Strasse+1+parking+Springe", "https://www.google.com/search?q=Industriestrasse+17+parking+Springe", "https://www.google.com/search?q=Industriestrasse+5+parking+Springe", "https://www.google.com/search?q=In+Den+Neun+Morgen+14+parking+Nidda", "https://www.google.com/search?q=Liboriberg+16+parking+Paderborn", "https://www.google.com/search?q=Peiner+Strasse+3+parking+Sehnde", "https://www.google.com/search?q=Hafenstrasse+19+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Buseck", "https://www.google.com/search?q=Muhlweg+21+parking+Markkleeberg", "https://www.google.com/search?q=Liboriberg+39+parking+Paderborn", "https://www.google.com/search?q=Koburger+Strasse+222+parking+Markkleeberg", "https://www.google.com/search?q=Am+Niederen+Tor+17+parking+Brilon", "https://www.google.com/search?q=Nordstrasse+31+parking+Paderborn", "https://www.google.com/search?q=Hathumarstrasse+19+parking+Paderborn", "https://www.google.com/search?q=Konigsplatz+4+parking+Paderborn", "https://www.google.com/search?q=Alte+Torgasse+12+parking+Paderborn", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Brilon", "https://www.google.com/search?q=Rolandsweg+95+parking+Paderborn", "https://www.google.com/search?q=Raiffeisenweg+4+parking+Brilon", "https://www.google.com/search?q=Ziegeleiweg+1+parking+Markkleeberg", "https://www.google.com/search?q=Neuhauser+Strasse+9+parking+Paderborn", "https://www.google.com/search?q=Gewerbegebiet+An+Der+Harth+10B+parking+Markkleeberg", "https://www.google.com/search?q=Krummestrasse+1+parking+Brilon", "https://www.google.com/search?q=Bahnhofstrabe+40+parking+Paderborn", "https://www.google.com/search?q=Lauersche+Strasse+4+parking+Markkleeberg", "https://www.google.com/search?q=Derkerborn+1+parking+Brilon", "https://www.google.com/search?q=Koburger+Strasse+89+parking+Markkleeberg", "https://www.google.com/search?q=Hasselborn+1+parking+Brilon", "https://www.google.com/search?q=Georgskommende+3+parking+Brilon", "https://www.google.com/search?q=K+26+parking+Lollar", "https://www.google.com/search?q=Rathausstrasse+34+parking+Markkleeberg", "https://www.google.com/search?q=Rathausstrasse+26+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Magdeburg", "https://www.google.com/search?q=Hauptstrasse+189+191+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Magdeburg", "https://www.google.com/search?q=Raschwitzer+Strasse+14+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Bohlen", "https://www.google.com/search?q=Am+Festanger+1+parking+Markkleeberg", "https://www.google.com/search?q=Hans+Steche+Weg+28+parking+Markkleeberg", "https://www.google.com/search?q=Holtenser+Strasse+45+parking+Ronnenberg", "https://www.google.com/search?q=Beethovenstrasse+11+parking+Leipzig", "https://www.google.com/search?q=Zentralstrasse+7+parking+Leipzig", "https://www.google.com/search?q=K+184+parking+Nidda", "https://www.google.com/search?q=Otto+Schill+Strasse+3+5+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+38+parking+Gemunden", "https://www.google.com/search?q=Rosentalgasse+3+parking+Leipzig", "https://www.google.com/search?q=Lotterstrasse+1+parking+Leipzig", "https://www.google.com/search?q=Thomaskirchhof+19+parking+Leipzig", "https://www.google.com/search?q=Schlosspl+5+6+parking+Budingen", "https://www.google.com/search?q=Marktpl+8+parking+Budingen", "https://www.google.com/search?q=Grosse+Fleischergasse+4+parking+Leipzig", "https://www.google.com/search?q=Str+Der+Nationen+10+parking+Hannover", "https://www.google.com/search?q=Goethesteig+2+parking+Leipzig", "https://www.google.com/search?q=Lohrstrasse+16+parking+Leipzig", "https://www.google.com/search?q=Lohrstrasse+20+parking+Leipzig", "https://www.google.com/search?q=Strasse+Der+Nationen+17+parking+Hannover", "https://www.google.com/search?q=Muhltorstrasse+11+parking+Budingen", "https://www.google.com/search?q=Monchereistrasse+4+parking+Markkleeberg", "https://www.google.com/search?q=Nordstrasse+27+parking+Leipzig", "https://www.google.com/search?q=Gustav+Adolf+Allee+9+parking+Leipzig", "https://www.google.com/search?q=Reichsstrasse+10+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Lich", "https://www.google.com/search?q=Am+Hallischen+Tor+2+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Lollar", "https://www.google.com/search?q=Sternwartenstrasse+2+parking+Leipzig", "https://www.google.com/search?q=Expo+Plaza+4+parking+Hannover", "https://www.google.com/search?q=Kronsbergstrasse+80+parking+Laatzen", "https://www.google.com/search?q=Lissabonner+Allee+3+parking+Laatzen", "https://www.google.com/search?q=Richard+Wagner+Strasse+3+parking+Leipzig", "https://www.google.com/search?q=Kronsbergstrasse+35+parking+Laatzen", "https://www.google.com/search?q=Nurnberger+Strasse+45+parking+Leipzig", "https://www.google.com/search?q=Georgiring+5+parking+Leipzig", "https://www.google.com/search?q=Schutzenstrasse+2+parking+Leipzig", "https://www.google.com/search?q=uber+Der+Seeme+3+parking+Budingen", "https://www.google.com/search?q=Bruderstrasse+59+parking+Leipzig", "https://www.google.com/search?q=Augsburger+Str+6+parking+Laatzen", "https://www.google.com/search?q=Bornaische+Strasse+2+parking+Markkleeberg", "https://www.google.com/search?q=Arndtstrasse+11+parking+Markkleeberg", "https://www.google.com/search?q=Hahnekamm+1+parking+Leipzig", "https://www.google.com/search?q=Schutzenstrasse+21+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+76+parking+Budingen", "https://www.google.com/search?q=Auenhainer+Strasse+1+parking+Markkleeberg", "https://www.google.com/search?q=Weltausstellungsallee+19+parking+Hannover", "https://www.google.com/search?q=Karlsruher+Str+4+parking+Hannover", "https://www.google.com/search?q=Kotterweg+10+parking+Buren", "https://www.google.com/search?q=Hans+Poeche+Strasse+26+28+parking+Leipzig", "https://www.google.com/search?q=Gutenbergplatz+1+parking+Leipzig", "https://www.google.com/search?q=Taubchenweg+5+7+parking+Leipzig", "https://www.google.com/search?q=Bornaer+Strasse+2+parking+Neukieritzsch", "https://www.google.com/search?q=Thaerstrasse+64+parking+Hannover", "https://www.google.com/search?q=Dauthestrasse+5+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Rackwitz", "https://www.google.com/search?q=Friedhofsweg+3+parking+Leipzig", "https://www.google.com/search?q=An+Der+Tabaksmuhle+21+parking+Leipzig", "https://www.google.com/search?q=Alte+Bahnhofstrasse+36+parking+Gehrden", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Neukieritzsch", "https://www.google.com/search?q=Eisenbahnstrasse+19+parking+Delitzsch", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+14+parking+Wennigsen", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+1+parking+Wennigsen", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Ronnenberg", "https://www.google.com/search?q=Sennebahnhof+15+parking+Paderborn", "https://www.google.com/search?q=Heisterweg+8+parking+Wennigsen", "https://www.google.com/search?q=Hornsche+Strasse+38+parking+Detmold", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Regis+Breitingen", "https://www.google.com/search?q=Hornsche+Strasse+22+parking+Detmold", "https://www.google.com/search?q=An+Der+Wollebahn+3+parking+Hannover", "https://www.google.com/search?q=Blomberger+Strasse+11+parking+Detmold", "https://www.google.com/search?q=Neustadt+24+parking+Detmold", "https://www.google.com/search?q=Bornaer+Chaussee+138+parking+Markkleeberg", "https://www.google.com/search?q=Lange+Str+48+parking+Detmold", "https://www.google.com/search?q=Burgdorfer+Strasse+4+parking+Lehrte", "https://www.google.com/search?q=Knuppelsdorfer+Weg+20+parking+Lehrte", "https://www.google.com/search?q=Bruchstrasse+38+parking+Detmold", "https://www.google.com/search?q=Heinrich+Drake+Strasse+1+parking+Detmold", "https://www.google.com/search?q=Paulinenstrasse+48+parking+Detmold", "https://www.google.com/search?q=Messe+Allee+1+parking+Leipzig", "https://www.google.com/search?q=Grotenburg+2+parking+Detmold", "https://www.google.com/search?q=Handelsring+10+parking+Leipzig", "https://www.google.com/search?q=Lemgoer+Strasse+5+parking+Detmold", "https://www.google.com/search?q=Arminstrasse+18+parking+Detmold", "https://www.google.com/search?q=Thusneldastrasse+11+parking+Detmold", "https://www.google.com/search?q=Industriestrasse+8+parking+Detmold", "https://www.google.com/search?q=Bahnhofstrasse+1001+parking+Salzkotten", "https://www.google.com/search?q=Ostfeldstrasse+82+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Lobstadt", "https://www.google.com/search?q=Rudolf+von+Bennigsen+Ufer+81+parking+Hannover", "https://www.google.com/search?q=Wennigser+Strasse+127+parking+Barsinghausen", "https://www.google.com/search?q=Heegheimer+Strasse+16+parking+Glauburg", "https://www.google.com/search?q=Ladestrasse+2+parking+Glauburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Gelnhausen", "https://www.google.com/search?q=Lagerhausstrasse+7+parking+Linsengericht", "https://www.google.com/search?q=Bahnhofstrasse+8+10+parking+Gelnhausen", "https://www.google.com/search?q=Schwemannstrasse+13+parking+Hannover", "https://www.google.com/search?q=Misburger+Weg+2+parking+Lehrte", "https://www.google.com/search?q=An+Der+Bahn+2+parking+Hannover", "https://www.google.com/search?q=Benther+Str+19+parking+Ronnenberg", "https://www.google.com/search?q=Tresckowstrasse+188+parking+Hannover", "https://www.google.com/search?q=Ferdinand+Henze+Strasse+1+parking+Salzkotten", "https://www.google.com/search?q=Sauerbruchstrasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Braunschweiger+Str+79+parking+Wolfsburg", "https://www.google.com/search?q=Muhlenbergzentrum+6+parking+Hannover", "https://www.google.com/search?q=An+Der+Johanneskirche+6+parking+Giessen", "https://www.google.com/search?q=Janusz+Korczak+Allee+8+parking+Hannover", "https://www.google.com/search?q=Westanlage+44+parking+Giessen", "https://www.google.com/search?q=Hermann+Munch+Strasse+42+parking+Wolfsburg", "https://www.google.com/search?q=Hermann+Munch+Strasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Klieverhagen+46+parking+Wolfsburg", "https://www.google.com/search?q=Klieverhagen+28+parking+Wolfsburg", "https://www.google.com/search?q=Braunschweiger+Str+10+parking+Wolfsburg", "https://www.google.com/search?q=Rathausstrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Hildesheimer+Str+96+parking+Hannover", "https://www.google.com/search?q=An+Der+Alten+Post+6+parking+Giessen", "https://www.google.com/search?q=Buchenweg+8+parking+Barsinghausen", "https://www.google.com/search?q=Am+Guterbahnhof+21+parking+Giessen", "https://www.google.com/search?q=Rudolf+von+Bennigsen+Ufer+22+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+94+parking+Giessen", "https://www.google.com/search?q=Am+Guterbahnhof+10+parking+Giessen", "https://www.google.com/search?q=Oesterleystrasse+10+parking+Hannover", "https://www.google.com/search?q=Major+Hirst+Strasse+9+parking+Wolfsburg", "https://www.google.com/search?q=Major+Hirst+Strasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Pestalozziallee+3+parking+Wolfsburg", "https://www.google.com/search?q=Pestalozziallee+1+parking+Wolfsburg", "https://www.google.com/search?q=Schillerstrasse+38+parking+Wolfsburg", "https://www.google.com/search?q=Stammestrasse+121+parking+Hannover", "https://www.google.com/search?q=Auf+Dem+Rade+3+parking+Ronnenberg", "https://www.google.com/search?q=Schachtweg+31+parking+Wolfsburg", "https://www.google.com/search?q=Rothenfelder+Str+4+18+parking+Wolfsburg", "https://www.google.com/search?q=Arthur+Menge+Ufer+3+parking+Hannover", "https://www.google.com/search?q=Stellfelder+Str+39+parking+Wolfsburg", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+40+parking+Wolfsburg", "https://www.google.com/search?q=Bahnhofstrasse+451+parking+Borna", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+30+parking+Wolfsburg", "https://www.google.com/search?q=Kortumstrasse+15+parking+Hannover", "https://www.google.com/search?q=Siegfried+Ehlers+Strasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Schongauerstrasse+27+parking+Leipzig", "https://www.google.com/search?q=Porschestrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+28+parking+Wolfsburg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Wolfsburg", "https://www.google.com/search?q=Hans+Weigel+Strasse+2+parking+Leipzig", "https://www.google.com/search?q=An+Der+Vorburg+1+parking+Wolfsburg", "https://www.google.com/search?q=Breite+Str+8+parking+Hannover", "https://www.google.com/search?q=Friedrichswall+11+parking+Hannover", "https://www.google.com/search?q=Rudolf+Hillebrecht+Platz+1+parking+Hannover", "https://www.google.com/search?q=Schackstrasse+22+parking+Hannover", "https://www.google.com/search?q=Georgswall+4+parking+Hannover", "https://www.google.com/search?q=Marktstrasse+45+parking+Hannover", "https://www.google.com/search?q=Bahnstrasse+15+parking+Reichelsheim", "https://www.google.com/search?q=Osterstrasse+42+parking+Hannover", "https://www.google.com/search?q=Roselerstrasse+7+parking+Hannover", "https://www.google.com/search?q=Am+Lindener+Berge+27+parking+Hannover", "https://www.google.com/search?q=Am+Steinbruch+4+parking+Hannover", "https://www.google.com/search?q=Gustav+Bratke+Allee+2+parking+Hannover", "https://www.google.com/search?q=In+Den+Allerwiesen+1+parking+Wolfsburg", "https://www.google.com/search?q=Windmuhlenstrasse+3+parking+Hannover", "https://www.google.com/search?q=L+322+parking+Wolfsburg", "https://www.google.com/search?q=Schlossstrasse+6+parking+Hannover", "https://www.google.com/search?q=Nussriede+28+parking+Hannover", "https://www.google.com/search?q=Opernpl+1+parking+Hannover", "https://www.google.com/search?q=Joachimstrasse+3+parking+Hannover", "https://www.google.com/search?q=Schmiedestrasse+13+parking+Hannover", "https://www.google.com/search?q=Augustenstrasse+13+parking+Hannover", "https://www.google.com/search?q=Ernst+August+Platz+10+parking+Hannover", "https://www.google.com/search?q=Leonhardtstrasse+10+parking+Hannover", "https://www.google.com/search?q=Regenstorstrasse+13+parking+Lemgo", "https://www.google.com/search?q=Am+Marstall+6+parking+Hannover", "https://www.google.com/search?q=Fernroder+Str+12+parking+Hannover", "https://www.google.com/search?q=Ernst+August+Platz+5+parking+Hannover", "https://www.google.com/search?q=Andreaestrasse+4+parking+Hannover", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+4+parking+Hannover", "https://www.google.com/search?q=Vw+Mittelstrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Mehlstrasse+2+parking+Hannover", "https://www.google.com/search?q=Rundestrasse+86+parking+Hannover", "https://www.google.com/search?q=Raschplatz+13+parking+Hannover", "https://www.google.com/search?q=Lutzowstrasse+3+parking+Hannover", "https://www.google.com/search?q=Oebisfelder+Str+1+parking+Wolfsburg", "https://www.google.com/search?q=Rundestrasse+12+parking+Hannover", "https://www.google.com/search?q=Weststrasse+7+9+parking+Taucha", "https://www.google.com/search?q=Allerpark+2+parking+Wolfsburg", "https://www.google.com/search?q=Breite+Strasse+2+parking+Lemgo", "https://www.google.com/search?q=Allerpark+9+parking+Wolfsburg", "https://www.google.com/search?q=Allerpark+12+parking+Wolfsburg", "https://www.google.com/search?q=Herrenstrasse+6+parking+Hannover", "https://www.google.com/search?q=Bruderstrasse+7+8+parking+Hannover", "https://www.google.com/search?q=Rundestrasse+5+parking+Hannover", "https://www.google.com/search?q=Bruhlstrasse+15+parking+Hannover", "https://www.google.com/search?q=Friesenstrasse+13+parking+Hannover", "https://www.google.com/search?q=Berliner+Strasse+10+parking+Barsinghausen", "https://www.google.com/search?q=Bruchweg+27+parking+Lemgo", "https://www.google.com/search?q=A+39+parking+Wolfsburg", "https://www.google.com/search?q=Am+Klagesmarkt+24+parking+Hannover", "https://www.google.com/search?q=Maschweg+29+parking+Wolfsburg", "https://www.google.com/search?q=Karolinenstrasse+4+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+39+parking+Hovelhof", "https://www.google.com/search?q=B+188+parking+Wolfsburg", "https://www.google.com/search?q=Am+Klagesmarkt+38+parking+Hannover", "https://www.google.com/search?q=Lodyweg+6+parking+Hannover", "https://www.google.com/search?q=Breiter+Fohrd+8+parking+Wolfsburg", "https://www.google.com/search?q=Rampendal+9+parking+Lemgo", "https://www.google.com/search?q=Oebisfelder+Str+24+parking+Wolfsburg", "https://www.google.com/search?q=Margaretendamm+10+parking+Bamberg", "https://www.google.com/search?q=Oebisfelder+Str+8+parking+Wolfsburg", "https://www.google.com/search?q=Breiter+Weg+132+parking+Linden", "https://www.google.com/search?q=Jembker+Str+1+parking+Wolfsburg", "https://www.google.com/search?q=Franz+Nause+Strasse+1+parking+Hannover", "https://www.google.com/search?q=Oebisfelder+Str+32+parking+Wolfsburg", "https://www.google.com/search?q=Edenstrasse+30+32+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+122+parking+Linden", "https://www.google.com/search?q=Oebisfelder+Str+40+parking+Wolfsburg", "https://www.google.com/search?q=Vahrenwalder+Str+7+parking+Hannover", "https://www.google.com/search?q=Hanauer+Strasse+25+parking+Altenstadt", "https://www.google.com/search?q=Wiesenstrasse+6+parking+Altenstadt", "https://www.google.com/search?q=L+3189+parking+Altenstadt", "https://www.google.com/search?q=Callinstrasse+23+parking+Hannover", "https://www.google.com/search?q=Heisterbergallee+16+parking+Hannover", "https://www.google.com/search?q=Vahrenwalder+Strasse+75+parking+Hannover", "https://www.google.com/search?q=Riethorst+19+parking+Hannover", "https://www.google.com/search?q=Schutzenstrasse+2+parking+Bamberg", "https://www.google.com/search?q=Schonauer+Strasse+22+parking+Borna", "https://www.google.com/search?q=Herrenhauser+Kirchweg+5+parking+Hannover", "https://www.google.com/search?q=Herrenhauser+Str+1+parking+Hannover", "https://www.google.com/search?q=Bismarckstrasse+7+parking+Langgons", "https://www.google.com/search?q=Theodorstrasse+1+parking+Burgdorf", "https://www.google.com/search?q=Ladestrasse+1+parking+Belgershain", "https://www.google.com/search?q=Am+Lister+Bad+1+parking+Hannover", "https://www.google.com/search?q=General+Wever+Strasse+93+parking+Hannover", "https://www.google.com/search?q=Glockenwiese+1+parking+Barsinghausen", "https://www.google.com/search?q=Heidensche+Strasse+1+parking+Lage", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Altenstadt", "https://www.google.com/search?q=Friedrichstrasse+9+parking+Lage", "https://www.google.com/search?q=Wehmgartenstrasse+9+parking+Lage", "https://www.google.com/search?q=Rhienstrasse+25+parking+Lage", "https://www.google.com/search?q=Knickwall+35+parking+Gifhorn", "https://www.google.com/search?q=Stauffenbergstrasse+5+parking+Lage", "https://www.google.com/search?q=Hellmeyerstrasse+2+parking+Lage", "https://www.google.com/search?q=Friedrich+Petri+Strasse+16+parking+Lage", "https://www.google.com/search?q=Steinweg+19+parking+Gifhorn", "https://www.google.com/search?q=Cardenap+8+parking+Gifhorn", "https://www.google.com/search?q=Am+Kiefernwaldchen+1001+parking+Hovelhof", "https://www.google.com/search?q=Am+Baren+18+parking+Rinteln", "https://www.google.com/search?q=Ebertstrasse+26+parking+Seelze", "https://www.google.com/search?q=Klosterstrasse+28+parking+Rinteln", "https://www.google.com/search?q=Wetteraustrasse+72+parking+Friedberg", "https://www.google.com/search?q=Pferdemarkt+5+parking+Rinteln", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Jesewitz", "https://www.google.com/search?q=Kantstrasse+2+parking+Seelze", "https://www.google.com/search?q=Kantstrasse+17+parking+Seelze", "https://www.google.com/search?q=Herderstrasse+13+parking+Seelze", "https://www.google.com/search?q=Hasselbachstrasse+2+parking+Langenselbold", "https://www.google.com/search?q=Albert+Kuntz+Strasse+2+parking+Brandis", "https://www.google.com/search?q=L+3339+parking+Langenselbold", "https://www.google.com/search?q=Griedeler+Strasse+39+parking+Butzbach", "https://www.google.com/search?q=Am+Goldstein+5+parking+Bad", "https://www.google.com/search?q=Am+Bundesbahnhof+1+parking+Langenselbold", "https://www.google.com/search?q=Ernst+Moritz+Arndt+Strasse+22+parking+Bad", "https://www.google.com/search?q=Alt+Vinnhorst+68+parking+Hannover", "https://www.google.com/search?q=Mecklenheidestrasse+125+parking+Hannover", "https://www.google.com/search?q=Ernst+Moritz+Arndt+Strasse+6+parking+Bad", "https://www.google.com/search?q=August+Storch+Strasse+4+parking+Butzbach", "https://www.google.com/search?q=Hansastrasse+4+parking+Hannover", "https://www.google.com/search?q=Langgasse+15+parking+Butzbach", "https://www.google.com/search?q=Weiseler+Strasse+41+parking+Butzbach", "https://www.google.com/search?q=Taunusstrasse+2+parking+Butzbach", "https://www.google.com/search?q=Am+Bollwerk+16+parking+Butzbach", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Otterwisch", "https://www.google.com/search?q=Hollerithallee+2+parking+Hannover", "https://www.google.com/search?q=Worthstrasse+36+parking+Burgdorf", "https://www.google.com/search?q=Tonkuhle+26+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Bad", "https://www.google.com/search?q=Alte+Bahnhofstrasse+6+parking+Friedberg", "https://www.google.com/search?q=Hanauer+Str+18+parking+Friedberg", "https://www.google.com/search?q=Hanauer+Strasse+53+parking+Friedberg", "https://www.google.com/search?q=Bahnhofspl+1+parking+Langenhagen", "https://www.google.com/search?q=Sandstrasse+30+parking+Garbsen", "https://www.google.com/search?q=Hanseatenstrasse+28+parking+Langenhagen", "https://www.google.com/search?q=Wingertstrasse+35+parking+Friedberg", "https://www.google.com/search?q=Muhlenfeld+27+parking+Langenhagen", "https://www.google.com/search?q=Am+Pferdemarkt+31+parking+Langenhagen", "https://www.google.com/search?q=Westfalenstrasse+10+20+parking+Langenhagen", "https://www.google.com/search?q=Am+Forum+1+parking+Wetzlar", "https://www.google.com/search?q=Hainbornstrasse+11+parking+Rodenbach", "https://www.google.com/search?q=Landschaftsstrasse+3+parking+Seelze", "https://www.google.com/search?q=Hanseshof+6+parking+Meschede", "https://www.google.com/search?q=Philipsstrasse+10+parking+Wetzlar", "https://www.google.com/search?q=Spinnereistrasse+1+parking+Wetzlar", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Wetzlar", "https://www.google.com/search?q=Auf+Der+Wieme+1+parking+Meschede", "https://www.google.com/search?q=Heldenberger+Strasse+16+parking+Nidderau", "https://www.google.com/search?q=Heldenberger+Str+16+parking+Nidderau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Parthenstein", "https://www.google.com/search?q=Karl+Kellner+Ring+50+parking+Wetzlar", "https://www.google.com/search?q=Flughafenstrasse+4+parking+Langenhagen", "https://www.google.com/search?q=Blaunonnengasse+3+parking+Wetzlar", "https://www.google.com/search?q=Karl+Kellner+Ring+34+parking+Wetzlar", "https://www.google.com/search?q=Leipziger+Strasse+9A+parking+Machern", "https://www.google.com/search?q=Flughafenstrasse+5+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Bad", "https://www.google.com/search?q=Nordstrasse+18+parking+Langenhagen", "https://www.google.com/search?q=Stahlstrasse+1+parking+Isernhagen", "https://www.google.com/search?q=Bahnhofstrasse+70+parking+Bruchkobel", "https://www.google.com/search?q=Hauptstrasse+23+parking+Haste", "https://www.google.com/search?q=Muhlweg+2+parking+Asslar", "https://www.google.com/search?q=Alte+Bundesstrasse+5+parking+Burgdorf", "https://www.google.com/search?q=Kohlergasse+8+parking+Bruchkobel", "https://www.google.com/search?q=Innerer+Ring+6+parking+Bruchkobel", "https://www.google.com/search?q=Eisenbahnstrasse+9+parking+Wollstadt", "https://www.google.com/search?q=Bertha+von+Suttner+Ring+3+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Burgwedel", "https://www.google.com/search?q=Bahnhofstrasse+46+parking+Schoneck", "https://www.google.com/search?q=Buschingstrasse+39+parking+Stadthagen", "https://www.google.com/search?q=Oberdurrbacher+Str+11+parking+Wurzburg", "https://www.google.com/search?q=Schutzenplatz+5+parking+Eilenburg", "https://www.google.com/search?q=Nordring+7+parking+Stadthagen", "https://www.google.com/search?q=Josef+Schneider+Strasse+4+parking+Wurzburg", "https://www.google.com/search?q=Unterwallweg+5+6+parking+Buckeburg", "https://www.google.com/search?q=Lindleinstrasse+1+parking+Wurzburg", "https://www.google.com/search?q=Adolph+Brosang+Strasse+33+parking+Wunstorf", "https://www.google.com/search?q=Josef+Schneider+Strasse+6+parking+Wurzburg", "https://www.google.com/search?q=Am+Herforder+Tor+2+parking+Bad", "https://www.google.com/search?q=Bahnhofpl+5+parking+Wurzburg", "https://www.google.com/search?q=Veitshochheimer+Str+5+parking+Wurzburg", "https://www.google.com/search?q=Roter+Weg+2+parking+Schoneck", "https://www.google.com/search?q=Hindenburgstrasse+56+parking+Wunstorf", "https://www.google.com/search?q=Sophienstrasse+5+parking+Bad", "https://www.google.com/search?q=Klusetor+21+parking+Lippstadt", "https://www.google.com/search?q=Konrad+Adenauer+Ring+10+parking+Lippstadt", "https://www.google.com/search?q=Bahnhofstrasse+12+18+parking+Wurzburg", "https://www.google.com/search?q=Jakobikirchstrasse+9+parking+Lippstadt", "https://www.google.com/search?q=Sudertor+8+parking+Lippstadt", "https://www.google.com/search?q=Pleichertorstrasse+6+parking+Wurzburg", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Rosbach", "https://www.google.com/search?q=Kahlenstrasse+10+parking+Lippstadt", "https://www.google.com/search?q=Konrad+Adenauer+Ring+1+parking+Lippstadt", "https://www.google.com/search?q=Rudigerstrasse+3+parking+Wurzburg", "https://www.google.com/search?q=Dartforder+Strasse+2+parking+Hanau", "https://www.google.com/search?q=Pleicherkirchgasse+1+parking+Wurzburg", "https://www.google.com/search?q=Friedberger+Strasse+19+parking+Hanau", "https://www.google.com/search?q=Kantstrasse+6+parking+Bad", "https://www.google.com/search?q=Bronnbachergasse+39+parking+Wurzburg", "https://www.google.com/search?q=Marktstrasse+22+parking+Lippstadt", "https://www.google.com/search?q=Lippertor+9+parking+Lippstadt", "https://www.google.com/search?q=Hauptstrasse+8+parking+Karben", "https://www.google.com/search?q=Marktplatz+3+parking+Wurzburg", "https://www.google.com/search?q=Balthasar+Neumann+Promenade+1+parking+Wurzburg", "https://www.google.com/search?q=Burkarderstrasse+3+parking+Wurzburg", "https://www.google.com/search?q=Eugen+Kaiser+Strasse+17+parking+Hanau", "https://www.google.com/search?q=Heinrich+Bott+Strasse+3+parking+Hanau", "https://www.google.com/search?q=Franziskanergasse+14+parking+Wurzburg", "https://www.google.com/search?q=Schlossplatz+4+parking+Hanau", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Geithain", "https://www.google.com/search?q=Wurzener+Landstrasse+13+14+parking+Eilenburg", "https://www.google.com/search?q=Langstrasse+14+parking+Hanau", "https://www.google.com/search?q=Bahnhofstrasse+59+parking+Solms", "https://www.google.com/search?q=Oberer+Burgweg+3+parking+Wurzburg", "https://www.google.com/search?q=Roderstrasse+1+parking+Hanau", "https://www.google.com/search?q=Nurnberger+Str+1+parking+Hanau", "https://www.google.com/search?q=Nurnberger+Strasse+14+parking+Hanau", "https://www.google.com/search?q=Am+Frankfurter+Tor+10+parking+Hanau", "https://www.google.com/search?q=Franzosische+Allee+19+parking+Hanau", "https://www.google.com/search?q=Am+Hauptbahnhof+10+parking+Hanau", "https://www.google.com/search?q=Ottostrasse+5+parking+Hanau", "https://www.google.com/search?q=Guterbahnhofstrasse+7+parking+Hanau", "https://www.google.com/search?q=Am+Steinheimer+Tor+19+parking+Hanau", "https://www.google.com/search?q=Steinheimer+Strasse+2+parking+Hanau", "https://www.google.com/search?q=Bahnhofstrasse+200+parking+Karben", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Ehringshausen", "https://www.google.com/search?q=Bahnhofstrasse+196+parking+Karben", "https://www.google.com/search?q=Roderseestrasse+2+parking+Hanau", "https://www.google.com/search?q=Burgallee+136+parking+Hanau", "https://www.google.com/search?q=Im+Tannengrund+3+parking+Wedemark", "https://www.google.com/search?q=Burgallee+119+parking+Hanau", "https://www.google.com/search?q=Luisenstrasse+21+parking+Hanau", "https://www.google.com/search?q=Uferstrasse+7+parking+Dillenburg", "https://www.google.com/search?q=Van+Brandes+Strasse+2+parking+Dillenburg", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Dillenburg", "https://www.google.com/search?q=Rathausstrasse+8+parking+Dillenburg", "https://www.google.com/search?q=Von+Arnoldi+Strasse+2+parking+Dillenburg", "https://www.google.com/search?q=Konrad+Adenauer+Allee+8+parking+Dillenburg", "https://www.google.com/search?q=Hauptstrasse+61+parking+Dillenburg", "https://www.google.com/search?q=Gartenstrasse+12+parking+Dillenburg", "https://www.google.com/search?q=Hintergasse+6+8+parking+Dillenburg", "https://www.google.com/search?q=Marbachstrasse+18+parking+Dillenburg", "https://www.google.com/search?q=Bahnhofsallee+28+parking+Solms", "https://www.google.com/search?q=Zum+Bahnhof+6+parking+Waldsolms", "https://www.google.com/search?q=Bettenweg+12+parking+Ehringshausen", "https://www.google.com/search?q=Fliegerstrasse+28+parking+Neustadt", "https://www.google.com/search?q=Oetkerstrasse+35+parking+Bielefeld", "https://www.google.com/search?q=Waterboerstrasse+2+parking+Bielefeld", "https://www.google.com/search?q=Detmolder+Strasse+223+parking+Bielefeld", "https://www.google.com/search?q=Hermann+Ilgen+Strasse+7+parking+Wurzen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Grimma", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Wurzen", "https://www.google.com/search?q=Bahnhofstrasse+131+parking+Maintal", "https://www.google.com/search?q=Bahnhofstrasse+117+parking+Maintal", "https://www.google.com/search?q=Max+Planck+Strasse+1+parking+Maintal", "https://www.google.com/search?q=Luitpoldstrasse+9+parking+Aschaffenburg", "https://www.google.com/search?q=Eitzer+Fohre+1+parking+Wedemark", "https://www.google.com/search?q=Am+Bahngleis+1+parking+Wedemark", "https://www.google.com/search?q=Milser+Strasse+42+parking+Bielefeld", "https://www.google.com/search?q=Am+Wingertsweg+4+parking+Muhlheim", "https://www.google.com/search?q=Pfingstweidstrasse+49+parking+Friedrichsdorf", "https://www.google.com/search?q=Tribenstrasse+9+parking+Herford", "https://www.google.com/search?q=Tribenstrasse+16+parking+Herford", "https://www.google.com/search?q=Fidelenstrasse+5+parking+Herford", "https://www.google.com/search?q=Burgsolmser+Strasse+4+parking+Leun", "https://www.google.com/search?q=Munsterkirchplatz+2+parking+Herford", "https://www.google.com/search?q=Auf+Der+Freiheit+3+parking+Herford", "https://www.google.com/search?q=Bielefelder+Strasse+9+parking+Herford", "https://www.google.com/search?q=Lohrstrasse+12+parking+Herford", "https://www.google.com/search?q=Teutoburger+Strasse+65+parking+Bielefeld", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Bad", "https://www.google.com/search?q=Hermann+Delius+Strasse+3+parking+Bielefeld", "https://www.google.com/search?q=Senefelder+Strasse+3+parking+Maintal", "https://www.google.com/search?q=Dieselstrasse+20+parking+Bad", "https://www.google.com/search?q=Dieselstrasse+19+parking+Bad", "https://www.google.com/search?q=Auf+Der+Freiheit+21+parking+Herford", "https://www.google.com/search?q=Werner+Bock+Strasse+36+parking+Bielefeld", "https://www.google.com/search?q=Am+Kreuzstein+88+parking+Maintal", "https://www.google.com/search?q=Dieselstrasse+1+parking+Bad", "https://www.google.com/search?q=Wittekindstrasse+22+parking+Herford", "https://www.google.com/search?q=Cheshamer+Str+2+parking+Friedrichsdorf", "https://www.google.com/search?q=Dammstrasse+8+parking+Muhlheim", "https://www.google.com/search?q=Am+Bahndamm+2+parking+Herford", "https://www.google.com/search?q=Turnerstrasse+39+parking+Bielefeld", "https://www.google.com/search?q=Werner+Bock+Strasse+34+parking+Bielefeld", "https://www.google.com/search?q=Am+Zollstock+17+parking+Friedrichsdorf", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+parking+Muhlheim", "https://www.google.com/search?q=Grenzweg+3+parking+Bielefeld", "https://www.google.com/search?q=Viktoriastrasse+8+parking+Minden", "https://www.google.com/search?q=Schwarzer+Weg+2+parking+Minden", "https://www.google.com/search?q=Bahnstrasse+4+parking+Minden", "https://www.google.com/search?q=Niddastrasse+3+parking+Bad", "https://www.google.com/search?q=Brunnenstrasse+4+parking+Bielefeld", "https://www.google.com/search?q=Frankfurter+Str+66+parking+Bad", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Seligenstadt", "https://www.google.com/search?q=Niederwall+26+parking+Bielefeld", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Bielefeld", "https://www.google.com/search?q=Kornerstrasse+8+parking+Bielefeld", "https://www.google.com/search?q=Uferstrasse+4+parking+Minden", "https://www.google.com/search?q=Am+Bach+9+parking+Bielefeld", "https://www.google.com/search?q=Van+Randenborgh+Weg+4+parking+Bielefeld", "https://www.google.com/search?q=Am+Bach+20+parking+Bielefeld", "https://www.google.com/search?q=Renteistrasse+5+parking+Bielefeld", "https://www.google.com/search?q=Waldhof+19+parking+Bielefeld", "https://www.google.com/search?q=Neumarkt+13+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+20+parking+Bielefeld", "https://www.google.com/search?q=Martiniweg+4+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+9+parking+Bielefeld", "https://www.google.com/search?q=Nebelswall+11+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+14+parking+Bielefeld", "https://www.google.com/search?q=Simeonsplatz+3+parking+Minden", "https://www.google.com/search?q=Ritterstrasse+5+parking+Bielefeld", "https://www.google.com/search?q=Am+Sudbahnhof+3+parking+Bad", "https://www.google.com/search?q=Zimmerstrasse+10+15+parking+Bielefeld", "https://www.google.com/search?q=Berkersheimer+Weg+3+parking+Bad", "https://www.google.com/search?q=Herrenhofstrasse+13+parking+Friedrichsdorf", "https://www.google.com/search?q=Leiterstrasse+14+parking+Minden", "https://www.google.com/search?q=Bahnhofstrasse+33+parking+Doberschutz", "https://www.google.com/search?q=Feilenstrasse+13+parking+Bielefeld", "https://www.google.com/search?q=Zimmerstrasse+21+parking+Bielefeld", "https://www.google.com/search?q=Nahariyastrasse+1+parking+Bielefeld", "https://www.google.com/search?q=Elsa+Brandstrom+Strasse+6+8+parking+Bielefeld", "https://www.google.com/search?q=Am+Zwinger+14+parking+Bielefeld", "https://www.google.com/search?q=Mercatorstrasse+11+parking+Bielefeld", "https://www.google.com/search?q=Elsa+Brandstrom+Strasse+8+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+267+parking+Bielefeld", "https://www.google.com/search?q=Hellingstrasse+15+parking+Minden", "https://www.google.com/search?q=Friedenstrasse+16+parking+Bielefeld", "https://www.google.com/search?q=Marienwall+10+parking+Minden", "https://www.google.com/search?q=Joseph+Massolle+Strasse+1+parking+Bielefeld", "https://www.google.com/search?q=Kampstrasse+17+parking+Minden", "https://www.google.com/search?q=Kampstrasse+20+parking+Minden", "https://www.google.com/search?q=Grosse+Kurfursten+Strasse+75+parking+Bielefeld", "https://www.google.com/search?q=Bullenberg+25+parking+Celle", "https://www.google.com/search?q=Kopperner+Strasse+115+parking+Wehrheim", "https://www.google.com/search?q=Boulevard+7+parking+Bielefeld", "https://www.google.com/search?q=An+Der+Eisenbahn+4+parking+Neustadt", "https://www.google.com/search?q=Jollenbecker+Str+8+parking+Bielefeld", "https://www.google.com/search?q=Sudwall+3+parking+Celle", "https://www.google.com/search?q=Stadtring+Kattenstroth+130+parking+Gutersloh", "https://www.google.com/search?q=Herzog+Ernst+Ring+40+parking+Celle", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Wehrheim", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Usingen", "https://www.google.com/search?q=Bahnhofstrasse+33+parking+Usingen", "https://www.google.com/search?q=Schwartzkopffstrasse+11+parking+Bielefeld", "https://www.google.com/search?q=Fritzenwiese+50+parking+Celle", "https://www.google.com/search?q=Am+Muhlberg+12+parking+Wehrheim", "https://www.google.com/search?q=Stapenhorststrasse+100+parking+Bielefeld", "https://www.google.com/search?q=Bahnhofstrasse+17+parking+Leun", "https://www.google.com/search?q=Lampingstrasse+16+parking+Bielefeld", "https://www.google.com/search?q=Westerfeldstrasse+17+parking+Bielefeld", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Wedemark", "https://www.google.com/search?q=Dornberger+Str+149+parking+Bielefeld", "https://www.google.com/search?q=Naunstadter+Strasse+25+parking+Gravenwiesbach", "https://www.google.com/search?q=Kalbacher+Strasse+11+parking+Bad", "https://www.google.com/search?q=Kirchstrasse+16+parking+Gutersloh", "https://www.google.com/search?q=Prager+Strasse+4+parking+Frankfurt", "https://www.google.com/search?q=Im+Atzelnest+11+parking+Bad", "https://www.google.com/search?q=Arendsstrasse+12+parking+Offenbach", "https://www.google.com/search?q=Kisseleffstrasse+5+parking+Bad", "https://www.google.com/search?q=Eschbacher+Weg+6+parking+Bad", "https://www.google.com/search?q=Borsigallee+39+parking+Frankfurt", "https://www.google.com/search?q=Borsigallee+26+parking+Frankfurt", "https://www.google.com/search?q=Herrengarten+4+parking+Usingen", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+20+parking+Gutersloh", "https://www.google.com/search?q=Im+Grossen+Ahl+32+parking+Offenbach", "https://www.google.com/search?q=Otto+Wels+Strasse+36+parking+Obertshausen", "https://www.google.com/search?q=Klingelbrink+15+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Lange+Strasse+86+88+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Lichtestrasse+3+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Markwaldstrasse+45+parking+Offenbach", "https://www.google.com/search?q=Bruhlstrasse+25+parking+Obertshausen", "https://www.google.com/search?q=Borsigallee+24+parking+Frankfurt", "https://www.google.com/search?q=Markwaldstrasse+40+parking+Offenbach", "https://www.google.com/search?q=Nordwall+11+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Kisseleffstrasse+7+parking+Bad", "https://www.google.com/search?q=Markwaldstrasse+26+parking+Offenbach", "https://www.google.com/search?q=Kisseleffstrasse+1+3+parking+Bad", "https://www.google.com/search?q=Auf+Der+Schanze+2+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Schwedenpfad+7+parking+Bad", "https://www.google.com/search?q=Markwaldstrasse+15+parking+Offenbach", "https://www.google.com/search?q=Markwaldstrasse+14+parking+Offenbach", "https://www.google.com/search?q=Schone+Aussicht+8+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Rodgau", "https://www.google.com/search?q=Bamberger+Str+6+parking+Forchheim", "https://www.google.com/search?q=Dietesheimer+Strasse+41+parking+Offenbach", "https://www.google.com/search?q=Herrngasse+1+parking+Bad", "https://www.google.com/search?q=Poststrasse+11+parking+Offenbach", "https://www.google.com/search?q=Paradepl+20+22+parking+Forchheim", "https://www.google.com/search?q=Untere+Grenzstrasse+6+parking+Offenbach", "https://www.google.com/search?q=Bierbrauerweg+37+parking+Offenbach", "https://www.google.com/search?q=Bahnhofstrasse+168+parking+Neu+Anspach", "https://www.google.com/search?q=Aschaffenburger+Str+113+parking+Offenbach", "https://www.google.com/search?q=An+Der+Eisenbahn+1+parking+Neu+Anspach", "https://www.google.com/search?q=Lammerspieler+Weg+27+parking+Offenbach", "https://www.google.com/search?q=Friedhofstrasse+21+parking+Offenbach", "https://www.google.com/search?q=Schonbornstrasse+27+parking+Forchheim", "https://www.google.com/search?q=Alte+Bahnhofstrasse+37+parking+Wurzen", "https://www.google.com/search?q=Homburger+Landstrasse+467+parking+Frankfurt", "https://www.google.com/search?q=Am+Dorfgarten+67+parking+Frankfurt", "https://www.google.com/search?q=Unterer+Kalbacher+Weg+71+parking+Frankfurt", "https://www.google.com/search?q=Ziegelstrasse+27+parking+Offenbach", "https://www.google.com/search?q=Goerdelerstrasse+145+parking+Offenbach", "https://www.google.com/search?q=Obere+Grenzstrasse+162+parking+Offenbach", "https://www.google.com/search?q=Mainstrasse+22+parking+Offenbach", "https://www.google.com/search?q=Franzosisches+Gasschen+10+parking+Offenbach", "https://www.google.com/search?q=Berliner+Strasse+60+parking+Offenbach", "https://www.google.com/search?q=Wilhelmspl+18+parking+Offenbach", "https://www.google.com/search?q=Rochusstrasse+7+parking+Rodgau", "https://www.google.com/search?q=Berliner+Str+111+parking+Offenbach", "https://www.google.com/search?q=Waldstrasse+4+parking+Offenbach", "https://www.google.com/search?q=Berliner+Strasse+111+parking+Offenbach", "https://www.google.com/search?q=Geleitsstrasse+25+parking+Offenbach", "https://www.google.com/search?q=Waldstrasse+44+parking+Offenbach", "https://www.google.com/search?q=Am+Domhof+20+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Schulte+Monting+Strasse+2+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Berliner+Strasse+167+parking+Offenbach", "https://www.google.com/search?q=Schulte+Monting+Strasse+5+19+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Hospitalstrasse+9+parking+Offenbach", "https://www.google.com/search?q=Frankfurter+Str+89+parking+Offenbach", "https://www.google.com/search?q=Am+Stadtgraben+4+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Berliner+Str+206+216+parking+Offenbach", "https://www.google.com/search?q=Nelmannwall+2+parking+Soest", "https://www.google.com/search?q=Thomator+8+parking+Soest", "https://www.google.com/search?q=Ludwigstrasse+65+parking+Offenbach", "https://www.google.com/search?q=Goethering+50+parking+Offenbach", "https://www.google.com/search?q=Immermannwall+24+parking+Soest", "https://www.google.com/search?q=Weserstrasse+45+parking+Offenbach", "https://www.google.com/search?q=Bahnhofsplatz+6+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Hainbachweg+2+parking+Offenbach", "https://www.google.com/search?q=Eisenbahnstrasse+75+parking+Rodgau", "https://www.google.com/search?q=Altes+Stellwerk+5+parking+Soest", "https://www.google.com/search?q=Eisenbahnstrasse+53+parking+Rodgau", "https://www.google.com/search?q=Grandweg+26+parking+Soest", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Mockrehna", "https://www.google.com/search?q=Severinstrasse+3+parking+Soest", "https://www.google.com/search?q=Waldstrasse+319+parking+Offenbach", "https://www.google.com/search?q=Ulricherstrasse+4+parking+Soest", "https://www.google.com/search?q=Am+Huttenkrug+8+parking+Neustadt", "https://www.google.com/search?q=Dasselwall+1+parking+Soest", "https://www.google.com/search?q=Sprendlinger+Landstrasse+32+parking+Offenbach", "https://www.google.com/search?q=Kohlbrink+11+parking+Soest", "https://www.google.com/search?q=Hoggenstrasse+8+parking+Soest", "https://www.google.com/search?q=An+Der+Sandelmuhle+50+parking+Frankfurt", "https://www.google.com/search?q=Werkstrasse+12+parking+Soest", "https://www.google.com/search?q=Jahnstrasse+50+parking+Heusenstamm", "https://www.google.com/search?q=Dominikanerstrasse+5+parking+Soest", "https://www.google.com/search?q=Freiligrathwall+33+parking+Soest", "https://www.google.com/search?q=Jahnstrasse+3+parking+Heusenstamm", "https://www.google.com/search?q=Hagenstrasse+32+parking+Enger", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Lohnberg", "https://www.google.com/search?q=Aldegreverwall+43+parking+Soest", "https://www.google.com/search?q=Rheinstrasse+43+parking+Rodgau", "https://www.google.com/search?q=Am+Bahnhof+8+parking+Soest", "https://www.google.com/search?q=Karlstrasse+18+parking+Rodgau", "https://www.google.com/search?q=Burgstrasse+17+parking+Enger", "https://www.google.com/search?q=Steinstrasse+21+parking+Enger", "https://www.google.com/search?q=Eichelgasse+58+parking+Wertheim", "https://www.google.com/search?q=Mathildenstrasse+15+parking+Enger", "https://www.google.com/search?q=Waldschmidtstrasse+41+47+parking+Frankfurt", "https://www.google.com/search?q=Bachstrasse+7+parking+Enger", "https://www.google.com/search?q=Barmeierplatz+3+parking+Enger", "https://www.google.com/search?q=Feldbergstrasse+1+parking+Oberursel", "https://www.google.com/search?q=Barmeierplatz+7+parking+Enger", "https://www.google.com/search?q=Kurt+Tucholsky+Strasse+10+parking+Offenbach", "https://www.google.com/search?q=Epinayplatz+3+parking+Oberursel", "https://www.google.com/search?q=Bolldammstrasse+14+parking+Enger", "https://www.google.com/search?q=Osw+v+Nell+Breuning+Strasse+3+parking+Offenbach", "https://www.google.com/search?q=Bahnhofstrasse+52+54+parking+Enger", "https://www.google.com/search?q=Waldschmidtstrasse+6+parking+Frankfurt", "https://www.google.com/search?q=Kirchstrasse+5+7+parking+Enger", "https://www.google.com/search?q=Brandstrasse+12+parking+Enger", "https://www.google.com/search?q=Georg+August+Zinn+Strasse+3+parking+Rodgau", "https://www.google.com/search?q=Brandstrasse+11+parking+Enger", "https://www.google.com/search?q=Bommersheimer+Strasse+1+parking+Oberursel", "https://www.google.com/search?q=Holzweg+30+parking+Oberursel", "https://www.google.com/search?q=Hanauer+Landstrasse+118+parking+Frankfurt", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Enger", "https://www.google.com/search?q=Anton+Bruckner+Strasse+32+parking+Offenbach", "https://www.google.com/search?q=Frankfurter+Landstrasse+7+parking+Oberursel", "https://www.google.com/search?q=Carl+von+Ossietzky+Weg+2+parking+Offenbach", "https://www.google.com/search?q=Carl+von+Ossietzky+Weg+18+parking+Offenbach", "https://www.google.com/search?q=Auf+Der+Rosenhohe+29+parking+Offenbach", "https://www.google.com/search?q=Mauerfeldstrasse+1+parking+Oberursel", "https://www.google.com/search?q=Schumannstrasse+26+parking+Offenbach", "https://www.google.com/search?q=Oberhochstadter+Strasse+5+parking+Oberursel", "https://www.google.com/search?q=Schumannstrasse+140+parking+Offenbach", "https://www.google.com/search?q=Auf+Der+Rosenhohe+60+parking+Offenbach", "https://www.google.com/search?q=Eschersheimer+Landstrasse+223+parking+Frankfurt", "https://www.google.com/search?q=Erich+Ollenhauer+Ring+8+parking+Frankfurt", "https://www.google.com/search?q=Grune+Str+9+parking+Frankfurt", "https://www.google.com/search?q=Conrad+Wellin+Strasse+6+parking+Wertheim", "https://www.google.com/search?q=Klapperfeldstrasse+8+parking+Frankfurt", "https://www.google.com/search?q=Sonnemannstrasse+13+parking+Frankfurt", "https://www.google.com/search?q=Vilbeler+Str+27+parking+Frankfurt", "https://www.google.com/search?q=Querstrasse+7+9+parking+Frankfurt", "https://www.google.com/search?q=Zimmersmuhlenweg+83+parking+Oberursel", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Babenhausen", "https://www.google.com/search?q=Bronnerstrasse+6+parking+Frankfurt", "https://www.google.com/search?q=Tongesgasse+8+parking+Frankfurt", "https://www.google.com/search?q=Lohnberger+Weg+28+parking+Weilburg", "https://www.google.com/search?q=Grosse+Eschenheimer+Str+10+parking+Frankfurt", "https://www.google.com/search?q=Hochstrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Taubenstrasse+11+parking+Frankfurt", "https://www.google.com/search?q=Domstrasse+1+parking+Frankfurt", "https://www.google.com/search?q=An+Der+Kleinmarkthalle+7+parking+Frankfurt", "https://www.google.com/search?q=Meisengasse+4+parking+Frankfurt", "https://www.google.com/search?q=Buchnerstrasse+8+parking+Rodgau", "https://www.google.com/search?q=Bockenheimer+Anlage+39+parking+Frankfurt", "https://www.google.com/search?q=Kornmarkt+10+parking+Frankfurt", "https://www.google.com/search?q=Hochstrasse+46+parking+Frankfurt", "https://www.google.com/search?q=Hohemarkstrasse+190+parking+Oberursel", "https://www.google.com/search?q=Bockenheimer+Anlage+47+parking+Frankfurt", "https://www.google.com/search?q=Siesmayerstrasse+66+parking+Frankfurt", "https://www.google.com/search?q=Junghofstrasse+3+parking+Frankfurt", "https://www.google.com/search?q=Junghofstrasse+16+parking+Frankfurt", "https://www.google.com/search?q=Siesmayerstrasse+61+parking+Frankfurt", "https://www.google.com/search?q=Walter+Kolb+Strasse+16+parking+Frankfurt", "https://www.google.com/search?q=Bethmannstrasse+50+54+parking+Frankfurt", "https://www.google.com/search?q=Bahnstrasse+99+parking+Steinbach", "https://www.google.com/search?q=Mainzer+Landstrasse+16+parking+Frankfurt", "https://www.google.com/search?q=Untermainanlage+4+parking+Frankfurt", "https://www.google.com/search?q=Grafstrasse+95+parking+Frankfurt", "https://www.google.com/search?q=Schumannstrasse+59+parking+Frankfurt", "https://www.google.com/search?q=Juliusstrasse+17+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+9+parking+Siegen", "https://www.google.com/search?q=Zum+Bahnhof+5+parking+Neustadt", "https://www.google.com/search?q=Bettinapl+5+parking+Frankfurt", "https://www.google.com/search?q=Savignystrasse+1+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+24+parking+Siegen", "https://www.google.com/search?q=Adalbertstrasse+10+parking+Frankfurt", "https://www.google.com/search?q=Moselstrasse+41+43+parking+Frankfurt", "https://www.google.com/search?q=Kampenstrasse+15+parking+Siegen", "https://www.google.com/search?q=Wilhelm+Leuschner+Strasse+32+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+45+parking+Siegen", "https://www.google.com/search?q=Am+Hauptbahnhof+8+parking+Frankfurt", "https://www.google.com/search?q=Poststrasse+1+parking+Frankfurt", "https://www.google.com/search?q=Wiesenhuttenpl+28+38+parking+Frankfurt", "https://www.google.com/search?q=Burgstrasse+20+parking+Siegen", "https://www.google.com/search?q=Poststrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Gutleutstrasse+89+parking+Frankfurt", "https://www.google.com/search?q=Hamburger+Allee+2+parking+Frankfurt", "https://www.google.com/search?q=Assar+Gabrielsson+Strasse+2A+parking+Dietzenbach", "https://www.google.com/search?q=Breitenbachstrasse+3+parking+Frankfurt", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+49+parking+Frankfurt", "https://www.google.com/search?q=Heerstrasse+190+parking+Frankfurt", "https://www.google.com/search?q=Karlsruher+Str+16+parking+Frankfurt", "https://www.google.com/search?q=Poststrasse+5+parking+Frankfurt", "https://www.google.com/search?q=Hinterstrasse+53+parking+Siegen", "https://www.google.com/search?q=Stuttgarter+Str+37+parking+Frankfurt", "https://www.google.com/search?q=Kasseler+Str+3+parking+Frankfurt", "https://www.google.com/search?q=Kasseler+Str+1+parking+Frankfurt", "https://www.google.com/search?q=Europa+Allee+6+parking+Frankfurt", "https://www.google.com/search?q=Theodor+Heuss+Allee+3+5+parking+Frankfurt", "https://www.google.com/search?q=Heeserstrasse+26+parking+Siegen", "https://www.google.com/search?q=Burgermeister+Fischer+Strasse+3+parking+Baiersdorf", "https://www.google.com/search?q=Kennedyallee+70+parking+Frankfurt", "https://www.google.com/search?q=Ahornweg+37+parking+Baiersdorf", "https://www.google.com/search?q=Rijnsburger+Str+1+parking+Siegen", "https://www.google.com/search?q=Den+Haager+Str+5+parking+Frankfurt", "https://www.google.com/search?q=Lohrtor+2+parking+Siegen", "https://www.google.com/search?q=Heeserstrasse+4+parking+Siegen", "https://www.google.com/search?q=Obergraben+30+parking+Siegen", "https://www.google.com/search?q=Philipp+Reis+Strasse+16+18+parking+Dietzenbach", "https://www.google.com/search?q=Morleystrasse+7+parking+Siegen", "https://www.google.com/search?q=An+Der+Unterfuhrung+22+parking+Siegen", "https://www.google.com/search?q=Georg+Friedrich+Handel+Strasse+24+parking+Leisnig", "https://www.google.com/search?q=Morleystrasse+17+parking+Siegen", "https://www.google.com/search?q=Theodor+Stern+Kai+7+parking+Frankfurt", "https://www.google.com/search?q=Leonardo+da+Vinci+Allee+2+parking+Frankfurt", "https://www.google.com/search?q=Eiserfelder+Str+9+parking+Siegen", "https://www.google.com/search?q=Sandhofstrasse+3+5+parking+Frankfurt", "https://www.google.com/search?q=Marienburgstrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Eisenbahnstrasse+15+parking+Dietzenbach", "https://www.google.com/search?q=Isenburger+Schneise+200+parking+Frankfurt", "https://www.google.com/search?q=Campus+Kronberg+1+parking+Kronberg", "https://www.google.com/search?q=Kleyerstrasse+92+parking+Frankfurt", "https://www.google.com/search?q=Stuttgarter+Str+9+parking+Eschborn", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Kronberg", "https://www.google.com/search?q=Peterstrasse+16+parking+Neu+Isenburg", "https://www.google.com/search?q=Rudolf+Diesel+Strasse+2+parking+Eschborn", "https://www.google.com/search?q=Dieburger+Strasse+117+parking+Rodermark", "https://www.google.com/search?q=Eisenbahnstrasse+17+parking+Rodermark", "https://www.google.com/search?q=Schwalbacher+Strasse+30+parking+Eschborn", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Bubenreuth", "https://www.google.com/search?q=Kleyerstrasse+130+parking+Frankfurt", "https://www.google.com/search?q=Schulstrasse+8+parking+Arnsberg", "https://www.google.com/search?q=Lange+Wende+47+parking+Arnsberg", "https://www.google.com/search?q=Schobbostrasse+32+parking+Arnsberg", "https://www.google.com/search?q=Lange+Wende+16+parking+Arnsberg", "https://www.google.com/search?q=Hahnstrasse+43+parking+Frankfurt", "https://www.google.com/search?q=Goethestrasse+25+parking+Arnsberg", "https://www.google.com/search?q=Mohnestrasse+3+parking+Arnsberg", "https://www.google.com/search?q=Werler+Strasse+8+parking+Arnsberg", "https://www.google.com/search?q=Schwanheimer+Str+175+parking+Frankfurt", "https://www.google.com/search?q=Mohnepforte+1+parking+Arnsberg", "https://www.google.com/search?q=Ackerstrasse+2+parking+Arnsberg", "https://www.google.com/search?q=Bruchwiesenstrasse+6+parking+Rodermark", "https://www.google.com/search?q=An+Der+Gehespitz+20+parking+Neu+Isenburg", "https://www.google.com/search?q=Leistenbachstrasse+1+parking+Villmar", "https://www.google.com/search?q=L+3095+parking+Munster", "https://www.google.com/search?q=Feldstrasse+1+parking+Eppertshausen", "https://www.google.com/search?q=Flughafenstrasse+104+parking+Frankfurt", "https://www.google.com/search?q=Ladestrasse+4+parking+Dahlen", "https://www.google.com/search?q=Ladestrasse+3+parking+Dahlen", "https://www.google.com/search?q=Wilhelm+Beckel+Strasse+3+parking+Frankfurt", "https://www.google.com/search?q=Rathsberger+Strasse+59+parking+Erlangen", "https://www.google.com/search?q=Staufenstrasse+3+parking+Sulzbach", "https://www.google.com/search?q=Wiesenstrasse+3+parking+Sulzbach", "https://www.google.com/search?q=Fritz+Klatte+Strasse+2+parking+Frankfurt", "https://www.google.com/search?q=Fuchsengarten+5+parking+Erlangen", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Bad", "https://www.google.com/search?q=Fuchsengarten+1+parking+Erlangen", "https://www.google.com/search?q=Theaterplatz+31+parking+Erlangen", "https://www.google.com/search?q=Bahnhofsplatz+23+parking+Munster", "https://www.google.com/search?q=Hainer+Chaussee+55+parking+Dreieich", "https://www.google.com/search?q=Emmerich+Josef+Strasse+24+28+parking+Frankfurt", "https://www.google.com/search?q=Friedrich+List+Strasse+8+parking+Erlangen", "https://www.google.com/search?q=Adelonstrasse+27+parking+Frankfurt", "https://www.google.com/search?q=Dalbergstrasse+8+parking+Frankfurt", "https://www.google.com/search?q=Bahnhofstrasse+54+parking+Waldheim", "https://www.google.com/search?q=Henkestrasse+7+parking+Erlangen", "https://www.google.com/search?q=Wilhelmstrasse+35+parking+Beckum", "https://www.google.com/search?q=Adolf+Haeuser+Strasse+1+parking+Frankfurt", "https://www.google.com/search?q=Clemens+August+Strasse+17+parking+Beckum", "https://www.google.com/search?q=Buchschlager+Allee+4+parking+Dreieich", "https://www.google.com/search?q=Elisabethstrasse+4+parking+Beckum", "https://www.google.com/search?q=Schuhstrasse+42+parking+Erlangen", "https://www.google.com/search?q=Sedanstrasse+2+parking+Erlangen", "https://www.google.com/search?q=Sedanstrasse+1+parking+Erlangen", "https://www.google.com/search?q=Nordwall+3+parking+Beckum", "https://www.google.com/search?q=Huhlstrasse+13+parking+Beckum", "https://www.google.com/search?q=Saalbach+17+parking+Hartha", "https://www.google.com/search?q=Nagelsbachstrasse+33+parking+Erlangen", "https://www.google.com/search?q=Sudstrasse+44+parking+Beckum", "https://www.google.com/search?q=Nordwall+37+parking+Beckum", "https://www.google.com/search?q=K+7542+parking+Grossweitzschen", "https://www.google.com/search?q=Raiffeisenstrasse+6+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Emskirchen", "https://www.google.com/search?q=Am+Bahnhof+17+parking+Dieburg", "https://www.google.com/search?q=Unterau+2+parking+Villmar", "https://www.google.com/search?q=Hugo+Eckener+Ring+174+parking+Frankfurt", "https://www.google.com/search?q=Kapitan+Lehmann+Strasse+174+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+149+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+1+parking+Frankfurt", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Liederbach", "https://www.google.com/search?q=Steinerstrasse+65+parking+Werl", "https://www.google.com/search?q=Pengel+Pad+23+parking+Werl", "https://www.google.com/search?q=Hedwig+Dransfeld+Strasse+54+parking+Werl", "https://www.google.com/search?q=Paul+Gerhardt+Strasse+19+parking+Werl", "https://www.google.com/search?q=Sponnierstrasse+12+parking+Werl", "https://www.google.com/search?q=Steinergraben+3+parking+Werl", "https://www.google.com/search?q=Kurze+Str+7+parking+Werl", "https://www.google.com/search?q=Hedwig+Dransfeld+Strasse+10+parking+Werl", "https://www.google.com/search?q=Hauptstrasse+20+parking+Ziegra+Knobelsdorf", "https://www.google.com/search?q=Kamperstrasse+11+13+parking+Werl", "https://www.google.com/search?q=Sandgasse+1+parking+Werl", "https://www.google.com/search?q=Grafenstrasse+9+parking+Werl", "https://www.google.com/search?q=Grafenstrasse+6+parking+Werl", "https://www.google.com/search?q=Kamperstrasse+61+parking+Werl", "https://www.google.com/search?q=Spitalgasse+3+parking+Werl", "https://www.google.com/search?q=Walburgisstrasse+12+parking+Werl", "https://www.google.com/search?q=Siederstrasse+17+parking+Werl", "https://www.google.com/search?q=Hauptstrasse+46+parking+Kelkheim", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Selters", "https://www.google.com/search?q=Hammer+Str+1+parking+Werl", "https://www.google.com/search?q=Westendstrasse+6+parking+Langen", "https://www.google.com/search?q=Hammer+Str+10+parking+Werl", "https://www.google.com/search?q=Wilhelmstrasse+4+parking+Kelkheim", "https://www.google.com/search?q=Wilhelmstrasse+12+parking+Kelkheim", "https://www.google.com/search?q=Am+Weissen+Stein+14+parking+Langen", "https://www.google.com/search?q=Hugo+Eckener+Ring+232+parking+Frankfurt", "https://www.google.com/search?q=Sindlinger+Bahnstrasse+103+parking+Frankfurt", "https://www.google.com/search?q=Albert+Blank+Strasse+2+parking+Frankfurt", "https://www.google.com/search?q=Caspar+Hofmann+Platz+1+parking+Bad", "https://www.google.com/search?q=Grundweg+34+parking+Hagenbuchach", "https://www.google.com/search?q=Martinstrasse+10+parking+Olpe", "https://www.google.com/search?q=Kolner+Str+3+parking+Olpe", "https://www.google.com/search?q=Bruchstrasse+7+parking+Olpe", "https://www.google.com/search?q=Franziskanerstrasse+4+parking+Olpe", "https://www.google.com/search?q=Morfelder+Str+113+parking+Kelsterbach", "https://www.google.com/search?q=Frankfurter+Strasse+2+parking+Brechen", "https://www.google.com/search?q=Am+Bahnhof+11+parking+Bad", "https://www.google.com/search?q=Am+Welschgraben+1+parking+Hattersheim", "https://www.google.com/search?q=Am+Sudpark+7+parking+Kelsterbach", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Otzberg", "https://www.google.com/search?q=Georg+Wehsarg+Strasse+7+parking+Egelsbach", "https://www.google.com/search?q=Aschaffenburger+Str+20+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Wolfsgartenstrasse+2+parking+Egelsbach", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Kriftel", "https://www.google.com/search?q=Platz+Von+Airaines+2+parking+Kriftel", "https://www.google.com/search?q=Bahnhofstrasse+35+parking+Brechen", "https://www.google.com/search?q=Bahnhofstrasse+41+parking+Brechen", "https://www.google.com/search?q=Hauptstrasse+1+parking+Hattersheim", "https://www.google.com/search?q=Neumarkt+9+parking+Nienburg", "https://www.google.com/search?q=Lindenstrasse+52+parking+Hattersheim", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Hofheim", "https://www.google.com/search?q=Friedrich+Ludwig+Jahn+Strasse+40+parking+Nienburg", "https://www.google.com/search?q=Bahnhofweg+9+parking+Puschendorf", "https://www.google.com/search?q=Milchweg+11+parking+Puschendorf", "https://www.google.com/search?q=Schlossplatz+13+parking+Nienburg", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Nienburg", "https://www.google.com/search?q=Piemontstrasse+1+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Hinter+Den+Hofen+8+parking+Nienburg", "https://www.google.com/search?q=Bruckenstrasse+4+parking+Nienburg", "https://www.google.com/search?q=Hauptstrasse+3+parking+Hofheim", "https://www.google.com/search?q=Oyler+Strasse+998+parking+Nienburg", "https://www.google.com/search?q=Elisabethenstrasse+3+parking+Hofheim", "https://www.google.com/search?q=Hattersheimer+Str+25+parking+Hofheim", "https://www.google.com/search?q=Elisabethenstrasse+2+parking+Hofheim", "https://www.google.com/search?q=Ostendstrasse+4+parking+Erzhausen", "https://www.google.com/search?q=Friedrichstrasse+1+parking+Dobeln", "https://www.google.com/search?q=Am+Untertor+4+parking+Hofheim", "https://www.google.com/search?q=Am+Alten+Bach+6+parking+Hofheim", "https://www.google.com/search?q=Am+Alten+Bach+5+parking+Hofheim", "https://www.google.com/search?q=Hattersheimer+Str+6+parking+Hofheim", "https://www.google.com/search?q=Lorsbacher+Str+1+parking+Hofheim", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Limburg", "https://www.google.com/search?q=Escher+Str+2+parking+Idstein", "https://www.google.com/search?q=Bahnhofstrasse+43A+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+38+parking+Limburg", "https://www.google.com/search?q=L+3026+parking+Idstein", "https://www.google.com/search?q=Balver+Strasse+92+parking+Menden", "https://www.google.com/search?q=Starkenburgstrasse+13+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Am+Hexenturm+5+parking+Idstein", "https://www.google.com/search?q=Auf+Dem+Hecken+28+parking+Eppstein", "https://www.google.com/search?q=Bahnstrasse+15+19+parking+Eppstein", "https://www.google.com/search?q=Limburger+Str+21+parking+Idstein", "https://www.google.com/search?q=Schulze+Delitzsch+Strasse+3+parking+Idstein", "https://www.google.com/search?q=Niederjosbacher+Str+18+parking+Eppstein", "https://www.google.com/search?q=Im+Hopfenstuck+3+parking+Idstein", "https://www.google.com/search?q=Am+Tornigskamp+2+parking+Menden", "https://www.google.com/search?q=Nurnberger+Strasse+18+parking+Markt", "https://www.google.com/search?q=Am+Hunenkopfchen+1+parking+Menden", "https://www.google.com/search?q=Beilrode+4+parking+Beilrode", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Idstein", "https://www.google.com/search?q=Walramstrasse+3+7+parking+Menden", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Reinheim", "https://www.google.com/search?q=Londoner+Str+5+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Menden", "https://www.google.com/search?q=Seegartenstrasse+1+parking+Darmstadt", "https://www.google.com/search?q=Am+Weissen+Stein+19+parking+Idstein", "https://www.google.com/search?q=Nurnberger+Strasse+25+parking+Langenzenn", "https://www.google.com/search?q=Bromberken+8+parking+Menden", "https://www.google.com/search?q=Westwall+19+parking+Menden", "https://www.google.com/search?q=Westwall+2+parking+Menden", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Reinheim", "https://www.google.com/search?q=Untere+Promenade+2+parking+Menden", "https://www.google.com/search?q=Am+Honneufer+1+parking+Menden", "https://www.google.com/search?q=Unnaer+Strasse+51+parking+Menden", "https://www.google.com/search?q=Leitmecke+6+parking+Menden", "https://www.google.com/search?q=Ilfelder+Pl+3+parking+Niedernhausen", "https://www.google.com/search?q=Werler+Strasse+6+parking+Menden", "https://www.google.com/search?q=Untere+Promenade+12+parking+Menden", "https://www.google.com/search?q=Schlossgartenstrasse+3+parking+Wilhermsdorf", "https://www.google.com/search?q=Weilbacher+Str+4+parking+Hattersheim", "https://www.google.com/search?q=Frankfurter+Str+10+parking+Limburg", "https://www.google.com/search?q=Bahnstrasse+2+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+27+parking+Bad", "https://www.google.com/search?q=Werkstrasse+15+parking+Bad", "https://www.google.com/search?q=Werner+Senger+Strasse+1+parking+Limburg", "https://www.google.com/search?q=Stephanshugel+1+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wusterwitz", "https://www.google.com/search?q=Ulmenallee+18+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+75+parking+Raunheim", "https://www.google.com/search?q=Kapellenstrasse+35+parking+Furth", "https://www.google.com/search?q=Ostwall+1+parking+Warendorf", "https://www.google.com/search?q=Molkenstrasse+2+parking+Warendorf", "https://www.google.com/search?q=Molkenstrasse+9+parking+Warendorf", "https://www.google.com/search?q=Kapellenstrasse+13+parking+Furth", "https://www.google.com/search?q=Konigstrasse+14+parking+Hamm", "https://www.google.com/search?q=Ostwall+10+parking+Warendorf", "https://www.google.com/search?q=Franziskanerstrasse+2+parking+Hamm", "https://www.google.com/search?q=Bulstrasse+11+parking+Warendorf", "https://www.google.com/search?q=Hugelstrasse+5+parking+Ober+Ramstadt", "https://www.google.com/search?q=Laubenweg+6+parking+Furth", "https://www.google.com/search?q=Ulmenstrasse+3+parking+Furth", "https://www.google.com/search?q=Hollweg+1+parking+Florsheim", "https://www.google.com/search?q=Zwischen+Den+Emsbrucken+2+parking+Warendorf", "https://www.google.com/search?q=Nordenwall+5+parking+Hamm", "https://www.google.com/search?q=Rosenstrasse+50+parking+Furth", "https://www.google.com/search?q=Ulmenweg+1+parking+Furth", "https://www.google.com/search?q=Uferstrasse+13+parking+Furth", "https://www.google.com/search?q=Freckenhorster+Wall+1+parking+Warendorf", "https://www.google.com/search?q=Mohrenstrasse+6+parking+Furth", "https://www.google.com/search?q=Lange+Kesselstrasse+6+12+parking+Warendorf", "https://www.google.com/search?q=Hollweg+7+parking+Florsheim", "https://www.google.com/search?q=Alexanderstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Sudring+3+parking+Hamm", "https://www.google.com/search?q=Munsterwall+10+parking+Warendorf", "https://www.google.com/search?q=Konigspl+2+parking+Furth", "https://www.google.com/search?q=Friedrichstrasse+11+parking+Hamm", "https://www.google.com/search?q=Alexanderstrasse+2+parking+Darmstadt", "https://www.google.com/search?q=Helmstrasse+1+parking+Furth", "https://www.google.com/search?q=Westenwall+16+parking+Hamm", "https://www.google.com/search?q=Emspromenade+5+parking+Warendorf", "https://www.google.com/search?q=Ritterstrasse+24+parking+Hamm", "https://www.google.com/search?q=Emspromenade+1+parking+Warendorf", "https://www.google.com/search?q=Munsterstrasse+27+parking+Warendorf", "https://www.google.com/search?q=Wilhelmstrasse+9+13+parking+Warendorf", "https://www.google.com/search?q=Helmstrasse+10+parking+Furth", "https://www.google.com/search?q=Brinkstrasse+1+parking+Warendorf", "https://www.google.com/search?q=Munsterstrasse+29+parking+Warendorf", "https://www.google.com/search?q=Karolinenplatz+1+parking+Darmstadt", "https://www.google.com/search?q=Konigstrasse+112+114+parking+Furth", "https://www.google.com/search?q=Wiesengrund+3+parking+Warendorf", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Warendorf", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Hamm", "https://www.google.com/search?q=Willy+Brandt+Platz+5+parking+Hamm", "https://www.google.com/search?q=Holzstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+8+parking+Cadolzburg", "https://www.google.com/search?q=Friedenspl+2+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+1+parking+Cadolzburg", "https://www.google.com/search?q=Friedenspl+4+parking+Darmstadt", "https://www.google.com/search?q=Hallstrasse+5+parking+Furth", "https://www.google.com/search?q=Poststrasse+4+parking+Hamm", "https://www.google.com/search?q=Gustav+Heinemann+Strasse+14+parking+Hamm", "https://www.google.com/search?q=Mathildenstrasse+6+parking+Furth", "https://www.google.com/search?q=Wilhelminenstrasse+1+parking+Darmstadt", "https://www.google.com/search?q=Unionstrasse+3+parking+Hamm", "https://www.google.com/search?q=Friedrichstrasse+8+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Friedrichstrasse+13+15+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+21+parking+Darmstadt", "https://www.google.com/search?q=Ottostrasse+27+parking+Furth", "https://www.google.com/search?q=Grafenstrasse+31+parking+Darmstadt", "https://www.google.com/search?q=Karnacksweg+27+parking+Iserlohn", "https://www.google.com/search?q=Adelungstrasse+23+parking+Darmstadt", "https://www.google.com/search?q=Konigswarterstrasse+28+parking+Furth", "https://www.google.com/search?q=Bahnhofpl+10+parking+Furth", "https://www.google.com/search?q=Bahnhofpl+8+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+56+parking+Darmstadt", "https://www.google.com/search?q=Gebhardtstrasse+1+parking+Furth", "https://www.google.com/search?q=Sandstrasse+16+parking+Darmstadt", "https://www.google.com/search?q=Karnacksweg+4+parking+Iserlohn", "https://www.google.com/search?q=Vinckestrasse+9+14+parking+Iserlohn", "https://www.google.com/search?q=Hugelstrasse+77+parking+Darmstadt", "https://www.google.com/search?q=Sandstrasse+50+parking+Darmstadt", "https://www.google.com/search?q=Hinterm+Schutzenhof+1+parking+Iserlohn", "https://www.google.com/search?q=Theodor+Heuss+Ring+27+parking+Iserlohn", "https://www.google.com/search?q=Hardtstrasse+6+parking+Iserlohn", "https://www.google.com/search?q=Simonshofer+Str+12+parking+Lauf", "https://www.google.com/search?q=Steinstrasse+13+parking+Iserlohn", "https://www.google.com/search?q=Trift+1+parking+Iserlohn", "https://www.google.com/search?q=Pretzfelder+Str+12+parking+Nurnberg", "https://www.google.com/search?q=Hafenstrasse+3+parking+Florsheim", "https://www.google.com/search?q=Robert+Bosch+Strasse+15+parking+Darmstadt", "https://www.google.com/search?q=aussere+Bayreuther+Str+220+parking+Nurnberg", "https://www.google.com/search?q=Alexanderstrasse+4+parking+Iserlohn", "https://www.google.com/search?q=Hermannstrasse+10+parking+Lauf", "https://www.google.com/search?q=Taunusstrasse+5+parking+Russelsheim", "https://www.google.com/search?q=Leckingser+Strasse+17+parking+Iserlohn", "https://www.google.com/search?q=Taunusstrasse+21+parking+Russelsheim", "https://www.google.com/search?q=E+40+parking+Reichshof", "https://www.google.com/search?q=Grabenstrasse+42+parking+Russelsheim", "https://www.google.com/search?q=Hulster+Strasse+9+parking+Michelstadt", "https://www.google.com/search?q=Lowenpl+11+parking+Russelsheim", "https://www.google.com/search?q=Heimerichstrasse+9+parking+Nurnberg", "https://www.google.com/search?q=Prof+Ernst+Nathan+Strasse+1+parking+Nurnberg", "https://www.google.com/search?q=aussere+Bayreuther+Str+67+parking+Nurnberg", "https://www.google.com/search?q=Bottgerstrasse+10+parking+Florsheim", "https://www.google.com/search?q=Hammer+Str+55+parking+Bonen", "https://www.google.com/search?q=Hammer+Str+60+parking+Bonen", "https://www.google.com/search?q=Waldstrasse+1+parking+Buttelborn", "https://www.google.com/search?q=Wiesentalstrasse+61+parking+Nurnberg", "https://www.google.com/search?q=Europaallee+1+parking+Furth", "https://www.google.com/search?q=Bayreuther+Str+34+parking+Nurnberg", "https://www.google.com/search?q=Maxfeldstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Banderbacher+Str+5+parking+Zirndorf", "https://www.google.com/search?q=Hallerwiese+30+parking+Nurnberg", "https://www.google.com/search?q=Bachstrasse+8+parking+Zirndorf", "https://www.google.com/search?q=Bachstrasse+12+parking+Zirndorf", "https://www.google.com/search?q=Spitalstrasse+3+parking+Zirndorf", "https://www.google.com/search?q=Karlstrasse+5+parking+Zirndorf", "https://www.google.com/search?q=Muhlstrasse+5+parking+Zirndorf", "https://www.google.com/search?q=Platter+Str+26+parking+Taunusstein", "https://www.google.com/search?q=olstrasse+12+parking+Zirndorf", "https://www.google.com/search?q=ausserer+Laufer+Pl+4+parking+Nurnberg", "https://www.google.com/search?q=olstrasse+20+parking+Zirndorf", "https://www.google.com/search?q=Laufertormauer+8+parking+Nurnberg", "https://www.google.com/search?q=Schustergasse+3+parking+Nurnberg", "https://www.google.com/search?q=Muhlstrasse+29+parking+Zirndorf", "https://www.google.com/search?q=Werkstrasse+3+parking+Iserlohn", "https://www.google.com/search?q=Kontumazgarten+4+18+parking+Nurnberg", "https://www.google.com/search?q=Hans+Sachs+Platz+1+parking+Nurnberg", "https://www.google.com/search?q=Karl+Grillenberger+Strasse+1+parking+Nurnberg", "https://www.google.com/search?q=Adlerstrasse+8+parking+Nurnberg", "https://www.google.com/search?q=Adlerstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Findelgasse+4+parking+Nurnberg", "https://www.google.com/search?q=Sudetenstrasse+48+parking+Gross+Gerau", "https://www.google.com/search?q=Spittlertorgraben+5+parking+Nurnberg", "https://www.google.com/search?q=Kesslerpl+10+parking+Nurnberg", "https://www.google.com/search?q=August+Bebel+Strasse+9+parking+Gross+Gerau", "https://www.google.com/search?q=Freiligrathstrasse+8+parking+Nurnberg", "https://www.google.com/search?q=Markische+Strasse+2+19+parking+Unna", "https://www.google.com/search?q=Katharinengasse+14+parking+Nurnberg", "https://www.google.com/search?q=Sudetenstrasse+62+parking+Gross+Gerau", "https://www.google.com/search?q=Bruckenstrasse+1+parking+Bergneustadt", "https://www.google.com/search?q=Marientorgraben+9+parking+Nurnberg", "https://www.google.com/search?q=Frauengasse+21+parking+Nurnberg", "https://www.google.com/search?q=Frauengasse+12+parking+Nurnberg", "https://www.google.com/search?q=Zirkelschmiedsgasse+9+parking+Nurnberg", "https://www.google.com/search?q=Aspersweg+4+parking+Unna", "https://www.google.com/search?q=Luningstrasse+3+parking+Unna", "https://www.google.com/search?q=Kantstrasse+63A+parking+Unna", "https://www.google.com/search?q=Frauengasse+6+parking+Nurnberg", "https://www.google.com/search?q=Krummfuss+14+parking+Unna", "https://www.google.com/search?q=Happurger+Str+132+parking+Nurnberg", "https://www.google.com/search?q=Josef+Strothoff+Strasse+5+parking+Unna", "https://www.google.com/search?q=Schaferstrasse+50+parking+Unna", "https://www.google.com/search?q=Gleissbuhlstrasse+13+parking+Nurnberg", "https://www.google.com/search?q=Hammer+Str+4+parking+Unna", "https://www.google.com/search?q=Schanzackerstrasse+12+parking+Nurnberg", "https://www.google.com/search?q=Frauentormauer+9+parking+Nurnberg", "https://www.google.com/search?q=Sudwall+5+parking+Unna", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Nauheim", "https://www.google.com/search?q=Darmstadter+Strasse+121+parking+Gross+Gerau", "https://www.google.com/search?q=Willy+Brandt+Platz+15+parking+Nurnberg", "https://www.google.com/search?q=Schulstrasse+25+parking+Unna", "https://www.google.com/search?q=Helvetiastrasse+5+parking+Gross+Gerau", "https://www.google.com/search?q=Bahnhofspl+5+parking+Nurnberg", "https://www.google.com/search?q=Leibnizstrasse+9+parking+Unna", "https://www.google.com/search?q=Richard+Wagner+Platz+10+parking+Nurnberg", "https://www.google.com/search?q=Moltkering+17+parking+Wiesbaden", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Unna", "https://www.google.com/search?q=Rembrandtstrasse+2+parking+Unna", "https://www.google.com/search?q=Sonnenberger+Str+14+parking+Wiesbaden", "https://www.google.com/search?q=Thunenstrasse+2+4+parking+Ludenscheid", "https://www.google.com/search?q=Nelson+Mandela+Platz+20+parking+Nurnberg", "https://www.google.com/search?q=Martin+Niemoller+Strasse+13+parking+Ludenscheid", "https://www.google.com/search?q=Sandstrasse+13+parking+Hochheim", "https://www.google.com/search?q=Sandstrasse+19+parking+Hochheim", "https://www.google.com/search?q=Neckarstrasse+6+parking+Hochheim", "https://www.google.com/search?q=Berliner+Str+11+parking+Wiesbaden", "https://www.google.com/search?q=Oberstrasse+11+parking+Darmstadt", "https://www.google.com/search?q=Rheinstrasse+5+parking+Wiesbaden", "https://www.google.com/search?q=Bulmannstrasse+23+parking+Nurnberg", "https://www.google.com/search?q=Florsheimer+Str+1+parking+Bischofsheim", "https://www.google.com/search?q=Pestalozzistrasse+3+parking+Taunusstein", "https://www.google.com/search?q=Ammanstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Hohl+12+parking+Erbach", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Wiesbaden", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Vilseck", "https://www.google.com/search?q=Bahnhofsplatz+10+parking+Erbach", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Vilseck", "https://www.google.com/search?q=Schwalbacher+Str+55+parking+Wiesbaden", "https://www.google.com/search?q=Scherlingstrasse+45+parking+Iserlohn", "https://www.google.com/search?q=Schwalbacher+Str+38+42+parking+Wiesbaden", "https://www.google.com/search?q=Schwalbacher+Str+41+parking+Wiesbaden", "https://www.google.com/search?q=Helenenstrasse+15+parking+Wiesbaden", "https://www.google.com/search?q=Gartenfeldstrasse+24+parking+Wiesbaden", "https://www.google.com/search?q=Kaiser+Friedrich+Ring+97+parking+Wiesbaden", "https://www.google.com/search?q=Bachstrasse+65+parking+Oberasbach", "https://www.google.com/search?q=Frankenstrasse+70+parking+Nurnberg", "https://www.google.com/search?q=Schwabacher+Str+401+parking+Zirndorf", "https://www.google.com/search?q=Taubenweg+7+parking+Zirndorf", "https://www.google.com/search?q=Zum+Schwimmbad+19+parking+Taunusstein", "https://www.google.com/search?q=Oberweihersbucher+Str+2+parking+Oberasbach", "https://www.google.com/search?q=Zum+Schwimmbad+58+parking+Taunusstein", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Iserlohn", "https://www.google.com/search?q=Hahner+Weg+9+parking+Taunusstein", "https://www.google.com/search?q=Frankenstrasse+150+parking+Nurnberg", "https://www.google.com/search?q=Ansbacher+Str+60+parking+Nurnberg", "https://www.google.com/search?q=Zum+Volksgarten+2+parking+Iserlohn", "https://www.google.com/search?q=Am+Schillberg+33+parking+Taunusstein", "https://www.google.com/search?q=Obere+Bahnhofstrasse+10+parking+Rosstal", "https://www.google.com/search?q=Am+Bahndamm+1+parking+Gross+Gerau", "https://www.google.com/search?q=Limbachstrasse+15+parking+Taunusstein", "https://www.google.com/search?q=Zanderstrasse+10+parking+Brandenburg", "https://www.google.com/search?q=K+700+parking+Taunusstein", "https://www.google.com/search?q=Dr+Herrmann+Strasse+21+parking+Ginsheim+Gustavsburg", "https://www.google.com/search?q=Holzgraben+2+parking+Rosstal", "https://www.google.com/search?q=Greyerstrasse+5+parking+Uelzen", "https://www.google.com/search?q=Munchener+Str+300+parking+Nurnberg", "https://www.google.com/search?q=K+645+parking+Wiesbaden", "https://www.google.com/search?q=Industriestrasse+1+parking+Freihung", "https://www.google.com/search?q=Veersser+Strasse+51+parking+Uelzen", "https://www.google.com/search?q=Werkvolkstrasse+95+parking+Nurnberg", "https://www.google.com/search?q=Fabrikenstrasse+3+parking+Premnitz", "https://www.google.com/search?q=Albertstrasse+1+parking+Uelzen", "https://www.google.com/search?q=Chaussee+144+parking+Dortmund", "https://www.google.com/search?q=Philippsring+2+parking+Wiesbaden", "https://www.google.com/search?q=Rheinufer+6+parking+Wiesbaden", "https://www.google.com/search?q=Rheinufer+4+6+parking+Wiesbaden", "https://www.google.com/search?q=Opsener+Strasse+26+parking+Windeck", "https://www.google.com/search?q=Neidsteiner+Strasse+4+parking+Neukirchen", "https://www.google.com/search?q=Neidsteiner+Strasse+2+parking+Neukirchen", "https://www.google.com/search?q=Hohlweg+4+parking+Windeck", "https://www.google.com/search?q=Deutsches+Dorf+47+parking+Brandenburg", "https://www.google.com/search?q=Friedenstrasse+2+parking+Taunusstein", "https://www.google.com/search?q=Rheinallee+1+parking+Mainz", "https://www.google.com/search?q=Flughafenring+2+parking+Dortmund", "https://www.google.com/search?q=Ludwig+Erhard+Strasse+100+parking+Wiesbaden", "https://www.google.com/search?q=Margaretenstrasse+2+parking+Uelzen", "https://www.google.com/search?q=Rheinstrasse+66+parking+Mainz", "https://www.google.com/search?q=Lohrstrasse+2+parking+Mainz", "https://www.google.com/search?q=Ernst+Ludwig+Strasse+1+parking+Mainz", "https://www.google.com/search?q=Dagobertstrasse+20+parking+Mainz", "https://www.google.com/search?q=Quintinsstrasse+12+parking+Mainz", "https://www.google.com/search?q=Muncherlbacher+Strasse+20+parking+Rosstal", "https://www.google.com/search?q=Balthasar+Maler+Gasse+1+parking+Mainz", "https://www.google.com/search?q=Neutorstrasse+2+parking+Mainz", "https://www.google.com/search?q=Am+Kronberger+Hof+2+parking+Mainz", "https://www.google.com/search?q=Holzhofstrasse+9+parking+Mainz", "https://www.google.com/search?q=Flugpl+7+parking+Dortmund", "https://www.google.com/search?q=Flugpl+21+parking+Holzwickede", "https://www.google.com/search?q=An+Der+Bahnlinie+6+parking+Nurnberg", "https://www.google.com/search?q=Schillerstrasse+44+parking+Mainz", "https://www.google.com/search?q=Munsterstrasse+11+parking+Mainz", "https://www.google.com/search?q=Alicenstrasse+1+parking+Mainz", "https://www.google.com/search?q=Flugpl+21+parking+Dortmund", "https://www.google.com/search?q=Kupferbergterrasse+21+parking+Mainz", "https://www.google.com/search?q=Wallstrasse+1+parking+Mainz", "https://www.google.com/search?q=Schutzenstrasse+22+parking+Gummersbach", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Gummersbach", "https://www.google.com/search?q=Augustusstrasse+29+parking+Mainz", "https://www.google.com/search?q=Wallstrasse+70+parking+Mainz", "https://www.google.com/search?q=A+2+parking+Bergkamen", "https://www.google.com/search?q=Hechtsheimer+Str+37+parking+Mainz", "https://www.google.com/search?q=Bahnhof+4+parking+Juterbog", "https://www.google.com/search?q=Am+Romerlager+23+parking+Mainz", "https://www.google.com/search?q=Am+Romerlager+1+parking+Mainz", "https://www.google.com/search?q=Czernyweg+406+parking+Mainz", "https://www.google.com/search?q=Muhlengraben+1+parking+Schwerte", "https://www.google.com/search?q=Ruhrstrasse+20+parking+Schwerte", "https://www.google.com/search?q=Glogauer+Str+140+parking+Nurnberg", "https://www.google.com/search?q=Wittekindstrasse+10+parking+Schwerte", "https://www.google.com/search?q=Bruckstrasse+10+parking+Schwerte", "https://www.google.com/search?q=Adolfstrasse+36+parking+Bad", "https://www.google.com/search?q=Bethunestrasse+8+parking+Schwerte", "https://www.google.com/search?q=Frankenweg+3+parking+Riedstadt", "https://www.google.com/search?q=Rathausstrasse+31+33+parking+Schwerte", "https://www.google.com/search?q=Marktstrasse+1+parking+Windeck", "https://www.google.com/search?q=Beckestrasse+16+parking+Schwerte", "https://www.google.com/search?q=Muhlackerstrasse+25+parking+Dortmund", "https://www.google.com/search?q=Hartenauer+Strasse+82+parking+Bickenbach", "https://www.google.com/search?q=E+40+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Heilsbronn", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Werne", "https://www.google.com/search?q=Auf+Der+Alten+Bahn+8+parking+Bickenbach", "https://www.google.com/search?q=Klosterstrasse+5+parking+Marienheide", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Hagen", "https://www.google.com/search?q=Waldbroler+Strasse+4+parking+Windeck", "https://www.google.com/search?q=Landwehrstrasse+1+parking+Marienheide", "https://www.google.com/search?q=Bahnstrasse+14+parking+Windeck", "https://www.google.com/search?q=Waldbroler+Strasse+3+parking+Windeck", "https://www.google.com/search?q=Zum+Marktplatz+12+parking+Marienheide", "https://www.google.com/search?q=Muhlenstrasse+17+parking+Wiehl", "https://www.google.com/search?q=Jahnstrasse+8+parking+Marienheide", "https://www.google.com/search?q=Am+Volmewehr+12+parking+Hagen", "https://www.google.com/search?q=Promenadenweg+98+parking+Nurnberg", "https://www.google.com/search?q=Homburger+Str+7+parking+Wiehl", "https://www.google.com/search?q=Homburger+Str+5+parking+Wiehl", "https://www.google.com/search?q=Weiher+Passage+8+parking+Wiehl", "https://www.google.com/search?q=Pestalozzistrasse+7+parking+Marienheide", "https://www.google.com/search?q=Weiherpl+3+4+parking+Wiehl", "https://www.google.com/search?q=Weiherplatz+18+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wiehl", "https://www.google.com/search?q=Im+Weiher+1+parking+Wiehl", "https://www.google.com/search?q=K+48+parking+Wiehl", "https://www.google.com/search?q=Hauptstrasse+8+parking+Wiehl", "https://www.google.com/search?q=Friedhofstrasse+11+parking+Wiehl", "https://www.google.com/search?q=Friedhofstrasse+13+parking+Wiehl", "https://www.google.com/search?q=Brucher+Str+6+parking+Wiehl", "https://www.google.com/search?q=Brucher+Strasse+6+parking+Wiehl", "https://www.google.com/search?q=Hermannsbergstrasse+36+parking+Marienheide", "https://www.google.com/search?q=Mondstrasse+31+parking+Dortmund", "https://www.google.com/search?q=Aplerbecker+Bahnhofstrasse+9+parking+Dortmund", "https://www.google.com/search?q=Gabelsbergerstrasse+2+parking+Weiden", "https://www.google.com/search?q=Wolframstrasse+2+parking+Weiden", "https://www.google.com/search?q=Schillerstrasse+11+parking+Weiden", "https://www.google.com/search?q=Schmellerweg+8+parking+Weiden", "https://www.google.com/search?q=Burgermeister+Prechtl+Strasse+28+parking+Weiden", "https://www.google.com/search?q=Leibnizstrasse+5+parking+Weiden", "https://www.google.com/search?q=Schimmelstrasse+37+parking+Dortmund", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Weiden", "https://www.google.com/search?q=Kurt+Schumacher+Allee+8+parking+Weiden", "https://www.google.com/search?q=Bernhard+Suttner+Strasse+2+parking+Weiden", "https://www.google.com/search?q=Baimbacher+Weg+26+parking+Nurnberg", "https://www.google.com/search?q=Lindenstrasse+21+parking+Stockstadt", "https://www.google.com/search?q=Im+Schloss+1+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bayreuther+Str+20+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Furth", "https://www.google.com/search?q=Kugelplatz+8+10+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Philosophenweg+3+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bayreuther+Str+8+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Rennweg+119+parking+Dortmund", "https://www.google.com/search?q=Dunckerpl+17+parking+Rathenow", "https://www.google.com/search?q=Alte+Munze+16+parking+Osnabruck", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Zwingenberg", "https://www.google.com/search?q=Flughafenstrasse+231+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Hakenstrasse+5+parking+Osnabruck", "https://www.google.com/search?q=Schoneckerstrasse+11+parking+Ansbach", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Petersaurach", "https://www.google.com/search?q=Am+Stadion+1+parking+Ansbach", "https://www.google.com/search?q=Bergstrasse+1+parking+Osnabruck", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Petersaurach", "https://www.google.com/search?q=Schaitbergerstrasse+14+parking+Ansbach", "https://www.google.com/search?q=Residenzstrasse+3+parking+Ansbach", "https://www.google.com/search?q=Eyber+Strasse+2+parking+Ansbach", "https://www.google.com/search?q=Reitbahn+9+parking+Ansbach", "https://www.google.com/search?q=Preussenstrasse+1+parking+Lunen", "https://www.google.com/search?q=Am+Muhlbach+2+parking+Ansbach", "https://www.google.com/search?q=Promenade+21+parking+Ansbach", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Eltville", "https://www.google.com/search?q=Promenade+3+parking+Ansbach", "https://www.google.com/search?q=Schalkhauser+Strasse+114+parking+Ansbach", "https://www.google.com/search?q=Eyber+Strasse+73+parking+Ansbach", "https://www.google.com/search?q=Kirschbaumweg+99+parking+Dortmund", "https://www.google.com/search?q=Karolinenstrasse+26+parking+Ansbach", "https://www.google.com/search?q=Dodterstrasse+12+parking+Hagen", "https://www.google.com/search?q=Dodterstrasse+10+parking+Hagen", "https://www.google.com/search?q=Nurnberger+Str+40+parking+Schwabach", "https://www.google.com/search?q=Markischer+Ring+119+parking+Hagen", "https://www.google.com/search?q=Nordliche+Ringstrasse+9+parking+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+20+parking+Schwabach", "https://www.google.com/search?q=Potthofstrasse+18+parking+Hagen", "https://www.google.com/search?q=Spitalberg+14+16+parking+Schwabach", "https://www.google.com/search?q=Potthofstrasse+17+parking+Hagen", "https://www.google.com/search?q=Reichswaisenhausstrasse+3+parking+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+16+parking+Schwabach", "https://www.google.com/search?q=Rathausgasse+2+parking+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+22+parking+Schwabach", "https://www.google.com/search?q=Horder+Bahnhofstrasse+13+parking+Dortmund", "https://www.google.com/search?q=Sparkassen+Karree+1+13+parking+Hagen", "https://www.google.com/search?q=Wilhelmstrasse+220+parking+Bensheim", "https://www.google.com/search?q=Kornerstrasse+31+parking+Hagen", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Schwabach", "https://www.google.com/search?q=Hochstrasse+118+parking+Hagen", "https://www.google.com/search?q=Neukirchner+Strasse+3+parking+Sachsen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Sachsen", "https://www.google.com/search?q=Neumarktstrasse+19+parking+Hagen", "https://www.google.com/search?q=Horstmarer+Strasse+2+parking+Lunen", "https://www.google.com/search?q=Staatsstrasse+48+parking+Rimbach", "https://www.google.com/search?q=Bergischer+Ring+82+parking+Hagen", "https://www.google.com/search?q=Merschstrasse+18+parking+Lunen", "https://www.google.com/search?q=Am+Christinentor+8+parking+Lunen", "https://www.google.com/search?q=Stresemannstrasse+8+parking+Hagen", "https://www.google.com/search?q=Engelstrasse+7+parking+Lunen", "https://www.google.com/search?q=Berliner+Pl+8+parking+Hagen", "https://www.google.com/search?q=Wehringhauser+Str+2+parking+Hagen", "https://www.google.com/search?q=Im+Hagen+7+parking+Lunen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Engelskirchen", "https://www.google.com/search?q=Altstadtstrasse+23+parking+Lunen", "https://www.google.com/search?q=Dorrenbergplatz+10+parking+Engelskirchen", "https://www.google.com/search?q=Platanenallee+6+parking+Bensheim", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Bensheim", "https://www.google.com/search?q=Gartenstrasse+10+parking+Bensheim", "https://www.google.com/search?q=Promenadenstrasse+14+parking+Bensheim", "https://www.google.com/search?q=Am+Wambolterhof+8+parking+Bensheim", "https://www.google.com/search?q=Dammstrasse+3+parking+Bensheim", "https://www.google.com/search?q=Heiliger+Weg+8+10+parking+Dortmund", "https://www.google.com/search?q=An+Der+Buschmuhle+1+parking+Dortmund", "https://www.google.com/search?q=Saarlandstrasse+14+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+1+parking+Dortmund", "https://www.google.com/search?q=Ostwall+37+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+37+parking+Dortmund", "https://www.google.com/search?q=Ostwall+51+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+12+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+36+parking+Dortmund", "https://www.google.com/search?q=Kuckelke+3+parking+Dortmund", "https://www.google.com/search?q=B+38+parking+Morlenbach", "https://www.google.com/search?q=E+40+parking+Engelskirchen", "https://www.google.com/search?q=Sudwall+4+parking+Dortmund", "https://www.google.com/search?q=Burgwall+8+parking+Dortmund", "https://www.google.com/search?q=Gerberstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Hansastrasse+99+parking+Dortmund", "https://www.google.com/search?q=Hansastrasse+74+parking+Dortmund", "https://www.google.com/search?q=Kuhstrasse+12+parking+Dortmund", "https://www.google.com/search?q=Hohe+Str+33+parking+Dortmund", "https://www.google.com/search?q=Kolpingstrasse+1+parking+Dortmund", "https://www.google.com/search?q=Beurhausstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Konigswall+13+parking+Dortmund", "https://www.google.com/search?q=Freistuhl+5+parking+Dortmund", "https://www.google.com/search?q=Rheinlanddamm+199+parking+Dortmund", "https://www.google.com/search?q=Steinstrasse+48+parking+Dortmund", "https://www.google.com/search?q=Leopoldstrasse+50+parking+Dortmund", "https://www.google.com/search?q=Beurhausstrasse+28+parking+Dortmund", "https://www.google.com/search?q=Hovelstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Strobelallee+51+parking+Dortmund", "https://www.google.com/search?q=Schmiedingstrasse+11+parking+Dortmund", "https://www.google.com/search?q=Steinstrasse+80+parking+Dortmund", "https://www.google.com/search?q=Schmiedingstrasse+25+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Lengerich", "https://www.google.com/search?q=Lange+Strasse+43+parking+Dortmund", "https://www.google.com/search?q=Seilergasse+4+parking+Lengerich", "https://www.google.com/search?q=Raiffeisenstrasse+5+parking+Lengerich", "https://www.google.com/search?q=Raiffeisenstrasse+11+parking+Lengerich", "https://www.google.com/search?q=Rittershausstrasse+51+parking+Dortmund", "https://www.google.com/search?q=Rathauspl+10+parking+Lengerich", "https://www.google.com/search?q=Amtsgasse+11+parking+Heppenheim", "https://www.google.com/search?q=Schutzenstrasse+82+parking+Dortmund", "https://www.google.com/search?q=Zwerchgasse+3+parking+Heppenheim", "https://www.google.com/search?q=Goethestrasse+25+parking+Lengerich", "https://www.google.com/search?q=Graben+21+parking+Heppenheim", "https://www.google.com/search?q=Schulstrasse+70+parking+Lengerich", "https://www.google.com/search?q=Schulstrasse+85+parking+Lengerich", "https://www.google.com/search?q=Im+Hook+5+parking+Lengerich", "https://www.google.com/search?q=Altstadt+18+parking+Lengerich", "https://www.google.com/search?q=Am+Bahnhof+10+parking+Nennhausen", "https://www.google.com/search?q=Graffstrasse+15+parking+Heppenheim", "https://www.google.com/search?q=Adlerstrasse+83+parking+Dortmund", "https://www.google.com/search?q=Weinheimer+Strasse+30+parking+Morlenbach", "https://www.google.com/search?q=Kalterer+Strasse+9+parking+Heppenheim", "https://www.google.com/search?q=Goethestrasse+24+parking+Heppenheim", "https://www.google.com/search?q=Nibelungenstrasse+18+parking+Heppenheim", "https://www.google.com/search?q=Lippstadter+Str+10+parking+Munster", "https://www.google.com/search?q=Im+Grengel+1+parking+Engelskirchen", "https://www.google.com/search?q=Albersloher+Weg+5+parking+Munster", "https://www.google.com/search?q=Bahnhofspl+1+parking+Luckenwalde", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+143+parking+Munster", "https://www.google.com/search?q=Engels+Platz+2+parking+Engelskirchen", "https://www.google.com/search?q=An+Der+Post+2+parking+Engelskirchen", "https://www.google.com/search?q=Bremer+Pl+44+parking+Munster", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Gross+Rohrheim", "https://www.google.com/search?q=Von+Steuben+Strasse+9+parking+Munster", "https://www.google.com/search?q=Gerhard+Kienle+Weg+2+parking+Herdecke", "https://www.google.com/search?q=Wittener+Str+22+parking+Dortmund", "https://www.google.com/search?q=Engelstrasse+49+parking+Munster", "https://www.google.com/search?q=Vogelpothsweg+96+parking+Dortmund", "https://www.google.com/search?q=Mauritzstrasse+33+parking+Munster", "https://www.google.com/search?q=Loerstrasse+16+parking+Munster", "https://www.google.com/search?q=Am+Hessenberg+60+parking+Herdecke", "https://www.google.com/search?q=Korduanenstrasse+20+parking+Munster", "https://www.google.com/search?q=Lindenstrasse+6+parking+Lorsch", "https://www.google.com/search?q=Konigsstrasse+9+parking+Munster", "https://www.google.com/search?q=Wasserstrasse+5+parking+Munster", "https://www.google.com/search?q=Aegidiistrasse+1+7+parking+Munster", "https://www.google.com/search?q=Spiegelturm+8+parking+Munster", "https://www.google.com/search?q=Tibusstrasse+18+parking+Munster", "https://www.google.com/search?q=Wahnbachtalstrasse+3+parking+Much", "https://www.google.com/search?q=K+46+parking+Much", "https://www.google.com/search?q=Georgskommende+33+parking+Munster", "https://www.google.com/search?q=Dr+Wirtz+Strasse+3+parking+Much", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Wetter", "https://www.google.com/search?q=Burbecker+Strasse+7+parking+Gevelsberg", "https://www.google.com/search?q=Kunersdorfer+Str+2+parking+Seddiner", "https://www.google.com/search?q=Adamsweg+3+parking+Much", "https://www.google.com/search?q=Talstrasse+4+parking+Much", "https://www.google.com/search?q=Gerichtsstrasse+6+parking+Munster", "https://www.google.com/search?q=Wehrstrasse+8+parking+Birkenau", "https://www.google.com/search?q=Schlossplatz+5+parking+Munster", "https://www.google.com/search?q=Zanderstrasse+21+parking+Much", "https://www.google.com/search?q=Hauptstrasse+57+parking+Much", "https://www.google.com/search?q=Himmelreichallee+40+parking+Munster", "https://www.google.com/search?q=Schlossplatz+24+26+parking+Munster", "https://www.google.com/search?q=Schulstrasse+10+parking+Much", "https://www.google.com/search?q=Sulzbacher+Strasse+2+parking+Amberg", "https://www.google.com/search?q=Pfalzgrafenring+3+parking+Amberg", "https://www.google.com/search?q=Georg+Grammer+Strasse+1+parking+Amberg", "https://www.google.com/search?q=Ruoffstrasse+18+parking+Amberg", "https://www.google.com/search?q=Muhlgasse+5+parking+Amberg", "https://www.google.com/search?q=Untere+Bahnhofstrasse+1A+parking+Buchenbach", "https://www.google.com/search?q=Kaiser+Ludwig+Ring+2+parking+Amberg", "https://www.google.com/search?q=Untere+Bahnhofstrasse+4+parking+Buchenbach", "https://www.google.com/search?q=Kaiser+Ludwig+Ring+6+parking+Amberg", "https://www.google.com/search?q=Bahnhofsplatz+3+parking+Eberbach", "https://www.google.com/search?q=Turnplatz+1+parking+Eberbach", "https://www.google.com/search?q=Marienstrasse+24+parking+Amberg", "https://www.google.com/search?q=Auf+Der+Linnert+6+parking+Dortmund", "https://www.google.com/search?q=Annenstrasse+177+parking+Witten", "https://www.google.com/search?q=Balthasar+Neumann+Strasse+100+parking+Amberg", "https://www.google.com/search?q=Marienstrasse+8+parking+Amberg", "https://www.google.com/search?q=Emailfabrikstrasse+4+parking+Amberg", "https://www.google.com/search?q=Annenstrasse+175+parking+Witten", "https://www.google.com/search?q=Schiessstatteweg+8+parking+Amberg", "https://www.google.com/search?q=Schiessstatteweg+12+parking+Amberg", "https://www.google.com/search?q=Am+Schanzl+1+parking+Amberg", "https://www.google.com/search?q=Anhaltstrasse+8+parking+Nuthe+Urstromtal", "https://www.google.com/search?q=Bahnhofstrasse+34+parking+Ennepetal", "https://www.google.com/search?q=Am+Rubgarten+12+parking+Biblis", "https://www.google.com/search?q=Heinrichstrasse+23+parking+Biblis", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Birkenau", "https://www.google.com/search?q=Rheinische+Strasse+12+parking+Gevelsberg", "https://www.google.com/search?q=Westerfilder+Strasse+80+parking+Dortmund", "https://www.google.com/search?q=Bahnstrasse+1+parking+Schwielowsee", "https://www.google.com/search?q=Dortmunder+Strasse+9+parking+Witten", "https://www.google.com/search?q=Kesselborn+56+parking+Dortmund", "https://www.google.com/search?q=E+35+parking+Hemsbach", "https://www.google.com/search?q=Ardeystrasse+96+parking+Witten", "https://www.google.com/search?q=Huttruper+Heide+90+parking+Greven", "https://www.google.com/search?q=Molkereistrasse+20+parking+Dortmund", "https://www.google.com/search?q=Adolf+Damaschke+Strasse+60+parking+Werder", "https://www.google.com/search?q=Feverstrasse+3+parking+Gevelsberg", "https://www.google.com/search?q=Airportallee+1+parking+Greven", "https://www.google.com/search?q=Bachstrasse+21+parking+Witten", "https://www.google.com/search?q=Am+Viehmarkt+3+parking+Witten", "https://www.google.com/search?q=Huttruper+Heide+88+parking+Greven", "https://www.google.com/search?q=Am+Schmechtingsbach+45+parking+Dortmund", "https://www.google.com/search?q=Huttruper+Heide+71+parking+Greven", "https://www.google.com/search?q=Ruhrstrasse+45+parking+Witten", "https://www.google.com/search?q=Unterer+Weinbergweg+6+parking+Roth", "https://www.google.com/search?q=Bonhoefferstrasse+12+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+19+parking+Witten", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Roth", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Zwingenberg", "https://www.google.com/search?q=Bergerstrasse+25+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+20+parking+Witten", "https://www.google.com/search?q=Marktstrasse+1+parking+Witten", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Zwingenberg", "https://www.google.com/search?q=Am+Humboldtplatz+6+parking+Witten", "https://www.google.com/search?q=Am+Westbahnhof+5+parking+Gevelsberg", "https://www.google.com/search?q=An+Der+Waage+5+parking+Langwedel", "https://www.google.com/search?q=Bahnhofweg+28+parking+Merkendorf", "https://www.google.com/search?q=Poststrasse+11+parking+Witten", "https://www.google.com/search?q=Poststrasse+9+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+35+parking+Witten", "https://www.google.com/search?q=Bahnhofweg+7+parking+Merkendorf", "https://www.google.com/search?q=Karl+Marx+Platz+10+parking+Witten", "https://www.google.com/search?q=B+13+parking+Merkendorf", "https://www.google.com/search?q=Bergerstrasse+38+parking+Witten", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Weinheim", "https://www.google.com/search?q=Grundelbachstrasse+49+parking+Weinheim", "https://www.google.com/search?q=Durrestrasse+6+parking+Weinheim", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Neckargerach", "https://www.google.com/search?q=Guttenbacher+Pfad+3+parking+Neckargerach", "https://www.google.com/search?q=Luisenstrasse+14+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+3+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+1+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+10+parking+Weinheim", "https://www.google.com/search?q=Marienborn+14+parking+Dortmund", "https://www.google.com/search?q=Neustadt+20+parking+Koblenz", "https://www.google.com/search?q=Hauptstrasse+93+parking+Schwelm", "https://www.google.com/search?q=Am+Leithenhaus+14+parking+Bochum", "https://www.google.com/search?q=Luisenstrasse+2+parking+Koblenz", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Schwelm", "https://www.google.com/search?q=E+40+parking+Overath", "https://www.google.com/search?q=Altlohrtor+14+parking+Koblenz", "https://www.google.com/search?q=Rote+Turmstrasse+30+parking+Weinheim", "https://www.google.com/search?q=Hohenfelder+Str+22+parking+Koblenz", "https://www.google.com/search?q=Markische+Strasse+2+parking+Schwelm", "https://www.google.com/search?q=Untermauerstrasse+21+parking+Schwelm", "https://www.google.com/search?q=Bahnhofstrasse+41+parking+Koblenz", "https://www.google.com/search?q=Markenbildchenweg+38+parking+Koblenz", "https://www.google.com/search?q=Bahnhofplatz+1+parking+Koblenz", "https://www.google.com/search?q=B+9+parking+Koblenz", "https://www.google.com/search?q=Kurten+32A+parking+Kurten", "https://www.google.com/search?q=Alte+Munsterstrasse+9+parking+Greven", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Hirschhorn", "https://www.google.com/search?q=Im+Uhlenwinkel+12+parking+Bochum", "https://www.google.com/search?q=Alte+Schefflenzer+Steige+8+parking+Mosbach", "https://www.google.com/search?q=Michelberg+32+parking+Hirschhorn", "https://www.google.com/search?q=An+Der+Martinischule+9+parking+Greven", "https://www.google.com/search?q=Auf+Den+Holln+68+parking+Bochum", "https://www.google.com/search?q=Naendorfstrasse+12+parking+Greven", "https://www.google.com/search?q=Heinrichstrasse+2+parking+Castrop+Rauxel", "https://www.google.com/search?q=Michelberg+30+parking+Hirschhorn", "https://www.google.com/search?q=Am+Hallenbad+3+parking+Greven", "https://www.google.com/search?q=Alte+Bergsteige+4+parking+Mosbach", "https://www.google.com/search?q=Burg+Dauchstein+Strasse+4+parking+Binau", "https://www.google.com/search?q=Am+Bennertor+6+parking+Castrop+Rauxel", "https://www.google.com/search?q=Am+Stadtgarten+18+parking+Castrop+Rauxel", "https://www.google.com/search?q=Viktoriastrasse+9+parking+Castrop+Rauxel", "https://www.google.com/search?q=Am+Markt+22+parking+Castrop+Rauxel", "https://www.google.com/search?q=Biederlackstrasse+7+parking+Greven", "https://www.google.com/search?q=Braunschweiger+Strasse+25+parking+Thedinghausen", "https://www.google.com/search?q=Schillerstrasse+7+parking+Castrop+Rauxel", "https://www.google.com/search?q=Widumer+Strasse+14+parking+Castrop+Rauxel", "https://www.google.com/search?q=Neckarelzer+Str+3+parking+Mosbach", "https://www.google.com/search?q=Obere+Munsterstrasse+23+parking+Castrop+Rauxel", "https://www.google.com/search?q=Bahnhofstrasse+110+parking+Castrop+Rauxel", "https://www.google.com/search?q=Herner+Strasse+2+4+parking+Castrop+Rauxel", "https://www.google.com/search?q=Lonsstrasse+39+parking+Castrop+Rauxel", "https://www.google.com/search?q=Hardtstrasse+17+parking+Remscheid", "https://www.google.com/search?q=Kleine+Lonsstrasse+65+parking+Castrop+Rauxel", "https://www.google.com/search?q=Europaplatz+1+parking+Castrop+Rauxel", "https://www.google.com/search?q=Kreuzfahrerstrasse+30+parking+Overath", "https://www.google.com/search?q=Olpener+Strasse+8+parking+Kurten", "https://www.google.com/search?q=Robert+Schumacher+Strasse+6+parking+Remscheid", "https://www.google.com/search?q=Zur+Rampe+1+parking+Langwedel", "https://www.google.com/search?q=Wartburgstrasse+1+parking+Castrop+Rauxel", "https://www.google.com/search?q=Alicestrasse+64+parking+Lampertheim", "https://www.google.com/search?q=Eugen+Schreiber+Strasse+2+parking+Lampertheim", "https://www.google.com/search?q=Grunenplatzstrasse+1+parking+Remscheid", "https://www.google.com/search?q=Kohlenstrasse+46+parking+Wuppertal", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+18+parking+Viernheim", "https://www.google.com/search?q=Wiesenstrasse+18+parking+Georgensgmund", "https://www.google.com/search?q=Silberkuhle+16+parking+Wuppertal", "https://www.google.com/search?q=Burgenstrasse+7+parking+Neckarsteinach", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+2+parking+Viernheim", "https://www.google.com/search?q=Wasserstrasse+11+parking+Viernheim", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Trebbin", "https://www.google.com/search?q=Schulstrasse+1+parking+Viernheim", "https://www.google.com/search?q=Lorscher+Str+6+parking+Viernheim", "https://www.google.com/search?q=Kettelerstrasse+11+parking+Viernheim", "https://www.google.com/search?q=Neuensaaler+Strasse+2+parking+Kurten", "https://www.google.com/search?q=Molitorstrasse+14+parking+Viernheim", "https://www.google.com/search?q=E+50+parking+Viernheim", "https://www.google.com/search?q=Rathausstrasse+61+parking+Viernheim", "https://www.google.com/search?q=L+726+parking+Wuppertal", "https://www.google.com/search?q=Kreuzstrasse+7+parking+Viernheim", "https://www.google.com/search?q=Klosterstrasse+24+parking+Ibbenburen", "https://www.google.com/search?q=Saarlandstrasse+1+parking+Viernheim", "https://www.google.com/search?q=L+77+parking+Nuthetal", "https://www.google.com/search?q=Luisenpl+9+parking+Potsdam", "https://www.google.com/search?q=Neumarkt+22+parking+Ibbenburen", "https://www.google.com/search?q=Rosenau+20+parking+Wuppertal", "https://www.google.com/search?q=Friedrichstrasse+16+parking+Worms", "https://www.google.com/search?q=Achtern+Thun+15+parking+Lohne", "https://www.google.com/search?q=Ludwigspl+7+8+parking+Worms", "https://www.google.com/search?q=Martinsgasse+2+parking+Worms", "https://www.google.com/search?q=Romerstrasse+43+parking+Worms", "https://www.google.com/search?q=Babelsberger+Str+18+parking+Potsdam", "https://www.google.com/search?q=Bruckenweg+16+parking+Wermelskirchen", "https://www.google.com/search?q=Bruckenweg+14+parking+Wermelskirchen", "https://www.google.com/search?q=Von+Steuben+Strasse+8+parking+Worms", "https://www.google.com/search?q=Kriemhildenstrasse+20+parking+Worms", "https://www.google.com/search?q=Koehlstrasse+4+parking+Worms", "https://www.google.com/search?q=Hebbelstrasse+1+parking+Potsdam", "https://www.google.com/search?q=Kohlgarten+13+14+parking+Wuppertal", "https://www.google.com/search?q=Gersteinring+52+parking+Bochum", "https://www.google.com/search?q=Oskar+Hoffmann+Strasse+154+parking+Bochum", "https://www.google.com/search?q=Kuppersstrasse+58+parking+Bochum", "https://www.google.com/search?q=Querenburger+Str+25+parking+Bochum", "https://www.google.com/search?q=Hohne+77+parking+Wuppertal", "https://www.google.com/search?q=Werth+74+76+parking+Wuppertal", "https://www.google.com/search?q=Wegnerstrasse+23+parking+Wuppertal", "https://www.google.com/search?q=Stadionring+26+parking+Bochum", "https://www.google.com/search?q=Bismarckstrasse+51+parking+Remscheid", "https://www.google.com/search?q=Hohne+41+parking+Wuppertal", "https://www.google.com/search?q=Grosse+Flurstrasse+41+parking+Wuppertal", "https://www.google.com/search?q=Lindenstrasse+10+parking+Wuppertal", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Neckarsteinach", "https://www.google.com/search?q=Gemarker+Ufer+23+parking+Wuppertal", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Neckarsteinach", "https://www.google.com/search?q=Odenthaler+Strasse+2+parking+Kurten", "https://www.google.com/search?q=Klinikstrasse+43+45+parking+Bochum", "https://www.google.com/search?q=Winklerstrasse+40+parking+Wuppertal", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Neckarsteinach", "https://www.google.com/search?q=Schiffbauergasse+14+parking+Potsdam", "https://www.google.com/search?q=Kirchhofstrasse+8+parking+Remscheid", "https://www.google.com/search?q=Ferdinandstrasse+13+parking+Bochum", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Neckarsteinach", "https://www.google.com/search?q=Stresemannstrasse+14+parking+Wuppertal", "https://www.google.com/search?q=Steinweg+1+parking+Remscheid", "https://www.google.com/search?q=Massenbergstrasse+15+17+parking+Bochum", "https://www.google.com/search?q=Steinweg+2+parking+Wuppertal", "https://www.google.com/search?q=Ibachstrasse+19+parking+Wuppertal", "https://www.google.com/search?q=Universitatsstrasse+3+parking+Bochum", "https://www.google.com/search?q=Sudring+1+parking+Bochum", "https://www.google.com/search?q=Castroper+Str+1+parking+Bochum", "https://www.google.com/search?q=Wittensteinstrasse+320+parking+Wuppertal", "https://www.google.com/search?q=Wipperfurther+Strasse+28+parking+Kurten", "https://www.google.com/search?q=Luisenstrasse+9+parking+Bochum", "https://www.google.com/search?q=Kreuzstrasse+8+parking+Bochum", "https://www.google.com/search?q=Bruckstrasse+5+11+parking+Bochum", "https://www.google.com/search?q=Hubertusstrasse+4+parking+Bochum", "https://www.google.com/search?q=Kortumstrasse+1+parking+Bochum", "https://www.google.com/search?q=Bahnhofsvorplatz+1+parking+Achim", "https://www.google.com/search?q=Viktoriastrasse+23+parking+Bochum", "https://www.google.com/search?q=Yorckstrasse+36+parking+Bochum", "https://www.google.com/search?q=Prumerstrasse+11+parking+Bochum", "https://www.google.com/search?q=Ehrenfeldstrasse+52+parking+Bochum", "https://www.google.com/search?q=Katharinastrasse+18+parking+Bochum", "https://www.google.com/search?q=Westring+28+parking+Bochum", "https://www.google.com/search?q=Westring+30+parking+Bochum", "https://www.google.com/search?q=Gussstahlstrasse+20+parking+Bochum", "https://www.google.com/search?q=Museumsstrasse+2+parking+Herne", "https://www.google.com/search?q=Kirchhofstrasse+5+parking+Herne", "https://www.google.com/search?q=Springerpl+38+parking+Bochum", "https://www.google.com/search?q=Klosterstrasse+30+parking+Bochum", "https://www.google.com/search?q=Gussstahlstrasse+42+parking+Bochum", "https://www.google.com/search?q=Newtonstrasse+16+parking+Potsdam", "https://www.google.com/search?q=Poststrasse+22+parking+Herne", "https://www.google.com/search?q=Bahnhofsplatz+5+parking+Herne", "https://www.google.com/search?q=E+40+parking+Bergisch", "https://www.google.com/search?q=Alleestrasse+128+parking+Bochum", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Paulinenaue", "https://www.google.com/search?q=In+Der+Aue+2+parking+Heidelberg", "https://www.google.com/search?q=Amtsstrasse+8B+parking+Bochum", "https://www.google.com/search?q=Hauptstrasse+284+parking+Rosrath", "https://www.google.com/search?q=Hauptstrasse+229+parking+Rosrath", "https://www.google.com/search?q=Prof+Dr+Helmert+Strasse+3+parking+Potsdam", "https://www.google.com/search?q=Rotdornallee+8+parking+Rosrath", "https://www.google.com/search?q=Bahnhofstrasse+52+parking+Neckargemund", "https://www.google.com/search?q=Otto+Siffling+Strasse+12+parking+Mannheim", "https://www.google.com/search?q=Bahnhofspl+4+parking+Weyhe", "https://www.google.com/search?q=Struveweg+191+parking+Ludwigsfelde", "https://www.google.com/search?q=Am+Sudbahnhof+63+parking+Recklinghausen", "https://www.google.com/search?q=Am+Bahnhof+13+parking+Sottrum", "https://www.google.com/search?q=Hauptstrasse+209+parking+Heidelberg", "https://www.google.com/search?q=Ossenbergweg+12+parking+Recklinghausen", "https://www.google.com/search?q=Grosse+Perdekamp+Strasse+4+parking+Recklinghausen", "https://www.google.com/search?q=Kaiserwall+32+parking+Recklinghausen", "https://www.google.com/search?q=Neue+Schlossstrasse+4+parking+Heidelberg", "https://www.google.com/search?q=Erlbruch+34+parking+Recklinghausen", "https://www.google.com/search?q=Springstrasse+6+parking+Recklinghausen", "https://www.google.com/search?q=Marstallhof+1+parking+Heidelberg", "https://www.google.com/search?q=An+Den+Reeperbahnen+1+parking+Luneburg", "https://www.google.com/search?q=Lohrgasse+7+parking+Recklinghausen", "https://www.google.com/search?q=Alte+Poststrasse+14+parking+Ludwigsfelde", "https://www.google.com/search?q=Sandgasse+1+parking+Heidelberg", "https://www.google.com/search?q=Kellerstrasse+4+parking+Recklinghausen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Ludwigsfelde", "https://www.google.com/search?q=Untere+Neckarstrasse+44+parking+Heidelberg", "https://www.google.com/search?q=Turmstrasse+6+parking+Recklinghausen", "https://www.google.com/search?q=Augustinessenstrasse+8+parking+Recklinghausen", "https://www.google.com/search?q=Hertener+Strasse+15+parking+Recklinghausen", "https://www.google.com/search?q=Uferstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Klosterstrasse+3+parking+Recklinghausen", "https://www.google.com/search?q=Am+Steintor+1+parking+Recklinghausen", "https://www.google.com/search?q=Untere+Neckarstrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Dorstener+Strasse+9+parking+Recklinghausen", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+51+parking+Heidelberg", "https://www.google.com/search?q=Akademiestrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Neckarstaden+2+parking+Heidelberg", "https://www.google.com/search?q=Friedrich+Ebert+Platz+4+parking+Heidelberg", "https://www.google.com/search?q=Plock+31+41+parking+Heidelberg", "https://www.google.com/search?q=Sofienstrasse+7+parking+Heidelberg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Luneburg", "https://www.google.com/search?q=Luisenstrasse+7+parking+Heidelberg", "https://www.google.com/search?q=Schneidmuhlstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+1+parking+Heidelberg", "https://www.google.com/search?q=Cheliusstrasse+21+parking+Mannheim", "https://www.google.com/search?q=Thibautstrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Max+Joseph+Strasse+48+parking+Mannheim", "https://www.google.com/search?q=Poststrasse+20+parking+Heidelberg", "https://www.google.com/search?q=Buspl+2+parking+Weyhe", "https://www.google.com/search?q=Maybachstrasse+28+parking+Mannheim", "https://www.google.com/search?q=Am+Friedhof+27+parking+Mannheim", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Kampehler+Str+2+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Heidelberg", "https://www.google.com/search?q=Poststrasse+15+parking+Heidelberg", "https://www.google.com/search?q=Seckenheimer+Landstrasse+170+parking+Mannheim", "https://www.google.com/search?q=Lenzener+Str+6+parking+Perleberg", "https://www.google.com/search?q=Waldhofstrasse+25+29+parking+Mannheim", "https://www.google.com/search?q=Vangerowstrasse+16+parking+Heidelberg", "https://www.google.com/search?q=Theodor+Kutzer+Ufer+3+parking+Mannheim", "https://www.google.com/search?q=Dreyer+Str+88+parking+Weyhe", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Wustermark", "https://www.google.com/search?q=Hans+Reschke+Ufer+2+parking+Mannheim", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Ottersberg", "https://www.google.com/search?q=Karl+Metz+Strasse+15+parking+Heidelberg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Heidelberg", "https://www.google.com/search?q=Kurfursten+Anlage+75+parking+Heidelberg", "https://www.google.com/search?q=Xaver+Fuhr+Strasse+101+parking+Mannheim", "https://www.google.com/search?q=Lessingstrasse+39+parking+Heidelberg", "https://www.google.com/search?q=Collinistrasse+1+parking+Mannheim", "https://www.google.com/search?q=Luisenring+49+parking+Mannheim", "https://www.google.com/search?q=Hebelstrasse+19+parking+Mannheim", "https://www.google.com/search?q=K+1+parking+Mannheim", "https://www.google.com/search?q=Neckarvorlandstrasse+56+60+parking+Mannheim", "https://www.google.com/search?q=An+Der+Arena+1+parking+Mannheim", "https://www.google.com/search?q=U+3+parking+Mannheim", "https://www.google.com/search?q=Czernyring+20+parking+Heidelberg", "https://www.google.com/search?q=Theodor+Heuss+Anlage+15+parking+Mannheim", "https://www.google.com/search?q=H+7+parking+Mannheim", "https://www.google.com/search?q=Am+Friedenspl+3+parking+Mannheim", "https://www.google.com/search?q=Rosengartenpl+2+parking+Mannheim", "https://www.google.com/search?q=Kurpfalzring+77+parking+Heidelberg", "https://www.google.com/search?q=H+1+parking+Mannheim", "https://www.google.com/search?q=R+5+parking+Mannheim", "https://www.google.com/search?q=Stresemannstrasse+2+parking+Mannheim", "https://www.google.com/search?q=Friedrichspl+7+parking+Mannheim", "https://www.google.com/search?q=Kronprinzessinnenweg+3+parking+Berlin", "https://www.google.com/search?q=Friedrich+Karl+Strasse+10+parking+Mannheim", "https://www.google.com/search?q=O+7+parking+Mannheim", "https://www.google.com/search?q=Kunststrasse+5+parking+Mannheim", "https://www.google.com/search?q=N+7+parking+Mannheim", "https://www.google.com/search?q=D+5+parking+Mannheim", "https://www.google.com/search?q=N+5+parking+Mannheim", "https://www.google.com/search?q=C+1+parking+Mannheim", "https://www.google.com/search?q=C+2+parking+Mannheim", "https://www.google.com/search?q=N+2+parking+Mannheim", "https://www.google.com/search?q=Rheinhauser+Str+26+parking+Mannheim", "https://www.google.com/search?q=C+8+parking+Mannheim", "https://www.google.com/search?q=L+542+parking+Mannheim", "https://www.google.com/search?q=Kurpfalzstrasse+2+4+parking+Mannheim", "https://www.google.com/search?q=M+3+parking+Mannheim", "https://www.google.com/search?q=B+6+parking+Mannheim", "https://www.google.com/search?q=Keplerstrasse+21+25+parking+Mannheim", "https://www.google.com/search?q=Bismarckstrasse+11+parking+Mannheim", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Mannheim", "https://www.google.com/search?q=Schlossgartenstrasse+1+parking+Mannheim", "https://www.google.com/search?q=Heinrich+von+Stephan+Strasse+6+parking+Mannheim", "https://www.google.com/search?q=Carl+Theodor+Strasse+9+parking+Frankenthal", "https://www.google.com/search?q=Eisenbahnstrasse+21+parking+Frankenthal", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Handeloh", "https://www.google.com/search?q=Eisenbahnstrasse+14+parking+Frankenthal", "https://www.google.com/search?q=Zum+Bahnhof+17+19+parking+Oyten", "https://www.google.com/search?q=Eisenbahnstrasse+3+parking+Frankenthal", "https://www.google.com/search?q=Rennershofstrasse+3+parking+Mannheim", "https://www.google.com/search?q=Welschgasse+23+parking+Frankenthal", "https://www.google.com/search?q=Bourger+Pl+905+parking+Bad", "https://www.google.com/search?q=Geisbergergasse+17+parking+Bad", "https://www.google.com/search?q=Im+Zollhof+4+parking+Ludwigshafen", "https://www.google.com/search?q=Rathauspl+12+parking+Ludwigshafen", "https://www.google.com/search?q=Zollhofstrasse+6+8+parking+Ludwigshafen", "https://www.google.com/search?q=Rathauspl+20+parking+Ludwigshafen", "https://www.google.com/search?q=Van+Recum+Strasse+6+parking+Bad", "https://www.google.com/search?q=Wassersumpfchen+9+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+7+9+parking+Ludwigshafen", "https://www.google.com/search?q=Yorckstrasse+1+parking+Ludwigshafen", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Grossbeeren", "https://www.google.com/search?q=Jaegerstrasse+9+parking+Ludwigshafen", "https://www.google.com/search?q=Spanische+Allee+180+parking+Berlin", "https://www.google.com/search?q=Meerwiesenstrasse+17+parking+Mannheim", "https://www.google.com/search?q=Hardtstrasse+1+parking+Heidelberg", "https://www.google.com/search?q=Otto+Stabel+Strasse+17+21+parking+Ludwigshafen", "https://www.google.com/search?q=Kurhausstrasse+923+parking+Bad", "https://www.google.com/search?q=Wredestrasse+26+parking+Ludwigshafen", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Grossbeeren", "https://www.google.com/search?q=Salinenstrasse+912+parking+Bad", "https://www.google.com/search?q=Dammstrasse+10+parking+Ludwigshafen", "https://www.google.com/search?q=August+Bebel+Strasse+5+parking+Brieselang", "https://www.google.com/search?q=Thalmannstrasse+2+parking+Brieselang", "https://www.google.com/search?q=Bahnhofpl+3+parking+Schwandorf", "https://www.google.com/search?q=Seestrasse+17+parking+Neckarsulm", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Schwandorf", "https://www.google.com/search?q=Pasadenaallee+1+parking+Ludwigshafen", "https://www.google.com/search?q=Pasadenaallee+3+parking+Ludwigshafen", "https://www.google.com/search?q=Allerkai+3+parking+Bremen", "https://www.google.com/search?q=Kolpingstrasse+8+parking+Neckarsulm", "https://www.google.com/search?q=Vogelser+Weg+7+parking+Bardowick", "https://www.google.com/search?q=Bahnhofstrasse+50+parking+Bardowick", "https://www.google.com/search?q=Richard+Dehmel+Strasse+39+parking+Ludwigshafen", "https://www.google.com/search?q=Binswanger+Strasse+9+parking+Neckarsulm", "https://www.google.com/search?q=Bahnhofspl+1+parking+Zossen", "https://www.google.com/search?q=Neuenlander+Str+444+parking+Bremen", "https://www.google.com/search?q=Am+Wildpark+1+parking+Falkensee", "https://www.google.com/search?q=Liselotte+Hermann+Strasse+4+parking+Teltow", "https://www.google.com/search?q=Bezirk+Steglitz+Zehlendorf,+Havelchaussee+2+parking+Berlin", "https://www.google.com/search?q=Osterdeich+140+parking+Bremen", "https://www.google.com/search?q=Wattstrasse+126+parking+Ludwigshafen", "https://www.google.com/search?q=Berliner+Freiheit+9+parking+Bremen", "https://www.google.com/search?q=Franz+Bohmert+Strasse+1+parking+Bremen", "https://www.google.com/search?q=Potsdamer+Str+2+parking+Falkensee", "https://www.google.com/search?q=Robert+Koch+Strasse+3+parking+Teltow", "https://www.google.com/search?q=Scharenbergstrasse+1+parking+Falkensee", "https://www.google.com/search?q=Muhlenstrasse+1+parking+Karstadt", "https://www.google.com/search?q=Wildemannstrasse+21+parking+Schwetzingen", "https://www.google.com/search?q=Havelchaussee+66+parking+Berlin", "https://www.google.com/search?q=Kuhhirtenweg+7+9+parking+Bremen", "https://www.google.com/search?q=Carl+Theodor+Strasse+8+parking+Schwetzingen", "https://www.google.com/search?q=Flughafenallee+20+parking+Bremen", "https://www.google.com/search?q=Henrich+Focke+Strasse+9+parking+Bremen", "https://www.google.com/search?q=Bahnhofsweg+4+parking+Buchholz", "https://www.google.com/search?q=Lubecker+Str+47+parking+Bremen", "https://www.google.com/search?q=Am+Guterbahnhof+1+parking+Leimen", "https://www.google.com/search?q=Bahnhofstrasse+57+parking+Leimen", "https://www.google.com/search?q=Zinnhutte+24+parking+Tostedt", "https://www.google.com/search?q=Peerort+10+parking+Radbruch", "https://www.google.com/search?q=Osterdeich+2+parking+Bremen", "https://www.google.com/search?q=Clayallee+328+334+parking+Berlin", "https://www.google.com/search?q=Am+Bahnhof+19+parking+Tostedt", "https://www.google.com/search?q=Rottorfer+Strasse+2+parking+Radbruch", "https://www.google.com/search?q=Hohenpfad+31+parking+Bremen", "https://www.google.com/search?q=Buntentorsteinweg+10+parking+Bremen", "https://www.google.com/search?q=Zeestower+Weg+50+parking+Berlin", "https://www.google.com/search?q=Alter+Dorfweg+30+50+parking+Bremen", "https://www.google.com/search?q=Altenwall+19+parking+Bremen", "https://www.google.com/search?q=Limburgerhofweg+15+parking+Ludwigshafen", "https://www.google.com/search?q=Wollnerstrasse+9+parking+Ludwigshafen", "https://www.google.com/search?q=Eduard+Grunow+Strasse+26+parking+Bremen", "https://www.google.com/search?q=Wollnerstrasse+20+parking+Ludwigshafen", "https://www.google.com/search?q=Wilhadistrasse+1+parking+Bremen", "https://www.google.com/search?q=Hoppenbank+7+parking+Bremen", "https://www.google.com/search?q=Schubertstrasse+20+parking+Bremen", "https://www.google.com/search?q=Werderstrasse+11+parking+Sinsheim", "https://www.google.com/search?q=Grabengasse+20+parking+Sinsheim", "https://www.google.com/search?q=Auf+Dem+Rovekamp+12+parking+Bremen", "https://www.google.com/search?q=Fontanepl+223+parking+Rangsdorf", "https://www.google.com/search?q=Karl+Wilhelmi+Strasse+8+parking+Sinsheim", "https://www.google.com/search?q=Katharinenstrasse+16+parking+Bremen", "https://www.google.com/search?q=Wiesentalweg+3+parking+Sinsheim", "https://www.google.com/search?q=Breitenweg+10+parking+Bremen", "https://www.google.com/search?q=Langenstrasse+31+parking+Bremen", "https://www.google.com/search?q=Pelzerstrasse+40+parking+Bremen", "https://www.google.com/search?q=Karlsplatz+6+parking+Sinsheim", "https://www.google.com/search?q=Im+Zukunftspark+12+parking+Heilbronn", "https://www.google.com/search?q=Zwingergasse+10+parking+Sinsheim", "https://www.google.com/search?q=Friedrichstrasse+17+parking+Sinsheim", "https://www.google.com/search?q=Duhrener+Strasse+5+parking+Sinsheim", "https://www.google.com/search?q=Langemarckstrasse+42+parking+Bremen", "https://www.google.com/search?q=Am+Bachdamm+9+parking+Sinsheim", "https://www.google.com/search?q=Muthstrasse+16+parking+Sinsheim", "https://www.google.com/search?q=Hermann+Bose+Strasse+4+parking+Bremen", "https://www.google.com/search?q=Ladestrasse+25+parking+Sinsheim", "https://www.google.com/search?q=Hillmannstrasse+2+4+parking+Bremen", "https://www.google.com/search?q=Burgermeister+Smidt+Strasse+95+parking+Bremen", "https://www.google.com/search?q=Hankenstrasse+25+parking+Bremen", "https://www.google.com/search?q=Willy+Brandt+Platz+3+parking+Bremen", "https://www.google.com/search?q=Fangturm+3+parking+Bremen", "https://www.google.com/search?q=Am+Wandrahm+54+parking+Bremen", "https://www.google.com/search?q=Theodor+Heuss+Allee+15+parking+Bremen", "https://www.google.com/search?q=Clayallee+171+177+parking+Berlin", "https://www.google.com/search?q=Am+Gesundbrunnen+28+parking+Heilbronn", "https://www.google.com/search?q=Theodor+Heuss+Allee+8+parking+Bremen", "https://www.google.com/search?q=Syker+Str+302+parking+Delmenhorst", "https://www.google.com/search?q=Dammstrasse+1+parking+Heilbronn", "https://www.google.com/search?q=Mannheimer+Str+4+parking+Heilbronn", "https://www.google.com/search?q=Geeren+66+parking+Bremen", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+4+parking+Heilbronn", "https://www.google.com/search?q=Neuenstrasse+43+44+parking+Bremen", "https://www.google.com/search?q=Mannheimer+Strasse+25+parking+Heilbronn", "https://www.google.com/search?q=Hollerallee+101+parking+Bremen", "https://www.google.com/search?q=Lammgasse+32+parking+Heilbronn", "https://www.google.com/search?q=Zehentgasse+29+parking+Heilbronn", "https://www.google.com/search?q=Gymnasiumstrasse+71+parking+Heilbronn", "https://www.google.com/search?q=Kolpingstrasse+7+9+parking+Rheine", "https://www.google.com/search?q=Lohtorstrasse+8+parking+Heilbronn", "https://www.google.com/search?q=Matthiasstrasse+23+parking+Rheine", "https://www.google.com/search?q=Humboldtplatz+22+parking+Rheine", "https://www.google.com/search?q=Otto+Bergmeyer+Strasse+2+parking+Rheine", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Heilbronn", "https://www.google.com/search?q=Kilianstrasse+11+parking+Heilbronn", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Heilbronn", "https://www.google.com/search?q=Kardinal+Galen+Ring+56+parking+Rheine", "https://www.google.com/search?q=Am+Wollhaus+11+parking+Heilbronn", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Rheine", "https://www.google.com/search?q=Auf+Dem+Hugel+33+parking+Rheine", "https://www.google.com/search?q=Neukirchstrasse+45+parking+Bremen", "https://www.google.com/search?q=Allerheiligenstrasse+4+parking+Heilbronn", "https://www.google.com/search?q=Karl+Marx+Strasse+5+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Am+Fallturm+5+parking+Bremen", "https://www.google.com/search?q=Otto+von+Simson+Strasse+13+parking+Berlin", "https://www.google.com/search?q=Kolberger+Str+7+parking+Delmenhorst", "https://www.google.com/search?q=Sprotzer+Bahnhofstrasse+1+parking+Buchholz", "https://www.google.com/search?q=Passenheimer+Str+32+parking+Berlin", "https://www.google.com/search?q=Borgfelder+Allee+112+parking+Bremen", "https://www.google.com/search?q=Sommerweg+6+parking+Delmenhorst", "https://www.google.com/search?q=Stabholzgarten+4+parking+Berlin", "https://www.google.com/search?q=Von+Denis+Strasse+15+parking+Limburgerhof", "https://www.google.com/search?q=Ringstrasse+15+parking+Wiesloch", "https://www.google.com/search?q=Gerbersruhstrasse+73+parking+Wiesloch", "https://www.google.com/search?q=Hindenburgdamm+30+parking+Berlin", "https://www.google.com/search?q=Speyerer+Strasse+129+parking+Limburgerhof", "https://www.google.com/search?q=Breite+Str+67+71+parking+Berlin", "https://www.google.com/search?q=Mainzer+Strasse+2+parking+Limburgerhof", "https://www.google.com/search?q=Altstadter+Ring+20+parking+Berlin", "https://www.google.com/search?q=Mahlower+Str+62+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Jesse+Owens+Allee+2+parking+Berlin", "https://www.google.com/search?q=Heimstattenstrasse+8+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Rutgersstrasse+3+parking+Buchholz", "https://www.google.com/search?q=Bezirk+Spandau,+Lindenufer+6+parking+Berlin", "https://www.google.com/search?q=Rutgersstrasse+33+parking+Buchholz", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Buchholz", "https://www.google.com/search?q=Lindenstrasse+10+parking+Buchholz", "https://www.google.com/search?q=Trakehner+Allee+7+parking+Berlin", "https://www.google.com/search?q=Am+Vorwerk+19+parking+Delmenhorst", "https://www.google.com/search?q=Heinrichstrasse+14+parking+Buchholz", "https://www.google.com/search?q=Bremer+Strasse+36+parking+Buchholz", "https://www.google.com/search?q=Olympischer+Pl+6+parking+Berlin", "https://www.google.com/search?q=An+Den+Graften+3+parking+Delmenhorst", "https://www.google.com/search?q=Friedrich+Ebert+Allee+8+parking+Delmenhorst", "https://www.google.com/search?q=Am+Wollelager+25+parking+Delmenhorst", "https://www.google.com/search?q=Schutzenstrasse+5+parking+Winsen", "https://www.google.com/search?q=Thomasweg+5+parking+Buchholz", "https://www.google.com/search?q=Zitadellenweg+34+parking+Berlin", "https://www.google.com/search?q=Am+Stadtwall+7+parking+Delmenhorst", "https://www.google.com/search?q=An+Den+Graften+38+parking+Delmenhorst", "https://www.google.com/search?q=Schlossstrasse+74+parking+Berlin", "https://www.google.com/search?q=Silbermannstrasse+1+parking+Bremen", "https://www.google.com/search?q=Koppelstrasse+13+parking+Delmenhorst", "https://www.google.com/search?q=Wittekindstrasse+2+parking+Delmenhorst", "https://www.google.com/search?q=Koppelstrasse+15+parking+Delmenhorst", "https://www.google.com/search?q=Kuhligkshofstrasse+4+parking+Berlin", "https://www.google.com/search?q=Grunewaldstrasse+3+parking+Berlin", "https://www.google.com/search?q=An+Der+Kleinbahn+1+parking+Winsen", "https://www.google.com/search?q=Dillenburger+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Staatsbahnhofstrasse+1+parking+Wiesloch", "https://www.google.com/search?q=Steinstrasse+52+parking+Berlin", "https://www.google.com/search?q=Schichauweg+2+parking+Berlin", "https://www.google.com/search?q=Falkenberger+Landstrasse+102+parking+Lilienthal", "https://www.google.com/search?q=Grosser+Stadtacker+11+parking+Wiesloch", "https://www.google.com/search?q=Duppelstrasse+35+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+31+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+51+parking+Berlin", "https://www.google.com/search?q=Deitmerstrasse+2+parking+Berlin", "https://www.google.com/search?q=Staatsbahnhofstrasse+16+parking+Wiesloch", "https://www.google.com/search?q=Schildhornstrasse+5+parking+Berlin", "https://www.google.com/search?q=Dunther+Str+10+parking+Berlin", "https://www.google.com/search?q=Messedamm+22+parking+Berlin", "https://www.google.com/search?q=Dunther+Str+24+parking+Berlin", "https://www.google.com/search?q=Buckower+Chaussee+103+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+40+parking+Berlin", "https://www.google.com/search?q=Masurenallee+17+parking+Berlin", "https://www.google.com/search?q=Gutsmuthsstrasse+23+24+parking+Berlin", "https://www.google.com/search?q=Oldenburger+Landstrasse+6+parking+Delmenhorst", "https://www.google.com/search?q=Bornstrasse+5+parking+Berlin", "https://www.google.com/search?q=Masurenallee+10+parking+Berlin", "https://www.google.com/search?q=Masurenallee+6+parking+Berlin", "https://www.google.com/search?q=Bornstrasse+1+parking+Berlin", "https://www.google.com/search?q=Bahnstrasse+8+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+37+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+1+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+42+parking+Berlin", "https://www.google.com/search?q=B+209+parking+Lauenburg", "https://www.google.com/search?q=Saatwinkler+Damm+369+parking+Berlin", "https://www.google.com/search?q=Wittekindstrasse+7+parking+Ganderkesee", "https://www.google.com/search?q=Schmiljanstrasse+25+parking+Berlin", "https://www.google.com/search?q=Brand+52+parking+Halbe", "https://www.google.com/search?q=Stapelfeldtstrasse+5+parking+Bremen", "https://www.google.com/search?q=Wurttembergische+Str+6+parking+Berlin", "https://www.google.com/search?q=Bernhardstrasse+13+parking+Berlin", "https://www.google.com/search?q=An+Der+Bahn+5+parking+Stelle", "https://www.google.com/search?q=Gartenfelderstrasse+29+parking+Berlin", "https://www.google.com/search?q=Wexstrasse+18+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Pl+38+parking+Berlin", "https://www.google.com/search?q=Olivaer+Pl+10+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+74+parking+Berlin", "https://www.google.com/search?q=Krumme+Str+46+parking+Berlin", "https://www.google.com/search?q=Leibnizstrasse+49+53+parking+Berlin", "https://www.google.com/search?q=Erfurter+Str+12+parking+Berlin", "https://www.google.com/search?q=Spandauer+Damm+13+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+38+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+37+38+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+116+parking+Schifferstadt", "https://www.google.com/search?q=Pechhuttenstrasse+2+parking+Schifferstadt", "https://www.google.com/search?q=Spielhagenstrasse+20+parking+Berlin", "https://www.google.com/search?q=Wexstrasse+17+parking+Berlin", "https://www.google.com/search?q=Sesenheimer+Str+22+parking+Berlin", "https://www.google.com/search?q=Reisseckstrasse+8+parking+Berlin", "https://www.google.com/search?q=Lietzenburger+Str+89+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+38+49+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+63+parking+Berlin", "https://www.google.com/search?q=Hohenzollerndamm+2+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+64+parking+Berlin", "https://www.google.com/search?q=Prager+Str+10+parking+Berlin", "https://www.google.com/search?q=Zillestrasse+51+parking+Berlin", "https://www.google.com/search?q=Kurfurstendamm+203+parking+Berlin", "https://www.google.com/search?q=Zillestrasse+50+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+30+32+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+72+73+parking+Berlin", "https://www.google.com/search?q=Grolmanstrasse+35+parking+Berlin", "https://www.google.com/search?q=Grolmanstrasse+41+43+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+181+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+18+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+53+parking+Rosengarten", "https://www.google.com/search?q=Schillerstrasse+11+parking+Berlin", "https://www.google.com/search?q=Joachimstaler+Strasse+14+19+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+9+10+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+192+parking+Berlin", "https://www.google.com/search?q=Max+Dohrn+Strasse+1+5+parking+Berlin", "https://www.google.com/search?q=Augsburger+Strasse+41+parking+Berlin", "https://www.google.com/search?q=Friedrich+Wilhelm+Strasse+16+parking+Berlin", "https://www.google.com/search?q=Fasanenstrasse+85+parking+Berlin", "https://www.google.com/search?q=Dorfstrasse+12+parking+Schonefeld", "https://www.google.com/search?q=Kantstrasse+8+10+parking+Berlin", "https://www.google.com/search?q=Steinpl+4+parking+Berlin", "https://www.google.com/search?q=Kantstrasse+160+parking+Berlin", "https://www.google.com/search?q=Ordensmeisterstrasse+1+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+27+29+parking+Berlin", "https://www.google.com/search?q=Augsburger+Str+44+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+30+parking+Berlin", "https://www.google.com/search?q=Kaiserin+Augusta+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Kantstrasse+2+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+10+11+parking+Berlin", "https://www.google.com/search?q=Hardenbergplatz+4+parking+Berlin", "https://www.google.com/search?q=Feurigstrasse+8+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+33+37+parking+Berlin", "https://www.google.com/search?q=Speyerer+Strasse+125+parking+Schifferstadt", "https://www.google.com/search?q=Tempelhofer+Damm+169+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+1+parking+Berlin", "https://www.google.com/search?q=Reinhardtstrasse+2+parking+Berlin", "https://www.google.com/search?q=Fuggerstrasse+21+parking+Berlin", "https://www.google.com/search?q=Hauptstrasse+150+parking+Berlin", "https://www.google.com/search?q=Nurnberger+Str+65+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+38+parking+Berlin", "https://www.google.com/search?q=Nurnberger+Str+5+parking+Berlin", "https://www.google.com/search?q=Bayreuther+Str+39+parking+Berlin", "https://www.google.com/search?q=Kalckreuthstrasse+2+parking+Berlin", "https://www.google.com/search?q=Bayreuther+Str+42+43+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+28+parking+Mittenwalde", "https://www.google.com/search?q=Bayreuther+Str+3+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+18+parking+Mittenwalde", "https://www.google.com/search?q=Budapester+Str+35+parking+Berlin", "https://www.google.com/search?q=Tempelhofer+Damm+118+parking+Berlin", "https://www.google.com/search?q=Kleiststrasse+9+12+parking+Berlin", "https://www.google.com/search?q=An+Der+Urania+12+parking+Berlin", "https://www.google.com/search?q=Str+Des+17+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+114+116+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+25+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+74+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+2+parking+Berlin", "https://www.google.com/search?q=Keithstrasse+38+parking+Berlin", "https://www.google.com/search?q=Saatwinkler+Damm+80+parking+Berlin", "https://www.google.com/search?q=Einemstrasse+18+parking+Berlin", "https://www.google.com/search?q=Pingel+Anton+9+parking+Cloppenburg", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+19+parking+Cloppenburg", "https://www.google.com/search?q=Genthiner+Str+41+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+151+parking+Berlin", "https://www.google.com/search?q=Klopstockstrasse+38+parking+Berlin", "https://www.google.com/search?q=Lutzowufer+15+parking+Berlin", "https://www.google.com/search?q=Tempelhofer+Damm+23+parking+Berlin", "https://www.google.com/search?q=Eschstrasse+39+parking+Cloppenburg", "https://www.google.com/search?q=Industriestrasse+7+parking+Malsch", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Malsch", "https://www.google.com/search?q=Industriestrasse+4+parking+Malsch", "https://www.google.com/search?q=Manfred+von+Richthofen+Strasse+2+parking+Berlin", "https://www.google.com/search?q=Margarete+von+Etzdorf+Strasse+1+parking+Schonefeld", "https://www.google.com/search?q=Auf+Dem+Hook+1+parking+Cloppenburg", "https://www.google.com/search?q=Johannisthaler+Chaussee+317+parking+Berlin", "https://www.google.com/search?q=Siemensstrasse+14+parking+Speyer", "https://www.google.com/search?q=Wilhelmshavener+Strasse+73+parking+Berlin", "https://www.google.com/search?q=Iggelheimer+Strasse+20+parking+Speyer", "https://www.google.com/search?q=Neuruppiner+Str+13+parking+Walsleben", "https://www.google.com/search?q=Schoneberger+Str+16+parking+Berlin", "https://www.google.com/search?q=Wassmannsdorfer+Chaussee+18+parking+Schonefeld", "https://www.google.com/search?q=Scharounstrasse+1+parking+Berlin", "https://www.google.com/search?q=Beethovenstrasse+1+parking+Pritzwalk", "https://www.google.com/search?q=Bahnhofstrasse+51+parking+Speyer", "https://www.google.com/search?q=Poststrasse+2+parking+Hennigsdorf", "https://www.google.com/search?q=Am+Bahndamm+19+parking+Hennigsdorf", "https://www.google.com/search?q=Berliner+Chaussee+15+parking+Kremmen", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sulzbach", "https://www.google.com/search?q=Talstrasse+4+parking+Sulzbach", "https://www.google.com/search?q=Linkstrasse+2+parking+Berlin", "https://www.google.com/search?q=Murrtalstrasse+5+parking+Murrhardt", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Speyer", "https://www.google.com/search?q=Ben+Gurion+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Horstener+Str+100+parking+Seevetal", "https://www.google.com/search?q=Berliner+Strasse+2+parking+Bohl+Iggelheim", "https://www.google.com/search?q=Am+Borsigturm+2+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+110+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+49+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+78+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+74+parking+Berlin", "https://www.google.com/search?q=Im+Stiegelsteig+13+parking+Bohl+Iggelheim", "https://www.google.com/search?q=Niederkirchnerstrasse+3+parking+Berlin", "https://www.google.com/search?q=Auguste+Hauschner+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Parchimer+Allee+66+parking+Berlin", "https://www.google.com/search?q=Flohrstrasse+19+parking+Berlin", "https://www.google.com/search?q=Seestrasse+4+5+parking+Berlin", "https://www.google.com/search?q=Ebertstrasse+2+parking+Berlin", "https://www.google.com/search?q=Mittelstrasse+10+parking+Schonefeld", "https://www.google.com/search?q=Fichtestrasse+8+parking+Murrhardt", "https://www.google.com/search?q=Bahnhofstrasse+39+parking+Murrhardt", "https://www.google.com/search?q=Malchiner+Str+73+parking+Berlin", "https://www.google.com/search?q=Untere+Langgasse+6+parking+Speyer", "https://www.google.com/search?q=Wittestrasse+30+parking+Berlin", "https://www.google.com/search?q=Scharnweberstrasse+81+parking+Berlin", "https://www.google.com/search?q=Blucherstrasse+22+23+parking+Berlin", "https://www.google.com/search?q=Grussdorfstrasse+2+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Murrhardt", "https://www.google.com/search?q=Heydenreichstrasse+15+parking+Speyer", "https://www.google.com/search?q=Parchimer+Allee+35+parking+Berlin", "https://www.google.com/search?q=Flughafen+1+parking+Schonefeld", "https://www.google.com/search?q=Muhlturmstrasse+24+parking+Speyer", "https://www.google.com/search?q=Clara+Jaschke+Strasse+88+parking+Berlin", "https://www.google.com/search?q=Vossstrasse+3+parking+Berlin", "https://www.google.com/search?q=Muhlturmstrasse+25+parking+Speyer", "https://www.google.com/search?q=Ludwig+Zorn+Strasse+5+parking+Eppingen", "https://www.google.com/search?q=Bernstorffstrasse+19+parking+Berlin", "https://www.google.com/search?q=Meteorstrasse+26+parking+Berlin", "https://www.google.com/search?q=Behrenstrasse+72+parking+Berlin", "https://www.google.com/search?q=Kleinbruckentorpl+10+parking+Eppingen", "https://www.google.com/search?q=Konigsweg+7+parking+Berlin", "https://www.google.com/search?q=Heilbronner+Str+6+parking+Eppingen", "https://www.google.com/search?q=Ludwig+Zorn+Strasse+14+parking+Eppingen", "https://www.google.com/search?q=Gustav+Becker+Strasse+9+parking+Seevetal", "https://www.google.com/search?q=Leipziger+Str+106+111+parking+Berlin", "https://www.google.com/search?q=Nordlichtstrasse+8+parking+Berlin", "https://www.google.com/search?q=Charlottenstrasse+82+parking+Berlin", "https://www.google.com/search?q=Krausenstrasse+7+parking+Berlin", "https://www.google.com/search?q=Leiergasse+31+parking+Eppingen", "https://www.google.com/search?q=Muhlbacher+Str+3+parking+Eppingen", "https://www.google.com/search?q=Scharnweberstrasse+21+22+parking+Berlin", "https://www.google.com/search?q=Kapweg+3+parking+Berlin", "https://www.google.com/search?q=Mainzer+Str+29+parking+Berlin", "https://www.google.com/search?q=Charlottenstrasse+63+parking+Berlin", "https://www.google.com/search?q=Halskestrasse+1+parking+Konigs", "https://www.google.com/search?q=Waltersdorfer+Chaussee+7+parking+Berlin", "https://www.google.com/search?q=Taubenstrasse+14+parking+Berlin", "https://www.google.com/search?q=Jagerstrasse+60+parking+Berlin", "https://www.google.com/search?q=Gewerbepark+30+parking+Wildau", "https://www.google.com/search?q=Luisenstrasse+47+52+parking+Berlin", "https://www.google.com/search?q=Dorotheenstrasse+62+parking+Berlin", "https://www.google.com/search?q=Breitenbachstrasse+13+parking+Berlin", "https://www.google.com/search?q=Reinhardtstrasse+27+parking+Berlin", "https://www.google.com/search?q=Schutzenstrasse+39+parking+Berlin", "https://www.google.com/search?q=Genter+Str+24+parking+Berlin", "https://www.google.com/search?q=Erlanger+Str+3+parking+Berlin", "https://www.google.com/search?q=Bahnstrasse+30+parking+Velten", "https://www.google.com/search?q=Brusseler+Str+52+parking+Berlin", "https://www.google.com/search?q=Franzosische+Strasse+39+parking+Berlin", "https://www.google.com/search?q=Rollbergstrasse+18+parking+Berlin", "https://www.google.com/search?q=Behrenstrasse+41+parking+Berlin", "https://www.google.com/search?q=Harmenhauser+Str+1+parking+Ganderkesee", "https://www.google.com/search?q=Berliner+Str+11+parking+Schonefeld", "https://www.google.com/search?q=Schulzendorfer+Str+10+parking+Schonefeld", "https://www.google.com/search?q=Schulzendorfer+Str+14+parking+Schonefeld", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Bad", "https://www.google.com/search?q=Dorotheenstrasse+30+parking+Berlin", "https://www.google.com/search?q=Am+Weidendamm+1+parking+Berlin", "https://www.google.com/search?q=Kienhorststrasse+60+parking+Berlin", "https://www.google.com/search?q=Schulstrasse+5+parking+Berlin", "https://www.google.com/search?q=Parkstrasse+3+parking+Lubben", "https://www.google.com/search?q=Hannoversche+Str+5+parking+Berlin", "https://www.google.com/search?q=Donaustrasse+43+44+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+ostringen", "https://www.google.com/search?q=Nibelungenstrasse+136+parking+ostringen", "https://www.google.com/search?q=Johannisstrasse+16+parking+Berlin", "https://www.google.com/search?q=Chausseestrasse+118+120+parking+Berlin", "https://www.google.com/search?q=Caroline+Michaelis+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Ritterhude", "https://www.google.com/search?q=Annenstrasse+53+parking+Berlin", "https://www.google.com/search?q=Findorffstrasse+4+parking+Ritterhude", "https://www.google.com/search?q=Muhlendamm+3+parking+Berlin", "https://www.google.com/search?q=Spandauer+Str+3+parking+Berlin", "https://www.google.com/search?q=Storkower+Str+3+parking+Konigs", "https://www.google.com/search?q=Rehmendamm+6+parking+Seevetal", "https://www.google.com/search?q=Ziegrastrasse+46+parking+Berlin", "https://www.google.com/search?q=Judenstrasse+42+parking+Berlin", "https://www.google.com/search?q=Grunerstrasse+5+7+parking+Berlin", "https://www.google.com/search?q=Rungestrasse+9+parking+Berlin", "https://www.google.com/search?q=Bruckenstrasse+13+parking+Berlin", "https://www.google.com/search?q=Bahnhofsplatz+9+parking+Oppenweiler", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Oppenweiler", "https://www.google.com/search?q=Grunerstrasse+5+parking+Berlin", "https://www.google.com/search?q=Bahnhofsplatz+1+parking+Oppenweiler", "https://www.google.com/search?q=Rolandufer+13+parking+Berlin", "https://www.google.com/search?q=Zur+Mesche+1+parking+Neuruppin", "https://www.google.com/search?q=Holzmarktstrasse+4+parking+Berlin", "https://www.google.com/search?q=Alexanderstrasse+20+parking+Berlin", "https://www.google.com/search?q=Lehmgrubenweg+1+15+parking+Hassloch", "https://www.google.com/search?q=Alexanderstrasse+2+parking+Berlin", "https://www.google.com/search?q=Jacobystrasse+1+parking+Berlin", "https://www.google.com/search?q=Lesumer+Heerstrasse+1+parking+Bremen", "https://www.google.com/search?q=Karl+Marx+Allee+1+parking+Berlin", "https://www.google.com/search?q=Alex+Wedding+Strasse+7+parking+Berlin", "https://www.google.com/search?q=Am+Ostbahnhof+1+parking+Berlin", "https://www.google.com/search?q=Bernhard+Weiss+Strasse+6+parking+Berlin", "https://www.google.com/search?q=Stralauer+Pl+13+parking+Berlin", "https://www.google.com/search?q=Koppenstrasse+5+parking+Berlin", "https://www.google.com/search?q=Bartelstrasse+18+parking+Berlin", "https://www.google.com/search?q=Stettiner+Str+5+parking+Berlin", "https://www.google.com/search?q=Am+Ostbahnhof+5+parking+Berlin", "https://www.google.com/search?q=Karl+Liebknecht+Strasse+33+parking+Berlin", "https://www.google.com/search?q=Schonhauser+Allee+8+parking+Berlin", "https://www.google.com/search?q=Berolinastrasse+22+parking+Berlin", "https://www.google.com/search?q=Schonhauser+Allee+9+parking+Berlin", "https://www.google.com/search?q=Karl+Marx+Allee+34+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+67+parking+Berlin", "https://www.google.com/search?q=Vorwerk+6+parking+Schonefeld", "https://www.google.com/search?q=Berolinastrasse+9+parking+Berlin", "https://www.google.com/search?q=Am+Treptower+Pk+14+parking+Berlin", "https://www.google.com/search?q=Prenzlauer+Allee+1+parking+Berlin", "https://www.google.com/search?q=Am+Treptower+Pk+15+parking+Berlin", "https://www.google.com/search?q=BellermannStrasse+64+parking+Berlin", "https://www.google.com/search?q=Vogtlandstrasse+26+parking+Bad", "https://www.google.com/search?q=Metzer+Str+1+parking+Berlin", "https://www.google.com/search?q=Schlitzer+Str+2+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+81+parking+Berlin", "https://www.google.com/search?q=Glienicker+Str+5+parking+Berlin", "https://www.google.com/search?q=Prenzlauer+Berg+8+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Kirchheim", "https://www.google.com/search?q=Kollwitzstrasse+15+parking+Berlin", "https://www.google.com/search?q=Kopenicker+Landstrasse+23+parking+Berlin", "https://www.google.com/search?q=Str+Der+Pariser+Kommune+17+parking+Berlin", "https://www.google.com/search?q=Eberswalder+Str+9+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+90+parking+Berlin", "https://www.google.com/search?q=Waghausel+44+parking+Waghausel", "https://www.google.com/search?q=Georgenkirchstrasse+3+parking+Berlin", "https://www.google.com/search?q=Sredzkistrasse+1+parking+Berlin", "https://www.google.com/search?q=Paradiesstrasse+256+parking+Berlin", "https://www.google.com/search?q=Hildegard+Jadamowitz+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Schnellerstrasse+21+parking+Berlin", "https://www.google.com/search?q=Kapellenstrasse+9+11+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Landsberger+Allee+26+32+parking+Berlin", "https://www.google.com/search?q=Grohner+Muhlenweg+37+parking+Bremen", "https://www.google.com/search?q=Jacob+Frerichs+Strasse+1+parking+Osterholz+Scharmbeck", "https://www.google.com/search?q=Karl+Marx+Allee+131+parking+Berlin", "https://www.google.com/search?q=Kopenhagener+Str+78+parking+Berlin", "https://www.google.com/search?q=Zum+Alten+Speicher+1+2+parking+Bremen", "https://www.google.com/search?q=Unterdorfstrasse+60+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Wilhelminenhofstrasse+89+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+17+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Teetzer+Str+35+parking+Wittstock+Dosse", "https://www.google.com/search?q=Kneippstrasse+28+parking+Romerberg", "https://www.google.com/search?q=Industriestrasse+1+parking+Lemwerder", "https://www.google.com/search?q=Vegesacker+Bahnhofspl+34+parking+Bremen", "https://www.google.com/search?q=Vegesacker+Bahnhofspl+2+parking+Bremen", "https://www.google.com/search?q=Senftenberger+Ring+17+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Romerberg", "https://www.google.com/search?q=Greifenhagener+Str+21+parking+Berlin", "https://www.google.com/search?q=Alte+Hafenstrasse+52+parking+Bremen", "https://www.google.com/search?q=Poststrasse+16+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Hohe+Str+19+parking+Hude", "https://www.google.com/search?q=Industriestrasse+4+parking+Kraichtal", "https://www.google.com/search?q=Schreiberhauer+Str+48+parking+Berlin", "https://www.google.com/search?q=Silvio+Meier+Strasse+16+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sulzfeld", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Sulzfeld", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Sulzfeld", "https://www.google.com/search?q=Heinrich+Heine+Allee+13+14+parking+Eichwalde", "https://www.google.com/search?q=Biospharenreservat+Spreewald+2+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Adlergestell+556+parking+Berlin", "https://www.google.com/search?q=August+Bebel+Allee+21+parking+Eichwalde", "https://www.google.com/search?q=Rudi+Arndt+Strasse+11+parking+Berlin", "https://www.google.com/search?q=Breite+Str+20+parking+Berlin", "https://www.google.com/search?q=Voigtstrasse+2+parking+Berlin", "https://www.google.com/search?q=Vegesacker+Rampe+1+parking+Bremen", "https://www.google.com/search?q=Storkower+Str+158+parking+Berlin", "https://www.google.com/search?q=Pieskower+Weg+15+parking+Berlin", "https://www.google.com/search?q=Ostseestrasse+8+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+132+parking+Waghausel", "https://www.google.com/search?q=Franz+Jacob+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Hannoversche+Str+85+parking+Hamburg", "https://www.google.com/search?q=Puschkinallee+101+parking+Hohen", "https://www.google.com/search?q=Wilstorfer+Str+71+parking+Hamburg", "https://www.google.com/search?q=Horstener+Str+1+parking+Hamburg", "https://www.google.com/search?q=Wilstorfer+Str+48+parking+Hamburg", "https://www.google.com/search?q=Hohenschonhauser+Str+1+parking+Berlin", "https://www.google.com/search?q=Krummholzberg+10+parking+Hamburg", "https://www.google.com/search?q=Schuttstrasse+3+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+202+parking+Zaisenhausen", "https://www.google.com/search?q=Lauenburger+Strasse+34+parking+Buchen", "https://www.google.com/search?q=Landsberger+Allee+173+parking+Berlin", "https://www.google.com/search?q=Stolzenfelsstrasse+1+8+parking+Berlin", "https://www.google.com/search?q=Goldtschmidtstrasse+5+parking+Hamburg", "https://www.google.com/search?q=Anton+Saefkow+Platz+2+parking+Berlin", "https://www.google.com/search?q=Harburger+Ring+19+parking+Hamburg", "https://www.google.com/search?q=Mollendorffstrasse+46+parking+Berlin", "https://www.google.com/search?q=Julius+Ludowieg+Strasse+22+parking+Hamburg", "https://www.google.com/search?q=Annonay+Strasse+3+parking+Backnang", "https://www.google.com/search?q=Harburger+Ring+23+parking+Hamburg", "https://www.google.com/search?q=Fritz+Munz+Weg+12+parking+Backnang", "https://www.google.com/search?q=Fritz+Munz+Weg+9+parking+Backnang", "https://www.google.com/search?q=Grabenstrasse+11+parking+Backnang", "https://www.google.com/search?q=Kuchgarten+21+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Buchen", "https://www.google.com/search?q=K+3512+parking+Kraichtal", "https://www.google.com/search?q=Einbecker+Str+19+parking+Berlin", "https://www.google.com/search?q=Gerberstrasse+18+parking+Backnang", "https://www.google.com/search?q=Obere+Bahnhofstrasse+10+parking+Backnang", "https://www.google.com/search?q=Allmendweg+43+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Konrad+Wolf+Strasse+64+parking+Berlin", "https://www.google.com/search?q=Obere+Bahnhofstrasse+26+parking+Backnang", "https://www.google.com/search?q=Kirchstrasse+5+parking+Berlin", "https://www.google.com/search?q=Veritaskai+2+parking+Hamburg", "https://www.google.com/search?q=Jahnstrasse+10+parking+Backnang", "https://www.google.com/search?q=Jagerstrasse+5+parking+Berlin", "https://www.google.com/search?q=Leistikowstrasse+1+parking+Birkenwerder", "https://www.google.com/search?q=Kopenicker+Str+325+parking+Berlin", "https://www.google.com/search?q=Am+Tierpark+125+parking+Berlin", "https://www.google.com/search?q=Erbstetter+Strasse+57+parking+Backnang", "https://www.google.com/search?q=Neuenwegstrasse+85+parking+Kraichtal", "https://www.google.com/search?q=Josef+Heid+Strasse+1+parking+Kraichtal", "https://www.google.com/search?q=Am+Tierpark+49+parking+Berlin", "https://www.google.com/search?q=Lussumer+Str+5+parking+Bremen", "https://www.google.com/search?q=Neuer+Weg+37+parking+Hamburg", "https://www.google.com/search?q=Malagstrasse+1+parking+Kraichtal", "https://www.google.com/search?q=Gruner+Hof+18+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Landsberger+Allee+253+parking+Berlin", "https://www.google.com/search?q=Elcknerpl+8+parking+Berlin", "https://www.google.com/search?q=Weinstrasse+11+parking+Besigheim", "https://www.google.com/search?q=Herzbergstrasse+78+parking+Berlin", "https://www.google.com/search?q=Rosslaufstrasse+32+parking+Neustadt", "https://www.google.com/search?q=Landwehrstrasse+22+parking+Neustadt", "https://www.google.com/search?q=Friedrich+Frank+Bogen+87+parking+Hamburg", "https://www.google.com/search?q=Bergedorfer+Str+85+parking+Hamburg", "https://www.google.com/search?q=Berthold+Bott+Strasse+62+parking+Kraichtal", "https://www.google.com/search?q=Industriestrasse+1+parking+Apensen", "https://www.google.com/search?q=Sander+Markt+18+parking+Hamburg", "https://www.google.com/search?q=Striepenweg+31+parking+Hamburg", "https://www.google.com/search?q=Lohbrugger+Markt+3+parking+Hamburg", "https://www.google.com/search?q=Karntener+Strasse+21+parking+Backnang", "https://www.google.com/search?q=Kitzbuheler+Strasse+11+parking+Backnang", "https://www.google.com/search?q=Karntener+Strasse+14+parking+Backnang", "https://www.google.com/search?q=Hirschbachstrasse+1+parking+Aalen", "https://www.google.com/search?q=Ackerweg+5+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Erdmannhausen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Schwarzenbek", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Lingenfeld", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Lingenfeld", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Oberderdingen", "https://www.google.com/search?q=Kolpingstrasse+1+parking+Lingenfeld", "https://www.google.com/search?q=Landauer+Str+43+parking+Neustadt", "https://www.google.com/search?q=Marstall+1+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Neustadt", "https://www.google.com/search?q=Apollofalterallee+103+parking+Berlin", "https://www.google.com/search?q=Muhlenbecker+Weg+2+parking+Oranienburg", "https://www.google.com/search?q=K+6632+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Stralsunder+Str+30+parking+Oranienburg", "https://www.google.com/search?q=Markische+Allee+120+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+77+parking+Neu", "https://www.google.com/search?q=Kirchgessnerpl+8+parking+Oberderdingen", "https://www.google.com/search?q=Wuhlgartenweg+5+parking+Berlin", "https://www.google.com/search?q=Am+Fliess+2+parking+Muhlenbecker", "https://www.google.com/search?q=Ladestrasse+6+parking+Reinbek", "https://www.google.com/search?q=Sophienstrasse+1+parking+Reinbek", "https://www.google.com/search?q=Wilhelm+Strauss+Weg+1+parking+Hamburg", "https://www.google.com/search?q=Maria+Merkert+Strasse+11+parking+Reinbek", "https://www.google.com/search?q=Wilhelm+Strauss+Weg+4+parking+Hamburg", "https://www.google.com/search?q=Kirchenweinbergstrasse+43+parking+Marbach", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Marbach", "https://www.google.com/search?q=Schoneicher+Str+1+parking+Berlin", "https://www.google.com/search?q=Wartenberger+Str+174+parking+Berlin", "https://www.google.com/search?q=Molzaustrasse+2+parking+Graben+Neudorf", "https://www.google.com/search?q=Ribnitzer+Str+1+parking+Berlin", "https://www.google.com/search?q=Stader+Strasse+50+parking+Buxtehude", "https://www.google.com/search?q=Brauereiweg+4+parking+Buxtehude", "https://www.google.com/search?q=Landsberger+Allee+176+178+parking+Berlin", "https://www.google.com/search?q=Egon+Erwin+Kisch+Strasse+28+parking+Berlin", "https://www.google.com/search?q=Studionstrasse+19+parking+Benningen", "https://www.google.com/search?q=Markische+Allee+180+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Berne", "https://www.google.com/search?q=Markische+Allee+178+C+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Germersheim", "https://www.google.com/search?q=Markische+Allee+176+parking+Berlin", "https://www.google.com/search?q=Am+Bundesbahnhof+2+parking+Harsefeld", "https://www.google.com/search?q=Kastanienallee+8+parking+Wohltorf", "https://www.google.com/search?q=Bahnhofstrasse+100+parking+Leutenbach", "https://www.google.com/search?q=Farger+Str+129+parking+Bremen", "https://www.google.com/search?q=Kaiserstrasse+11+parking+Lingen", "https://www.google.com/search?q=Bleichweg+1+parking+Bruchsal", "https://www.google.com/search?q=Parkplatz+Busbahnhof+ZOB+P+11+parking+Lingen", "https://www.google.com/search?q=L+618+parking+Bruchsal", "https://www.google.com/search?q=Markische+Allee+230+parking+Berlin", "https://www.google.com/search?q=Poststrasse+6+parking+Lingen", "https://www.google.com/search?q=Jakob+Wolff+Strasse+2+3+parking+Lingen", "https://www.google.com/search?q=John+Bopp+Strasse+27+parking+Bruchsal", "https://www.google.com/search?q=Synagogenstrasse+1+parking+Lingen", "https://www.google.com/search?q=Burgstrasse+21+parking+Lingen", "https://www.google.com/search?q=Wilhelmstrasse+53+parking+Lingen", "https://www.google.com/search?q=Kirchgasse+14+parking+Bruchsal", "https://www.google.com/search?q=Alter+Pferdemarkt+3+parking+Lingen", "https://www.google.com/search?q=Am+Pulverturm+3+parking+Lingen", "https://www.google.com/search?q=Bahnhofpl+5+parking+Bruchsal", "https://www.google.com/search?q=Frankenweg+34+parking+Bruchsal", "https://www.google.com/search?q=Johannes+Meyer+Strasse+3+parking+Lingen", "https://www.google.com/search?q=Bahnhofpl+7+parking+Bruchsal", "https://www.google.com/search?q=Neue+Strasse+9+parking+Lingen", "https://www.google.com/search?q=Orbinstrasse+22+parking+Bruchsal", "https://www.google.com/search?q=Hellersdorfer+Str+77+83+parking+Berlin", "https://www.google.com/search?q=Bahnhofpl+12+parking+Bruchsal", "https://www.google.com/search?q=Heidelberger+Str+6+parking+Graben+Neudorf", "https://www.google.com/search?q=Gymnasialstrasse+1+parking+Lingen", "https://www.google.com/search?q=Elisabethstrasse+33+parking+Lingen", "https://www.google.com/search?q=Friedhofstrasse+74+parking+Bruchsal", "https://www.google.com/search?q=Am+Wall+Sud+121+parking+Lingen", "https://www.google.com/search?q=Schonningstedter+Str+1+parking+Aumuhle", "https://www.google.com/search?q=Hochstrasse+26+parking+Bruchsal", "https://www.google.com/search?q=Zum+Neuen+Hafen+12+parking+Lingen", "https://www.google.com/search?q=Am+Wall+Sud+20+parking+Lingen", "https://www.google.com/search?q=Muhlentorstrasse+23+parking+Lingen", "https://www.google.com/search?q=An+Der+Wilhelmshohe+12+parking+Lingen", "https://www.google.com/search?q=Am+Gasthausdamm+10+parking+Lingen", "https://www.google.com/search?q=Markische+Allee+280+parking+Berlin", "https://www.google.com/search?q=Harburger+Chaussee+19+parking+Hamburg", "https://www.google.com/search?q=Honower+Str+94+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Strasse+121+B+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Bahnhof+4+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Stuttgarter+Strasse+125+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Poststrasse+23+parking+Bargstedt", "https://www.google.com/search?q=Am+Bahnhof+9+parking+Kirrweiler", "https://www.google.com/search?q=Bahnhofstrasse+59+61+parking+Freiberg", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Freiberg", "https://www.google.com/search?q=Ausschlager+Allee+191+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Sachsenheim", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Freiberg", "https://www.google.com/search?q=Harteneckstrasse+14+parking+Freiberg", "https://www.google.com/search?q=Wiesenstrasse+20+parking+Sachsenheim", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sachsenheim", "https://www.google.com/search?q=In+Der+Gottesau+19+parking+Bruchsal", "https://www.google.com/search?q=Alter+Fischerweg+4+parking+Berlin", "https://www.google.com/search?q=Muhlenbecker+Chaussee+24+parking+Wandlitz", "https://www.google.com/search?q=B+3+parking+Bruchsal", "https://www.google.com/search?q=Markische+Allee+388+parking+Berlin", "https://www.google.com/search?q=Germersheimer+Str+14+parking+Germersheim", "https://www.google.com/search?q=Wiltbergstrasse+23+parking+Berlin", "https://www.google.com/search?q=Mollner+Landstrasse+217+parking+Hamburg", "https://www.google.com/search?q=Marbacher+Strasse+2+parking+Winnenden", "https://www.google.com/search?q=Kuglerstrasse+13+parking+Regensburg", "https://www.google.com/search?q=Marbacher+Strasse+19+parking+Winnenden", "https://www.google.com/search?q=Bahnhofsallee+2+parking+Brest", "https://www.google.com/search?q=Karl+Kramer+Strasse+23+parking+Winnenden", "https://www.google.com/search?q=Prufeninger+Strasse+29+parking+Regensburg", "https://www.google.com/search?q=Dammstrasse+4+parking+Sersheim", "https://www.google.com/search?q=Riedweg+1+parking+Hamburg", "https://www.google.com/search?q=uberseeallee+3+parking+Hamburg", "https://www.google.com/search?q=Am+Kaiserkai+63+parking+Hamburg", "https://www.google.com/search?q=Hongkongstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Am+Sandtorkai+75+parking+Hamburg", "https://www.google.com/search?q=Am+Sandtorkai+6+parking+Hamburg", "https://www.google.com/search?q=Stifterweg+5+parking+Schorndorf", "https://www.google.com/search?q=Staatsstrasse+41+parking+Edenkoben", "https://www.google.com/search?q=Am+Sandtorkai+41+parking+Hamburg", "https://www.google.com/search?q=Kehrwieder+6+parking+Hamburg", "https://www.google.com/search?q=Altlander+Str+12+parking+Hamburg", "https://www.google.com/search?q=Bei+Dem+Neuen+Krahn+2+parking+Hamburg", "https://www.google.com/search?q=Kajen+10+parking+Hamburg", "https://www.google.com/search?q=Deichstrasse+51+parking+Hamburg", "https://www.google.com/search?q=Bohlener+Str+81+parking+Berlin", "https://www.google.com/search?q=Oberbaumbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Steintwietenhof+2+parking+Hamburg", "https://www.google.com/search?q=Dovenfleet+755+parking+Hamburg", "https://www.google.com/search?q=Hogerdamm+3+parking+Hamburg", "https://www.google.com/search?q=Schaartor+1+parking+Hamburg", "https://www.google.com/search?q=Neue+Groningerstrasse+12+parking+Hamburg", "https://www.google.com/search?q=Johannisbollwerk+20+parking+Hamburg", "https://www.google.com/search?q=Nordkanalstrasse+23+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Regensburg", "https://www.google.com/search?q=Herrengraben+30+parking+Hamburg", "https://www.google.com/search?q=Nordkanalstrasse+27+parking+Hamburg", "https://www.google.com/search?q=Schaarmarkt+1+parking+Hamburg", "https://www.google.com/search?q=Burchardstrasse+11+parking+Hamburg", "https://www.google.com/search?q=Rodingsmarkt+14+parking+Hamburg", "https://www.google.com/search?q=Van+der+Smissen+Strasse+1+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Regensburg", "https://www.google.com/search?q=Klosterwall+2+8+parking+Hamburg", "https://www.google.com/search?q=Grosse+Reichenstrasse+14+parking+Hamburg", "https://www.google.com/search?q=Hopfenmarkt+31+parking+Hamburg", "https://www.google.com/search?q=Huhnerposten+1+2+parking+Hamburg", "https://www.google.com/search?q=Grosse+Elbstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Burchardstrasse+3+parking+Hamburg", "https://www.google.com/search?q=Am+Gojenboom+33+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Regensburg", "https://www.google.com/search?q=Huhnerposten+1+parking+Hamburg", "https://www.google.com/search?q=Dammschanze+12+parking+Oldenburg", "https://www.google.com/search?q=Hermannstal+12+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Regensburg", "https://www.google.com/search?q=Koppelstrasse+2+parking+Oldenburg", "https://www.google.com/search?q=Bahnhofspl+1+parking+Elsfleth", "https://www.google.com/search?q=Neumayerstrasse+7+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Tamm", "https://www.google.com/search?q=Adolphspl+4+parking+Hamburg", "https://www.google.com/search?q=Lange+Muhren+12+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Tamm", "https://www.google.com/search?q=Besenbinderhof+56+parking+Hamburg", "https://www.google.com/search?q=Zirkusweg+4+6+parking+Hamburg", "https://www.google.com/search?q=Kurt+Schumacher+Allee+57A+parking+Hamburg", "https://www.google.com/search?q=Bugenhagenstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Alter+Wall+40+parking+Hamburg", "https://www.google.com/search?q=Adolphspl+7+parking+Hamburg", "https://www.google.com/search?q=Reuteallee+36+parking+Ludwigsburg", "https://www.google.com/search?q=Zeughausmarkt+34+parking+Hamburg", "https://www.google.com/search?q=Beim+Berliner+Tor+2+parking+Hamburg", "https://www.google.com/search?q=Nagelsweg+1+parking+Hamburg", "https://www.google.com/search?q=Stadthausbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Adenauerallee+70+parking+Hamburg", "https://www.google.com/search?q=Beim+Strohhause+6+parking+Hamburg", "https://www.google.com/search?q=Hammerbrookstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Taubenstrasse+23+parking+Hamburg", "https://www.google.com/search?q=Kleine+Rosenstrasse+8+parking+Hamburg", "https://www.google.com/search?q=Adenauerallee+10+parking+Hamburg", "https://www.google.com/search?q=Zirkusweg+20+parking+Hamburg", "https://www.google.com/search?q=Steintorpl+1+parking+Hamburg", "https://www.google.com/search?q=Hermannstrasse+11+parking+Hamburg", "https://www.google.com/search?q=An+Der+Stadthausbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Kastanienallee+14+parking+Panketal", "https://www.google.com/search?q=Schlosspl+3+parking+Oldenburg", "https://www.google.com/search?q=Heinrich+Heine+Strasse+6+parking+Stutensee", "https://www.google.com/search?q=Rosenstrasse+25+parking+Hamburg", "https://www.google.com/search?q=Fritz+Muller+Allee+5+parking+Schwaikheim", "https://www.google.com/search?q=Korntragergang+8+parking+Hamburg", "https://www.google.com/search?q=Kleine+Seilerstrasse+2+parking+Hamburg", "https://www.google.com/search?q=Grosse+Bleichen+35+parking+Hamburg", "https://www.google.com/search?q=Bei+Der+Stadtwassermuhle+1+parking+Hamburg", "https://www.google.com/search?q=Wexstrasse+16+parking+Hamburg", "https://www.google.com/search?q=Kirchenallee+55+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+65+parking+Hamburg", "https://www.google.com/search?q=Rademachergang+10+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+43+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Hoppegarten", "https://www.google.com/search?q=Westphalensweg+7+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+31+parking+Hamburg", "https://www.google.com/search?q=Hachmannpl+10+parking+Hamburg", "https://www.google.com/search?q=Borgesch+1+parking+Hamburg", "https://www.google.com/search?q=Hutten+14+parking+Hamburg", "https://www.google.com/search?q=Steindamm+94+parking+Hamburg", "https://www.google.com/search?q=Ferdinandstrasse+15+parking+Hamburg", "https://www.google.com/search?q=Harteneckstrasse+32+parking+Ludwigsburg", "https://www.google.com/search?q=Danziger+Str+14+parking+Hamburg", "https://www.google.com/search?q=Hohe+Bleichen+22+parking+Hamburg", "https://www.google.com/search?q=Lange+Reihe+2+parking+Hamburg", "https://www.google.com/search?q=Steindamm+96+parking+Hamburg", "https://www.google.com/search?q=Berliner+Tor+3+parking+Hamburg", "https://www.google.com/search?q=Bei+Schuldts+Stift+3+parking+Hamburg", "https://www.google.com/search?q=Kirchenallee+26+parking+Hamburg", "https://www.google.com/search?q=Lawaetzweg+4+parking+Hamburg", "https://www.google.com/search?q=Bugdahnstrasse+31+parking+Hamburg", "https://www.google.com/search?q=Spadenteich+5+parking+Hamburg", "https://www.google.com/search?q=Neue+ABC+Strasse+52+parking+Hamburg", "https://www.google.com/search?q=Bietigheimer+Str+9+parking+Ludwigsburg", "https://www.google.com/search?q=Soester+Str+43+parking+Hamburg", "https://www.google.com/search?q=Ferdinandstor+1+parking+Hamburg", "https://www.google.com/search?q=Holzdamm+4+12+parking+Hamburg", "https://www.google.com/search?q=Holstenwall+5+parking+Hamburg", "https://www.google.com/search?q=Am+Guterbahnhof+1+parking+Hoppegarten", "https://www.google.com/search?q=Herbartstrasse+4+parking+Oldenburg", "https://www.google.com/search?q=Am+Guterbahnhof+31+parking+Hoppegarten", "https://www.google.com/search?q=Paul+Nevermann+Platz+21+parking+Hamburg", "https://www.google.com/search?q=Glacischaussee+20+parking+Hamburg", "https://www.google.com/search?q=Hirschbergstrasse+4+parking+Asperg", "https://www.google.com/search?q=Sievekingpl+1+parking+Hamburg", "https://www.google.com/search?q=Scheel+Plessen+Strasse+19+parking+Hamburg", "https://www.google.com/search?q=Esplanade+41+parking+Hamburg", "https://www.google.com/search?q=Scheel+Plessen+Strasse+11+parking+Hamburg", "https://www.google.com/search?q=Sievekingpl+2+parking+Hamburg", "https://www.google.com/search?q=Neuer+Kamp+31+parking+Hamburg", "https://www.google.com/search?q=Kornerstrasse+13+parking+Ludwigsburg", "https://www.google.com/search?q=Eisenbahnstrasse+48+parking+Asperg", "https://www.google.com/search?q=Am+Bahnhof+9+parking+Kutenholz", "https://www.google.com/search?q=Dammtorwall+5+7+parking+Hamburg", "https://www.google.com/search?q=Piependreiherweg+2+parking+Hamburg", "https://www.google.com/search?q=Haarenufer+9+parking+Oldenburg", "https://www.google.com/search?q=Grunebergstrasse+30+parking+Hamburg", "https://www.google.com/search?q=Ernst+Renz+Strasse+10+parking+Bruchsal", "https://www.google.com/search?q=Feldstrasse+48+parking+Hamburg", "https://www.google.com/search?q=Asperger+Strasse+14+16+parking+Ludwigsburg", "https://www.google.com/search?q=Asperger+Strasse+20+parking+Ludwigsburg", "https://www.google.com/search?q=Ehrig+Hahn+Strasse+3+parking+Ahrensfelde", "https://www.google.com/search?q=Dammtordamm+1+parking+Hamburg", "https://www.google.com/search?q=Eisenbahnstrasse+25+parking+Edesheim", "https://www.google.com/search?q=Wannenweg+2+parking+Bretten", "https://www.google.com/search?q=Neuer+Pferdemarkt+33+parking+Hamburg", "https://www.google.com/search?q=Blumenstrasse+5+parking+Oldenburg", "https://www.google.com/search?q=Alsterterrasse+1+2+parking+Hamburg", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+27+parking+Ludwigsburg", "https://www.google.com/search?q=Dag+Hammarskjold+Platz+767+parking+Hamburg", "https://www.google.com/search?q=Arsenalplatz+1+parking+Ludwigsburg", "https://www.google.com/search?q=Akademiehof+15+parking+Ludwigsburg", "https://www.google.com/search?q=Mathildenstrasse+27+parking+Ludwigsburg", "https://www.google.com/search?q=Zeughausstrasse+1+21+parking+Oldenburg", "https://www.google.com/search?q=Hasselbrookstrasse+152+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Bellheim", "https://www.google.com/search?q=Marseiller+Str+7+parking+Hamburg", "https://www.google.com/search?q=Mathildenstrasse+15+parking+Ludwigsburg", "https://www.google.com/search?q=Gondelsheimer+Str+3+parking+Bretten", "https://www.google.com/search?q=Lagerstrasse+37+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Ludwigsburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Ludwigsburg", "https://www.google.com/search?q=Solitudestrasse+24+parking+Ludwigsburg", "https://www.google.com/search?q=Pflugfelder+Strasse+5+parking+Ludwigsburg", "https://www.google.com/search?q=Alsterufer+38+parking+Hamburg", "https://www.google.com/search?q=Tesdorpfstrasse+8+parking+Hamburg", "https://www.google.com/search?q=K+1698+parking+Vaihingen", "https://www.google.com/search?q=Fontenay+10+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Ludwigsburg", "https://www.google.com/search?q=Martin+Luther+Strasse+80+parking+Ludwigsburg", "https://www.google.com/search?q=Jurgen+Topfer+Strasse+3+parking+Hamburg", "https://www.google.com/search?q=Missundestrasse+10+parking+Hamburg", "https://www.google.com/search?q=Fontanestrasse+59+parking+Panketal", "https://www.google.com/search?q=Oberer+Erbach+13+parking+Waiblingen", "https://www.google.com/search?q=K+3313+parking+Lorch", "https://www.google.com/search?q=Alsenstrasse+2+parking+Hamburg", "https://www.google.com/search?q=Elbestrasse+14+parking+Panketal", "https://www.google.com/search?q=Neue+Bahnhofstrasse+36+parking+Vaihingen", "https://www.google.com/search?q=Poststrasse+11+parking+Lorch", "https://www.google.com/search?q=Friedensallee+302+parking+Hamburg", "https://www.google.com/search?q=Karlsruher+Str+82+parking+Linkenheim+Hochstetten", "https://www.google.com/search?q=Brauhausstieg+34+parking+Hamburg", "https://www.google.com/search?q=Oberer+Erbach+21+parking+Waiblingen", "https://www.google.com/search?q=Quarree+6+parking+Hamburg", "https://www.google.com/search?q=Schunemannstieg+8+10+parking+Hamburg", "https://www.google.com/search?q=Quarree+10+parking+Hamburg", "https://www.google.com/search?q=Ohnhorststrasse+18+parking+Hamburg", "https://www.google.com/search?q=Humboldtstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Humboldtstrasse+9+parking+Hamburg", "https://www.google.com/search?q=Rothenbaumchaussee+76+parking+Hamburg", "https://www.google.com/search?q=Desenissstrasse+4+parking+Hamburg", "https://www.google.com/search?q=Alleestrasse+37+parking+Kelheim", "https://www.google.com/search?q=Adolph+Schonfelder+Strasse+5+7+parking+Hamburg", "https://www.google.com/search?q=Krausestrasse+116+parking+Hamburg", "https://www.google.com/search?q=Hallerstrasse+85+parking+Hamburg", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Ahrensfelde", "https://www.google.com/search?q=Winckelmannstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Hintere+Dorfstrasse+32+parking+Bretten", "https://www.google.com/search?q=Niederdorfl+1+parking+Kelheim", "https://www.google.com/search?q=Wohrdpl+1+parking+Kelheim", "https://www.google.com/search?q=Konrad+Hornschuch+Strasse+72+parking+Urbach", "https://www.google.com/search?q=Konrad+Hornschuch+Strasse+71+parking+Urbach", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Knoringen", "https://www.google.com/search?q=L+23+parking+Grunheide", "https://www.google.com/search?q=Am+Bahnhof+Fangschleuse+3+parking+Grunheide", "https://www.google.com/search?q=Schlossweg+2+parking+Kelheim", "https://www.google.com/search?q=Franz+Pfaffenberger+Strasse+16+parking+Kelheim", "https://www.google.com/search?q=Henriettenstrasse+50+parking+Hamburg", "https://www.google.com/search?q=Badstrasse+3+parking+Kaiserslautern", "https://www.google.com/search?q=Burgstrasse+40+parking+Kaiserslautern", "https://www.google.com/search?q=Osterstrasse+95+parking+Hamburg", "https://www.google.com/search?q=Stein+Hardenberg+Strasse+28+parking+Hamburg", "https://www.google.com/search?q=Tonndorfer+Hauptstrasse+81+parking+Hamburg", "https://www.google.com/search?q=Am+Pflegerspitz+1+parking+Kelheim", "https://www.google.com/search?q=Sulldorfer+Kirchenweg+2+parking+Hamburg", "https://www.google.com/search?q=Heinkelstrasse+35+parking+Schorndorf", "https://www.google.com/search?q=Heinkelstrasse+21+parking+Schorndorf", "https://www.google.com/search?q=Lehmweg+7+parking+Hamburg", "https://www.google.com/search?q=Arnoldstrasse+5+parking+Schorndorf", "https://www.google.com/search?q=Friedrich+Ebert+Damm+112+parking+Hamburg", "https://www.google.com/search?q=Postweg+10+parking+Pluderhausen", "https://www.google.com/search?q=Julius+Brecht+Strasse+6+parking+Hamburg", "https://www.google.com/search?q=Friedrich+Ebert+Damm+126+parking+Hamburg", "https://www.google.com/search?q=Aldinger+Str+975+parking+Kornwestheim", "https://www.google.com/search?q=Karlstrasse+20+parking+Schorndorf", "https://www.google.com/search?q=Zollamtstrasse+5+parking+Kaiserslautern", "https://www.google.com/search?q=An+Der+Mauer+1+parking+Schorndorf", "https://www.google.com/search?q=Am+Holzbach+12+parking+Remseck", "https://www.google.com/search?q=Kirchtalstrasse+38+parking+Kornwestheim", "https://www.google.com/search?q=Friedhofstrasse+6+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Rulzheim", "https://www.google.com/search?q=Kunkelinstrasse+28+parking+Schorndorf", "https://www.google.com/search?q=Luckenbronn+3+parking+olbronn+Durrn", "https://www.google.com/search?q=Falkenried+88+parking+Hamburg", "https://www.google.com/search?q=Beeskower+Chaussee+15+parking+Wendisch", "https://www.google.com/search?q=Bernauer+Chaussee+6+parking+Wandlitz", "https://www.google.com/search?q=Schnackenburgallee+101+parking+Hamburg", "https://www.google.com/search?q=Martinistrasse+72+parking+Hamburg", "https://www.google.com/search?q=Jakobstrasse+11+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+119+parking+Muhlacker", "https://www.google.com/search?q=Neustadter+Strasse+46+parking+Waiblingen", "https://www.google.com/search?q=Kummellstrasse+4+8+parking+Hamburg", "https://www.google.com/search?q=Martinistrasse+52+parking+Hamburg", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Dollern", "https://www.google.com/search?q=Traberweg+24+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+95+parking+Muhlacker", "https://www.google.com/search?q=Theodor+Heuss+Strasse+4+parking+Kornwestheim", "https://www.google.com/search?q=Theodor+Heuss+Strasse+10+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofspl+2+parking+Kornwestheim", "https://www.google.com/search?q=Schnackenburgallee+112+parking+Hamburg", "https://www.google.com/search?q=Winnender+Strasse+1+parking+Waiblingen", "https://www.google.com/search?q=Weingartner+Vorstadt+3+parking+Waiblingen", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Schorndorf", "https://www.google.com/search?q=Werner+Siemens+Strasse+1+parking+Weingarten", "https://www.google.com/search?q=Bahnhofstrasse+85+parking+Kornwestheim", "https://www.google.com/search?q=An+Der+Talaue+4+parking+Waiblingen", "https://www.google.com/search?q=Hellgrundweg+21+parking+Hamburg", "https://www.google.com/search?q=Winterhudermarkt+6+7+parking+Hamburg", "https://www.google.com/search?q=Obere+Sackgasse+11+parking+Waiblingen", "https://www.google.com/search?q=Mecklenburger+Str+4+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+159+parking+Weingarten", "https://www.google.com/search?q=An+Der+Talaue+10+parking+Waiblingen", "https://www.google.com/search?q=Doberaner+Weg+20+parking+Hamburg", "https://www.google.com/search?q=Stuttgarter+Str+65+parking+Kornwestheim", "https://www.google.com/search?q=Hellgrundweg+45+parking+Hamburg", "https://www.google.com/search?q=Volksparkstrasse+62+parking+Hamburg", "https://www.google.com/search?q=Volksparkstrasse+75+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+76+parking+Remshalden", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Remshalden", "https://www.google.com/search?q=Bahnhofsplatz+4+parking+Winterbach", "https://www.google.com/search?q=Alter+Postplatz+13+parking+Waiblingen", "https://www.google.com/search?q=Mannheimer+Str+14+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Stegwiesenweg+1+parking+Remshalden", "https://www.google.com/search?q=L+559+parking+Stutensee", "https://www.google.com/search?q=Prenzlauer+Chaussee+165+parking+Wandlitz", "https://www.google.com/search?q=Hellgrundweg+50+parking+Hamburg", "https://www.google.com/search?q=Pforzheimer+Strasse+2+parking+Muhlacker", "https://www.google.com/search?q=Schnackenburgallee+155+parking+Hamburg", "https://www.google.com/search?q=Philipp+Bauer+Weg+3+parking+Muhlacker", "https://www.google.com/search?q=Im+Kappele+6+parking+Muhlacker", "https://www.google.com/search?q=Lokstedter+Grenzstrasse+9+parking+Hamburg", "https://www.google.com/search?q=Blankenloch+Muhlenweg+2+parking+Stutensee", "https://www.google.com/search?q=Rappstrasse+35+parking+Muhlacker", "https://www.google.com/search?q=Mannheimer+Str+3+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Weissenseer+Str+13+parking+Bernau", "https://www.google.com/search?q=Weissenseer+Str+8+parking+Bernau", "https://www.google.com/search?q=Luttkamp+21+parking+Hamburg", "https://www.google.com/search?q=Lattenkamp+90+parking+Hamburg", "https://www.google.com/search?q=uberseering+30+parking+Hamburg", "https://www.google.com/search?q=Morikestrasse+14+parking+Walzbachtal", "https://www.google.com/search?q=Berliner+Str+75+parking+Bernau", "https://www.google.com/search?q=Kirchgrund+24+parking+Walzbachtal", "https://www.google.com/search?q=Ladestrasse+2+parking+Walzbachtal", "https://www.google.com/search?q=Devizesstrasse+18+parking+Waiblingen", "https://www.google.com/search?q=Cannonstrasse+3+parking+Weinstadt", "https://www.google.com/search?q=Nedderfeld+70+parking+Hamburg", "https://www.google.com/search?q=Reichmannstrasse+6+parking+Muhlacker", "https://www.google.com/search?q=Marktplatz+3+parking+Muhlacker", "https://www.google.com/search?q=Bruchsaler+Str+60+parking+Walzbachtal", "https://www.google.com/search?q=Bahnhof+1+parking+Waiblingen", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Weinstadt", "https://www.google.com/search?q=Ameisenbuhl+40+parking+Waiblingen", "https://www.google.com/search?q=Feldstrasse+3+parking+Wedel", "https://www.google.com/search?q=Innerer+Weidach+11+parking+Waiblingen", "https://www.google.com/search?q=Bogenstrasse+39+parking+Kornwestheim", "https://www.google.com/search?q=Alte+Str+4+parking+Walzbachtal", "https://www.google.com/search?q=Alte+Str+5+parking+Walzbachtal", "https://www.google.com/search?q=Ettinger+Str+107+parking+Ingolstadt", "https://www.google.com/search?q=Altlandsberger+Chaussee+1+parking+Fredersdorf+Vogelsdorf", "https://www.google.com/search?q=Bahnhofspl+3+parking+Bernau", "https://www.google.com/search?q=Lomersheimer+Strasse+1+parking+Muhlacker", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Stutensee", "https://www.google.com/search?q=Alte+Lomersheimer+Strasse+1+parking+Muhlacker", "https://www.google.com/search?q=Bahnhofspl+99+parking+Bernau", "https://www.google.com/search?q=Ladeburger+Chaussee+73+parking+Bernau", "https://www.google.com/search?q=Maria+Goeppert+Strasse+4+parking+Ingolstadt", "https://www.google.com/search?q=Herthastrasse+17+parking+Hamburg", "https://www.google.com/search?q=Bahnhofspl+4+parking+Bernau", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Fredersdorf+Vogelsdorf", "https://www.google.com/search?q=Mercedesstrasse+31+parking+Weinstadt", "https://www.google.com/search?q=Pascalstrasse+6+parking+Ingolstadt", "https://www.google.com/search?q=Beibachweg+9+parking+Weinstadt", "https://www.google.com/search?q=Bernau,+Parkstrasse+1+parking+Bernau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wedel", "https://www.google.com/search?q=Hauptstrasse+197+parking+Stutensee", "https://www.google.com/search?q=Schweriner+Str+3+4+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Gaimersheimer+Str+125+parking+Ingolstadt", "https://www.google.com/search?q=Max+Eyth+Strasse+12+parking+Kernen", "https://www.google.com/search?q=Dammstrasse+10+parking+Hamburg", "https://www.google.com/search?q=Elsasser+Str+2+parking+Stutensee", "https://www.google.com/search?q=Elsasser+Str+1+parking+Stutensee", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Agathenburg", "https://www.google.com/search?q=Feuergrafenstrasse+1+2+parking+Molln", "https://www.google.com/search?q=Senefelderstrasse+6+parking+Ingolstadt", "https://www.google.com/search?q=Lise+Meitner+Strasse+3+parking+Fellbach", "https://www.google.com/search?q=Hindemithstrasse+40+parking+Ingolstadt", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+parking+Ingolstadt", "https://www.google.com/search?q=Schaflandstrasse+2+parking+Fellbach", "https://www.google.com/search?q=Roderstrasse+18+parking+Ingolstadt", "https://www.google.com/search?q=Roderstrasse+30+parking+Ingolstadt", "https://www.google.com/search?q=Kiebitzweg+2+parking+Schenefeld", "https://www.google.com/search?q=Maximilianstrasse+13+parking+Landau", "https://www.google.com/search?q=Sommerkamp+31+parking+Hamburg", "https://www.google.com/search?q=Maximilianstrasse+17+parking+Landau", "https://www.google.com/search?q=Berner+Heerweg+407+parking+Hamburg", "https://www.google.com/search?q=Elbestrasse+2+parking+Petershagen+Eggersdorf", "https://www.google.com/search?q=Zeppelinstrasse+2+parking+Landau", "https://www.google.com/search?q=Heinrich+Heine+Platz+2+parking+Landau", "https://www.google.com/search?q=Eisenbahnstrasse+24+parking+Korntal+Munchingen", "https://www.google.com/search?q=Nordparkstrasse+3+parking+Landau", "https://www.google.com/search?q=Jahnstrasse+21+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Weg+Beim+Jager+195+parking+Hamburg", "https://www.google.com/search?q=Mahlastrasse+1+parking+Landau", "https://www.google.com/search?q=Weissquartierstrasse+1+parking+Landau", "https://www.google.com/search?q=Nordring+5+parking+Landau", "https://www.google.com/search?q=Augustinergasse+6+parking+Landau", "https://www.google.com/search?q=Schulhof+2+parking+Landau", "https://www.google.com/search?q=Obenhauptstrasse+15+parking+Hamburg", "https://www.google.com/search?q=Weissquartierstrasse+25+parking+Landau", "https://www.google.com/search?q=Lessingstrasse+89+parking+Petershagen+Eggersdorf", "https://www.google.com/search?q=Esslinger+Str+79+parking+Fellbach", "https://www.google.com/search?q=Ludmillenstrasse+8+parking+Meppen", "https://www.google.com/search?q=Lohlstrasse+27+parking+Landau", "https://www.google.com/search?q=Ludwigsburger+Str+129+parking+Stuttgart", "https://www.google.com/search?q=Badstrasse+17+parking+Landau", "https://www.google.com/search?q=Margaretha+Kuchle+Strasse+2+parking+Korntal+Munchingen", "https://www.google.com/search?q=Waffenstrasse+14+parking+Landau", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+3+parking+Landau", "https://www.google.com/search?q=Masurenstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Ludwigsburger+Strasse+108+parking+Stuttgart", "https://www.google.com/search?q=Tainerstrasse+12+parking+Fellbach", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Grunheide", "https://www.google.com/search?q=Tainerstrasse+7+parking+Fellbach", "https://www.google.com/search?q=Str+Der+Befreiung+10+parking+Grunheide", "https://www.google.com/search?q=Paul+Sorge+Strasse+9+parking+Hamburg", "https://www.google.com/search?q=Priessnitzweg+1+parking+Landau", "https://www.google.com/search?q=Am+Bahnhof+12+parking+Stuttgart", "https://www.google.com/search?q=Muhlgasse+25+parking+Rheinzabern", "https://www.google.com/search?q=Esslinger+Str+100+parking+Fellbach", "https://www.google.com/search?q=Burgholzstrasse+99+parking+Stuttgart", "https://www.google.com/search?q=Platz+Der+Deutschen+Einheit+1+parking+Neuburg", "https://www.google.com/search?q=Annweilerstrasse+1+parking+Landau", "https://www.google.com/search?q=Bickbargen+126+parking+Halstenbek", "https://www.google.com/search?q=Schillerstrasse+30+parking+Fellbach", "https://www.google.com/search?q=Zweibrucker+Strasse+42+parking+Landau", "https://www.google.com/search?q=Flughafenstrasse+1+3+parking+Hamburg", "https://www.google.com/search?q=Bergkoppelweg+5+parking+Hamburg", "https://www.google.com/search?q=Meiendorfer+Weg+124+parking+Hamburg", "https://www.google.com/search?q=Adolf+Kolping+Strasse+137+parking+Neuburg", "https://www.google.com/search?q=Joseph+von+Fraunhofer+Strasse+5+parking+Pfinztal", "https://www.google.com/search?q=Hofener+Str+24+parking+Stuttgart", "https://www.google.com/search?q=Am+Stadion+6+parking+Pfinztal", "https://www.google.com/search?q=Flughafenstrasse+25+29+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+47+parking+Hamburg", "https://www.google.com/search?q=uberkinger+Strasse+13+parking+Stuttgart", "https://www.google.com/search?q=Gewerbestrasse+32+parking+Pfinztal", "https://www.google.com/search?q=Pinneberger+Strasse+36+parking+Hamburg", "https://www.google.com/search?q=Ahrensfelder+Weg+3+parking+Grosshansdorf", "https://www.google.com/search?q=Bodelschwinghstrasse+40+parking+Insheim", "https://www.google.com/search?q=Bahnhofpl+1+parking+Korntal+Munchingen", "https://www.google.com/search?q=Steiermarker+Str+5+parking+Stuttgart", "https://www.google.com/search?q=Wildunger+Str+2+4+parking+Stuttgart", "https://www.google.com/search?q=Wiener+Strasse+1+parking+Stuttgart", "https://www.google.com/search?q=Neubrunnenstrasse+4+parking+Karlsruhe", "https://www.google.com/search?q=Badstrasse+15+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Halstenbek", "https://www.google.com/search?q=Eisenbahnstrasse+12+parking+Stuttgart", "https://www.google.com/search?q=Ernst+Mittelbach+Ring+57+parking+Hamburg", "https://www.google.com/search?q=Neckartalstrasse+9+parking+Stuttgart", "https://www.google.com/search?q=Friedrichstrasse+3+parking+Heidenheim", "https://www.google.com/search?q=Clichystrasse+9+parking+Heidenheim", "https://www.google.com/search?q=Unterfeldstrasse+46+parking+Karlsruhe", "https://www.google.com/search?q=Stormarnplatz+3+parking+Hamburg", "https://www.google.com/search?q=Im+Bahnwinkel+1+parking+Pfinztal", "https://www.google.com/search?q=Grabenstrasse+15+parking+Heidenheim", "https://www.google.com/search?q=Am+Facherbad+5+parking+Karlsruhe", "https://www.google.com/search?q=Heegbarg+31+parking+Hamburg", "https://www.google.com/search?q=Sankt+Poltener+Strasse+29+parking+Stuttgart", "https://www.google.com/search?q=Heegbarg+2+8+parking+Hamburg", "https://www.google.com/search?q=Rudolf+Egelhofer+Strasse+10+parking+Strausberg", "https://www.google.com/search?q=Wesebachstrasse+1+parking+Pfinztal", "https://www.google.com/search?q=L+91+parking+Grosshansdorf", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=St+Poltener+Str+9+parking+Heidenheim", "https://www.google.com/search?q=Am+Aalfang+12+parking+Ahrensburg", "https://www.google.com/search?q=Tangstedter+Landstrasse+69+parking+Hamburg", "https://www.google.com/search?q=Martin+Schrenk+Weg+3+parking+Stuttgart", "https://www.google.com/search?q=Karl+Schurz+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Kapellenstrasse+20+parking+Pfinztal", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Jockgrim", "https://www.google.com/search?q=Talstrasse+211+parking+Stuttgart", "https://www.google.com/search?q=Mercedesstrasse+75+parking+Stuttgart", "https://www.google.com/search?q=Talstrasse+209+parking+Stuttgart", "https://www.google.com/search?q=Am+Alten+Bahnhof+23+parking+Karlsruhe", "https://www.google.com/search?q=Brinkstrasse+7+parking+Stade", "https://www.google.com/search?q=Talstrasse+201+parking+Stuttgart", "https://www.google.com/search?q=Am+Bahnhof+14+parking+Stade", "https://www.google.com/search?q=Munchinger+Str+6+parking+Ditzingen", "https://www.google.com/search?q=Friolzheimer+Str+2+parking+Stuttgart", "https://www.google.com/search?q=Weissacher+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Hamburger+Str+158+parking+Ahrensburg", "https://www.google.com/search?q=Glemsstrasse+12+parking+Ditzingen", "https://www.google.com/search?q=Oskar+Schlemmer+Strasse+8+parking+Stuttgart", "https://www.google.com/search?q=Am+Laien+6+parking+Ditzingen", "https://www.google.com/search?q=Glemsgaustrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Am+Laien+1+parking+Ditzingen", "https://www.google.com/search?q=Solitudestrasse+246+parking+Stuttgart", "https://www.google.com/search?q=Hofinger+Str+5+parking+Ditzingen", "https://www.google.com/search?q=Stresemannstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Mittlere+Str+17+parking+Ditzingen", "https://www.google.com/search?q=Lowen+Markt+1+parking+Stuttgart", "https://www.google.com/search?q=Pforzheimer+Strasse+363+parking+Stuttgart", "https://www.google.com/search?q=Stuttgarter+Str+34+parking+Ditzingen", "https://www.google.com/search?q=Gerlinger+Str+35+parking+Ditzingen", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Ahrensburg", "https://www.google.com/search?q=Rosensteinstrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Augsburger+Str+380+parking+Stuttgart", "https://www.google.com/search?q=Am+Schwingedeich+3+parking+Stade", "https://www.google.com/search?q=Heilbronner+Str+86+88+parking+Stuttgart", "https://www.google.com/search?q=Pfinzstrasse+87+91+parking+Karlsruhe", "https://www.google.com/search?q=Immenhoven+1+parking+Hamburg", "https://www.google.com/search?q=Foorthkamp+73+parking+Hamburg", "https://www.google.com/search?q=Wolframstrasse+24+parking+Stuttgart", "https://www.google.com/search?q=Kleiner+Reitweg+23+parking+Pinneberg", "https://www.google.com/search?q=Bahnhofstrasse+61+parking+Rohrbach", "https://www.google.com/search?q=Rintheimer+Hauptstrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Hauptbahnstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Feuerbacher+Tal+Strasse+160+parking+Stuttgart", "https://www.google.com/search?q=Hauffstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Gritznerstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=B+10+parking+Pfinztal", "https://www.google.com/search?q=Alte+Karlsruher+Str+42+parking+Karlsruhe", "https://www.google.com/search?q=Am+Hauptbahnhof+2+parking+Stuttgart", "https://www.google.com/search?q=Willy+Brandt+Strasse+30+parking+Stuttgart", "https://www.google.com/search?q=Am+Fasanengarten+3+parking+Karlsruhe", "https://www.google.com/search?q=Filsstrasse+69+parking+Eislingen+Fils", "https://www.google.com/search?q=Erzbergerstrasse+117+parking+Karlsruhe", "https://www.google.com/search?q=Jagerstrasse+19+parking+Stuttgart", "https://www.google.com/search?q=Davidstrasse+33+parking+Goppingen", "https://www.google.com/search?q=Georg+Sasse+Strasse+20+parking+Ammersbek", "https://www.google.com/search?q=Arnulf+Klett+Platz+3+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Remchingen", "https://www.google.com/search?q=Kronenstrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Remchingen", "https://www.google.com/search?q=Jahnstrasse+50+parking+Goppingen", "https://www.google.com/search?q=Goppinger+Str+19+parking+Stuttgart", "https://www.google.com/search?q=Konigstrasse+6+parking+Stuttgart", "https://www.google.com/search?q=Kronenstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Ebersbach", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+25+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Kampfelbach", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+32+parking+Stuttgart", "https://www.google.com/search?q=An+Der+Muhlenau+25+parking+Pinneberg", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Bonningstedt", "https://www.google.com/search?q=Kriegsbergstrasse+55+parking+Stuttgart", "https://www.google.com/search?q=Thouretstrasse+8+parking+Stuttgart", "https://www.google.com/search?q=Hafenbahnstrasse+22+parking+Stuttgart", "https://www.google.com/search?q=Keplerstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Stephanstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Waldhornstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Stauffenbergstrasse+5+1+parking+Stuttgart", "https://www.google.com/search?q=Bleicherufer+9+parking+Schwerin", "https://www.google.com/search?q=Stephanstrasse+33+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+16+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Konigstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Huberstrasse+2+parking+Stuttgart", "https://www.google.com/search?q=Schlosspl+21+parking+Karlsruhe", "https://www.google.com/search?q=Kiwittsmoor+4+parking+Hamburg", "https://www.google.com/search?q=Lerchenstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Felsgartenstrasse+43+parking+Leonberg", "https://www.google.com/search?q=Fritz+Erler+Strasse+7+parking+Karlsruhe", "https://www.google.com/search?q=Schellingstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+8+parking+Stuttgart", "https://www.google.com/search?q=Holzgartenstrasse+9+parking+Stuttgart", "https://www.google.com/search?q=Kreuzstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Seidenstrasse+34+parking+Stuttgart", "https://www.google.com/search?q=Seidenstrasse+39+parking+Stuttgart", "https://www.google.com/search?q=Theodor+Heuss+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Ludwig+Erhard+Allee+10+parking+Karlsruhe", "https://www.google.com/search?q=Falkertstrasse+46+parking+Stuttgart", "https://www.google.com/search?q=L+570+parking+Ispringen", "https://www.google.com/search?q=Zirkel+25+parking+Karlsruhe", "https://www.google.com/search?q=Kienestrasse+33+parking+Stuttgart", "https://www.google.com/search?q=Pforzheimer+Str+14+parking+Ispringen", "https://www.google.com/search?q=Herrenstrasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Seidenstrasse+23+parking+Stuttgart", "https://www.google.com/search?q=Ruppurrer+Str+1+parking+Karlsruhe", "https://www.google.com/search?q=Kreuzstrasse+13+parking+Karlsruhe", "https://www.google.com/search?q=Breitscheidstrasse+6+parking+Stuttgart", "https://www.google.com/search?q=Passagehof+10+parking+Karlsruhe", "https://www.google.com/search?q=Dorotheenstrasse+2+parking+Stuttgart", "https://www.google.com/search?q=Schlossstrasse+49+parking+Stuttgart", "https://www.google.com/search?q=WestlRheinbruckenstrasse+8+parking+Karlsruhe", "https://www.google.com/search?q=Zahringerstrasse+69+parking+Karlsruhe", "https://www.google.com/search?q=Rosenstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Esslinger+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Akademiestrasse+55+parking+Karlsruhe", "https://www.google.com/search?q=Ritterstrasse+16+parking+Karlsruhe", "https://www.google.com/search?q=Erbprinzenstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Esslinger+Strasse+1+parking+Stuttgart", "https://www.google.com/search?q=Leuschnerstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Neue+Brucke+8+parking+Stuttgart", "https://www.google.com/search?q=Flandernstrasse+103+parking+Esslingen", "https://www.google.com/search?q=Hohenheimer+Str+21+parking+Stuttgart", "https://www.google.com/search?q=Jobstweg+5+parking+Stuttgart", "https://www.google.com/search?q=Steinstrasse+4+parking+Stuttgart", "https://www.google.com/search?q=Ritterstrasse+20+parking+Karlsruhe", "https://www.google.com/search?q=Kronprinzstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Eisenbahnstrasse+8+parking+Zehdenick", "https://www.google.com/search?q=Hauptstatter+Str+34+parking+Stuttgart", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+31+parking+Pinneberg", "https://www.google.com/search?q=Lazarettstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Kriegsstrasse+126+parking+Karlsruhe", "https://www.google.com/search?q=Baumeisterstrasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+10+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+25+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+33+parking+Karlsruhe", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+11+parking+Schwerin", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+16+parking+Schwerin", "https://www.google.com/search?q=Sophienstrasse+40+parking+Stuttgart", "https://www.google.com/search?q=Rotebuhlpl+30+parking+Stuttgart", "https://www.google.com/search?q=Hermann+Billing+Strasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Kaiserallee+11+parking+Karlsruhe", "https://www.google.com/search?q=Christophstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Pischekstrasse+70+parking+Stuttgart", "https://www.google.com/search?q=Schwabstrasse+93+parking+Stuttgart", "https://www.google.com/search?q=Wilhelmstrasse+12+parking+Stuttgart", "https://www.google.com/search?q=Paulinenstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Kaiserallee+27+parking+Karlsruhe", "https://www.google.com/search?q=Beiertheimer+Allee+13+parking+Karlsruhe", "https://www.google.com/search?q=Luisenstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Tubinger+Str+43+parking+Stuttgart", "https://www.google.com/search?q=Martinstrasse+11+parking+Schwerin", "https://www.google.com/search?q=Urbanstrasse+13+parking+Esslingen", "https://www.google.com/search?q=Arsenalstrasse+7+parking+Schwerin", "https://www.google.com/search?q=Holderlinweg+6+parking+Esslingen", "https://www.google.com/search?q=Agnespromenade+4+parking+Esslingen", "https://www.google.com/search?q=Feinstrasse+4+parking+Stuttgart", "https://www.google.com/search?q=Berliner+Allee+15+parking+Norderstedt", "https://www.google.com/search?q=Lindenstrasse+7+parking+Pforzheim", "https://www.google.com/search?q=Am+Guterbahnhof+3+parking+Hammah", "https://www.google.com/search?q=Ritterstrasse+17+parking+Esslingen", "https://www.google.com/search?q=Forststrasse+3+parking+Pforzheim", "https://www.google.com/search?q=Martinstrasse+15+parking+Esslingen", "https://www.google.com/search?q=Kandlerstrasse+1+parking+Esslingen", "https://www.google.com/search?q=Martinstrasse+4+parking+Esslingen", "https://www.google.com/search?q=Am+Packhof+4+parking+Schwerin", "https://www.google.com/search?q=Schwabstrasse+18+parking+Stuttgart", "https://www.google.com/search?q=Berliner+Str+1+parking+Esslingen", "https://www.google.com/search?q=Schumanstrasse+1+parking+Norderstedt", "https://www.google.com/search?q=Ernst+Thalmann+Strasse+42+parking+Furstenwalde+Spree", "https://www.google.com/search?q=Altstadter+Kirchenweg+2+parking+Pforzheim", "https://www.google.com/search?q=Kiehnlestrasse+25+parking+Pforzheim", "https://www.google.com/search?q=Deimlingstrasse+5+parking+Pforzheim", "https://www.google.com/search?q=Westerfelde+1+parking+Hamburg", "https://www.google.com/search?q=Wismarsche+Strasse+378+parking+Schwerin", "https://www.google.com/search?q=Museumstrasse+2+parking+Pforzheim", "https://www.google.com/search?q=Georg+Todt+Strasse+21+parking+Kandel", "https://www.google.com/search?q=Goethestrasse+37+parking+Pforzheim", "https://www.google.com/search?q=Maximilianstrasse+12+parking+Worth", "https://www.google.com/search?q=Am+Waisenhausplatz+3+parking+Pforzheim", "https://www.google.com/search?q=Am+Muhlburger+Bahnhof+1+parking+Karlsruhe", "https://www.google.com/search?q=Poststrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Rotebuhlstrasse+171+parking+Stuttgart", "https://www.google.com/search?q=Holtzstrasse+3+parking+Karlsruhe", "https://www.google.com/search?q=Am+Waisenhausplatz+12+parking+Pforzheim", "https://www.google.com/search?q=Kurzheckweg+8+parking+Karlsruhe", "https://www.google.com/search?q=Kolbstrasse+5+7+parking+Stuttgart", "https://www.google.com/search?q=L+540+parking+Worth", "https://www.google.com/search?q=Deimlingstrasse+36+parking+Pforzheim", "https://www.google.com/search?q=Kunzendorfer+Str+14+parking+Worth", "https://www.google.com/search?q=Zerrennerstrasse+28+parking+Pforzheim", "https://www.google.com/search?q=Zerrennerstrasse+20+parking+Pforzheim", "https://www.google.com/search?q=Badstrasse+2+parking+Pforzheim", "https://www.google.com/search?q=Badstrasse+3+parking+Pforzheim", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Leonberg", "https://www.google.com/search?q=Zerrennerstrasse+51+parking+Pforzheim", "https://www.google.com/search?q=Seedammstrasse+2+parking+Leonberg", "https://www.google.com/search?q=Schwarzwaldstrasse+92+parking+Karlsruhe", "https://www.google.com/search?q=Brauerstrasse+40+parking+Karlsruhe", "https://www.google.com/search?q=Heinrich+Otto+Strasse+3+parking+Reichenbach", "https://www.google.com/search?q=Hauptstrasse+98+parking+Esslingen", "https://www.google.com/search?q=Mohringer+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Altbach", "https://www.google.com/search?q=Steinstrasse+1+parking+Leonberg", "https://www.google.com/search?q=Bahnstrasse+20+parking+Landstuhl", "https://www.google.com/search?q=Bahnstrasse+1+parking+Rehfelde", "https://www.google.com/search?q=Sudendstrasse+44+parking+Karlsruhe", "https://www.google.com/search?q=Hinterm+Hauptbahnhof+6+parking+Karlsruhe", "https://www.google.com/search?q=Ulmer+Str+75+parking+Esslingen", "https://www.google.com/search?q=Wilhelm+Baur+Strasse+8+parking+Karlsruhe", "https://www.google.com/search?q=Victor+Gollancz+Strasse+10+parking+Karlsruhe", "https://www.google.com/search?q=Muhlstrasse+5+parking+Leonberg", "https://www.google.com/search?q=Bleichstrasse+27+parking+Pforzheim", "https://www.google.com/search?q=Eisenbahnstrasse+54+parking+Plochingen", "https://www.google.com/search?q=Steinstrasse+18+parking+Leonberg", "https://www.google.com/search?q=Steinstrasse+19+parking+Leonberg", "https://www.google.com/search?q=Bahnstrasse+12+parking+Landstuhl", "https://www.google.com/search?q=Schwarzwaldstrasse+81+parking+Karlsruhe", "https://www.google.com/search?q=Boheimstrasse+37+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+77+parking+Biesenthal", "https://www.google.com/search?q=Ernst+Frey+Strasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Merianstrasse+6+parking+Pforzheim", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Leonberg", "https://www.google.com/search?q=Jahnstrasse+112+parking+Stuttgart", "https://www.google.com/search?q=Neukollner+Str+9+parking+Leonberg", "https://www.google.com/search?q=Berliner+Str+9+parking+Leonberg", "https://www.google.com/search?q=Hermann+Veit+Strasse+7+parking+Karlsruhe", "https://www.google.com/search?q=Hermann+Veit+Strasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Georgiiweg+21+parking+Stuttgart", "https://www.google.com/search?q=Neckarstrasse+3+parking+Plochingen", "https://www.google.com/search?q=Eierstrasse+63+parking+Stuttgart", "https://www.google.com/search?q=Leonberger+Str+98+108+parking+Leonberg", "https://www.google.com/search?q=Konigstrassle+3+parking+Stuttgart", "https://www.google.com/search?q=Nellinger+Strasse+111+parking+Stuttgart", "https://www.google.com/search?q=Ladestrasse+9+parking+Hasloh", "https://www.google.com/search?q=Schemppstrasse+85+parking+Stuttgart", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Himmelpforten", "https://www.google.com/search?q=Huperskamp+1+parking+Himmelpforten", "https://www.google.com/search?q=Albert+Braun+Strasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Epplestrasse+22+parking+Stuttgart", "https://www.google.com/search?q=Lindenallee+10+parking+Karlsruhe", "https://www.google.com/search?q=Epplestrasse+40+parking+Stuttgart", "https://www.google.com/search?q=Rathausallee+33+parking+Norderstedt", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+15+parking+Wernau", "https://www.google.com/search?q=Loffelstrasse+10+parking+Stuttgart", "https://www.google.com/search?q=Gerhard+Koch+Strasse+1+parking+Ostfildern", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+9+parking+Wernau", "https://www.google.com/search?q=Herzog+Carl+Strasse+4+parking+Ostfildern", "https://www.google.com/search?q=Bonhoefferstrasse+20+parking+Ostfildern", "https://www.google.com/search?q=Bahnhofstrasse+208+parking+Rutesheim", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Bargteheide", "https://www.google.com/search?q=Eberswalder+Str+4+parking+Melchow", "https://www.google.com/search?q=Ernst+Heinkel+Strasse+2+parking+Ostfildern", "https://www.google.com/search?q=An+Den+Stucken+15+parking+Bargteheide", "https://www.google.com/search?q=Am+Flugpl+14+parking+Strausberg", "https://www.google.com/search?q=Rheinstrasse+44+parking+Hagenbach", "https://www.google.com/search?q=Hamburger+Strasse+10+parking+Tornesch", "https://www.google.com/search?q=Pfaffenwaldring+57+parking+Stuttgart", "https://www.google.com/search?q=Eisenbahnstrasse+2+parking+Karlsbad", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+2+parking+Geislingen", "https://www.google.com/search?q=Muhlenweg+145+parking+Norderstedt", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Geislingen", "https://www.google.com/search?q=Holdermannstrasse+34+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Geislingen", "https://www.google.com/search?q=Messeallee+1+parking+Rheinstetten", "https://www.google.com/search?q=Zusestrasse+30+parking+Stuttgart", "https://www.google.com/search?q=An+Der+Bahn+1+3+parking+Waldbronn", "https://www.google.com/search?q=Heidkampstrasse+19+parking+Quickborn", "https://www.google.com/search?q=Plieninger+Str+100+parking+Stuttgart", "https://www.google.com/search?q=Neuer+Markt+11+parking+Ettlingen", "https://www.google.com/search?q=Helfensteinstrasse+30+parking+Geislingen", "https://www.google.com/search?q=Alte+Bahnhofstrasse+14+parking+Renningen", "https://www.google.com/search?q=Wilhelmstrasse+3+parking+Ettlingen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Ettlingen", "https://www.google.com/search?q=Bachstrasse+3+parking+Stuttgart", "https://www.google.com/search?q=Vaihinger+Markt+10+parking+Stuttgart", "https://www.google.com/search?q=Im+Ferning+54+parking+Ettlingen", "https://www.google.com/search?q=Wollgrasweg+27+parking+Stuttgart", "https://www.google.com/search?q=Altheimer+Str+2+parking+Dillingen", "https://www.google.com/search?q=Schillerstrasse+22+parking+Geislingen", "https://www.google.com/search?q=Schockenriedstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Kapuzinerstrasse+6+parking+Dillingen", "https://www.google.com/search?q=Regens+Wagner+Strasse+4+parking+Dillingen", "https://www.google.com/search?q=Hofweiherweg+2+parking+Dillingen", "https://www.google.com/search?q=Waldburgstrasse+11+parking+Stuttgart", "https://www.google.com/search?q=Torfstrasse+5+parking+Quickborn", "https://www.google.com/search?q=Herrenalber+Str+2+parking+Waldbronn", "https://www.google.com/search?q=Kraichgaustrasse+12+parking+Neuhausen", "https://www.google.com/search?q=Eichwiesenring+11+parking+Stuttgart", "https://www.google.com/search?q=Bleichstrasse+1+2+parking+Dillingen", "https://www.google.com/search?q=Vor+Dem+Lauch+6+parking+Stuttgart", "https://www.google.com/search?q=Renninger+Strasse+53+parking+Renningen", "https://www.google.com/search?q=Renninger+Strasse+55+parking+Renningen", "https://www.google.com/search?q=Hermann+Fein+Strasse+5+parking+Stuttgart", "https://www.google.com/search?q=Calwer+Strasse+27+parking+Renningen", "https://www.google.com/search?q=Rappenworthstrasse+45+parking+Rheinstetten", "https://www.google.com/search?q=Weil+Der+Stadter+Strasse+39+parking+Renningen", "https://www.google.com/search?q=Siegelgrundstrasse+29+parking+Rheinstetten", "https://www.google.com/search?q=Uracher+Strasse+40+parking+Kirchheim", "https://www.google.com/search?q=Steigstrasse+1+parking+Stuttgart", "https://www.google.com/search?q=Plochinger+Strasse+36+parking+Kirchheim", "https://www.google.com/search?q=Vollmersweilerer+Str+6+parking+Worth", "https://www.google.com/search?q=Rathausstrasse+3+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Neuburg", "https://www.google.com/search?q=Turmstrasse+2+parking+Kirchheim", "https://www.google.com/search?q=Fasanenweg+6+8+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=L+1192+parking+Stuttgart", "https://www.google.com/search?q=Alleenstrasse+1+3+parking+Kirchheim", "https://www.google.com/search?q=Holderackerweg+6+parking+Karlsbad", "https://www.google.com/search?q=Desco+Strasse+5+parking+Karlsbad", "https://www.google.com/search?q=Flughafenstrasse+32+parking+Stuttgart", "https://www.google.com/search?q=Flughafenstrasse+32+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Flughafenstrasse+51+parking+Stuttgart", "https://www.google.com/search?q=Eugen+Gerstenmaier+Platz+1+parking+Kirchheim", "https://www.google.com/search?q=Wilhelm+Haas+Strasse+6+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Flughafenstrasse+50+parking+Stuttgart", "https://www.google.com/search?q=Esslinger+Str+11+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Wilhelm+Haas+Strasse+2+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Elfenhagen+62+parking+Norderstedt", "https://www.google.com/search?q=Richtweg+12+parking+Ellerau", "https://www.google.com/search?q=Filderbahnstrasse+28+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Seestrasse+40+parking+Ettlingen", "https://www.google.com/search?q=Bachstrasse+33+parking+Rheinstetten", "https://www.google.com/search?q=Max+Lang+Strasse+36+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Enzianstrasse+1+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Leinfelder+Str+20+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Obere+Bachstrasse+25+parking+Filderstadt", "https://www.google.com/search?q=Merkurstrasse+1+parking+Rheinstetten", "https://www.google.com/search?q=Filderbahnstrasse+14+parking+Filderstadt", "https://www.google.com/search?q=Bahnhofstrasse+21+parking+Karlsbad", "https://www.google.com/search?q=Eisenbahnstrasse+23+parking+Weil", "https://www.google.com/search?q=Hauptstrasse+29+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Hauptstrasse+24+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Ludwigstrasse+3+parking+Berg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Weil", "https://www.google.com/search?q=Eisenbahnstrasse+2+parking+Weil", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Weil", "https://www.google.com/search?q=Raimund+Wolf+Weg+1+parking+Weil", "https://www.google.com/search?q=Talstrasse+49+parking+Sindelfingen", "https://www.google.com/search?q=Kranichstrasse+1+parking+Henstedt+Ulzburg", "https://www.google.com/search?q=Mahdentalstrasse+68+parking+Sindelfingen", "https://www.google.com/search?q=L+545+parking+Steinfeld", "https://www.google.com/search?q=Triftstrasse+32+parking+Durmersheim", "https://www.google.com/search?q=Raiffeisenstrasse+18+parking+Filderstadt", "https://www.google.com/search?q=Eisenbahnstrasse+50+parking+Dettingen", "https://www.google.com/search?q=Flamweg+1+parking+Elmshorn", "https://www.google.com/search?q=Julius+Leber+Strasse+4+parking+Elmshorn", "https://www.google.com/search?q=Holstenplatz+8+parking+Elmshorn", "https://www.google.com/search?q=Plochinger+Strasse+29+parking+Nurtingen", "https://www.google.com/search?q=Kleiststrasse+1+parking+Elmshorn", "https://www.google.com/search?q=Plochinger+Strasse+14+parking+Nurtingen", "https://www.google.com/search?q=Europastrasse+7+parking+Nurtingen", "https://www.google.com/search?q=Albtalstrasse+5+parking+Marxzell", "https://www.google.com/search?q=B+212+parking+Bremerhaven", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Durmersheim", "https://www.google.com/search?q=Am+Alten+Hafen+118+parking+Bremerhaven", "https://www.google.com/search?q=Hermann+Henrich+Meier+Strasse+6+parking+Bremerhaven", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Varel", "https://www.google.com/search?q=Bleichergang+1+parking+Bad", "https://www.google.com/search?q=Rampenstrasse+16+parking+Bremerhaven", "https://www.google.com/search?q=Schultwiete+8+10+parking+Bad", "https://www.google.com/search?q=Blankenseer+Str+101+parking+Lubeck", "https://www.google.com/search?q=Hamburger+Strasse+57+parking+Henstedt+Ulzburg", "https://www.google.com/search?q=Lubecker+Str+21+parking+Bad", "https://www.google.com/search?q=Querstrasse+3+parking+Bremerhaven", "https://www.google.com/search?q=Wolfgang+Brumme+Allee+18+parking+Boblingen", "https://www.google.com/search?q=Stuttgarter+Str+1+parking+Boblingen", "https://www.google.com/search?q=Pferdemarkt+9+parking+Bad", "https://www.google.com/search?q=Talstrasse+25+parking+Boblingen", "https://www.google.com/search?q=Stadtgrabenstrasse+20+parking+Boblingen", "https://www.google.com/search?q=Falkenberger+Str+1+parking+Briesen", "https://www.google.com/search?q=Tubinger+Str+22+parking+Boblingen", "https://www.google.com/search?q=Kreloh+5+parking+Langeln", "https://www.google.com/search?q=Georg+Alber+Strasse+3+5+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Schrobenhausen", "https://www.google.com/search?q=Otto+Eckerle+Strasse+6+parking+Malsch", "https://www.google.com/search?q=Regensburger+Str+6+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Malsch", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Malsch", "https://www.google.com/search?q=St+Georgs+Platz+1+parking+Schrobenhausen", "https://www.google.com/search?q=Lenbachstrasse+19+parking+Schrobenhausen", "https://www.google.com/search?q=Rosenstrasse+17+parking+Klein", "https://www.google.com/search?q=Geiselhoringer+Strasse+9+parking+Straubing", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+34+parking+Schrobenhausen", "https://www.google.com/search?q=Eichendorffstrasse+12+parking+Schrobenhausen", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+47+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Barmstedt", "https://www.google.com/search?q=Bahnhofpl+13+parking+Straubing", "https://www.google.com/search?q=Bahnhofplatz+11+13+parking+Straubing", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Frickenhausen", "https://www.google.com/search?q=Bahnhofstrasse+21+parking+Reinfeld", "https://www.google.com/search?q=Avenue+de+La+Gare+12+parking+Wissembourg", "https://www.google.com/search?q=Lessingstrasse+13+parking+Grossbettlingen", "https://www.google.com/search?q=Industriestrasse+42+parking+otigheim", "https://www.google.com/search?q=Hauptstrasse+5+parking+Jacobsdorf", "https://www.google.com/search?q=Horstheider+Weg+147+parking+Horst", "https://www.google.com/search?q=Buhlallee+7+parking+Ehningen", "https://www.google.com/search?q=Haggasse+6+parking+Calw", "https://www.google.com/search?q=Brauerstrasse+13+parking+Kaltenkirchen", "https://www.google.com/search?q=Parkstrasse+4+parking+Lenningen", "https://www.google.com/search?q=Bischofstrasse+10+parking+Calw", "https://www.google.com/search?q=Norderstrasse+4+parking+Kaltenkirchen", "https://www.google.com/search?q=Unter+Den+Felsen+4+parking+Bad", "https://www.google.com/search?q=Muhlendamm+24+parking+Lubeck", "https://www.google.com/search?q=Musterbahn+8+19+parking+Lubeck", "https://www.google.com/search?q=Muhlenbrucke+2+parking+Lubeck", "https://www.google.com/search?q=Grosser+Bauhof+14+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Wakendorf", "https://www.google.com/search?q=Parade+1+5+parking+Lubeck", "https://www.google.com/search?q=Obere+Bachstrasse+2+parking+Weil", "https://www.google.com/search?q=Marlesgrube+18+30+parking+Lubeck", "https://www.google.com/search?q=Possehlstrasse+1+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Bempflingen", "https://www.google.com/search?q=An+Der+Obertrave+16+parking+Lubeck", "https://www.google.com/search?q=Aegidienstrasse+7+parking+Lubeck", "https://www.google.com/search?q=Am+Guterbahnhof+10+parking+Lubeck", "https://www.google.com/search?q=Moislinger+Allee+5+parking+Lubeck", "https://www.google.com/search?q=Huxterdamm+3+parking+Lubeck", "https://www.google.com/search?q=Schmiedestrasse+17+29+parking+Lubeck", "https://www.google.com/search?q=Am+Guterbahnhof+2+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Dettenhausen", "https://www.google.com/search?q=Lindenpl+8+parking+Lubeck", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+6+parking+Lubeck", "https://www.google.com/search?q=Schusselbuden+20+parking+Lubeck", "https://www.google.com/search?q=Willy+Brandt+Allee+6+parking+Lubeck", "https://www.google.com/search?q=Kanalstrasse+80+parking+Lubeck", "https://www.google.com/search?q=Willy+Brandt+Allee+5+parking+Lubeck", "https://www.google.com/search?q=Beckergrube+29+57+parking+Lubeck", "https://www.google.com/search?q=Falkenstrasse+27+parking+Lubeck", "https://www.google.com/search?q=Breite+Str+18+28+parking+Lubeck", "https://www.google.com/search?q=Kuranlagenallee+2+parking+Bad", "https://www.google.com/search?q=Panoramastrasse+2+parking+Bad", "https://www.google.com/search?q=Kanalstrasse+70+parking+Lubeck", "https://www.google.com/search?q=Baetznerstrasse+90+parking+Bad", "https://www.google.com/search?q=Kernerstrasse+39+parking+Bad", "https://www.google.com/search?q=Willy+Brandt+Allee+21+parking+Lubeck", "https://www.google.com/search?q=Kanalstrasse+1+5+parking+Lubeck", "https://www.google.com/search?q=Grosse+Burgstrasse+4+39+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Gartringen", "https://www.google.com/search?q=Stuttgarter+Strasse+15+parking+Gartringen", "https://www.google.com/search?q=Ingolstadter+Str+76+parking+Pfaffenhofen", "https://www.google.com/search?q=Roeckstrasse+1+5+parking+Lubeck", "https://www.google.com/search?q=Am+Burgfeld+3+12+parking+Lubeck", "https://www.google.com/search?q=Niederwaldstrasse+21+parking+Rastatt", "https://www.google.com/search?q=Ingolstadter+Str+72+74+parking+Pfaffenhofen", "https://www.google.com/search?q=Steinmetzstrasse+5+parking+Rastatt", "https://www.google.com/search?q=Am+Schlossplatz+7+parking+Rastatt", "https://www.google.com/search?q=Turltorstrasse+46+parking+Pfaffenhofen", "https://www.google.com/search?q=Rauentaler+Strasse+1+parking+Rastatt", "https://www.google.com/search?q=Schlachthofstrasse+11+parking+Pfaffenhofen", "https://www.google.com/search?q=Kellerstrasse+17+parking+Pfaffenhofen", "https://www.google.com/search?q=Kaiserstrasse+50+parking+Rastatt", "https://www.google.com/search?q=Hauptpl+30+parking+Pfaffenhofen", "https://www.google.com/search?q=Sternenstrasse+18+parking+Rastatt", "https://www.google.com/search?q=Stadtgraben+3+parking+Pfaffenhofen", "https://www.google.com/search?q=Hauptpl+31+parking+Pfaffenhofen", "https://www.google.com/search?q=Auenstrasse+7+parking+Pfaffenhofen", "https://www.google.com/search?q=Stadtgraben+13+parking+Pfaffenhofen", "https://www.google.com/search?q=Kapellenstrasse+20+parking+Rastatt", "https://www.google.com/search?q=Dreherstrasse+1+parking+Rastatt", "https://www.google.com/search?q=Kaiserstrasse+10+parking+Rastatt", "https://www.google.com/search?q=Schulstrasse+3+5+parking+Pfaffenhofen", "https://www.google.com/search?q=Joseph+Fraunhofer+Strasse+10+parking+Pfaffenhofen", "https://www.google.com/search?q=Friedrichring+11+13+parking+Rastatt", "https://www.google.com/search?q=Am+Grun+14+parking+Rastatt", "https://www.google.com/search?q=Am+Grun+2+parking+Rastatt", "https://www.google.com/search?q=Eisenbahnstrasse+8+parking+Gaggenau", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Pfaffenhofen", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Westerhorn", "https://www.google.com/search?q=Munchener+Str+12+parking+Pfaffenhofen", "https://www.google.com/search?q=Schrobenhausener+Str+1+parking+Pfaffenhofen", "https://www.google.com/search?q=Munchener+Str+80+parking+Hettenshausen", "https://www.google.com/search?q=Munchener+Str+84+parking+Hettenshausen", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Lentfohrden", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Neuengors", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Nufringen", "https://www.google.com/search?q=Herrenberger+Strasse+41+parking+Nufringen", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Aichach", "https://www.google.com/search?q=Am+Bahnhof+99+parking+Bad", "https://www.google.com/search?q=Badgasschen+4+parking+Aichach", "https://www.google.com/search?q=Knollerweg+6+parking+Aichach", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Wriezen", "https://www.google.com/search?q=Ebertstrasse+23+parking+Wilhelmshaven", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Wilhelmshaven", "https://www.google.com/search?q=B+462+parking+Gernsbach", "https://www.google.com/search?q=Birkenweg+20+parking+Bad", "https://www.google.com/search?q=B+3+parking+Baden+Baden", "https://www.google.com/search?q=Buchbergstrasse+100+parking+Neu+Ulm", "https://www.google.com/search?q=Bronntor+2+parking+Herrenberg", "https://www.google.com/search?q=Tubinger+Str+36+parking+Herrenberg", "https://www.google.com/search?q=Kalkofenstrasse+51+parking+Herrenberg", "https://www.google.com/search?q=Bofinger+Strasse+50+parking+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Herrenberg", "https://www.google.com/search?q=Gartenstrasse+27+parking+Gernsbach", "https://www.google.com/search?q=Wichernstrasse+5+parking+Ulm", "https://www.google.com/search?q=Wilhelm+Nagel+Strasse+16+parking+Herrenberg", "https://www.google.com/search?q=Rosengasse+21+parking+Ulm", "https://www.google.com/search?q=Olgastrasse+63+parking+Ulm", "https://www.google.com/search?q=Hoheschulgasse+3+parking+Ulm", "https://www.google.com/search?q=Salzstadelgasse+14+parking+Ulm", "https://www.google.com/search?q=Wahlstedter+Strasse+12+parking+Fahrenkrug", "https://www.google.com/search?q=Bahnhofplatz+2+parking+Ulm", "https://www.google.com/search?q=Bahnhofpl+2+parking+Ulm", "https://www.google.com/search?q=Bahnhofplatz+1+parking+Ulm", "https://www.google.com/search?q=Schnarrenbergstrasse+158+parking+Tubingen", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Ulm", "https://www.google.com/search?q=Bahnhof+1+parking+Gusow+Platkow", "https://www.google.com/search?q=Ooser+Bahnhofstrasse+5+parking+Baden+Baden", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+8+parking+Ulm", "https://www.google.com/search?q=Neue+Str+60+parking+Ulm", "https://www.google.com/search?q=Mohlstrasse+36+parking+Tubingen", "https://www.google.com/search?q=Schwilmengasse+5+parking+Ulm", "https://www.google.com/search?q=Insel+14+parking+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Reutlingen", "https://www.google.com/search?q=Meininger+Allee+17+parking+Neu+Ulm", "https://www.google.com/search?q=Hoppe+Seyler+Strasse+2+parking+Tubingen", "https://www.google.com/search?q=Schulstrasse+24+parking+Reutlingen", "https://www.google.com/search?q=Gutenbergstrasse+17+parking+Baden+Baden", "https://www.google.com/search?q=Hermann+Kohl+Strasse+171+parking+Neu+Ulm", "https://www.google.com/search?q=Otfried+Muller+Strasse+31+parking+Tubingen", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Neu+Ulm", "https://www.google.com/search?q=Brunnenstrasse+29+parking+Tubingen", "https://www.google.com/search?q=Rontgenweg+2+parking+Tubingen", "https://www.google.com/search?q=Schulstrasse+12+parking+Reutlingen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Neu+Ulm", "https://www.google.com/search?q=Lange+Strasse+77+parking+Baden+Baden", "https://www.google.com/search?q=Ortenaustrasse+16+parking+Baden+Baden", "https://www.google.com/search?q=Vincentistrasse+4+parking+Baden+Baden", "https://www.google.com/search?q=Dahlmannstrasse+25+parking+Wismar", "https://www.google.com/search?q=Herrenberger+Strasse+2+parking+Tubingen", "https://www.google.com/search?q=Eberhardstrasse+35+parking+Reutlingen", "https://www.google.com/search?q=Am+Stadtgraben+13+parking+Tubingen", "https://www.google.com/search?q=Turnerweg+3+parking+Wismar", "https://www.google.com/search?q=Wallstrasse+1+parking+Wismar", "https://www.google.com/search?q=Kleinschmiedestrasse+11+13+parking+Wismar", "https://www.google.com/search?q=Turmstrasse+17+parking+Wismar", "https://www.google.com/search?q=Dr+Leber+Strasse+9+parking+Wismar", "https://www.google.com/search?q=Stenglinstrasse+2+parking+Augsburg", "https://www.google.com/search?q=St+Marien+Kirchhof+16+parking+Wismar", "https://www.google.com/search?q=Turmstrasse+7+9+parking+Wismar", "https://www.google.com/search?q=Kaiserallee+1+parking+Baden+Baden", "https://www.google.com/search?q=Ulmenstrasse+11+parking+Wismar", "https://www.google.com/search?q=Lichtentaler+Str+39+parking+Baden+Baden", "https://www.google.com/search?q=Ludwig+Wilhelm+Platz+4+parking+Baden+Baden", "https://www.google.com/search?q=Schiffbauerdamm+1+parking+Wismar", "https://www.google.com/search?q=Steinenbergstrasse+31+parking+Reutlingen", "https://www.google.com/search?q=Steinenbergstrasse+35+parking+Reutlingen", "https://www.google.com/search?q=Reutlinger+Strasse+5+parking+Tubingen", "https://www.google.com/search?q=Bei+Den+Pferdestallen+11+parking+Tubingen", "https://www.google.com/search?q=Hegelstrasse+1+parking+Tubingen", "https://www.google.com/search?q=Am+Flugplatz+1001+parking+Wahlstedt", "https://www.google.com/search?q=Falkenstrasse+4+parking+Baden+Baden", "https://www.google.com/search?q=Wasserstrasse+1+parking+Wismar", "https://www.google.com/search?q=Kopenhagener+Strasse+3+parking+Wismar", "https://www.google.com/search?q=Egginger+Weg+40+parking+Ulm", "https://www.google.com/search?q=Auf+Dem+Baggersand+15+parking+Lubeck", "https://www.google.com/search?q=Auf+Dem+Baggersand+1+parking+Lubeck", "https://www.google.com/search?q=Katharinenstrasse+14+parking+Tubingen", "https://www.google.com/search?q=Poeler+Strasse+4+parking+Wismar", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Gaufelden", "https://www.google.com/search?q=Kurgartenstrasse+4+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Gaufelden", "https://www.google.com/search?q=Muhlbachackerstrasse+5+parking+Tubingen", "https://www.google.com/search?q=Vogteistrasse+3+parking+Lubeck", "https://www.google.com/search?q=Rose+10+parking+Lubeck", "https://www.google.com/search?q=Vogteistrasse+50+parking+Lubeck", "https://www.google.com/search?q=Am+Lotsenberg+2+parking+Lubeck", "https://www.google.com/search?q=Trelleborgallee+2+parking+Lubeck", "https://www.google.com/search?q=Aussenallee+6+parking+Lubeck", "https://www.google.com/search?q=Am+Lotsenberg+16+parking+Lubeck", "https://www.google.com/search?q=Am+Leuchtenfeld+1+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+35+parking+Wiemersdorf", "https://www.google.com/search?q=Industriestrasse+10+parking+Sinzheim", "https://www.google.com/search?q=Godewind+8+parking+Lubeck", "https://www.google.com/search?q=Am+Fahrenberg+23+parking+Lubeck", "https://www.google.com/search?q=Viktoriastrasse+3+parking+Augsburg", "https://www.google.com/search?q=Schaezlerstrasse+9+parking+Augsburg", "https://www.google.com/search?q=Backbord+35+parking+Lubeck", "https://www.google.com/search?q=Kaiserallee+40+parking+Lubeck", "https://www.google.com/search?q=Kowitzberg+11+parking+Lubeck", "https://www.google.com/search?q=Hans+Thoma+Strasse+44+parking+Sinzheim", "https://www.google.com/search?q=Victoria+Boulevard+B+109+parking+Rheinmunster", "https://www.google.com/search?q=L+80+parking+Sinzheim", "https://www.google.com/search?q=Schifferstrasse+1+parking+Forbach", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Altomunster", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Grossenaspe", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Petershausen", "https://www.google.com/search?q=Summersite+Avenue+C+207+parking+Rheinmunster", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Rickling", "https://www.google.com/search?q=Calwer+Str+5+parking+Nagold", "https://www.google.com/search?q=Unterm+Wehr+19+parking+Nagold", "https://www.google.com/search?q=Turmstrasse+28+parking+Nagold", "https://www.google.com/search?q=Bahnhofstrasse+36+parking+Bondorf", "https://www.google.com/search?q=Weihergassle+1+parking+Nagold", "https://www.google.com/search?q=Nagold+Wackenhut+47+parking+Nagold", "https://www.google.com/search?q=Meisterweg+9+parking+Nagold", "https://www.google.com/search?q=B+28+parking+Nagold", "https://www.google.com/search?q=Sprollstrasse+6+parking+Rottenburg", "https://www.google.com/search?q=St+Martin+Strasse+2+parking+Erdweg", "https://www.google.com/search?q=Burggraben+18+parking+Rottenburg", "https://www.google.com/search?q=Schutte+12+parking+Rottenburg", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Rottenburg", "https://www.google.com/search?q=Sauerbruchstrasse+6+parking+Augsburg", "https://www.google.com/search?q=Bahnhofpl+2+parking+Markt", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Vierkirchen", "https://www.google.com/search?q=Schlossstrasse+29+parking+Vierkirchen", "https://www.google.com/search?q=Indersdorfer+Str+39+parking+Vierkirchen", "https://www.google.com/search?q=Am+Kuhberg+19+parking+Schwabhausen", "https://www.google.com/search?q=Alois+Steinecker+Strasse+20+parking+Freising", "https://www.google.com/search?q=Karl+Berger+Strasse+3+parking+Buhl", "https://www.google.com/search?q=Sonnenstrasse+27+parking+Freising", "https://www.google.com/search?q=Am+Worth+11+parking+Freising", "https://www.google.com/search?q=Hauptstrasse+21+parking+Odelzhausen", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Rohrmoos", "https://www.google.com/search?q=Rue+Du+Puits+2+parking+Haguenau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Rohrmoos", "https://www.google.com/search?q=Inzemooser+Str+1+parking+Rohrmoos", "https://www.google.com/search?q=Rue+de+La+Vieille+ile+2+parking+Haguenau", "https://www.google.com/search?q=Kornhausgasse+6+parking+Ehingen", "https://www.google.com/search?q=Gymnasiumstrasse+17+19+parking+Ehingen", "https://www.google.com/search?q=Am+Viehmarkt+10+parking+Ehingen", "https://www.google.com/search?q=Lindenstrasse+48+parking+Ehingen", "https://www.google.com/search?q=Hehlestrasse+1+parking+Ehingen", "https://www.google.com/search?q=Bucksgassle+9+parking+Ehingen", "https://www.google.com/search?q=Tuchergasse+40+parking+Ehingen", "https://www.google.com/search?q=Stadtwirtsgassle+2+parking+Ehingen", "https://www.google.com/search?q=Hopfenhausstrasse+2+parking+Ehingen", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Schwabhausen", "https://www.google.com/search?q=Munchener+Str+30+parking+Schwabhausen", "https://www.google.com/search?q=St+2054+parking+Sulzemoos", "https://www.google.com/search?q=Nordallee+29+parking+Munchen+Flughafen", "https://www.google.com/search?q=Sudallee+15+parking+Munchen+Flughafen", "https://www.google.com/search?q=Nordallee+25+parking+Munchen", "https://www.google.com/search?q=Florianstrasse+15+parking+Horb", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+1+parking+Bergkirchen", "https://www.google.com/search?q=Walpertshofener+Str+10+parking+Hebertshausen", "https://www.google.com/search?q=Gutermannstrasse+7+parking+Horb", "https://www.google.com/search?q=Wintergasse+4+parking+Horb", "https://www.google.com/search?q=Neckarstrasse+34+parking+Horb", "https://www.google.com/search?q=Bahnhofstrasse+56+parking+Neufahrn", "https://www.google.com/search?q=Schillerstrasse+35+parking+Horb", "https://www.google.com/search?q=Bahnhofpl+2+parking+Horb", "https://www.google.com/search?q=Eichenstrasse+4+parking+Oberding", "https://www.google.com/search?q=Isenburger+Str+5+parking+Horb", "https://www.google.com/search?q=Berliner+Strasse+49+parking+Achern", "https://www.google.com/search?q=Lilienthalstrasse+1+3+parking+Hallbergmoos", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Alt+nenberg", "https://www.google.com/search?q=Morez+Strasse+6+parking+Achern", "https://www.google.com/search?q=Ludwigstrasse+14+parking+Hallbergmoos", "https://www.google.com/search?q=Munchner+Str+11+parking+Neufahrn", "https://www.google.com/search?q=Kirchstrasse+43+parking+Achern", "https://www.google.com/search?q=Dresdener+Str+2+parking+Eching", "https://www.google.com/search?q=Freisinger+Str+80+parking+Oberding", "https://www.google.com/search?q=Jahnstrasse+1+parking+Achern", "https://www.google.com/search?q=Spitalstrasse+1+parking+Achern", "https://www.google.com/search?q=Kapellenstrasse+44+parking+Achern", "https://www.google.com/search?q=Dr+Hiller+Strasse+34+parking+Dachau", "https://www.google.com/search?q=Nordliche+Ingolstadter+Str+24+parking+Unterschleissheim", "https://www.google.com/search?q=Hollerner+Weg+1+parking+Unterschleissheim", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Hattenhofen", "https://www.google.com/search?q=Bahnhofspl+6+parking+Hattenhofen", "https://www.google.com/search?q=Burgermeister+Zauner+Ring+2+parking+Dachau", "https://www.google.com/search?q=Alte+Romerstrasse+62+parking+Dachau", "https://www.google.com/search?q=Kurfurst+Max+Emanuel+Platz+2+parking+Dachau", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+17+parking+Dachau", "https://www.google.com/search?q=Am+Kuhberg+3+parking+Dachau", "https://www.google.com/search?q=Schleissheimer+Strasse+1+parking+Dachau", "https://www.google.com/search?q=Ludwig+Dill+Strasse+58+parking+Dachau", "https://www.google.com/search?q=Munchner+Str+32+parking+Dachau", "https://www.google.com/search?q=Pegasusstrasse+6+parking+Unterschleissheim", "https://www.google.com/search?q=Robert+Schuman+Strasse+1+parking+Unterschleissheim", "https://www.google.com/search?q=Obere+Moosschwaigestrasse+11+parking+Dachau", "https://www.google.com/search?q=Salzburger+Strasse+11+parking+Dachau", "https://www.google.com/search?q=Schlossbergstrasse+38+parking+Mammendorf", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Mammendorf", "https://www.google.com/search?q=Eduard+Ziegler+Strasse+2+parking+Dachau", "https://www.google.com/search?q=Schinderkreppe+1+parking+Dachau", "https://www.google.com/search?q=Burgermeister+Bals+Strasse+17+parking+Maisach", "https://www.google.com/search?q=Grobenrieder+Strasse+81+parking+Dachau", "https://www.google.com/search?q=Feierabendstrasse+41+parking+Oberschleissheim", "https://www.google.com/search?q=Herrenstrasse+1+parking+Maisach", "https://www.google.com/search?q=Lindacher+Str+2+parking+Maisach", "https://www.google.com/search?q=Hermann+Lons+Strasse+9+10+parking+Maisach", "https://www.google.com/search?q=Heinestrasse+9+parking+Maisach", "https://www.google.com/search?q=Ringstrasse+4+parking+Olching", "https://www.google.com/search?q=Am+Harlesiel+1+parking+Wittmund", "https://www.google.com/search?q=Lebzelterstrasse+2+parking+Erding", "https://www.google.com/search?q=Giessereistrasse+3+parking+Erding", "https://www.google.com/search?q=Am+Muhlgraben+4+parking+Erding", "https://www.google.com/search?q=Boltzmannstrasse+12+parking+Garching", "https://www.google.com/search?q=Feursstrasse+2+parking+Olching", "https://www.google.com/search?q=Pferdeschwemmgasse+2+parking+Erding", "https://www.google.com/search?q=Dorfener+Str+15+parking+Erding", "https://www.google.com/search?q=Am+Bahnhof+22+parking+Erding", "https://www.google.com/search?q=Daimlerstrasse+5+parking+Garching", "https://www.google.com/search?q=Daimlerstrasse+2+parking+Garching", "https://www.google.com/search?q=Bahnhofstrasse+34+parking+Erding", "https://www.google.com/search?q=Zum+Schwabenbachl+39+parking+Munchen", "https://www.google.com/search?q=St+2031+parking+Altenstadt", "https://www.google.com/search?q=Eversbuschstrasse+261+parking+Munchen", "https://www.google.com/search?q=Sonnenweg+5+6+parking+Grobenzell", "https://www.google.com/search?q=Grobenbachstrasse+3+parking+Grobenzell", "https://www.google.com/search?q=Dulferstrasse+69+parking+Munchen", "https://www.google.com/search?q=Pretzener+Str+2+parking+Erding", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+3+parking+Furstenfeldbruck", "https://www.google.com/search?q=Schleissheimer+Str+506+parking+Munchen", "https://www.google.com/search?q=Karolinenweg+5+parking+Ismaning", "https://www.google.com/search?q=Werner+Heisenberg+Allee+25+parking+Munchen", "https://www.google.com/search?q=Kurt+Huber+Ring+5+parking+Furstenfeldbruck", "https://www.google.com/search?q=Schweigerstrasse+2+parking+Ismaning", "https://www.google.com/search?q=Lochhauser+Str+3+parking+Puchheim", "https://www.google.com/search?q=Allinger+Str+1+parking+Puchheim", "https://www.google.com/search?q=Lochhausener+Str+215+parking+Munchen", "https://www.google.com/search?q=Henschelstrasse+8+parking+Munchen", "https://www.google.com/search?q=Knorrstrasse+166+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+99+parking+Schongeising", "https://www.google.com/search?q=Untermenzinger+Str+1+parking+Munchen", "https://www.google.com/search?q=Moosacher+Str+90+parking+Munchen", "https://www.google.com/search?q=Moosacher+Str+98+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+421+parking+Munchen", "https://www.google.com/search?q=Tubinger+Strasse+68+parking+Balingen", "https://www.google.com/search?q=Lilienthalallee+29+parking+Munchen", "https://www.google.com/search?q=Pelkovenstrasse+145+parking+Munchen", "https://www.google.com/search?q=Ed+4+parking+Worth", "https://www.google.com/search?q=Pelkovenstrasse+155+parking+Munchen", "https://www.google.com/search?q=Albrechtstrasse+31+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+56+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+42+parking+Balingen", "https://www.google.com/search?q=Olgastrasse+23+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+113+parking+Grafrath", "https://www.google.com/search?q=Karlstrasse+6+parking+Balingen", "https://www.google.com/search?q=Klausenweg+20+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+99+parking+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Balingen", "https://www.google.com/search?q=Tubinger+Strasse+1+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Grafrath", "https://www.google.com/search?q=Helene+Mayer+Ring+3+parking+Munchen", "https://www.google.com/search?q=Bergsonstrasse+117+parking+Munchen", "https://www.google.com/search?q=Hirschbergstrasse+38+parking+Balingen", "https://www.google.com/search?q=Hirschbergstrasse+32+parking+Balingen", "https://www.google.com/search?q=Charlottenstrasse+27+parking+Balingen", "https://www.google.com/search?q=Wilhelmstrasse+26+parking+Balingen", "https://www.google.com/search?q=Eyachstrasse+29+parking+Balingen", "https://www.google.com/search?q=Lerchenauer+Str+57+parking+Munchen", "https://www.google.com/search?q=Froschstrasse+14+parking+Balingen", "https://www.google.com/search?q=Froschstrasse+15+parking+Balingen", "https://www.google.com/search?q=Georg+Bohmer+Strasse+24+parking+Munchen", "https://www.google.com/search?q=Orpheusstrasse+1+parking+Munchen", "https://www.google.com/search?q=Spiridon+Louis+Ring+15+parking+Munchen", "https://www.google.com/search?q=Heinzlenstrasse+30+parking+Balingen", "https://www.google.com/search?q=Heinzlenstrasse+13+parking+Balingen", "https://www.google.com/search?q=Ungererstrasse+216+parking+Munchen", "https://www.google.com/search?q=Route+de+La+Wantzenau+319+parking+Hoenheim", "https://www.google.com/search?q=Spiridon+Louis+Ring+3+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+21+parking+Unterfohring", "https://www.google.com/search?q=Wilhelmstrasse+55+parking+Balingen", "https://www.google.com/search?q=Lyonel+Feininger+Strasse+20+parking+Munchen", "https://www.google.com/search?q=Toni+Merkens+Weg+8+parking+Munchen", "https://www.google.com/search?q=Berliner+Str+93+parking+Munchen", "https://www.google.com/search?q=Leopoldstrasse+184+parking+Munchen", "https://www.google.com/search?q=Theodor+Dombart+Strasse+4+parking+Munchen", "https://www.google.com/search?q=Haberlandstrasse+59+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Turkenfeld", "https://www.google.com/search?q=Bodenseestrasse+322+parking+Munchen", "https://www.google.com/search?q=Birkenweg+1+parking+Turkenfeld", "https://www.google.com/search?q=Raiffeisenstrasse+11+parking+Ottenhofen", "https://www.google.com/search?q=Marschallstrasse+1+parking+Munchen", "https://www.google.com/search?q=Wormser+Str+4+parking+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+41+parking+Germering", "https://www.google.com/search?q=Rue+Jean+Monnet+9+parking+Schiltigheim", "https://www.google.com/search?q=Occamstrasse+20+parking+Munchen", "https://www.google.com/search?q=Therese+Giehse+Platz+6+parking+Germering", "https://www.google.com/search?q=Allee+Rene+Cassin+2+parking+Strasbourg", "https://www.google.com/search?q=Maffeistrasse+29+parking+Germering", "https://www.google.com/search?q=Feilitzschstrasse+8+parking+Munchen", "https://www.google.com/search?q=Franzstrasse+1+parking+Munchen", "https://www.google.com/search?q=Bahnhofpl+12+parking+Germering", "https://www.google.com/search?q=Donnersbergerstrasse+5+parking+Munchen", "https://www.google.com/search?q=Sudendstrasse+3+parking+Germering", "https://www.google.com/search?q=P+R+Rives+de+L'Aar+6+parking+Strasbourg", "https://www.google.com/search?q=Allee+Spach+8+parking+Strasbourg", "https://www.google.com/search?q=Landshuter+Allee+4+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Tivoli+34+parking+Strasbourg", "https://www.google.com/search?q=Turkenstrasse+84+parking+Munchen", "https://www.google.com/search?q=Richelstrasse+1+parking+Munchen", "https://www.google.com/search?q=Marsstrasse+43+parking+Munchen", "https://www.google.com/search?q=Hopfenstrasse+6+parking+Munchen", "https://www.google.com/search?q=Gotthardstrasse+46+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+21+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+17+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+17+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+15+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+13+parking+Munchen", "https://www.google.com/search?q=Landsberger+Str+79+parking+Munchen", "https://www.google.com/search?q=Elsenheimerstrasse+57+parking+Munchen", "https://www.google.com/search?q=Rosenkavalierplatz+18+parking+Munchen", "https://www.google.com/search?q=Hirtenstrasse+14+parking+Munchen", "https://www.google.com/search?q=Elisenstrasse+4+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Gilching", "https://www.google.com/search?q=Angerfeldstrasse+2+parking+Gilching", "https://www.google.com/search?q=Arabellastrasse+9+parking+Munchen", "https://www.google.com/search?q=Luitpoldstrasse+3+parking+Munchen", "https://www.google.com/search?q=Enzensbergerstrasse+13+parking+Markt", "https://www.google.com/search?q=Arabellastrasse+17+parking+Munchen", "https://www.google.com/search?q=Jungfernturmstrasse+3+parking+Munchen", "https://www.google.com/search?q=Bahnhofpl+2+parking+Munchen", "https://www.google.com/search?q=Munterstrasse+1+parking+Markt", "https://www.google.com/search?q=Bayerstrasse+45+parking+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+113+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+1+parking+Munchen", "https://www.google.com/search?q=Bayerstrasse+2+parking+Munchen", "https://www.google.com/search?q=Rue+de+Londres+5+parking+Strasbourg", "https://www.google.com/search?q=Karlspl+6+parking+Munchen", "https://www.google.com/search?q=Goethestrasse+4+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Gilching", "https://www.google.com/search?q=Maxburgstrasse+7+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+6+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+7+parking+Munchen", "https://www.google.com/search?q=Rue+de+Leicester+16+parking+Strasbourg", "https://www.google.com/search?q=Ridlerstrasse+53+parking+Munchen", "https://www.google.com/search?q=Gollierstrasse+6+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+49+51+parking+Markt", "https://www.google.com/search?q=Schwanthalerstrasse+36+parking+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+39+parking+Munchen", "https://www.google.com/search?q=Bavariaring+5+parking+Munchen", "https://www.google.com/search?q=Rond+Point+de+L'Esplanade+2+parking+Strasbourg", "https://www.google.com/search?q=Impasse+de+Bischheim+2+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+Rome+16+parking+Strasbourg", "https://www.google.com/search?q=Max+Joseph+Platz+1+parking+Munchen", "https://www.google.com/search?q=Heimeranstrasse+25+parking+Munchen", "https://www.google.com/search?q=Marstallstrasse+8+parking+Munchen", "https://www.google.com/search?q=Altheimer+Eck+16+parking+Munchen", "https://www.google.com/search?q=Rue+de+Zurich+8+parking+Strasbourg", "https://www.google.com/search?q=Rue+Des+Halles+17+parking+Strasbourg", "https://www.google.com/search?q=Garmischer+Str+19+parking+Munchen", "https://www.google.com/search?q=Herzog+Wilhelm+Strasse+11+parking+Munchen", "https://www.google.com/search?q=A+Quai+Kellermann+1+parking+Strasbourg", "https://www.google.com/search?q=Sparkassenstrasse+10+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Marais+Vert+37+parking+Strasbourg", "https://www.google.com/search?q=Farbergraben+10+parking+Munchen", "https://www.google.com/search?q=Boulevard+Du+President+Wilson+1+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+La+Rotonde+7+parking+Strasbourg", "https://www.google.com/search?q=Ludwig+Bruck+Strasse+3+parking+Munchen", "https://www.google.com/search?q=Landsberger+Str+100+parking+Gilching", "https://www.google.com/search?q=Place+de+L'Homme+de+Fer+16+parking+Strasbourg", "https://www.google.com/search?q=Rindermarkt+16+parking+Munchen", "https://www.google.com/search?q=Hochbruckenstrasse+9+parking+Munchen", "https://www.google.com/search?q=Siegenburger+Strasse+58+parking+Munchen", "https://www.google.com/search?q=Rue+de+La+Rotonde+4+parking+Strasbourg", "https://www.google.com/search?q=Place+Gutenberg+3+parking+Strasbourg", "https://www.google.com/search?q=Oberanger+27+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Fosse+Des+Tanneurs+24+26+parking+Strasbourg", "https://www.google.com/search?q=Route+D'Oberhausbergen+2+parking+Strasbourg", "https://www.google.com/search?q=Place+de+La+Gare+1+parking+Strasbourg", "https://www.google.com/search?q=Pralat+Zistl+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Rue+Des+Boeufs+6+parking+Strasbourg", "https://www.google.com/search?q=Frauenstrasse+38+parking+Munchen", "https://www.google.com/search?q=Route+Du+Rhin+25+parking+Strasbourg", "https://www.google.com/search?q=Place+Saint+Thomas+2+3+parking+Strasbourg", "https://www.google.com/search?q=Route+Du+Rhin+17+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+La+Brigade+Alsace+Lorraine+13+parking+Strasbourg", "https://www.google.com/search?q=Baaderstrasse+6+parking+Munchen", "https://www.google.com/search?q=Friedensstrasse+9+parking+Poing", "https://www.google.com/search?q=Rue+de+La+Porte+de+L'Hopital+3+parking+Strasbourg", "https://www.google.com/search?q=Boulevard+de+Metz+1+parking+Strasbourg", "https://www.google.com/search?q=Innere+Wiener+Strasse+15+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Poing", "https://www.google.com/search?q=Rue+de+La+Porte+de+L'Hopital+29+parking+Strasbourg", "https://www.google.com/search?q=Parsdorfer+Str+5+parking+Poing", "https://www.google.com/search?q=Zellstrasse+4+parking+Munchen", "https://www.google.com/search?q=Bothestrasse+10+parking+Munchen", "https://www.google.com/search?q=Rue+Albert+Calmette+13+parking+Strasbourg", "https://www.google.com/search?q=Rosenheimer+Str+5+parking+Munchen", "https://www.google.com/search?q=Kreuzwinkelstrasse+100+parking+Planegg", "https://www.google.com/search?q=Bahnhofstrasse+44+parking+Planegg", "https://www.google.com/search?q=Poinger+Str+17+parking+Kirchheim", "https://www.google.com/search?q=Hochstrasse+3+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+15+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+25+parking+Munchen", "https://www.google.com/search?q=Karl+Hammerschmidt+Strasse+21+parking+Aschheim", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Aschheim", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Kirchheim", "https://www.google.com/search?q=Mittbacher+Str+12+parking+Munchen", "https://www.google.com/search?q=Rosenheimer+Str+15+parking+Munchen", "https://www.google.com/search?q=Rue+de+Rathsamhausen+32+parking+Strasbourg", "https://www.google.com/search?q=Orleansstrasse+87+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+17+parking+Munchen", "https://www.google.com/search?q=Orleansstrasse+81+83+parking+Munchen", "https://www.google.com/search?q=Hochstrasse+15+parking+Munchen", "https://www.google.com/search?q=Place+Du+Schluthfeld+5+parking+Strasbourg", "https://www.google.com/search?q=Hochstrasse+19+parking+Munchen", "https://www.google.com/search?q=Velaskostrasse+4+parking+Feldkirchen", "https://www.google.com/search?q=Raiffeisenstrasse+8+parking+Feldkirchen", "https://www.google.com/search?q=Marchioninistrasse+23+parking+Munchen", "https://www.google.com/search?q=Ohlmullerstrasse+28+parking+Munchen", "https://www.google.com/search?q=Max+Lebsche+Platz+30+parking+Munchen", "https://www.google.com/search?q=Mariahilfpl+42+parking+Munchen", "https://www.google.com/search?q=Friedenstrasse+10+parking+Munchen", "https://www.google.com/search?q=Grafinger+Str+11+parking+Munchen", "https://www.google.com/search?q=Grafinger+Str+6+parking+Munchen", "https://www.google.com/search?q=Route+Des+Romains+96+parking+Strasbourg", "https://www.google.com/search?q=Paul+Henri+Spaak+Strasse+6+parking+Munchen", "https://www.google.com/search?q=An+Der+Grundbreite+10+parking+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Wessling", "https://www.google.com/search?q=Route+de+La+Federation+1+parking+Strasbourg", "https://www.google.com/search?q=Guterstrasse+7+parking+Offenburg", "https://www.google.com/search?q=Kleiststrasse+3+parking+Munchen", "https://www.google.com/search?q=Rue+Eugene+Delacroix+16+parking+Strasbourg", "https://www.google.com/search?q=Rammersweierstrasse+50+parking+Offenburg", "https://www.google.com/search?q=Rosenheimer+Str+145+parking+Munchen", "https://www.google.com/search?q=Anzinger+Str+15+parking+Munchen", "https://www.google.com/search?q=Route+de+Wasselonne+2+parking+Eckbolsheim", "https://www.google.com/search?q=St+Martin+Strasse+120+parking+Munchen", "https://www.google.com/search?q=Helsinkistrasse+3+parking+Munchen", "https://www.google.com/search?q=Bad+Schachener+Strasse+41+parking+Munchen", "https://www.google.com/search?q=Birthalmer+Str+50+parking+Munchen", "https://www.google.com/search?q=Truderinger+Str+259+parking+Munchen", "https://www.google.com/search?q=Turnhallestrasse+11+parking+Offenburg", "https://www.google.com/search?q=Gustav+Ree+Anlage+2+parking+Offenburg", "https://www.google.com/search?q=Kirchpl+1+2+parking+Offenburg", "https://www.google.com/search?q=Heinrich+Wieland+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Friedenstrasse+8+parking+Offenburg", "https://www.google.com/search?q=Schuttergasse+5+7+parking+Offenburg", "https://www.google.com/search?q=Wasserstrasse+9+parking+Offenburg", "https://www.google.com/search?q=Goldgasse+14+parking+Offenburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Worthsee", "https://www.google.com/search?q=Gerichtsstrasse+1+parking+Offenburg", "https://www.google.com/search?q=Zuricher+Strasse+31+parking+Munchen", "https://www.google.com/search?q=Kittelgasse+10+parking+Offenburg", "https://www.google.com/search?q=Wilhelm+Bauer+Strasse+11+parking+Offenburg", "https://www.google.com/search?q=Gmunder+Str+40+parking+Munchen", "https://www.google.com/search?q=Kronenstrasse+25+parking+Offenburg", "https://www.google.com/search?q=Hauptstrasse+111+parking+Offenburg", "https://www.google.com/search?q=Siebenbrunner+Str+5+parking+Munchen", "https://www.google.com/search?q=Tierparkstrasse+37+parking+Munchen", "https://www.google.com/search?q=Tolzer+Str+30+parking+Munchen", "https://www.google.com/search?q=Stegermattstrasse+24+parking+Offenburg", "https://www.google.com/search?q=Neurieder+Str+16+parking+Munchen", "https://www.google.com/search?q=Zentrallandstrasse+1+parking+Munchen", "https://www.google.com/search?q=Rue+de+La+Plaine+9+parking+Illkirch+Graffenstaden", "https://www.google.com/search?q=Schneiderhofstrasse+7+parking+Haar", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Gauting", "https://www.google.com/search?q=Am+Hollerbusch+22+parking+Munchen", "https://www.google.com/search?q=Aue+3+parking+Schenkenzell", "https://www.google.com/search?q=Thomas+Dehler+Strasse+8+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Seefeld", "https://www.google.com/search?q=Von+Knoeringen+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Friedastrasse+25+parking+Munchen", "https://www.google.com/search?q=Ladehofstrasse+2+parking+Haar", "https://www.google.com/search?q=Eglfinger+Weg+9+parking+Haar", "https://www.google.com/search?q=Stephensonpl+1+parking+Munchen", "https://www.google.com/search?q=Carl+Wery+Strasse+35+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Vaterstetten", "https://www.google.com/search?q=Luitpoldring+1+parking+Vaterstetten", "https://www.google.com/search?q=Am+Flughafen+35+parking+Memmingerberg", "https://www.google.com/search?q=Rue+Krafft+1+parking+Illkirch+Graffenstaden", "https://www.google.com/search?q=Schwabenstrasse+15+parking+Memmingerberg", "https://www.google.com/search?q=Konigsgraben+29+parking+Memmingen", "https://www.google.com/search?q=Krautstrasse+8+10+parking+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Memmingen", "https://www.google.com/search?q=Industriestrasse+24+parking+Memmingerberg", "https://www.google.com/search?q=Schwalbenstrasse+21+parking+Vaterstetten", "https://www.google.com/search?q=Konigsgraben+3+parking+Memmingen", "https://www.google.com/search?q=Schwesterstrasse+21+parking+Memmingen", "https://www.google.com/search?q=Neue+Poststrasse+15+parking+Vaterstetten", "https://www.google.com/search?q=Bahnhofspl+2+parking+Ottobrunn", "https://www.google.com/search?q=Gerberplatz+7+parking+Memmingen", "https://www.google.com/search?q=Bismarckstrasse+21+parking+Memmingen", "https://www.google.com/search?q=Lindentorstrasse+23+parking+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Memmingen", "https://www.google.com/search?q=Deisenhofener+Weg+6+parking+Unterhaching", "https://www.google.com/search?q=Zugspitzstrasse+4+parking+Pullach", "https://www.google.com/search?q=Ladestrasse+2+parking+Herrsching", "https://www.google.com/search?q=Roseggerstrasse+53+parking+Ottobrunn", "https://www.google.com/search?q=Anzinger+Str+2+parking+Zorneding", "https://www.google.com/search?q=Eschenstrasse+28+parking+Taufkirchen", "https://www.google.com/search?q=Obere+Bahnhofstrasse+54+parking+Zorneding", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Taufkirchen", "https://www.google.com/search?q=Forststrasse+2+parking+Baierbrunn", "https://www.google.com/search?q=Hans+Zellner+Weg+10+parking+Starnberg", "https://www.google.com/search?q=Hauptstrasse+8+parking+Starnberg", "https://www.google.com/search?q=Bahnhofpl+1+parking+Starnberg", "https://www.google.com/search?q=Ruhe+Christi+Strasse+1+parking+Rottweil", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Rottweil", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Hohenbrunn", "https://www.google.com/search?q=Stadtgrabenstrasse+9+parking+Rottweil", "https://www.google.com/search?q=Krankenhausstrasse+32+parking+Rottweil", "https://www.google.com/search?q=Bahnhofspl+1+parking+Kirchseeon", "https://www.google.com/search?q=Bahnhofpl+4+parking+Oberhaching", "https://www.google.com/search?q=Sauerlacher+Str+18+parking+Oberhaching", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Schaftlarn", "https://www.google.com/search?q=Bahnhofspl+1+parking+Ebersberg", "https://www.google.com/search?q=Schafflergraben+1+parking+Pocking", "https://www.google.com/search?q=Schlossberg+4+parking+Pocking", "https://www.google.com/search?q=Prof+Benjamin+Allee+1+parking+Schaftlarn", "https://www.google.com/search?q=Bahnhofpl+2+parking+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Bahnhofpl+1+parking+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Sensauer+Str+2+parking+Steinhoring", "https://www.google.com/search?q=Poststrasse+6+parking+Aulendorf", "https://www.google.com/search?q=Bahnweg+1+parking+Pfaffing", "https://www.google.com/search?q=Hauptstrasse+37+parking+Grafing", "https://www.google.com/search?q=Traubinger+Str+2+parking+Feldafing", "https://www.google.com/search?q=Hauptstrasse+38+parking+Grafing", "https://www.google.com/search?q=Bahnhofspl+3+parking+Grafing", "https://www.google.com/search?q=Am+Oberholz+4+parking+Grafing", "https://www.google.com/search?q=Hauptstrasse+27+parking+Grafing", "https://www.google.com/search?q=Bahnhofspl+10+parking+Grafing", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Icking", "https://www.google.com/search?q=Alleestrasse+10+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Hintere+Mauergasse+2+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Klostermuhlgasse+10+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Marktplatz+12+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Friedhofstrasse+15+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Bismarckstrasse+22+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Max+Planck+Strasse+12+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Bismarckstrasse+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Rosspl+2+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Kreuzstrasse+11+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Im+Winkel+4+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Eichrodtstrasse+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Kreuzstrasse+12+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Friedrich+Gessler+Strasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Lotzbeckstrasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Rathauspl+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Tiergartenstrasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=An+Der+Schnelle+5+parking+Kaufbeuren", "https://www.google.com/search?q=Bahnhofpl+9+parking+Sauerlach", "https://www.google.com/search?q=Alte+Weberei+5+parking+Kaufbeuren", "https://www.google.com/search?q=Innere+Buchleuthenstrasse+13+parking+Kaufbeuren", "https://www.google.com/search?q=Beringerweg+12+parking+Tutzing", "https://www.google.com/search?q=Heinrich+Vogl+Strasse+24+parking+Tutzing", "https://www.google.com/search?q=St+2078+parking+Aying", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Aying", "https://www.google.com/search?q=Am+Flosskanal+12+parking+Wolfratshausen", "https://www.google.com/search?q=Sauerlacher+Str+21+parking+Wolfratshausen", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Assling", "https://www.google.com/search?q=Untere+Bahnhofstrasse+36+parking+Aying", "https://www.google.com/search?q=Austrasse+23+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Alte+Herdstrasse+10+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Albert+Schweitzer+Strasse+11+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Wurzacher+Str+3+parking+Leutkirch", "https://www.google.com/search?q=Bahnhofstrasse+49+parking+Otterfing", "https://www.google.com/search?q=Bahnhofallee+2+parking+Weilheim", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Weilheim", "https://www.google.com/search?q=Bahnhof+5+parking+Leutkirch", "https://www.google.com/search?q=Bahnhofstrasse+52+parking+Otterfing", "https://www.google.com/search?q=Evangelische+Kirchgasse+15+parking+Leutkirch", "https://www.google.com/search?q=Pflugberg+3+parking+Leutkirch", "https://www.google.com/search?q=Seelhausweg+4+parking+Leutkirch", "https://www.google.com/search?q=Eisenkramergasse+11+parking+Weilheim", "https://www.google.com/search?q=Romerstrasse+20+parking+Valley", "https://www.google.com/search?q=Insel+1+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Romausring+4+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Bertholdstrasse+9+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Bahnhofpl+9+parking+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+1+parking+Holzkirchen", "https://www.google.com/search?q=Erlkamer+Strasse+18+parking+Holzkirchen", "https://www.google.com/search?q=Ochsengasse+5+parking+Weingarten", "https://www.google.com/search?q=Parkstrasse+25+parking+Ravensburg", "https://www.google.com/search?q=Pfeilergraben+14+parking+Kempten", "https://www.google.com/search?q=Residenzplatz+2+parking+Kempten", "https://www.google.com/search?q=Am+Konigsplatz+3+parking+Kempten", "https://www.google.com/search?q=Burgstrasse+20+parking+Kempten", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Kempten", "https://www.google.com/search?q=Kotterner+Str+70+parking+Kempten", "https://www.google.com/search?q=Eicher+Str+30+parking+Kempten", "https://www.google.com/search?q=Bahnhofplatz+3+parking+Kempten", "https://www.google.com/search?q=Hochburger+Strasse+4+parking+Emmendingen", "https://www.google.com/search?q=Rechenauerstrasse+2+parking+Rosenheim", "https://www.google.com/search?q=Klepperstrasse+17+parking+Rosenheim", "https://www.google.com/search?q=Bahnhofpl+1+parking+Prien", "https://www.google.com/search?q=Hochriesstrasse+6+parking+Prien", "https://www.google.com/search?q=Leonie+Furst+Strasse+6+parking+Friedrichshafen", "https://www.google.com/search?q=Am+Flugpl+46+parking+Meckenbeuren", "https://www.google.com/search?q=Am+Flugpl+64+parking+Meckenbeuren", "https://www.google.com/search?q=Scheffelstrasse+16+parking+Friedrichshafen", "https://www.google.com/search?q=B+467+parking+Tettnang", "https://www.google.com/search?q=Marienstrasse+13+parking+Friedrichshafen", "https://www.google.com/search?q=Franziskusplatz+4+parking+Friedrichshafen", "https://www.google.com/search?q=Eckenerstrasse+10+parking+Friedrichshafen", "https://www.google.com/search?q=Werastrasse+23+parking+Friedrichshafen", "https://www.google.com/search?q=Karlstrasse+3+parking+Friedrichshafen", "https://www.google.com/search?q=Schmidstrasse+1+parking+Friedrichshafen", "https://www.google.com/search?q=Klosterstrasse+5+parking+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+26+parking+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+12+parking+Friedrichshafen", "https://www.google.com/search?q=Kemptener+Str+11+parking+Fussen", "https://www.google.com/search?q=Blumenstrasse+7+parking+Sonthofen", "https://www.google.com/search?q=Hirnbeinstrasse+5+parking+Sonthofen", "https://www.google.com/search?q=Bogenstrasse+6+parking+Sonthofen", "https://www.google.com/search?q=Immenstadter+Strasse+3+parking+Sonthofen", "https://www.google.com/search?q=Altstadter+Strasse+1+parking+Sonthofen", "https://www.google.com/search?q=Schillerstrasse+3+parking+Bregenz", "https://www.google.com/search?q=Jahnstrasse+9+parking+Bregenz", "https://www.google.com/search?q=Mehrerauerstrasse+7+parking+Bregenz", "https://www.google.com/search?q=Romerstrasse+19+23+parking+Bregenz", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Garmisch+Partenkirchen", "https://www.google.com/search?q=Dornierstrasse+5+parking+Thal", "https://www.google.com/search?q=Flughafenstrasse+11+parking+Thal", "https://www.google.com/search?q=Rathauspl+1+parking+Dornbirn", "https://www.google.com/search?q=Gottlieb+Weissbacher+Strasse+9+parking+Worgl", "https://www.google.com/search?q=Klosterstrasse+600+parking+Seefeld", "https://www.google.com/search?q=Josef+Wopfner+Strasse+15+parking+Schwaz", "https://www.google.com/search?q=Larchenstrasse+51+parking+Rum", "https://www.google.com/search?q=Weiherburggasse+37+parking+Innsbruck", "https://www.google.com/search?q=Dorfer+Str+19+parking+Rum", "https://www.google.com/search?q=Technikerstrasse+25+parking+Innsbruck", "https://www.google.com/search?q=Herrengasse+3+parking+Innsbruck", "https://www.google.com/search?q=Kaiserjagerstrasse+4+parking+Innsbruck", "https://www.google.com/search?q=Unterer+Stadtpl+22+parking+Hall", "https://www.google.com/search?q=Innrain+3+parking+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+21+parking+Innsbruck", "https://www.google.com/search?q=Herzog+Siegmund+Ufer+5+parking+Innsbruck", "https://www.google.com/search?q=Bachlechnerstrasse+73+parking+Innsbruck", "https://www.google.com/search?q=Innrain+25+parking+Innsbruck", "https://www.google.com/search?q=Sparkassenpl+1+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+10+parking+Innsbruck", "https://www.google.com/search?q=Meinhardstrasse+12+parking+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+2+parking+Innsbruck", "https://www.google.com/search?q=Amraser+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+19+parking+Innsbruck", "https://www.google.com/search?q=Perthalergasse+15+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+25+parking+Innsbruck", "https://www.google.com/search?q=Adamgasse+8+parking+Innsbruck", "https://www.google.com/search?q=Sterzinger+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Grabenweg+65+parking+Innsbruck", "https://www.google.com/search?q=Furstenweg+185+parking+Innsbruck", "https://www.google.com/search?q=Furstenweg+180+parking+Innsbruck", "https://www.google.com/search?q=Mullerstrasse+15+parking+Innsbruck", "https://www.google.com/search?q=Grabenweg+64+parking+Innsbruck", "https://www.google.com/search?q=Innerkoflerstrasse+15+parking+Innsbruck", "https://www.google.com/search?q=Innrain+149+parking+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+41+parking+Innsbruck", "https://www.google.com/search?q=Tschamlerstrasse+4+parking+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+10+parking+Innsbruck", "https://www.google.com/search?q=Egger+Lienz+Strasse+116+parking+Innsbruck", "https://www.google.com/search?q=Fluhenweg+540+parking+Lech", "https://www.google.com/search?q=Stadionstrasse+1+parking+Innsbruck", "https://www.google.com/search?q=Bergisel+1+parking+Innsbruck", "https://www.google.com/search?q=Hirschgraben+4+parking+Feldkirch", "https://www.google.com/search?q=Omesberg+9+parking+Lech", "https://www.google.com/search?q=Reichenfeldstrasse+5+parking+Feldkirch", "https://www.google.com/search?q=Innstrasse+23+parking+Landeck", "https://www.google.com/search?q=Spitalgasse+1+parking+Bludenz", "https://www.google.com/search?q=Avenue+de+l'Argonne+140+Merignac", "https://www.google.com/search?q=Chemin+de+la+Procession+13+Merignac", "https://www.google.com/search?q=Domaine+du+Chateau+775+Chilly+Mazarin", "https://www.google.com/search?q=Rue+Denis+Papin+11+Chilly+Mazarin", "https://www.google.com/search?q=Rue+Rene+Cassin+Merignac", "https://www.google.com/search?q=Avenue+de+l'Union+367+Paray+Vieille+Poste", "https://www.google.com/search?q=Voie+d'Athis+24+Villeneuve+le+Roi", "https://www.google.com/search?q=Rue+du+Bas+Marin+24+Orly", "https://www.google.com/search?q=Rue+des+15+Arpents+5+Orly", "https://www.google.com/search?q=Rue+du+Bas+Marin+6+Orly", "https://www.google.com/search?q=D165+4652+Rungis", "https://www.google.com/search?q=Rue+du+Pont+des+Halles+15+Rungis", "https://www.google.com/search?q=Avenue+de+Pierroton+3284+Saint+Jean+d'Illac", "https://www.google.com/search?q=Rue+de+la+Belle+etoile+241+Roissy+en+France", "https://www.google.com/search?q=Rue+de+la+Briqueterie+5+Louvres", "https://www.google.com/search?q=Rue+des+Postes+Roissy+en+France", "https://www.google.com/search?q=Rue+du+Stade+Sauvanet+1+Le+Mesnil+Amelot", "https://www.google.com/search?q=Rue+d'Epiais+les+Louvres+2+Chennevieres+les+Louvres", "https://www.google.com/search?q=D16+118+Vemars", "https://www.google.com/search?q=Chemin+des+Petits+eboulis+13+Dammartin+en+Goele", "https://www.google.com/search?q=Rue+du+Grand+Puits+Villeron", "https://www.google.com/search?q=Avenue+des+22+Arpents+14+Moussy+le+Neuf", "https://www.google.com/search?q=Rue+des+Pres+Boucher+1+Dammartin+en+Goele", "https://www.google.com/search?q=Rue+de+Lisbonne+14+Vitrolles", "https://www.google.com/search?q=Chemin+du+Littoral+301+Marseille", "https://www.google.com/search?q=Boulevard+des+Jardiniers+20+22+Nice", "https://www.google.com/search?q=Boulevard+des+Jardiniers+54+Nice", "https://www.google.com/search?q=Rue+Costes+et+Bellonte+24+Nice", "https://www.google.com/search?q=Rue+Costes+et+Bellonte+Nice", "https://www.google.com/search?q=Quai+des+Deux+Emmanuels+12+Nice", "https://www.google.com/search?q=Impasse+Racine+11+Montlucon", "https://www.google.com/search?q=D+8+Montlucon", "https://www.google.com/search?q=D+65+Montlucon", "https://www.google.com/search?q=Avenue+de+L'Aeroport+81+Limoges", "https://www.google.com/search?q=Boulevard+de+Blossac+95+Chatellerault", "https://www.google.com/search?q=Rue+de+La+Croix+Rouge+61+Chatellerault", "https://www.google.com/search?q=Rue+de+La+Melette+11+Chatellerault", "https://www.google.com/search?q=Rue+de+L'Angelarde+50+Chatellerault", "https://www.google.com/search?q=Place+Camille+de+Hogues+4+Chatellerault", "https://www.google.com/search?q=Place+Camille+de+Hogues+1+Chatellerault", "https://www.google.com/search?q=D+2+Chatellerault", "https://www.google.com/search?q=Rue+Saint+Romain+29+Chatellerault", "https://www.google.com/search?q=Rue+Saint+Andre+15+17+Chatellerault", "https://www.google.com/search?q=D+7+13+Chatellerault", "https://www.google.com/search?q=Rue+Antoine+Roffay+Des+Pallus+1+3+Chatellerault", "https://www.google.com/search?q=Rue+Abel+Orillard+3+Chatellerault", "https://www.google.com/search?q=Grande+Rue+de+Chateauneuf+10+Chatellerault", "https://www.google.com/search?q=Rue+Jean+Monnet+116+Chatellerault", "https://www.google.com/search?q=B+Boulevard+Des+Hortes+45+Aurillac", "https://www.google.com/search?q=Le+Square+17+Aurillac", "https://www.google.com/search?q=Impasse+Aristide+Briand+7+Aurillac", "https://www.google.com/search?q=Avenue+Aristide+Briand+3+Aurillac", "https://www.google.com/search?q=Rue+Django+Reinhardt+1+Aurillac", "https://www.google.com/search?q=Boulevard+de+Pont+Achard+2+Poitiers", "https://www.google.com/search?q=Rue+Rene+Lebon+2+Biard", "https://www.google.com/search?q=Rue+Rene+Lebon+5+Biard", "https://www.google.com/search?q=Allee+de+La+Chapelle+Saint+Jean+10+Amboise", "https://www.google.com/search?q=Place+de+La+Clautre+2+Perigueux", "https://www.google.com/search?q=Rue+Mauvard+13+17+Perigueux", "https://www.google.com/search?q=Place+Hoche+2+Perigueux", "https://www.google.com/search?q=Rue+Du+Dr+Duroselle+31+Angouleme", "https://www.google.com/search?q=Rue+Jean+Monnet+14+Joue+les+Tours", "https://www.google.com/search?q=Rue+Saint+Roch+5+Angouleme", "https://www.google.com/search?q=Avenue+Du+General+Niessel+10+Tours", "https://www.google.com/search?q=Pt+Jean+Moulin+30+Saint+Pierre+des+Corps", "https://www.google.com/search?q=Rue+Gamard+18+Joue+les+Tours", "https://www.google.com/search?q=Rue+Fabienne+Landy+41+Saint+Pierre+des+Corps", "https://www.google.com/search?q=Rue+Du+Pont+Sec+1+Angouleme", "https://www.google.com/search?q=Allee+Ferdinand+de+Lesseps+30+Tours", "https://www.google.com/search?q=T+Rue+Camille+Desmoulins+12+Tours", "https://www.google.com/search?q=Rue+Maurice+Genest+2+Tours", "https://www.google.com/search?q=Pl+Du+General+Leclerc+12+Tours", "https://www.google.com/search?q=Rue+Victor+Hugo+10+Tours", "https://www.google.com/search?q=Blvd+Heurteloup+10+Tours", "https://www.google.com/search?q=Rue+Emile+Zola+5+Tours", "https://www.google.com/search?q=Place+Gaston+Paillhou+38+Tours", "https://www.google.com/search?q=Place+Anatole+France+113+Tours", "https://www.google.com/search?q=Rue+de+L'Aeroport+40+Tours", "https://www.google.com/search?q=Rue+Des+Bordiers+16+Tours", "https://www.google.com/search?q=Rue+de+Jemmapes+95+Tours", "https://www.google.com/search?q=Rue+Des+Abattoirs+35+Le+Creusot", "https://www.google.com/search?q=Rue+de+La+Bergeresse+1385+Olivet", "https://www.google.com/search?q=Rue+Des+Halles+2+Orleans", "https://www.google.com/search?q=Place+Du+Chatelet+3+Orleans", "https://www.google.com/search?q=Rue+La+Chevre+Qui+Danse+6+Orleans", "https://www.google.com/search?q=Place+Du+Cheval+Rouge+5+Orleans", "https://www.google.com/search?q=Place+Du+Cardinal+Touchet+4+Orleans", "https://www.google.com/search?q=Rue+de+La+Chistera+9+La+Chapelle+Saint+Mesmin", "https://www.google.com/search?q=Rue+Henri+Roy+55+Orleans", "https://www.google.com/search?q=B+Rue+de+La+Madeleine+12+Saint+Jean+de+la+Ruelle", "https://www.google.com/search?q=Rue+Bannier+2+Orleans", "https://www.google.com/search?q=Rue+Fernand+Rabier+2+Orleans", "https://www.google.com/search?q=Rue+Alexandre+Avisse+8+Orleans", "https://www.google.com/search?q=Rue+de+La+Gare+21+Saint+Jean+de+Braye", "https://www.google.com/search?q=P+R+Rol+Tanguy+1+13+Saint+Jean+de+la+Ruelle", "https://www.google.com/search?q=Boulevard+Rocheplatte+35+Orleans", "https://www.google.com/search?q=P+R+Gaudier+Brzeska+34+38+Saint+Jean+de+Braye", "https://www.google.com/search?q=Rue+Emile+Zola+1+Orleans", "https://www.google.com/search?q=B+Rue+Saint+Yves+1+Orleans", "https://www.google.com/search?q=Avenue+de+Munster+5+Orleans", "https://www.google.com/search?q=P+R+Droits+de+L'Homme+3+Orleans", "https://www.google.com/search?q=Blvd+Alfred+de+Musset+6+Saint+etienne", "https://www.google.com/search?q=Rue+Dr+Remy+Annino+25+Saint+etienne", "https://www.google.com/search?q=Avenue+de+La+Liberation+2+Orleans", "https://www.google.com/search?q=Rue+Lamartine+32+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Des+Fosses+104+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Paul+Bert+52+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Des+Docteurs+Charcot+11+13+Saint+etienne", "https://www.google.com/search?q=Rue+Nicolas+Chaize+10+Saint+etienne", "https://www.google.com/search?q=Rue+Victor+Hugo+19+Saint+Chamond", "https://www.google.com/search?q=Boulevard+Du+14+Auxerre", "https://www.google.com/search?q=Rue+de+La+Fonbalquine+1+Bergerac", "https://www.google.com/search?q=Rue+Camille+de+Rochetaillee+42+Bergerac", "https://www.google.com/search?q=Rue+de+Flandres+Dunkerque+20+Saumur", "https://www.google.com/search?q=Rue+Des+Vignes+5+Saumur", "https://www.google.com/search?q=Avenue+Courtiller+5+Saumur", "https://www.google.com/search?q=Grande+Rue+11+Saumur", "https://www.google.com/search?q=Place+Marc+Leclerc+17+Saumur", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+1757+Saumur", "https://www.google.com/search?q=Avenue+Boucicaut+122+124+Chalon+sur+Saone", "https://www.google.com/search?q=Avenue+Boucicaut+18+Chalon+sur+Saone", "https://www.google.com/search?q=Rue+Philibert+Leon+Couturier+14+Chalon+sur+Saone", "https://www.google.com/search?q=Rue+de+L'Artois+22+Saintes", "https://www.google.com/search?q=Chemin+Aux+Boeufs+12+Le+Mans", "https://www.google.com/search?q=Rue+de+Ferrare+1+Fontainebleau", "https://www.google.com/search?q=Rue+Denecourt+33+Fontainebleau", "https://www.google.com/search?q=Rue+de+La+Chancellerie+9+Fontainebleau", "https://www.google.com/search?q=Place+de+La+Republique+10+Fontainebleau", "https://www.google.com/search?q=Rue+Du+Chateau+44+Fontainebleau", "https://www.google.com/search?q=Rue+de+Chenove+53+Dijon", "https://www.google.com/search?q=Place+Georges+Clemenceau+6+Fontainebleau", "https://www.google.com/search?q=Boulevard+Crevat+Durant+4+Fontainebleau", "https://www.google.com/search?q=Rue+de+La+Petite+Vitesse+1+Avon", "https://www.google.com/search?q=Avenue+Felix+Geneslay+208+Le+Mans", "https://www.google.com/search?q=Rue+de+L'Esterel+60+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Mission+49+Le+Mans", "https://www.google.com/search?q=Place+George+Washington+9+Le+Mans", "https://www.google.com/search?q=Rue+Nationale+122+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+70+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+60+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Fuie+12+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Fuie+8+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+81+Le+Mans", "https://www.google.com/search?q=Rue+Gastelier+34+Le+Mans", "https://www.google.com/search?q=Rue+Du+Bourg+Bele+47+Le+Mans", "https://www.google.com/search?q=Boulevard+Robert+Jarry+30+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+10+Le+Mans", "https://www.google.com/search?q=Rue+Pierre+Felix+Delarue+9+Le+Mans", "https://www.google.com/search?q=Avenue+Bollee+8+Le+Mans", "https://www.google.com/search?q=Rue+Berthelot+32+Le+Mans", "https://www.google.com/search?q=Avenue+Bollee+4+Le+Mans", "https://www.google.com/search?q=Rue+Sarrazin+6796+Le+Mans", "https://www.google.com/search?q=Rue+Berthelot+22+Le+Mans", "https://www.google.com/search?q=Boulevard+Robert+Jarry+6+Le+Mans", "https://www.google.com/search?q=Rue+de+Sydney+25+Le+Mans", "https://www.google.com/search?q=Place+Aristide+Briand+13+Le+Mans", "https://www.google.com/search?q=Rue+D'Australie+71+Le+Mans", "https://www.google.com/search?q=Rue+D'Alger+5+Le+Mans", "https://www.google.com/search?q=Avenue+Francois+Mitterrand+16+Le+Mans", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+74+Le+Mans", "https://www.google.com/search?q=Rue+D'Alger+43+Le+Mans", "https://www.google.com/search?q=Rue+de+Constantine+8+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Halle+Aux+Toiles+6+Le+Mans", "https://www.google.com/search?q=Rue+Barbier+96+Le+Mans", "https://www.google.com/search?q=Rue+Du+Cirque+6+Le+Mans", "https://www.google.com/search?q=Rue+Du+Port+11+13+Le+Mans", "https://www.google.com/search?q=Rue+Julien+Pesche+1+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Barillerie+36+Le+Mans", "https://www.google.com/search?q=Rue+Du+Vert+Galant+16+Le+Mans", "https://www.google.com/search?q=Rue+Du+Vert+Galant+24+Le+Mans", "https://www.google.com/search?q=Place+de+L'eperon+7+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+104+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+90+Le+Mans", "https://www.google.com/search?q=Place+Saint+Pierre+5+Le+Mans", "https://www.google.com/search?q=Rue+Du+Hallai+7+Le+Mans", "https://www.google.com/search?q=Rue+Saint+Benoit+19+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+20+Le+Mans", "https://www.google.com/search?q=Place+Du+Cardinal+Grente+8+Le+Mans", "https://www.google.com/search?q=Route+Du+Hutreau+247+Sainte+Gemmes+sur+Loire", "https://www.google.com/search?q=Quai+Amiral+Lalande+8+Le+Mans", "https://www.google.com/search?q=Avenue+de+La+Liberation+26+Le+Mans", "https://www.google.com/search?q=Avenue+Du+11+Angers", "https://www.google.com/search?q=Rue+Bressigny+47+Angers", "https://www.google.com/search?q=Place+La+Fayette+1+11+Angers", "https://www.google.com/search?q=Avenue+Turpin+de+Crisse+1+Angers", "https://www.google.com/search?q=Avenue+Turpin+de+Crisse+7+Angers", "https://www.google.com/search?q=Rue+Louis+de+Romain+3+Angers", "https://www.google.com/search?q=Place+Pierre+Semard+19+Angers", "https://www.google.com/search?q=Rue+Auguste+Gautier+1+Angers", "https://www.google.com/search?q=Boulevard+Robert+20+Angers", "https://www.google.com/search?q=Rue+Plantagenet+50+Angers", "https://www.google.com/search?q=Avenue+Des+Droits+de+L'Homme+2+Angers", "https://www.google.com/search?q=Rue+Thiers+34+Angers", "https://www.google.com/search?q=Rue+de+La+Poissonnerie+1+Angers", "https://www.google.com/search?q=Place+Moliere+5+Angers", "https://www.google.com/search?q=Quai+Felix+Faure+71+Angers", "https://www.google.com/search?q=Blvd+Gaston+Ramon+16+Angers", "https://www.google.com/search?q=Rue+Larrey+1+Angers", "https://www.google.com/search?q=Rue+Du+Grand+Faubourg+17+Chartres", "https://www.google.com/search?q=Blvd+Louis+Le+Prince+Ringuet+3+5+Le+Mans", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+4+Cholet", "https://www.google.com/search?q=Rue+de+L'Ancien+Hopital+14+Cholet", "https://www.google.com/search?q=Route+D'epinard+97+Angers", "https://www.google.com/search?q=Rue+Notre+Dame+Du+Breuil+4+Albi", "https://www.google.com/search?q=Rue+Des+Artilleurs+87+Angers", "https://www.google.com/search?q=Rue+de+La+Sacristie+3+Montauban", "https://www.google.com/search?q=Place+de+La+Resistance+8+Albi", "https://www.google.com/search?q=Place+Prax+Paris+12+Montauban", "https://www.google.com/search?q=Avenue+Albert+Thomas+8+Albi", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+18+Montauban", "https://www.google.com/search?q=Boulevard+Gabriel+Peri+21+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Gaillard+18+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jacquemart+65+Romans+sur+Isere", "https://www.google.com/search?q=Place+Charles+de+Gaulle+11+Romans+sur+Isere", "https://www.google.com/search?q=Place+Perrot+de+Verdun+8+Romans+sur+Isere", "https://www.google.com/search?q=Place+21+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jean+Jaures+34+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jules+Nadi+15+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Des+Cloitriers+10+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jean+Jaures+21+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+84+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+28+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Saint+Nicolas+1+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+62+Romans+sur+Isere", "https://www.google.com/search?q=Rue+de+L'Industrie+5+Melun", "https://www.google.com/search?q=Avenue+Jean+Moulin+1+La+Rochelle", "https://www.google.com/search?q=Place+Praslin+5+Melun", "https://www.google.com/search?q=Boulevard+Gambetta+11+Melun", "https://www.google.com/search?q=Boulevard+Victor+Hugo+13+Melun", "https://www.google.com/search?q=Allee+Du+Marche+2+Melun", "https://www.google.com/search?q=Rue+Saint+Barthelemy+2+Melun", "https://www.google.com/search?q=Passage+Lebarbier+2+Melun", "https://www.google.com/search?q=Chemin+Du+Grand+Came+7+Bassens", "https://www.google.com/search?q=Chemin+Du+Grand+Came+7+Lormont", "https://www.google.com/search?q=Rue+Victor+Hugo+15+Lormont", "https://www.google.com/search?q=Rue+Salvador+Allende+35+Floirac", "https://www.google.com/search?q=Rue+Du+Jura+1+La+Rochelle", "https://www.google.com/search?q=Quai+Du+Maroc+18+Bordeaux", "https://www.google.com/search?q=Rue+Gustave+Eiffel+11+Bordeaux", "https://www.google.com/search?q=Rue+Du+Jonc+2+Bordeaux", "https://www.google.com/search?q=Quai+Des+Chartrons+114+Bordeaux", "https://www.google.com/search?q=Allee+de+Boutaut+19+Le+Bouscat", "https://www.google.com/search?q=Rue+Letellier+13+Bordeaux", "https://www.google.com/search?q=Quai+Des+Chartrons+15+Bordeaux", "https://www.google.com/search?q=Quai+Du+Marechal+Lyautey+101+Bordeaux", "https://www.google.com/search?q=Rue+de+Saget+1+13+Bordeaux", "https://www.google.com/search?q=Quai+Des+Salinieres+12+Bordeaux", "https://www.google.com/search?q=Rue+Carle+Vernet+19+Bordeaux", "https://www.google.com/search?q=Rue+Saint+Vincent+de+Paul+28+Bordeaux", "https://www.google.com/search?q=Allee+de+Tourny+40+Bordeaux", "https://www.google.com/search?q=Rue+de+Saget+59+Bordeaux", "https://www.google.com/search?q=Place+Camille+Jullian+2+Bordeaux", "https://www.google.com/search?q=Rue+D'Armagnac+1+Bordeaux", "https://www.google.com/search?q=Place+Des+Grands+Hommes+3+Bordeaux", "https://www.google.com/search?q=Place+Andre+Meunier+Dit+Mureine+3+Bordeaux", "https://www.google.com/search?q=Rue+Croix+Seguey+10+Bordeaux", "https://www.google.com/search?q=Boulevard+Jean+Jaures+116+evry", "https://www.google.com/search?q=Place+de+La+Ferme+Richemont+26+Bordeaux", "https://www.google.com/search?q=Place+Des+Capucins+14+Bordeaux", "https://www.google.com/search?q=Rue+de+La+Vieille+Tour+1+Bordeaux", "https://www.google.com/search?q=Place+Pey+Berland+18+Bordeaux", "https://www.google.com/search?q=Avenue+Du+President+Robert+Schuman+30+Le+Bouscat", "https://www.google.com/search?q=Avenue+Strathkelvin+4+Corbeil+Essonnes", "https://www.google.com/search?q=Rue+elie+Gintrac+1+Bordeaux", "https://www.google.com/search?q=Rue+Edmond+Michelet+40+Bordeaux", "https://www.google.com/search?q=Rue+Pere+Dieuzaide+10+Bordeaux", "https://www.google.com/search?q=Desserte+Des+Passages+27+evry", "https://www.google.com/search?q=a+Rue+Robert+Lateulade+5+Bordeaux", "https://www.google.com/search?q=Cours+Marechal+Juin+45+Bordeaux", "https://www.google.com/search?q=Cours+Blaise+Pascal+16+evry", "https://www.google.com/search?q=Avenue+Lenine+455+Begles", "https://www.google.com/search?q=Rue+General+de+Larminat+44+Bordeaux", "https://www.google.com/search?q=Rue+General+de+Larminat+48+Bordeaux", "https://www.google.com/search?q=Rue+de+Canolle+30+Bordeaux", "https://www.google.com/search?q=Blvd+Victor+Hugo+13+Troyes", "https://www.google.com/search?q=Blvd+Du+56+Troyes", "https://www.google.com/search?q=Rue+Du+Ravelin+1+Troyes", "https://www.google.com/search?q=Rue+Jaillant+Deschainets+1+Troyes", "https://www.google.com/search?q=Blvd+Du+7+Troyes", "https://www.google.com/search?q=Rue+de+Jargondis+1+Troyes", "https://www.google.com/search?q=Rue+General+de+Gaulle+47+51+Troyes", "https://www.google.com/search?q=Place+de+La+Liberation+4+Troyes", "https://www.google.com/search?q=Rue+Louis+Mony+12+Troyes", "https://www.google.com/search?q=Avenue+de+L'Universite+8+Talence", "https://www.google.com/search?q=Rue+Marcelin+Berthelot+5+Merignac", "https://www.google.com/search?q=Rue+Alphonse+Daudet+108+Merignac", "https://www.google.com/search?q=Place+Charles+de+Gaulle+15+Merignac", "https://www.google.com/search?q=Avenue+Du+45+Montelimar", "https://www.google.com/search?q=D+258+Merignac", "https://www.google.com/search?q=Parking+Souterrain+Theatre+10+Montelimar", "https://www.google.com/search?q=Chabaud+1+10+Montelimar", "https://www.google.com/search?q=Rue+Du+Rivage+3+La+Flotte", "https://www.google.com/search?q=Rue+Des+Poilus+14+Pessac", "https://www.google.com/search?q=Rue+Des+Bergeries+9+Combs+la+Ville", "https://www.google.com/search?q=Avenue+Henri+Vizioz+4+Pessac", "https://www.google.com/search?q=Avenue+Des+Champs+Lasniers+43101+Les+Ulis", "https://www.google.com/search?q=Avenue+Bougnard+33+Pessac", "https://www.google.com/search?q=Rue+Des+Bergeres+1+Les+Ulis", "https://www.google.com/search?q=Avenue+de+Champagne+15+Les+Ulis", "https://www.google.com/search?q=Rue+Camille+Flammarion+11+Merignac", "https://www.google.com/search?q=Rue+Verrier+3+Orsay", "https://www.google.com/search?q=Boulevard+Dubreuil+29+Orsay", "https://www.google.com/search?q=Rue+Notre+Dame+de+Lorette+9+Pessac", "https://www.google.com/search?q=Place+de+Belgique+7+Ales", "https://www.google.com/search?q=Place+Des+Martyrs+de+La+Resistance+14+Ales", "https://www.google.com/search?q=Boulevard+Vauban+1+Ales", "https://www.google.com/search?q=Place+de+L'Hotel+de+Ville+1+Ales", "https://www.google.com/search?q=Rue+Denis+Papin+1+3+Chilly+Mazarin", "https://www.google.com/search?q=Place+Pierre+Semard+48+Ales", "https://www.google.com/search?q=Place+Saint+Jean+16+Ales", "https://www.google.com/search?q=Rue+Edgard+Quinet+23+Ales", "https://www.google.com/search?q=Place+G+Peri+8+Ales", "https://www.google.com/search?q=bis+Avenue+Carnot+45+Ales", "https://www.google.com/search?q=Avenue+Du+President+Wilson+29+Palaiseau", "https://www.google.com/search?q=Place+Pierre+Semart+16+Massy", "https://www.google.com/search?q=Rue+Victor+Baloche+30+Wissous", "https://www.google.com/search?q=Avenue+Carnot+38+Massy", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+1+CEDEX+Massy", "https://www.google.com/search?q=Avenue+S+473+Paray+Vieille+Poste", "https://www.google.com/search?q=Avenue+Du+Noyer+Lambert+6+Massy", "https://www.google.com/search?q=Place+Antoine+de+Saint+Exupery+1+Massy", "https://www.google.com/search?q=Rue+Des+Olympiades+1+Massy", "https://www.google.com/search?q=Voie+Des+Groux+54+Wissous", "https://www.google.com/search?q=Rue+de+La+Resistance+3+Thiais", "https://www.google.com/search?q=Boulevard+de+La+Gare+11+Boissy+Saint+Leger", "https://www.google.com/search?q=Rue+Du+Kefir+9+Orly", "https://www.google.com/search?q=Avenue+de+La+Division+Leclerc+301+Chatenay+Malabry", "https://www.google.com/search?q=Quai+Fernand+Dupuy+32+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Anatole+France+8+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Jean+Jaures+12+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Jean+Jaures+5+Choisy+le+Roi", "https://www.google.com/search?q=Rue+Jean+Longuet+62+Chatenay+Malabry", "https://www.google.com/search?q=Allee+Des+Carrieres+23+Creteil", "https://www.google.com/search?q=Rue+Sejourne+4+Creteil", "https://www.google.com/search?q=Rue+Dominique+Duvauchelle+2+Creteil", "https://www.google.com/search?q=Rue+D'Artimon+48+Valenton", "https://www.google.com/search?q=Avenue+Magellan+22+Creteil", "https://www.google.com/search?q=Avenue+Du+Nouveau+Monde+21+Creteil", "https://www.google.com/search?q=Impasse+Des+Cascades+3+Creteil", "https://www.google.com/search?q=Rue+de+Saussure+10+Creteil", "https://www.google.com/search?q=Avenue+de+La+Liberation+2+Le+Plessis+Robinson", "https://www.google.com/search?q=Avenue+Magellan+107+Creteil", "https://www.google.com/search?q=Avenue+Du+General+Pierre+Billotte+98+Creteil", "https://www.google.com/search?q=Rue+Marco+Polo+1+Sucy+en+Brie", "https://www.google.com/search?q=Rue+Benjamin+Moloise+27+Creteil", "https://www.google.com/search?q=Avenue+de+Camberwell+12+Sceaux", "https://www.google.com/search?q=Avenue+de+La+Gare+2+Sceaux", "https://www.google.com/search?q=Rue+Lionel+Terray+2+Creteil", "https://www.google.com/search?q=Grand'place+20+Le+Plessis+Robinson", "https://www.google.com/search?q=Boulevard+Du+Marechal+Joffre+66+Bourg+la+Reine", "https://www.google.com/search?q=Rue+Emmanuel+Chabrier+13+Creteil", "https://www.google.com/search?q=Passage+Des+Coudriers+13+Creteil", "https://www.google.com/search?q=Rue+Du+Champ+D'Avoine+13+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Fulgence+Bienvenue+3+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Rosa+Bonheur+6+Creteil", "https://www.google.com/search?q=Rue+Jean+Gabin+8+Creteil", "https://www.google.com/search?q=Rue+Du+Dr+Metivet+5+Creteil", "https://www.google.com/search?q=Rue+Henri+Doucet+20+Creteil", "https://www.google.com/search?q=Avenue+Des+Pres+7+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Du+Ctre+21+Montigny+le+Bretonneux", "https://www.google.com/search?q=Av+Du+Passage+Du+Lac+2+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Gaston+Cantini+58+Villejuif", "https://www.google.com/search?q=Rue+Joel+Le+Theule+1+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Gustave+Eiffel+5+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Des+Pres+4+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+de+La+Breche+20+Creteil", "https://www.google.com/search?q=Rue+Nicolas+Poussin+1+Creteil", "https://www.google.com/search?q=Route+de+Choisy+181+Creteil", "https://www.google.com/search?q=Boulevard+Maxime+Gorki+172+Villejuif", "https://www.google.com/search?q=Rue+Juliette+Savar+52+Creteil", "https://www.google.com/search?q=Avenue+Courtois+2+Creteil", "https://www.google.com/search?q=Rue+Marc+Seguin+9+Maisons+Alfort", "https://www.google.com/search?q=Avenue+de+Lunca+4+Montigny+le+Bretonneux", "https://www.google.com/search?q=Impasse+Pasteur+Vallery+Radot+13+Creteil", "https://www.google.com/search?q=Impasse+Pasteur+Vallery+Radot+5+Creteil", "https://www.google.com/search?q=Rue+Pasteur+Vallery+Radot+9+Creteil", "https://www.google.com/search?q=T+Rue+Des+Mathurins+1+Bagneux", "https://www.google.com/search?q=Rue+Montebello+10+Vitry+sur+Seine", "https://www.google.com/search?q=Rue+Denfert+Rochereau+10+Creteil", "https://www.google.com/search?q=Rue+Lucien+Brunet+75+Pontault+Combault", "https://www.google.com/search?q=Rue+de+La+Mairie+3+Bagneux", "https://www.google.com/search?q=Rue+Moliere+1+Creteil", "https://www.google.com/search?q=T+Avenue+Albert+Petit+37+Bagneux", "https://www.google.com/search?q=Rue+Charles+Michels+11+Bagneux", "https://www.google.com/search?q=Rue+Andre+Charles+Boulle+4+Creteil", "https://www.google.com/search?q=Rue+Arthur+Petit+18+Viroflay", "https://www.google.com/search?q=Rue+de+Paris+9+Creteil", "https://www.google.com/search?q=D+2+4+Versailles", "https://www.google.com/search?q=Rue+Gustave+Eiffel+38+Creteil", "https://www.google.com/search?q=Rue+Jean+Pierre+Timbaud+1+Chatillon", "https://www.google.com/search?q=Boulevard+Des+Jeux+Olympiques+S+5+Versailles", "https://www.google.com/search?q=Avenue+Du+General+Leclerc+74+Viroflay", "https://www.google.com/search?q=Rue+Pierre+Brossolette+8+Viroflay", "https://www.google.com/search?q=Avenue+de+Saint+Cloud+33+Versailles", "https://www.google.com/search?q=Avenue+De+Saint+Cloud+35+Versailles", "https://www.google.com/search?q=Avenue+de+La+Republique+19+Maisons+Alfort", "https://www.google.com/search?q=Rue+de+L'eglise+7+Meudon", "https://www.google.com/search?q=Rue+de+La+Paroisse+68+Versailles", "https://www.google.com/search?q=Rue+Terre+Neuve+3+Meudon", "https://www.google.com/search?q=Rue+Banes+22+Meudon", "https://www.google.com/search?q=Boulevard+de+La+Reine+81+97+Versailles", "https://www.google.com/search?q=Avenue+de+Paris+170+Chatillon", "https://www.google.com/search?q=Avenue+Aristide+Briand+23+Arcueil", "https://www.google.com/search?q=Avenue+de+La+Republique+160+Montrouge", "https://www.google.com/search?q=Avenue+Roger+Salengro+952+Chaville", "https://www.google.com/search?q=Rue+Marat+11+Ivry+sur+Seine", "https://www.google.com/search?q=Avenue+de+La+Republique+139+Pontault+Combault", "https://www.google.com/search?q=Place+Jules+Ferry+20+Montrouge", "https://www.google.com/search?q=Ave+de+La+Marne+86+Montrouge", "https://www.google.com/search?q=Place+de+La+Gare+1+Clamart", "https://www.google.com/search?q=Avenue+Jacques+Heuclin+11+13+Pontault+Combault", "https://www.google.com/search?q=Avenue+de+La+Republique+128+Pontault+Combault", "https://www.google.com/search?q=Rue+Maurice+Arnoux+109+Montrouge", "https://www.google.com/search?q=Rue+Des+Galons+16+Meudon", "https://www.google.com/search?q=Rue+Guy+Moquet+88+Malakoff", "https://www.google.com/search?q=Avenue+Henri+Ginoux+93+Montrouge", "https://www.google.com/search?q=Avenue+Verdier+19+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Republique+79+87+Pontault+Combault", "https://www.google.com/search?q=Avenue+Verdier+29+Montrouge", "https://www.google.com/search?q=Avenue+Raspail+21+Gentilly", "https://www.google.com/search?q=Rue+Victor+Hugo+9+11+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Republique+63+Montrouge", "https://www.google.com/search?q=Avenue+Aristide+Briand+70+74+Montrouge", "https://www.google.com/search?q=Rue+Albert+Guilpin+13+Gentilly", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+26+Maisons+Alfort", "https://www.google.com/search?q=Rue+Robespierre+2+Pontault+Combault", "https://www.google.com/search?q=Avenue+Pierre+de+Coubertin+17+Paris", "https://www.google.com/search?q=Rue+Gabriel+Peri+6+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+10+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+33+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+38+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Gare+7+Pontault+Combault", "https://www.google.com/search?q=Place+Montgolfier+2+Saint+Maurice", "https://www.google.com/search?q=Place+Aristide+Briand+2+Meudon", "https://www.google.com/search?q=Avenue+Du+Duc+de+Dantzig+3+Pontault+Combault", "https://www.google.com/search?q=Rue+Thomire+10+Paris", "https://www.google.com/search?q=Place+Auribault+2+Pontault+Combault", "https://www.google.com/search?q=Rue+Du+Dr+Lombard+3+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Marcel+Allegot+17+Meudon", "https://www.google.com/search?q=Rue+Jacques+Cabourg+2+Vanves", "https://www.google.com/search?q=Place+Gabriel+Peri+8+Sevres", "https://www.google.com/search?q=Rue+de+La+Legion+etrangere+1+Paris", "https://www.google.com/search?q=Rue+Henri+Savignac+4+Meudon", "https://www.google.com/search?q=Rue+Antoine+Fratacci+23+Vanves", "https://www.google.com/search?q=Rue+Henri+Savignac+2+Meudon", "https://www.google.com/search?q=Rue+de+La+Mairie+12+Charenton+le+Pont", "https://www.google.com/search?q=Rue+Mary+Besseyre+42+44+Vanves", "https://www.google.com/search?q=Rue+Gabriel+Crie+40+Malakoff", "https://www.google.com/search?q=++6+Malakoff", "https://www.google.com/search?q=Boulevard+Massena+108+Paris", "https://www.google.com/search?q=Avenue+de+L'Europe+9+Sevres", "https://www.google.com/search?q=Rue+Lecointre+4+Sevres", "https://www.google.com/search?q=Avenue+Du+Marechal+de+Lattre+de+Tassigny+13+Charenton+le+Pont", "https://www.google.com/search?q=Boulevard+Charles+de+Gaulle+47+Malakoff", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Chatillon+21+Paris", "https://www.google.com/search?q=Rue+Du+Cadran+12+Charenton+le+Pont", "https://www.google.com/search?q=Avenue+Jean+Jaures+11+Issy+les+Moulineaux", "https://www.google.com/search?q=Quai+Georges+Gorse+38+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+General+Leclerc+60+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Du+Puits+Dixme+15+Paris", "https://www.google.com/search?q=Cours+de+L'Ancienne+Boulangerie+3+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Friant+36+38+Paris", "https://www.google.com/search?q=Avenue+D'Ivry+48+Paris", "https://www.google.com/search?q=Grande+Rue+35+Sevres", "https://www.google.com/search?q=Cours+de+L'ile+Seguin+55+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Vaudetard+19+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Bruneseau+7+Ivry+sur+Seine", "https://www.google.com/search?q=Rue+Du+Chateau+Des+Rentiers+50+Paris", "https://www.google.com/search?q=Rue+Aumont+3+Paris", "https://www.google.com/search?q=Rue+Du+Moulin+Des+Pres+62+Paris", "https://www.google.com/search?q=Rue+Wurtz+10+Paris", "https://www.google.com/search?q=Rue+de+Saint+Cloud+2+Sevres", "https://www.google.com/search?q=Rue+de+Paris+139+145+Charenton+le+Pont", "https://www.google.com/search?q=Rue+de+La+Sante+100+Paris", "https://www.google.com/search?q=Blvd+Lefebvre+159+Paris", "https://www.google.com/search?q=Rue+Rouget+de+Lisle+7+Issy+les+Moulineaux", "https://www.google.com/search?q=Avenue+Du+Maine+204+Paris", "https://www.google.com/search?q=Rue+Yves+Kermen+1103+Boulogne+Billancourt", "https://www.google.com/search?q=Route+de+Gressey+5066+Houdan", "https://www.google.com/search?q=Rue+Helene+Brion+36+Paris", "https://www.google.com/search?q=Avenue+D'Italie+30+Paris", "https://www.google.com/search?q=Rue+Camille+Desmoulins+56+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Raymond+Losserand+185+Paris", "https://www.google.com/search?q=Rue+de+Versailles+177+Le+Chesnay", "https://www.google.com/search?q=Rue+Heyrault+12+14+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+de+Sevres+82+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+Vieux+Pont+de+Sevres+150+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Thomas+Mann+31+Paris", "https://www.google.com/search?q=Boulevard+Auguste+Blanqui+149+Paris", "https://www.google.com/search?q=Rue+Abel+Hovelacque+34+Paris", "https://www.google.com/search?q=Rue+Les+Enfants+Du+Paradis+130+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Louis+Armand+4+6+Vanves", "https://www.google.com/search?q=Boulevard+Vincent+Auriol+187+Le+Kremlin+Bicetre", "https://www.google.com/search?q=Boulevard+Saint+Jacques+2+Gentilly", "https://www.google.com/search?q=Terrasse+de+Champagne+28+Paris", "https://www.google.com/search?q=Rue+de+Vaugirard+372+Paris", "https://www.google.com/search?q=Boulevard+Victor+39+Paris", "https://www.google.com/search?q=Rue+de+Saint+Cloud+16+Sevres", "https://www.google.com/search?q=Rue+Emile+Durkheim+19+21+Paris", "https://www.google.com/search?q=Rue+de+Libourne+10+Paris", "https://www.google.com/search?q=Avenue+Du+Stade+de+Coubertin+2+Boulogne+Billancourt", "https://www.google.com/search?q=Boulevard+Saint+Jacques+83+Paris", "https://www.google.com/search?q=Rue+Didot+2+Paris", "https://www.google.com/search?q=Avenue+Andre+Morizet+25+Boulogne+Billancourt", "https://www.google.com/search?q=Blvd+Poniatowski+57+Charenton+le+Pont", "https://www.google.com/search?q=Quai+de+Bercy+210+Paris", "https://www.google.com/search?q=Rue+Du+Banquier+25+Paris", "https://www.google.com/search?q=Rue+de+Vaugirard+371+Paris", "https://www.google.com/search?q=Blvd+de+L'Hopital+114+Le+Kremlin+Bicetre", "https://www.google.com/search?q=Rue+Abel+Gance+21+Paris", "https://www.google.com/search?q=Rue+de+La+Belle+Feuille+20+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Le+Corbusier+9+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+Chateau+61+Paris", "https://www.google.com/search?q=Boulevard+de+La+Guyane+20+Saint+Mande", "https://www.google.com/search?q=Rue+Leblanc+37+Paris", "https://www.google.com/search?q=Rue+Du+Commandant+Rene+Mouchotte+36+Paris", "https://www.google.com/search?q=Rue+Du+Cotentin+9+Paris", "https://www.google.com/search?q=Avenue+Du+Palais+3+Saint+Cloud", "https://www.google.com/search?q=Rue+Du+Commandant+Rene+Mouchotte+15+Paris", "https://www.google.com/search?q=Avenue+de+Versailles+188+Paris", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Saint+Cloud+2+Paris", "https://www.google.com/search?q=Rue+de+Bercy+65+Paris", "https://www.google.com/search?q=Boulevard+de+Bercy+48+Paris", "https://www.google.com/search?q=Rue+Falguiere+81+Paris", "https://www.google.com/search?q=Rue+Du+General+Beuret+31+Paris", "https://www.google.com/search?q=Avenue+Du+Palais+2+Saint+Cloud", "https://www.google.com/search?q=Rue+Claude+Decaen+86+Paris", "https://www.google.com/search?q=Rue+de+L'Essai+6+Paris", "https://www.google.com/search?q=Avenue+Du+Maine+50+Paris", "https://www.google.com/search?q=Blvd+Pasteur+69+Paris", "https://www.google.com/search?q=Quai+D'Austerlitz+29+Paris", "https://www.google.com/search?q=Rue+Poliveau+39+Paris", "https://www.google.com/search?q=Rue+Daubenton+35+Paris", "https://www.google.com/search?q=Rue+de+La+Convention+98+Paris", "https://www.google.com/search?q=Avenue+Du+Maine+30+Paris", "https://www.google.com/search?q=Rue+Lecourbe+143+Paris", "https://www.google.com/search?q=Rue+Geoffroy+Saint+Hilaire+25+Paris", "https://www.google.com/search?q=Boulevard+de+Bercy+38+Paris", "https://www.google.com/search?q=Boulevard+Du+Montparnasse+120+Paris", "https://www.google.com/search?q=Blvd+Pasteur+40+Montrouge", "https://www.google.com/search?q=Rue+Elisa+Lemonnier+9+Paris", "https://www.google.com/search?q=Rue+Boileau+59+Paris", "https://www.google.com/search?q=Rue+Gay+Lussac+45+Paris", "https://www.google.com/search?q=Rue+Guynemer+1+3+Saint+Mande", "https://www.google.com/search?q=Cour+de+L'Arrivee+9328+Paris", "https://www.google.com/search?q=Rue+Du+Depart+10+Paris", "https://www.google.com/search?q=Rue+Dailly+42+Saint+Cloud", "https://www.google.com/search?q=Rue+Gracieuse+17+Paris", "https://www.google.com/search?q=Rue+de+La+Liberation+16+Saint+Cloud", "https://www.google.com/search?q=Avenue+de+Lautrec+51+Castres", "https://www.google.com/search?q=Rue+Nungesser+Et+Coli+13+Paris", "https://www.google.com/search?q=Quai+Du+President+Carnot+23+Saint+Cloud", "https://www.google.com/search?q=Rue+Francois+Bonvin+28+Paris", "https://www.google.com/search?q=Rue+de+Bercy+193+Paris", "https://www.google.com/search?q=Rue+Du+Montparnasse+21+Paris", "https://www.google.com/search?q=Rue+Auguste+Comte+9+Paris", "https://www.google.com/search?q=Rue+Mirabeau+49+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+de+Rambouillet+5+Paris", "https://www.google.com/search?q=Rue+Wilhem+15+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+de+Bercy+191+Paris", "https://www.google.com/search?q=Villa+Croix+Nivert+26+Vanves", "https://www.google.com/search?q=Rue+de+Rennes+155+Paris", "https://www.google.com/search?q=Avenue+Du+General+Sarrail+1+3+Paris", "https://www.google.com/search?q=Rue+Du+Parchamp+7+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+de+Bercy+205+Paris", "https://www.google.com/search?q=Rue+de+Rambouillet+6+Paris", "https://www.google.com/search?q=Boulevard+Georges+Clemenceau+10+Castres", "https://www.google.com/search?q=Rue+de+Bercy+198+Paris", "https://www.google.com/search?q=Rue+Du+Theatre+104+Paris", "https://www.google.com/search?q=Place+Charles+Digeon+5+Saint+Mande", "https://www.google.com/search?q=Rue+Traversiere+10+Paris", "https://www.google.com/search?q=Blvd+Garibaldi+37+Paris", "https://www.google.com/search?q=Rue+de+Chalon+26+Paris", "https://www.google.com/search?q=Blvd+Garibaldi+8+Paris", "https://www.google.com/search?q=Place+Du+Pantheon+11+Paris", "https://www.google.com/search?q=Rue+de+L'Ingenieur+Robert+Keller+27+Paris", "https://www.google.com/search?q=Avenue+de+Saxe+54+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+94+Le+Perreux+sur+Marne", "https://www.google.com/search?q=Rue+Erard+14+Paris", "https://www.google.com/search?q=B+Avenue+Theophile+Gautier+57+Paris", "https://www.google.com/search?q=Avenue+de+Saint+Mande+26+Paris", "https://www.google.com/search?q=Place+Du+Pantheon+10+Paris", "https://www.google.com/search?q=Rue+Erard+26+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+109+Le+Perreux+sur+Marne", "https://www.google.com/search?q=Rue+Soufflot+22+Paris", "https://www.google.com/search?q=Rue+D'Arras+12+Paris", "https://www.google.com/search?q=Boulevard+Des+Lices+21+Castres", "https://www.google.com/search?q=Boulevard+de+Grenelle+139+Paris", "https://www.google.com/search?q=Rue+de+Reuilly+34+Paris", "https://www.google.com/search?q=Quai+Andre+Citroen+5+Paris", "https://www.google.com/search?q=Ruelle+Fraisier+1+Paris", "https://www.google.com/search?q=Quai+Tourcaudiere+14+Castres", "https://www.google.com/search?q=Boulevard+de+Picpus+96+Paris", "https://www.google.com/search?q=Rue+Saint+Placide+33+Paris", "https://www.google.com/search?q=Rue+D'Idalie+2+Vincennes", "https://www.google.com/search?q=Quai+de+Grenelle+69+Paris", "https://www.google.com/search?q=Rue+de+Reuilly+33+Paris", "https://www.google.com/search?q=Allee+Georges+Brassens+5+Noisy+le+Grand", "https://www.google.com/search?q=Blvd+Saint+Germain+37+Paris", "https://www.google.com/search?q=Rue+de+Lyon+34+Ivry+sur+Seine", "https://www.google.com/search?q=Boulevard+de+La+Bastille+53+Paris", "https://www.google.com/search?q=Rue+Du+Midi+1+Vincennes", "https://www.google.com/search?q=Boulevard+Du+Mont+D'Est+8+Noisy+le+Grand", "https://www.google.com/search?q=Avenue+Du+President+Kennedy+1+Paris", "https://www.google.com/search?q=Rue+Agrippa+D'Aubigne+5+Paris", "https://www.google.com/search?q=Boulevard+Raymond+Vittoz+23+Castres", "https://www.google.com/search?q=Rue+Lagrange+15+Paris", "https://www.google.com/search?q=Rue+de+L'ecole+de+Medecine+21+Paris", "https://www.google.com/search?q=Place+Saint+Sulpice+8+Montrouge", "https://www.google.com/search?q=Avenue+Emile+Acollas+7+Paris", "https://www.google.com/search?q=Rue+de+Boulainvilliers+15+Paris", "https://www.google.com/search?q=Place+Alsace+Lorraine+9+Castres", "https://www.google.com/search?q=Rue+Velpeau+1+Paris", "https://www.google.com/search?q=Rue+de+Fontenay+168+Vincennes", "https://www.google.com/search?q=Rue+Christian+D'Espic+2+Castres", "https://www.google.com/search?q=Blvd+de+Grenelle+31+Paris", "https://www.google.com/search?q=Avenue+de+Vorges+1+Vincennes", "https://www.google.com/search?q=Rue+Lobineau+1+Paris", "https://www.google.com/search?q=Bis+Avenue+Ledru+Rollin+82+Paris", "https://www.google.com/search?q=Rue+Armand+Carrel+2+Montreuil", "https://www.google.com/search?q=Rue+Du+Commandant+Mowat+16+Vincennes", "https://www.google.com/search?q=Rue+Clement+10+Paris", "https://www.google.com/search?q=Blvd+de+Grenelle+19+Paris", "https://www.google.com/search?q=Boulevard+Raspail+28+Paris", "https://www.google.com/search?q=Avenue+Mozart+56+67+Paris", "https://www.google.com/search?q=Boulevard+de+Grenelle+11+Paris", "https://www.google.com/search?q=Chemin+Des+Porches+54+Castres", "https://www.google.com/search?q=Rue+Francisque+Gay+25+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Saint+Antoine+45+Paris", "https://www.google.com/search?q=Place+Joffre+2+Paris", "https://www.google.com/search?q=Rue+Des+Hauts+Chateaux+1+Noisy+le+Grand", "https://www.google.com/search?q=Boulevard+Saint+Germain+171+Paris", "https://www.google.com/search?q=Parvis+Notre+Dame++Pl+Jean+Paul+II+1+Gentilly", "https://www.google.com/search?q=Rue+Saint+Antoine+16+Paris", "https://www.google.com/search?q=Chemin+de+Fitelle+3+Castres", "https://www.google.com/search?q=Rue+de+La+Republique+67+79+Montreuil", "https://www.google.com/search?q=Rue+Mazarine+29+Paris", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+48+Paris", "https://www.google.com/search?q=Avenue+Ledru+Rollin+121+Paris", "https://www.google.com/search?q=Avenue+de+Suffren+18+Paris", "https://www.google.com/search?q=Rue+de+La+Republique+16+Montreuil", "https://www.google.com/search?q=Boulevard+Du+Palais+1+Paris", "https://www.google.com/search?q=Quai+Des+Orfevres+34+36+Paris", "https://www.google.com/search?q=Rue+Jean+Bologne+13+Paris", "https://www.google.com/search?q=Boulevard+Pierre+Mendes+France+5+Bussy+Saint+Georges", "https://www.google.com/search?q=Rue+Du+Bac+41+Paris", "https://www.google.com/search?q=Rue+de+Lobau+4+Paris", "https://www.google.com/search?q=Rue+Richard+Lenoir+4+Montreuil", "https://www.google.com/search?q=Rue+Raynouard+9+Paris", "https://www.google.com/search?q=Rue+de+La+Tacherie+2+Paris", "https://www.google.com/search?q=Rue+de+Rivoli+25+Paris", "https://www.google.com/search?q=Rue+de+Passy+23+Paris", "https://www.google.com/search?q=Rue+de+Passy+78+80+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Du+Professeur+Andre+Lemierre+10+Montreuil", "https://www.google.com/search?q=Avenue+Emile+Cossonneau+12+Noisy+le+Grand", "https://www.google.com/search?q=Rue+Casimir+Perier+13+Paris", "https://www.google.com/search?q=Rue+Saint+Dominique+133+Paris", "https://www.google.com/search?q=Rue+Beethoven+13+Paris", "https://www.google.com/search?q=Rue+Du+Lt+Colonel+de+Montbrison+123+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Du+Val+D'Or+1893+Suresnes", "https://www.google.com/search?q=Rue+Douy+Delcupe+18+Montreuil", "https://www.google.com/search?q=Rue+Du+Clos+4+Paris", "https://www.google.com/search?q=Rue+Froment+12+Paris", "https://www.google.com/search?q=Rue+Edouard+Vaillant+23+Montreuil", "https://www.google.com/search?q=Rue+Pernelle+5+Paris", "https://www.google.com/search?q=Rue+de+Constantine+23+Paris", "https://www.google.com/search?q=Rue+Barbette+7+Paris", "https://www.google.com/search?q=Boulevard+Gallieni+20+Neuilly+Plaisance", "https://www.google.com/search?q=Place+Du+Louvre+1+Paris", "https://www.google.com/search?q=Rue+Boucher+2+Paris", "https://www.google.com/search?q=Avenue+Du+General+Lemonnier+1+Saint+Ouen", "https://www.google.com/search?q=Rue+Des+Halles+22+Paris", "https://www.google.com/search?q=Rue+Servan+19+Paris", "https://www.google.com/search?q=Quai+Branly+25+Levallois+Perret", "https://www.google.com/search?q=Avenue+Du+General+Lemonnier+1+Paris", "https://www.google.com/search?q=Rue+Edgar+Quinet+28+Neuilly+Plaisance", "https://www.google.com/search?q=Rue+Bailleul+13+Paris", "https://www.google.com/search?q=Boulevard+de+Sebastopol+43+Paris", "https://www.google.com/search?q=Boulevard+Emile+Augier+50+Paris", "https://www.google.com/search?q=Rue+Rambuteau+41+47+Paris", "https://www.google.com/search?q=Quai+D'Orsay+87+Paris", "https://www.google.com/search?q=Rue+de+Bagnolet+109+Paris", "https://www.google.com/search?q=Rue+Jules+Lamant+Et+Ses+Fils+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Quai+D'Orsay+71+Paris", "https://www.google.com/search?q=Quai+D'Orsay+43+Paris", "https://www.google.com/search?q=Rue+de+Marengo+1+Paris", "https://www.google.com/search?q=Rue+Beaubourg+31+Paris", "https://www.google.com/search?q=Avenue+Georges+Mandel+2+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Parmentier+3+Montreuil", "https://www.google.com/search?q=Avenue+Henri+Martin+84+Paris", "https://www.google.com/search?q=Avenue+Du+President+Wilson+16+Paris", "https://www.google.com/search?q=Avenue+Georges+Mandel+69+Paris", "https://www.google.com/search?q=Avenue+Henri+Martin+95+Paris", "https://www.google.com/search?q=Rue+Croix+Des+Petits+Champs+14+Paris", "https://www.google.com/search?q=Rue+de+Bretagne+14+Paris", "https://www.google.com/search?q=Avenue+Gallieni+108+Bagnolet", "https://www.google.com/search?q=Avenue+Jean+Jaures+32+Suresnes", "https://www.google.com/search?q=Boulevard+Flandrin+2+Paris", "https://www.google.com/search?q=Rue+de+Turbigo+5+Paris", "https://www.google.com/search?q=Hotel+de+Ville+48+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+Du+President+Wilson+38+Paris", "https://www.google.com/search?q=Rue+Du+Temple+132+Paris", "https://www.google.com/search?q=Cours+Albert+45+Paris", "https://www.google.com/search?q=Place+Francois+Mitterrand+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+George+V+19+Paris", "https://www.google.com/search?q=Rue+Franklin+5+Montreuil", "https://www.google.com/search?q=Rue+Pasteur+17+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+Des+Pyramides+15+Paris", "https://www.google.com/search?q=Rue+Saint+Denis+149+Paris", "https://www.google.com/search?q=Rue+Ternaux+11+Paris", "https://www.google.com/search?q=Avenue+Kleber+65+67+Paris", "https://www.google.com/search?q=Rue+Saint+Didier+35+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Robespierre+45+Bagnolet", "https://www.google.com/search?q=Rue+Saint+Martin+254+Paris", "https://www.google.com/search?q=Rue+Du+Mont+Thabor+38+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+45+Bagnolet", "https://www.google.com/search?q=Avenue+Raymond+Poincare+55+57+Paris", "https://www.google.com/search?q=Rue+Dussoubs+30+Paris", "https://www.google.com/search?q=Place+de+La+Concorde+3608+Paris", "https://www.google.com/search?q=Rue+Francois+24+Paris", "https://www.google.com/search?q=Avenue+Victor+Hugo+120+Paris", "https://www.google.com/search?q=Place+Du+Marche+Saint+Honore+39+Paris", "https://www.google.com/search?q=Rue+Dussoubs+40+Paris", "https://www.google.com/search?q=bis+Rue+Des+7+Paris", "https://www.google.com/search?q=Rue+Etienne+Dolet+20+Suresnes", "https://www.google.com/search?q=Rue+Marbeuf+17+19+Paris", "https://www.google.com/search?q=Place+Vendome+28+Paris", "https://www.google.com/search?q=Boulevard+Henri+Barbusse+6+Montreuil", "https://www.google.com/search?q=Rue+de+Malte+50+Paris", "https://www.google.com/search?q=Rue+Jean+Jaures+18+Bagnolet", "https://www.google.com/search?q=Rue+Jules+Ferry+33+Suresnes", "https://www.google.com/search?q=Avenue+Victor+Hugo+100+Paris", "https://www.google.com/search?q=Rue+Desbassayns+de+Richemont+9+Suresnes", "https://www.google.com/search?q=Rue+Merlin+de+Thionville+39+Suresnes", "https://www.google.com/search?q=Place+Henri+IV+13+Suresnes", "https://www.google.com/search?q=Avenue+Matignon+3+Levallois+Perret", "https://www.google.com/search?q=Rue+Sainte+Apolline+21+Paris", "https://www.google.com/search?q=Rue+Rene+Boulanger+60+Paris", "https://www.google.com/search?q=Rue+Rene+Boulanger+1+Paris", "https://www.google.com/search?q=Blvd+de+Belleville+20+Paris", "https://www.google.com/search?q=++45+Paris", "https://www.google.com/search?q=Rue+Pierre+Charron+65+Paris", "https://www.google.com/search?q=Place+de+La+Bourse+12+Paris", "https://www.google.com/search?q=Rue+Du+Colisee+10+Paris", "https://www.google.com/search?q=Rue+La+Boetie+130+Paris", "https://www.google.com/search?q=Rue+Des+Romarins+33+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+de+Ponthieu+25+Paris", "https://www.google.com/search?q=Rue+Paul+Et+Camille+Thomoux+88+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+La+Boetie+128+Paris", "https://www.google.com/search?q=Rue+Marceau+3+Bagnolet", "https://www.google.com/search?q=Rue+de+Caumartin+9+Paris", "https://www.google.com/search?q=Place+de+La+Madeleine+31+Paris", "https://www.google.com/search?q=Avenue+Franklin+Roosevelt+32+Suresnes", "https://www.google.com/search?q=Rue+Charles+Graindorge+1+Bagnolet", "https://www.google.com/search?q=Avenue+Marceau+77+Paris", "https://www.google.com/search?q=Rue+D'Hauteville+10+Paris", "https://www.google.com/search?q=Rue+de+La+Chaussee+D'Antin+3+Paris", "https://www.google.com/search?q=Rue+de+Caumartin+23+Saint+Ouen", "https://www.google.com/search?q=Rue+de+Ponthieu+60+Paris", "https://www.google.com/search?q=Rue+Galilee+64+Paris", "https://www.google.com/search?q=Rue+de+Berri+5+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Poissonniere+5+7+Paris", "https://www.google.com/search?q=Rue+Des+Bons+Raisins+20+Rueil+Malmaison", "https://www.google.com/search?q=Place+de+La+Madeleine+25+Paris", "https://www.google.com/search?q=Boulevard+Malesherbes+37+Paris", "https://www.google.com/search?q=Rue+Massena+6+Rueil+Malmaison", "https://www.google.com/search?q=Boulevard+Haussmann+16+Paris", "https://www.google.com/search?q=Rue+Des+Mathurins+16+Paris", "https://www.google.com/search?q=Avenue+Foch+8+Paris", "https://www.google.com/search?q=Boulevard+Haussmann+48+Paris", "https://www.google.com/search?q=Rue+Saint+Fargeau+27+Paris", "https://www.google.com/search?q=Rue+Charles+Floquet+5+Rueil+Malmaison", "https://www.google.com/search?q=Avenue+de+Friedland+31+Paris", "https://www.google.com/search?q=Rue+Chauchat+12+14+Paris", "https://www.google.com/search?q=Rue+de+Provence+98+Paris", "https://www.google.com/search?q=Rue+Du+Telegraphe+12+16+Paris", "https://www.google.com/search?q=Rue+Du+Chateau+14+Rueil+Malmaison", "https://www.google.com/search?q=Ave+Claude+Vellefaux+1+Paris", "https://www.google.com/search?q=Avenue+Jean+Jaures+220+Neuilly+sur+Marne", "https://www.google.com/search?q=Passage+Des+Recollets+20+Paris", "https://www.google.com/search?q=Boulevard+Haussmann+155+Paris", "https://www.google.com/search?q=Passage+Des+Recollets+3+Paris", "https://www.google.com/search?q=Rue+Olivier+Metra+35+49+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Poissonniere+54+Paris", "https://www.google.com/search?q=Rue+Des+Haies+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+Carnot+20+Paris", "https://www.google.com/search?q=Avenue+Gambetta+211+Paris", "https://www.google.com/search?q=Rue+Saint+Lazare+109+Paris", "https://www.google.com/search?q=Rue+de+Laborde+15+Paris", "https://www.google.com/search?q=Bis+Avenue+de+Wagram+22+Paris", "https://www.google.com/search?q=Place+de+Bagatelle+1+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Hoche+18+Paris", "https://www.google.com/search?q=Allee+Des+Sports+6+Puteaux", "https://www.google.com/search?q=Avenue+Mac+Mahon+17+Paris", "https://www.google.com/search?q=Square+Alban+Satragne+11+Paris", "https://www.google.com/search?q=Rue+de+Rome+20+Paris", "https://www.google.com/search?q=Rue+Gambetta+75+Suresnes", "https://www.google.com/search?q=Rue+de+L'etoile+6+10+Paris", "https://www.google.com/search?q=Boulevard+Du+Marechal+Foch+17+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Du+4+Saint+Ouen", "https://www.google.com/search?q=Rue+Du+Faubourg+Saint+Martin+156+Paris", "https://www.google.com/search?q=Boulevard+de+Strasbourg+350+Paris", "https://www.google.com/search?q=Rue+Mayran+3+Paris", "https://www.google.com/search?q=Rue+de+Londres+29+Paris", "https://www.google.com/search?q=Avenue+Paul+Doumer+133+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Mayran+5+Paris", "https://www.google.com/search?q=Boulevard+Du+Marechal+Foch+13+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Compans+8+Paris", "https://www.google.com/search?q=Rue+Brunel+27+Paris", "https://www.google.com/search?q=Place+de+La+Porte+Maillot+16+Paris", "https://www.google.com/search?q=Rue+de+Bellefond+10+Paris", "https://www.google.com/search?q=Rue+Des+Petits+Hotels+31+Paris", "https://www.google.com/search?q=Boulevard+Pereire+271+Paris", "https://www.google.com/search?q=Avenue+Des+Ternes+38+Paris", "https://www.google.com/search?q=Rue+Jean+Baptiste+Pigalle+10+12+Paris", "https://www.google.com/search?q=Boulevard+Du+Gue+2+Rueil+Malmaison", "https://www.google.com/search?q=Rue+D'Abbeville+5+Paris", "https://www.google.com/search?q=Avenue+de+La+Republique+15+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Mars+Et+Roty+8+Puteaux", "https://www.google.com/search?q=Rue+de+La+Charbonniere+77+Montevrain", "https://www.google.com/search?q=Rue+de+Sablonville+56+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Waldeck+Rousseau+9+Paris", "https://www.google.com/search?q=Rue+Clauzel+20+Paris", "https://www.google.com/search?q=Place+Des+Arts+8+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Godefroy+4+Puteaux", "https://www.google.com/search?q=Rue+Des+Freres+Flavien+55+57+Paris", "https://www.google.com/search?q=Blvd+Pereire+209+Paris", "https://www.google.com/search?q=Rue+de+Compiegne+4+Paris", "https://www.google.com/search?q=Avenue+Secretan+76+Paris", "https://www.google.com/search?q=Rue+Eugene+Eichenberger+46+48+Puteaux", "https://www.google.com/search?q=Rue+Cartault+33+Puteaux", "https://www.google.com/search?q=Avenue+de+La+Porte+Des+Ternes+16+Paris", "https://www.google.com/search?q=Rue+Jouffroy+D'Abbans+103+Paris", "https://www.google.com/search?q=Avenue+de+Villiers+14+Paris", "https://www.google.com/search?q=Avenue+Du+Roule+43+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+de+La+Porte+Du+Pre+Saint+Gervais+10+Paris", "https://www.google.com/search?q=Boulevard+Des+Batignolles+43+Paris", "https://www.google.com/search?q=Rue+Anatole+France+18+Puteaux", "https://www.google.com/search?q=Place+D'Ariane+24+Chessy", "https://www.google.com/search?q=Rue+Mansart+7+9+Paris", "https://www.google.com/search?q=Bis+Rue+Ambroise+Pare+1+Paris", "https://www.google.com/search?q=Avenue+Charles+de+Gaulle+136+Neuilly+sur+Seine", "https://www.google.com/search?q=Boulevard+Gouvion+Saint+Cyr+26+Paris", "https://www.google.com/search?q=Boulevard+de+Rochechouart+41+Paris", "https://www.google.com/search?q=Rue+Lebouteux+13+Paris", "https://www.google.com/search?q=Avenue+Du+Roule+94+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+137+Puteaux", "https://www.google.com/search?q=Boulevard+de+L'Yser+10+Paris", "https://www.google.com/search?q=Avenue+Du+Marechal+de+Lattre+de+Tassigny+52+Chelles", "https://www.google.com/search?q=Boulevard+de+La+Chapelle+104+Paris", "https://www.google.com/search?q=++16+Paris", "https://www.google.com/search?q=Rue+Andre+Dubois+4+Paris", "https://www.google.com/search?q=Rue+Lavoisier+3+Puteaux", "https://www.google.com/search?q=Rue+de+Chartres+4+Paris", "https://www.google.com/search?q=Place+Maurice+Berteaux+19+Chatou", "https://www.google.com/search?q=Rue+Pierre+Picard+4+Paris", "https://www.google.com/search?q=Rue+Des+Fontaines+1+Puteaux", "https://www.google.com/search?q=Rue+Des+Islettes+12+Paris", "https://www.google.com/search?q=Rue+Du+Chemin+de+Fer+38+42+Gagny", "https://www.google.com/search?q=Rue+Jouffroy+D'Abbans+40+Paris", "https://www.google.com/search?q=Rue+Du+Chemin+de+Fer+66+Gagny", "https://www.google.com/search?q=Rue+Forest+11+Saint+Ouen", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+10+12+Paris", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+20+22+Paris", "https://www.google.com/search?q=Rue+Forest+12+Paris", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+44+46+Paris", "https://www.google.com/search?q=Rue+Cardinet+116+Paris", "https://www.google.com/search?q=Rue+Nollet+29+Paris", "https://www.google.com/search?q=Rue+Des+Gardes+10+Paris", "https://www.google.com/search?q=Place+Maurice+Berteaux+25+Chatou", "https://www.google.com/search?q=Rue+de+Courcelles+210+Paris", "https://www.google.com/search?q=Rue+Louise+Michel+8+Levallois+Perret", "https://www.google.com/search?q=Boulevard+D'Inkermann+31+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Victor+Hugo+113+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Paradis+47+Puteaux", "https://www.google.com/search?q=Rue+Michelet+8+Puteaux", "https://www.google.com/search?q=Rue+Lemercier+51+Paris", "https://www.google.com/search?q=Rue+Amedee+Bollee+7+Rueil+Malmaison", "https://www.google.com/search?q=Blvd+Berthier+122+Paris", "https://www.google.com/search?q=Route+De+La+Demi+Lune+31+Puteaux", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+19+Puteaux", "https://www.google.com/search?q=Rue+de+Chelles+21+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+de+La+Gare+1+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+de+Chelles+32+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+Jean+Jaures+8+Levallois+Perret", "https://www.google.com/search?q=Rue+Riquet+9+11+Paris", "https://www.google.com/search?q=Rue+Brochant+28+Paris", "https://www.google.com/search?q=Rue+Du+7+Chelles", "https://www.google.com/search?q=Rue+Du+General+Audran+16+Courbevoie", "https://www.google.com/search?q=Rue+Custine+48+50+Saint+Ouen", "https://www.google.com/search?q=Liaison+Mediane+3+Courbevoie", "https://www.google.com/search?q=Liaison+Mediane+1+Courbevoie", "https://www.google.com/search?q=B+Rue+Raffin+2+Gagny", "https://www.google.com/search?q=Rue+Cardinet+168+Paris", "https://www.google.com/search?q=Avenue+Henri+Barbusse+8+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+Guy+de+Maupassant+7+Rueil+Malmaison", "https://www.google.com/search?q=++5+Paris", "https://www.google.com/search?q=Place+de+La+Defense+34+Courbevoie", "https://www.google.com/search?q=Rue+Voltaire+25+Levallois+Perret", "https://www.google.com/search?q=Avenue+Jean+Jaures+38+Gagny", "https://www.google.com/search?q=Rue+Parmentier+6+Gagny", "https://www.google.com/search?q=Avenue+Andre+Prothin+10+Courbevoie", "https://www.google.com/search?q=Avenue+Jean+Jaures+211+Paris", "https://www.google.com/search?q=Rue+Damremont+68+Paris", "https://www.google.com/search?q=Rue+Voltaire+40+Levallois+Perret", "https://www.google.com/search?q=Rue+de+Lorraine+8+Levallois+Perret", "https://www.google.com/search?q=Rue+D'Alsace+32+Levallois+Perret", "https://www.google.com/search?q=Rue+Des+Longues+Raies+16+Nanterre", "https://www.google.com/search?q=Rue+Marcadet+142+Paris", "https://www.google.com/search?q=B+Rue+Marcadet+169+Paris", "https://www.google.com/search?q=Avenue+de+Claye+9+Chelles", "https://www.google.com/search?q=Avenue+de+La+Republique+3+Gagny", "https://www.google.com/search?q=Rue+de+Bezons+11+Courbevoie", "https://www.google.com/search?q=Rue+Laugier+Villars+4+10+Gagny", "https://www.google.com/search?q=Bd+Serurier+185+Paris", "https://www.google.com/search?q=Avenue+de+La+Division+Leclerc+33+Courbevoie", "https://www.google.com/search?q=Avenue+Colbert+13+Chelles", "https://www.google.com/search?q=Rue+Damremont+73+Paris", "https://www.google.com/search?q=Rue+de+Lorraine+35+Levallois+Perret", "https://www.google.com/search?q=Square+Henri+Regnault+15+Courbevoie", "https://www.google.com/search?q=Rue+Auguste+Beau+4+Courbevoie", "https://www.google.com/search?q=Rue+Jacques+Mazaud+9+Levallois+Perret", "https://www.google.com/search?q=Rue+Antonin+Raynaud+2+Levallois+Perret", "https://www.google.com/search?q=Rue+Michel+Ange+16+Puteaux", "https://www.google.com/search?q=Rue+Championnet+201+Paris", "https://www.google.com/search?q=Rue+Du+President+Wilson+80+Levallois+Perret", "https://www.google.com/search?q=Rue+de+Clignancourt+120+Paris", "https://www.google.com/search?q=Avenue+de+Claye+30+Chelles", "https://www.google.com/search?q=Avenue+de+L'Arche+11+Courbevoie", "https://www.google.com/search?q=Rue+D'Aubervilliers+160+Paris", "https://www.google.com/search?q=Rue+Pierre+Brossolette+13+Levallois+Perret", "https://www.google.com/search?q=Rue+Du+Marche+9+Brou+sur+Chantereine", "https://www.google.com/search?q=Rue+Albert+Simonin+1+Courbevoie", "https://www.google.com/search?q=Rue+Pierre+Brossolette+21+Levallois+Perret", "https://www.google.com/search?q=Rue+Versigny+16+Paris", "https://www.google.com/search?q=Rue+de+L'Alma+12+Courbevoie", "https://www.google.com/search?q=Allee+Chatrian+6+Le+Raincy", "https://www.google.com/search?q=Rue+Danton+145+Levallois+Perret", "https://www.google.com/search?q=Avenue+Leonard+de+Vinci+14+Courbevoie", "https://www.google.com/search?q=Rue+de+Crimee+234+Aubervilliers", "https://www.google.com/search?q=Avenue+Leonard+de+Vinci+36+Courbevoie", "https://www.google.com/search?q=Rue+de+L'Aitre+13+Lagny+sur+Marne", "https://www.google.com/search?q=Avenue+Jean+Lolive+159+Pantin", "https://www.google.com/search?q=Rue+Des+Coches+11+15+Saint+Germain+en+Laye", "https://www.google.com/search?q=Boulevard+Du+Marechal+Gallieni+6+Lagny+sur+Marne", "https://www.google.com/search?q=Rue+Ernest+Cognacq+33+Levallois+Perret", "https://www.google.com/search?q=Rue+Carnot+3+Brou+sur+Chantereine", "https://www.google.com/search?q=Rue+Jules+Guesde+144+Levallois+Perret", "https://www.google.com/search?q=Place+Andre+Malraux+6+Saint+Germain+en+Laye", "https://www.google.com/search?q=Rue+Jean+Pierre+Timbaud+56+Courbevoie", "https://www.google.com/search?q=Rue+Andre+Citroen+29+Levallois+Perret", "https://www.google.com/search?q=Avenue+Georges+Pompidou+41+Levallois+Perret", "https://www.google.com/search?q=Rue+Armagis+20+Saint+Germain+en+Laye", "https://www.google.com/search?q=Blvd+de+La+Mission+Marchand+77+Courbevoie", "https://www.google.com/search?q=Bis+Rue+Gaultier+58+Courbevoie", "https://www.google.com/search?q=Rue+de+Pologne+63+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+Du+Marche+Neuf+1+Saint+Germain+en+Laye", "https://www.google.com/search?q=Avenue+de+La+Resistance+14+Le+Raincy", "https://www.google.com/search?q=Boulevard+de+Verdun+87+Courbevoie", "https://www.google.com/search?q=Boulevard+Macdonald+61+Paris", "https://www.google.com/search?q=Terrasse+Du+Parc+1+10+Paris", "https://www.google.com/search?q=Rue+Rene+Lallemant+32+Lagny+sur+Marne", "https://www.google.com/search?q=Place+de+La+Victoire+5+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+Des+Passagers+Du+Vent+1+Chessy", "https://www.google.com/search?q=Rue+Delambre+3+Lagny+sur+Marne", "https://www.google.com/search?q=Avenue+Jules+Ferry+95+Bondy", "https://www.google.com/search?q=Boulevard+Macdonald+153+Paris", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Clignancourt+30+Paris", "https://www.google.com/search?q=Avenue+Marceau+67+Courbevoie", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Saint+Ouen+17+Paris", "https://www.google.com/search?q=Quai+Bizeau+4+Pomponne", "https://www.google.com/search?q=Rue+Chana+Orloff+12+14+Paris", "https://www.google.com/search?q=Boulevard+Saint+Denis+200+Courbevoie", "https://www.google.com/search?q=Rue+de+Marne+12+Pomponne", "https://www.google.com/search?q=Rue+Armand+Silvestre+88+Courbevoie", "https://www.google.com/search?q=Rue+Du+Dr+Babinski+19+29+Saint+Ouen", "https://www.google.com/search?q=Avenue+Du+Grand+Cerf+11+Chelles", "https://www.google.com/search?q=Avenue+Chabanneaux+1+Pomponne", "https://www.google.com/search?q=Boulevard+Jean+Jaures+80+Clichy", "https://www.google.com/search?q=Rue+Des+Rosiers+142+Saint+Ouen", "https://www.google.com/search?q=Rue+Emile+Zola+5+Courbevoie", "https://www.google.com/search?q=Boulevard+de+La+Paix+61+Courbevoie", "https://www.google.com/search?q=Rue+Adolphe+Lalyre+8+Courbevoie", "https://www.google.com/search?q=Rue+Des+Rosiers+110+Saint+Ouen", "https://www.google.com/search?q=Rue+de+Dampmart+4+Thorigny+sur+Marne", "https://www.google.com/search?q=Rue+Marie+Curie+7+Saint+Ouen", "https://www.google.com/search?q=Rue+Des+Champs+Philippe+37+La+Garenne+Colombes", "https://www.google.com/search?q=Place+Charles+de+Gaulle+23+Bondy", "https://www.google.com/search?q=Place+Du+4+Bondy", "https://www.google.com/search?q=Rue+Auguste+Polissard+30+Bondy", "https://www.google.com/search?q=Avenue+Youri+Gagarine+2+Bobigny", "https://www.google.com/search?q=Rue+Auguste+Mayet+2+Asnieres+sur+Seine", "https://www.google.com/search?q=Avenue+Gallieni+82+Bondy", "https://www.google.com/search?q=Avenue+Gallieni+116+Bondy", "https://www.google.com/search?q=Rue+Buffon+14+Colombes", "https://www.google.com/search?q=Rue+de+La+Concorde+11+Asnieres+sur+Seine", "https://www.google.com/search?q=Rue+Erik+Satie+7+Bobigny", "https://www.google.com/search?q=Rue+de+La+Concorde+25+29+Asnieres+sur+Seine", "https://www.google.com/search?q=Rue+Edouard+Poisson+31+Aubervilliers", "https://www.google.com/search?q=Rue+Du+Docteur+Bauer+4+Saint+Ouen", "https://www.google.com/search?q=Rue+Marguerite+Yourcenar+22+Bobigny", "https://www.google.com/search?q=Av+Des+Gresillons+29+Gennevilliers", "https://www.google.com/search?q=Avenue+Du+President+John+Fitzgerald+Kennedy+1+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+de+La+Gare+4+Mauves+sur+Loire", "https://www.google.com/search?q=Rue+Pasteur+5+Aubervilliers", "https://www.google.com/search?q=Rue+Des+Freres+Chausson+9+Asnieres+sur+Seine", "https://www.google.com/search?q=Place+Andre+Malraux+148+Houilles", "https://www.google.com/search?q=Rue+Robespierre+23+Houilles", "https://www.google.com/search?q=Rue+Du+Champ+Gaillard+10+Poissy", "https://www.google.com/search?q=Place+Du+3+Houilles", "https://www.google.com/search?q=Rue+Beaurepaire+19+Colombes", "https://www.google.com/search?q=Rue+de+La+Liberte+9+Colombes", "https://www.google.com/search?q=Rue+Du+Bournard+61+Colombes", "https://www.google.com/search?q=Rue+Gambetta+12+Houilles", "https://www.google.com/search?q=Rue+de+La+Marne+36+Houilles", "https://www.google.com/search?q=Place+Michelet+27+Houilles", "https://www.google.com/search?q=Avenue+D'Orgemont+3+Colombes", "https://www.google.com/search?q=Rue+Charles+Van+Wyngene+35+Courtry", "https://www.google.com/search?q=Rue+Des+Deportes+60+Colombes", "https://www.google.com/search?q=Place+de+La+Republique+17+Poissy", "https://www.google.com/search?q=Rue+de+La+Convention+75+La+Courneuve", "https://www.google.com/search?q=Allee+Du+Rosternel+7+Courtry", "https://www.google.com/search?q=Rue+de+La+Barbacane+7111+Saint+Denis", "https://www.google.com/search?q=Chemin+Du+Bois+Rigaud+6+Vertou", "https://www.google.com/search?q=Rue+Jean+Claude+Mary+23+Poissy", "https://www.google.com/search?q=Impasse+de+La+Gare+3+Vertou", "https://www.google.com/search?q=Boulevard+Marcel+Sembat+94+Saint+Denis", "https://www.google.com/search?q=Rue+Du+Bac+6+Poissy", "https://www.google.com/search?q=Rue+Des+Ponts+11+Thouare+sur+Loire", "https://www.google.com/search?q=Boulevard+Du+General+Gallieni+2+Aulnay+sous+Bois", "https://www.google.com/search?q=Boulevard+Du+General+Gallieni+11+Aulnay+sous+Bois", "https://www.google.com/search?q=Avenue+Jean+Jaures+82+Sartrouville", "https://www.google.com/search?q=Rue+Des+Chaumettes+6+Saint+Denis", "https://www.google.com/search?q=Rue+Edouard+Vaillant+15+Saint+Denis", "https://www.google.com/search?q=Avenue+Romain+Rolland+6+Le+Blanc+Mesnil", "https://www.google.com/search?q=Avenue+Pierre+Et+Marie+Curie+16+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Jean+Marcenac+1+Saint+Denis", "https://www.google.com/search?q=Rue+Ernest+Bray+8+Argenteuil", "https://www.google.com/search?q=Rue+Leo+Delibes+35+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Meyerbeer+24+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+de+La+Liberte+22+Argenteuil", "https://www.google.com/search?q=Rue+Claude+Debussy+6+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Claude+Debussy+5+Le+Blanc+Mesnil", "https://www.google.com/search?q=Place+Gabriel+Peri+1+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+de+Beaulieu+111+Thouare+sur+Loire", "https://www.google.com/search?q=Rue+Lecocq+9+Le+Blanc+Mesnil", "https://www.google.com/search?q=Boulevard+Karl+Marx+16+Argenteuil", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+50+Argenteuil", "https://www.google.com/search?q=Rue+D'Acheres+5+Maisons+Laffitte", "https://www.google.com/search?q=Rue+de+Paris+41+Maisons+Laffitte", "https://www.google.com/search?q=Boulevard+Leon+Feix+14+Argenteuil", "https://www.google.com/search?q=Rue+de+L'Ouche+Quinet+77+79+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+Toussaint+Louverture+3+Saint+Denis", "https://www.google.com/search?q=Villa+Charles+10+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Berionne+12+Argenteuil", "https://www.google.com/search?q=Rue+de+La+Berionne+5+Argenteuil", "https://www.google.com/search?q=Rue+De+La+Grand+Maison+1+Vertou", "https://www.google.com/search?q=Avenue+de+Lattre+de+Tassigny+5+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Planchonnais+16+Sainte+Luce+sur+Loire", "https://www.google.com/search?q=Rue+Des+ecobuts+2+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+de+La+Haye+2+Dugny", "https://www.google.com/search?q=Avenue+Nelson+Mandela+30+Tremblay+en+France", "https://www.google.com/search?q=Rue+Deschamps+Guerin+12+Acheres", "https://www.google.com/search?q=Rue+Des+Bourdonnieres+95+Nantes", "https://www.google.com/search?q=Rue+de+Saint+Gratien+105+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Loire+13+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+Du+Marechal+Juin+6+Saint+Gratien", "https://www.google.com/search?q=Route+de+Sainte+Luce+361+Nantes", "https://www.google.com/search?q=Rue+de+Paris+37+Pierrefitte+sur+Seine", "https://www.google.com/search?q=Rue+Talma+4+Enghien+les+Bains", "https://www.google.com/search?q=Blvd+Voltaire+2+Chaumont", "https://www.google.com/search?q=Place+de+Verdun+13+Enghien+les+Bains", "https://www.google.com/search?q=Rue+de+Malleville+18+Enghien+les+Bains", "https://www.google.com/search?q=Avenue+de+Ceinture+16+Enghien+les+Bains", "https://www.google.com/search?q=Allee+Edouard+Branly+1+Acheres", "https://www.google.com/search?q=Place+Du+Marechal+Foch+3+Enghien+les+Bains", "https://www.google.com/search?q=Route+de+Saint+Sebastien+50+56+Nantes", "https://www.google.com/search?q=Rue+de+La+Liberation+16+Enghien+les+Bains", "https://www.google.com/search?q=Avenue+Charles+de+Gaulle+133+Montmorency", "https://www.google.com/search?q=Cote+Saint+Sebastien+17+Nantes", "https://www.google.com/search?q=Route+de+Franois+9+Besancon", "https://www.google.com/search?q=Rue+Gabriel+Goudy+11+Nantes", "https://www.google.com/search?q=Rue+Esnoul+Des+Chatelets+13+Nantes", "https://www.google.com/search?q=Rue+Rene+Viviani+3+Nantes", "https://www.google.com/search?q=Rue+Raoul+Dautry+1+Ermont", "https://www.google.com/search?q=Avenue+Des+Nations+93+Villepinte", "https://www.google.com/search?q=Avenue+de+La+Liberation+25+Reze", "https://www.google.com/search?q=Rue+Eric+Tabarly+4+Reze", "https://www.google.com/search?q=Rue+Marcel+Paul+3+Nantes", "https://www.google.com/search?q=Rue+Andre+Malraux+29+Reze", "https://www.google.com/search?q=Rue+Marcel+Paul+1+Nantes", "https://www.google.com/search?q=Rue+de+La+Porte+Gellee+15+Nantes", "https://www.google.com/search?q=D+451+Messy", "https://www.google.com/search?q=Rue+Rene+Pion+1+Triel+sur+Seine", "https://www.google.com/search?q=Rue+Du+Dr+Sobaux+45+Triel+sur+Seine", "https://www.google.com/search?q=Quai+de+Malakoff+43+Nantes", "https://www.google.com/search?q=Rue+Du+Pont+5+Triel+sur+Seine", "https://www.google.com/search?q=Rue+Du+Ranzay+1+Nantes", "https://www.google.com/search?q=Rue+Paul+Doumer+194+Triel+sur+Seine", "https://www.google.com/search?q=Rue+de+Lourmel+32+Nantes", "https://www.google.com/search?q=Rue+Cadot+1+Triel+sur+Seine", "https://www.google.com/search?q=Boulevard+Alexandre+Fleming+1+Besancon", "https://www.google.com/search?q=Quai+de+Malakoff+2+Nantes", "https://www.google.com/search?q=Rue+de+Jemmapes+10+Nantes", "https://www.google.com/search?q=Rue+Du+Ranzay+14+Nantes", "https://www.google.com/search?q=Rue+Du+Luxembourg+9+Besancon", "https://www.google.com/search?q=Rue+Henri+IV+714+Nantes", "https://www.google.com/search?q=La+Baconniere+12+Nantes", "https://www.google.com/search?q=Allee+Baco+17+Nantes", "https://www.google.com/search?q=Rue+Colette+12+Nantes", "https://www.google.com/search?q=Chaussee+de+La+Madeleine+11+Nantes", "https://www.google.com/search?q=Rue+Cornillon+36+Meaux", "https://www.google.com/search?q=Route+de+Saint+Joseph+251+Nantes", "https://www.google.com/search?q=Route+de+Gachet+45+Nantes", "https://www.google.com/search?q=Rue+Tournefort+7+Nantes", "https://www.google.com/search?q=Rue+Printaniere+114+Les+Sables+d'Olonne", "https://www.google.com/search?q=Boulevard+Salvador+Allende+4+Besancon", "https://www.google.com/search?q=Quai+de+Tourville+7+Nantes", "https://www.google.com/search?q=Rue+Du+Moulin+18+Nantes", "https://www.google.com/search?q=Rue+Aristide+Briand+52+Meaux", "https://www.google.com/search?q=Rue+Charles+Burger+2+Franconville", "https://www.google.com/search?q=Allee+de+L'ile+Gloriette+7+Nantes", "https://www.google.com/search?q=Rue+Albert+de+Mun+9+Nantes", "https://www.google.com/search?q=Rue+Arthur+III+10+Nantes", "https://www.google.com/search?q=Rue+Du+Tan+33+Meaux", "https://www.google.com/search?q=Cours+de+Verdun+16+Meaux", "https://www.google.com/search?q=Rue+de+La+Sablonniere+4+Meaux", "https://www.google.com/search?q=Route+de+Houdan+121+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Le+Notre+4+Nantes", "https://www.google.com/search?q=Cours+Dupont+26+Les+Sables+d'Olonne", "https://www.google.com/search?q=Rue+Alexandre+Deneufchatel+1+Maurecourt", "https://www.google.com/search?q=Rue+de+La+Belle+Borne+3296+Tremblay+en+France", "https://www.google.com/search?q=Place+de+Bretagne+2+Nantes", "https://www.google.com/search?q=Rue+de+L'Heronniere+15+Nantes", "https://www.google.com/search?q=Rue+Paul+Bellamy+25+Nantes", "https://www.google.com/search?q=Rue+Ampere+11+Mantes+la+Ville", "https://www.google.com/search?q=Boulevard+Armand+Leprince+1+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+Louis+Preaubert+1+Nantes", "https://www.google.com/search?q=Rue+Montebello+22+Les+Sables+d'Olonne", "https://www.google.com/search?q=Rue+Charles+Lehmann+1+Maurecourt", "https://www.google.com/search?q=Place+Paul+Doumer+7+Meaux", "https://www.google.com/search?q=Route+de+Houdan+61+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Lucien+Hamel+2+Maurecourt", "https://www.google.com/search?q=Place+Paul+Doumer+3+Meaux", "https://www.google.com/search?q=Rue+Maurice+Berteaux+17+Maurecourt", "https://www.google.com/search?q=Rue+Jean+Laugere+24+Arnouville", "https://www.google.com/search?q=Place+Aristide+Briand+6+Nantes", "https://www.google.com/search?q=Rue+Eugene+Berrurier+11+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+Du+Marechal+Leclerc+7+Les+Sables+d'Olonne", "https://www.google.com/search?q=Quai+de+La+Fosse+84+Nantes", "https://www.google.com/search?q=Rue+Edouard+Branly+8+Mitry+Mory", "https://www.google.com/search?q=Quai+Robert+Surcouf+7+Reze", "https://www.google.com/search?q=Chemin+de+La+Ville+de+Paris+9+Maurecourt", "https://www.google.com/search?q=Rue+Des+5+Roissy+en+France", "https://www.google.com/search?q=Rue+Frederic+Mistral+3+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Frederic+Mistral+1+Mantes+la+Ville", "https://www.google.com/search?q=Chemin+de+La+Ville+de+Paris+2+Maurecourt", "https://www.google.com/search?q=Rue+Charles+Lindbergh+8+Bouguenais", "https://www.google.com/search?q=Rue+Ordronneau+15+Reze", "https://www.google.com/search?q=Rue+Clement+Ader+3+Bouguenais", "https://www.google.com/search?q=Rue+Recteur+Schmitt+25+Nantes", "https://www.google.com/search?q=Rue+Recteur+Schmitt+24+Nantes", "https://www.google.com/search?q=Boulevard+Franklin+Roosevelt+18+Les+Sables+d'Olonne", "https://www.google.com/search?q=Place+de+La+Liberte+10+12+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+de+Paris+21+Vaud'herland", "https://www.google.com/search?q=D+1+Roissy+en+France", "https://www.google.com/search?q=Chemin+de+L'Hautil+2+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+Des+Essarts+43+Les+Auxons", "https://www.google.com/search?q=Rue+de+Lorraine+31+Mantes+la+Jolie", "https://www.google.com/search?q=Place+de+La+Republique+11+Mantes+la+Jolie", "https://www.google.com/search?q=Rue+Jean+Jaouen+10+Mantes+la+Ville", "https://www.google.com/search?q=B+Avenue+de+La+Republique+4+Mantes+la+Jolie", "https://www.google.com/search?q=Rue+de+Baviere+15+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Cour+Du+Murier+1+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+Du+Palais+de+Justice+24+Mantes+la+Jolie", "https://www.google.com/search?q=Allee+Du+Verger+5+Roissy+en+France", "https://www.google.com/search?q=Rue+de+La+Gare+de+Chantenay+1+Nantes", "https://www.google.com/search?q=Rue+de+La+Gare+de+Chantenay+6+Nantes", "https://www.google.com/search?q=Boulevard+D'ecancourt+56+Jouy+le+Moutier", "https://www.google.com/search?q=Boulevard+D'ecancourt+48+Jouy+le+Moutier", "https://www.google.com/search?q=Boulevard+Carnot+3+Meulan+en+Yvelines", "https://www.google.com/search?q=Rue+Charles+Gounod+10+Jouy+le+Moutier", "https://www.google.com/search?q=Avenue+de+La+Gare+2+Hardricourt", "https://www.google.com/search?q=Place+de+Londres+3+Tremblay+en+France", "https://www.google.com/search?q=Avenue+Camille+Saint+Saens+2+Jouy+le+Moutier", "https://www.google.com/search?q=Allee+Du+Parc+3+Jouy+le+Moutier", "https://www.google.com/search?q=Place+de+Londres+3+Le+Mesnil+Amelot", "https://www.google.com/search?q=Rue+Joseph+Cornudet+81+Neuville+sur+Oise", "https://www.google.com/search?q=Chemin+Des+Montboucons+11+Besancon", "https://www.google.com/search?q=Rue+Rossini+1+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+D'Eragny+153+Neuville+sur+Oise", "https://www.google.com/search?q=Rue+Des+Postes+5720+Roissy+en+France", "https://www.google.com/search?q=Rue+Joseph+Cornudet+7+Neuville+sur+Oise", "https://www.google.com/search?q=Avenue+Du+Manoir+5+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Rue+de+L'Erdre+6+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Avenue+de+La+Gare+12+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Place+de+Londres+3+Mitry+Mory", "https://www.google.com/search?q=Rue+de+La+Fontaine+Benite+18+Jouy+le+Moutier", "https://www.google.com/search?q=La+Challe+Orange+1+eragny", "https://www.google.com/search?q=Chemin+Des+Simmonieres+5+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Grande+Rue+29+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+de+La+Fontaine+Benite+9+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+de+Rome+8+Tremblay+en+France", "https://www.google.com/search?q=Rue+Salvador+Allende+1+eragny", "https://www.google.com/search?q=Grande+Rue+38+Jouy+le+Moutier", "https://www.google.com/search?q=Avenue+Louise+Michel+3+Besancon", "https://www.google.com/search?q=Rue+de+La+Gare+26+eragny", "https://www.google.com/search?q=Route+Des+Badauds+5321+Mauregard", "https://www.google.com/search?q=Rue+Des+Acacias+6197+Le+Mesnil+Amelot", "https://www.google.com/search?q=Route+de+Vannes+144+Nantes", "https://www.google.com/search?q=Boulevard+Rene+Cassin+6+Nantes", "https://www.google.com/search?q=Bd+Charles+de+Gaulle+2+Besancon", "https://www.google.com/search?q=Rue+Marulaz+67+Besancon", "https://www.google.com/search?q=Avenue+Louise+Michel+7+Vaureal", "https://www.google.com/search?q=Rue+de+L'Orme+de+Chamars+1+Besancon", "https://www.google.com/search?q=Rue+Claude+Pouillet+25+Besancon", "https://www.google.com/search?q=Rue+de+L'Oree+Du+Bois+4+Vaureal", "https://www.google.com/search?q=Route+de+Vannes+201+Saint+Herblain", "https://www.google.com/search?q=Rue+Des+Glacis+9+Besancon", "https://www.google.com/search?q=Rue+de+Vesoul+2+Besancon", "https://www.google.com/search?q=Rue+Des+etangs+28+Cergy", "https://www.google.com/search?q=Rue+Du+Wattman+4+Orvault", "https://www.google.com/search?q=Rue+de+La+Viotte+4+Besancon", "https://www.google.com/search?q=Avenue+Elisee+Cusenier+12+Besancon", "https://www.google.com/search?q=Chemin+Des+Eguerets+5+Cergy", "https://www.google.com/search?q=Rue+Isenbart+24+Besancon", "https://www.google.com/search?q=Rue+Du+Chemin+de+Nantouillet+1+Juilly", "https://www.google.com/search?q=Rue+Des+Verts+Pres+54+Orvault", "https://www.google.com/search?q=Rue+Rivotte+23+Besancon", "https://www.google.com/search?q=Place+Montesquieu+4+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+Pierrelaye+7+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Avenue+de+La+Morliere+93+Orvault", "https://www.google.com/search?q=Avenue+de+La+Morliere+3725+Orvault", "https://www.google.com/search?q=Rue+de+Neuville+1+Cergy", "https://www.google.com/search?q=Avenue+Louis+Lecoin+2+Vaureal", "https://www.google.com/search?q=Avenue+Federico+Garcia+Lorca+6+Vaureal", "https://www.google.com/search?q=Rue+Beauregard+4+Besancon", "https://www.google.com/search?q=Avenue+Martin+Luther+King+84+Vaureal", "https://www.google.com/search?q=Rue+de+L'Ancienne+Mairie+15+Vaureal", "https://www.google.com/search?q=Rue+de+L'Ancienne+Mairie+8+Vaureal", "https://www.google.com/search?q=Rue+Des+Italiens+2+Cergy", "https://www.google.com/search?q=Avenue+Des+3+Cergy", "https://www.google.com/search?q=Avenue+Des+9+Cergy", "https://www.google.com/search?q=Boulevard+Ducher+2+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Ducher+12+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Marcel+Paul+75+Saint+Herblain", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+9+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+Maurice+Dampierre+6+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+L'Oise+6+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Du+Zenith+3+Saint+Herblain", "https://www.google.com/search?q=Rue+Pierre+Godet+3+5+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+7+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=D+12+18+Pontoise", "https://www.google.com/search?q=Rue+Virginia+Woolf+7+Saint+Herblain", "https://www.google.com/search?q=Avenue+Du+Hazay+62+Cergy", "https://www.google.com/search?q=Allee+Des+Petits+Pains+13+Cergy", "https://www.google.com/search?q=Les+Hauts+de+Marcouville+27+Pontoise", "https://www.google.com/search?q=Avenue+Des+Genottes+17+Cergy", "https://www.google.com/search?q=Avenue+de+La+Constellation+7+Cergy", "https://www.google.com/search?q=Chemin+Du+Fort+Benoit+5+Besancon", "https://www.google.com/search?q=Boulevard+Des+Merveilles+3+Cergy", "https://www.google.com/search?q=Boulevard+Des+Merveilles+1+Cergy", "https://www.google.com/search?q=Rue+de+Gisors+8+Pontoise", "https://www.google.com/search?q=Boulevard+de+L'evasion+59+Cergy", "https://www.google.com/search?q=Rue+Des+Brumes+Lactees+3+Cergy", "https://www.google.com/search?q=Avenue+Des+Beguines+49+Cergy", "https://www.google.com/search?q=Cours+Des+Merveilles+62+Cergy", "https://www.google.com/search?q=Rue+de+Malbosc+1680+Montpellier", "https://www.google.com/search?q=Impasse+de+La+Gare+119+Saint+Herblain", "https://www.google.com/search?q=D+118+Vemars", "https://www.google.com/search?q=Square+de+La+Couronne+2+Nimes", "https://www.google.com/search?q=Rue+Des+30+Longperrier", "https://www.google.com/search?q=D+92+Osny", "https://www.google.com/search?q=Boulevard+de+La+Gare+13+Dammartin+en+Goele", "https://www.google.com/search?q=Route+de+Ganges+750+Montpellier", "https://www.google.com/search?q=Rue+de+La+Sucrerie+35+Villeron", "https://www.google.com/search?q=Rue+Jehenne+14+Arcachon", "https://www.google.com/search?q=Route+de+Lodeve+1020+Montpellier", "https://www.google.com/search?q=Chemin+Mas+de+Vignolles+826+Nimes", "https://www.google.com/search?q=Rue+Des+Pres+Boucher+16+Dammartin+en+Goele", "https://www.google.com/search?q=Route+de+La+Pompignane+100+Castelnau+le+Lez", "https://www.google.com/search?q=Rue+de+La+Cavalerie+26+28+Montpellier", "https://www.google.com/search?q=Rue+Doria+2+Montpellier", "https://www.google.com/search?q=Rue+Paladilhe+4+Montpellier", "https://www.google.com/search?q=Rue+Gouan+2+Montpellier", "https://www.google.com/search?q=Rue+Clapies+7+Montpellier", "https://www.google.com/search?q=Rue+Foch+6+Montpellier", "https://www.google.com/search?q=Rue+de+L'Arquebuse+13+Montpellier", "https://www.google.com/search?q=Cours+Gambetta+68+Montpellier", "https://www.google.com/search?q=Rue+Foch+25+Montpellier", "https://www.google.com/search?q=Boulevard+Sarrail+104+Montpellier", "https://www.google.com/search?q=Rue+Charles+Amans+2+Montpellier", "https://www.google.com/search?q=Rue+Boussairolles+2+6+Montpellier", "https://www.google.com/search?q=Place+Alexandre+Laissac+10+Montpellier", "https://www.google.com/search?q=Cours+Gambetta+2+Montpellier", "https://www.google.com/search?q=Boulevard+D'Antigone+393+Montpellier", "https://www.google.com/search?q=Rue+Des+Pertuisanes+1+Montpellier", "https://www.google.com/search?q=Rue+Du+Grand+Saint+Jean+26+Montpellier", "https://www.google.com/search?q=Rue+de+La+Gare+3+Coueron", "https://www.google.com/search?q=Rue+Poseidon+18+Montpellier", "https://www.google.com/search?q=Rue+Des+Deux+Ponts+27+33+Montpellier", "https://www.google.com/search?q=Avenue+de+Maurin+20+22+Montpellier", "https://www.google.com/search?q=Rue+Du+Chelia+1+10+Montpellier", "https://www.google.com/search?q=Rue+Georges+Melies+1016+Montpellier", "https://www.google.com/search?q=D+65+Montpellier", "https://www.google.com/search?q=Avenue+de+Palavas+123+Montpellier", "https://www.google.com/search?q=Les+Dardalounes+7889+Saint+Gilles", "https://www.google.com/search?q=D+66+Mauguio", "https://www.google.com/search?q=D+172+Mauguio", "https://www.google.com/search?q=Route+Du+Confluent+45+Avignon", "https://www.google.com/search?q=Rue+Porte+Olivier+17+Beziers", "https://www.google.com/search?q=Prom+Du+Canal+2+Carcassonne", "https://www.google.com/search?q=Rue+Jean+Jaures+2+Sete", "https://www.google.com/search?q=Route+de+Montreal+9002Q+Carcassonne", "https://www.google.com/search?q=Quai+General+Durand+3+Sete", "https://www.google.com/search?q=D+37+Portiragnes", "https://www.google.com/search?q=Avenue+Guillaume+Farel+1+Gap", "https://www.google.com/search?q=Cours+Emile+Fabre+1+Gap", "https://www.google.com/search?q=Cours+Victor+Hugo+1+Gap", "https://www.google.com/search?q=Place+Bonthoux+5+Gap", "https://www.google.com/search?q=Rue+Du+Pre+de+Foire+6+Gap", "https://www.google.com/search?q=Rue+Pasteur+34+Gap", "https://www.google.com/search?q=Rue+Maurice+Garnier+2+Gap", "https://www.google.com/search?q=Place+Du+Revelly+5+Gap", "https://www.google.com/search?q=Place+Georges+de+Manteyer+6+Gap", "https://www.google.com/search?q=B+Rue+Carnot+5+Gap", "https://www.google.com/search?q=Rue+de+L'Odeon+9+Gap", "https://www.google.com/search?q=Boulevard+Georges+Pompidou+46+Gap", "https://www.google.com/search?q=Place+de+La+Gare+6+Oissel", "https://www.google.com/search?q=Rue+Du+Maine+52+Saint+Nazaire", "https://www.google.com/search?q=Rue+Gambetta+85+Beauvais", "https://www.google.com/search?q=Rue+Philippe+Lebon+2+26+Saint+Nazaire", "https://www.google.com/search?q=Passage+Des+Halles+2+4+Saint+Nazaire", "https://www.google.com/search?q=Place+Des+6+Saint+Nazaire", "https://www.google.com/search?q=Rue+de+Bouvines+13+Compiegne", "https://www.google.com/search?q=Rue+Solferino+36+Compiegne", "https://www.google.com/search?q=Quai+de+Venette+4+Compiegne", "https://www.google.com/search?q=Rue+Saint+Simon+3+Compiegne", "https://www.google.com/search?q=N+1+Compiegne", "https://www.google.com/search?q=Avenue+Henri+Freville+105+Rennes", "https://www.google.com/search?q=Rue+de+L'Aviation+2+Tille", "https://www.google.com/search?q=Rue+Du+General+Koenig+2+Reims", "https://www.google.com/search?q=Allee+Morvan+Lebesque+4+Rennes", "https://www.google.com/search?q=Rue+Du+Moulin+51+Tille", "https://www.google.com/search?q=Rue+Racine+28+30+Soissons", "https://www.google.com/search?q=Rue+Edmond+Lailler+2+Rennes", "https://www.google.com/search?q=Rue+de+Chatillon+23+Rennes", "https://www.google.com/search?q=Boulevard+Solferino+24+Rennes", "https://www.google.com/search?q=Rue+de+eveche+3+Soissons", "https://www.google.com/search?q=Place+Fernand+Marquigny+9+Soissons", "https://www.google.com/search?q=Rue+D'Isly+18+Rennes", "https://www.google.com/search?q=Rue+Kleber+1+Rennes", "https://www.google.com/search?q=Rue+emile+Souvestre+15+Rennes", "https://www.google.com/search?q=Rue+Jules+Simon+15+Rennes", "https://www.google.com/search?q=Rue+Du+Puits+Mauger+29+Rennes", "https://www.google.com/search?q=Boulevard+de+La+Tour+D'Auvergne+30+Rennes", "https://www.google.com/search?q=Quai+Duguay+Trouin+14+Rennes", "https://www.google.com/search?q=Avenue+de+L'Aeroport+Joseph+Le+Brix+9+Saint+Jacques+de+la+Lande", "https://www.google.com/search?q=Place+Hoche+10+Rennes", "https://www.google.com/search?q=Place+Des+Lices+17+Rennes", "https://www.google.com/search?q=Rue+de+Courlancy+38+Reims", "https://www.google.com/search?q=Rue+Du+Louis+D'Or+6+Rennes", "https://www.google.com/search?q=Rue+de+Brest+2+16+Rennes", "https://www.google.com/search?q=Boulevard+Maurice+Noirot+1326+Reims", "https://www.google.com/search?q=D+138+Franqueville+Saint+Pierre", "https://www.google.com/search?q=Rue+D'Alsace+11+Rennes", "https://www.google.com/search?q=Rue+Du+Bourbonnais+12+Rennes", "https://www.google.com/search?q=Rue+Du+Bourbonnais+19+Rennes", "https://www.google.com/search?q=Rue+Perin+15+Reims", "https://www.google.com/search?q=D+371+Reims", "https://www.google.com/search?q=Place+de+La+Verrerie+15+Rouen", "https://www.google.com/search?q=Place+Des+Emmurees+1+11+Rouen", "https://www.google.com/search?q=Boulevard+Lamartine+76+Salon+de+Provence", "https://www.google.com/search?q=Allee+de+La+Liberte+66+Salon+de+Provence", "https://www.google.com/search?q=Cours+Gimon+130+Salon+de+Provence", "https://www.google.com/search?q=Avenue+Leon+Blum+57+Salon+de+Provence", "https://www.google.com/search?q=Rue+Gaston+Perassi+21+Miramas", "https://www.google.com/search?q=Avenue+Falabregues+1+Miramas", "https://www.google.com/search?q=D+928+Rouen", "https://www.google.com/search?q=Rue+Frontin+7+Mont+Saint+Aignan", "https://www.google.com/search?q=Avenue+Jean+Mermoz+24+La+Baule+Escoublac", "https://www.google.com/search?q=Boulevard+de+La+Gare+6+Istres", "https://www.google.com/search?q=Boulevard+de+La+Gare+2+Istres", "https://www.google.com/search?q=Avenue+Leon+Blum+17+Istres", "https://www.google.com/search?q=Avenue+Leon+Blum+13+Istres", "https://www.google.com/search?q=Chemin+Du+Castellan+14+Istres", "https://www.google.com/search?q=Rue+P+Charmet+16+Istres", "https://www.google.com/search?q=Chemin+Des+Arnavaux+2+Istres", "https://www.google.com/search?q=Passage+de+La+Ferrage+9+Istres", "https://www.google.com/search?q=Boulevard+Victor+Hugo+37+Istres", "https://www.google.com/search?q=Boulevard+Edouard+Guizonnier+1+Istres", "https://www.google.com/search?q=Rue+de+Saint+Etienne+8+Istres", "https://www.google.com/search?q=Rue+de+L'equerre+42+Istres", "https://www.google.com/search?q=Rue+de+La+Gare+8+20+Le+Houlme", "https://www.google.com/search?q=Rue+Rosa+Parks+8+Caen", "https://www.google.com/search?q=Quai+Vendeuvre+86+Caen", "https://www.google.com/search?q=D+938+Pau", "https://www.google.com/search?q=Boulevard+Yves+Guillou+10+Caen", "https://www.google.com/search?q=Rue+de+Bras+76+Caen", "https://www.google.com/search?q=Place+Guillouard+14+Caen", "https://www.google.com/search?q=Mail+de+Coubertin+2+Lons", "https://www.google.com/search?q=Rue+Breney+2+Deauville", "https://www.google.com/search?q=Boulevard+Eugene+Cornuche+7+Deauville", "https://www.google.com/search?q=Rue+Du+Vallon+5+Lescar", "https://www.google.com/search?q=Avenue+de+Plaisance+2+Lescar", "https://www.google.com/search?q=Place+Du+Foirail+7+Pau", "https://www.google.com/search?q=Chemin+de+Beneharnum+6+Lescar", "https://www.google.com/search?q=Place+Marguerite+Laborde+7+Pau", "https://www.google.com/search?q=Cours+Bosquet+4+Pau", "https://www.google.com/search?q=Place+de+La+Republique+1+Pau", "https://www.google.com/search?q=Avenue+Roger+Cadet+28+Lescar", "https://www.google.com/search?q=D+3+Martigues", "https://www.google.com/search?q=Quai+Lepaulmier+18+Honfleur", "https://www.google.com/search?q=Quai+de+La+Quarantaine+16+Honfleur", "https://www.google.com/search?q=Rue+Gachet+10+Pau", "https://www.google.com/search?q=Rue+Rene+Fournets+19+Pau", "https://www.google.com/search?q=Place+de+La+Monnaie+12+Pau", "https://www.google.com/search?q=Rue+de+La+Mairie+3+Billere", "https://www.google.com/search?q=Rue+Pierre+Lasserre+16+Orthez", "https://www.google.com/search?q=Chemin+de+Paradis+12+Martigues", "https://www.google.com/search?q=Avenue+Louis+Sammut+6+Martigues", "https://www.google.com/search?q=Quai+Paul+Doumer+11+Martigues", "https://www.google.com/search?q=Quai+Lucien+Toulmond+1+Martigues", "https://www.google.com/search?q=D+170+Martigues", "https://www.google.com/search?q=Quai+Kleber+18+Martigues", "https://www.google.com/search?q=Boulevard+Lucien+Degut+1+Martigues", "https://www.google.com/search?q=Quai+General+Leclerc+68+Martigues", "https://www.google.com/search?q=Quai+General+Leclerc+72+Martigues", "https://www.google.com/search?q=Quai+Sainte+Anne+2+Martigues", "https://www.google.com/search?q=Allee+Des+Romarins+1+Martigues", "https://www.google.com/search?q=D+20+Vitrolles", "https://www.google.com/search?q=D+20+Marignane", "https://www.google.com/search?q=Avenue+de+Rome+27+Vitrolles", "https://www.google.com/search?q=Avenue+Du+75+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Rue+Des+Cerises+1+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Rue+Des+Cerises+2+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Boulevard+Germain+Clairin+9+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Avenue+Henri+Pontier+2+Aix+en+Provence", "https://www.google.com/search?q=Route+de+Sisteron+118+Aix+en+Provence", "https://www.google.com/search?q=D+14+Aix+en+Provence", "https://www.google.com/search?q=Rue+Des+Etuves+22+Aix+en+Provence", "https://www.google.com/search?q=Rue+Emmanuel+Signoret+8+10+Aix+en+Provence", "https://www.google.com/search?q=D+9+Aix+en+Provence", "https://www.google.com/search?q=Avenue+de+Perouse+232+256+Aix+en+Provence", "https://www.google.com/search?q=Place+Forum+Des+Cardeurs+40+Aix+en+Provence", "https://www.google.com/search?q=Boulevard+Aristide+Briand+52+Aix+en+Provence", "https://www.google.com/search?q=D+9+Cabries", "https://www.google.com/search?q=Chemin+Des+Floralies+8+Aix+en+Provence", "https://www.google.com/search?q=Avenue+Des+Belges+6+Aix+en+Provence", "https://www.google.com/search?q=Rue+Gustave+Desplaces+1+Aix+en+Provence", "https://www.google.com/search?q=Blvd+Du+Roi+Rene+11+Aix+en+Provence", "https://www.google.com/search?q=Rue+Du+Regiment+D'Infanterie+Coloniale+Du+Maroc+28+Aix+en+Provence", "https://www.google.com/search?q=Quai+de+La+Reunion+8+Le+Havre", "https://www.google.com/search?q=Rue+Marceau+76+Le+Havre", "https://www.google.com/search?q=Les+Bain+de+Docks+8+Le+Havre", "https://www.google.com/search?q=Rue+Du+Commandant+Abadie+107+153+Le+Havre", "https://www.google.com/search?q=Quai+Des+Antilles+125+Le+Havre", "https://www.google.com/search?q=Quai+Frissard+52+Le+Havre", "https://www.google.com/search?q=Quai+Des+Abeilles+129+Le+Havre", "https://www.google.com/search?q=Quai+Colbert+71+Le+Havre", "https://www.google.com/search?q=Cours+Commandant+Fratacci+2+Le+Havre", "https://www.google.com/search?q=Rue+Magellan+5+Le+Havre", "https://www.google.com/search?q=Avenue+de+L'Arcade+de+Meyran+4+Aix+en+Provence", "https://www.google.com/search?q=Rue+Andre+Siegfried+2+Le+Havre", "https://www.google.com/search?q=Rue+Jean+Jacques+Rousseau+42+52+Le+Havre", "https://www.google.com/search?q=Espa+Oscar+Niemeyer+9+Le+Havre", "https://www.google.com/search?q=Place+de+L'Hotel+de+Ville+53+Le+Havre", "https://www.google.com/search?q=Rond+Point+de+La+Mediterranee+8+Perpignan", "https://www.google.com/search?q=Rue+Du+Marechal+Joffre+149+Le+Havre", "https://www.google.com/search?q=P+R+Malacrida+242+Aix+en+Provence", "https://www.google.com/search?q=Rue+Marechal+Gallieni+61+Le+Havre", "https://www.google.com/search?q=Rue+Dr+Vigne+84+Le+Havre", "https://www.google.com/search?q=Blvd+Georges+Clemenceau+50+52+Perpignan", "https://www.google.com/search?q=Rue+de+La+Lanterne+66+Perpignan", "https://www.google.com/search?q=Chemin+Des+Arcades+107+Perpignan", "https://www.google.com/search?q=F+Mas+Balande+5005+Perpignan", "https://www.google.com/search?q=Boulevard+Pierre+Dramard+34+Marseille", "https://www.google.com/search?q=Avenue+Paul+Lahary+109+Soorts+Hossegor", "https://www.google.com/search?q=Boulevard+Notre+Dame+226+Soorts+Hossegor", "https://www.google.com/search?q=Rue+Du+General+Leclerc+29+Amiens", "https://www.google.com/search?q=Blvd+de+Sevigne+2+Marseille", "https://www.google.com/search?q=Rue+de+Chanterac+25+Marseille", "https://www.google.com/search?q=Boulevard+National+381+Marseille", "https://www.google.com/search?q=Boulevard+National+377+Marseille", "https://www.google.com/search?q=Quai+Du+Lazaret+52+Marseille", "https://www.google.com/search?q=Avenue+Roger+Salengro+37+Marseille", "https://www.google.com/search?q=Rue+Des+Docks+22+Marseille", "https://www.google.com/search?q=Quai+Du+Lazaret+9+Marseille", "https://www.google.com/search?q=Rue+Des+Docks+72875+Marseille", "https://www.google.com/search?q=Rue+Mazenod+37+Marseille", "https://www.google.com/search?q=Rue+Albert+Einstein+305+Marseille", "https://www.google.com/search?q=Rue+Du+11+Vannes", "https://www.google.com/search?q=Blvd+Du+Metro+18+Marseille", "https://www.google.com/search?q=Quai+de+La+Tourette+2+Marseille", "https://www.google.com/search?q=Rue+Duverger+8+Marseille", "https://www.google.com/search?q=Blvd+Des+Dames+24+Marseille", "https://www.google.com/search?q=Rue+Jean+Marc+Cathala+12+Marseille", "https://www.google.com/search?q=Rue+Leon+Gozlan+30+Marseille", "https://www.google.com/search?q=Blvd+Des+Dames+31+Marseille", "https://www.google.com/search?q=Boulevard+Voltaire+30+Marseille", "https://www.google.com/search?q=Blvd+Charles+Nedelec+38+Marseille", "https://www.google.com/search?q=Rue+Sainte+Barbe+16+Marseille", "https://www.google.com/search?q=Rue+de+La+Republique+38+Marseille", "https://www.google.com/search?q=Impasse+Clerville+1+Marseille", "https://www.google.com/search?q=Impasse+de+La+Farandole+6+Marseille", "https://www.google.com/search?q=Rue+de+La+Loge+19+Marseille", "https://www.google.com/search?q=Rue+Roux+de+Corse+1+Marseille", "https://www.google.com/search?q=Rue+Marcel+Sembat+8+Marseille", "https://www.google.com/search?q=Boulevard+Voltaire+31+Marseille", "https://www.google.com/search?q=Rue+Reine+Elisabeth+1+Marseille", "https://www.google.com/search?q=Rue+Du+Petit+Saint+Jean+26+Marseille", "https://www.google.com/search?q=Quai+de+Rive+Neuve+38+Marseille", "https://www.google.com/search?q=Place+Saint+Victor+3+Marseille", "https://www.google.com/search?q=Rue+Des+Linots+23+Marseille", "https://www.google.com/search?q=Square+Leon+Blum+125+Marseille", "https://www.google.com/search?q=Place+Aux+Huiles+17+Marseille", "https://www.google.com/search?q=Rue+Petit+Chantier+26+Marseille", "https://www.google.com/search?q=Place+General+de+Gaulle+22+Marseille", "https://www.google.com/search?q=Rue+Fort+Notre+Dame+24+Marseille", "https://www.google.com/search?q=Boulevard+de+La+Corderie+35+Marseille", "https://www.google.com/search?q=Rue+Sainte+29+Marseille", "https://www.google.com/search?q=Rue+Breteuil+31+Marseille", "https://www.google.com/search?q=Cours+Julien+58+Marseille", "https://www.google.com/search?q=Rue+de+Provence+12+Marseille", "https://www.google.com/search?q=Rue+Docteur+Combalat+10+Marseille", "https://www.google.com/search?q=Rue+Du+Docteur+Combalat+9+Marseille", "https://www.google.com/search?q=Blvd+Rougier+2+Marseille", "https://www.google.com/search?q=Place+Jean+Jaures+31+Marseille", "https://www.google.com/search?q=Rue+Armeny+4+Marseille", "https://www.google.com/search?q=Boulevard+Paul+Peytral+12+Marseille", "https://www.google.com/search?q=Place+Sebastopol+7+Marseille", "https://www.google.com/search?q=Place+Notre+Dame+Du+Mont+4+Marseille", "https://www.google.com/search?q=Rue+Sylvabelle+5+Marseille", "https://www.google.com/search?q=Boulevard+Notre+Dame+90+Marseille", "https://www.google.com/search?q=Impasse+Montevideo+4+Marseille", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+46+Marseille", "https://www.google.com/search?q=Rue+D'Italie+63+Marseille", "https://www.google.com/search?q=Rue+George+62+Marseille", "https://www.google.com/search?q=Rue+Saint+Pierre+133+Marseille", "https://www.google.com/search?q=Rue+de+L'Eguier+6+Marseille", "https://www.google.com/search?q=Rue+Paradis+202+Marseille", "https://www.google.com/search?q=Rue+Docteur+Escat+77+Marseille", "https://www.google.com/search?q=Blvd+Louis+Armand+30+Marseille", "https://www.google.com/search?q=Blvd+Baille+145+Marseille", "https://www.google.com/search?q=Rue+Louis+Frangin+2+Marseille", "https://www.google.com/search?q=Avenue+Jules+Cantini+14+Marseille", "https://www.google.com/search?q=Rue+Saint+Pierre+278+Marseille", "https://www.google.com/search?q=P+R+Fourragere+38+Marseille", "https://www.google.com/search?q=Rue+Du+Rouet+55+Marseille", "https://www.google.com/search?q=Allee+Turcat+Mery+20+Marseille", "https://www.google.com/search?q=Prom+Georges+Pompidou+6+Marseille", "https://www.google.com/search?q=Boulevard+de+Louvain+26+Marseille", "https://www.google.com/search?q=Rue+Negresko+18+Marseille", "https://www.google.com/search?q=Allee+Ray+Grassi+18+Marseille", "https://www.google.com/search?q=Boulevard+Michelet+111+Marseille", "https://www.google.com/search?q=Rue+Raymond+Teisseire+128+Marseille", "https://www.google.com/search?q=Sainte+Marguerite+Dromel+4+6+Marseille", "https://www.google.com/search?q=Avenue+Pierre+Mendes+France+113+Marseille", "https://www.google.com/search?q=Boulevard+de+Sainte+Marguerite+19+Marseille", "https://www.google.com/search?q=Rue+Du+Chene+Perce+9+Dieppe", "https://www.google.com/search?q=Rue+Maubec+63+Bayonne", "https://www.google.com/search?q=Rue+Sainte+Ursule+11+Bayonne", "https://www.google.com/search?q=Rue+de+Belfort+13+Bayonne", "https://www.google.com/search?q=Avenue+Gabriel+Peri+17+41+Aubagne", "https://www.google.com/search?q=Place+de+La+Republique+2+Bayonne", "https://www.google.com/search?q=Avenue+Elzeard+Rougier+30+Aubagne", "https://www.google.com/search?q=Rue+Sainte+Ursule+23+Bayonne", "https://www.google.com/search?q=Allee+Boufflers+2+Bayonne", "https://www.google.com/search?q=Chemin+de+Jupiter+10+Bayonne", "https://www.google.com/search?q=Rue+de+La+Republique+61+Aubagne", "https://www.google.com/search?q=Avenue+Duvergier+de+Hauranne+9+Bayonne", "https://www.google.com/search?q=Avenue+Marechal+Leclerc+1+Bayonne", "https://www.google.com/search?q=Rue+Des+Lisses+3+Bayonne", "https://www.google.com/search?q=Allees+Paulmy+1+Bayonne", "https://www.google.com/search?q=Chemin+de+Campagne+15+Bayonne", "https://www.google.com/search?q=Rue+Des+Tuiliers+97+Aubagne", "https://www.google.com/search?q=Rue+Pelletier+35+Bayonne", "https://www.google.com/search?q=Allee+de+La+Poterne+20+Bayonne", "https://www.google.com/search?q=Avenue+Chanoine+Jean+Lamarque+8+Bayonne", "https://www.google.com/search?q=Avenue+de+Pampelune+2+Bayonne", "https://www.google.com/search?q=Avenue+Jean+Rostand+1+Bayonne", "https://www.google.com/search?q=Avenue+Fernand+Forgues+2+Bayonne", "https://www.google.com/search?q=Avenue+Fernand+Forgues+8+Bayonne", "https://www.google.com/search?q=Avenue+Paul+Pras+1+Bayonne", "https://www.google.com/search?q=Avenue+Raoul+Follereau+12+Bayonne", "https://www.google.com/search?q=Rond+Point+Michel+Larrouturou+1+Bayonne", "https://www.google.com/search?q=Chemin+de+La+Marouette+2+Bayonne", "https://www.google.com/search?q=Rue+de+Jouanetote+52+Anglet", "https://www.google.com/search?q=Rue+Du+4+Carnoux+en+Provence", "https://www.google.com/search?q=Rue+Albert+Le+Barillier+10+Anglet", "https://www.google.com/search?q=Avenue+de+Maignon+11+Anglet", "https://www.google.com/search?q=Avenue+Alphonse+Daudet+11+Cassis", "https://www.google.com/search?q=Espl+de+L'Europe+7+Anglet", "https://www.google.com/search?q=Ave+de+La+Viguerie+14+Cassis", "https://www.google.com/search?q=Avenue+de+L'Amiral+Ganteaume+23+Cassis", "https://www.google.com/search?q=Ave+Augustin+Isnard+10+Cassis", "https://www.google.com/search?q=Boulevard+Du+General+de+Gaulle+5+Biarritz", "https://www.google.com/search?q=Rue+de+L'Arene+13+Cassis", "https://www.google.com/search?q=Rue+Beau+Sejour+5+Biarritz", "https://www.google.com/search?q=Boulevard+Du+General+de+Gaulle+29+Biarritz", "https://www.google.com/search?q=Place+Georges+Clemenceau+15+Biarritz", "https://www.google.com/search?q=Avenue+Du+Revestel+322+342+Cassis", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+16+Biarritz", "https://www.google.com/search?q=Avenue+Francois+Mauriac+12+Biarritz", "https://www.google.com/search?q=Place+Sainte+Eugenie+2+Biarritz", "https://www.google.com/search?q=Allee+Du+Moura+18+Biarritz", "https://www.google.com/search?q=Avenue+de+La+Gare+866+La+Ciotat", "https://www.google.com/search?q=Sainte+Marguerite+1+La+Ciotat", "https://www.google.com/search?q=Boulevard+Lamartine+9+La+Ciotat", "https://www.google.com/search?q=Poste+de+Saint+Jean+40+La+Ciotat", "https://www.google.com/search?q=Boulevard+de+La+Republique+37+La+Ciotat", "https://www.google.com/search?q=Rue+Victor+Delacour+1+La+Ciotat", "https://www.google.com/search?q=Boulevard+Anatole+France+1+La+Ciotat", "https://www.google.com/search?q=Avenue+Des+Calanques+13+La+Ciotat", "https://www.google.com/search?q=Le+Cros+Du+Loup+113+Le+Castellet", "https://www.google.com/search?q=Rue+Duconte+6+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Vauban+5+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Vincent+Barjonnet+8+Saint+Jean+de+Luz", "https://www.google.com/search?q=Avenue+Du+Professeur+Gregorio+Maranon+14+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Victor+Hugo+38+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Du+Commandant+Passicot+29+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Victor+Hugo+31+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Du+Commandant+Passicot+27+Saint+Jean+de+Luz", "https://www.google.com/search?q=Avenue+Du+Professeur+Gregorio+Maranon+4+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Joseph+Garat+9+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Marion+Garay+3+Saint+Jean+de+Luz", "https://www.google.com/search?q=Place+Ferdinand+Foch+5+Saint+Jean+de+Luz", "https://www.google.com/search?q=Carrer+Canigo+4+Figueres", "https://www.google.com/search?q=Passeig+Nou+1+Figueres", "https://www.google.com/search?q=Carrer+Rutlla+11+Figueres", "https://www.google.com/search?q=Av+de+Salvador+Dali+I+Domenech+11+Figueres", "https://www.google.com/search?q=Placa+de+L'Estacio+14+Figueres", "https://www.google.com/search?q=B+Boulevard+Des+Remparts+12+Draguignan", "https://www.google.com/search?q=Avenue+Du+Cap+Negre+2+40+Six+Fours+les+Plages", "https://www.google.com/search?q=Gabarrari+Kalea+24+Hondarribia", "https://www.google.com/search?q=Avenue+Du+Cap+Negre+259+Six+Fours+les+Plages", "https://www.google.com/search?q=Chemin+Repentance+850+Six+Fours+les+Plages", "https://www.google.com/search?q=Leon+Iruretagoyena+Hiribidea+1+Irun", "https://www.google.com/search?q=Corniche+Du+Cros+91+Six+Fours+les+Plages", "https://www.google.com/search?q=Traverse+Du+Gaou+266+Six+Fours+les+Plages", "https://www.google.com/search?q=Corniche+Des+iles+136+Six+Fours+les+Plages", "https://www.google.com/search?q=Avenue+Du+Brusc+2310+2576+Six+Fours+les+Plages", "https://www.google.com/search?q=Estacion+Kalea+26+Irun", "https://www.google.com/search?q=Rue+Marius+Cornille+171+Six+Fours+les+Plages", "https://www.google.com/search?q=Chemin+de+La+Gardiole+338+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+de+Bouillibaye+112+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Severin+Saurin+89+Six+Fours+les+Plages", "https://www.google.com/search?q=Avenue+Vincent+Picareau+185+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Du+College+90+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Lieutenant+Colonel+Bernard+2+Toulon", "https://www.google.com/search?q=Rue+Saint+Francois+9+Saint+Brieuc", "https://www.google.com/search?q=Rue+Du+13+Saint+Brieuc", "https://www.google.com/search?q=Place+Francois+Mitterrand+1+Saint+Brieuc", "https://www.google.com/search?q=Boulevard+Pierre+Toesca+1+Toulon", "https://www.google.com/search?q=Place+Albert+27+Toulon", "https://www.google.com/search?q=Rue+Revel+194+Toulon", "https://www.google.com/search?q=Boulevard+Commandant+Nicolas+360+Toulon", "https://www.google.com/search?q=Rue+Pierre+Letuaire+2+4+Toulon", "https://www.google.com/search?q=Rue+de+Lorgues+18+Toulon", "https://www.google.com/search?q=Avenue+de+Besagne+3+Toulon", "https://www.google.com/search?q=Rue+Alphonse+Daudet+35+Toulon", "https://www.google.com/search?q=Rue+Lulli+126+Toulon", "https://www.google.com/search?q=Boulevard+Cosmao+Dumanoir+3+Lorient", "https://www.google.com/search?q=Segundo+Izpizua+Kalea+31+33+Donostia", "https://www.google.com/search?q=De+Zurriola+Hiribidea+3+Donostia", "https://www.google.com/search?q=Zabaleta+Kalea+17+Donostia", "https://www.google.com/search?q=Reina+Regente+Kalea+6+Donostia", "https://www.google.com/search?q=Gi+20+San+Sebastian", "https://www.google.com/search?q=Republica+Argentina+Kalea+4+Donostia", "https://www.google.com/search?q=Maria+Dolores+Agirre+Kalea+3+Donostia", "https://www.google.com/search?q=Calle+de+Fuenterrabia+7+Donostia", "https://www.google.com/search?q=Calle+de+Urbieta+9+Donostia", "https://www.google.com/search?q=Askatasunaren+Hiribidea+41+Donostia", "https://www.google.com/search?q=Zaragoza+Plaza+2+Donostia", "https://www.google.com/search?q=Autonomia+Kalea+6+8+Donostia", "https://www.google.com/search?q=Gregorio+Ordonez+Kalea+3+Donostia", "https://www.google.com/search?q=Bizkaia+Pasealekua+22+Donostia", "https://www.google.com/search?q=Corso+Monviso+7+Cuneo", "https://www.google.com/search?q=Miramon+Ibilbidea+7+Donostia", "https://www.google.com/search?q=Miramon+Ibilbidea+8+Donostia", "https://www.google.com/search?q=Via+Alba+28+Cuneo", "https://www.google.com/search?q=De+Ondarreta+Ibilbidea+22+Donostia", "https://www.google.com/search?q=Manuel+Lekuona+Kalea+5+Donostia", "https://www.google.com/search?q=Zuatzu+Kalea+9+Donostia", "https://www.google.com/search?q=Allee+Jean+Moulin+1+Grasse", "https://www.google.com/search?q=Allee+Du+3+Grasse", "https://www.google.com/search?q=Place+de+La+Buanderie+2+Grasse", "https://www.google.com/search?q=Boulevard+Fragonard+17+Grasse", "https://www.google.com/search?q=Rue+de+La+Pouost+2+Grasse", "https://www.google.com/search?q=Rue+Des+Palmiers+24+Grasse", "https://www.google.com/search?q=Parking+de+La+Gare+144B+Grasse", "https://www.google.com/search?q=Avenue+de+Saint+Lambert+240+Frejus", "https://www.google.com/search?q=Avenue+de+Verdun+42+52+Saint+Raphael", "https://www.google.com/search?q=Place+Pierre+Coullet+124+Saint+Raphael", "https://www.google.com/search?q=Rue+Anatole+France+127+Saint+Raphael", "https://www.google.com/search?q=Place+Lamartine+34+Saint+Raphael", "https://www.google.com/search?q=A+Chemin+Du+Cimetiere+225+Mougins", "https://www.google.com/search?q=Avenue+Du+Moulin+de+La+Croix+89+Mougins", "https://www.google.com/search?q=Rue+Des+Anciens+Combattants+Afn+2+Sainte+Maxime", "https://www.google.com/search?q=Route+de+Vence+3+Saint+Paul+de+Vence", "https://www.google.com/search?q=Avenue+Pierre+Poesi+7+Cannes", "https://www.google.com/search?q=Chemin+de+Carimai+459+Le+Cannet", "https://www.google.com/search?q=Avenue+Georges+Pompidou+369+774+Le+Cannet", "https://www.google.com/search?q=Chemin+de+L'Aubarede+41+Le+Cannet", "https://www.google.com/search?q=Route+de+La+Pinea+388+Mandelieu+la+Napoule", "https://www.google.com/search?q=Chemin+de+L'Olivet+65+Le+Cannet", "https://www.google.com/search?q=Chemin+Du+Colombier+11+Le+Cannet", "https://www.google.com/search?q=Boulevard+Jacques+Monod+374+Le+Cannet", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+605+Mandelieu+la+Napoule", "https://www.google.com/search?q=Rue+Auguste+Taba+7+Le+Cannet", "https://www.google.com/search?q=Avenue+Du+377+Mandelieu+la+Napoule", "https://www.google.com/search?q=Avenue+de+La+Roubine+125+Cannes", "https://www.google.com/search?q=Rue+Du+Dr+Baloux+27+Cannes", "https://www.google.com/search?q=Chemin+Du+Porrichon+32+Le+Cannet", "https://www.google.com/search?q=Boulevard+Du+Four+A+Chaud+6+Le+Cannet", "https://www.google.com/search?q=Route+de+Valbonne+49+Le+Cannet", "https://www.google.com/search?q=Avenue+Des+ecoles+23+Le+Cannet", "https://www.google.com/search?q=Chemin+Du+Perier+2+Le+Cannet", "https://www.google.com/search?q=Allee+de+Provence+17+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Moulieres+19+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Orangers+26+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Oliviers+21+Le+Cannet", "https://www.google.com/search?q=Jard+de+L'Edem+12+Le+Cannet", "https://www.google.com/search?q=Rue+de+Verdun+2+Le+Cannet", "https://www.google.com/search?q=Route+de+Vence+24+Cagnes+sur+Mer", "https://www.google.com/search?q=Place+Benidorm+150+Le+Cannet", "https://www.google.com/search?q=Rue+Jean+Baptiste+Pastor+13+Theoule+sur+Mer", "https://www.google.com/search?q=Rue+Du+Tivoli+6+Le+Cannet", "https://www.google.com/search?q=Allee+Des+Mesanges+2+6+Le+Cannet", "https://www.google.com/search?q=Rue+Grignan+1+Le+Cannet", "https://www.google.com/search?q=Picaud+15+19+Cannes", "https://www.google.com/search?q=Chemin+de+La+Glaciere+18+Nice", "https://www.google.com/search?q=Rue+Louis+Pastour+7+Cannes", "https://www.google.com/search?q=Boulevard+de+La+Ferrage+29+Cannes", "https://www.google.com/search?q=Avenue+Du+Petit+Juas+6+Cannes", "https://www.google.com/search?q=Avenue+de+Verdun+116+Cagnes+sur+Mer", "https://www.google.com/search?q=Montee+Du+Cimetiere+15+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Docteur+Calmette+32+Cannes", "https://www.google.com/search?q=Rue+Du+Chateau+12+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+D'Alsace+9+Cannes", "https://www.google.com/search?q=Chemin+Du+Brecq+20+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+Du+Midi+Jean+Hibert+2+Cannes", "https://www.google.com/search?q=Blvd+de+La+Croisette+1+Cannes", "https://www.google.com/search?q=Avenue+Marcel+Pagnol+18+Cagnes+sur+Mer", "https://www.google.com/search?q=Avenue+Colonel+Jeanpierre+3+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Jean+Jaures+1+Cannes", "https://www.google.com/search?q=Rue+Des+Serbes+38+Cannes", "https://www.google.com/search?q=Rue+Cipriani+3+Cagnes+sur+Mer", "https://www.google.com/search?q=Avenue+de+L'Hopital+10+Vallauris", "https://www.google.com/search?q=Place+Sainte+Luce+6+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+de+La+Ginestiere+2+Nice", "https://www.google.com/search?q=Allee+Des+Platanes+16+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+de+Lorraine+20+Cannes", "https://www.google.com/search?q=Rond+Point+Duboys+D'Angers+5+Cannes", "https://www.google.com/search?q=Boulevard+de+La+Croisette+50+Cannes", "https://www.google.com/search?q=Blvd+Des+Jardiniers+58+Nice", "https://www.google.com/search?q=Avenue+de+La+Gare+37+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+Des+Petits+Plans+2+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Bir+Hakeim+4+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+de+La+Croisette+91+Cannes", "https://www.google.com/search?q=Passage+de+La+Greve+13+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+Des+Groules+292+Antibes", "https://www.google.com/search?q=Avenue+de+Belgique+16+Vallauris", "https://www.google.com/search?q=Avenue+de+La+Gare+11+Vallauris", "https://www.google.com/search?q=Avenue+Des+Freres+Roustan+19+Vallauris", "https://www.google.com/search?q=Boulevard+Henri+Sappia+2+Nice", "https://www.google.com/search?q=Avenue+Des+Freres+Roustan+109+Vallauris", "https://www.google.com/search?q=Avenue+Du+Ponant+333+Saint+Laurent+du+Var", "https://www.google.com/search?q=Blvd+de+Gorbella+63+65+Nice", "https://www.google.com/search?q=Avenue+Jules+Grec+260+Antibes", "https://www.google.com/search?q=Avenue+de+Saint+Barthelemy+3+Nice", "https://www.google.com/search?q=Avenue+Alfred+Borriglione+60+Nice", "https://www.google.com/search?q=Route+de+Grenoble+2011+Nice", "https://www.google.com/search?q=Avenue+Tourre+9+Antibes", "https://www.google.com/search?q=Boulevard+Rene+Cassin+125+Nice", "https://www.google.com/search?q=Boulevard+Gustave+Chancel+19+Antibes", "https://www.google.com/search?q=Rue+Des+Freres+Olivier+3+Antibes", "https://www.google.com/search?q=Avenue+de+Carras+8+Nice", "https://www.google.com/search?q=Rue+Des+Lits+Militaires+11+Antibes", "https://www.google.com/search?q=Avenue+de+Verdun+20+Antibes", "https://www.google.com/search?q=Rue+de+Dijon+29+Nice", "https://www.google.com/search?q=Avenue+Saint+Lambert+91+Nice", "https://www.google.com/search?q=Avenue+L'Esterel+1+Antibes", "https://www.google.com/search?q=Avenue+de+La+Californie+60+Nice", "https://www.google.com/search?q=Avenue+de+La+Californie+57+Nice", "https://www.google.com/search?q=Rue+Cluvier+7+Nice", "https://www.google.com/search?q=Avenue+de+Valombrose+27+Nice", "https://www.google.com/search?q=Rue+Lacan+8+Antibes", "https://www.google.com/search?q=Rue+Corderie+4+Nice", "https://www.google.com/search?q=Rue+Louis+de+Coppet+36+Nice", "https://www.google.com/search?q=Avenue+Thiers+12+Nice", "https://www.google.com/search?q=Rue+de+La+Reine+Jeanne+24+Nice", "https://www.google.com/search?q=Rue+Saint+Philippe+47+Nice", "https://www.google.com/search?q=Avenue+Auber+38+Nice", "https://www.google.com/search?q=Voie+Romaine+30+Nice", "https://www.google.com/search?q=Rue+de+France+113+Nice", "https://www.google.com/search?q=Chemin+Des+Sables+56+Antibes", "https://www.google.com/search?q=Boulevard+Raimbaldi+38+Nice", "https://www.google.com/search?q=Avenue+Auber+11+Nice", "https://www.google.com/search?q=Avenue+Notre+Dame+28+Nice", "https://www.google.com/search?q=Prom+Des+Anglais+29+Nice", "https://www.google.com/search?q=Rue+Rossini+3+Nice", "https://www.google.com/search?q=Rue+Raspail+1+Nice", "https://www.google.com/search?q=Rue+Meyerbeer+3+Nice", "https://www.google.com/search?q=Rue+Maccarani+11+Nice", "https://www.google.com/search?q=Route+de+Turin+155+Nice", "https://www.google.com/search?q=Rue+Du+Congres+3+Nice", "https://www.google.com/search?q=Rue+de+Longchamp+11+Nice", "https://www.google.com/search?q=Rue+Halevy+5+Nice", "https://www.google.com/search?q=Avenue+Gustave+V+9+Nice", "https://www.google.com/search?q=Avenue+de+Suede+4+Nice", "https://www.google.com/search?q=B+Avenue+de+Verdun+10+Nice", "https://www.google.com/search?q=Blvd+Jean+Baptiste+Verany+28+Nice", "https://www.google.com/search?q=Avenue+Du+XVeme+Corps+10+Nice", "https://www.google.com/search?q=Pl+Du+General+Georges+Marshall+9+Nice", "https://www.google.com/search?q=Avenue+Felix+Faure+16+Nice", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+1+Nice", "https://www.google.com/search?q=Quai+Des+etats+Unis+103+Nice", "https://www.google.com/search?q=Boulevard+Risso+10+Nice", "https://www.google.com/search?q=Blvd+Francois+Mitterrand+4+Nice", "https://www.google.com/search?q=Avenue+Saint+Jean+Baptiste+232+Nice", "https://www.google.com/search?q=Boulevard+Risso+42+Nice", "https://www.google.com/search?q=Rue+Alexandre+Mari+14+Nice", "https://www.google.com/search?q=Rue+Saint+Francois+de+Paule+1+Nice", "https://www.google.com/search?q=Av+Des+Diables+Bleus+24+Nice", "https://www.google.com/search?q=Passage+de+La+Tranquillite+8+Nice", "https://www.google.com/search?q=Rue+Barberis+34+Nice", "https://www.google.com/search?q=Rue+Auguste+Gal+4+Nice", "https://www.google.com/search?q=Quai+Cassini+15+Nice", "https://www.google.com/search?q=Quai+de+La+Douane+4+Nice", "https://www.google.com/search?q=Tunnel+Leon+Deloy+4+Nice", "https://www.google.com/search?q=Blvd+Lech+Walesa+5+9+Nice", "https://www.google.com/search?q=Rue+de+Foresta+6+Nice", "https://www.google.com/search?q=Quai+Des+Deux+Emmanuels+8+Nice", "https://www.google.com/search?q=Place+Georges+Clemenceau+2+Beaulieu+sur+Mer", "https://www.google.com/search?q=Ave+D'Alsace+2+Beausoleil", "https://www.google.com/search?q=Boulevard+de+La+Republique+30+Beausoleil", "https://www.google.com/search?q=Boulevard+Du+General+Leclerc+17+Beausoleil", "https://www.google.com/search?q=Avenue+de+La+Gare+3T+Menton", "https://www.google.com/search?q=Allee+Batterie+943+Menton", "https://www.google.com/search?q=Avenue+Felix+Faure+10+Menton", "https://www.google.com/search?q=Rue+de+La+Republique+23+Menton", "https://www.google.com/search?q=Place+Charles+de+Gaulle+31+Morlaix", "https://www.google.com/search?q=Boulevard+Leopold+Maissin+3+Le+Relecq+Kerhuon", "https://www.google.com/search?q=Rue+Eugene+Berest+10+Brest", "https://www.google.com/search?q=Chemin+de+Kernoas+350+Guipavas", "https://www.google.com/search?q=Chemin+de+Kernoas+245+Guipavas", "https://www.google.com/search?q=Rampe+Du+Vieux+Bourg+1+Brest", "https://www.google.com/search?q=Rue+Branda+5+Brest", "https://www.google.com/search?q=Rue+Frederic+Le+Guyader+6+Brest", "https://www.google.com/search?q=Boulevard+Des+Francais+Libres+76+Brest", "https://www.google.com/search?q=Place+Saint+Louis+1+Brest", "https://www.google.com/search?q=Rue+General+Baratier+4+Brest", "https://www.google.com/search?q=Avenue+de+Tarente+9+Brest", "https://www.google.com/search?q=Rue+Emile+Rousse+2+Brest", "https://www.google.com/search?q=Rue+de+Gascogne+1+Brest", "https://www.google.com/search?q=Rue+de+Fougeres+3+Brest", "https://www.google.com/search?q=Kastanienbaumstrasse+301+Kastanienbaum", "https://www.google.com/search?q=Lindenhausstrasse+7+Luzern", "https://www.google.com/search?q=Obergrundstrasse+69+Luzern", "https://www.google.com/search?q=Tribschenstrasse+30+Luzern", "https://www.google.com/search?q=Obergrundstrasse+70+Luzern", "https://www.google.com/search?q=Pilatusstrasse+46a+Luzern", "https://www.google.com/search?q=Habsburgerstrasse+11+Luzern", "https://www.google.com/search?q=Bruchstrasse+57+Luzern", "https://www.google.com/search?q=Alpenquai+12+Luzern", "https://www.google.com/search?q=Luzernerstrasse+40+Luzern", "https://www.google.com/search?q=Murbacherstrasse+4+Luzern", "https://www.google.com/search?q=Baselstrasse+76+Luzern", "https://www.google.com/search?q=Salzfassrain+Luzern", "https://www.google.com/search?q=Waldstrasse+39+Luzern", "https://www.google.com/search?q=Spitalstrasse+17+Luzern", "https://www.google.com/search?q=Ruopigenstrasse+18+Luzern", "https://www.google.com/search?q=Staldenhof+5+Luzern", "https://www.google.com/search?q=Maihofstrasse+83+Luzern", "https://www.google.com/search?q=Kehlhofstrasse+10a+Adligenswil", "https://www.google.com/search?q=Fildernstrasse+4+Ebikon", "https://www.google.com/search?q=Hauptstrasse+1+Wilderswill", "https://www.google.com/search?q=Sonnhaldenstrasse+10+Rotkreuz", "https://www.google.com/search?q=Wilemattstrasse+13+Sursee", "https://www.google.com/search?q=Allmendweg+5+Cham", "https://www.google.com/search?q=Allmendweg+1+Cham", "https://www.google.com/search?q=Thunstrasse+6A+Spiez", "https://www.google.com/search?q=Chamerstrasse+170+Zug", "https://www.google.com/search?q=Bundesstrasse+1+Zug", "https://www.google.com/search?q=Chamerstrasse+156+Zug", "https://www.google.com/search?q=Poststrasse+20+Zug", "https://www.google.com/search?q=Albisstrasse+3+Zug", "https://www.google.com/search?q=Terrassenweg+1A+Zug", "https://www.google.com/search?q=Baarerstrasse+43+Zug", "https://www.google.com/search?q=Guthirtstrasse+15+Zug", "https://www.google.com/search?q=Baarerstrasse+75+Zug", "https://www.google.com/search?q=Magnoliastrasse+5b+Thun", "https://www.google.com/search?q=Schulhausstrasse+6+Oberdiessbach", "https://www.google.com/search?q=Hauptstrasse+8+Menziken", "https://www.google.com/search?q=Tanneggweg+8+Thun", "https://www.google.com/search?q=Barenacherstrasse+9+Obfelden", "https://www.google.com/search?q=Pilatusweg+9+Ottenbach", "https://www.google.com/search?q=Zwillikerstrasse+13+Ottenbach", "https://www.google.com/search?q=Bergstrasse+9+Affoltern+a+A+", "https://www.google.com/search?q=Halden+1+Boniswil", "https://www.google.com/search?q=Ebnetstrasse+41b+Horgen", "https://www.google.com/search?q=Einsiedlerstrasse+100+Horgen", "https://www.google.com/search?q=Dennigkofenweg+122+Ostermundigen", "https://www.google.com/search?q=Ringstrasse+31+Wohlen", "https://www.google.com/search?q=Kantonsstrasse+158+Freienbach", "https://www.google.com/search?q=Dorfstrasse+130+Meilen", "https://www.google.com/search?q=Ostermundigenstrasse+60+Bern", "https://www.google.com/search?q=Zikadenweg+7+Bern", "https://www.google.com/search?q=Blumenweg+8+Ittigen", "https://www.google.com/search?q=Gseckstrasse+31+Uetikon+am+See", "https://www.google.com/search?q=Eichholzstrasse+9+Wabern", "https://www.google.com/search?q=Obstgartenstrasse+6+Erlenbach", "https://www.google.com/search?q=Bibenlosstrasse+2+Bremgarten", "https://www.google.com/search?q=Talstrasse+20+Uetikon+am+See", "https://www.google.com/search?q=Wankdorffeldstrasse+94+Bern", "https://www.google.com/search?q=Bernastrasse+15+Bern", "https://www.google.com/search?q=Wankdorffeldstrasse+98+Bern", "https://www.google.com/search?q=Schonauweg+10a+Bern", "https://www.google.com/search?q=Wabernstrasse+77+Bern", "https://www.google.com/search?q=Morillonstrasse+11+Bern", "https://www.google.com/search?q=Eigerstrasse+58,+60+Bern", "https://www.google.com/search?q=Schwarztorstrasse+7+Bern", "https://www.google.com/search?q=Effingerstrasse+4+Bern", "https://www.google.com/search?q=Schwyzerstarnweg+20+Bern", "https://www.google.com/search?q=Engehaldenstrasse+97+Bern", "https://www.google.com/search?q=Gutenbergstrasse+5+Bern", "https://www.google.com/search?q=Kirchstrasse+15+Liebefeld", "https://www.google.com/search?q=Seestrasse+34+Kilchberg", "https://www.google.com/search?q=Frohbergweg+3+Bern", "https://www.google.com/search?q=Zieglerstrasse+36+Bern", "https://www.google.com/search?q=Mattenhofstrasse+33+Bern", "https://www.google.com/search?q=Brunnhofweg+47+Bern", "https://www.google.com/search?q=Waldeggstrasse+11+Liebefeld", "https://www.google.com/search?q=Gewerbestrasse+22+Bern", "https://www.google.com/search?q=Stationstrasse+42+Liebefeld", "https://www.google.com/search?q=Murtenstrasse+66+Bern", "https://www.google.com/search?q=Mutschellenstrasse+175+Zurich", "https://www.google.com/search?q=Postgasse+3+Staufen", "https://www.google.com/search?q=Federweg+26+Bern", "https://www.google.com/search?q=Dufourstrasse+30+Zollikon", "https://www.google.com/search?q=Lessingstrasse+45+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+117+Zurich", "https://www.google.com/search?q=Giesshubelstrasse+15+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+109+Zurich", "https://www.google.com/search?q=Engimattstrasse+14+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+529+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+94+Zurich", "https://www.google.com/search?q=Waffenplatzstrasse+39a+Zurich", "https://www.google.com/search?q=Resedastrasse+22+Zurich", "https://www.google.com/search?q=Katzuhus+4+Visp", "https://www.google.com/search?q=Schulhausstrasse+41+Zurich", "https://www.google.com/search?q=Talwiesenstrasse+17+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+455+Zurich", "https://www.google.com/search?q=In+der+Ey+81+Zurich", "https://www.google.com/search?q=Brandschenkestrasse+176+Zurich", "https://www.google.com/search?q=Manessestrasse+120+Zurich", "https://www.google.com/search?q=Jurastrasse+30+Aarau", "https://www.google.com/search?q=Birmensdorferstrasse+432+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+15+Zurich", "https://www.google.com/search?q=Wildbachstrasse+58+Zurich", "https://www.google.com/search?q=Seestrasse+45+Zurich", "https://www.google.com/search?q=Hofacher+2+Gruningen", "https://www.google.com/search?q=Jurastrasse+6+Aarau", "https://www.google.com/search?q=In+der+Wasseri+30+Zurich", "https://www.google.com/search?q=Seefeldstrasse+147+Zurich", "https://www.google.com/search?q=Austrasse+5+Zurich", "https://www.google.com/search?q=Dubsstrasse+47+Zurich", "https://www.google.com/search?q=Steinstrasse+27+Zurich", "https://www.google.com/search?q=Gutstrasse+10+Zurich", "https://www.google.com/search?q=Mainaustrasse+24+Zurich", "https://www.google.com/search?q=Florastrasse+4+Zurich", "https://www.google.com/search?q=Seefeldstrasse+92+Zurich", "https://www.google.com/search?q=Parkring+23+Zurich", "https://www.google.com/search?q=Gotthartstrasse+48+Zurich", "https://www.google.com/search?q=Todistrasse+17+Zurich", "https://www.google.com/search?q=Zollikerstrasse+82+Zurich", "https://www.google.com/search?q=Mainaustrasse+44+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+155+Zurich", "https://www.google.com/search?q=Dufourstrasse+55+Zurich", "https://www.google.com/search?q=Seefeldstrasse+63+Zurich", "https://www.google.com/search?q=Bremgartnerstrasse+62+Zurich", "https://www.google.com/search?q=Florastrasse+49+Zurich", "https://www.google.com/search?q=Stockerstrasse+37+Zurich", "https://www.google.com/search?q=Seefeldstrasse+32+Zurich", "https://www.google.com/search?q=Aemtlerstrasse+32+Zurich", "https://www.google.com/search?q=Stockerstrasse+39+Zurich", "https://www.google.com/search?q=Zweierstrasse+123+Zurich", "https://www.google.com/search?q=Halden+50+Aarau", "https://www.google.com/search?q=Holbeinstrasse+25+Zurich", "https://www.google.com/search?q=Beethovenstrasse+45+Zurich", "https://www.google.com/search?q=Freilagerstrasse+12+Zurich", "https://www.google.com/search?q=Delphinstrasse+11+Zurich", "https://www.google.com/search?q=Zentralstrasse+64+Zurich", "https://www.google.com/search?q=Holbeinstrasse+35+Zurich", "https://www.google.com/search?q=Weberstrasse+10+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+56+Zurich", "https://www.google.com/search?q=haslerstrasse+3+Zurich", "https://www.google.com/search?q=Olivengasse+2+Zurich", "https://www.google.com/search?q=Martastrasse+137+Zurich", "https://www.google.com/search?q=Forchstrasse+26+Zurich", "https://www.google.com/search?q=Olivengasse+1+Zurich", "https://www.google.com/search?q=Kreuzbuhlstrasse+2+Zurich", "https://www.google.com/search?q=Kreuzstrasse+82+Zurich", "https://www.google.com/search?q=Sihlfeldstrasse+54+Zurich", "https://www.google.com/search?q=Badenerstrasse+271+Zurich", "https://www.google.com/search?q=Zurlindenstrasse+292+Zurich", "https://www.google.com/search?q=Elsastrasse+18+Zurich", "https://www.google.com/search?q=Talacker+34+Zurich", "https://www.google.com/search?q=Merkurstrasse+38+Zurich", "https://www.google.com/search?q=Edelweissstrasse+45+Zurich", "https://www.google.com/search?q=Badenerstrasse+342+Zurich", "https://www.google.com/search?q=Badenerstrasse+338+Zurich", "https://www.google.com/search?q=Backerstrasse+7+Zurich", "https://www.google.com/search?q=Hardstrasse+5+Zurich", "https://www.google.com/search?q=Kanzleistrasse+109+Zurich", "https://www.google.com/search?q=Freiestrasse+96+Zurich", "https://www.google.com/search?q=Kanzleistrasse+76+Zurich", "https://www.google.com/search?q=Anwandstrasse+5+Zurich", "https://www.google.com/search?q=Zeughausstrasse+41+Zurich", "https://www.google.com/search?q=Zypressenstrasse+94+Zurich", "https://www.google.com/search?q=Herzbergstrasse+34+Aarau", "https://www.google.com/search?q=Badenerstrasse+540+Zurich", "https://www.google.com/search?q=Wolfbachstrasse+39+Zurich", "https://www.google.com/search?q=Kernstrasse+52+Zurich", "https://www.google.com/search?q=Hardstrasse+63+Zurich", "https://www.google.com/search?q=Altstetterstrasse+161+Zurich", "https://www.google.com/search?q=Saumackerstrasse+26+Zurich", "https://www.google.com/search?q=Rudenzweg+53+Zurich", "https://www.google.com/search?q=Buchholzstrasse+89+96+Zurich", "https://www.google.com/search?q=Kernstrasse+55+Zurich", "https://www.google.com/search?q=Badenerstrasse+621+Zurich", "https://www.google.com/search?q=Zweiackerstrasse+31+Zurich", "https://www.google.com/search?q=Dienerstrasse+12+Zurich", "https://www.google.com/search?q=Hardstrasse+89+Zurich", "https://www.google.com/search?q=Baslerstrasse+33+Zurich", "https://www.google.com/search?q=Brauerstrasse+104+Zurich", "https://www.google.com/search?q=Gamperstrasse+7+Zurich", "https://www.google.com/search?q=Schulstrasse+8+Schlieren", "https://www.google.com/search?q=Albulastrasse+50+Zurich", "https://www.google.com/search?q=Hohlstrasse+550+Zurich", "https://www.google.com/search?q=Klingenstrasse+24+Zurich", "https://www.google.com/search?q=Luisenstrasse+25+Zurich", "https://www.google.com/search?q=Johannesgasse+3+Zurich", "https://www.google.com/search?q=Luisenstrasse+21+Zurich", "https://www.google.com/search?q=Gasometerstrasse+9+Zurich", "https://www.google.com/search?q=Geerenweg+2+Zurich", "https://www.google.com/search?q=Stampfenbachstrasse+60+Zurich", "https://www.google.com/search?q=Sonneggstrasse+30+Zurich", "https://www.google.com/search?q=Quellenstrasse+27+Zurich", "https://www.google.com/search?q=Buacherstrasse+26+Oberrohrdorf", "https://www.google.com/search?q=Wasserwerkstrasse+6+Zurich", "https://www.google.com/search?q=Hardstrasse+243+Zurich", "https://www.google.com/search?q=Stampfenbachstrasse+103+Zurich", "https://www.google.com/search?q=Bernstrasse+27+Schlieren", "https://www.google.com/search?q=Sonneggstrasse+75+Zurich", "https://www.google.com/search?q=Bandlistrasse+54+Zurich", "https://www.google.com/search?q=Limmatstrasse+206+Zurich", "https://www.google.com/search?q=Heinrichstrasse+248+Zurich", "https://www.google.com/search?q=Weinbergstrasse+80+Zurich", "https://www.google.com/search?q=Forrlibuckstrasse+110+Zurich", "https://www.google.com/search?q=Hardstrasse+319+Zurich", "https://www.google.com/search?q=Weinbergstrasse+109+Zurich", "https://www.google.com/search?q=Scheuchzerstrasse+83+Zurich", "https://www.google.com/search?q=Breitensteinstrasse+57+Zurich", "https://www.google.com/search?q=Ackersteinstrasse+1+Zurich", "https://www.google.com/search?q=Leutholdstrasse+17+Zurich", "https://www.google.com/search?q=Kyburgstrasse+27+Zurich", "https://www.google.com/search?q=Wipkingerweg+14+Zurich", "https://www.google.com/search?q=Waidstrasse+3+Zurich", "https://www.google.com/search?q=Rotbuchstrasse+43+Zurich", "https://www.google.com/search?q=Riedikerstrasse+89+Riedikon", "https://www.google.com/search?q=Roschibachstrasse+71+Zurich", "https://www.google.com/search?q=Riedtlistrasse+9+Zurich", "https://www.google.com/search?q=Trottenstrasse+73+Zurich", "https://www.google.com/search?q=Hotzestrasse+33+Zurich", "https://www.google.com/search?q=Hofwiesenstrasse+18+Zurich", "https://www.google.com/search?q=Limmattalstrasse+252+Zurich", "https://www.google.com/search?q=Limmattalstrasse+177+Zurich", "https://www.google.com/search?q=Singlistrasse+15+Zurich", "https://www.google.com/search?q=Steinhaldenring+8+Geroldswil", "https://www.google.com/search?q=Mohrlistrasse+118+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+116+c+Zurich", "https://www.google.com/search?q=Schlosssweg+19+Veltheim+AG", "https://www.google.com/search?q=Anna+Heer+Strasse+23+Zurich", "https://www.google.com/search?q=Wehntalerstrasse+98+Zurich", "https://www.google.com/search?q=Ringstrasse+12+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+248+Zurich", "https://www.google.com/search?q=Berninaplatz+2+Zurich", "https://www.google.com/search?q=Wehntalerstrasse+299+Zurich", "https://www.google.com/search?q=Allenmoosstrasse+151+Zurich", "https://www.google.com/search?q=Baumackerstrasse+43+Zurich", "https://www.google.com/search?q=Salerstrasse+10+Zurich", "https://www.google.com/search?q=Sunnigehof+40+Zurich", "https://www.google.com/search?q=Luegislandstrasse+37+Zurich", "https://www.google.com/search?q=Auhofstrasse+38+Zurich", "https://www.google.com/search?q=Zurichstrasse+94+96+Dubendorf", "https://www.google.com/search?q=Wallisellenstrasse+48+Zurich", "https://www.google.com/search?q=Herzogenmuhlestrasse+20+Zurich", "https://www.google.com/search?q=Jungholzstrasse+28+Zurich", "https://www.google.com/search?q=Alte+Muhlackerstrasse+30+Zurich", "https://www.google.com/search?q=Thurgauerstrasse+39+Zurich", "https://www.google.com/search?q=Oberdorfstrasse+10+Dubendorf", "https://www.google.com/search?q=Horensteinstrasse+55+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+466+Zurich", "https://www.google.com/search?q=Lindenhof+11+Volketswil", "https://www.google.com/search?q=uberlandstrasse+206+Dubendorf", "https://www.google.com/search?q=Boulevard+Lilienthal+65+Zurich", "https://www.google.com/search?q=Wright+Strasse+32+Glattpark", "https://www.google.com/search?q=Steinackerweg+16+Wallisellen", "https://www.google.com/search?q=Schaffhauserstrasse+55+Glattbrugg", "https://www.google.com/search?q=Riethofstrasse+17+Opfikon", "https://www.google.com/search?q=Flughofstrasse+56+Glattbrugg", "https://www.google.com/search?q=Rietstrasse+31+Glattbrugg", "https://www.google.com/search?q=Frohlichstrasse+42+Brugg", "https://www.google.com/search?q=Riethofstrasse+40+Glattbrugg", "https://www.google.com/search?q=Gut+Hohenbuhl+Opfikon", "https://www.google.com/search?q=Aarauerstrasse+2+Brugg", "https://www.google.com/search?q=Walter+Mittelholzerstrasse+8+Glattbrugg", "https://www.google.com/search?q=Flughofstrasse+75+Rumlang", "https://www.google.com/search?q=Hofwisenstrasse+30+Rumlang", "https://www.google.com/search?q=Flughofstrasse+55+Rumlang", "https://www.google.com/search?q=Gartenstrasse+10+Kloten", "https://www.google.com/search?q=Forchstrasse+3+Kloten", "https://www.google.com/search?q=Grundackerweg+7+Riniken+AG", "https://www.google.com/search?q=Schaffhauserstrasse+89+Kloten", "https://www.google.com/search?q=Parking+1+Kloten", "https://www.google.com/search?q=Obstgartenstrasse+21+Kloten", "https://www.google.com/search?q=Geerenstrasse+26+Kloten", "https://www.google.com/search?q=Unnamed+Road+Kloten", "https://www.google.com/search?q=Wiesenrain+2+Oberglatt", "https://www.google.com/search?q=Auenring+15+Bassersdorf", "https://www.google.com/search?q=Ifangstrasse+12+Kloten", "https://www.google.com/search?q=Hohrainlistrasse+29+31+Kloten", "https://www.google.com/search?q=Ruebisbachstrasse+86+Kloten", "https://www.google.com/search?q=Dorfwisenstrasse+16+Schofflisdorf", "https://www.google.com/search?q=Tobelwiesstrasse+21+Nurensdorf", "https://www.google.com/search?q=Vogelhaldenstrasse+66+Augwil", "https://www.google.com/search?q=Pentaweg+22+Orpund", "https://www.google.com/search?q=Bramenstr+14+Bachenbulach", "https://www.google.com/search?q=Il+Stuz+3a+Flims+Waldhaus", "https://www.google.com/search?q=Beingassli+7+Salvenach", "https://www.google.com/search?q=Zurcherstrasse+180+Winterthur", "https://www.google.com/search?q=Route+Andre+Piller+2+Givisiez", "https://www.google.com/search?q=Turbinenstrasse+5+Winterthur", "https://www.google.com/search?q=Endlikerstrasse+43+Winterthur", "https://www.google.com/search?q=Wartstrasse+49+Winterthur", "https://www.google.com/search?q=Ackeretstrasse+1+Winterthur", "https://www.google.com/search?q=Neuwiesenstrasse+71+Winterthur", "https://www.google.com/search?q=Rudolf+Diesel+Str+5+Winterthur", "https://www.google.com/search?q=Nelkenstrasse+1+Winterthur", "https://www.google.com/search?q=Baumschulstrasse+11+Winterthur", "https://www.google.com/search?q=Costa+di+Mezzo+81+Brissago", "https://www.google.com/search?q=Via+Centro+Sportivo+11+Gordola", "https://www.google.com/search?q=Dorf+1+Randa", "https://www.google.com/search?q=St+Jakobs+Strasse+130+Muttenz", "https://www.google.com/search?q=Karl+Jaspers+Allee+1+Basel", "https://www.google.com/search?q=Grosspeterstrasse+12+Basel", "https://www.google.com/search?q=Dornacherstrasse+67+Basel", "https://www.google.com/search?q=In+der+Breite+1+Basel", "https://www.google.com/search?q=Pelikanweg+2+Basel", "https://www.google.com/search?q=Pizolstrasse+19+Sargans", "https://www.google.com/search?q=Hammerstrasse+46+Basel", "https://www.google.com/search?q=Binningerstrasse+94+Allschwil", "https://www.google.com/search?q=Flughafenstrasse+215+Basel", "https://www.google.com/search?q=Tittwiesenstrasse+21+Chur", "https://www.google.com/search?q=Rue+Theo+Bachmann+23+Saint+Louis", "https://www.google.com/search?q=Alte+Strasse+60+Weil+am+Rhein", "https://www.google.com/search?q=Unnamed+Road+Saint+Louis", "https://www.google.com/search?q=Via+Sirana+54+Lamone", "https://www.google.com/search?q=Rue+de+l'Artisanat+20b+Blotzheim", "https://www.google.com/search?q=Via+Fausto+Coppi+Agno", "https://www.google.com/search?q=Rue+Robert+Schuman+5+Bartenheim", "https://www.google.com/search?q=Zimmerstrasse+11+St+Gallen", "https://www.google.com/search?q=Oberstrasse+33+St+Gallen", "https://www.google.com/search?q=Obere+Strasse+19+Davos", "https://www.google.com/search?q=Tobelmuhlestrasse+2+Davos", "https://www.google.com/search?q=Talstrasse+17+Davos", "https://www.google.com/search?q=Talstrasse+37+Davos", "https://www.google.com/search?q=Chemin+de+la+Cavenettaz+3+Cugy", "https://www.google.com/search?q=Via+Fontana+Mora+28+Sesto+Calende", "https://www.google.com/search?q=Pre+du+Marche+42+Lausanne", "https://www.google.com/search?q=Chemin+des+Golliettes+9+Romanel+sur+Lausanne", "https://www.google.com/search?q=Avenue+de+Sevelin+44+Lausanne", "https://www.google.com/search?q=Avenue+du+Mont+d'Or+48+Lausanne", "https://www.google.com/search?q=Avenue+de+Cour+105+Lausanne", "https://www.google.com/search?q=Avenue+de+Montoie+35+Lausanne", "https://www.google.com/search?q=Avenue+de+Provence+84+Lausanne", "https://www.google.com/search?q=Chemin+du+Chene+1+Renens", "https://www.google.com/search?q=Via+dell'+Industria+4+Somma+Lombardo", "https://www.google.com/search?q=Via+Comunale+Antica+18+Somma+Lombardo", "https://www.google.com/search?q=Via+Giuseppe+Giusti+115+Somma+Lombardo", "https://www.google.com/search?q=Strada+Statale+336+14+Somma+Lombardo", "https://www.google.com/search?q=Via+Cipriano+Facchinetti+19", "https://www.google.com/search?q=Breisacher+Strasse+140+Freiburg", "https://www.google.com/search?q=Via+Etna+1+Cardano+Al+Campo", "https://www.google.com/search?q=Via+Vesuvio+13+15+Cardano+Al+Campo", "https://www.google.com/search?q=Av+des+Paquis+3+Morges", "https://www.google.com/search?q=P2++Executive+MXP+T1+", "https://www.google.com/search?q=Via+Piave+73+Ferno", "https://www.google.com/search?q=Chemin+de+Penguey+18+St+Prex", "https://www.google.com/search?q=Chemin+de+la+Bichette+5+Vich", "https://www.google.com/search?q=Chemin+du+Joran+2+Nyon", "https://www.google.com/search?q=Chemin+du+Colard+Le+Grand+Saconnex", "https://www.google.com/search?q=Rue+de+Lyon+21+Geneve", "https://www.google.com/search?q=Rue+de+Perruet+343+Ornex", "https://www.google.com/search?q=Chemin+de+Champs+Prevost+8+Vernier", "https://www.google.com/search?q=Rue+du+Dauphine+14+Geneve", "https://www.google.com/search?q=Rue+Boissonnais+14+Les+Acacias", "https://www.google.com/search?q=Rue+Eugene+Marziano+39+Les+Acacias", "https://www.google.com/search?q=Avenue+de+la+Praille+50+Carouge", "https://www.google.com/search?q=Rue+des+Entreprises+14+Meyrin", "https://www.google.com/search?q=Rue+Thomas+Edison+245+Saint+Genis+Pouilly", "https://www.google.com/search?q=Raccordo+Autostradale+Torino++Caselle", "https://www.google.com/search?q=Via+San+Maurizio+19+Caselle+Torinese", "https://www.google.com/search?q=Via+Commenda", "https://www.google.com/search?q=Via+Leini+99", "https://www.google.com/search?q=Viale+Certosa+14", "https://www.google.com/search?q=Avenue+de+Satolas+Green+Pusignan", "https://www.google.com/search?q=Rue+de+Finlande+2+Colombier+Saugnieu", "https://www.google.com/search?q=Avenue+Marechal+Juin+18+Saint+Laurent+de+Mure", "https://www.google.com/search?q=Avenue+d'Amsterdam+7+Saint+Laurent+de+Mure", "https://www.google.com/search?q=Route+de+Grenoble+61+Saint+Priest", "https://www.google.com/search?q=Zihlmattweg+45+Luzern", "https://www.google.com/search?q=Horwerstrasse+87+Luzern", "https://www.google.com/search?q=Horwerstrasse+93+Luzern", "https://www.google.com/search?q=Pilatusstrasse+4+Luzern", "https://www.google.com/search?q=Schweizerhofquai+1+Luzern", "https://www.google.com/search?q=Topferstrasse+3+Luzern", "https://www.google.com/search?q=Haldenstrasse+23+Luzern", "https://www.google.com/search?q=Flugplatzstrasse+31+Belp", "https://www.google.com/search?q=Schutzenmattstrasse+12+Bern", "https://www.google.com/search?q=Kirchstrasse+64+Koniz", "https://www.google.com/search?q=Morillonstrasse+86+Bern", "https://www.google.com/search?q=Rosengartenweg+1+Aarau", "https://www.google.com/search?q=Hintere+Bahnhofstrasse+7+Aarau", "https://www.google.com/search?q=Bahnhofpl+1+4+Aarau", "https://www.google.com/search?q=Feldlistrasse+29+Jona+SG", "https://www.google.com/search?q=Laurenzenvorstadt+12+Aarau", "https://www.google.com/search?q=Flosserstrasse+7+Aarau", "https://www.google.com/search?q=Girixweg+15+Aarau", "https://www.google.com/search?q=Zahnradstrasse+223+Zurich", "https://www.google.com/search?q=Roschibachstrasse+26+Zurich", "https://www.google.com/search?q=Hofwiesenstrasse+350+Zurich", "https://www.google.com/search?q=Mellingerstrasse+26+Baden", "https://www.google.com/search?q=Stadtturmstrasse+8+Baden", "https://www.google.com/search?q=Hohenbuhlstrasse+10+Opfikon", "https://www.google.com/search?q=Baderstrasse+2+Baden", "https://www.google.com/search?q=Werftstrasse+53+Kloten", "https://www.google.com/search?q=Unterer+Deutweg+93+Winterthur", "https://www.google.com/search?q=Via+Della+Morettina+2+Locarno", "https://www.google.com/search?q=Turmhaldenstrasse+1+Winterthur", "https://www.google.com/search?q=Obermuhlestrasse+7+Winterthur", "https://www.google.com/search?q=Spitalgasse+8+Winterthur", "https://www.google.com/search?q=Rennweg+4+Winterthur", "https://www.google.com/search?q=Technikumstrasse+9+Winterthur", "https://www.google.com/search?q=Pflanzschulstrasse+6+Winterthur", "https://www.google.com/search?q=Pflanzschulstrasse+9+Winterthur", "https://www.google.com/search?q=Adlerstrasse+2+Winterthur", "https://www.google.com/search?q=Museumstrasse+74+Winterthur", "https://www.google.com/search?q=Museumstrasse+52+Winterthur", "https://www.google.com/search?q=Gruzefeldstrasse+32+Winterthur", "https://www.google.com/search?q=Gruzefeldstrasse+30+Winterthur", "https://www.google.com/search?q=Liebestrasse+3+Winterthur", "https://www.google.com/search?q=Museumstrasse+32+Winterthur", "https://www.google.com/search?q=Rundstrasse+6+Winterthur", "https://www.google.com/search?q=Therese+Herzog+Weg+2+Rheinfelden+Baden+", "https://www.google.com/search?q=Bahnhofplatz+2+Rheinfelden+Baden+", "https://www.google.com/search?q=Cesar+Stunzi+Strasse+4+Rheinfelden+Baden+", "https://www.google.com/search?q=Hardstrasse+55+Pratteln", "https://www.google.com/search?q=Zahringerstrasse+11+Rheinfelden+Baden+", "https://www.google.com/search?q=Karl+Furstenberg+Strasse+32+Rheinfelden+Baden+", "https://www.google.com/search?q=Schillerstrasse+8+Rheinfelden+Baden+", "https://www.google.com/search?q=Zahringerstrasse+23+Rheinfelden+Baden+", "https://www.google.com/search?q=Eisenbahnstrasse+23+Waldshut+Tiengen", "https://www.google.com/search?q=Kaiserstrasse+91+F+Waldshut+Tiengen", "https://www.google.com/search?q=Gellertstrasse+235+Basel", "https://www.google.com/search?q=Bruglingerstrasse+19+21+Basel", "https://www.google.com/search?q=Bruglingerstrasse+17+Basel", "https://www.google.com/search?q=Gellertstrasse+146+Basel", "https://www.google.com/search?q=Gellertstrasse+144+Basel", "https://www.google.com/search?q=Gartenstrasse+143+Basel", "https://www.google.com/search?q=Gartenstrasse+150+Basel", "https://www.google.com/search?q=Meret+Oppenheim+Strasse+62+Basel", "https://www.google.com/search?q=Sankt+Jakobs+Strasse+7+Basel", "https://www.google.com/search?q=Aeschengraben+9+Basel", "https://www.google.com/search?q=Grenzacherstrasse+351+Basel", "https://www.google.com/search?q=Henric+Petri+Strasse+21+Basel", "https://www.google.com/search?q=Steinentorberg+5+Basel", "https://www.google.com/search?q=Steinenschanze+5+Basel", "https://www.google.com/search?q=Schwarzwaldstrasse+160+Basel", "https://www.google.com/search?q=Riehenstrasse+101+Basel", "https://www.google.com/search?q=Rebgasse+20+Basel", "https://www.google.com/search?q=Hammerstrasse+68+Basel", "https://www.google.com/search?q=Fischmarkt+10+Basel", "https://www.google.com/search?q=Webergasse+34+Basel", "https://www.google.com/search?q=Klingentalstrasse+25+Basel", "https://www.google.com/search?q=Klingelbergstrasse+20+Basel", "https://www.google.com/search?q=Marie+Curie+Strasse+4+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+7+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+5+Lorrach", "https://www.google.com/search?q=Weinbrennerstrasse+12+Lorrach", "https://www.google.com/search?q=Spitalstrasse+4+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+1+Lorrach", "https://www.google.com/search?q=Rue+Bartholdi+1+Saint+Louis", "https://www.google.com/search?q=Luisenstrasse+10+Lorrach", "https://www.google.com/search?q=Avenue+de+Bale+38+Saint+Louis", "https://www.google.com/search?q=Avenue+General+de+Gaulle+20+Saint+Louis", "https://www.google.com/search?q=Place+de+L'Europe+2+Saint+Louis", "https://www.google.com/search?q=Rue+Theo+Bachmann+14+16+Saint+Louis", "https://www.google.com/search?q=Rue+Du+Temple+16+Saint+Louis", "https://www.google.com/search?q=Rue+Theo+Bachmann+19+Saint+Louis", "https://www.google.com/search?q=Cite+Tricotages+15+Saint+Louis", "https://www.google.com/search?q=Rue+de+Mulhouse+44+Saint+Louis", "https://www.google.com/search?q=Rue+de+Mulhouse+60+Saint+Louis", "https://www.google.com/search?q=Rue+Du+Ballon+49+Saint+Louis", "https://www.google.com/search?q=A+35+Saint+Louis", "https://www.google.com/search?q=Rheinstrasse+20+Schaffhausen", "https://www.google.com/search?q=Frauengasse+20+Schaffhausen", "https://www.google.com/search?q=Fischerhauserstrasse+5+Schaffhausen", "https://www.google.com/search?q=Muhlentalstrasse+2+Schaffhausen", "https://www.google.com/search?q=Bachstrasse+55+Schaffhausen", "https://www.google.com/search?q=Bachstrasse+72+Schaffhausen", "https://www.google.com/search?q=Reichenfeldstrasse+5+Feldkirch", "https://www.google.com/search?q=Hirschgraben+4+Feldkirch", "https://www.google.com/search?q=Am+Seebuck+12+Feldberg+Schwarzwald+", "https://www.google.com/search?q=Via+Francesco+Baracca+2+Arona", "https://www.google.com/search?q=Place+Salvator+45+Mulhouse", "https://www.google.com/search?q=Rue+Du+Mittelbach+2+Mulhouse", "https://www.google.com/search?q=Grand+Rue+32+Mulhouse", "https://www.google.com/search?q=Rue+de+Lorraine+1+Mulhouse", "https://www.google.com/search?q=Rue+Des+Orphelins+19+Mulhouse", "https://www.google.com/search?q=Rue+Franklin+70+Mulhouse", "https://www.google.com/search?q=Rue+Du+Rotillon+13+Lausanne", "https://www.google.com/search?q=Place+de+La+Riponne+12+Lausanne", "https://www.google.com/search?q=Rue+Du+Valentin+13+Lausanne", "https://www.google.com/search?q=Rue+Du+Petit+Chene+34+Lausanne", "https://www.google.com/search?q=Rue+de+Geneve+24+Lausanne", "https://www.google.com/search?q=Chemin+Des+Bossons+2+Lausanne", "https://www.google.com/search?q=Avenue+Bergieres+10+Lausanne", "https://www.google.com/search?q=Avenue+Du+Rond+Point+9+Lausanne", "https://www.google.com/search?q=Chemin+de+Mornex+36+Lausanne", "https://www.google.com/search?q=Spitalgasse+1+Bludenz", "https://www.google.com/search?q=Avenue+Bergieres+50+Lausanne", "https://www.google.com/search?q=Avenue+Du+Censuy+36+Renens", "https://www.google.com/search?q=Avenue+de+La+Piscine+7+Renens", "https://www.google.com/search?q=Avenue+Du+14+Renens", "https://www.google.com/search?q=Place+de+La+Gare+5+Renens", "https://www.google.com/search?q=Rathauspl+1+Dornbirn", "https://www.google.com/search?q=Schwarzwaldstrasse+193+Freiburg+im+Breisgau", "https://www.google.com/search?q=Via+Bozza+Dei+Salici+1+Somma+Lombardo", "https://www.google.com/search?q=Via+Processione+21+Somma+lombardo", "https://www.google.com/search?q=Viale+Dell'+Industria+12+Somma+lombardo", "https://www.google.com/search?q=Via+Del+Barchello+6+Somma+Lombardo", "https://www.google.com/search?q=Rue+Des+Chavannes+1+Cossonay", "https://www.google.com/search?q=Via+Giuseppe+Giusti+103+Somma+Lombardo", "https://www.google.com/search?q=Via+Comunale+Antica+101+Somma+Lombardo", "https://www.google.com/search?q=Via+Giuseppe+Giusti+96+Somma+Lombardo", "https://www.google.com/search?q=Wasserstrasse+7+Freiburg+im+Breisgau", "https://www.google.com/search?q=Predigerstrasse+2+Freiburg+im+Breisgau", "https://www.google.com/search?q=Wentzingerstrasse+13+Freiburg+im+Breisgau", "https://www.google.com/search?q=Strada+Statale+336+Somma+lombardo", "https://www.google.com/search?q=Via+Luigi+Bailo+11+Case+Nuove", "https://www.google.com/search?q=Strada+Per+La+Malpensa+11+Case+Nuove", "https://www.google.com/search?q=Rue+Des+Charpentiers+3+Morges", "https://www.google.com/search?q=Taille+Du+Grand+Mas+115+Morzine", "https://www.google.com/search?q=D+469+567+Morzine", "https://www.google.com/search?q=Via+Per+Tornavento+5+Somma+Lombardo", "https://www.google.com/search?q=Strada+Statale+336+Ferno", "https://www.google.com/search?q=Allee+de+L'Option+Francaise+5+Belfort", "https://www.google.com/search?q=Via+Don+Andrea+Sacconago+2+Vizzola+Ticino", "https://www.google.com/search?q=Rue+de+Cambrai+16+Belfort", "https://www.google.com/search?q=Faubourg+de+Montbeliard+28+Belfort", "https://www.google.com/search?q=C+Rue+Stractman+3+Belfort", "https://www.google.com/search?q=Rue+de+Cambrai+1+3+Belfort", "https://www.google.com/search?q=Avenue+Wilson+6+Belfort", "https://www.google.com/search?q=Rue+de+La+Republique+6+Belfort", "https://www.google.com/search?q=Faubourg+de+Montbeliard+10+Belfort", "https://www.google.com/search?q=Rue+Comte+de+La+Suze+2+4+Belfort", "https://www.google.com/search?q=Rue+Stractman+19+Belfort", "https://www.google.com/search?q=Rue+de+La+Cavalerie+6+Belfort", "https://www.google.com/search?q=Rue+de+L'As+de+Carreau+7+Belfort", "https://www.google.com/search?q=Rue+Du+General+Kleber+5+Belfort", "https://www.google.com/search?q=Via+Milano+75+Cardano+Al+Campo", "https://www.google.com/search?q=Sp+5+Vizzola+Ticino", "https://www.google.com/search?q=Rue+Du+General+Strolz+1+3+Belfort", "https://www.google.com/search?q=Blvd+de+Lattre+de+Tassigny+16+Belfort", "https://www.google.com/search?q=Sp+52+Lonate+Pozzolo", "https://www.google.com/search?q=Via+Sant'Anna+24+Sant'Anna+Ovest", "https://www.google.com/search?q=Hochburger+Strasse+4+Emmendingen", "https://www.google.com/search?q=Via+Don+Pozzi+43+Robecchetto+Con+Induno", "https://www.google.com/search?q=Omesberg+9+Lech", "https://www.google.com/search?q=Place+Charles+de+Gaulle+174+Cluses", "https://www.google.com/search?q=Fluhenweg+540+Lech", "https://www.google.com/search?q=Passage+Des+Allobroges+7+Cluses", "https://www.google.com/search?q=Rue+Bruat+7+Colmar", "https://www.google.com/search?q=Rue+Hertrich+10+Colmar", "https://www.google.com/search?q=Viale+Alessandro+Manzoni+11+Novara", "https://www.google.com/search?q=Piazza+Martiri+Della+Liberta+3+Novara", "https://www.google.com/search?q=Route+de+Passy+121+Domancy", "https://www.google.com/search?q=Chemin+de+Fleuri+4+Begnins", "https://www.google.com/search?q=Rue+Juste+Olivier+22+Nyon", "https://www.google.com/search?q=Piazzale+G+Marconi+3+Trecate", "https://www.google.com/search?q=Avenue+Perdtemps+3+Nyon", "https://www.google.com/search?q=Rue+Sainte+Catherine+15+Bonneville", "https://www.google.com/search?q=Rue+de+Geneve+148+Thonex", "https://www.google.com/search?q=Av+de+Saint+Paul+6+Cologny", "https://www.google.com/search?q=Rue+Du+Jeu+de+l'Arc+9+Geneve", "https://www.google.com/search?q=Avenue+Pictet+de+Rochemont+7+Geneve", "https://www.google.com/search?q=Voie+des+Traz+6+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+Des+Batailleux+3+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+de+L'Aeroport+21+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+de+L'Aeroport+21+Meyrin", "https://www.google.com/search?q=D+119+Bourg+Saint+Maurice", "https://www.google.com/search?q=Rue+de+La+Daille+228+332+Val+d'Isere", "https://www.google.com/search?q=D+5+Val+d'Isere", "https://www.google.com/search?q=Avenue+Louis+Armand+21+Saint+Julien+en+Genevois", "https://www.google.com/search?q=Prom+Du+Cret+1+Saint+Julien+en+Genevois", "https://www.google.com/search?q=Route+D'Annecy+403+Neydens", "https://www.google.com/search?q=D+1201+Beaumont", "https://www.google.com/search?q=Chemin+de+Bronnaz+37+Presilly", "https://www.google.com/search?q=Impasse+Des+Glaises+2+114+Villy+le+Pelloux", "https://www.google.com/search?q=Lato+Partenze+12+Aeroporto", "https://www.google.com/search?q=Lato+Partenze+34+Aeroporto", "https://www.google.com/search?q=D+52+Macot+la+Plagne", "https://www.google.com/search?q=D+224+Macot+la+Plagne", "https://www.google.com/search?q=Via+Torino+1963+Caselle+torinese", "https://www.google.com/search?q=D+223+Macot+la+Plagne", "https://www.google.com/search?q=Rue+de+La+Gare+51+Pringy", "https://www.google.com/search?q=Route+de+Frangy+93+Pringy", "https://www.google.com/search?q=Via+Alle+Fabbriche+85+Caselle+Torinese", "https://www.google.com/search?q=Avenue+D'Albigny+37+Annecy", "https://www.google.com/search?q=Rue+Baron+Pierre+de+Coubertin+4+Annecy", "https://www.google.com/search?q=Rue+Guillaume+Fichet+9+Annecy", "https://www.google.com/search?q=Rue+Louis+Revon+15+Annecy", "https://www.google.com/search?q=Chemin+de+Colmyr+1+Annecy", "https://www.google.com/search?q=Place+Des+Romains+13+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+52+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+31+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+29+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+34+Annecy", "https://www.google.com/search?q=Quai+de+La+Tournette+200+Annecy", "https://www.google.com/search?q=Boulevard+Decouz+16+Annecy", "https://www.google.com/search?q=Rue+de+La+Providence+8+Annecy", "https://www.google.com/search?q=Chemin+de+La+Tour+La+Reine+3+Annecy", "https://www.google.com/search?q=Chemin+de+La+Tour+La+Reine+1+Annecy", "https://www.google.com/search?q=Rue+Des+Glieres+10+Annecy", "https://www.google.com/search?q=Avenue+de+La+Visitation+12+14+Annecy", "https://www.google.com/search?q=Boschetti+++Loverchy+19+Annecy", "https://www.google.com/search?q=Rue+Andre+Gide+15+Annecy", "https://www.google.com/search?q=Avenue+Du+Stade+16+Meythet", "https://www.google.com/search?q=Rue+Arthur+Rimbaud+4+Seynod", "https://www.google.com/search?q=Piazza+Sofia+23+Torino", "https://www.google.com/search?q=Via+Orvieto+25+Torino", "https://www.google.com/search?q=Str+Del+Fortino+36+Torino", "https://www.google.com/search?q=Via+Modena+30+Torino", "https://www.google.com/search?q=Piazza+Della+Repubblica+20+Torino", "https://www.google.com/search?q=Corso+XI+Febbraio+3+Torino", "https://www.google.com/search?q=Piazza+Emanuele+Filiberto+14+Torino", "https://www.google.com/search?q=Via+Santa+Chiara+17+Torino", "https://www.google.com/search?q=Via+Antonio+Fontanesi+16+Torino", "https://www.google.com/search?q=Via+Alessandro+Manzoni+3+Torino", "https://www.google.com/search?q=Via+Porta+Palatina+13+Torino", "https://www.google.com/search?q=Via+Antonio+Fontanesi+2+Torino", "https://www.google.com/search?q=Via+Filippo+Juvarra+22+Torino", "https://www.google.com/search?q=Avenue+D'Aix+les+Bains+714+Seynod", "https://www.google.com/search?q=Via+Antonio+Bertola+48+Torino", "https://www.google.com/search?q=Piazza+Castello+113+Torino", "https://www.google.com/search?q=Corso+Bolzano+47+Torino", "https://www.google.com/search?q=Via+Giuseppe+Giusti+1+Torino", "https://www.google.com/search?q=Via+Lera+12+Torino", "https://www.google.com/search?q=Corso+Re+Umberto+2+Torino", "https://www.google.com/search?q=Piazza+Vittorio+Veneto+13+Torino", "https://www.google.com/search?q=Via+Giovanni+Giolitti+14+Torino", "https://www.google.com/search?q=Via+Piero+Gobetti+3+Torino", "https://www.google.com/search?q=Corso+Vittorio+Emanuele+II+124+Torino", "https://www.google.com/search?q=Via+Cavour+25+Torino", "https://www.google.com/search?q=Via+Giuseppe+Pomba+25+Torino", "https://www.google.com/search?q=Via+Piero+Gobetti+9+Torino", "https://www.google.com/search?q=Corso+Racconigi+47+Torino", "https://www.google.com/search?q=Via+S+Quintino+4+Torino", "https://www.google.com/search?q=Via+Giambattista+Bodoni+2+Torino", "https://www.google.com/search?q=Via+Roma+19+Torino", "https://www.google.com/search?q=Corso+Francia+323+Torino", "https://www.google.com/search?q=Corso+Stati+Uniti+44+Torino", "https://www.google.com/search?q=Via+Valeggio+18+Torino", "https://www.google.com/search?q=Via+Serrano+24+Torino", "https://www.google.com/search?q=Rue+D'Ambrail+23+epinal", "https://www.google.com/search?q=Place+de+L'atre+21+epinal", "https://www.google.com/search?q=Avenue+Gambetta+1+epinal", "https://www.google.com/search?q=Rue+Entre+Les+32+epinal", "https://www.google.com/search?q=Route+de+L'Aeroport+260+Voglans", "https://www.google.com/search?q=Place+Saint+Pierre+de+Mache+3+Chambery", "https://www.google.com/search?q=Ruelle+Marion+14+Bourg+en+Bresse", "https://www.google.com/search?q=Place+Vaucanson+3+Grenoble", "https://www.google.com/search?q=Rue+Anthoard+21+Grenoble", "https://www.google.com/search?q=Rue+Irvoy+18+Grenoble", "https://www.google.com/search?q=Rue+Des+Peupliers+12+Grenoble", "https://www.google.com/search?q=Rue+Bigonnet+6+Macon", "https://www.google.com/search?q=Rue+Ampere+64+Grenoble", "https://www.google.com/search?q=Rue+Maurice+Dodero+13+Grenoble", "https://www.google.com/search?q=Rue+Aime+Pupin+13+Grenoble", "https://www.google.com/search?q=Avenue+D'Innsbruck+330+Grenoble", "https://www.google.com/search?q=Rue+Aime+Pupin+35+Grenoble", "https://www.google.com/search?q=Rue+Lamartine+13+Seyssinet+Pariset", "https://www.google.com/search?q=Rue+Albert+Londres+21+echirolles", "https://www.google.com/search?q=Rue+Du+Dauphine+37+Seyssins", "https://www.google.com/search?q=Avenue+de+Grenoble+85+Seyssins", "https://www.google.com/search?q=Cours+Saint+Andre+32+Le+Pont+de+Claix", "https://www.google.com/search?q=Rue+De+France+2+Colombier+Saugnieu", "https://www.google.com/search?q=Avenue+Henri+Schneider+355+Meyzieu", "https://www.google.com/search?q=Rue+Antoine+Becquerel+190+Meyzieu", "https://www.google.com/search?q=D+34+Grenay", "https://www.google.com/search?q=Les+Terreaux+78+Genas", "https://www.google.com/search?q=Rue+de+La+Gare+51+Meyzieu", "https://www.google.com/search?q=Rue+Francisco+Ferrer+25+Decines+Charpieu", "https://www.google.com/search?q=Route+de+La+Digue+25+Cluny", "https://www.google.com/search?q=Prom+Du+Fouettin+7+Cluny", "https://www.google.com/search?q=Place+Du+Champ+de+Foire+9+Cluny", "https://www.google.com/search?q=Rue+Emile+Bertrand+3+Decines+Charpieu", "https://www.google.com/search?q=Chemin+de+La+Grange+29+Chassieu", "https://www.google.com/search?q=Avenue+de+L'Europe+2179+Rillieux+la+Pape", "https://www.google.com/search?q=Blvd+de+La+Resistance+15+Vif", "https://www.google.com/search?q=Avenue+Marius+Berliet+5+Chassieu", "https://www.google.com/search?q=Rue+Maurice+Moissonnier+3+Vaulx+en+Velin", "https://www.google.com/search?q=Cours+Emile+Zola+419+Villeurbanne", "https://www.google.com/search?q=Av+Pierre+Mendes+France+30+Saint+Priest", "https://www.google.com/search?q=Boulevard+Niels+Bohr+70+Villeurbanne", "https://www.google.com/search?q=Avenue+Du+Doyen+Jean+Lepine+36+Bron", "https://www.google.com/search?q=Bd+Peripherique+Laurent+Bonnevay+29+Bron", "https://www.google.com/search?q=Avenue+Doyen+Jean+Lepine+32+Bron", "https://www.google.com/search?q=Avenue+Prolongee+Du+Doyen+Jean+Lepine+36+Bron", "https://www.google.com/search?q=Boulevard+Pinel+61+Bron", "https://www.google.com/search?q=Boulevard+Pinel+67+Bron", "https://www.google.com/search?q=Rue+Poizat+21+Villeurbanne", "https://www.google.com/search?q=Place+Jules+Grandclement+60+Villeurbanne", "https://www.google.com/search?q=Rue+Anatole+France+96+Villeurbanne", "https://www.google.com/search?q=Rue+Racine+51+Villeurbanne", "https://www.google.com/search?q=Rue+de+L'Est+4+Lyon", "https://www.google.com/search?q=Rue+Jean+Moulin+90+Caluire+et+Cuire", "https://www.google.com/search?q=Avenue+Pierre+Terrasse+5+Caluire+et+Cuire", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+34+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+64+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+94+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+104+Lyon", "https://www.google.com/search?q=Rue+Du+Garet+187+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+elie+Metral+3+Bron", "https://www.google.com/search?q=Place+Jules+Ferry+4+Lyon", "https://www.google.com/search?q=Rue+Vauban+1611+Lyon", "https://www.google.com/search?q=Rue+D'Aubigny+2+Lyon", "https://www.google.com/search?q=Rue+Maurice+Flandin+31+Lyon", "https://www.google.com/search?q=Rue+de+Bonnel+110+Lyon", "https://www.google.com/search?q=Boulevard+Burdeau+91+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+de+La+Villette+36+Lyon", "https://www.google.com/search?q=Rue+Ney+19+Lyon", "https://www.google.com/search?q=Rue+Maurice+Flandin+68+Lyon", "https://www.google.com/search?q=Rue+Tronchet+00104+Lyon", "https://www.google.com/search?q=Rue+de+La+Villette+60+Lyon", "https://www.google.com/search?q=Avenue+Georges+Pompidou+3+Lyon", "https://www.google.com/search?q=Rue+Du+Dr+Bouchut+17+Lyon", "https://www.google.com/search?q=Rue+Vauban+88+Lyon", "https://www.google.com/search?q=Rue+Servient+114+Lyon", "https://www.google.com/search?q=Rue+Vendome+18+Lyon", "https://www.google.com/search?q=Rue+Garibaldi+156+Lyon", "https://www.google.com/search?q=Rue+Philippe+Heron+125+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+de+Thizy+310+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+Leon+Weber+84+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+Garibaldi+236+Lyon", "https://www.google.com/search?q=Rue+Des+Combats+Du+2+Venissieux", "https://www.google.com/search?q=Rue+de+Crequi+139+Lyon", "https://www.google.com/search?q=Rue+de+Crequi+183+Lyon", "https://www.google.com/search?q=Rue+de+La+Gare+de+Cuire+3+Caluire+et+Cuire", "https://www.google.com/search?q=Rue+Belfort+73+Lyon", "https://www.google.com/search?q=Rue+Coste+1+Caluire+et+Cuire", "https://www.google.com/search?q=Place+Du+Marechal+Lyautey+19+Lyon", "https://www.google.com/search?q=Rue+Pierre+Corneille+85+Lyon", "https://www.google.com/search?q=Rue+Moncey+31+Lyon", "https://www.google.com/search?q=Rue+Aime+Boussange+1+Lyon", "https://www.google.com/search?q=Place+Tolozan+21+Lyon", "https://www.google.com/search?q=Quai+Jean+Moulin+2+Lyon", "https://www.google.com/search?q=Rue+Bonnefoi+4+Lyon", "https://www.google.com/search?q=Blvd+Des+Canuts+1+Lyon", "https://www.google.com/search?q=Rue+de+L'Abbe+Rozier+4+Lyon", "https://www.google.com/search?q=Rue+Antoine+Salles+11+Lyon", "https://www.google.com/search?q=Rue+Des+Tables+Claudiennes+14+Lyon", "https://www.google.com/search?q=Rue+Des+Capucins+12+Lyon", "https://www.google.com/search?q=Rue+de+La+Bourse+20+Lyon", "https://www.google.com/search?q=Quai+Victor+Augagneur+29+Lyon", "https://www.google.com/search?q=Rue+Grolee+2+Lyon", "https://www.google.com/search?q=Blvd+de+La+Croix+Rousse+126+Lyon", "https://www.google.com/search?q=Rue+D'Algerie+23+Lyon", "https://www.google.com/search?q=Rue+Du+Jardin+Des+Plantes+9+Lyon", "https://www.google.com/search?q=Rue+Childebert+20+Lyon", "https://www.google.com/search?q=Rue+Capitaine+Robert+Cluzan+20+Lyon", "https://www.google.com/search?q=Rue+Tupin+14+18+Lyon", "https://www.google.com/search?q=Rue+Salomon+Reinach+25+Lyon", "https://www.google.com/search?q=Quai+de+La+Pecherie+14+Lyon", "https://www.google.com/search?q=Rue+de+Flesselles+14+Lyon", "https://www.google.com/search?q=Quai+Docteur+Gailleton+6+Lyon", "https://www.google.com/search?q=Rue+de+La+Navigation+5+Lyon", "https://www.google.com/search?q=Quai+Des+Celestins+11+Lyon", "https://www.google.com/search?q=Avenue+Berthelot+41+Lyon", "https://www.google.com/search?q=Quai+Romain+Rolland+25+Lyon", "https://www.google.com/search?q=Place+Bellecour+32+Lyon", "https://www.google.com/search?q=Avenue+Adolphe+Max+4+Lyon", "https://www.google.com/search?q=Rue+de+Marseille+99+Lyon", "https://www.google.com/search?q=Quai+Fulchiron+8+Lyon", "https://www.google.com/search?q=Rue+Remparts+D'Ainay+24+Lyon", "https://www.google.com/search?q=Place+Jean+Jaures+1+Lyon", "https://www.google.com/search?q=Quai+Tilsitt+17+Lyon", "https://www.google.com/search?q=Rue+Rhin+Et+Danube+9+Lyon", "https://www.google.com/search?q=Rue+de+St+Cyr+51+Lyon", "https://www.google.com/search?q=Rue+Des+Farges+21+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+14+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+30+Lyon", "https://www.google.com/search?q=Rue+Smith+12+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+6+Lyon", "https://www.google.com/search?q=Place+de+L'Abbe+Larue+1+Lyon", "https://www.google.com/search?q=Avenue+Du+1+Venissieux", "https://www.google.com/search?q=Avenue+Debourg+62+Lyon", "https://www.google.com/search?q=Avenue+Jean+Jaures+317+La+Mulatiere", "https://www.google.com/search?q=Place+Des+Pavillons+28+Lyon", "https://www.google.com/search?q=Rue+De+La+Pepiniere+Royale+56+Lyon", "https://www.google.com/search?q=Rue+Du+Vercors+13+Lyon", "https://www.google.com/search?q=Avenue+Ben+Gourion+480+Lyon", "https://www.google.com/search?q=ecole+Normale+Superieure+Lettres+Et+Sciences+Humaines+11+Lyon", "https://www.google.com/search?q=Rue+Marius+Donjon+5+Lyon", "https://www.google.com/search?q=Rue+Paul+Montrochet+1+Lyon", "https://www.google.com/search?q=Rue+Jonas+Salk+16+Lyon", "https://www.google.com/search?q=Rue+Hrant+Dink+36+Lyon", "https://www.google.com/search?q=Avenue+Edmond+Locard+308+Oullins", "https://www.google.com/search?q=Rue+Narcisse+Bertholey+21+Oullins", "https://www.google.com/search?q=D+3+5+Saint+Genis+Laval", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+97+Salzburg", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+4+Himmelreich", "https://www.google.com/search?q=Bundesstrasse+50+Wals", "https://www.google.com/search?q=Oberfeldstrasse+27+Wals", "https://www.google.com/search?q=aussere+Spitalhofstrasse+15+17+Passau", "https://www.google.com/search?q=Bahnhofstrasse+1d+Wien", "https://www.google.com/search?q=Linzer+Strasse+6+8+Wien", "https://www.google.com/search?q=Hintschiggasse+1+Wien", "https://www.google.com/search?q=Giselhergasse+1+5+Wien", "https://www.google.com/search?q=Sankt+Johann+Gasse+1+Wien", "https://www.google.com/search?q=Pelzgasse+3+Wien", "https://www.google.com/search?q=Lohrgasse+2+Wien", "https://www.google.com/search?q=Arsenal+4+Wien", "https://www.google.com/search?q=Lilienthalgasse+1+Wien", "https://www.google.com/search?q=Parkplatz+nur+fur+Clever+Fit+Mitglieder,+Franz+Klein+Gasse+3+Wien", "https://www.google.com/search?q=Arsenal+15+Wien", "https://www.google.com/search?q=Arsenal+18+22+Wien", "https://www.google.com/search?q=Arsenal+13+Wien", "https://www.google.com/search?q=Baumgasse+83+Wien", "https://www.google.com/search?q=Muhlgasse+28+Schwechat", "https://www.google.com/search?q=Muhlgasse+30+Schwechat", "https://www.google.com/search?q=Eisteichstrasse+20+Schwechat", "https://www.google.com/search?q=L2064+94+96+Schwechat", "https://www.google.com/search?q=Am+Eisteich+5+Schwadorf+bei+Wien", "https://www.google.com/search?q=Ausweichstrasse+Schwechat", "https://www.google.com/search?q=Betriebsstrasse+Schwechat", "https://www.google.com/search?q=Office+Park+Allee+Schwechat", "https://www.google.com/search?q=Budapester+Strasse+6+7", "https://www.google.com/search?q=Marco+Polo+Strasse+1+Fischamend", "https://www.google.com/search?q=E571+04+Bratislava", "https://www.google.com/search?q=Am+Isarkanal+2+Eitting", "https://www.google.com/search?q=Eichenstrasse+70+Oberding", "https://www.google.com/search?q=Nordallee+25+Munchen+Flughafen", "https://www.google.com/search?q=Eichenstrasse+10+Oberding", "https://www.google.com/search?q=Eschenallee+9+Oberding", "https://www.google.com/search?q=Lohstrasse+24B+Oberding", "https://www.google.com/search?q=Franzheimer+Ring+9+Moosinning", "https://www.google.com/search?q=Giselastrasse+2+Hallbergmoos", "https://www.google.com/search?q=Verw+,Subz+Geb+131+01+1+Munchen", "https://www.google.com/search?q=Raiffeisenstrasse+32+Freising", "https://www.google.com/search?q=Lilienthalstrasse+3+Hallbergmoos", "https://www.google.com/search?q=Lilienthalstrasse+3+5+Hallbergmoos", "https://www.google.com/search?q=Meistersingerstrasse+154+Munchen", "https://www.google.com/search?q=Sudring+Freising", "https://www.google.com/search?q=Fliederstrasse+20+Freising", "https://www.google.com/search?q=Am+Tucherpark+7+Munchen", "https://www.google.com/search?q=Baaderstrasse+82+Munchen", "https://www.google.com/search?q=Fritz+Winter+Strasse+7+Munchen", "https://www.google.com/search?q=Johann+Fichte+Strasse+12+Munchen", "https://www.google.com/search?q=Gertrud+Grunow+Strasse+45+Munchen", "https://www.google.com/search?q=Landwehrstrasse+10+Munchen", "https://www.google.com/search?q=Zenettistrasse+7+Munchen", "https://www.google.com/search?q=Adolf+Kolping+Strasse+10+Munchen", "https://www.google.com/search?q=Luisenstrasse+61+Munchen", "https://www.google.com/search?q=Senefelderstrasse+1+Munchen", "https://www.google.com/search?q=Dachauer+Strasse+21+Munchen", "https://www.google.com/search?q=Hofmannstrasse+29+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+14+Munchen", "https://www.google.com/search?q=Rupprechtstrasse+22+Munchen", "https://www.google.com/search?q=Hansastrasse+44+Munchen", "https://www.google.com/search?q=Landshuter+Allee+81+Munchen", "https://www.google.com/search?q=Reitknechtstrasse+6+Munchen", "https://www.google.com/search?q=Am+Flughafen+42+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12A+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12+Memmingerberg", "https://www.google.com/search?q=Flughafen+Strasse+39+Memmingerberg", "https://www.google.com/search?q=Teramostrasse+29+Memmingen", "https://www.google.com/search?q=Flughafenstrasse+11+Altenrhein", "https://www.google.com/search?q=Allmannsweilerstrasse+97+3+Friedrichshafen", "https://www.google.com/search?q=Langgasse+110+St+Gallen", "https://www.google.com/search?q=Lindenstrasse+77+St+Gallen", "https://www.google.com/search?q=St+Jakobstrasse+64+St+Gallen", "https://www.google.com/search?q=Wartensteinstrasse+4+St+Gallen", "https://www.google.com/search?q=Pfauengasslein+2+St+Gallen", "https://www.google.com/search?q=Eschenstrasse+1+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+32+St+Gallen", "https://www.google.com/search?q=Vadianstrasse+42+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+74+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+68+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+70+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+75+St+Gallen", "https://www.google.com/search?q=Davidstrasse+45+St+Gallen", "https://www.google.com/search?q=Zurcher+Strasse+25+St+Gallen", "https://www.google.com/search?q=Pappelstrasse+7+Kesswil", "https://www.google.com/search?q=Egelmoosstrasse+49+Amriswil", "https://www.google.com/search?q=Industriestrasse+7+Filderstadt", "https://www.google.com/search?q=Liebigstrasse+6+Ostfildern", "https://www.google.com/search?q=Zeltenschlagstrasse+4+Leoben", "https://www.google.com/search?q=Grazer+Strasse+23+Mariazell", "https://www.google.com/search?q=Eggersdorfer+Strasse+18+Amstetten", "https://www.google.com/search?q=Graben+28+Amstetten", "https://www.google.com/search?q=Eggersdorfer+Strasse+6+Amstetten", "https://www.google.com/search?q=Graben+42+Amstetten", "https://www.google.com/search?q=Alte+Zeile+7+Amstetten", "https://www.google.com/search?q=Krankenhausstrasse+12+Amstetten", "https://www.google.com/search?q=Feldstrasse+2+Ennsdorf+bei+Enns", "https://www.google.com/search?q=Herrengasse+3+Wolfsberg", "https://www.google.com/search?q=Andritzer+Reichsstrasse+174+Graz", "https://www.google.com/search?q=Fischeraustrasse+22+Graz", "https://www.google.com/search?q=Bergstrasse+27+Graz", "https://www.google.com/search?q=Waagner+Biro+Strasse+98+Graz", "https://www.google.com/search?q=Austeingasse+30+Graz", "https://www.google.com/search?q=WienerStrasse+98+Graz", "https://www.google.com/search?q=Europapl+12+Graz", "https://www.google.com/search?q=Korosistrasse+67+Graz", "https://www.google.com/search?q=Bahnhofgurtel+89+Graz", "https://www.google.com/search?q=Koflacher+G+3+Graz", "https://www.google.com/search?q=Korblergasse+111+113+Graz", "https://www.google.com/search?q=Babenbergerstrasse+2+Graz", "https://www.google.com/search?q=Eggenberger+Gurtel+10+Graz", "https://www.google.com/search?q=Marienpl+1+Graz", "https://www.google.com/search?q=Traungauergasse+13+Graz", "https://www.google.com/search?q=Kremsmunsterer+Str+23+Linz", "https://www.google.com/search?q=Neubaugasse+11+Graz", "https://www.google.com/search?q=Sankt+Georgen+Gasse+10+Graz", "https://www.google.com/search?q=Idlhofgasse+74+Graz", "https://www.google.com/search?q=Dreihackengasse+7+Graz", "https://www.google.com/search?q=Kaiser+Franz+Josef+Kai+18+Graz", "https://www.google.com/search?q=Lendkai+19+Graz", "https://www.google.com/search?q=Dreihackengasse+33+Graz", "https://www.google.com/search?q=Lendkai+1+Graz", "https://www.google.com/search?q=Feuerbachgasse+18+Graz", "https://www.google.com/search?q=Rosselmuhlgasse+12+Graz", "https://www.google.com/search?q=Dreihackengasse+42+Graz", "https://www.google.com/search?q=Grieskai+16+Graz", "https://www.google.com/search?q=Andreas+Hofer+Platz+9+Graz", "https://www.google.com/search?q=Andreas+Hofer+Platz+3+Graz", "https://www.google.com/search?q=Hartiggasse+4+Graz", "https://www.google.com/search?q=Fabriksgasse+17+Graz", "https://www.google.com/search?q=Untere+Schonbrunngasse+7+11+Graz", "https://www.google.com/search?q=Friedrichgasse+13+Graz", "https://www.google.com/search?q=Orionstrasse+34+Linz", "https://www.google.com/search?q=Einspinnergasse+2+Graz", "https://www.google.com/search?q=Leechgasse+10+Graz", "https://www.google.com/search?q=Schonaugasse+6+Graz", "https://www.google.com/search?q=Gleisdorfer+G+2+Graz", "https://www.google.com/search?q=Adolf+Kolping+Gasse+16+Graz", "https://www.google.com/search?q=Leonhardgurtel+10+Graz", "https://www.google.com/search?q=Schlogelgasse+5+Graz", "https://www.google.com/search?q=Elisabethstrasse+93+Graz", "https://www.google.com/search?q=Munzgrabenstrasse+29+Graz", "https://www.google.com/search?q=Neue+Stiftingtalstrasse+30+Graz", "https://www.google.com/search?q=Lindenlacher+Str+7+Horsching", "https://www.google.com/search?q=Hafnerriegel+14+Graz", "https://www.google.com/search?q=Flughafenstrasse+1+Horsching", "https://www.google.com/search?q=Angergasse+41+43+Graz", "https://www.google.com/search?q=Pluddemanngasse+39+Graz", "https://www.google.com/search?q=Andersengasse+41+43+Graz", "https://www.google.com/search?q=Pluddemanngasse+61+67+Graz", "https://www.google.com/search?q=Pluddemanngasse+71+Graz", "https://www.google.com/search?q=Ulrich+Lichtenstein+Gasse+19+Graz", "https://www.google.com/search?q=St++Peter+Hauptstrasse+23+25+Graz", "https://www.google.com/search?q=Ramsauer+Str+12+Linz", "https://www.google.com/search?q=Wolfgang+Pauli+Strasse+1+Linz", "https://www.google.com/search?q=Ragnitzstrasse+322+Gemeinde+Kainbach+bei+Graz", "https://www.google.com/search?q=Bahnhofplatz+9+Linz", "https://www.google.com/search?q=Hamerlingstrasse+38+Linz", "https://www.google.com/search?q=Bahnhofstrasse+4+6+Linz", "https://www.google.com/search?q=Ziegeleistrasse+76+78+Linz", "https://www.google.com/search?q=Scharitzerstrasse+6+8+Linz", "https://www.google.com/search?q=Liebenauer+Hauptstrasse+316+Graz", "https://www.google.com/search?q=Flughafenstrasse+1+Feldkirchen+bei+Graz", "https://www.google.com/search?q=Goethestrasse+58+Linz", "https://www.google.com/search?q=Goethestrasse+82+Linz", "https://www.google.com/search?q=Flughafenstrasse+38+Feldkirchen+bei+Graz", "https://www.google.com/search?q=Bismarckstrasse+5+Linz", "https://www.google.com/search?q=Khevenhullerstrasse+6+10+Linz", "https://www.google.com/search?q=Semmelweisstrasse+34+Linz", "https://www.google.com/search?q=Seilerstatte+2+Linz", "https://www.google.com/search?q=Salesianumweg+3+Linz", "https://www.google.com/search?q=Stifterstrasse+21+Linz", "https://www.google.com/search?q=Garnisonstrasse+5+Linz", "https://www.google.com/search?q=Krankenhausstrasse+7+Linz", "https://www.google.com/search?q=Dametzstrasse+52+Linz", "https://www.google.com/search?q=Dametzstrasse+14+Linz", "https://www.google.com/search?q=Obere+Donaulande+1+Linz", "https://www.google.com/search?q=Untere+Donaulande+9+Linz", "https://www.google.com/search?q=Flussgasse+3+Linz", "https://www.google.com/search?q=Untere+Donaulande+11+Linz", "https://www.google.com/search?q=Gstottnerhofstrasse+20+Linz", "https://www.google.com/search?q=Wildbergstrasse+28+Linz", "https://www.google.com/search?q=Ferihumerstrasse+62+Linz", "https://www.google.com/search?q=Julius+Raab+Strasse+1+3+Linz", "https://www.google.com/search?q=Frohlerweg+10+Linz", "https://www.google.com/search?q=Altenbergerstrasse+69+Linz", "https://www.google.com/search?q=Flughafenstrasse+60+64+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=St+Veiter+Ring+43+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Josef+Wolfgang+Dobernig+Strasse+2+Innere+Stadt", "https://www.google.com/search?q=Neuer+Pl+13+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Villacher+Ring+30+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Miesstaler+Strasse+7+Innere+Stadt", "https://www.google.com/search?q=Paulitschgasse+13+Innere+Stadt", "https://www.google.com/search?q=Koschutastrasse+4+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Karntner+Strasse+199+Gemeinde+Portschach+am+Worther+See", "https://www.google.com/search?q=Bahnhof+1+Gloggnitz", "https://www.google.com/search?q=Zemannstrasse+4+Freistadt", "https://www.google.com/search?q=Rainerstrasse+20+Ried+im+Innkreis", "https://www.google.com/search?q=Rossmarkt+8+Sankt+Polten", "https://www.google.com/search?q=Doktor+Karl+Renner+Promenade+19+Sankt+Polten", "https://www.google.com/search?q=Rossmarkt+20+Sankt+Polten", "https://www.google.com/search?q=Brauhausgasse+3+Sankt+Polten", "https://www.google.com/search?q=Nordkammstrasse+1+Freistadt", "https://www.google.com/search?q=Froschau+14+Freistadt", "https://www.google.com/search?q=Eybnerstrasse+2+4+Sankt+Polten", "https://www.google.com/search?q=Muhlweg+40+Sankt+Polten", "https://www.google.com/search?q=Urstein+Sud+1+Puch+bei+Hallein", "https://www.google.com/search?q=Urstein+Sud+1+Gemeinde+Puch+bei+Hallein", "https://www.google.com/search?q=Rizzistrasse+3+Spittal+an+der+Drau", "https://www.google.com/search?q=Doktor+Adolf+Scharf+Strasse+4+Sankt+Polten", "https://www.google.com/search?q=Hausergasse+13+Villach", "https://www.google.com/search?q=Peraustrasse+32+Villach", "https://www.google.com/search?q=Anifer+Landesstrasse+1+Salzburg", "https://www.google.com/search?q=Furstenweg+37+Salzburg", "https://www.google.com/search?q=Alpenstrasse+92+94+Salzburg", "https://www.google.com/search?q=Otto+Holzbauer+Strasse+1+Salzburg", "https://www.google.com/search?q=Waldorfstrasse+13+Salzburg", "https://www.google.com/search?q=K+H+Waggerl+Strasse+19+Bad+Gastein", "https://www.google.com/search?q=Alpenstrasse+6+Salzburg", "https://www.google.com/search?q=Furbergstrasse+18+Salzburg", "https://www.google.com/search?q=Furbergstrasse+18+20+Salzburg", "https://www.google.com/search?q=Hermann+Bahr+Promenade+2+Salzburg", "https://www.google.com/search?q=Ulrike+Gschwandtner+Strasse+6+Salzburg", "https://www.google.com/search?q=Akademiestrasse+24+Salzburg", "https://www.google.com/search?q=Dr+Franz+Rehrl+Platz+5+Salzburg", "https://www.google.com/search?q=Erzabt+Klotz+Strasse+4+Salzburg", "https://www.google.com/search?q=Petersbrunnstrasse+16+Salzburg", "https://www.google.com/search?q=Emil+Kofler+Gasse+13+Salzburg", "https://www.google.com/search?q=Rupertgasse+25+Salzburg", "https://www.google.com/search?q=Sterneckstrasse+21+Salzburg", "https://www.google.com/search?q=Herrengasse+3+Salzburg", "https://www.google.com/search?q=Basteigasse+7+Salzburg", "https://www.google.com/search?q=Imbergstrasse+31+Salzburg", "https://www.google.com/search?q=Glockengasse+4+Salzburg", "https://www.google.com/search?q=Auerspergstrasse+61+Salzburg", "https://www.google.com/search?q=Weiserstrasse+1+Salzburg", "https://www.google.com/search?q=Mirabellplatz+5+Salzburg", "https://www.google.com/search?q=Franz+Josef+Kai+1+Salzburg", "https://www.google.com/search?q=Schwarzstrasse+13+15+Salzburg", "https://www.google.com/search?q=Rainerstrasse+27+Salzburg", "https://www.google.com/search?q=Engelbert+Weiss+Weg+14+Salzburg", "https://www.google.com/search?q=Hildmannplatz+1+Salzburg", "https://www.google.com/search?q=Karl+Wurmb+Strasse+5+Salzburg", "https://www.google.com/search?q=Rainerstrasse+21+Salzburg", "https://www.google.com/search?q=Neutorstrasse+8+Salzburg", "https://www.google.com/search?q=Auerspergstrasse+4+Salzburg", "https://www.google.com/search?q=Karl+Wurmb+Strasse+12+Salzburg", "https://www.google.com/search?q=Markus+Sittikus+Strasse+3+Salzburg", "https://www.google.com/search?q=Plainstrasse+37+Salzburg", "https://www.google.com/search?q=Elisabethkai+58+60+Salzburg", "https://www.google.com/search?q=Jakob+Haringer+Strasse+1+Salzburg", "https://www.google.com/search?q=Mullner+Hauptstrasse+48+Salzburg", "https://www.google.com/search?q=Lindhofstrasse+7+Salzburg", "https://www.google.com/search?q=Radetzkystrasse+6+Salzburg", "https://www.google.com/search?q=Bindergasse+3+Salzburg", "https://www.google.com/search?q=Am+Messezentrum+1+Salzburg", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+95+Salzburg", "https://www.google.com/search?q=Oberst+Lepperdinger+Strasse+19+Siezenheim", "https://www.google.com/search?q=Kasernenstrasse+1+Salzburg", "https://www.google.com/search?q=Stadionstrasse+2+Siezenheim", "https://www.google.com/search?q=Bahnhofstrasse+289+Furth+bei+Gottweig", "https://www.google.com/search?q=Bahnhofstrasse+9+Furstenfeld", "https://www.google.com/search?q=Heilingbrunnerstrasse+1+Bad+Reichenhall", "https://www.google.com/search?q=Fruhlingstrasse+2+Bad+Reichenhall", "https://www.google.com/search?q=Sparkassengasse+4+Wiener+Neustadt", "https://www.google.com/search?q=Ungargasse+18+Wiener+Neustadt", "https://www.google.com/search?q=Tummelplatzstrasse+6+8+Scharding", "https://www.google.com/search?q=Kaiser+Franz+Ring+1+Baden", "https://www.google.com/search?q=Nikolastrasse+4+Passau", "https://www.google.com/search?q=Am+Schanzl+8+Passau", "https://www.google.com/search?q=Obere+Donaulande+12+Passau", "https://www.google.com/search?q=Bahnhofstrasse+29+Passau", "https://www.google.com/search?q=Obere+Donaulande+11+Passau", "https://www.google.com/search?q=Bahnhofstrasse+31+Passau", "https://www.google.com/search?q=Regensburger+Str+1+Passau", "https://www.google.com/search?q=Hauptplatz+13+Tulln+an+der+Donau", "https://www.google.com/search?q=Frauentorgasse+2+Tulln+an+der+Donau", "https://www.google.com/search?q=Friedrich+Schiller+Strasse+9+Modling", "https://www.google.com/search?q=Wassergasse+2+Tulln+an+der+Donau", "https://www.google.com/search?q=Kohlmaisliftweg+664+Saalbach", "https://www.google.com/search?q=Dorfplatz+36+Saalbach", "https://www.google.com/search?q=Gabrieler+Str+13+Modling", "https://www.google.com/search?q=Bahnstrasse+13+Brunn+am+Gebirge", "https://www.google.com/search?q=Bahnstrasse+52+Brunn+am+Gebirge", "https://www.google.com/search?q=Liebermannstrasse+A+01+Brunn+am+Gebirge", "https://www.google.com/search?q=Albert+Schweitzer+Gasse+6+Wien", "https://www.google.com/search?q=Breitenfurter+Str+372+Wien", "https://www.google.com/search?q=Europaring+F+13+14+Brunn+am+Gebirge", "https://www.google.com/search?q=Breitenfurter+Str+399+Wien", "https://www.google.com/search?q=Stadtpl+98+Burghausen", "https://www.google.com/search?q=Mautnerstrasse+250+Burghausen", "https://www.google.com/search?q=Endresstrasse+24+26+Wien", "https://www.google.com/search?q=Priessnitzstrasse+1+Burghausen", "https://www.google.com/search?q=Wolkersbergenstrasse+1+Wien", "https://www.google.com/search?q=Porschestrasse+25+Wien", "https://www.google.com/search?q=Bergmillergasse+5+Wien", "https://www.google.com/search?q=Hackinger+Str+52+Wien", "https://www.google.com/search?q=Herziggasse+14+Wien", "https://www.google.com/search?q=Linzer+Str+386+390+Wien", "https://www.google.com/search?q=Hanakgasse+2+4+Wien", "https://www.google.com/search?q=Hietzinger+Kai+143+Wien", "https://www.google.com/search?q=Atzgersdorfer+Str+14+Wien", "https://www.google.com/search?q=Hervicusgasse+44+Wien", "https://www.google.com/search?q=Cumberlandstrasse+102+Wien", "https://www.google.com/search?q=Auhofstrasse+8+Wien", "https://www.google.com/search?q=Eduard+Klein+Gasse+21+Wien", "https://www.google.com/search?q=Hietzinger+Hauptstrasse+10+Wien", "https://www.google.com/search?q=Heinrich+Collin+Strasse+30+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+130+Wien", "https://www.google.com/search?q=Breitenseer+Str+110+Wien", "https://www.google.com/search?q=Missindorfstrasse+21+23+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+46+Wien", "https://www.google.com/search?q=Pottendorfer+Str+16+Wien", "https://www.google.com/search?q=Wagenseilgasse+8+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+38+40+Wien", "https://www.google.com/search?q=Linzer+Str+3+Wien", "https://www.google.com/search?q=Vivenotgasse+66+Wien", "https://www.google.com/search?q=Tivoligasse+12+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+14+Wien", "https://www.google.com/search?q=Vivenotgasse+54+Wien", "https://www.google.com/search?q=Esterhazyplatz+4+Eisenstadt", "https://www.google.com/search?q=Montleartstrasse+37+Wien", "https://www.google.com/search?q=Schonbrunner+Str+222+228+Wien", "https://www.google.com/search?q=Reschgasse+24+26+Wien", "https://www.google.com/search?q=Reichsapfelgasse+6+8+Wien", "https://www.google.com/search?q=Meiselstrasse+32+Wien", "https://www.google.com/search?q=Hollergasse+47+49+Wien", "https://www.google.com/search?q=Huttengasse+41+Wien", "https://www.google.com/search?q=Ignazgasse+4+Wien", "https://www.google.com/search?q=Hertha+Firnberg+Strasse+14+Wien", "https://www.google.com/search?q=Meiselstrasse+19+Wien", "https://www.google.com/search?q=Joseph+Haydn+Gasse+34+Eisenstadt", "https://www.google.com/search?q=Maria+Kuhn+Gasse+6+Wien", "https://www.google.com/search?q=Lobzeile+1+Eisenstadt", "https://www.google.com/search?q=Clemens+Holzmeister+Strasse+4+6+Wien", "https://www.google.com/search?q=Wienerbergstrasse+13+19+Wien", "https://www.google.com/search?q=Kundratstrasse+37+Wien", "https://www.google.com/search?q=Gablenzg+107+Wien", "https://www.google.com/search?q=Zagorskigasse+2+Wien", "https://www.google.com/search?q=Feldstrasse+35+Eisenstadt", "https://www.google.com/search?q=Kerschensteinergasse+2+Wien", "https://www.google.com/search?q=Klahrgasse+1+Wien", "https://www.google.com/search?q=Weinheimergasse+4+Wien", "https://www.google.com/search?q=Kardinal+Rauscher+Platz+5+Wien", "https://www.google.com/search?q=Nietzschepl+4+Wien", "https://www.google.com/search?q=Ing+Julius+Raab+Strasse+3+Eisenstadt", "https://www.google.com/search?q=Steinbauergasse+29+Wien", "https://www.google.com/search?q=Europaplatz+1+Eisenstadt", "https://www.google.com/search?q=Viktoriagasse+4+Wien", "https://www.google.com/search?q=Krautgartenweg+4+Eisenstadt", "https://www.google.com/search?q=Kundratstrasse+3+Wien", "https://www.google.com/search?q=Gaudenzdorfer+Gurtel+77+Wien", "https://www.google.com/search?q=Klausgasse+18+Wien", "https://www.google.com/search?q=Reithofferpl+6+Wien", "https://www.google.com/search?q=Herthergasse+2+Wien", "https://www.google.com/search?q=Margaretengurtel+136+Wien", "https://www.google.com/search?q=Mariahilfer+Gurtel+22+24+Wien", "https://www.google.com/search?q=Felberstrasse+1+Wien", "https://www.google.com/search?q=Molnargasse+4+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+23+Wien", "https://www.google.com/search?q=Brandmayergasse+37+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+2+Wien", "https://www.google.com/search?q=Fendigasse+33+Wien", "https://www.google.com/search?q=Vogelweidpl+9+Wien", "https://www.google.com/search?q=Am+Hundsturm+1+Wien", "https://www.google.com/search?q=Moeringgasse+20+Wien", "https://www.google.com/search?q=Millergasse+50+Wien", "https://www.google.com/search?q=Kaiserstrasse+5+7+Wien", "https://www.google.com/search?q=Ludo+Hartmann+Platz+1+Wien", "https://www.google.com/search?q=Hernalser+Friedhof+W+W+Wien", "https://www.google.com/search?q=Kenyongasse+27+Wien", "https://www.google.com/search?q=Apollogasse+13+Wien", "https://www.google.com/search?q=Neumayrgasse+30+Wien", "https://www.google.com/search?q=Migerkastrasse+1+Wien", "https://www.google.com/search?q=Kaiserstrasse+45+Wien", "https://www.google.com/search?q=Ortliebgasse+17+Wien", "https://www.google.com/search?q=Ortliebgasse+18+Wien", "https://www.google.com/search?q=Zieglergasse+3+Wien", "https://www.google.com/search?q=Favoritenstrasse+250+Wien", "https://www.google.com/search?q=Zieglergasse+8+Wien", "https://www.google.com/search?q=Halbgasse+3+5+Wien", "https://www.google.com/search?q=Gudrunstrasse+184+Wien", "https://www.google.com/search?q=Mollardgasse+21+Wien", "https://www.google.com/search?q=Linke+Wienzeile+126+Wien", "https://www.google.com/search?q=Hollgasse+2+6+Wien", "https://www.google.com/search?q=Andreasgasse+6+Wien", "https://www.google.com/search?q=Alaudagasse+S+S+Wien", "https://www.google.com/search?q=Grundackergasse+36+38+Wien", "https://www.google.com/search?q=Hofmuhlgasse+10+Wien", "https://www.google.com/search?q=Bahnlande+11+Wien", "https://www.google.com/search?q=Burggasse+85+Wien", "https://www.google.com/search?q=Grundackergasse+34+Wien", "https://www.google.com/search?q=Ottakringer+Str+44+Wien", "https://www.google.com/search?q=Dambockgasse+4+Wien", "https://www.google.com/search?q=Zentagasse+11+Wien", "https://www.google.com/search?q=Schottenfeldgasse+94+Wien", "https://www.google.com/search?q=Favoritenstrasse+226+Wien", "https://www.google.com/search?q=Kliebergasse+9+Wien", "https://www.google.com/search?q=Neubaugasse+47+Wien", "https://www.google.com/search?q=Dornerpl+1+Wien", "https://www.google.com/search?q=Pfeilgasse+20+Wien", "https://www.google.com/search?q=Gersthofer+Str+137+139+Wien", "https://www.google.com/search?q=Syringgasse+4+Wien", "https://www.google.com/search?q=Lindengasse+17+19+Wien", "https://www.google.com/search?q=Mittersteig+26+28+Wien", "https://www.google.com/search?q=Skodagasse+6+Wien", "https://www.google.com/search?q=Windmuhlgasse+22+24+Wien", "https://www.google.com/search?q=Rotenhofgasse+2+Wien", "https://www.google.com/search?q=Stiftgasse+5+9+Wien", "https://www.google.com/search?q=Katharinengasse+2+Wien", "https://www.google.com/search?q=Florianigasse+42+Wien", "https://www.google.com/search?q=Wiedner+Gurtel+3+Wien", "https://www.google.com/search?q=Schrankgasse+7+9+Wien", "https://www.google.com/search?q=Zimmermannpl+9+Wien", "https://www.google.com/search?q=Anton+Diettrichgasse+1+Himberg+bei+Wien", "https://www.google.com/search?q=Laxenburger+Str+19+Wien", "https://www.google.com/search?q=Karl+Schweighofer+Gasse+4+6+Wien", "https://www.google.com/search?q=Erlachgasse+92+Wien", "https://www.google.com/search?q=Trautsongasse+4+Wien", "https://www.google.com/search?q=Lerchenfelder+Str+2+Wien", "https://www.google.com/search?q=Landgutgasse+14+Wien", "https://www.google.com/search?q=Wahringer+Strasse+123+Wien", "https://www.google.com/search?q=Museumsplatz+1+Wien", "https://www.google.com/search?q=Schleifmuhlgasse+17+Wien", "https://www.google.com/search?q=Floragasse+7+Wien", "https://www.google.com/search?q=Schmerlingpl+9+Wien", "https://www.google.com/search?q=Waltergasse+1+Wien", "https://www.google.com/search?q=Lehargasse+4+Wien", "https://www.google.com/search?q=Schmerlingpl+6+Wien", "https://www.google.com/search?q=Operngasse+13+Wien", "https://www.google.com/search?q=Wilczekgasse+6+Wien", "https://www.google.com/search?q=Elisabethstrasse+18+Wien", "https://www.google.com/search?q=Hlawkagasse+8+Wien", "https://www.google.com/search?q=Sailerackergasse+45+Wien", "https://www.google.com/search?q=Universitatsring+2+Wien", "https://www.google.com/search?q=Haulerstrasse+2+Wien", "https://www.google.com/search?q=Wahringer+Gurtel+18+20+Wien", "https://www.google.com/search?q=Argentinierstrasse+29+Wien", "https://www.google.com/search?q=Sensengasse+3+Wien", "https://www.google.com/search?q=Elisabethstrasse+2+6+Wien", "https://www.google.com/search?q=Semperstrasse+32+36+Wien", "https://www.google.com/search?q=Wahringer+Gurtel+97+Wien", "https://www.google.com/search?q=Universitatsstrasse+1536+Wien", "https://www.google.com/search?q=Mattiellistrasse+2+4+Wien", "https://www.google.com/search?q=Karntner+Str+51+Wien", "https://www.google.com/search?q=Mahlerstrasse+6+8+Wien", "https://www.google.com/search?q=Schwarzenbergpl+9+Wien", "https://www.google.com/search?q=Freyung+3+Wien", "https://www.google.com/search?q=Mahlerstrasse+12+Wien", "https://www.google.com/search?q=Am+Heumarkt+39+Wien", "https://www.google.com/search?q=Am+Hof+1+Wien", "https://www.google.com/search?q=Maria+Theresien+Strasse+14+Wien", "https://www.google.com/search?q=Liechtensteinstrasse+39+Wien", "https://www.google.com/search?q=Philippovichgasse+6+10+Wien", "https://www.google.com/search?q=Beethovenpl+3+Wien", "https://www.google.com/search?q=Praetoriusgasse+1+Wien", "https://www.google.com/search?q=Borsegasse+11+Wien", "https://www.google.com/search?q=Hegelgasse+1+Wien", "https://www.google.com/search?q=Am+Heumarkt+2+Wien", "https://www.google.com/search?q=Schegargasse+13+15+Wien", "https://www.google.com/search?q=Concordiapl+4+Wien", "https://www.google.com/search?q=Coburgbastei+5+Wien", "https://www.google.com/search?q=Mohsgasse+30+32+Wien", "https://www.google.com/search?q=Seilerstatte+8+Wien", "https://www.google.com/search?q=Stephansplatz+6+Wien", "https://www.google.com/search?q=Turkenstrasse+22+Wien", "https://www.google.com/search?q=Pramergasse+16+Wien", "https://www.google.com/search?q=Gonzagagasse+21+Wien", "https://www.google.com/search?q=Sterngasse+5+Wien", "https://www.google.com/search?q=Linke+Bahngasse+23+Wien", "https://www.google.com/search?q=Zedlitzgasse+6+Wien", "https://www.google.com/search?q=Doblinger+Gurtel+28+Wien", "https://www.google.com/search?q=Gonzagagasse+2+4+Wien", "https://www.google.com/search?q=Morzinpl+1+Wien", "https://www.google.com/search?q=Nordbergstrasse+11+Wien", "https://www.google.com/search?q=Franz+Josefs+Kai+G+G+Wien", "https://www.google.com/search?q=Josef+Holaubek+Platz+1+Wien", "https://www.google.com/search?q=An+Den+Langen+Lussen+2+Wien", "https://www.google.com/search?q=Am+Stadtpark+1+Wien", "https://www.google.com/search?q=Boerhaavegasse+8+Wien", "https://www.google.com/search?q=Herminengasse+2+Wien", "https://www.google.com/search?q=Lilienbrunngasse+7+9+Wien", "https://www.google.com/search?q=Herbortgasse+28+Wien", "https://www.google.com/search?q=Invalidenstrasse+10+Wien", "https://www.google.com/search?q=Lilienbrunngasse+6+12+Wien", "https://www.google.com/search?q=Juchgasse+22+Wien", "https://www.google.com/search?q=Treustrasse+33+Wien", "https://www.google.com/search?q=Spittelauer+Lande+12+Wien", "https://www.google.com/search?q=Georg+Coch+Platz+4+Wien", "https://www.google.com/search?q=Hollandstrasse+13+Wien", "https://www.google.com/search?q=Rennweg+104+Wien", "https://www.google.com/search?q=Gigergasse+2+Wien", "https://www.google.com/search?q=Sechskrugelgasse+4+Wien", "https://www.google.com/search?q=Neulinggasse+8+Wien", "https://www.google.com/search?q=Grosse+Mohrengasse+3+Wien", "https://www.google.com/search?q=Leopoldsgasse+39+Wien", "https://www.google.com/search?q=Marxergasse+1+Wien", "https://www.google.com/search?q=Treustrasse+94+Wien", "https://www.google.com/search?q=Heiligenstadter+Strasse+46+Wien", "https://www.google.com/search?q=Landstrasser+Hauptstrasse+37+Wien", "https://www.google.com/search?q=Gottschalkgasse+10+Wien", "https://www.google.com/search?q=Untere+Viaduktgasse+47+49+Wien", "https://www.google.com/search?q=Fischergasse+2+Wien", "https://www.google.com/search?q=Heiligenstadter+Lande+13+Wien", "https://www.google.com/search?q=Grillgasse+11+Vienna", "https://www.google.com/search?q=Hainburger+Str+16+Wien", "https://www.google.com/search?q=Karl+Farkas+Gasse+22+Wien", "https://www.google.com/search?q=Ferdinandstrasse+20+Wien", "https://www.google.com/search?q=Klosterneuburger+Str+93+97+Wien", "https://www.google.com/search?q=Enkplatz+1+Wien", "https://www.google.com/search?q=Rinnbockstrasse+60+Wien", "https://www.google.com/search?q=Hetzgasse+4+6+Wien", "https://www.google.com/search?q=Hintere+Zollamtsstrasse+2+4+Wien", "https://www.google.com/search?q=Hermine+Jursa+Gasse+11+Wien", "https://www.google.com/search?q=Simmeringer+Hauptstrasse+108+Wien", "https://www.google.com/search?q=Henneberggasse+6+Wien", "https://www.google.com/search?q=Jagerstrasse+48+Wien", "https://www.google.com/search?q=Blattgasse+14+Wien", "https://www.google.com/search?q=Kaiserebersdorferstrasse+6+Wien", "https://www.google.com/search?q=Odeongasse+2+4+Wien", "https://www.google.com/search?q=Wexstrasse+24+Wien", "https://www.google.com/search?q=Fiakerpl+6+Wien", "https://www.google.com/search?q=Brigittenauer+Lande+156+158+Wien", "https://www.google.com/search?q=Wurtzlerstrasse+20+Wien", "https://www.google.com/search?q=Nordwestbahnstrasse+2+Wien", "https://www.google.com/search?q=Erdbergstrasse+182+Wien", "https://www.google.com/search?q=Im+Erdberger+Mais+3+Wien", "https://www.google.com/search?q=Michael+Neumann+Gasse+1+Wien", "https://www.google.com/search?q=Simmeringer+Hauptstrasse+337+Wien", "https://www.google.com/search?q=Safargasse+4+Wien", "https://www.google.com/search?q=Josef+Hindels+Gasse+1+Wien", "https://www.google.com/search?q=Schnirchgasse+12+Wien", "https://www.google.com/search?q=Guglgasse+6+10+Wien", "https://www.google.com/search?q=Paragonstrasse+2+Wien", "https://www.google.com/search?q=Guglgasse+11+Wien", "https://www.google.com/search?q=Winarskystrasse+9+Wien", "https://www.google.com/search?q=Muthgasse+42+Wien", "https://www.google.com/search?q=Kreilpl+1+Wien", "https://www.google.com/search?q=Holzgasse+1+Wien", "https://www.google.com/search?q=Waldsteingartenstrasse+123+Wien", "https://www.google.com/search?q=Messestrasse+154+Wien", "https://www.google.com/search?q=Nordportalstrasse+172+Wien", "https://www.google.com/search?q=Wehlistrasse+25+Wien", "https://www.google.com/search?q=Stiftsplatz+5+Klosterneuburg", "https://www.google.com/search?q=Rathausplatz+24+Klosterneuburg", "https://www.google.com/search?q=Handelskai+94+96+Wien", "https://www.google.com/search?q=Hundskehle+21+Klosterneuburg", "https://www.google.com/search?q=Stuwerstrasse+41+Wien", "https://www.google.com/search?q=Pater+Abel+Strasse+8+Klosterneuburg", "https://www.google.com/search?q=Trabrennstrasse+5+Wien", "https://www.google.com/search?q=Niedermarkt+7+Klosterneuburg", "https://www.google.com/search?q=Vorgartenstrasse+223+Wien", "https://www.google.com/search?q=Mexikopl+28+Wien", "https://www.google.com/search?q=Marathonweg+7+Wien", "https://www.google.com/search?q=Schmidgasse+4+Schwechat", "https://www.google.com/search?q=Handelskai+269+Wien", "https://www.google.com/search?q=Handelskai+343+Wien", "https://www.google.com/search?q=Wehlistrasse+350+Wien", "https://www.google.com/search?q=Bahngasse+2+Schwechat", "https://www.google.com/search?q=Donau+City+Strasse+7+Wien", "https://www.google.com/search?q=Wagramer+Str+2+Wien", "https://www.google.com/search?q=Donau+City+Strasse+12+Wien", "https://www.google.com/search?q=Donau+City+Strasse+4+Wien", "https://www.google.com/search?q=Jedleseer+Str+82+Wien", "https://www.google.com/search?q=Donau+City+Strasse+14+Wien", "https://www.google.com/search?q=Bruno+Kreisky+Platz+1+Wien", "https://www.google.com/search?q=Donau+City+Strasse+1+Wien", "https://www.google.com/search?q=Jeneweingasse+11+Wien", "https://www.google.com/search?q=Wagramer+Strasse+8+Wien", "https://www.google.com/search?q=Leonard+Bernstein+Strasse+8+Wien", "https://www.google.com/search?q=Franz+Jonas+Platz+3+Wien", "https://www.google.com/search?q=Am+Spitz+4+Wien", "https://www.google.com/search?q=Freytaggasse+11+Wien", "https://www.google.com/search?q=Pius+Parsch+Platz+11+Wien", "https://www.google.com/search?q=Angerer+Str+2+6+Wien", "https://www.google.com/search?q=Kratochwjlestrasse+4+Wien", "https://www.google.com/search?q=Moissigasse+21+Wien", "https://www.google.com/search?q=Am+Kaisermuhlendamm+113+Wien", "https://www.google.com/search?q=Bisamberger+Strasse+17+Korneuburg", "https://www.google.com/search?q=Dr+Adolf+Scharf+Platz+3+Wien", "https://www.google.com/search?q=Meitnergasse+2+Wien", "https://www.google.com/search?q=Wintzingerodestrasse+10+Wien", "https://www.google.com/search?q=Mannsworther+Str+94+Schwechat", "https://www.google.com/search?q=Adelheid+Popp+Gasse+24+Wien", "https://www.google.com/search?q=Tamariskengasse+43+Wien", "https://www.google.com/search?q=Giefinggasse+2+Wien", "https://www.google.com/search?q=Langobardenstrasse+126+128+Wien", "https://www.google.com/search?q=Hainburger+Bundesstrasse+143+Schwechat", "https://www.google.com/search?q=Lavaterstrasse+6+Wien", "https://www.google.com/search?q=Kurschnergasse+9+Wien", "https://www.google.com/search?q=Parkstrasse+889+Schwechat", "https://www.google.com/search?q=Herchenhahngasse+8+Wien", "https://www.google.com/search?q=Pressburger+Str+889+Schwechat", "https://www.google.com/search?q=Airportstrasse+5+Fischamend+Dorf", "https://www.google.com/search?q=Hochriesstrasse+6+Prien+am+Chiemsee", "https://www.google.com/search?q=Bahnhofpl+1+Prien+am+Chiemsee", "https://www.google.com/search?q=Johngasse+6+Gemeinde+Bruck+an+der+Leitha", "https://www.google.com/search?q=Rechenauerstrasse+2+Rosenheim", "https://www.google.com/search?q=Klepperstrasse+17+Rosenheim", "https://www.google.com/search?q=Gottlieb+Weissbacher+Strasse+9+Worgl", "https://www.google.com/search?q=Bahnweg+1+Pfaffing", "https://www.google.com/search?q=Sensauer+Str+2+Steinhoring", "https://www.google.com/search?q=Am+Bahnhof+2+Assling", "https://www.google.com/search?q=Bahnhofspl+3+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+10+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+1+Ebersberg", "https://www.google.com/search?q=Hauptstrasse+27+Grafing+bei+Munchen", "https://www.google.com/search?q=Am+Oberholz+4+Grafing+bei+Munchen", "https://www.google.com/search?q=Hauptstrasse+38+Grafing+bei+Munchen", "https://www.google.com/search?q=Hauptstrasse+37+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+1+Kirchseeon", "https://www.google.com/search?q=Bahnhofplatz+11+13+Straubing", "https://www.google.com/search?q=Bahnhofpl+13+Straubing", "https://www.google.com/search?q=Geiselhoringer+Strasse+9+Straubing", "https://www.google.com/search?q=Untere+Bahnhofstrasse+36+Aying", "https://www.google.com/search?q=Via+Goethe+11+Brunico", "https://www.google.com/search?q=Obere+Bahnhofstrasse+54+Zorneding", "https://www.google.com/search?q=Anzinger+Str+2+Zorneding", "https://www.google.com/search?q=Via+Dello+Stadio+2+Cortina+d'Ampezzo", "https://www.google.com/search?q=Via+Lampi+4+Brunico", "https://www.google.com/search?q=Via+Europa+24+Brunico", "https://www.google.com/search?q=Romerstrasse+20+Valley", "https://www.google.com/search?q=Am+Bahnhof+4+Aying", "https://www.google.com/search?q=Raiffeisenstrasse+11+Ottenhofen", "https://www.google.com/search?q=St+2078+Aying", "https://www.google.com/search?q=Enzensbergerstrasse+13+Markt+Schwaben", "https://www.google.com/search?q=Bahnhofstrasse+49+51+Markt+Schwaben", "https://www.google.com/search?q=Munterstrasse+1+Markt+Schwaben", "https://www.google.com/search?q=Josef+Wopfner+Strasse+15+Schwaz", "https://www.google.com/search?q=Ed+4+Worth", "https://www.google.com/search?q=Dorfener+Str+15+Erding", "https://www.google.com/search?q=Am+Bahnhof+22+Erding", "https://www.google.com/search?q=Pretzener+Str+2+Erding", "https://www.google.com/search?q=Am+Muhlgraben+4+Erding", "https://www.google.com/search?q=Bahnhofstrasse+34+Erding", "https://www.google.com/search?q=Pferdeschwemmgasse+2+Erding", "https://www.google.com/search?q=Lebzelterstrasse+2+Erding", "https://www.google.com/search?q=Giessereistrasse+3+Erding", "https://www.google.com/search?q=Neue+Poststrasse+15+Vaterstetten", "https://www.google.com/search?q=Schwalbenstrasse+21+Vaterstetten", "https://www.google.com/search?q=Friedensstrasse+9+Poing", "https://www.google.com/search?q=Bahnhofstrasse+15+Poing", "https://www.google.com/search?q=Erlkamer+Strasse+18+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+1+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+9+Holzkirchen", "https://www.google.com/search?q=Dozsa+Gyorgy+U+246+Zalavar", "https://www.google.com/search?q=Luitpoldring+1+Vaterstetten", "https://www.google.com/search?q=Bahnhofstrasse+47+Vaterstetten", "https://www.google.com/search?q=Bahnhofpl+2+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Bahnhofpl+1+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Parsdorfer+Str+5+Poing", "https://www.google.com/search?q=Bahnhofstrasse+52+Otterfing", "https://www.google.com/search?q=Bahnhofstrasse+49+Otterfing", "https://www.google.com/search?q=Poinger+Str+17+Kirchheim+bei+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+10+Kirchheim+bei+Munchen", "https://www.google.com/search?q=Trida+1+41+Breclav", "https://www.google.com/search?q=Eglfinger+Weg+9+Haar", "https://www.google.com/search?q=Ladehofstrasse+2+Haar", "https://www.google.com/search?q=Bahnhofstrasse+19+Hohenbrunn", "https://www.google.com/search?q=Velaskostrasse+4+Feldkirchen", "https://www.google.com/search?q=Raiffeisenstrasse+8+Feldkirchen", "https://www.google.com/search?q=Freisinger+Str+80+Oberding", "https://www.google.com/search?q=Bahnhofpl+9+Sauerlach", "https://www.google.com/search?q=Eichenstrasse+4+Oberding", "https://www.google.com/search?q=Roseggerstrasse+53+Ottobrunn", "https://www.google.com/search?q=Schneiderhofstrasse+7+Haar", "https://www.google.com/search?q=Helsinkistrasse+3+Munchen", "https://www.google.com/search?q=Paul+Henri+Spaak+Strasse+6+Munchen", "https://www.google.com/search?q=Bahnhofspl+2+Ottobrunn", "https://www.google.com/search?q=Bahnhofstrasse+20+Aschheim", "https://www.google.com/search?q=Karl+Hammerschmidt+Strasse+21+Aschheim", "https://www.google.com/search?q=Mittbacher+Str+12+Munchen", "https://www.google.com/search?q=Nordallee+25+Munchen", "https://www.google.com/search?q=Birthalmer+Str+50+Munchen", "https://www.google.com/search?q=Truderinger+Str+259+Munchen", "https://www.google.com/search?q=Carl+Wery+Strasse+35+Munchen", "https://www.google.com/search?q=Thomas+Dehler+Strasse+8+Munchen", "https://www.google.com/search?q=Von+Knoeringen+Strasse+5+Munchen", "https://www.google.com/search?q=Stephensonpl+1+Munchen", "https://www.google.com/search?q=Sudallee+15+Munchen+Flughafen", "https://www.google.com/search?q=Ludwigstrasse+14+Hallbergmoos", "https://www.google.com/search?q=Bahnhofstrasse+27+Taufkirchen", "https://www.google.com/search?q=Ludwig+Bruck+Strasse+3+Munchen", "https://www.google.com/search?q=Eschenstrasse+28+Taufkirchen", "https://www.google.com/search?q=Deisenhofener+Weg+6+Unterhaching", "https://www.google.com/search?q=Nordallee+29+Munchen+Flughafen", "https://www.google.com/search?q=Heinrich+Wieland+Strasse+5+Munchen", "https://www.google.com/search?q=Karolinenweg+5+Ismaning", "https://www.google.com/search?q=Schweigerstrasse+2+Ismaning", "https://www.google.com/search?q=Lilienthalstrasse+1+3+Hallbergmoos", "https://www.google.com/search?q=Bahnhofpl+4+Oberhaching", "https://www.google.com/search?q=Sauerlacher+Str+18+Oberhaching", "https://www.google.com/search?q=Bad+Schachener+Strasse+41+Munchen", "https://www.google.com/search?q=Am+Bahnhof+21+Unterfohring", "https://www.google.com/search?q=Anzinger+Str+15+Munchen", "https://www.google.com/search?q=Rosenheimer+Str+145+Munchen", "https://www.google.com/search?q=Arabellastrasse+17+Munchen", "https://www.google.com/search?q=Bothestrasse+10+Munchen", "https://www.google.com/search?q=Arabellastrasse+9+Munchen", "https://www.google.com/search?q=Grafinger+Str+11+Munchen", "https://www.google.com/search?q=Grafinger+Str+6+Munchen", "https://www.google.com/search?q=Rosenkavalierplatz+18+Munchen", "https://www.google.com/search?q=Orleansstrasse+87+Munchen", "https://www.google.com/search?q=Orleansstrasse+81+83+Munchen", "https://www.google.com/search?q=St+Martin+Strasse+120+Munchen", "https://www.google.com/search?q=Friedenstrasse+10+Munchen", "https://www.google.com/search?q=Boltzmannstrasse+12+Garching+bei+Munchen", "https://www.google.com/search?q=Sonnenstrasse+27+Freising", "https://www.google.com/search?q=Unterer+Stadtpl+22+Hall+in+Tirol", "https://www.google.com/search?q=Am+Worth+11+Freising", "https://www.google.com/search?q=Munchner+Str+11+Neufahrn+bei+Freising", "https://www.google.com/search?q=Rosenheimer+Str+15+Munchen", "https://www.google.com/search?q=Innere+Wiener+Strasse+15+Munchen", "https://www.google.com/search?q=Alois+Steinecker+Strasse+20+Freising", "https://www.google.com/search?q=Rosenheimer+Str+5+Munchen", "https://www.google.com/search?q=Hochstrasse+3+Munchen", "https://www.google.com/search?q=Hochstrasse+15+Munchen", "https://www.google.com/search?q=Am+Hollerbusch+22+Munchen", "https://www.google.com/search?q=Hochstrasse+19+Munchen", "https://www.google.com/search?q=Zellstrasse+4+Munchen", "https://www.google.com/search?q=Mariahilfpl+42+Munchen", "https://www.google.com/search?q=Werner+Heisenberg+Allee+25+Munchen", "https://www.google.com/search?q=Ungererstrasse+216+Munchen", "https://www.google.com/search?q=Ohlmullerstrasse+28+Munchen", "https://www.google.com/search?q=Kleiststrasse+3+Munchen", "https://www.google.com/search?q=Baaderstrasse+6+Munchen", "https://www.google.com/search?q=Lilienthalallee+29+Munchen", "https://www.google.com/search?q=Frauenstrasse+38+Munchen", "https://www.google.com/search?q=Hochbruckenstrasse+9+Munchen", "https://www.google.com/search?q=Marstallstrasse+8+Munchen", "https://www.google.com/search?q=Daimlerstrasse+2+Garching+bei+Munchen", "https://www.google.com/search?q=Occamstrasse+20+Munchen", "https://www.google.com/search?q=Sparkassenstrasse+10+Munchen", "https://www.google.com/search?q=Theodor+Dombart+Strasse+4+Munchen", "https://www.google.com/search?q=Max+Joseph+Platz+1+Munchen", "https://www.google.com/search?q=Feilitzschstrasse+8+Munchen", "https://www.google.com/search?q=Daimlerstrasse+5+Garching+bei+Munchen", "https://www.google.com/search?q=Franzstrasse+1+Munchen", "https://www.google.com/search?q=Marschallstrasse+1+Munchen", "https://www.google.com/search?q=Pralat+Zistl+Strasse+5+Munchen", "https://www.google.com/search?q=Rindermarkt+16+Munchen", "https://www.google.com/search?q=Berliner+Str+93+Munchen", "https://www.google.com/search?q=Lyonel+Feininger+Strasse+20+Munchen", "https://www.google.com/search?q=Jungfernturmstrasse+3+Munchen", "https://www.google.com/search?q=Oberanger+27+Munchen", "https://www.google.com/search?q=Farbergraben+10+Munchen", "https://www.google.com/search?q=Leopoldstrasse+184+Munchen", "https://www.google.com/search?q=Turkenstrasse+84+Munchen", "https://www.google.com/search?q=Altheimer+Eck+16+Munchen", "https://www.google.com/search?q=Tierparkstrasse+37+Munchen", "https://www.google.com/search?q=Siebenbrunner+Str+5+Munchen", "https://www.google.com/search?q=Maxburgstrasse+7+Munchen", "https://www.google.com/search?q=Herzog+Wilhelm+Strasse+11+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+56+Neufahrn+bei+Freising", "https://www.google.com/search?q=Karlspl+6+Munchen", "https://www.google.com/search?q=Zentrallandstrasse+1+Munchen", "https://www.google.com/search?q=Bayerstrasse+2+Munchen", "https://www.google.com/search?q=Luitpoldstrasse+3+Munchen", "https://www.google.com/search?q=Senefelderstrasse+7+Munchen", "https://www.google.com/search?q=Bahnhofpl+2+Munchen", "https://www.google.com/search?q=Senefelderstrasse+6+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+36+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+39+Munchen", "https://www.google.com/search?q=Arnulfstrasse+1+Munchen", "https://www.google.com/search?q=Elisenstrasse+4+Munchen", "https://www.google.com/search?q=Goethestrasse+4+Munchen", "https://www.google.com/search?q=Dachauer+Str+13+Munchen", "https://www.google.com/search?q=Dachauer+Str+17+Munchen", "https://www.google.com/search?q=Bayerstrasse+45+Munchen", "https://www.google.com/search?q=Dachauer+Str+21+Munchen", "https://www.google.com/search?q=Hirtenstrasse+14+Munchen", "https://www.google.com/search?q=Dorfer+Str+19+Rum", "https://www.google.com/search?q=Tolzer+Str+30+Munchen", "https://www.google.com/search?q=Wormser+Str+4+Munchen", "https://www.google.com/search?q=Hopfenstrasse+6+Munchen", "https://www.google.com/search?q=Friedastrasse+25+Munchen", "https://www.google.com/search?q=Bavariaring+5+Munchen", "https://www.google.com/search?q=Via+Giovanni+de+Min+1+Belluno", "https://www.google.com/search?q=Arnulfstrasse+15+Munchen", "https://www.google.com/search?q=Arnulfstrasse+17+Munchen", "https://www.google.com/search?q=Gollierstrasse+6+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+113+Munchen", "https://www.google.com/search?q=Marsstrasse+43+Munchen", "https://www.google.com/search?q=Zugspitzstrasse+4+Pullach+im+Isartal", "https://www.google.com/search?q=Heimeranstrasse+25+Munchen", "https://www.google.com/search?q=Knorrstrasse+166+Munchen", "https://www.google.com/search?q=Spiridon+Louis+Ring+3+Munchen", "https://www.google.com/search?q=Gmunder+Str+40+Munchen", "https://www.google.com/search?q=Larchenstrasse+51+Rum", "https://www.google.com/search?q=Lerchenauer+Str+57+Munchen", "https://www.google.com/search?q=Forststrasse+2+Baierbrunn", "https://www.google.com/search?q=Spiridon+Louis+Ring+15+Munchen", "https://www.google.com/search?q=Landsberger+Str+79+Munchen", "https://www.google.com/search?q=Helene+Mayer+Ring+3+Munchen", "https://www.google.com/search?q=Garmischer+Str+19+Munchen", "https://www.google.com/search?q=Ridlerstrasse+53+Munchen", "https://www.google.com/search?q=Dresdener+Str+2+Eching", "https://www.google.com/search?q=Landshuter+Allee+4+Munchen", "https://www.google.com/search?q=Richelstrasse+1+Munchen", "https://www.google.com/search?q=Grabenweg+64+Innsbruck", "https://www.google.com/search?q=Schleissheimer+Str+506+Munchen", "https://www.google.com/search?q=Grabenweg+65+Innsbruck", "https://www.google.com/search?q=Donnersbergerstrasse+5+Munchen", "https://www.google.com/search?q=Siegenburger+Strasse+58+Munchen", "https://www.google.com/search?q=Toni+Merkens+Weg+8+Munchen", "https://www.google.com/search?q=Elsenheimerstrasse+57+Munchen", "https://www.google.com/search?q=Moosacher+Str+98+Munchen", "https://www.google.com/search?q=Moosacher+Str+90+Munchen", "https://www.google.com/search?q=Zuricher+Strasse+31+Munchen", "https://www.google.com/search?q=Pelkovenstrasse+155+Munchen", "https://www.google.com/search?q=Orpheusstrasse+1+Munchen", "https://www.google.com/search?q=Prof+Benjamin+Allee+1+Schaftlarn", "https://www.google.com/search?q=Pelkovenstrasse+145+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+8+Schaftlarn", "https://www.google.com/search?q=Hollerner+Weg+1+Unterschleissheim", "https://www.google.com/search?q=Nordliche+Ingolstadter+Str+24+Unterschleissheim", "https://www.google.com/search?q=Dulferstrasse+69+Munchen", "https://www.google.com/search?q=Robert+Schuman+Strasse+1+Unterschleissheim", "https://www.google.com/search?q=Neurieder+Str+16+Munchen", "https://www.google.com/search?q=Gotthardstrasse+46+Munchen", "https://www.google.com/search?q=Am+Bahnhof+2+Icking", "https://www.google.com/search?q=Pegasusstrasse+6+Unterschleissheim", "https://www.google.com/search?q=Am+Flosskanal+12+Wolfratshausen", "https://www.google.com/search?q=Sauerlacher+Str+21+Wolfratshausen", "https://www.google.com/search?q=Feierabendstrasse+41+Oberschleissheim", "https://www.google.com/search?q=Stadionstrasse+1+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+41+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+10+Innsbruck", "https://www.google.com/search?q=Dachauer+Str+421+Munchen", "https://www.google.com/search?q=Amraser+Str+1+Innsbruck", "https://www.google.com/search?q=Weiherburggasse+37+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+2+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+1+Innsbruck", "https://www.google.com/search?q=Kaiserjagerstrasse+4+Innsbruck", "https://www.google.com/search?q=Sterzinger+Str+1+Innsbruck", "https://www.google.com/search?q=Meinhardstrasse+12+Innsbruck", "https://www.google.com/search?q=Bergisel+1+Innsbruck", "https://www.google.com/search?q=Max+Lebsche+Platz+30+Munchen", "https://www.google.com/search?q=Adamgasse+8+Innsbruck", "https://www.google.com/search?q=Untermenzinger+Str+1+Munchen", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+10+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+15+Munchen", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+19+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+25+Innsbruck", "https://www.google.com/search?q=Herrengasse+3+Innsbruck", "https://www.google.com/search?q=Sparkassenpl+1+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+17+Munchen", "https://www.google.com/search?q=Tschamlerstrasse+4+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+25+Munchen", "https://www.google.com/search?q=Mullerstrasse+15+Innsbruck", "https://www.google.com/search?q=Innrain+3+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+23+Munchen", "https://www.google.com/search?q=Innrain+25+Innsbruck", "https://www.google.com/search?q=Herzog+Siegmund+Ufer+5+Innsbruck", "https://www.google.com/search?q=Innerkoflerstrasse+15+Innsbruck", "https://www.google.com/search?q=Egger+Lienz+Strasse+116+Innsbruck", "https://www.google.com/search?q=Bachlechnerstrasse+73+Innsbruck", "https://www.google.com/search?q=Innrain+149+Innsbruck", "https://www.google.com/search?q=Perthalergasse+15+Innsbruck", "https://www.google.com/search?q=Furstenweg+185+Innsbruck", "https://www.google.com/search?q=Haberlandstrasse+59+Munchen", "https://www.google.com/search?q=Furstenweg+180+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+21+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+25+Innsbruck", "https://www.google.com/search?q=Zum+Schwabenbachl+39+Munchen", "https://www.google.com/search?q=Eversbuschstrasse+261+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+44+Planegg", "https://www.google.com/search?q=Kreuzwinkelstrasse+100+Planegg", "https://www.google.com/search?q=Bergsonstrasse+117+Munchen", "https://www.google.com/search?q=Alte+Romerstrasse+62+Dachau", "https://www.google.com/search?q=Bodenseestrasse+322+Munchen", "https://www.google.com/search?q=Georg+Bohmer+Strasse+24+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+25+Gauting", "https://www.google.com/search?q=Salzburger+Strasse+11+Dachau", "https://www.google.com/search?q=Bahnhofpl+1+Starnberg", "https://www.google.com/search?q=Hans+Zellner+Weg+10+Starnberg", "https://www.google.com/search?q=Obere+Moosschwaigestrasse+11+Dachau", "https://www.google.com/search?q=Lochhausener+Str+215+Munchen", "https://www.google.com/search?q=Henschelstrasse+8+Munchen", "https://www.google.com/search?q=Maffeistrasse+29+Germering", "https://www.google.com/search?q=Hauptstrasse+8+Starnberg", "https://www.google.com/search?q=Eduard+Ziegler+Strasse+2+Dachau", "https://www.google.com/search?q=Bahnhofstrasse+24+Regensburg", "https://www.google.com/search?q=Bahnhofstrasse+20+Regensburg", "https://www.google.com/search?q=Grobenrieder+Strasse+81+Dachau", "https://www.google.com/search?q=Schinderkreppe+1+Dachau", "https://www.google.com/search?q=Munchner+Str+32+Dachau", "https://www.google.com/search?q=Bahnhofstrasse+18+Regensburg", "https://www.google.com/search?q=Walpertshofener+Str+10+Hebertshausen", "https://www.google.com/search?q=Bahnhofstrasse+7+Regensburg", "https://www.google.com/search?q=Schleissheimer+Strasse+1+Dachau", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+17+Dachau", "https://www.google.com/search?q=Am+Kuhberg+3+Dachau", "https://www.google.com/search?q=Kurfurst+Max+Emanuel+Platz+2+Dachau", "https://www.google.com/search?q=Ludwig+Dill+Strasse+58+Dachau", "https://www.google.com/search?q=Burgermeister+Zauner+Ring+2+Dachau", "https://www.google.com/search?q=Therese+Giehse+Platz+6+Germering", "https://www.google.com/search?q=Sudendstrasse+3+Germering", "https://www.google.com/search?q=Dr+Hiller+Strasse+34+Dachau", "https://www.google.com/search?q=Landsberger+Strasse+41+Germering", "https://www.google.com/search?q=Schlossberg+4+Pocking", "https://www.google.com/search?q=Bahnhofpl+12+Germering", "https://www.google.com/search?q=Schafflergraben+1+Pocking", "https://www.google.com/search?q=Prufeninger+Strasse+29+Regensburg", "https://www.google.com/search?q=Kuglerstrasse+13+Regensburg", "https://www.google.com/search?q=Bahnhofstrasse+1+Rohrmoos", "https://www.google.com/search?q=Traubinger+Str+2+Feldafing", "https://www.google.com/search?q=Inzemooser+Str+1+Rohrmoos", "https://www.google.com/search?q=Bahnhofstrasse+9+Rohrmoos", "https://www.google.com/search?q=Grobenbachstrasse+3+Grobenzell", "https://www.google.com/search?q=Sonnenweg+5+6+Grobenzell", "https://www.google.com/search?q=Heinrich+Vogl+Strasse+24+Tutzing", "https://www.google.com/search?q=Beringerweg+12+Tutzing", "https://www.google.com/search?q=Lochhauser+Str+3+Puchheim", "https://www.google.com/search?q=Indersdorfer+Str+39+Vierkirchen", "https://www.google.com/search?q=Bahnhofstrasse+20+Vierkirchen", "https://www.google.com/search?q=Angerfeldstrasse+2+Gilching", "https://www.google.com/search?q=Allinger+Str+1+Puchheim", "https://www.google.com/search?q=Schlossstrasse+29+Vierkirchen", "https://www.google.com/search?q=Bahnhofstrasse+29+Petershausen", "https://www.google.com/search?q=Am+Bahnhof+4+Gilching", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+1+Bergkirchen", "https://www.google.com/search?q=Am+Bahnhof+3+Gilching", "https://www.google.com/search?q=Franz+Pfaffenberger+Strasse+16+Kelheim", "https://www.google.com/search?q=Am+Pflegerspitz+1+Kelheim", "https://www.google.com/search?q=Feursstrasse+2+Olching", "https://www.google.com/search?q=Landsberger+Str+100+Gilching", "https://www.google.com/search?q=Niederdorfl+1+Kelheim", "https://www.google.com/search?q=Munchener+Str+84+Hettenshausen", "https://www.google.com/search?q=Munchener+Str+80+Hettenshausen", "https://www.google.com/search?q=Schlossweg+2+Kelheim", "https://www.google.com/search?q=Munchener+Str+12+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Bahnhofstrasse+7+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Joseph+Fraunhofer+Strasse+10+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Wohrdpl+1+Kelheim", "https://www.google.com/search?q=Schrobenhausener+Str+1+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Alleestrasse+37+Kelheim", "https://www.google.com/search?q=Stadtgraben+13+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Stadtgraben+3+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Schlachthofstrasse+11+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Schulstrasse+3+5+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Turltorstrasse+46+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Hauptpl+31+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Auenstrasse+7+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Munchener+Str+30+Schwabhausen", "https://www.google.com/search?q=Am+Bahnhof+2+Schwabhausen", "https://www.google.com/search?q=Hauptpl+30+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ingolstadter+Str+72+74+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Kellerstrasse+17+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ingolstadter+Str+76+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ringstrasse+4+Olching", "https://www.google.com/search?q=Bahnhofpl+2+Markt+Indersdorf", "https://www.google.com/search?q=Klosterstrasse+600+Seefeld+in+Tirol", "https://www.google.com/search?q=Bahnhofstrasse+15+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+4+Wessling", "https://www.google.com/search?q=An+Der+Grundbreite+10+Wessling", "https://www.google.com/search?q=Hermann+Lons+Strasse+9+10+Maisach", "https://www.google.com/search?q=Heinestrasse+9+Maisach", "https://www.google.com/search?q=Am+Kuhberg+19+Schwabhausen", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+3+Furstenfeldbruck", "https://www.google.com/search?q=Bahnhofstrasse+8+Seefeld", "https://www.google.com/search?q=Bahnhofstrasse+1+Worthsee", "https://www.google.com/search?q=Bahnhofallee+2+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Lindacher+Str+2+Maisach", "https://www.google.com/search?q=Eisenkramergasse+11+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Bahnhofstrasse+13+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Herrenstrasse+1+Maisach", "https://www.google.com/search?q=Ladestrasse+2+Herrsching+am+Ammersee", "https://www.google.com/search?q=Kurt+Huber+Ring+5+Furstenfeldbruck", "https://www.google.com/search?q=St+2054+Sulzemoos", "https://www.google.com/search?q=Bahnhofstrasse+25+Garmisch+Partenkirchen", "https://www.google.com/search?q=Burgermeister+Bals+Strasse+17+Maisach", "https://www.google.com/search?q=Bahnhofstrasse+99+Schongeising", "https://www.google.com/search?q=St+Martin+Strasse+2+Erdweg", "https://www.google.com/search?q=Bahnhofstrasse+113+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+99+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+83+Grafrath", "https://www.google.com/search?q=Am+Bahnhof+1+Mammendorf", "https://www.google.com/search?q=Schlossbergstrasse+38+Mammendorf", "https://www.google.com/search?q=Bahnhofstrasse+23+Altomunster", "https://www.google.com/search?q=Hauptstrasse+21+Odelzhausen", "https://www.google.com/search?q=Birkenweg+1+Turkenfeld", "https://www.google.com/search?q=Bahnhofstrasse+28+Turkenfeld", "https://www.google.com/search?q=Bahnhofspl+6+Hattenhofen", "https://www.google.com/search?q=Bahnhofstrasse+2+Hattenhofen", "https://www.google.com/search?q=Bahnhofstrasse+8+Schwandorf", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+47+Schrobenhausen", "https://www.google.com/search?q=St+Georgs+Platz+1+Schrobenhausen", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+34+Schrobenhausen", "https://www.google.com/search?q=Lenbachstrasse+19+Schrobenhausen", "https://www.google.com/search?q=Bahnhofpl+3+Schwandorf", "https://www.google.com/search?q=Regensburger+Str+6+Schrobenhausen", "https://www.google.com/search?q=Eichendorffstrasse+12+Schrobenhausen", "https://www.google.com/search?q=Roderstrasse+18+Ingolstadt", "https://www.google.com/search?q=Georg+Alber+Strasse+3+5+Schrobenhausen", "https://www.google.com/search?q=Roderstrasse+30+Ingolstadt", "https://www.google.com/search?q=Bahnhofstrasse+25+Schrobenhausen", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+Ingolstadt", "https://www.google.com/search?q=Hindemithstrasse+40+Ingolstadt", "https://www.google.com/search?q=Senefelderstrasse+6+Ingolstadt", "https://www.google.com/search?q=Bahnhofstrasse+4+Althegnenberg", "https://www.google.com/search?q=Ettinger+Str+107+Ingolstadt", "https://www.google.com/search?q=Gaimersheimer+Str+125+Ingolstadt", "https://www.google.com/search?q=Maria+Goeppert+Strasse+4+Ingolstadt", "https://www.google.com/search?q=Pascalstrasse+6+Ingolstadt", "https://www.google.com/search?q=Via+Goethe+4+Merano", "https://www.google.com/search?q=Via+Goethe+72+Merano", "https://www.google.com/search?q=Badgasschen+4+Aichach", "https://www.google.com/search?q=Knollerweg+6+Aichach", "https://www.google.com/search?q=Bahnhofstrasse+23+Aichach", "https://www.google.com/search?q=Adolf+Kolping+Strasse+137+Neuburg+an+der+Donau", "https://www.google.com/search?q=Platz+Der+Deutschen+Einheit+1+Neuburg+an+der+Donau", "https://www.google.com/search?q=Sauerbruchstrasse+6+Augsburg", "https://www.google.com/search?q=Schaezlerstrasse+9+Augsburg", "https://www.google.com/search?q=Viktoriastrasse+3+Augsburg", "https://www.google.com/search?q=Kemptener+Str+11+Fussen", "https://www.google.com/search?q=Stenglinstrasse+2+Augsburg", "https://www.google.com/search?q=Alte+Weberei+5+Kaufbeuren", "https://www.google.com/search?q=Innere+Buchleuthenstrasse+13+Kaufbeuren", "https://www.google.com/search?q=An+Der+Schnelle+5+Kaufbeuren", "https://www.google.com/search?q=Innstrasse+23+Landeck", "https://www.google.com/search?q=Via+Valentina+Zambra+11+Trento", "https://www.google.com/search?q=Via+Francesco+Petrarca+1+5+Trento", "https://www.google.com/search?q=Eicher+Str+30+Kempten+Allgau+", "https://www.google.com/search?q=Burgstrasse+20+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofplatz+3+Kempten+Allgau+", "https://www.google.com/search?q=Kotterner+Str+70+Kempten+Allgau+", "https://www.google.com/search?q=Residenzplatz+2+Kempten+Allgau+", "https://www.google.com/search?q=Pfeilergraben+14+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofstrasse+5+Kempten+Allgau+", "https://www.google.com/search?q=Am+Konigsplatz+3+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofstrasse+47+Roth", "https://www.google.com/search?q=Unterer+Weinbergweg+6+Roth", "https://www.google.com/search?q=Wiesenstrasse+18+Georgensgmund", "https://www.google.com/search?q=Hirnbeinstrasse+5+Sonthofen", "https://www.google.com/search?q=Altstadter+Strasse+1+Sonthofen", "https://www.google.com/search?q=Bogenstrasse+6+Sonthofen", "https://www.google.com/search?q=Blumenstrasse+7+Sonthofen", "https://www.google.com/search?q=Immenstadter+Strasse+3+Sonthofen", "https://www.google.com/search?q=Untere+Bahnhofstrasse+4+Buchenbach", "https://www.google.com/search?q=Untere+Bahnhofstrasse+1A+Buchenbach", "https://www.google.com/search?q=Hofweiherweg+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Kapuzinerstrasse+6+Dillingen+an+der+Donau", "https://www.google.com/search?q=Altheimer+Str+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Regens+Wagner+Strasse+4+Dillingen+an+der+Donau", "https://www.google.com/search?q=Bleichstrasse+1+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Am+Flughafen+35+Memmingerberg", "https://www.google.com/search?q=Schwabenstrasse+15+Memmingerberg", "https://www.google.com/search?q=Industriestrasse+24+Memmingerberg", "https://www.google.com/search?q=Bahnhofstrasse+43+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+22+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+16+Schwabach", "https://www.google.com/search?q=Rathausgasse+2+Schwabach", "https://www.google.com/search?q=Nordliche+Ringstrasse+9+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+20+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+40+Schwabach", "https://www.google.com/search?q=Spitalberg+14+16+Schwabach", "https://www.google.com/search?q=Reichswaisenhausstrasse+3+Schwabach", "https://www.google.com/search?q=Baimbacher+Weg+26+Nurnberg", "https://www.google.com/search?q=Bahnhofstrasse+24+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+4+Memmingen", "https://www.google.com/search?q=Lindentorstrasse+23+Memmingen", "https://www.google.com/search?q=Schwesterstrasse+21+Memmingen", "https://www.google.com/search?q=Gerberplatz+7+Memmingen", "https://www.google.com/search?q=Krautstrasse+8+10+Memmingen", "https://www.google.com/search?q=Promenadenweg+98+Nurnberg", "https://www.google.com/search?q=Konigsgraben+29+Memmingen", "https://www.google.com/search?q=Konigsgraben+3+Memmingen", "https://www.google.com/search?q=Bismarckstrasse+21+Memmingen", "https://www.google.com/search?q=St+2031+Altenstadt", "https://www.google.com/search?q=Pflugberg+3+Leutkirch+im+Allgau", "https://www.google.com/search?q=Seelhausweg+4+Leutkirch+im+Allgau", "https://www.google.com/search?q=Evangelische+Kirchgasse+15+Leutkirch+im+Allgau", "https://www.google.com/search?q=Bahnhof+5+Leutkirch+im+Allgau", "https://www.google.com/search?q=Wurzacher+Str+3+Leutkirch+im+Allgau", "https://www.google.com/search?q=B+13+Merkendorf", "https://www.google.com/search?q=Bahnhofweg+28+Merkendorf", "https://www.google.com/search?q=Bahnhofweg+7+Merkendorf", "https://www.google.com/search?q=Muncherlbacher+Strasse+20+Rosstal", "https://www.google.com/search?q=Bahnhofstrasse+29+Heilsbronn", "https://www.google.com/search?q=Buchbergstrasse+100+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+19+Petersaurach", "https://www.google.com/search?q=Bahnhofstrasse+9+Petersaurach", "https://www.google.com/search?q=Bahnhofstrasse+4+Sachsen+bei+Ansbach", "https://www.google.com/search?q=Neukirchner+Strasse+3+Sachsen+bei+Ansbach", "https://www.google.com/search?q=Friedrichstrasse+3+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Grabenstrasse+15+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=St+Poltener+Str+9+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Clichystrasse+9+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Meininger+Allee+17+Neu+Ulm", "https://www.google.com/search?q=Bofinger+Strasse+50+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+11+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+1+Neu+Ulm", "https://www.google.com/search?q=Wichernstrasse+5+Ulm", "https://www.google.com/search?q=Hermann+Kohl+Strasse+171+Neu+Ulm", "https://www.google.com/search?q=Insel+14+Neu+Ulm", "https://www.google.com/search?q=Rosengasse+21+Ulm", "https://www.google.com/search?q=Hoheschulgasse+3+Ulm", "https://www.google.com/search?q=Neue+Str+60+Ulm", "https://www.google.com/search?q=Eyber+Strasse+73+Ansbach", "https://www.google.com/search?q=Schwilmengasse+5+Ulm", "https://www.google.com/search?q=Salzstadelgasse+14+Ulm", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+8+Ulm", "https://www.google.com/search?q=Olgastrasse+63+Ulm", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+Ulm", "https://www.google.com/search?q=Bahnhofpl+2+Ulm", "https://www.google.com/search?q=Bahnhofplatz+1+Ulm", "https://www.google.com/search?q=Bahnhofplatz+2+Ulm", "https://www.google.com/search?q=Eyber+Strasse+2+Ansbach", "https://www.google.com/search?q=Karolinenstrasse+26+Ansbach", "https://www.google.com/search?q=Promenade+21+Ansbach", "https://www.google.com/search?q=Reitbahn+9+Ansbach", "https://www.google.com/search?q=Promenade+3+Ansbach", "https://www.google.com/search?q=Egginger+Weg+40+Ulm", "https://www.google.com/search?q=Schillerstrasse+3+Bregenz", "https://www.google.com/search?q=Jahnstrasse+9+Bregenz", "https://www.google.com/search?q=Romerstrasse+19+23+Bregenz", "https://www.google.com/search?q=Hirschbachstrasse+1+Aalen", "https://www.google.com/search?q=Mehrerauerstrasse+7+Bregenz", "https://www.google.com/search?q=Ochsengasse+5+Weingarten", "https://www.google.com/search?q=Hehlestrasse+1+Ehingen+Donau+", "https://www.google.com/search?q=Gymnasiumstrasse+17+19+Ehingen+Donau+", "https://www.google.com/search?q=Lindenstrasse+48+Ehingen+Donau+", "https://www.google.com/search?q=Kornhausgasse+6+Ehingen+Donau+", "https://www.google.com/search?q=Bucksgassle+9+Ehingen+Donau+", "https://www.google.com/search?q=Am+Viehmarkt+10+Ehingen+Donau+", "https://www.google.com/search?q=Stadtwirtsgassle+2+Ehingen+Donau+", "https://www.google.com/search?q=Hopfenhausstrasse+2+Ehingen+Donau+", "https://www.google.com/search?q=Tuchergasse+40+Ehingen+Donau+", "https://www.google.com/search?q=Poststrasse+6+Aulendorf", "https://www.google.com/search?q=Helfensteinstrasse+30+Geislingen+an+der+Steige", "https://www.google.com/search?q=Schillerstrasse+22+Geislingen+an+der+Steige", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+2+Geislingen+an+der+Steige", "https://www.google.com/search?q=Bahnhofstrasse+37+Geislingen+an+der+Steige", "https://www.google.com/search?q=Bahnhofstrasse+3+Geislingen+an+der+Steige", "https://www.google.com/search?q=Parkstrasse+25+Ravensburg", "https://www.google.com/search?q=B+467+Tettnang", "https://www.google.com/search?q=Dornierstrasse+5+Thal", "https://www.google.com/search?q=Flughafenstrasse+11+Thal", "https://www.google.com/search?q=Am+Flugpl+46+Meckenbeuren", "https://www.google.com/search?q=Am+Flugpl+64+Meckenbeuren", "https://www.google.com/search?q=Leonie+Furst+Strasse+6+Friedrichshafen", "https://www.google.com/search?q=Eckenerstrasse+10+Friedrichshafen", "https://www.google.com/search?q=Marienstrasse+13+Friedrichshafen", "https://www.google.com/search?q=Karlstrasse+3+Friedrichshafen", "https://www.google.com/search?q=Scheffelstrasse+16+Friedrichshafen", "https://www.google.com/search?q=Franziskusplatz+4+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+26+Friedrichshafen", "https://www.google.com/search?q=Klosterstrasse+5+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+12+Friedrichshafen", "https://www.google.com/search?q=Werastrasse+23+Friedrichshafen", "https://www.google.com/search?q=Schmidstrasse+1+Friedrichshafen", "https://www.google.com/search?q=Miettingerplatz+2+Friedrichshafen", "https://www.google.com/search?q=Filsstrasse+69+Eislingen+Fils", "https://www.google.com/search?q=Zeppelinstrasse+650+Friedrichshafen", "https://www.google.com/search?q=Strandbadstrasse+11+Friedrichshafen", "https://www.google.com/search?q=Fildenplatz+99+Friedrichshafen", "https://www.google.com/search?q=Davidstrasse+33+Goppingen", "https://www.google.com/search?q=Jahnstrasse+50+Goppingen", "https://www.google.com/search?q=Steinachstrasse+45+Sankt+Gallen", "https://www.google.com/search?q=Sonnenstrasse+39+Sankt+Gallen", "https://www.google.com/search?q=Moosbruggstrasse+5+Sankt+Gallen", "https://www.google.com/search?q=Burggraben+16+Sankt+Gallen", "https://www.google.com/search?q=Torstrasse+14+Sankt+Gallen", "https://www.google.com/search?q=Unterer+Graben+39+Sankt+Gallen", "https://www.google.com/search?q=Oberer+Graben+41+Sankt+Gallen", "https://www.google.com/search?q=Wassergasse+7+Sankt+Gallen", "https://www.google.com/search?q=Gartenstrasse+8+Sankt+Gallen", "https://www.google.com/search?q=Hintere+Schutzengasse+2+Sankt+Gallen", "https://www.google.com/search?q=Sankt+Leonhard+Strasse+23+Sankt+Gallen", "https://www.google.com/search?q=Schochengasse+5+Sankt+Gallen", "https://www.google.com/search?q=Bahnhofstrasse+19+Sankt+Gallen", "https://www.google.com/search?q=Lagerstrasse+6+Sankt+Gallen", "https://www.google.com/search?q=Bogenstrasse+10+Sankt+Gallen", "https://www.google.com/search?q=Parkstrasse+4+Lenningen", "https://www.google.com/search?q=Bahnhofstrasse+18+Ebersbach+an+der+Fils", "https://www.google.com/search?q=Eisenbahnstrasse+50+Dettingen+unter+Teck", "https://www.google.com/search?q=Turmstrasse+2+Kirchheim+unter+Teck", "https://www.google.com/search?q=Alleenstrasse+1+3+Kirchheim+unter+Teck", "https://www.google.com/search?q=Plochinger+Strasse+36+Kirchheim+unter+Teck", "https://www.google.com/search?q=Eugen+Gerstenmaier+Platz+1+Kirchheim+unter+Teck", "https://www.google.com/search?q=Heinrich+Otto+Strasse+3+Reichenbach+an+der+Fils", "https://www.google.com/search?q=Uracher+Strasse+40+Kirchheim+unter+Teck", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+15+Wernau+Neckar+", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+9+Wernau+Neckar+", "https://www.google.com/search?q=Neckarstrasse+3+Plochingen", "https://www.google.com/search?q=Bahnhofstrasse+12+Frickenhausen", "https://www.google.com/search?q=Eisenbahnstrasse+54+Plochingen", "https://www.google.com/search?q=Plochinger+Strasse+29+Nurtingen", "https://www.google.com/search?q=Plochinger+Strasse+14+Nurtingen", "https://www.google.com/search?q=Bahnhofstrasse+2+Altbach", "https://www.google.com/search?q=Europastrasse+7+Nurtingen", "https://www.google.com/search?q=Lessingstrasse+13+Grossbettlingen", "https://www.google.com/search?q=Hauptstrasse+98+Esslingen+am+Neckar", "https://www.google.com/search?q=Bahnhofstrasse+30+Bempflingen", "https://www.google.com/search?q=Ulmer+Str+75+Esslingen+am+Neckar", "https://www.google.com/search?q=Holderlinweg+6+Esslingen+am+Neckar", "https://www.google.com/search?q=Flandernstrasse+103+Esslingen+am+Neckar", "https://www.google.com/search?q=Urbanstrasse+13+Esslingen+am+Neckar", "https://www.google.com/search?q=Ritterstrasse+17+Esslingen+am+Neckar", "https://www.google.com/search?q=Martinstrasse+4+Esslingen+am+Neckar", "https://www.google.com/search?q=Agnespromenade+4+Esslingen+am+Neckar", "https://www.google.com/search?q=Martinstrasse+15+Esslingen+am+Neckar", "https://www.google.com/search?q=Berliner+Str+1+Esslingen+am+Neckar", "https://www.google.com/search?q=Kandlerstrasse+1+Esslingen+am+Neckar", "https://www.google.com/search?q=Kraichgaustrasse+12+Neuhausen+auf+den+Fildern", "https://www.google.com/search?q=Ernst+Heinkel+Strasse+2+Ostfildern", "https://www.google.com/search?q=Herzog+Carl+Strasse+4+Ostfildern", "https://www.google.com/search?q=Gerhard+Koch+Strasse+1+Ostfildern", "https://www.google.com/search?q=Bonhoefferstrasse+20+Ostfildern", "https://www.google.com/search?q=Goppinger+Str+19+Stuttgart", "https://www.google.com/search?q=Hafenbahnstrasse+22+Stuttgart", "https://www.google.com/search?q=Augsburger+Str+380+Stuttgart", "https://www.google.com/search?q=Martin+Schrenk+Weg+3+Stuttgart"] user_agent_list = [ #Chrome 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.113 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/44.0.2403.157 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.3; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.113 Safari/537.36', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/57.0.2987.133 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/57.0.2987.133 Safari/537.36', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/55.0.2883.87 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/55.0.2883.87 Safari/537.36', #Firefox 'Mozilla/4.0 (compatible; MSIE 9.0; Windows NT 6.1)', 'Mozilla/5.0 (Windows NT 6.1; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; WOW64; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.1; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (Windows NT 6.2; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (Windows NT 10.0; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.0; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.3; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 10.0; Windows NT 6.1; WOW64; Trident/6.0)', 'Mozilla/5.0 (compatible; MSIE 10.0; Windows NT 6.1; Trident/6.0)', 'Mozilla/4.0 (compatible; MSIE 8.0; Windows NT 5.1; Trident/4.0; .NET CLR 2.0.50727; .NET CLR 3.0.4506.2152; .NET CLR 3.5.30729)' ] # Scraping names = [] addresses = [] totalNumbUrl = len(url_list) i = 0 time_remaining = totalNumbUrl for soup in soups(): getPropNames(soup) getPropAdress(soup) i += 1 time_remaining = (time_remaining - 1) if i % 1 == 0: time.sleep(.5) sys.stdout.write('\r' + 'Current Url: ' + str(i) + ' Percentage: ' + str( round((i / totalNumbUrl) * 100)) + '%' + ' time remaining: ' + str(round(time_remaining / 60)) + " minutes ") # sys.stdout.flush() # print('\r' +str(round(i/totalNumbUrl)*100)+ '%') Data = {'names': names, 'addresses': addresses} print('') print('result:') print(Data) # Create a Pandas dataframe from the data. df = pd.DataFrame(dict([ (k,pd.Series(v)) for k,v in Data.items() ])) # Create a Pandas Excel writer using XlsxWriter as the engine. writer = pd.ExcelWriter('pandas_simple.xlsx', engine='xlsxwriter') # Convert the dataframe to an XlsxWriter Excel object. df.to_excel(writer, sheet_name='Sheet1') # Close the Pandas Excel writer and output the Excel file. writer.save()
67.151943
133
0.766698
from urllib.request import Request, urlopen import urllib import requests import pandas as pd from xlwt import Workbook from bs4 import BeautifulSoup import sys import time import random url_list = ["https://www.google.com/search?q=Thomas+Muntzer+Strasse+122+parking+Gamstadt", "https://www.google.com/search?q=Bierweg+2+parking+Schkeuditz", "https://www.google.com/search?q=Terminalring+3+parking+Schkeuditz", "https://www.google.com/search?q=Kohlmeisenweg+3+parking+Schkeuditz", "https://www.google.com/search?q=Milanstrasse+4B+parking+Schkeuditz", "https://www.google.com/search?q=Wohlenbergstrasse+7+parking+Hannover", "https://www.google.com/search?q=E30+parking+", "https://www.google.com/search?q=Munchner+Strasse+20+parking+Langenhagen", "https://www.google.com/search?q=Gutenbergstrasse+11+parking+Langenhagen", "https://www.google.com/search?q=Petzelstrasse+60+parking+Langenhagen", "https://www.google.com/search?q=Flughafenstrasse+2+parking+Langenhagen", "https://www.google.com/search?q=Goldbacher+Str+46+parking+Aschaffenburg", "https://www.google.com/search?q=Morsestrasse+25+parking+Frankfurt", "https://www.google.com/search?q=Rennbahnstrasse+62+parking+Frankfurt", "https://www.google.com/search?q=Kleyerstrasse+89+parking+Frankfurt", "https://www.google.com/search?q=Dusseldorfer+Strasse+40+parking+Eschborn", "https://www.google.com/search?q=Frankfurter+Strasse+14+parking+Eschborn", "https://www.google.com/search?q=Goldsteinstrasse+134+parking+Frankfurt", "https://www.google.com/search?q=Schwanheimer+Ufer+parking+Frankfurt", "https://www.google.com/search?q=Larchenstrasse+133+parking+Frankfurt", "https://www.google.com/search?q=Ernst+Wiss+Strasse+1+parking+Frankfurt", "https://www.google.com/search?q=Fritz+Klatte+Strasse+26+parking+Frankfurt", "https://www.google.com/search?q=Wilhelm+Beckel+Strasse+6+parking+Frankfurt", "https://www.google.com/search?q=An+der+Gehespitz+75+parking+Neu+Isenburg", "https://www.google.com/search?q=An+der+Gehespitz+120+parking+Neu+Isenburg", "https://www.google.com/search?q=Guterbahnhofstrasse+4+parking+Erlangen", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+149+parking+Frankfurt", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+200+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+15+parking+Frankfurt", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+205+parking+Frankfurt", "https://www.google.com/search?q=K817+101+103+parking+Frankfurt", "https://www.google.com/search?q=Airportring+parking+Frankfurt", "https://www.google.com/search?q=Dieselstrasse+2+parking+Bad", "https://www.google.com/search?q=Im+Taubengrund+3+5+parking+Kelsterbach", "https://www.google.com/search?q=Flughafen+Frankfurt+am+Main+338+parking+Frankfurt", "https://www.google.com/search?q=Am+Sudpark+7F+parking+Kelsterbach", "https://www.google.com/search?q=Unnamed+Road+parking+Kelsterbach", "https://www.google.com/search?q=Rotdornstrasse+12+parking+Kriftel", "https://www.google.com/search?q=Hessendamm+1+parking+Hattersheim", "https://www.google.com/search?q=Rheinstrasse+3+21+parking+Hattersheim", "https://www.google.com/search?q=Johann+Sperl+Strasse+21+parking+Nurnberg", "https://www.google.com/search?q=Flughafenstrasse+124+parking+Nurnberg", "https://www.google.com/search?q=Flughafenstrasse+100+parking+Nurnberg", "https://www.google.com/search?q=Robert+Koch+Strasse+7+8+parking+Raunheim", "https://www.google.com/search?q=Flughafenstrasse+101+parking+Nurnberg", "https://www.google.com/search?q=Xantener+Strasse+12+parking+Nurnberg", "https://www.google.com/search?q=Hafenstrasse+7+parking+Florsheim", "https://www.google.com/search?q=Frankfurter+Strasse+53+parking+Russelsheim", "https://www.google.com/search?q=Bottgerstrasse+20+parking+Florsheim", "https://www.google.com/search?q=Kohlenhofstrasse+32+parking+Nurnberg", "https://www.google.com/search?q=Tafelhofstrasse+17+parking+Nurnberg", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Nurnberg", "https://www.google.com/search?q=Sandstrasse+26+parking+Nurnberg", "https://www.google.com/search?q=Auguste+Viktoria+Strasse+15+parking+Wiesbaden", "https://www.google.com/search?q=Hans+Bockler+Strasse+15+parking+Unna", "https://www.google.com/search?q=Wilhelmstrasse+10+parking+Holzwickede", "https://www.google.com/search?q=Industriestrasse+18+parking+Bremen", "https://www.google.com/search?q=Rognitzstrasse+15+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Platz+10+parking+Berlin", "https://www.google.com/search?q=Mommsenstrasse+44+parking+Berlin", "https://www.google.com/search?q=Janischweg+parking+Berlin", "https://www.google.com/search?q=Krumme+Str+77+78+parking+Berlin", "https://www.google.com/search?q=Motzstrasse+83a+parking+Berlin", "https://www.google.com/search?q=Motzstrasse+85+parking+Berlin", "https://www.google.com/search?q=Meinekestrasse+19+parking+Berlin", "https://www.google.com/search?q=Dorfstrasse+13+parking+Schonefeld", "https://www.google.com/search?q=Rankestrasse+31+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+19+21+parking+Mittenwalde", "https://www.google.com/search?q=Kurfurstenstrasse+116+parking+Berlin", "https://www.google.com/search?q=Landgrafenstrasse+4+parking+Berlin", "https://www.google.com/search?q=Friedrich+Olbricht+Damm+71+parking+Berlin", "https://www.google.com/search?q=Kurt+Schumacher+Damm+176+parking+Berlin", "https://www.google.com/search?q=Stauffenbergstrasse+26+parking+Berlin", "https://www.google.com/search?q=Mehringdamm+28+parking+Berlin", "https://www.google.com/search?q=Gneisenaustrasse+104+106+parking+Berlin", "https://www.google.com/search?q=Kirchstrasse+20+parking+Schonefeld", "https://www.google.com/search?q=Wassmannsdorfer+Chaussee+2+parking+Schonefeld", "https://www.google.com/search?q=Rudower+Strasse+90+parking+Berlin", "https://www.google.com/search?q=Wittestrasse+32+parking+Berlin", "https://www.google.com/search?q=Silbersteinstrasse+54+parking+Berlin", "https://www.google.com/search?q=Triftstrasse+17+parking+Berlin", "https://www.google.com/search?q=Luxemburger+Strasse+25+parking+Berlin", "https://www.google.com/search?q=Oranienstrasse+96+parking+Berlin", "https://www.google.com/search?q=Dorotheenstrasse+65+parking+Berlin", "https://www.google.com/search?q=Reinhardtstr+7+parking+Berlin", "https://www.google.com/search?q=Oranienburger+Strasse+52+parking+Berlin", "https://www.google.com/search?q=Skalitzer+Strasse+133+parking+Berlin", "https://www.google.com/search?q=Gebruder+Hirth+Strasse+parking+Berlin", "https://www.google.com/search?q=Anna+Louisa+Karsch+Strasse+N+parking+Berlin", "https://www.google.com/search?q=A117+parking+Schonefeld", "https://www.google.com/search?q=Kleine+Rosenthaler+Strasse+12+parking+Berlin", "https://www.google.com/search?q=Holzmarktstrasse+73+parking+Berlin", "https://www.google.com/search?q=Alte+Schonhauser+Strasse+60+parking+Berlin", "https://www.google.com/search?q=Lange+Strasse+49+parking+Berlin", "https://www.google.com/search?q=Stralauer+Allee+3+parking+Berlin", "https://www.google.com/search?q=Oderstrasse+31+parking+Berlin", "https://www.google.com/search?q=Berliner+Strasse+17+parking+Berlin", "https://www.google.com/search?q=Stellbrinkweg+6+parking+Hamburg", "https://www.google.com/search?q=Kleinfeld+16+parking+Hamburg", "https://www.google.com/search?q=Buchheisterstrasse+16+parking+Hamburg", "https://www.google.com/search?q=Buchheisterstrasse+12+parking+Hamburg", "https://www.google.com/search?q=Zweibruckenstrasse+13A+parking+Hamburg", "https://www.google.com/search?q=Lindenstrasse+39+parking+Hamburg", "https://www.google.com/search?q=Carl+Petersen+Strasse+74+parking+Hamburg", "https://www.google.com/search?q=Holstenstrasse+119+parking+Hamburg", "https://www.google.com/search?q=Max+Brauer+Allee+230+parking+Hamburg", "https://www.google.com/search?q=Knutzenweg+26+parking+Hamburg", "https://www.google.com/search?q=Brauhausstieg+10+parking+Hamburg", "https://www.google.com/search?q=Brodersweg+13+parking+Hamburg", "https://www.google.com/search?q=Osterbekstrasse+86a+parking+Hamburg", "https://www.google.com/search?q=Fuhlsbuttler+Strasse+188+parking+Hamburg", "https://www.google.com/search?q=Schnackenburgallee+116a+parking+Hamburg", "https://www.google.com/search?q=Mexikoring+23+25+parking+Hamburg", "https://www.google.com/search?q=Sydneystrasse+parking+Hamburg", "https://www.google.com/search?q=Gropiusring+68+parking+Hamburg", "https://www.google.com/search?q=Ludwig+Dormer+Weg+32+parking+Hamburg", "https://www.google.com/search?q=Weg+beim+Jager+206+parking+Hamburg", "https://www.google.com/search?q=Zum+Markt+2+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+1+5+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Modering+1+parking+Hamburg", "https://www.google.com/search?q=Kreienkoppel+45+parking+Hamburg", "https://www.google.com/search?q=Goosmoortwiete+5D+parking+Bonningstedt", "https://www.google.com/search?q=Alexanderstrasse+46+parking+Stuttgart", "https://www.google.com/search?q=Oststrasse+39+parking+Norderstedt", "https://www.google.com/search?q=Liebigstrasse+6+parking+Ostfildern", "https://www.google.com/search?q=Industriestrasse+7+parking+Filderstadt", "https://www.google.com/search?q=Flughafenstrasse+34+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Fabrikstrasse+15+parking+Filderstadt", "https://www.google.com/search?q=Grungartenstrasse+3A+parking+Rheinmunster", "https://www.google.com/search?q=Fliederstrasse+20+parking+Freising", "https://www.google.com/search?q=Sudring+parking+Freising", "https://www.google.com/search?q=Raiffeisenstrasse+32+parking+Freising", "https://www.google.com/search?q=Verw,SubzGeb13101+1+parking+Munchen", "https://www.google.com/search?q=Nordallee+25+parking+Munchen+Flughafen", "https://www.google.com/search?q=Am+Isarkanal+2+parking+Eitting", "https://www.google.com/search?q=Eschenallee+9+parking+Oberding", "https://www.google.com/search?q=Lohstrasse+24B+parking+Oberding", "https://www.google.com/search?q=Eichenstrasse+10+parking+Oberding", "https://www.google.com/search?q=Lilienthalstrasse+3+5+parking+Hallbergmoos", "https://www.google.com/search?q=Lilienthalstrasse+3+parking+Hallbergmoos", "https://www.google.com/search?q=Eichenstrasse+70+parking+Oberding", "https://www.google.com/search?q=Giselastrasse+2+parking+Hallbergmoos", "https://www.google.com/search?q=Franzheimer+Ring+9+parking+Moosinning", "https://www.google.com/search?q=Gertrud+Grunow+Strasse+45+parking+Munchen", "https://www.google.com/search?q=Fritz+Winter+Strasse+7+parking+Munchen", "https://www.google.com/search?q=Johann+Fichte+Strasse+12+parking+Munchen", "https://www.google.com/search?q=Landshuter+Allee+81+parking+Munchen", "https://www.google.com/search?q=Rupprechtstrasse+22+parking+Munchen", "https://www.google.com/search?q=Reitknechtstrasse+6+parking+Munchen", "https://www.google.com/search?q=Luisenstrasse+61+parking+Munchen", "https://www.google.com/search?q=Am+Tucherpark+7+parking+Munchen", "https://www.google.com/search?q=Meistersingerstrasse+154+parking+Munchen", "https://www.google.com/search?q=Dachauer+Strasse+21+parking+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+14+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+1+parking+Munchen", "https://www.google.com/search?q=Adolf+Kolping+Strasse+10+parking+Munchen", "https://www.google.com/search?q=Hansastrasse+44+parking+Munchen", "https://www.google.com/search?q=Landwehrstrasse+10+parking+Munchen", "https://www.google.com/search?q=Baaderstrasse+82+parking+Munchen", "https://www.google.com/search?q=Zenettistrasse+7+parking+Munchen", "https://www.google.com/search?q=Hofmannstrasse+29+parking+Munchen", "https://www.google.com/search?q=Teramostrasse+29+parking+Memmingen", "https://www.google.com/search?q=Am+Flughafen+12A+parking+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12+parking+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+42+parking+Memmingerberg", "https://www.google.com/search?q=Flughafen+Strasse+39+parking+Memmingerberg", "https://www.google.com/search?q=Allmannsweilerstrasse+97+3+parking+Friedrichshafen", "https://www.google.com/search?q=Flughafenstrasse+11+parking+Altenrhein", "https://www.google.com/search?q=Brunnenstrasse+122+parking+Muhlhausen+Thuringen", "https://www.google.com/search?q=An+Der+Burg+25+parking+Muhlhausen+Thuringen", "https://www.google.com/search?q=Uferstrasse+40+parking+Eisenach", "https://www.google.com/search?q=Schutzenberg+6+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+8+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+38+parking+Gotha", "https://www.google.com/search?q=Gartenstrasse+32+parking+Gotha", "https://www.google.com/search?q=Liebetraustrasse+16+parking+Gotha", "https://www.google.com/search?q=Mohrenstrasse+22+parking+Gotha", "https://www.google.com/search?q=Friemarer+Strasse+5+parking+Gotha", "https://www.google.com/search?q=Arnoldiplatz+5+parking+Gotha", "https://www.google.com/search?q=Oststrasse+47+parking+Gotha", "https://www.google.com/search?q=Ekhofplatz+2+parking+Gotha", "https://www.google.com/search?q=Siebleber+Wall+8+parking+Gotha", "https://www.google.com/search?q=Justus+Perthes+Strasse+3+parking+Gotha", "https://www.google.com/search?q=Parkallee+15+parking+Gotha", "https://www.google.com/search?q=Helenenstrasse+1+parking+Gotha", "https://www.google.com/search?q=Parkstrasse+9+parking+Gotha", "https://www.google.com/search?q=Kunstmuhlenweg+11+parking+Gotha", "https://www.google.com/search?q=Kunstmuhlenweg+14+parking+Gotha", "https://www.google.com/search?q=Binderslebener+Landstrasse+100+parking+Erfurt", "https://www.google.com/search?q=Ulan+Bator+Strasse+1+parking+Erfurt", "https://www.google.com/search?q=Friedrichstrasse+11+parking+Nordhausen", "https://www.google.com/search?q=Emil+Reichardt+Strasse+1+parking+Nordhausen", "https://www.google.com/search?q=Zum+Schulgarten+10+parking+Erfurt", "https://www.google.com/search?q=Landgrabenstrasse+6+parking+Nordhausen", "https://www.google.com/search?q=Gothaer+Strasse+80+parking+Erfurt", "https://www.google.com/search?q=Grimmelallee+40+parking+Nordhausen", "https://www.google.com/search?q=Rudolf+Breitscheid+Strasse+6+parking+Nordhausen", "https://www.google.com/search?q=Am+Petersberg+1+parking+Nordhausen", "https://www.google.com/search?q=Grubenstrasse+51+parking+Erfurt", "https://www.google.com/search?q=Wallrothstrasse+26+parking+Nordhausen", "https://www.google.com/search?q=Kathe+Kollwitz+Strasse+14+parking+Nordhausen", "https://www.google.com/search?q=Bechtheimer+Str+1+parking+Erfurt", "https://www.google.com/search?q=Bonifaciusstrasse+12+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+72+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+79+parking+Erfurt", "https://www.google.com/search?q=Hirschlachufer+8+parking+Erfurt", "https://www.google.com/search?q=Lachsgasse+3+parking+Erfurt", "https://www.google.com/search?q=Juri+Gagarin+Ring+119+parking+Erfurt", "https://www.google.com/search?q=Scherndorfer+Weg+1+parking+Sommerda", "https://www.google.com/search?q=Thomasstrasse+84+parking+Erfurt", "https://www.google.com/search?q=Schmidtstedter+Str+57+parking+Erfurt", "https://www.google.com/search?q=Erfurter+Strasse+46+parking+Sommerda", "https://www.google.com/search?q=Nicolaus+v+Dreyse+Strasse+7+parking+Sommerda", "https://www.google.com/search?q=August+Bebel+Strasse+7+parking+Sommerda", "https://www.google.com/search?q=Uhlandstrasse+1+parking+Sommerda", "https://www.google.com/search?q=Poststrasse+8+parking+Sommerda", "https://www.google.com/search?q=Schillerstrasse+15+parking+Sommerda", "https://www.google.com/search?q=Rohrborner+Weg+2+parking+Sommerda", "https://www.google.com/search?q=Werner+Seelenbinder+Strasse+2+parking+Erfurt", "https://www.google.com/search?q=Ernst+Neufert+Weg+1+parking+Erfurt", "https://www.google.com/search?q=Basedowstrasse+26+parking+Sommerda", "https://www.google.com/search?q=Strasse+Der+Einheit+9+parking+Sommerda", "https://www.google.com/search?q=Fichtestrasse+23+parking+Sommerda", "https://www.google.com/search?q=Mainzer+Strasse+18+parking+Sommerda", "https://www.google.com/search?q=Tambuchstrasse+14+parking+Arnstadt", "https://www.google.com/search?q=Krappgartenstrasse+45+parking+Arnstadt", "https://www.google.com/search?q=Schulgasse+1+parking+Arnstadt", "https://www.google.com/search?q=Bismarckstrasse+21+parking+Bebra", "https://www.google.com/search?q=Ried+9+parking+Arnstadt", "https://www.google.com/search?q=Hammerecke+1+parking+Arnstadt", "https://www.google.com/search?q=Wollmarkt+9+parking+Arnstadt", "https://www.google.com/search?q=Gaussstrasse+8+parking+Gottingen", "https://www.google.com/search?q=Walkemuhlenweg+8+parking+Gottingen", "https://www.google.com/search?q=Burgerstrasse+52+parking+Gottingen", "https://www.google.com/search?q=Bahnhofsallee+6+parking+Gottingen", "https://www.google.com/search?q=Kreuzbergring+10+parking+Gottingen", "https://www.google.com/search?q=Seilerweg+2+parking+Bad", "https://www.google.com/search?q=Vor+Der+Bahn+20+parking+Hann+", "https://www.google.com/search?q=Vor+Der+Bahn+16+parking+Hann+", "https://www.google.com/search?q=Werraweg+17+parking+Hann+", "https://www.google.com/search?q=Vor+Der+Bahn+1+parking+Hann+", "https://www.google.com/search?q=Werraweg+11+parking+Hann+", "https://www.google.com/search?q=Am+Markt+3+parking+Bad", "https://www.google.com/search?q=Hinter+Der+Blume+48+parking+Hann+", "https://www.google.com/search?q=Tanzwerder+12+parking+Hann+", "https://www.google.com/search?q=Leipziger+Strasse+26+parking+Kaufungen", "https://www.google.com/search?q=Marcel+Paul+Strasse+57+parking+Weimar", "https://www.google.com/search?q=Friedrich+Konig+Strasse+7+parking+Suhl", "https://www.google.com/search?q=Pfarrstrasse+10+parking+Suhl", "https://www.google.com/search?q=Schopenhauerstrasse+11+parking+Weimar", "https://www.google.com/search?q=Bertuchstrasse+2+parking+Weimar", "https://www.google.com/search?q=Weimarplatz+2+parking+Weimar", "https://www.google.com/search?q=Robert+Koch+Allee+9+parking+Bad", "https://www.google.com/search?q=Zum+Hospitalgraben+3+parking+Weimar", "https://www.google.com/search?q=Charlottenstrasse+7+parking+Meiningen", "https://www.google.com/search?q=Lindenallee+6+parking+Meiningen", "https://www.google.com/search?q=Landsberger+Str+2+parking+Meiningen", "https://www.google.com/search?q=Schlosspl+3+parking+Meiningen", "https://www.google.com/search?q=Werrastrasse+1+parking+Meiningen", "https://www.google.com/search?q=Kahnstrasse+1+parking+Fuldatal", "https://www.google.com/search?q=Dornhagener+Strasse+2+parking+Guxhagen", "https://www.google.com/search?q=Am+Rathaus+8+parking+Fuldatal", "https://www.google.com/search?q=Grafenhof+3+parking+Northeim", "https://www.google.com/search?q=Am+Bonnhofchen+5+parking+Sangerhausen", "https://www.google.com/search?q=Kaltenborner+Weg+5+parking+Sangerhausen", "https://www.google.com/search?q=Hedwigstrasse+2+parking+Kassel", "https://www.google.com/search?q=Mauerstrasse+6+parking+Kassel", "https://www.google.com/search?q=Garde+du+Corps+Strasse+5+parking+Kassel", "https://www.google.com/search?q=An+Der+Probstmuhle+1+parking+Sangerhausen", "https://www.google.com/search?q=Franz+Ulrich+Strasse+12+parking+Kassel", "https://www.google.com/search?q=Franz+Ulrich+Strasse+16+parking+Kassel", "https://www.google.com/search?q=Bertha+von+Suttner+Strasse+3+parking+Kassel", "https://www.google.com/search?q=Backmeisterweg+21+parking+Kassel", "https://www.google.com/search?q=Backmeisterweg+15+parking+Kassel", "https://www.google.com/search?q=Wilhelmshoher+Allee+257+parking+Kassel", "https://www.google.com/search?q=Marktstrasse+5+parking+Baunatal", "https://www.google.com/search?q=Marktstrasse+10+parking+Baunatal", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Hunfeld", "https://www.google.com/search?q=Friedrich+Ebert+Allee+12+parking+Baunatal", "https://www.google.com/search?q=Hohenkirchener+Strasse+2+parking+Espenau", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Immenhausen", "https://www.google.com/search?q=Hoststrasse+17+parking+Ahnatal", "https://www.google.com/search?q=Ilsenburger+Strasse+4+parking+Wernigerode", "https://www.google.com/search?q=Pfarrstrasse+43+parking+Wernigerode", "https://www.google.com/search?q=Pfarrstrasse+35+parking+Wernigerode", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Grebenstein", "https://www.google.com/search?q=Am+Katzenteich+12+parking+Wernigerode", "https://www.google.com/search?q=Halberstadter+Strasse+11+parking+Wernigerode", "https://www.google.com/search?q=Rudolf+Breitscheid+Strasse+19+parking+Wernigerode", "https://www.google.com/search?q=Feldstrasse+17+parking+Wernigerode", "https://www.google.com/search?q=L+3214+parking+Calden", "https://www.google.com/search?q=Wallstrasse+1+parking+Goslar", "https://www.google.com/search?q=Kaiserbleek+1+parking+Goslar", "https://www.google.com/search?q=Glockengiesserstrasse+87+parking+Goslar", "https://www.google.com/search?q=An+Der+Esse+2+parking+Hofgeismar", "https://www.google.com/search?q=Marktstrasse+43+parking+Goslar", "https://www.google.com/search?q=Schwiecheldtstrasse+3+parking+Goslar", "https://www.google.com/search?q=Baringerstrasse+35+parking+Goslar", "https://www.google.com/search?q=Charley+Jacob+Strasse+3+parking+Goslar", "https://www.google.com/search?q=Kornstrasse+9+parking+Goslar", "https://www.google.com/search?q=Vogelsang+6+parking+Goslar", "https://www.google.com/search?q=Raiffeisenstrasse+7+parking+Zierenberg", "https://www.google.com/search?q=Bertha+von+Suttner+Strasse+1+parking+Goslar", "https://www.google.com/search?q=Hagerstrasse+1+parking+Einbeck", "https://www.google.com/search?q=Klubgartenstrasse+12+parking+Goslar", "https://www.google.com/search?q=Hildesheimer+Strasse+18+parking+Goslar", "https://www.google.com/search?q=Pastorenstrasse+3+parking+Einbeck", "https://www.google.com/search?q=Westbahnhofstrasse+13+parking+Jena", "https://www.google.com/search?q=Krautgasse+30+parking+Jena", "https://www.google.com/search?q=Ernst+Abbe+Strasse+6+parking+Jena", "https://www.google.com/search?q=Ernst+Abbe+Strasse+15+parking+Jena", "https://www.google.com/search?q=Ernst+Haeckel+Strasse+8+parking+Jena", "https://www.google.com/search?q=Engelplatz+1+parking+Jena", "https://www.google.com/search?q=Kollegiengasse+10+parking+Jena", "https://www.google.com/search?q=Kollegiengasse+9+parking+Jena", "https://www.google.com/search?q=Holzmarkt+9+parking+Jena", "https://www.google.com/search?q=Rathausgasse+3+parking+Jena", "https://www.google.com/search?q=Hinter+Der+Kirche+5+parking+Jena", "https://www.google.com/search?q=L+3214+parking+Zierenberg", "https://www.google.com/search?q=Docklitzer+Tor+41+parking+Querfurt", "https://www.google.com/search?q=Am+Anger+26+parking+Jena", "https://www.google.com/search?q=Knebelstrasse+2+parking+Jena", "https://www.google.com/search?q=Docklitzer+Tor+45+parking+Querfurt", "https://www.google.com/search?q=Inselplatz+13+parking+Jena", "https://www.google.com/search?q=Jenertal+2+parking+Jena", "https://www.google.com/search?q=Beulwitzer+Strasse+1+parking+Saalfeld+Saale", "https://www.google.com/search?q=Felsenkellerstrasse+2+parking+Saalfeld+Saale", "https://www.google.com/search?q=Am+Blankenburger+Tor+9+parking+Saalfeld+Saale", "https://www.google.com/search?q=Fleischgasse+14+parking+Saalfeld+Saale", "https://www.google.com/search?q=Hinter+Dem+Graben+10+parking+Saalfeld+Saale", "https://www.google.com/search?q=Huttenstrasse+4+parking+Saalfeld+Saale", "https://www.google.com/search?q=Knochstrasse+11+parking+Saalfeld+Saale", "https://www.google.com/search?q=Magdeburger+Str+55+parking+Fulda", "https://www.google.com/search?q=Saalewiesen+25+parking+Saalfeld+Saale", "https://www.google.com/search?q=Magdeburger+Str+22+parking+Fulda", "https://www.google.com/search?q=Boyneburgstrasse+2+parking+Fulda", "https://www.google.com/search?q=Magdeburger+Str+29+parking+Fulda", "https://www.google.com/search?q=Esperantostrasse+1+parking+Fulda", "https://www.google.com/search?q=An+Der+Richthalle+3+parking+Fulda", "https://www.google.com/search?q=Kurfurstenstrasse+24+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Fulda", "https://www.google.com/search?q=Ruprechtstrasse+22+parking+Fulda", "https://www.google.com/search?q=Am+Bahnhof+18+parking+Fulda", "https://www.google.com/search?q=Lindenstrasse+12+parking+Fulda", "https://www.google.com/search?q=Universitatsplatz+4+parking+Fulda", "https://www.google.com/search?q=Schlossstrasse+4+6+parking+Fulda", "https://www.google.com/search?q=Brauhausstrasse+6+parking+Fulda", "https://www.google.com/search?q=Am+Alten+Schlachthof+7+parking+Fulda", "https://www.google.com/search?q=Am+Rosengarten+19+parking+Fulda", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Gersfeld", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Liebenau", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Wolfhagen", "https://www.google.com/search?q=Kuhlinger+Str+39+parking+Halberstadt", "https://www.google.com/search?q=Am+Rhongarten+3+parking+Eichenzell", "https://www.google.com/search?q=Am+Bahnhof+8+parking+Ebersburg", "https://www.google.com/search?q=Burgermeister+Schlag+Strasse+1+parking+Eichenzell", "https://www.google.com/search?q=Kilianstrasse+22+parking+Ebersburg", "https://www.google.com/search?q=Brunnenstrasse+60+parking+Bad", "https://www.google.com/search?q=Am+Brennerwasser+5+parking+Lauterbach", "https://www.google.com/search?q=Eptinger+Rain+111+parking+Mucheln", "https://www.google.com/search?q=Bahnhofstrasse+72+parking+Warburg", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Warburg", "https://www.google.com/search?q=Bernhardistrasse+56+parking+Warburg", "https://www.google.com/search?q=Bernhardistrasse+15+parking+Warburg", "https://www.google.com/search?q=Goringsgraben+13+parking+Warburg", "https://www.google.com/search?q=Huffertstrasse+50+parking+Warburg", "https://www.google.com/search?q=Reichsbahnstrasse+2+parking+Teutschenthal", "https://www.google.com/search?q=Vinzenzstrasse+7+parking+Neuhof", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Hoxter", "https://www.google.com/search?q=Uferstrasse+9+parking+Hoxter", "https://www.google.com/search?q=Sackstrasse+4+parking+Hoxter", "https://www.google.com/search?q=Bennstedter+Strasse+38+47+parking+Teutschenthal", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Flieden", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Flieden", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Braunsbedra", "https://www.google.com/search?q=Am+Bahndamm+997+parking+Brakel", "https://www.google.com/search?q=An+Der+Magistrale+91+parking+Halle", "https://www.google.com/search?q=Dolauer+Strasse+77+parking+Halle", "https://www.google.com/search?q=Willy+Brandt+Strasse+6+parking+Salzgitter", "https://www.google.com/search?q=Eisenbahnstrasse+19+parking+Schkopau", "https://www.google.com/search?q=Wendelinusstrasse+8+parking+Bad", "https://www.google.com/search?q=Salinenstrasse+5+parking+Bad", "https://www.google.com/search?q=Mansfelder+Strasse+52+parking+Halle", "https://www.google.com/search?q=Kapellenstrasse+8+parking+Bad", "https://www.google.com/search?q=Robert+Everlien+Platz+1+parking+Wolfenbuttel", "https://www.google.com/search?q=Mansfelder+Strasse+56+parking+Halle", "https://www.google.com/search?q=Ankerstrasse+2+parking+Halle", "https://www.google.com/search?q=Herrenstrasse+20+parking+Halle", "https://www.google.com/search?q=Glauchaer+Strasse+77+parking+Halle", "https://www.google.com/search?q=Robert+Franz+Ring+20+parking+Halle", "https://www.google.com/search?q=Schlossplatz+14+parking+Wolfenbuttel", "https://www.google.com/search?q=Kasseler+Strasse+12+parking+Halle", "https://www.google.com/search?q=Brauergildenstrasse+5+parking+Wolfenbuttel", "https://www.google.com/search?q=Friedemann+Bach+Platz+3+parking+Halle", "https://www.google.com/search?q=Moritzburgring+4+parking+Halle", "https://www.google.com/search?q=Dachritzstrasse+10+parking+Halle", "https://www.google.com/search?q=Kleine+Brauhausstrasse+7+parking+Halle", "https://www.google.com/search?q=Universitatsring+3+parking+Halle", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+28+parking+Bad", "https://www.google.com/search?q=Hansering+20+parking+Halle", "https://www.google.com/search?q=Georg+Schumann+Platz+11+parking+Halle", "https://www.google.com/search?q=Streiberstrasse+25+parking+Halle", "https://www.google.com/search?q=Ernst+Toller+Strasse+20+parking+Halle", "https://www.google.com/search?q=Grosse+Steinstrasse+35+parking+Halle", "https://www.google.com/search?q=Fischer+von+Erlach+Strasse+90+parking+Halle", "https://www.google.com/search?q=Dorotheenstrasse+14+parking+Halle", "https://www.google.com/search?q=Magdeburger+Strasse+29+parking+Halle", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Willebadessen", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+6+parking+Bad", "https://www.google.com/search?q=B+6+parking+Halle", "https://www.google.com/search?q=Ernst+Kamieth+Strasse+6+parking+Halle", "https://www.google.com/search?q=Motzlicher+Strasse+45+parking+Halle", "https://www.google.com/search?q=Bahnhofsplatz+4+parking+Halle", "https://www.google.com/search?q=Am+Burghof+10+parking+Hildesheim", "https://www.google.com/search?q=Albertus+Magnus+Strasse+11+parking+Hildesheim", "https://www.google.com/search?q=Theodor+Storm+Strasse+34+parking+Hildesheim", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Schluchtern", "https://www.google.com/search?q=Lutzener+Strasse+1+parking+Bad", "https://www.google.com/search?q=Braunschweiger+Str+14+parking+Hildesheim", "https://www.google.com/search?q=Treibestrasse+9+parking+Hildesheim", "https://www.google.com/search?q=Kantorgasse+6+parking+Hildesheim", "https://www.google.com/search?q=Klaperhagen+7+parking+Hildesheim", "https://www.google.com/search?q=Am+Steine+6+parking+Hildesheim", "https://www.google.com/search?q=Am+Ratsbauhof+8+parking+Hildesheim", "https://www.google.com/search?q=Am+Bergholzchen+4+parking+Hildesheim", "https://www.google.com/search?q=Eckemekerstrasse+1+parking+Hildesheim", "https://www.google.com/search?q=Frankenstrasse+44+parking+Hildesheim", "https://www.google.com/search?q=Kardinal+Bertram+Strasse+35+parking+Hildesheim", "https://www.google.com/search?q=Kurzer+Hagen+6+parking+Hildesheim", "https://www.google.com/search?q=Jakobistrasse+22+parking+Hildesheim", "https://www.google.com/search?q=Kardinal+Bertram+Strasse+27+parking+Hildesheim", "https://www.google.com/search?q=Arnekenstrasse+26+parking+Hildesheim", "https://www.google.com/search?q=Bischof+Janssen+Strasse+30+parking+Hildesheim", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Kabelsketal", "https://www.google.com/search?q=Bischof+Janssen+Strasse+25+parking+Hildesheim", "https://www.google.com/search?q=Bahnhofsplatz+2+parking+Hildesheim", "https://www.google.com/search?q=Altes+Dorf+31+parking+Hildesheim", "https://www.google.com/search?q=Alte+Schule+10+parking+Landsberg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+104+parking+Mucke", "https://www.google.com/search?q=Stephanstrasse+100+parking+Zeitz", "https://www.google.com/search?q=Baenschstrasse+3+parking+Zeitz", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Steinau", "https://www.google.com/search?q=Dr+Rudolf+Hedler+Strasse+99+parking+Steinau", "https://www.google.com/search?q=Gerastrasse+15+parking+Braunschweig", "https://www.google.com/search?q=Rontgenstrasse+120+parking+Zeitz", "https://www.google.com/search?q=Schutzenplatz+21+parking+Zeitz", "https://www.google.com/search?q=Am+Alten+Bahnhof+14+15+parking+Kabelsketal", "https://www.google.com/search?q=Rote+Wiese+7+parking+Braunschweig", "https://www.google.com/search?q=Eisenbutteler+Str+12+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+42+parking+Landsberg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Braunschweig", "https://www.google.com/search?q=Nimes+Strasse+1+parking+Braunschweig", "https://www.google.com/search?q=Georg+Eckert+Strasse+11+parking+Braunschweig", "https://www.google.com/search?q=Kastanienallee+11+parking+Kabelsketal", "https://www.google.com/search?q=Kannengiesserstrasse+6+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Landsberg", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Grunberg", "https://www.google.com/search?q=Am+Guterbahnhof+4+parking+Steinheim", "https://www.google.com/search?q=Meinhardshof+1+parking+Braunschweig", "https://www.google.com/search?q=Grosser+Hof+7+parking+Braunschweig", "https://www.google.com/search?q=Rathausstrasse+9+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Marburg", "https://www.google.com/search?q=Erlenring+19+parking+Marburg", "https://www.google.com/search?q=Erlenring+26+parking+Marburg", "https://www.google.com/search?q=Furthstrasse+6+parking+Marburg", "https://www.google.com/search?q=Rossbergstrasse+40+parking+Schkeuditz", "https://www.google.com/search?q=Schwarzer+Weg+1+parking+Altenbeken", "https://www.google.com/search?q=Pilgrimstein+25+parking+Marburg", "https://www.google.com/search?q=Bierweg+6+parking+Schkeuditz", "https://www.google.com/search?q=Eisenbahnstrasse+11+parking+Markranstadt", "https://www.google.com/search?q=Fuldaer+Strasse+34+parking+Bad", "https://www.google.com/search?q=Schulstrasse+3+parking+Marburg", "https://www.google.com/search?q=Bahnhofstrasse+13+14+parking+Bad", "https://www.google.com/search?q=Schloss+4+parking+Marburg", "https://www.google.com/search?q=Wilhelmstrasse+7+parking+Marburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Bad", "https://www.google.com/search?q=Petzvalstrasse+53+parking+Braunschweig", "https://www.google.com/search?q=Bahnhofstrasse+4+7+parking+Bad", "https://www.google.com/search?q=Frankfurter+Strasse+12+parking+Marburg", "https://www.google.com/search?q=Am+Bahndamm+11+parking+Steinheim", "https://www.google.com/search?q=Bahnhofstrasse+44+parking+Pegau", "https://www.google.com/search?q=Am+Muhltor+6+parking+Schweinfurt", "https://www.google.com/search?q=Industriestrasse+15+parking+Schkeuditz", "https://www.google.com/search?q=Wenderter+Strasse+6+parking+Sarstedt", "https://www.google.com/search?q=Bahnhofstrasse+48+parking+Schkeuditz", "https://www.google.com/search?q=Berliner+Strasse+1+parking+Schkeuditz", "https://www.google.com/search?q=Jacobistrasse+3+parking+Sarstedt", "https://www.google.com/search?q=Terminalring+11+parking+Schkeuditz", "https://www.google.com/search?q=Hauptbahnhofstrasse+7+parking+Schweinfurt", "https://www.google.com/search?q=Bahnhofspl+9+parking+Schweinfurt", "https://www.google.com/search?q=Am+See+1+parking+Leipzig", "https://www.google.com/search?q=Hauptstrasse+48+parking+Zwenkau", "https://www.google.com/search?q=Freirodaer+Str+5+parking+Schkeuditz", "https://www.google.com/search?q=Mark+Twain+Strasse+1+parking+Braunschweig", "https://www.google.com/search?q=Miltitzer+Allee+42+parking+Leipzig", "https://www.google.com/search?q=Krakauer+Str+2+parking+Leipzig", "https://www.google.com/search?q=Schonauer+Ring+79+parking+Leipzig", "https://www.google.com/search?q=Sudfeldstrasse+4+parking+Springe", "https://www.google.com/search?q=Am+Bahnhof+15+parking+Wachtersbach", "https://www.google.com/search?q=Poststrasse+53+parking+Wachtersbach", "https://www.google.com/search?q=Raiffeisenstrasse+5+parking+Reiskirchen", "https://www.google.com/search?q=Main+Kinzig+Strasse+37+parking+Wachtersbach", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Springe", "https://www.google.com/search?q=Externsteiner+Strasse+33+parking+Horn+Bad", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Laatzen", "https://www.google.com/search?q=Burgermeister+Peters+Strasse+1+parking+Springe", "https://www.google.com/search?q=Industriestrasse+17+parking+Springe", "https://www.google.com/search?q=Industriestrasse+5+parking+Springe", "https://www.google.com/search?q=In+Den+Neun+Morgen+14+parking+Nidda", "https://www.google.com/search?q=Liboriberg+16+parking+Paderborn", "https://www.google.com/search?q=Peiner+Strasse+3+parking+Sehnde", "https://www.google.com/search?q=Hafenstrasse+19+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Buseck", "https://www.google.com/search?q=Muhlweg+21+parking+Markkleeberg", "https://www.google.com/search?q=Liboriberg+39+parking+Paderborn", "https://www.google.com/search?q=Koburger+Strasse+222+parking+Markkleeberg", "https://www.google.com/search?q=Am+Niederen+Tor+17+parking+Brilon", "https://www.google.com/search?q=Nordstrasse+31+parking+Paderborn", "https://www.google.com/search?q=Hathumarstrasse+19+parking+Paderborn", "https://www.google.com/search?q=Konigsplatz+4+parking+Paderborn", "https://www.google.com/search?q=Alte+Torgasse+12+parking+Paderborn", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Brilon", "https://www.google.com/search?q=Rolandsweg+95+parking+Paderborn", "https://www.google.com/search?q=Raiffeisenweg+4+parking+Brilon", "https://www.google.com/search?q=Ziegeleiweg+1+parking+Markkleeberg", "https://www.google.com/search?q=Neuhauser+Strasse+9+parking+Paderborn", "https://www.google.com/search?q=Gewerbegebiet+An+Der+Harth+10B+parking+Markkleeberg", "https://www.google.com/search?q=Krummestrasse+1+parking+Brilon", "https://www.google.com/search?q=Bahnhofstrabe+40+parking+Paderborn", "https://www.google.com/search?q=Lauersche+Strasse+4+parking+Markkleeberg", "https://www.google.com/search?q=Derkerborn+1+parking+Brilon", "https://www.google.com/search?q=Koburger+Strasse+89+parking+Markkleeberg", "https://www.google.com/search?q=Hasselborn+1+parking+Brilon", "https://www.google.com/search?q=Georgskommende+3+parking+Brilon", "https://www.google.com/search?q=K+26+parking+Lollar", "https://www.google.com/search?q=Rathausstrasse+34+parking+Markkleeberg", "https://www.google.com/search?q=Rathausstrasse+26+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Magdeburg", "https://www.google.com/search?q=Hauptstrasse+189+191+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Magdeburg", "https://www.google.com/search?q=Raschwitzer+Strasse+14+parking+Markkleeberg", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Bohlen", "https://www.google.com/search?q=Am+Festanger+1+parking+Markkleeberg", "https://www.google.com/search?q=Hans+Steche+Weg+28+parking+Markkleeberg", "https://www.google.com/search?q=Holtenser+Strasse+45+parking+Ronnenberg", "https://www.google.com/search?q=Beethovenstrasse+11+parking+Leipzig", "https://www.google.com/search?q=Zentralstrasse+7+parking+Leipzig", "https://www.google.com/search?q=K+184+parking+Nidda", "https://www.google.com/search?q=Otto+Schill+Strasse+3+5+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+38+parking+Gemunden", "https://www.google.com/search?q=Rosentalgasse+3+parking+Leipzig", "https://www.google.com/search?q=Lotterstrasse+1+parking+Leipzig", "https://www.google.com/search?q=Thomaskirchhof+19+parking+Leipzig", "https://www.google.com/search?q=Schlosspl+5+6+parking+Budingen", "https://www.google.com/search?q=Marktpl+8+parking+Budingen", "https://www.google.com/search?q=Grosse+Fleischergasse+4+parking+Leipzig", "https://www.google.com/search?q=Str+Der+Nationen+10+parking+Hannover", "https://www.google.com/search?q=Goethesteig+2+parking+Leipzig", "https://www.google.com/search?q=Lohrstrasse+16+parking+Leipzig", "https://www.google.com/search?q=Lohrstrasse+20+parking+Leipzig", "https://www.google.com/search?q=Strasse+Der+Nationen+17+parking+Hannover", "https://www.google.com/search?q=Muhltorstrasse+11+parking+Budingen", "https://www.google.com/search?q=Monchereistrasse+4+parking+Markkleeberg", "https://www.google.com/search?q=Nordstrasse+27+parking+Leipzig", "https://www.google.com/search?q=Gustav+Adolf+Allee+9+parking+Leipzig", "https://www.google.com/search?q=Reichsstrasse+10+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Lich", "https://www.google.com/search?q=Am+Hallischen+Tor+2+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Lollar", "https://www.google.com/search?q=Sternwartenstrasse+2+parking+Leipzig", "https://www.google.com/search?q=Expo+Plaza+4+parking+Hannover", "https://www.google.com/search?q=Kronsbergstrasse+80+parking+Laatzen", "https://www.google.com/search?q=Lissabonner+Allee+3+parking+Laatzen", "https://www.google.com/search?q=Richard+Wagner+Strasse+3+parking+Leipzig", "https://www.google.com/search?q=Kronsbergstrasse+35+parking+Laatzen", "https://www.google.com/search?q=Nurnberger+Strasse+45+parking+Leipzig", "https://www.google.com/search?q=Georgiring+5+parking+Leipzig", "https://www.google.com/search?q=Schutzenstrasse+2+parking+Leipzig", "https://www.google.com/search?q=uber+Der+Seeme+3+parking+Budingen", "https://www.google.com/search?q=Bruderstrasse+59+parking+Leipzig", "https://www.google.com/search?q=Augsburger+Str+6+parking+Laatzen", "https://www.google.com/search?q=Bornaische+Strasse+2+parking+Markkleeberg", "https://www.google.com/search?q=Arndtstrasse+11+parking+Markkleeberg", "https://www.google.com/search?q=Hahnekamm+1+parking+Leipzig", "https://www.google.com/search?q=Schutzenstrasse+21+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+76+parking+Budingen", "https://www.google.com/search?q=Auenhainer+Strasse+1+parking+Markkleeberg", "https://www.google.com/search?q=Weltausstellungsallee+19+parking+Hannover", "https://www.google.com/search?q=Karlsruher+Str+4+parking+Hannover", "https://www.google.com/search?q=Kotterweg+10+parking+Buren", "https://www.google.com/search?q=Hans+Poeche+Strasse+26+28+parking+Leipzig", "https://www.google.com/search?q=Gutenbergplatz+1+parking+Leipzig", "https://www.google.com/search?q=Taubchenweg+5+7+parking+Leipzig", "https://www.google.com/search?q=Bornaer+Strasse+2+parking+Neukieritzsch", "https://www.google.com/search?q=Thaerstrasse+64+parking+Hannover", "https://www.google.com/search?q=Dauthestrasse+5+parking+Leipzig", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Rackwitz", "https://www.google.com/search?q=Friedhofsweg+3+parking+Leipzig", "https://www.google.com/search?q=An+Der+Tabaksmuhle+21+parking+Leipzig", "https://www.google.com/search?q=Alte+Bahnhofstrasse+36+parking+Gehrden", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Neukieritzsch", "https://www.google.com/search?q=Eisenbahnstrasse+19+parking+Delitzsch", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+14+parking+Wennigsen", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+1+parking+Wennigsen", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Ronnenberg", "https://www.google.com/search?q=Sennebahnhof+15+parking+Paderborn", "https://www.google.com/search?q=Heisterweg+8+parking+Wennigsen", "https://www.google.com/search?q=Hornsche+Strasse+38+parking+Detmold", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Regis+Breitingen", "https://www.google.com/search?q=Hornsche+Strasse+22+parking+Detmold", "https://www.google.com/search?q=An+Der+Wollebahn+3+parking+Hannover", "https://www.google.com/search?q=Blomberger+Strasse+11+parking+Detmold", "https://www.google.com/search?q=Neustadt+24+parking+Detmold", "https://www.google.com/search?q=Bornaer+Chaussee+138+parking+Markkleeberg", "https://www.google.com/search?q=Lange+Str+48+parking+Detmold", "https://www.google.com/search?q=Burgdorfer+Strasse+4+parking+Lehrte", "https://www.google.com/search?q=Knuppelsdorfer+Weg+20+parking+Lehrte", "https://www.google.com/search?q=Bruchstrasse+38+parking+Detmold", "https://www.google.com/search?q=Heinrich+Drake+Strasse+1+parking+Detmold", "https://www.google.com/search?q=Paulinenstrasse+48+parking+Detmold", "https://www.google.com/search?q=Messe+Allee+1+parking+Leipzig", "https://www.google.com/search?q=Grotenburg+2+parking+Detmold", "https://www.google.com/search?q=Handelsring+10+parking+Leipzig", "https://www.google.com/search?q=Lemgoer+Strasse+5+parking+Detmold", "https://www.google.com/search?q=Arminstrasse+18+parking+Detmold", "https://www.google.com/search?q=Thusneldastrasse+11+parking+Detmold", "https://www.google.com/search?q=Industriestrasse+8+parking+Detmold", "https://www.google.com/search?q=Bahnhofstrasse+1001+parking+Salzkotten", "https://www.google.com/search?q=Ostfeldstrasse+82+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Lobstadt", "https://www.google.com/search?q=Rudolf+von+Bennigsen+Ufer+81+parking+Hannover", "https://www.google.com/search?q=Wennigser+Strasse+127+parking+Barsinghausen", "https://www.google.com/search?q=Heegheimer+Strasse+16+parking+Glauburg", "https://www.google.com/search?q=Ladestrasse+2+parking+Glauburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Gelnhausen", "https://www.google.com/search?q=Lagerhausstrasse+7+parking+Linsengericht", "https://www.google.com/search?q=Bahnhofstrasse+8+10+parking+Gelnhausen", "https://www.google.com/search?q=Schwemannstrasse+13+parking+Hannover", "https://www.google.com/search?q=Misburger+Weg+2+parking+Lehrte", "https://www.google.com/search?q=An+Der+Bahn+2+parking+Hannover", "https://www.google.com/search?q=Benther+Str+19+parking+Ronnenberg", "https://www.google.com/search?q=Tresckowstrasse+188+parking+Hannover", "https://www.google.com/search?q=Ferdinand+Henze+Strasse+1+parking+Salzkotten", "https://www.google.com/search?q=Sauerbruchstrasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Braunschweiger+Str+79+parking+Wolfsburg", "https://www.google.com/search?q=Muhlenbergzentrum+6+parking+Hannover", "https://www.google.com/search?q=An+Der+Johanneskirche+6+parking+Giessen", "https://www.google.com/search?q=Janusz+Korczak+Allee+8+parking+Hannover", "https://www.google.com/search?q=Westanlage+44+parking+Giessen", "https://www.google.com/search?q=Hermann+Munch+Strasse+42+parking+Wolfsburg", "https://www.google.com/search?q=Hermann+Munch+Strasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Klieverhagen+46+parking+Wolfsburg", "https://www.google.com/search?q=Klieverhagen+28+parking+Wolfsburg", "https://www.google.com/search?q=Braunschweiger+Str+10+parking+Wolfsburg", "https://www.google.com/search?q=Rathausstrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Hildesheimer+Str+96+parking+Hannover", "https://www.google.com/search?q=An+Der+Alten+Post+6+parking+Giessen", "https://www.google.com/search?q=Buchenweg+8+parking+Barsinghausen", "https://www.google.com/search?q=Am+Guterbahnhof+21+parking+Giessen", "https://www.google.com/search?q=Rudolf+von+Bennigsen+Ufer+22+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+94+parking+Giessen", "https://www.google.com/search?q=Am+Guterbahnhof+10+parking+Giessen", "https://www.google.com/search?q=Oesterleystrasse+10+parking+Hannover", "https://www.google.com/search?q=Major+Hirst+Strasse+9+parking+Wolfsburg", "https://www.google.com/search?q=Major+Hirst+Strasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Pestalozziallee+3+parking+Wolfsburg", "https://www.google.com/search?q=Pestalozziallee+1+parking+Wolfsburg", "https://www.google.com/search?q=Schillerstrasse+38+parking+Wolfsburg", "https://www.google.com/search?q=Stammestrasse+121+parking+Hannover", "https://www.google.com/search?q=Auf+Dem+Rade+3+parking+Ronnenberg", "https://www.google.com/search?q=Schachtweg+31+parking+Wolfsburg", "https://www.google.com/search?q=Rothenfelder+Str+4+18+parking+Wolfsburg", "https://www.google.com/search?q=Arthur+Menge+Ufer+3+parking+Hannover", "https://www.google.com/search?q=Stellfelder+Str+39+parking+Wolfsburg", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+40+parking+Wolfsburg", "https://www.google.com/search?q=Bahnhofstrasse+451+parking+Borna", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+30+parking+Wolfsburg", "https://www.google.com/search?q=Kortumstrasse+15+parking+Hannover", "https://www.google.com/search?q=Siegfried+Ehlers+Strasse+7+parking+Wolfsburg", "https://www.google.com/search?q=Schongauerstrasse+27+parking+Leipzig", "https://www.google.com/search?q=Porschestrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Heinrich+Nordhoff+Strasse+28+parking+Wolfsburg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Wolfsburg", "https://www.google.com/search?q=Hans+Weigel+Strasse+2+parking+Leipzig", "https://www.google.com/search?q=An+Der+Vorburg+1+parking+Wolfsburg", "https://www.google.com/search?q=Breite+Str+8+parking+Hannover", "https://www.google.com/search?q=Friedrichswall+11+parking+Hannover", "https://www.google.com/search?q=Rudolf+Hillebrecht+Platz+1+parking+Hannover", "https://www.google.com/search?q=Schackstrasse+22+parking+Hannover", "https://www.google.com/search?q=Georgswall+4+parking+Hannover", "https://www.google.com/search?q=Marktstrasse+45+parking+Hannover", "https://www.google.com/search?q=Bahnstrasse+15+parking+Reichelsheim", "https://www.google.com/search?q=Osterstrasse+42+parking+Hannover", "https://www.google.com/search?q=Roselerstrasse+7+parking+Hannover", "https://www.google.com/search?q=Am+Lindener+Berge+27+parking+Hannover", "https://www.google.com/search?q=Am+Steinbruch+4+parking+Hannover", "https://www.google.com/search?q=Gustav+Bratke+Allee+2+parking+Hannover", "https://www.google.com/search?q=In+Den+Allerwiesen+1+parking+Wolfsburg", "https://www.google.com/search?q=Windmuhlenstrasse+3+parking+Hannover", "https://www.google.com/search?q=L+322+parking+Wolfsburg", "https://www.google.com/search?q=Schlossstrasse+6+parking+Hannover", "https://www.google.com/search?q=Nussriede+28+parking+Hannover", "https://www.google.com/search?q=Opernpl+1+parking+Hannover", "https://www.google.com/search?q=Joachimstrasse+3+parking+Hannover", "https://www.google.com/search?q=Schmiedestrasse+13+parking+Hannover", "https://www.google.com/search?q=Augustenstrasse+13+parking+Hannover", "https://www.google.com/search?q=Ernst+August+Platz+10+parking+Hannover", "https://www.google.com/search?q=Leonhardtstrasse+10+parking+Hannover", "https://www.google.com/search?q=Regenstorstrasse+13+parking+Lemgo", "https://www.google.com/search?q=Am+Marstall+6+parking+Hannover", "https://www.google.com/search?q=Fernroder+Str+12+parking+Hannover", "https://www.google.com/search?q=Ernst+August+Platz+5+parking+Hannover", "https://www.google.com/search?q=Andreaestrasse+4+parking+Hannover", "https://www.google.com/search?q=Kurt+Schumacher+Strasse+4+parking+Hannover", "https://www.google.com/search?q=Vw+Mittelstrasse+1+parking+Wolfsburg", "https://www.google.com/search?q=Mehlstrasse+2+parking+Hannover", "https://www.google.com/search?q=Rundestrasse+86+parking+Hannover", "https://www.google.com/search?q=Raschplatz+13+parking+Hannover", "https://www.google.com/search?q=Lutzowstrasse+3+parking+Hannover", "https://www.google.com/search?q=Oebisfelder+Str+1+parking+Wolfsburg", "https://www.google.com/search?q=Rundestrasse+12+parking+Hannover", "https://www.google.com/search?q=Weststrasse+7+9+parking+Taucha", "https://www.google.com/search?q=Allerpark+2+parking+Wolfsburg", "https://www.google.com/search?q=Breite+Strasse+2+parking+Lemgo", "https://www.google.com/search?q=Allerpark+9+parking+Wolfsburg", "https://www.google.com/search?q=Allerpark+12+parking+Wolfsburg", "https://www.google.com/search?q=Herrenstrasse+6+parking+Hannover", "https://www.google.com/search?q=Bruderstrasse+7+8+parking+Hannover", "https://www.google.com/search?q=Rundestrasse+5+parking+Hannover", "https://www.google.com/search?q=Bruhlstrasse+15+parking+Hannover", "https://www.google.com/search?q=Friesenstrasse+13+parking+Hannover", "https://www.google.com/search?q=Berliner+Strasse+10+parking+Barsinghausen", "https://www.google.com/search?q=Bruchweg+27+parking+Lemgo", "https://www.google.com/search?q=A+39+parking+Wolfsburg", "https://www.google.com/search?q=Am+Klagesmarkt+24+parking+Hannover", "https://www.google.com/search?q=Maschweg+29+parking+Wolfsburg", "https://www.google.com/search?q=Karolinenstrasse+4+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+39+parking+Hovelhof", "https://www.google.com/search?q=B+188+parking+Wolfsburg", "https://www.google.com/search?q=Am+Klagesmarkt+38+parking+Hannover", "https://www.google.com/search?q=Lodyweg+6+parking+Hannover", "https://www.google.com/search?q=Breiter+Fohrd+8+parking+Wolfsburg", "https://www.google.com/search?q=Rampendal+9+parking+Lemgo", "https://www.google.com/search?q=Oebisfelder+Str+24+parking+Wolfsburg", "https://www.google.com/search?q=Margaretendamm+10+parking+Bamberg", "https://www.google.com/search?q=Oebisfelder+Str+8+parking+Wolfsburg", "https://www.google.com/search?q=Breiter+Weg+132+parking+Linden", "https://www.google.com/search?q=Jembker+Str+1+parking+Wolfsburg", "https://www.google.com/search?q=Franz+Nause+Strasse+1+parking+Hannover", "https://www.google.com/search?q=Oebisfelder+Str+32+parking+Wolfsburg", "https://www.google.com/search?q=Edenstrasse+30+32+parking+Hannover", "https://www.google.com/search?q=Bahnhofstrasse+122+parking+Linden", "https://www.google.com/search?q=Oebisfelder+Str+40+parking+Wolfsburg", "https://www.google.com/search?q=Vahrenwalder+Str+7+parking+Hannover", "https://www.google.com/search?q=Hanauer+Strasse+25+parking+Altenstadt", "https://www.google.com/search?q=Wiesenstrasse+6+parking+Altenstadt", "https://www.google.com/search?q=L+3189+parking+Altenstadt", "https://www.google.com/search?q=Callinstrasse+23+parking+Hannover", "https://www.google.com/search?q=Heisterbergallee+16+parking+Hannover", "https://www.google.com/search?q=Vahrenwalder+Strasse+75+parking+Hannover", "https://www.google.com/search?q=Riethorst+19+parking+Hannover", "https://www.google.com/search?q=Schutzenstrasse+2+parking+Bamberg", "https://www.google.com/search?q=Schonauer+Strasse+22+parking+Borna", "https://www.google.com/search?q=Herrenhauser+Kirchweg+5+parking+Hannover", "https://www.google.com/search?q=Herrenhauser+Str+1+parking+Hannover", "https://www.google.com/search?q=Bismarckstrasse+7+parking+Langgons", "https://www.google.com/search?q=Theodorstrasse+1+parking+Burgdorf", "https://www.google.com/search?q=Ladestrasse+1+parking+Belgershain", "https://www.google.com/search?q=Am+Lister+Bad+1+parking+Hannover", "https://www.google.com/search?q=General+Wever+Strasse+93+parking+Hannover", "https://www.google.com/search?q=Glockenwiese+1+parking+Barsinghausen", "https://www.google.com/search?q=Heidensche+Strasse+1+parking+Lage", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Altenstadt", "https://www.google.com/search?q=Friedrichstrasse+9+parking+Lage", "https://www.google.com/search?q=Wehmgartenstrasse+9+parking+Lage", "https://www.google.com/search?q=Rhienstrasse+25+parking+Lage", "https://www.google.com/search?q=Knickwall+35+parking+Gifhorn", "https://www.google.com/search?q=Stauffenbergstrasse+5+parking+Lage", "https://www.google.com/search?q=Hellmeyerstrasse+2+parking+Lage", "https://www.google.com/search?q=Friedrich+Petri+Strasse+16+parking+Lage", "https://www.google.com/search?q=Steinweg+19+parking+Gifhorn", "https://www.google.com/search?q=Cardenap+8+parking+Gifhorn", "https://www.google.com/search?q=Am+Kiefernwaldchen+1001+parking+Hovelhof", "https://www.google.com/search?q=Am+Baren+18+parking+Rinteln", "https://www.google.com/search?q=Ebertstrasse+26+parking+Seelze", "https://www.google.com/search?q=Klosterstrasse+28+parking+Rinteln", "https://www.google.com/search?q=Wetteraustrasse+72+parking+Friedberg", "https://www.google.com/search?q=Pferdemarkt+5+parking+Rinteln", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Jesewitz", "https://www.google.com/search?q=Kantstrasse+2+parking+Seelze", "https://www.google.com/search?q=Kantstrasse+17+parking+Seelze", "https://www.google.com/search?q=Herderstrasse+13+parking+Seelze", "https://www.google.com/search?q=Hasselbachstrasse+2+parking+Langenselbold", "https://www.google.com/search?q=Albert+Kuntz+Strasse+2+parking+Brandis", "https://www.google.com/search?q=L+3339+parking+Langenselbold", "https://www.google.com/search?q=Griedeler+Strasse+39+parking+Butzbach", "https://www.google.com/search?q=Am+Goldstein+5+parking+Bad", "https://www.google.com/search?q=Am+Bundesbahnhof+1+parking+Langenselbold", "https://www.google.com/search?q=Ernst+Moritz+Arndt+Strasse+22+parking+Bad", "https://www.google.com/search?q=Alt+Vinnhorst+68+parking+Hannover", "https://www.google.com/search?q=Mecklenheidestrasse+125+parking+Hannover", "https://www.google.com/search?q=Ernst+Moritz+Arndt+Strasse+6+parking+Bad", "https://www.google.com/search?q=August+Storch+Strasse+4+parking+Butzbach", "https://www.google.com/search?q=Hansastrasse+4+parking+Hannover", "https://www.google.com/search?q=Langgasse+15+parking+Butzbach", "https://www.google.com/search?q=Weiseler+Strasse+41+parking+Butzbach", "https://www.google.com/search?q=Taunusstrasse+2+parking+Butzbach", "https://www.google.com/search?q=Am+Bollwerk+16+parking+Butzbach", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Otterwisch", "https://www.google.com/search?q=Hollerithallee+2+parking+Hannover", "https://www.google.com/search?q=Worthstrasse+36+parking+Burgdorf", "https://www.google.com/search?q=Tonkuhle+26+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Bad", "https://www.google.com/search?q=Alte+Bahnhofstrasse+6+parking+Friedberg", "https://www.google.com/search?q=Hanauer+Str+18+parking+Friedberg", "https://www.google.com/search?q=Hanauer+Strasse+53+parking+Friedberg", "https://www.google.com/search?q=Bahnhofspl+1+parking+Langenhagen", "https://www.google.com/search?q=Sandstrasse+30+parking+Garbsen", "https://www.google.com/search?q=Hanseatenstrasse+28+parking+Langenhagen", "https://www.google.com/search?q=Wingertstrasse+35+parking+Friedberg", "https://www.google.com/search?q=Muhlenfeld+27+parking+Langenhagen", "https://www.google.com/search?q=Am+Pferdemarkt+31+parking+Langenhagen", "https://www.google.com/search?q=Westfalenstrasse+10+20+parking+Langenhagen", "https://www.google.com/search?q=Am+Forum+1+parking+Wetzlar", "https://www.google.com/search?q=Hainbornstrasse+11+parking+Rodenbach", "https://www.google.com/search?q=Landschaftsstrasse+3+parking+Seelze", "https://www.google.com/search?q=Hanseshof+6+parking+Meschede", "https://www.google.com/search?q=Philipsstrasse+10+parking+Wetzlar", "https://www.google.com/search?q=Spinnereistrasse+1+parking+Wetzlar", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Wetzlar", "https://www.google.com/search?q=Auf+Der+Wieme+1+parking+Meschede", "https://www.google.com/search?q=Heldenberger+Strasse+16+parking+Nidderau", "https://www.google.com/search?q=Heldenberger+Str+16+parking+Nidderau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Parthenstein", "https://www.google.com/search?q=Karl+Kellner+Ring+50+parking+Wetzlar", "https://www.google.com/search?q=Flughafenstrasse+4+parking+Langenhagen", "https://www.google.com/search?q=Blaunonnengasse+3+parking+Wetzlar", "https://www.google.com/search?q=Karl+Kellner+Ring+34+parking+Wetzlar", "https://www.google.com/search?q=Leipziger+Strasse+9A+parking+Machern", "https://www.google.com/search?q=Flughafenstrasse+5+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Bad", "https://www.google.com/search?q=Nordstrasse+18+parking+Langenhagen", "https://www.google.com/search?q=Stahlstrasse+1+parking+Isernhagen", "https://www.google.com/search?q=Bahnhofstrasse+70+parking+Bruchkobel", "https://www.google.com/search?q=Hauptstrasse+23+parking+Haste", "https://www.google.com/search?q=Muhlweg+2+parking+Asslar", "https://www.google.com/search?q=Alte+Bundesstrasse+5+parking+Burgdorf", "https://www.google.com/search?q=Kohlergasse+8+parking+Bruchkobel", "https://www.google.com/search?q=Innerer+Ring+6+parking+Bruchkobel", "https://www.google.com/search?q=Eisenbahnstrasse+9+parking+Wollstadt", "https://www.google.com/search?q=Bertha+von+Suttner+Ring+3+parking+Langenhagen", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Burgwedel", "https://www.google.com/search?q=Bahnhofstrasse+46+parking+Schoneck", "https://www.google.com/search?q=Buschingstrasse+39+parking+Stadthagen", "https://www.google.com/search?q=Oberdurrbacher+Str+11+parking+Wurzburg", "https://www.google.com/search?q=Schutzenplatz+5+parking+Eilenburg", "https://www.google.com/search?q=Nordring+7+parking+Stadthagen", "https://www.google.com/search?q=Josef+Schneider+Strasse+4+parking+Wurzburg", "https://www.google.com/search?q=Unterwallweg+5+6+parking+Buckeburg", "https://www.google.com/search?q=Lindleinstrasse+1+parking+Wurzburg", "https://www.google.com/search?q=Adolph+Brosang+Strasse+33+parking+Wunstorf", "https://www.google.com/search?q=Josef+Schneider+Strasse+6+parking+Wurzburg", "https://www.google.com/search?q=Am+Herforder+Tor+2+parking+Bad", "https://www.google.com/search?q=Bahnhofpl+5+parking+Wurzburg", "https://www.google.com/search?q=Veitshochheimer+Str+5+parking+Wurzburg", "https://www.google.com/search?q=Roter+Weg+2+parking+Schoneck", "https://www.google.com/search?q=Hindenburgstrasse+56+parking+Wunstorf", "https://www.google.com/search?q=Sophienstrasse+5+parking+Bad", "https://www.google.com/search?q=Klusetor+21+parking+Lippstadt", "https://www.google.com/search?q=Konrad+Adenauer+Ring+10+parking+Lippstadt", "https://www.google.com/search?q=Bahnhofstrasse+12+18+parking+Wurzburg", "https://www.google.com/search?q=Jakobikirchstrasse+9+parking+Lippstadt", "https://www.google.com/search?q=Sudertor+8+parking+Lippstadt", "https://www.google.com/search?q=Pleichertorstrasse+6+parking+Wurzburg", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Rosbach", "https://www.google.com/search?q=Kahlenstrasse+10+parking+Lippstadt", "https://www.google.com/search?q=Konrad+Adenauer+Ring+1+parking+Lippstadt", "https://www.google.com/search?q=Rudigerstrasse+3+parking+Wurzburg", "https://www.google.com/search?q=Dartforder+Strasse+2+parking+Hanau", "https://www.google.com/search?q=Pleicherkirchgasse+1+parking+Wurzburg", "https://www.google.com/search?q=Friedberger+Strasse+19+parking+Hanau", "https://www.google.com/search?q=Kantstrasse+6+parking+Bad", "https://www.google.com/search?q=Bronnbachergasse+39+parking+Wurzburg", "https://www.google.com/search?q=Marktstrasse+22+parking+Lippstadt", "https://www.google.com/search?q=Lippertor+9+parking+Lippstadt", "https://www.google.com/search?q=Hauptstrasse+8+parking+Karben", "https://www.google.com/search?q=Marktplatz+3+parking+Wurzburg", "https://www.google.com/search?q=Balthasar+Neumann+Promenade+1+parking+Wurzburg", "https://www.google.com/search?q=Burkarderstrasse+3+parking+Wurzburg", "https://www.google.com/search?q=Eugen+Kaiser+Strasse+17+parking+Hanau", "https://www.google.com/search?q=Heinrich+Bott+Strasse+3+parking+Hanau", "https://www.google.com/search?q=Franziskanergasse+14+parking+Wurzburg", "https://www.google.com/search?q=Schlossplatz+4+parking+Hanau", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Geithain", "https://www.google.com/search?q=Wurzener+Landstrasse+13+14+parking+Eilenburg", "https://www.google.com/search?q=Langstrasse+14+parking+Hanau", "https://www.google.com/search?q=Bahnhofstrasse+59+parking+Solms", "https://www.google.com/search?q=Oberer+Burgweg+3+parking+Wurzburg", "https://www.google.com/search?q=Roderstrasse+1+parking+Hanau", "https://www.google.com/search?q=Nurnberger+Str+1+parking+Hanau", "https://www.google.com/search?q=Nurnberger+Strasse+14+parking+Hanau", "https://www.google.com/search?q=Am+Frankfurter+Tor+10+parking+Hanau", "https://www.google.com/search?q=Franzosische+Allee+19+parking+Hanau", "https://www.google.com/search?q=Am+Hauptbahnhof+10+parking+Hanau", "https://www.google.com/search?q=Ottostrasse+5+parking+Hanau", "https://www.google.com/search?q=Guterbahnhofstrasse+7+parking+Hanau", "https://www.google.com/search?q=Am+Steinheimer+Tor+19+parking+Hanau", "https://www.google.com/search?q=Steinheimer+Strasse+2+parking+Hanau", "https://www.google.com/search?q=Bahnhofstrasse+200+parking+Karben", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Ehringshausen", "https://www.google.com/search?q=Bahnhofstrasse+196+parking+Karben", "https://www.google.com/search?q=Roderseestrasse+2+parking+Hanau", "https://www.google.com/search?q=Burgallee+136+parking+Hanau", "https://www.google.com/search?q=Im+Tannengrund+3+parking+Wedemark", "https://www.google.com/search?q=Burgallee+119+parking+Hanau", "https://www.google.com/search?q=Luisenstrasse+21+parking+Hanau", "https://www.google.com/search?q=Uferstrasse+7+parking+Dillenburg", "https://www.google.com/search?q=Van+Brandes+Strasse+2+parking+Dillenburg", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Dillenburg", "https://www.google.com/search?q=Rathausstrasse+8+parking+Dillenburg", "https://www.google.com/search?q=Von+Arnoldi+Strasse+2+parking+Dillenburg", "https://www.google.com/search?q=Konrad+Adenauer+Allee+8+parking+Dillenburg", "https://www.google.com/search?q=Hauptstrasse+61+parking+Dillenburg", "https://www.google.com/search?q=Gartenstrasse+12+parking+Dillenburg", "https://www.google.com/search?q=Hintergasse+6+8+parking+Dillenburg", "https://www.google.com/search?q=Marbachstrasse+18+parking+Dillenburg", "https://www.google.com/search?q=Bahnhofsallee+28+parking+Solms", "https://www.google.com/search?q=Zum+Bahnhof+6+parking+Waldsolms", "https://www.google.com/search?q=Bettenweg+12+parking+Ehringshausen", "https://www.google.com/search?q=Fliegerstrasse+28+parking+Neustadt", "https://www.google.com/search?q=Oetkerstrasse+35+parking+Bielefeld", "https://www.google.com/search?q=Waterboerstrasse+2+parking+Bielefeld", "https://www.google.com/search?q=Detmolder+Strasse+223+parking+Bielefeld", "https://www.google.com/search?q=Hermann+Ilgen+Strasse+7+parking+Wurzen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Grimma", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Wurzen", "https://www.google.com/search?q=Bahnhofstrasse+131+parking+Maintal", "https://www.google.com/search?q=Bahnhofstrasse+117+parking+Maintal", "https://www.google.com/search?q=Max+Planck+Strasse+1+parking+Maintal", "https://www.google.com/search?q=Luitpoldstrasse+9+parking+Aschaffenburg", "https://www.google.com/search?q=Eitzer+Fohre+1+parking+Wedemark", "https://www.google.com/search?q=Am+Bahngleis+1+parking+Wedemark", "https://www.google.com/search?q=Milser+Strasse+42+parking+Bielefeld", "https://www.google.com/search?q=Am+Wingertsweg+4+parking+Muhlheim", "https://www.google.com/search?q=Pfingstweidstrasse+49+parking+Friedrichsdorf", "https://www.google.com/search?q=Tribenstrasse+9+parking+Herford", "https://www.google.com/search?q=Tribenstrasse+16+parking+Herford", "https://www.google.com/search?q=Fidelenstrasse+5+parking+Herford", "https://www.google.com/search?q=Burgsolmser+Strasse+4+parking+Leun", "https://www.google.com/search?q=Munsterkirchplatz+2+parking+Herford", "https://www.google.com/search?q=Auf+Der+Freiheit+3+parking+Herford", "https://www.google.com/search?q=Bielefelder+Strasse+9+parking+Herford", "https://www.google.com/search?q=Lohrstrasse+12+parking+Herford", "https://www.google.com/search?q=Teutoburger+Strasse+65+parking+Bielefeld", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Bad", "https://www.google.com/search?q=Hermann+Delius+Strasse+3+parking+Bielefeld", "https://www.google.com/search?q=Senefelder+Strasse+3+parking+Maintal", "https://www.google.com/search?q=Dieselstrasse+20+parking+Bad", "https://www.google.com/search?q=Dieselstrasse+19+parking+Bad", "https://www.google.com/search?q=Auf+Der+Freiheit+21+parking+Herford", "https://www.google.com/search?q=Werner+Bock+Strasse+36+parking+Bielefeld", "https://www.google.com/search?q=Am+Kreuzstein+88+parking+Maintal", "https://www.google.com/search?q=Dieselstrasse+1+parking+Bad", "https://www.google.com/search?q=Wittekindstrasse+22+parking+Herford", "https://www.google.com/search?q=Cheshamer+Str+2+parking+Friedrichsdorf", "https://www.google.com/search?q=Dammstrasse+8+parking+Muhlheim", "https://www.google.com/search?q=Am+Bahndamm+2+parking+Herford", "https://www.google.com/search?q=Turnerstrasse+39+parking+Bielefeld", "https://www.google.com/search?q=Werner+Bock+Strasse+34+parking+Bielefeld", "https://www.google.com/search?q=Am+Zollstock+17+parking+Friedrichsdorf", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+parking+Muhlheim", "https://www.google.com/search?q=Grenzweg+3+parking+Bielefeld", "https://www.google.com/search?q=Viktoriastrasse+8+parking+Minden", "https://www.google.com/search?q=Schwarzer+Weg+2+parking+Minden", "https://www.google.com/search?q=Bahnstrasse+4+parking+Minden", "https://www.google.com/search?q=Niddastrasse+3+parking+Bad", "https://www.google.com/search?q=Brunnenstrasse+4+parking+Bielefeld", "https://www.google.com/search?q=Frankfurter+Str+66+parking+Bad", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Seligenstadt", "https://www.google.com/search?q=Niederwall+26+parking+Bielefeld", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Bielefeld", "https://www.google.com/search?q=Kornerstrasse+8+parking+Bielefeld", "https://www.google.com/search?q=Uferstrasse+4+parking+Minden", "https://www.google.com/search?q=Am+Bach+9+parking+Bielefeld", "https://www.google.com/search?q=Van+Randenborgh+Weg+4+parking+Bielefeld", "https://www.google.com/search?q=Am+Bach+20+parking+Bielefeld", "https://www.google.com/search?q=Renteistrasse+5+parking+Bielefeld", "https://www.google.com/search?q=Waldhof+19+parking+Bielefeld", "https://www.google.com/search?q=Neumarkt+13+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+20+parking+Bielefeld", "https://www.google.com/search?q=Martiniweg+4+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+9+parking+Bielefeld", "https://www.google.com/search?q=Nebelswall+11+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+14+parking+Bielefeld", "https://www.google.com/search?q=Simeonsplatz+3+parking+Minden", "https://www.google.com/search?q=Ritterstrasse+5+parking+Bielefeld", "https://www.google.com/search?q=Am+Sudbahnhof+3+parking+Bad", "https://www.google.com/search?q=Zimmerstrasse+10+15+parking+Bielefeld", "https://www.google.com/search?q=Berkersheimer+Weg+3+parking+Bad", "https://www.google.com/search?q=Herrenhofstrasse+13+parking+Friedrichsdorf", "https://www.google.com/search?q=Leiterstrasse+14+parking+Minden", "https://www.google.com/search?q=Bahnhofstrasse+33+parking+Doberschutz", "https://www.google.com/search?q=Feilenstrasse+13+parking+Bielefeld", "https://www.google.com/search?q=Zimmerstrasse+21+parking+Bielefeld", "https://www.google.com/search?q=Nahariyastrasse+1+parking+Bielefeld", "https://www.google.com/search?q=Elsa+Brandstrom+Strasse+6+8+parking+Bielefeld", "https://www.google.com/search?q=Am+Zwinger+14+parking+Bielefeld", "https://www.google.com/search?q=Mercatorstrasse+11+parking+Bielefeld", "https://www.google.com/search?q=Elsa+Brandstrom+Strasse+8+parking+Bielefeld", "https://www.google.com/search?q=Herforder+Str+267+parking+Bielefeld", "https://www.google.com/search?q=Hellingstrasse+15+parking+Minden", "https://www.google.com/search?q=Friedenstrasse+16+parking+Bielefeld", "https://www.google.com/search?q=Marienwall+10+parking+Minden", "https://www.google.com/search?q=Joseph+Massolle+Strasse+1+parking+Bielefeld", "https://www.google.com/search?q=Kampstrasse+17+parking+Minden", "https://www.google.com/search?q=Kampstrasse+20+parking+Minden", "https://www.google.com/search?q=Grosse+Kurfursten+Strasse+75+parking+Bielefeld", "https://www.google.com/search?q=Bullenberg+25+parking+Celle", "https://www.google.com/search?q=Kopperner+Strasse+115+parking+Wehrheim", "https://www.google.com/search?q=Boulevard+7+parking+Bielefeld", "https://www.google.com/search?q=An+Der+Eisenbahn+4+parking+Neustadt", "https://www.google.com/search?q=Jollenbecker+Str+8+parking+Bielefeld", "https://www.google.com/search?q=Sudwall+3+parking+Celle", "https://www.google.com/search?q=Stadtring+Kattenstroth+130+parking+Gutersloh", "https://www.google.com/search?q=Herzog+Ernst+Ring+40+parking+Celle", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Wehrheim", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Usingen", "https://www.google.com/search?q=Bahnhofstrasse+33+parking+Usingen", "https://www.google.com/search?q=Schwartzkopffstrasse+11+parking+Bielefeld", "https://www.google.com/search?q=Fritzenwiese+50+parking+Celle", "https://www.google.com/search?q=Am+Muhlberg+12+parking+Wehrheim", "https://www.google.com/search?q=Stapenhorststrasse+100+parking+Bielefeld", "https://www.google.com/search?q=Bahnhofstrasse+17+parking+Leun", "https://www.google.com/search?q=Lampingstrasse+16+parking+Bielefeld", "https://www.google.com/search?q=Westerfeldstrasse+17+parking+Bielefeld", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Wedemark", "https://www.google.com/search?q=Dornberger+Str+149+parking+Bielefeld", "https://www.google.com/search?q=Naunstadter+Strasse+25+parking+Gravenwiesbach", "https://www.google.com/search?q=Kalbacher+Strasse+11+parking+Bad", "https://www.google.com/search?q=Kirchstrasse+16+parking+Gutersloh", "https://www.google.com/search?q=Prager+Strasse+4+parking+Frankfurt", "https://www.google.com/search?q=Im+Atzelnest+11+parking+Bad", "https://www.google.com/search?q=Arendsstrasse+12+parking+Offenbach", "https://www.google.com/search?q=Kisseleffstrasse+5+parking+Bad", "https://www.google.com/search?q=Eschbacher+Weg+6+parking+Bad", "https://www.google.com/search?q=Borsigallee+39+parking+Frankfurt", "https://www.google.com/search?q=Borsigallee+26+parking+Frankfurt", "https://www.google.com/search?q=Herrengarten+4+parking+Usingen", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+20+parking+Gutersloh", "https://www.google.com/search?q=Im+Grossen+Ahl+32+parking+Offenbach", "https://www.google.com/search?q=Otto+Wels+Strasse+36+parking+Obertshausen", "https://www.google.com/search?q=Klingelbrink+15+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Lange+Strasse+86+88+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Lichtestrasse+3+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Markwaldstrasse+45+parking+Offenbach", "https://www.google.com/search?q=Bruhlstrasse+25+parking+Obertshausen", "https://www.google.com/search?q=Borsigallee+24+parking+Frankfurt", "https://www.google.com/search?q=Markwaldstrasse+40+parking+Offenbach", "https://www.google.com/search?q=Nordwall+11+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Kisseleffstrasse+7+parking+Bad", "https://www.google.com/search?q=Markwaldstrasse+26+parking+Offenbach", "https://www.google.com/search?q=Kisseleffstrasse+1+3+parking+Bad", "https://www.google.com/search?q=Auf+Der+Schanze+2+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Schwedenpfad+7+parking+Bad", "https://www.google.com/search?q=Markwaldstrasse+15+parking+Offenbach", "https://www.google.com/search?q=Markwaldstrasse+14+parking+Offenbach", "https://www.google.com/search?q=Schone+Aussicht+8+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Rodgau", "https://www.google.com/search?q=Bamberger+Str+6+parking+Forchheim", "https://www.google.com/search?q=Dietesheimer+Strasse+41+parking+Offenbach", "https://www.google.com/search?q=Herrngasse+1+parking+Bad", "https://www.google.com/search?q=Poststrasse+11+parking+Offenbach", "https://www.google.com/search?q=Paradepl+20+22+parking+Forchheim", "https://www.google.com/search?q=Untere+Grenzstrasse+6+parking+Offenbach", "https://www.google.com/search?q=Bierbrauerweg+37+parking+Offenbach", "https://www.google.com/search?q=Bahnhofstrasse+168+parking+Neu+Anspach", "https://www.google.com/search?q=Aschaffenburger+Str+113+parking+Offenbach", "https://www.google.com/search?q=An+Der+Eisenbahn+1+parking+Neu+Anspach", "https://www.google.com/search?q=Lammerspieler+Weg+27+parking+Offenbach", "https://www.google.com/search?q=Friedhofstrasse+21+parking+Offenbach", "https://www.google.com/search?q=Schonbornstrasse+27+parking+Forchheim", "https://www.google.com/search?q=Alte+Bahnhofstrasse+37+parking+Wurzen", "https://www.google.com/search?q=Homburger+Landstrasse+467+parking+Frankfurt", "https://www.google.com/search?q=Am+Dorfgarten+67+parking+Frankfurt", "https://www.google.com/search?q=Unterer+Kalbacher+Weg+71+parking+Frankfurt", "https://www.google.com/search?q=Ziegelstrasse+27+parking+Offenbach", "https://www.google.com/search?q=Goerdelerstrasse+145+parking+Offenbach", "https://www.google.com/search?q=Obere+Grenzstrasse+162+parking+Offenbach", "https://www.google.com/search?q=Mainstrasse+22+parking+Offenbach", "https://www.google.com/search?q=Franzosisches+Gasschen+10+parking+Offenbach", "https://www.google.com/search?q=Berliner+Strasse+60+parking+Offenbach", "https://www.google.com/search?q=Wilhelmspl+18+parking+Offenbach", "https://www.google.com/search?q=Rochusstrasse+7+parking+Rodgau", "https://www.google.com/search?q=Berliner+Str+111+parking+Offenbach", "https://www.google.com/search?q=Waldstrasse+4+parking+Offenbach", "https://www.google.com/search?q=Berliner+Strasse+111+parking+Offenbach", "https://www.google.com/search?q=Geleitsstrasse+25+parking+Offenbach", "https://www.google.com/search?q=Waldstrasse+44+parking+Offenbach", "https://www.google.com/search?q=Am+Domhof+20+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Schulte+Monting+Strasse+2+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Berliner+Strasse+167+parking+Offenbach", "https://www.google.com/search?q=Schulte+Monting+Strasse+5+19+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Hospitalstrasse+9+parking+Offenbach", "https://www.google.com/search?q=Frankfurter+Str+89+parking+Offenbach", "https://www.google.com/search?q=Am+Stadtgraben+4+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Berliner+Str+206+216+parking+Offenbach", "https://www.google.com/search?q=Nelmannwall+2+parking+Soest", "https://www.google.com/search?q=Thomator+8+parking+Soest", "https://www.google.com/search?q=Ludwigstrasse+65+parking+Offenbach", "https://www.google.com/search?q=Goethering+50+parking+Offenbach", "https://www.google.com/search?q=Immermannwall+24+parking+Soest", "https://www.google.com/search?q=Weserstrasse+45+parking+Offenbach", "https://www.google.com/search?q=Bahnhofsplatz+6+parking+Rheda+Wiedenbruck", "https://www.google.com/search?q=Hainbachweg+2+parking+Offenbach", "https://www.google.com/search?q=Eisenbahnstrasse+75+parking+Rodgau", "https://www.google.com/search?q=Altes+Stellwerk+5+parking+Soest", "https://www.google.com/search?q=Eisenbahnstrasse+53+parking+Rodgau", "https://www.google.com/search?q=Grandweg+26+parking+Soest", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Mockrehna", "https://www.google.com/search?q=Severinstrasse+3+parking+Soest", "https://www.google.com/search?q=Waldstrasse+319+parking+Offenbach", "https://www.google.com/search?q=Ulricherstrasse+4+parking+Soest", "https://www.google.com/search?q=Am+Huttenkrug+8+parking+Neustadt", "https://www.google.com/search?q=Dasselwall+1+parking+Soest", "https://www.google.com/search?q=Sprendlinger+Landstrasse+32+parking+Offenbach", "https://www.google.com/search?q=Kohlbrink+11+parking+Soest", "https://www.google.com/search?q=Hoggenstrasse+8+parking+Soest", "https://www.google.com/search?q=An+Der+Sandelmuhle+50+parking+Frankfurt", "https://www.google.com/search?q=Werkstrasse+12+parking+Soest", "https://www.google.com/search?q=Jahnstrasse+50+parking+Heusenstamm", "https://www.google.com/search?q=Dominikanerstrasse+5+parking+Soest", "https://www.google.com/search?q=Freiligrathwall+33+parking+Soest", "https://www.google.com/search?q=Jahnstrasse+3+parking+Heusenstamm", "https://www.google.com/search?q=Hagenstrasse+32+parking+Enger", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Lohnberg", "https://www.google.com/search?q=Aldegreverwall+43+parking+Soest", "https://www.google.com/search?q=Rheinstrasse+43+parking+Rodgau", "https://www.google.com/search?q=Am+Bahnhof+8+parking+Soest", "https://www.google.com/search?q=Karlstrasse+18+parking+Rodgau", "https://www.google.com/search?q=Burgstrasse+17+parking+Enger", "https://www.google.com/search?q=Steinstrasse+21+parking+Enger", "https://www.google.com/search?q=Eichelgasse+58+parking+Wertheim", "https://www.google.com/search?q=Mathildenstrasse+15+parking+Enger", "https://www.google.com/search?q=Waldschmidtstrasse+41+47+parking+Frankfurt", "https://www.google.com/search?q=Bachstrasse+7+parking+Enger", "https://www.google.com/search?q=Barmeierplatz+3+parking+Enger", "https://www.google.com/search?q=Feldbergstrasse+1+parking+Oberursel", "https://www.google.com/search?q=Barmeierplatz+7+parking+Enger", "https://www.google.com/search?q=Kurt+Tucholsky+Strasse+10+parking+Offenbach", "https://www.google.com/search?q=Epinayplatz+3+parking+Oberursel", "https://www.google.com/search?q=Bolldammstrasse+14+parking+Enger", "https://www.google.com/search?q=Osw+v+Nell+Breuning+Strasse+3+parking+Offenbach", "https://www.google.com/search?q=Bahnhofstrasse+52+54+parking+Enger", "https://www.google.com/search?q=Waldschmidtstrasse+6+parking+Frankfurt", "https://www.google.com/search?q=Kirchstrasse+5+7+parking+Enger", "https://www.google.com/search?q=Brandstrasse+12+parking+Enger", "https://www.google.com/search?q=Georg+August+Zinn+Strasse+3+parking+Rodgau", "https://www.google.com/search?q=Brandstrasse+11+parking+Enger", "https://www.google.com/search?q=Bommersheimer+Strasse+1+parking+Oberursel", "https://www.google.com/search?q=Holzweg+30+parking+Oberursel", "https://www.google.com/search?q=Hanauer+Landstrasse+118+parking+Frankfurt", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Enger", "https://www.google.com/search?q=Anton+Bruckner+Strasse+32+parking+Offenbach", "https://www.google.com/search?q=Frankfurter+Landstrasse+7+parking+Oberursel", "https://www.google.com/search?q=Carl+von+Ossietzky+Weg+2+parking+Offenbach", "https://www.google.com/search?q=Carl+von+Ossietzky+Weg+18+parking+Offenbach", "https://www.google.com/search?q=Auf+Der+Rosenhohe+29+parking+Offenbach", "https://www.google.com/search?q=Mauerfeldstrasse+1+parking+Oberursel", "https://www.google.com/search?q=Schumannstrasse+26+parking+Offenbach", "https://www.google.com/search?q=Oberhochstadter+Strasse+5+parking+Oberursel", "https://www.google.com/search?q=Schumannstrasse+140+parking+Offenbach", "https://www.google.com/search?q=Auf+Der+Rosenhohe+60+parking+Offenbach", "https://www.google.com/search?q=Eschersheimer+Landstrasse+223+parking+Frankfurt", "https://www.google.com/search?q=Erich+Ollenhauer+Ring+8+parking+Frankfurt", "https://www.google.com/search?q=Grune+Str+9+parking+Frankfurt", "https://www.google.com/search?q=Conrad+Wellin+Strasse+6+parking+Wertheim", "https://www.google.com/search?q=Klapperfeldstrasse+8+parking+Frankfurt", "https://www.google.com/search?q=Sonnemannstrasse+13+parking+Frankfurt", "https://www.google.com/search?q=Vilbeler+Str+27+parking+Frankfurt", "https://www.google.com/search?q=Querstrasse+7+9+parking+Frankfurt", "https://www.google.com/search?q=Zimmersmuhlenweg+83+parking+Oberursel", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Babenhausen", "https://www.google.com/search?q=Bronnerstrasse+6+parking+Frankfurt", "https://www.google.com/search?q=Tongesgasse+8+parking+Frankfurt", "https://www.google.com/search?q=Lohnberger+Weg+28+parking+Weilburg", "https://www.google.com/search?q=Grosse+Eschenheimer+Str+10+parking+Frankfurt", "https://www.google.com/search?q=Hochstrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Taubenstrasse+11+parking+Frankfurt", "https://www.google.com/search?q=Domstrasse+1+parking+Frankfurt", "https://www.google.com/search?q=An+Der+Kleinmarkthalle+7+parking+Frankfurt", "https://www.google.com/search?q=Meisengasse+4+parking+Frankfurt", "https://www.google.com/search?q=Buchnerstrasse+8+parking+Rodgau", "https://www.google.com/search?q=Bockenheimer+Anlage+39+parking+Frankfurt", "https://www.google.com/search?q=Kornmarkt+10+parking+Frankfurt", "https://www.google.com/search?q=Hochstrasse+46+parking+Frankfurt", "https://www.google.com/search?q=Hohemarkstrasse+190+parking+Oberursel", "https://www.google.com/search?q=Bockenheimer+Anlage+47+parking+Frankfurt", "https://www.google.com/search?q=Siesmayerstrasse+66+parking+Frankfurt", "https://www.google.com/search?q=Junghofstrasse+3+parking+Frankfurt", "https://www.google.com/search?q=Junghofstrasse+16+parking+Frankfurt", "https://www.google.com/search?q=Siesmayerstrasse+61+parking+Frankfurt", "https://www.google.com/search?q=Walter+Kolb+Strasse+16+parking+Frankfurt", "https://www.google.com/search?q=Bethmannstrasse+50+54+parking+Frankfurt", "https://www.google.com/search?q=Bahnstrasse+99+parking+Steinbach", "https://www.google.com/search?q=Mainzer+Landstrasse+16+parking+Frankfurt", "https://www.google.com/search?q=Untermainanlage+4+parking+Frankfurt", "https://www.google.com/search?q=Grafstrasse+95+parking+Frankfurt", "https://www.google.com/search?q=Schumannstrasse+59+parking+Frankfurt", "https://www.google.com/search?q=Juliusstrasse+17+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+9+parking+Siegen", "https://www.google.com/search?q=Zum+Bahnhof+5+parking+Neustadt", "https://www.google.com/search?q=Bettinapl+5+parking+Frankfurt", "https://www.google.com/search?q=Savignystrasse+1+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+24+parking+Siegen", "https://www.google.com/search?q=Adalbertstrasse+10+parking+Frankfurt", "https://www.google.com/search?q=Moselstrasse+41+43+parking+Frankfurt", "https://www.google.com/search?q=Kampenstrasse+15+parking+Siegen", "https://www.google.com/search?q=Wilhelm+Leuschner+Strasse+32+parking+Frankfurt", "https://www.google.com/search?q=Bismarckstrasse+45+parking+Siegen", "https://www.google.com/search?q=Am+Hauptbahnhof+8+parking+Frankfurt", "https://www.google.com/search?q=Poststrasse+1+parking+Frankfurt", "https://www.google.com/search?q=Wiesenhuttenpl+28+38+parking+Frankfurt", "https://www.google.com/search?q=Burgstrasse+20+parking+Siegen", "https://www.google.com/search?q=Poststrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Gutleutstrasse+89+parking+Frankfurt", "https://www.google.com/search?q=Hamburger+Allee+2+parking+Frankfurt", "https://www.google.com/search?q=Assar+Gabrielsson+Strasse+2A+parking+Dietzenbach", "https://www.google.com/search?q=Breitenbachstrasse+3+parking+Frankfurt", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+49+parking+Frankfurt", "https://www.google.com/search?q=Heerstrasse+190+parking+Frankfurt", "https://www.google.com/search?q=Karlsruher+Str+16+parking+Frankfurt", "https://www.google.com/search?q=Poststrasse+5+parking+Frankfurt", "https://www.google.com/search?q=Hinterstrasse+53+parking+Siegen", "https://www.google.com/search?q=Stuttgarter+Str+37+parking+Frankfurt", "https://www.google.com/search?q=Kasseler+Str+3+parking+Frankfurt", "https://www.google.com/search?q=Kasseler+Str+1+parking+Frankfurt", "https://www.google.com/search?q=Europa+Allee+6+parking+Frankfurt", "https://www.google.com/search?q=Theodor+Heuss+Allee+3+5+parking+Frankfurt", "https://www.google.com/search?q=Heeserstrasse+26+parking+Siegen", "https://www.google.com/search?q=Burgermeister+Fischer+Strasse+3+parking+Baiersdorf", "https://www.google.com/search?q=Kennedyallee+70+parking+Frankfurt", "https://www.google.com/search?q=Ahornweg+37+parking+Baiersdorf", "https://www.google.com/search?q=Rijnsburger+Str+1+parking+Siegen", "https://www.google.com/search?q=Den+Haager+Str+5+parking+Frankfurt", "https://www.google.com/search?q=Lohrtor+2+parking+Siegen", "https://www.google.com/search?q=Heeserstrasse+4+parking+Siegen", "https://www.google.com/search?q=Obergraben+30+parking+Siegen", "https://www.google.com/search?q=Philipp+Reis+Strasse+16+18+parking+Dietzenbach", "https://www.google.com/search?q=Morleystrasse+7+parking+Siegen", "https://www.google.com/search?q=An+Der+Unterfuhrung+22+parking+Siegen", "https://www.google.com/search?q=Georg+Friedrich+Handel+Strasse+24+parking+Leisnig", "https://www.google.com/search?q=Morleystrasse+17+parking+Siegen", "https://www.google.com/search?q=Theodor+Stern+Kai+7+parking+Frankfurt", "https://www.google.com/search?q=Leonardo+da+Vinci+Allee+2+parking+Frankfurt", "https://www.google.com/search?q=Eiserfelder+Str+9+parking+Siegen", "https://www.google.com/search?q=Sandhofstrasse+3+5+parking+Frankfurt", "https://www.google.com/search?q=Marienburgstrasse+2+parking+Frankfurt", "https://www.google.com/search?q=Eisenbahnstrasse+15+parking+Dietzenbach", "https://www.google.com/search?q=Isenburger+Schneise+200+parking+Frankfurt", "https://www.google.com/search?q=Campus+Kronberg+1+parking+Kronberg", "https://www.google.com/search?q=Kleyerstrasse+92+parking+Frankfurt", "https://www.google.com/search?q=Stuttgarter+Str+9+parking+Eschborn", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Kronberg", "https://www.google.com/search?q=Peterstrasse+16+parking+Neu+Isenburg", "https://www.google.com/search?q=Rudolf+Diesel+Strasse+2+parking+Eschborn", "https://www.google.com/search?q=Dieburger+Strasse+117+parking+Rodermark", "https://www.google.com/search?q=Eisenbahnstrasse+17+parking+Rodermark", "https://www.google.com/search?q=Schwalbacher+Strasse+30+parking+Eschborn", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Bubenreuth", "https://www.google.com/search?q=Kleyerstrasse+130+parking+Frankfurt", "https://www.google.com/search?q=Schulstrasse+8+parking+Arnsberg", "https://www.google.com/search?q=Lange+Wende+47+parking+Arnsberg", "https://www.google.com/search?q=Schobbostrasse+32+parking+Arnsberg", "https://www.google.com/search?q=Lange+Wende+16+parking+Arnsberg", "https://www.google.com/search?q=Hahnstrasse+43+parking+Frankfurt", "https://www.google.com/search?q=Goethestrasse+25+parking+Arnsberg", "https://www.google.com/search?q=Mohnestrasse+3+parking+Arnsberg", "https://www.google.com/search?q=Werler+Strasse+8+parking+Arnsberg", "https://www.google.com/search?q=Schwanheimer+Str+175+parking+Frankfurt", "https://www.google.com/search?q=Mohnepforte+1+parking+Arnsberg", "https://www.google.com/search?q=Ackerstrasse+2+parking+Arnsberg", "https://www.google.com/search?q=Bruchwiesenstrasse+6+parking+Rodermark", "https://www.google.com/search?q=An+Der+Gehespitz+20+parking+Neu+Isenburg", "https://www.google.com/search?q=Leistenbachstrasse+1+parking+Villmar", "https://www.google.com/search?q=L+3095+parking+Munster", "https://www.google.com/search?q=Feldstrasse+1+parking+Eppertshausen", "https://www.google.com/search?q=Flughafenstrasse+104+parking+Frankfurt", "https://www.google.com/search?q=Ladestrasse+4+parking+Dahlen", "https://www.google.com/search?q=Ladestrasse+3+parking+Dahlen", "https://www.google.com/search?q=Wilhelm+Beckel+Strasse+3+parking+Frankfurt", "https://www.google.com/search?q=Rathsberger+Strasse+59+parking+Erlangen", "https://www.google.com/search?q=Staufenstrasse+3+parking+Sulzbach", "https://www.google.com/search?q=Wiesenstrasse+3+parking+Sulzbach", "https://www.google.com/search?q=Fritz+Klatte+Strasse+2+parking+Frankfurt", "https://www.google.com/search?q=Fuchsengarten+5+parking+Erlangen", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Bad", "https://www.google.com/search?q=Fuchsengarten+1+parking+Erlangen", "https://www.google.com/search?q=Theaterplatz+31+parking+Erlangen", "https://www.google.com/search?q=Bahnhofsplatz+23+parking+Munster", "https://www.google.com/search?q=Hainer+Chaussee+55+parking+Dreieich", "https://www.google.com/search?q=Emmerich+Josef+Strasse+24+28+parking+Frankfurt", "https://www.google.com/search?q=Friedrich+List+Strasse+8+parking+Erlangen", "https://www.google.com/search?q=Adelonstrasse+27+parking+Frankfurt", "https://www.google.com/search?q=Dalbergstrasse+8+parking+Frankfurt", "https://www.google.com/search?q=Bahnhofstrasse+54+parking+Waldheim", "https://www.google.com/search?q=Henkestrasse+7+parking+Erlangen", "https://www.google.com/search?q=Wilhelmstrasse+35+parking+Beckum", "https://www.google.com/search?q=Adolf+Haeuser+Strasse+1+parking+Frankfurt", "https://www.google.com/search?q=Clemens+August+Strasse+17+parking+Beckum", "https://www.google.com/search?q=Buchschlager+Allee+4+parking+Dreieich", "https://www.google.com/search?q=Elisabethstrasse+4+parking+Beckum", "https://www.google.com/search?q=Schuhstrasse+42+parking+Erlangen", "https://www.google.com/search?q=Sedanstrasse+2+parking+Erlangen", "https://www.google.com/search?q=Sedanstrasse+1+parking+Erlangen", "https://www.google.com/search?q=Nordwall+3+parking+Beckum", "https://www.google.com/search?q=Huhlstrasse+13+parking+Beckum", "https://www.google.com/search?q=Saalbach+17+parking+Hartha", "https://www.google.com/search?q=Nagelsbachstrasse+33+parking+Erlangen", "https://www.google.com/search?q=Sudstrasse+44+parking+Beckum", "https://www.google.com/search?q=Nordwall+37+parking+Beckum", "https://www.google.com/search?q=K+7542+parking+Grossweitzschen", "https://www.google.com/search?q=Raiffeisenstrasse+6+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Emskirchen", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Emskirchen", "https://www.google.com/search?q=Am+Bahnhof+17+parking+Dieburg", "https://www.google.com/search?q=Unterau+2+parking+Villmar", "https://www.google.com/search?q=Hugo+Eckener+Ring+174+parking+Frankfurt", "https://www.google.com/search?q=Kapitan+Lehmann+Strasse+174+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+149+parking+Frankfurt", "https://www.google.com/search?q=Hugo+Eckener+Ring+1+parking+Frankfurt", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Liederbach", "https://www.google.com/search?q=Steinerstrasse+65+parking+Werl", "https://www.google.com/search?q=Pengel+Pad+23+parking+Werl", "https://www.google.com/search?q=Hedwig+Dransfeld+Strasse+54+parking+Werl", "https://www.google.com/search?q=Paul+Gerhardt+Strasse+19+parking+Werl", "https://www.google.com/search?q=Sponnierstrasse+12+parking+Werl", "https://www.google.com/search?q=Steinergraben+3+parking+Werl", "https://www.google.com/search?q=Kurze+Str+7+parking+Werl", "https://www.google.com/search?q=Hedwig+Dransfeld+Strasse+10+parking+Werl", "https://www.google.com/search?q=Hauptstrasse+20+parking+Ziegra+Knobelsdorf", "https://www.google.com/search?q=Kamperstrasse+11+13+parking+Werl", "https://www.google.com/search?q=Sandgasse+1+parking+Werl", "https://www.google.com/search?q=Grafenstrasse+9+parking+Werl", "https://www.google.com/search?q=Grafenstrasse+6+parking+Werl", "https://www.google.com/search?q=Kamperstrasse+61+parking+Werl", "https://www.google.com/search?q=Spitalgasse+3+parking+Werl", "https://www.google.com/search?q=Walburgisstrasse+12+parking+Werl", "https://www.google.com/search?q=Siederstrasse+17+parking+Werl", "https://www.google.com/search?q=Hauptstrasse+46+parking+Kelkheim", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Selters", "https://www.google.com/search?q=Hammer+Str+1+parking+Werl", "https://www.google.com/search?q=Westendstrasse+6+parking+Langen", "https://www.google.com/search?q=Hammer+Str+10+parking+Werl", "https://www.google.com/search?q=Wilhelmstrasse+4+parking+Kelkheim", "https://www.google.com/search?q=Wilhelmstrasse+12+parking+Kelkheim", "https://www.google.com/search?q=Am+Weissen+Stein+14+parking+Langen", "https://www.google.com/search?q=Hugo+Eckener+Ring+232+parking+Frankfurt", "https://www.google.com/search?q=Sindlinger+Bahnstrasse+103+parking+Frankfurt", "https://www.google.com/search?q=Albert+Blank+Strasse+2+parking+Frankfurt", "https://www.google.com/search?q=Caspar+Hofmann+Platz+1+parking+Bad", "https://www.google.com/search?q=Grundweg+34+parking+Hagenbuchach", "https://www.google.com/search?q=Martinstrasse+10+parking+Olpe", "https://www.google.com/search?q=Kolner+Str+3+parking+Olpe", "https://www.google.com/search?q=Bruchstrasse+7+parking+Olpe", "https://www.google.com/search?q=Franziskanerstrasse+4+parking+Olpe", "https://www.google.com/search?q=Morfelder+Str+113+parking+Kelsterbach", "https://www.google.com/search?q=Frankfurter+Strasse+2+parking+Brechen", "https://www.google.com/search?q=Am+Bahnhof+11+parking+Bad", "https://www.google.com/search?q=Am+Welschgraben+1+parking+Hattersheim", "https://www.google.com/search?q=Am+Sudpark+7+parking+Kelsterbach", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Otzberg", "https://www.google.com/search?q=Georg+Wehsarg+Strasse+7+parking+Egelsbach", "https://www.google.com/search?q=Aschaffenburger+Str+20+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Wolfsgartenstrasse+2+parking+Egelsbach", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Kriftel", "https://www.google.com/search?q=Platz+Von+Airaines+2+parking+Kriftel", "https://www.google.com/search?q=Bahnhofstrasse+35+parking+Brechen", "https://www.google.com/search?q=Bahnhofstrasse+41+parking+Brechen", "https://www.google.com/search?q=Hauptstrasse+1+parking+Hattersheim", "https://www.google.com/search?q=Neumarkt+9+parking+Nienburg", "https://www.google.com/search?q=Lindenstrasse+52+parking+Hattersheim", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Hofheim", "https://www.google.com/search?q=Friedrich+Ludwig+Jahn+Strasse+40+parking+Nienburg", "https://www.google.com/search?q=Bahnhofweg+9+parking+Puschendorf", "https://www.google.com/search?q=Milchweg+11+parking+Puschendorf", "https://www.google.com/search?q=Schlossplatz+13+parking+Nienburg", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Nienburg", "https://www.google.com/search?q=Piemontstrasse+1+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Hinter+Den+Hofen+8+parking+Nienburg", "https://www.google.com/search?q=Bruckenstrasse+4+parking+Nienburg", "https://www.google.com/search?q=Hauptstrasse+3+parking+Hofheim", "https://www.google.com/search?q=Oyler+Strasse+998+parking+Nienburg", "https://www.google.com/search?q=Elisabethenstrasse+3+parking+Hofheim", "https://www.google.com/search?q=Hattersheimer+Str+25+parking+Hofheim", "https://www.google.com/search?q=Elisabethenstrasse+2+parking+Hofheim", "https://www.google.com/search?q=Ostendstrasse+4+parking+Erzhausen", "https://www.google.com/search?q=Friedrichstrasse+1+parking+Dobeln", "https://www.google.com/search?q=Am+Untertor+4+parking+Hofheim", "https://www.google.com/search?q=Am+Alten+Bach+6+parking+Hofheim", "https://www.google.com/search?q=Am+Alten+Bach+5+parking+Hofheim", "https://www.google.com/search?q=Hattersheimer+Str+6+parking+Hofheim", "https://www.google.com/search?q=Lorsbacher+Str+1+parking+Hofheim", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Limburg", "https://www.google.com/search?q=Escher+Str+2+parking+Idstein", "https://www.google.com/search?q=Bahnhofstrasse+43A+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+38+parking+Limburg", "https://www.google.com/search?q=L+3026+parking+Idstein", "https://www.google.com/search?q=Balver+Strasse+92+parking+Menden", "https://www.google.com/search?q=Starkenburgstrasse+13+parking+Morfelden+Walldorf", "https://www.google.com/search?q=Am+Hexenturm+5+parking+Idstein", "https://www.google.com/search?q=Auf+Dem+Hecken+28+parking+Eppstein", "https://www.google.com/search?q=Bahnstrasse+15+19+parking+Eppstein", "https://www.google.com/search?q=Limburger+Str+21+parking+Idstein", "https://www.google.com/search?q=Schulze+Delitzsch+Strasse+3+parking+Idstein", "https://www.google.com/search?q=Niederjosbacher+Str+18+parking+Eppstein", "https://www.google.com/search?q=Im+Hopfenstuck+3+parking+Idstein", "https://www.google.com/search?q=Am+Tornigskamp+2+parking+Menden", "https://www.google.com/search?q=Nurnberger+Strasse+18+parking+Markt", "https://www.google.com/search?q=Am+Hunenkopfchen+1+parking+Menden", "https://www.google.com/search?q=Beilrode+4+parking+Beilrode", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Idstein", "https://www.google.com/search?q=Walramstrasse+3+7+parking+Menden", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Reinheim", "https://www.google.com/search?q=Londoner+Str+5+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Menden", "https://www.google.com/search?q=Seegartenstrasse+1+parking+Darmstadt", "https://www.google.com/search?q=Am+Weissen+Stein+19+parking+Idstein", "https://www.google.com/search?q=Nurnberger+Strasse+25+parking+Langenzenn", "https://www.google.com/search?q=Bromberken+8+parking+Menden", "https://www.google.com/search?q=Westwall+19+parking+Menden", "https://www.google.com/search?q=Westwall+2+parking+Menden", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Reinheim", "https://www.google.com/search?q=Untere+Promenade+2+parking+Menden", "https://www.google.com/search?q=Am+Honneufer+1+parking+Menden", "https://www.google.com/search?q=Unnaer+Strasse+51+parking+Menden", "https://www.google.com/search?q=Leitmecke+6+parking+Menden", "https://www.google.com/search?q=Ilfelder+Pl+3+parking+Niedernhausen", "https://www.google.com/search?q=Werler+Strasse+6+parking+Menden", "https://www.google.com/search?q=Untere+Promenade+12+parking+Menden", "https://www.google.com/search?q=Schlossgartenstrasse+3+parking+Wilhermsdorf", "https://www.google.com/search?q=Weilbacher+Str+4+parking+Hattersheim", "https://www.google.com/search?q=Frankfurter+Str+10+parking+Limburg", "https://www.google.com/search?q=Bahnstrasse+2+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+27+parking+Bad", "https://www.google.com/search?q=Werkstrasse+15+parking+Bad", "https://www.google.com/search?q=Werner+Senger+Strasse+1+parking+Limburg", "https://www.google.com/search?q=Stephanshugel+1+parking+Limburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wusterwitz", "https://www.google.com/search?q=Ulmenallee+18+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+75+parking+Raunheim", "https://www.google.com/search?q=Kapellenstrasse+35+parking+Furth", "https://www.google.com/search?q=Ostwall+1+parking+Warendorf", "https://www.google.com/search?q=Molkenstrasse+2+parking+Warendorf", "https://www.google.com/search?q=Molkenstrasse+9+parking+Warendorf", "https://www.google.com/search?q=Kapellenstrasse+13+parking+Furth", "https://www.google.com/search?q=Konigstrasse+14+parking+Hamm", "https://www.google.com/search?q=Ostwall+10+parking+Warendorf", "https://www.google.com/search?q=Franziskanerstrasse+2+parking+Hamm", "https://www.google.com/search?q=Bulstrasse+11+parking+Warendorf", "https://www.google.com/search?q=Hugelstrasse+5+parking+Ober+Ramstadt", "https://www.google.com/search?q=Laubenweg+6+parking+Furth", "https://www.google.com/search?q=Ulmenstrasse+3+parking+Furth", "https://www.google.com/search?q=Hollweg+1+parking+Florsheim", "https://www.google.com/search?q=Zwischen+Den+Emsbrucken+2+parking+Warendorf", "https://www.google.com/search?q=Nordenwall+5+parking+Hamm", "https://www.google.com/search?q=Rosenstrasse+50+parking+Furth", "https://www.google.com/search?q=Ulmenweg+1+parking+Furth", "https://www.google.com/search?q=Uferstrasse+13+parking+Furth", "https://www.google.com/search?q=Freckenhorster+Wall+1+parking+Warendorf", "https://www.google.com/search?q=Mohrenstrasse+6+parking+Furth", "https://www.google.com/search?q=Lange+Kesselstrasse+6+12+parking+Warendorf", "https://www.google.com/search?q=Hollweg+7+parking+Florsheim", "https://www.google.com/search?q=Alexanderstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Sudring+3+parking+Hamm", "https://www.google.com/search?q=Munsterwall+10+parking+Warendorf", "https://www.google.com/search?q=Konigspl+2+parking+Furth", "https://www.google.com/search?q=Friedrichstrasse+11+parking+Hamm", "https://www.google.com/search?q=Alexanderstrasse+2+parking+Darmstadt", "https://www.google.com/search?q=Helmstrasse+1+parking+Furth", "https://www.google.com/search?q=Westenwall+16+parking+Hamm", "https://www.google.com/search?q=Emspromenade+5+parking+Warendorf", "https://www.google.com/search?q=Ritterstrasse+24+parking+Hamm", "https://www.google.com/search?q=Emspromenade+1+parking+Warendorf", "https://www.google.com/search?q=Munsterstrasse+27+parking+Warendorf", "https://www.google.com/search?q=Wilhelmstrasse+9+13+parking+Warendorf", "https://www.google.com/search?q=Helmstrasse+10+parking+Furth", "https://www.google.com/search?q=Brinkstrasse+1+parking+Warendorf", "https://www.google.com/search?q=Munsterstrasse+29+parking+Warendorf", "https://www.google.com/search?q=Karolinenplatz+1+parking+Darmstadt", "https://www.google.com/search?q=Konigstrasse+112+114+parking+Furth", "https://www.google.com/search?q=Wiesengrund+3+parking+Warendorf", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Warendorf", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Hamm", "https://www.google.com/search?q=Willy+Brandt+Platz+5+parking+Hamm", "https://www.google.com/search?q=Holzstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+8+parking+Cadolzburg", "https://www.google.com/search?q=Friedenspl+2+parking+Darmstadt", "https://www.google.com/search?q=Bahnhofsplatz+1+parking+Cadolzburg", "https://www.google.com/search?q=Friedenspl+4+parking+Darmstadt", "https://www.google.com/search?q=Hallstrasse+5+parking+Furth", "https://www.google.com/search?q=Poststrasse+4+parking+Hamm", "https://www.google.com/search?q=Gustav+Heinemann+Strasse+14+parking+Hamm", "https://www.google.com/search?q=Mathildenstrasse+6+parking+Furth", "https://www.google.com/search?q=Wilhelminenstrasse+1+parking+Darmstadt", "https://www.google.com/search?q=Unionstrasse+3+parking+Hamm", "https://www.google.com/search?q=Friedrichstrasse+8+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+6+parking+Darmstadt", "https://www.google.com/search?q=Friedrichstrasse+13+15+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+21+parking+Darmstadt", "https://www.google.com/search?q=Ottostrasse+27+parking+Furth", "https://www.google.com/search?q=Grafenstrasse+31+parking+Darmstadt", "https://www.google.com/search?q=Karnacksweg+27+parking+Iserlohn", "https://www.google.com/search?q=Adelungstrasse+23+parking+Darmstadt", "https://www.google.com/search?q=Konigswarterstrasse+28+parking+Furth", "https://www.google.com/search?q=Bahnhofpl+10+parking+Furth", "https://www.google.com/search?q=Bahnhofpl+8+parking+Furth", "https://www.google.com/search?q=Hugelstrasse+56+parking+Darmstadt", "https://www.google.com/search?q=Gebhardtstrasse+1+parking+Furth", "https://www.google.com/search?q=Sandstrasse+16+parking+Darmstadt", "https://www.google.com/search?q=Karnacksweg+4+parking+Iserlohn", "https://www.google.com/search?q=Vinckestrasse+9+14+parking+Iserlohn", "https://www.google.com/search?q=Hugelstrasse+77+parking+Darmstadt", "https://www.google.com/search?q=Sandstrasse+50+parking+Darmstadt", "https://www.google.com/search?q=Hinterm+Schutzenhof+1+parking+Iserlohn", "https://www.google.com/search?q=Theodor+Heuss+Ring+27+parking+Iserlohn", "https://www.google.com/search?q=Hardtstrasse+6+parking+Iserlohn", "https://www.google.com/search?q=Simonshofer+Str+12+parking+Lauf", "https://www.google.com/search?q=Steinstrasse+13+parking+Iserlohn", "https://www.google.com/search?q=Trift+1+parking+Iserlohn", "https://www.google.com/search?q=Pretzfelder+Str+12+parking+Nurnberg", "https://www.google.com/search?q=Hafenstrasse+3+parking+Florsheim", "https://www.google.com/search?q=Robert+Bosch+Strasse+15+parking+Darmstadt", "https://www.google.com/search?q=aussere+Bayreuther+Str+220+parking+Nurnberg", "https://www.google.com/search?q=Alexanderstrasse+4+parking+Iserlohn", "https://www.google.com/search?q=Hermannstrasse+10+parking+Lauf", "https://www.google.com/search?q=Taunusstrasse+5+parking+Russelsheim", "https://www.google.com/search?q=Leckingser+Strasse+17+parking+Iserlohn", "https://www.google.com/search?q=Taunusstrasse+21+parking+Russelsheim", "https://www.google.com/search?q=E+40+parking+Reichshof", "https://www.google.com/search?q=Grabenstrasse+42+parking+Russelsheim", "https://www.google.com/search?q=Hulster+Strasse+9+parking+Michelstadt", "https://www.google.com/search?q=Lowenpl+11+parking+Russelsheim", "https://www.google.com/search?q=Heimerichstrasse+9+parking+Nurnberg", "https://www.google.com/search?q=Prof+Ernst+Nathan+Strasse+1+parking+Nurnberg", "https://www.google.com/search?q=aussere+Bayreuther+Str+67+parking+Nurnberg", "https://www.google.com/search?q=Bottgerstrasse+10+parking+Florsheim", "https://www.google.com/search?q=Hammer+Str+55+parking+Bonen", "https://www.google.com/search?q=Hammer+Str+60+parking+Bonen", "https://www.google.com/search?q=Waldstrasse+1+parking+Buttelborn", "https://www.google.com/search?q=Wiesentalstrasse+61+parking+Nurnberg", "https://www.google.com/search?q=Europaallee+1+parking+Furth", "https://www.google.com/search?q=Bayreuther+Str+34+parking+Nurnberg", "https://www.google.com/search?q=Maxfeldstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Banderbacher+Str+5+parking+Zirndorf", "https://www.google.com/search?q=Hallerwiese+30+parking+Nurnberg", "https://www.google.com/search?q=Bachstrasse+8+parking+Zirndorf", "https://www.google.com/search?q=Bachstrasse+12+parking+Zirndorf", "https://www.google.com/search?q=Spitalstrasse+3+parking+Zirndorf", "https://www.google.com/search?q=Karlstrasse+5+parking+Zirndorf", "https://www.google.com/search?q=Muhlstrasse+5+parking+Zirndorf", "https://www.google.com/search?q=Platter+Str+26+parking+Taunusstein", "https://www.google.com/search?q=olstrasse+12+parking+Zirndorf", "https://www.google.com/search?q=ausserer+Laufer+Pl+4+parking+Nurnberg", "https://www.google.com/search?q=olstrasse+20+parking+Zirndorf", "https://www.google.com/search?q=Laufertormauer+8+parking+Nurnberg", "https://www.google.com/search?q=Schustergasse+3+parking+Nurnberg", "https://www.google.com/search?q=Muhlstrasse+29+parking+Zirndorf", "https://www.google.com/search?q=Werkstrasse+3+parking+Iserlohn", "https://www.google.com/search?q=Kontumazgarten+4+18+parking+Nurnberg", "https://www.google.com/search?q=Hans+Sachs+Platz+1+parking+Nurnberg", "https://www.google.com/search?q=Karl+Grillenberger+Strasse+1+parking+Nurnberg", "https://www.google.com/search?q=Adlerstrasse+8+parking+Nurnberg", "https://www.google.com/search?q=Adlerstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Findelgasse+4+parking+Nurnberg", "https://www.google.com/search?q=Sudetenstrasse+48+parking+Gross+Gerau", "https://www.google.com/search?q=Spittlertorgraben+5+parking+Nurnberg", "https://www.google.com/search?q=Kesslerpl+10+parking+Nurnberg", "https://www.google.com/search?q=August+Bebel+Strasse+9+parking+Gross+Gerau", "https://www.google.com/search?q=Freiligrathstrasse+8+parking+Nurnberg", "https://www.google.com/search?q=Markische+Strasse+2+19+parking+Unna", "https://www.google.com/search?q=Katharinengasse+14+parking+Nurnberg", "https://www.google.com/search?q=Sudetenstrasse+62+parking+Gross+Gerau", "https://www.google.com/search?q=Bruckenstrasse+1+parking+Bergneustadt", "https://www.google.com/search?q=Marientorgraben+9+parking+Nurnberg", "https://www.google.com/search?q=Frauengasse+21+parking+Nurnberg", "https://www.google.com/search?q=Frauengasse+12+parking+Nurnberg", "https://www.google.com/search?q=Zirkelschmiedsgasse+9+parking+Nurnberg", "https://www.google.com/search?q=Aspersweg+4+parking+Unna", "https://www.google.com/search?q=Luningstrasse+3+parking+Unna", "https://www.google.com/search?q=Kantstrasse+63A+parking+Unna", "https://www.google.com/search?q=Frauengasse+6+parking+Nurnberg", "https://www.google.com/search?q=Krummfuss+14+parking+Unna", "https://www.google.com/search?q=Happurger+Str+132+parking+Nurnberg", "https://www.google.com/search?q=Josef+Strothoff+Strasse+5+parking+Unna", "https://www.google.com/search?q=Schaferstrasse+50+parking+Unna", "https://www.google.com/search?q=Gleissbuhlstrasse+13+parking+Nurnberg", "https://www.google.com/search?q=Hammer+Str+4+parking+Unna", "https://www.google.com/search?q=Schanzackerstrasse+12+parking+Nurnberg", "https://www.google.com/search?q=Frauentormauer+9+parking+Nurnberg", "https://www.google.com/search?q=Sudwall+5+parking+Unna", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Nauheim", "https://www.google.com/search?q=Darmstadter+Strasse+121+parking+Gross+Gerau", "https://www.google.com/search?q=Willy+Brandt+Platz+15+parking+Nurnberg", "https://www.google.com/search?q=Schulstrasse+25+parking+Unna", "https://www.google.com/search?q=Helvetiastrasse+5+parking+Gross+Gerau", "https://www.google.com/search?q=Bahnhofspl+5+parking+Nurnberg", "https://www.google.com/search?q=Leibnizstrasse+9+parking+Unna", "https://www.google.com/search?q=Richard+Wagner+Platz+10+parking+Nurnberg", "https://www.google.com/search?q=Moltkering+17+parking+Wiesbaden", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Unna", "https://www.google.com/search?q=Rembrandtstrasse+2+parking+Unna", "https://www.google.com/search?q=Sonnenberger+Str+14+parking+Wiesbaden", "https://www.google.com/search?q=Thunenstrasse+2+4+parking+Ludenscheid", "https://www.google.com/search?q=Nelson+Mandela+Platz+20+parking+Nurnberg", "https://www.google.com/search?q=Martin+Niemoller+Strasse+13+parking+Ludenscheid", "https://www.google.com/search?q=Sandstrasse+13+parking+Hochheim", "https://www.google.com/search?q=Sandstrasse+19+parking+Hochheim", "https://www.google.com/search?q=Neckarstrasse+6+parking+Hochheim", "https://www.google.com/search?q=Berliner+Str+11+parking+Wiesbaden", "https://www.google.com/search?q=Oberstrasse+11+parking+Darmstadt", "https://www.google.com/search?q=Rheinstrasse+5+parking+Wiesbaden", "https://www.google.com/search?q=Bulmannstrasse+23+parking+Nurnberg", "https://www.google.com/search?q=Florsheimer+Str+1+parking+Bischofsheim", "https://www.google.com/search?q=Pestalozzistrasse+3+parking+Taunusstein", "https://www.google.com/search?q=Ammanstrasse+5+parking+Nurnberg", "https://www.google.com/search?q=Hohl+12+parking+Erbach", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Wiesbaden", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Vilseck", "https://www.google.com/search?q=Bahnhofsplatz+10+parking+Erbach", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Vilseck", "https://www.google.com/search?q=Schwalbacher+Str+55+parking+Wiesbaden", "https://www.google.com/search?q=Scherlingstrasse+45+parking+Iserlohn", "https://www.google.com/search?q=Schwalbacher+Str+38+42+parking+Wiesbaden", "https://www.google.com/search?q=Schwalbacher+Str+41+parking+Wiesbaden", "https://www.google.com/search?q=Helenenstrasse+15+parking+Wiesbaden", "https://www.google.com/search?q=Gartenfeldstrasse+24+parking+Wiesbaden", "https://www.google.com/search?q=Kaiser+Friedrich+Ring+97+parking+Wiesbaden", "https://www.google.com/search?q=Bachstrasse+65+parking+Oberasbach", "https://www.google.com/search?q=Frankenstrasse+70+parking+Nurnberg", "https://www.google.com/search?q=Schwabacher+Str+401+parking+Zirndorf", "https://www.google.com/search?q=Taubenweg+7+parking+Zirndorf", "https://www.google.com/search?q=Zum+Schwimmbad+19+parking+Taunusstein", "https://www.google.com/search?q=Oberweihersbucher+Str+2+parking+Oberasbach", "https://www.google.com/search?q=Zum+Schwimmbad+58+parking+Taunusstein", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Iserlohn", "https://www.google.com/search?q=Hahner+Weg+9+parking+Taunusstein", "https://www.google.com/search?q=Frankenstrasse+150+parking+Nurnberg", "https://www.google.com/search?q=Ansbacher+Str+60+parking+Nurnberg", "https://www.google.com/search?q=Zum+Volksgarten+2+parking+Iserlohn", "https://www.google.com/search?q=Am+Schillberg+33+parking+Taunusstein", "https://www.google.com/search?q=Obere+Bahnhofstrasse+10+parking+Rosstal", "https://www.google.com/search?q=Am+Bahndamm+1+parking+Gross+Gerau", "https://www.google.com/search?q=Limbachstrasse+15+parking+Taunusstein", "https://www.google.com/search?q=Zanderstrasse+10+parking+Brandenburg", "https://www.google.com/search?q=K+700+parking+Taunusstein", "https://www.google.com/search?q=Dr+Herrmann+Strasse+21+parking+Ginsheim+Gustavsburg", "https://www.google.com/search?q=Holzgraben+2+parking+Rosstal", "https://www.google.com/search?q=Greyerstrasse+5+parking+Uelzen", "https://www.google.com/search?q=Munchener+Str+300+parking+Nurnberg", "https://www.google.com/search?q=K+645+parking+Wiesbaden", "https://www.google.com/search?q=Industriestrasse+1+parking+Freihung", "https://www.google.com/search?q=Veersser+Strasse+51+parking+Uelzen", "https://www.google.com/search?q=Werkvolkstrasse+95+parking+Nurnberg", "https://www.google.com/search?q=Fabrikenstrasse+3+parking+Premnitz", "https://www.google.com/search?q=Albertstrasse+1+parking+Uelzen", "https://www.google.com/search?q=Chaussee+144+parking+Dortmund", "https://www.google.com/search?q=Philippsring+2+parking+Wiesbaden", "https://www.google.com/search?q=Rheinufer+6+parking+Wiesbaden", "https://www.google.com/search?q=Rheinufer+4+6+parking+Wiesbaden", "https://www.google.com/search?q=Opsener+Strasse+26+parking+Windeck", "https://www.google.com/search?q=Neidsteiner+Strasse+4+parking+Neukirchen", "https://www.google.com/search?q=Neidsteiner+Strasse+2+parking+Neukirchen", "https://www.google.com/search?q=Hohlweg+4+parking+Windeck", "https://www.google.com/search?q=Deutsches+Dorf+47+parking+Brandenburg", "https://www.google.com/search?q=Friedenstrasse+2+parking+Taunusstein", "https://www.google.com/search?q=Rheinallee+1+parking+Mainz", "https://www.google.com/search?q=Flughafenring+2+parking+Dortmund", "https://www.google.com/search?q=Ludwig+Erhard+Strasse+100+parking+Wiesbaden", "https://www.google.com/search?q=Margaretenstrasse+2+parking+Uelzen", "https://www.google.com/search?q=Rheinstrasse+66+parking+Mainz", "https://www.google.com/search?q=Lohrstrasse+2+parking+Mainz", "https://www.google.com/search?q=Ernst+Ludwig+Strasse+1+parking+Mainz", "https://www.google.com/search?q=Dagobertstrasse+20+parking+Mainz", "https://www.google.com/search?q=Quintinsstrasse+12+parking+Mainz", "https://www.google.com/search?q=Muncherlbacher+Strasse+20+parking+Rosstal", "https://www.google.com/search?q=Balthasar+Maler+Gasse+1+parking+Mainz", "https://www.google.com/search?q=Neutorstrasse+2+parking+Mainz", "https://www.google.com/search?q=Am+Kronberger+Hof+2+parking+Mainz", "https://www.google.com/search?q=Holzhofstrasse+9+parking+Mainz", "https://www.google.com/search?q=Flugpl+7+parking+Dortmund", "https://www.google.com/search?q=Flugpl+21+parking+Holzwickede", "https://www.google.com/search?q=An+Der+Bahnlinie+6+parking+Nurnberg", "https://www.google.com/search?q=Schillerstrasse+44+parking+Mainz", "https://www.google.com/search?q=Munsterstrasse+11+parking+Mainz", "https://www.google.com/search?q=Alicenstrasse+1+parking+Mainz", "https://www.google.com/search?q=Flugpl+21+parking+Dortmund", "https://www.google.com/search?q=Kupferbergterrasse+21+parking+Mainz", "https://www.google.com/search?q=Wallstrasse+1+parking+Mainz", "https://www.google.com/search?q=Schutzenstrasse+22+parking+Gummersbach", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Gummersbach", "https://www.google.com/search?q=Augustusstrasse+29+parking+Mainz", "https://www.google.com/search?q=Wallstrasse+70+parking+Mainz", "https://www.google.com/search?q=A+2+parking+Bergkamen", "https://www.google.com/search?q=Hechtsheimer+Str+37+parking+Mainz", "https://www.google.com/search?q=Bahnhof+4+parking+Juterbog", "https://www.google.com/search?q=Am+Romerlager+23+parking+Mainz", "https://www.google.com/search?q=Am+Romerlager+1+parking+Mainz", "https://www.google.com/search?q=Czernyweg+406+parking+Mainz", "https://www.google.com/search?q=Muhlengraben+1+parking+Schwerte", "https://www.google.com/search?q=Ruhrstrasse+20+parking+Schwerte", "https://www.google.com/search?q=Glogauer+Str+140+parking+Nurnberg", "https://www.google.com/search?q=Wittekindstrasse+10+parking+Schwerte", "https://www.google.com/search?q=Bruckstrasse+10+parking+Schwerte", "https://www.google.com/search?q=Adolfstrasse+36+parking+Bad", "https://www.google.com/search?q=Bethunestrasse+8+parking+Schwerte", "https://www.google.com/search?q=Frankenweg+3+parking+Riedstadt", "https://www.google.com/search?q=Rathausstrasse+31+33+parking+Schwerte", "https://www.google.com/search?q=Marktstrasse+1+parking+Windeck", "https://www.google.com/search?q=Beckestrasse+16+parking+Schwerte", "https://www.google.com/search?q=Muhlackerstrasse+25+parking+Dortmund", "https://www.google.com/search?q=Hartenauer+Strasse+82+parking+Bickenbach", "https://www.google.com/search?q=E+40+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Heilsbronn", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Werne", "https://www.google.com/search?q=Auf+Der+Alten+Bahn+8+parking+Bickenbach", "https://www.google.com/search?q=Klosterstrasse+5+parking+Marienheide", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Hagen", "https://www.google.com/search?q=Waldbroler+Strasse+4+parking+Windeck", "https://www.google.com/search?q=Landwehrstrasse+1+parking+Marienheide", "https://www.google.com/search?q=Bahnstrasse+14+parking+Windeck", "https://www.google.com/search?q=Waldbroler+Strasse+3+parking+Windeck", "https://www.google.com/search?q=Zum+Marktplatz+12+parking+Marienheide", "https://www.google.com/search?q=Muhlenstrasse+17+parking+Wiehl", "https://www.google.com/search?q=Jahnstrasse+8+parking+Marienheide", "https://www.google.com/search?q=Am+Volmewehr+12+parking+Hagen", "https://www.google.com/search?q=Promenadenweg+98+parking+Nurnberg", "https://www.google.com/search?q=Homburger+Str+7+parking+Wiehl", "https://www.google.com/search?q=Homburger+Str+5+parking+Wiehl", "https://www.google.com/search?q=Weiher+Passage+8+parking+Wiehl", "https://www.google.com/search?q=Pestalozzistrasse+7+parking+Marienheide", "https://www.google.com/search?q=Weiherpl+3+4+parking+Wiehl", "https://www.google.com/search?q=Weiherplatz+18+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Wiehl", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wiehl", "https://www.google.com/search?q=Im+Weiher+1+parking+Wiehl", "https://www.google.com/search?q=K+48+parking+Wiehl", "https://www.google.com/search?q=Hauptstrasse+8+parking+Wiehl", "https://www.google.com/search?q=Friedhofstrasse+11+parking+Wiehl", "https://www.google.com/search?q=Friedhofstrasse+13+parking+Wiehl", "https://www.google.com/search?q=Brucher+Str+6+parking+Wiehl", "https://www.google.com/search?q=Brucher+Strasse+6+parking+Wiehl", "https://www.google.com/search?q=Hermannsbergstrasse+36+parking+Marienheide", "https://www.google.com/search?q=Mondstrasse+31+parking+Dortmund", "https://www.google.com/search?q=Aplerbecker+Bahnhofstrasse+9+parking+Dortmund", "https://www.google.com/search?q=Gabelsbergerstrasse+2+parking+Weiden", "https://www.google.com/search?q=Wolframstrasse+2+parking+Weiden", "https://www.google.com/search?q=Schillerstrasse+11+parking+Weiden", "https://www.google.com/search?q=Schmellerweg+8+parking+Weiden", "https://www.google.com/search?q=Burgermeister+Prechtl+Strasse+28+parking+Weiden", "https://www.google.com/search?q=Leibnizstrasse+5+parking+Weiden", "https://www.google.com/search?q=Schimmelstrasse+37+parking+Dortmund", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Weiden", "https://www.google.com/search?q=Kurt+Schumacher+Allee+8+parking+Weiden", "https://www.google.com/search?q=Bernhard+Suttner+Strasse+2+parking+Weiden", "https://www.google.com/search?q=Baimbacher+Weg+26+parking+Nurnberg", "https://www.google.com/search?q=Lindenstrasse+21+parking+Stockstadt", "https://www.google.com/search?q=Im+Schloss+1+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bayreuther+Str+20+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Furth", "https://www.google.com/search?q=Kugelplatz+8+10+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Philosophenweg+3+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Bayreuther+Str+8+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Rennweg+119+parking+Dortmund", "https://www.google.com/search?q=Dunckerpl+17+parking+Rathenow", "https://www.google.com/search?q=Alte+Munze+16+parking+Osnabruck", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Zwingenberg", "https://www.google.com/search?q=Flughafenstrasse+231+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Sulzbach+Rosenberg", "https://www.google.com/search?q=Hakenstrasse+5+parking+Osnabruck", "https://www.google.com/search?q=Schoneckerstrasse+11+parking+Ansbach", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Petersaurach", "https://www.google.com/search?q=Am+Stadion+1+parking+Ansbach", "https://www.google.com/search?q=Bergstrasse+1+parking+Osnabruck", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Petersaurach", "https://www.google.com/search?q=Schaitbergerstrasse+14+parking+Ansbach", "https://www.google.com/search?q=Residenzstrasse+3+parking+Ansbach", "https://www.google.com/search?q=Eyber+Strasse+2+parking+Ansbach", "https://www.google.com/search?q=Reitbahn+9+parking+Ansbach", "https://www.google.com/search?q=Preussenstrasse+1+parking+Lunen", "https://www.google.com/search?q=Am+Muhlbach+2+parking+Ansbach", "https://www.google.com/search?q=Promenade+21+parking+Ansbach", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Eltville", "https://www.google.com/search?q=Promenade+3+parking+Ansbach", "https://www.google.com/search?q=Schalkhauser+Strasse+114+parking+Ansbach", "https://www.google.com/search?q=Eyber+Strasse+73+parking+Ansbach", "https://www.google.com/search?q=Kirschbaumweg+99+parking+Dortmund", "https://www.google.com/search?q=Karolinenstrasse+26+parking+Ansbach", "https://www.google.com/search?q=Dodterstrasse+12+parking+Hagen", "https://www.google.com/search?q=Dodterstrasse+10+parking+Hagen", "https://www.google.com/search?q=Nurnberger+Str+40+parking+Schwabach", "https://www.google.com/search?q=Markischer+Ring+119+parking+Hagen", "https://www.google.com/search?q=Nordliche+Ringstrasse+9+parking+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+20+parking+Schwabach", "https://www.google.com/search?q=Potthofstrasse+18+parking+Hagen", "https://www.google.com/search?q=Spitalberg+14+16+parking+Schwabach", "https://www.google.com/search?q=Potthofstrasse+17+parking+Hagen", "https://www.google.com/search?q=Reichswaisenhausstrasse+3+parking+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+16+parking+Schwabach", "https://www.google.com/search?q=Rathausgasse+2+parking+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+22+parking+Schwabach", "https://www.google.com/search?q=Horder+Bahnhofstrasse+13+parking+Dortmund", "https://www.google.com/search?q=Sparkassen+Karree+1+13+parking+Hagen", "https://www.google.com/search?q=Wilhelmstrasse+220+parking+Bensheim", "https://www.google.com/search?q=Kornerstrasse+31+parking+Hagen", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Schwabach", "https://www.google.com/search?q=Hochstrasse+118+parking+Hagen", "https://www.google.com/search?q=Neukirchner+Strasse+3+parking+Sachsen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Sachsen", "https://www.google.com/search?q=Neumarktstrasse+19+parking+Hagen", "https://www.google.com/search?q=Horstmarer+Strasse+2+parking+Lunen", "https://www.google.com/search?q=Staatsstrasse+48+parking+Rimbach", "https://www.google.com/search?q=Bergischer+Ring+82+parking+Hagen", "https://www.google.com/search?q=Merschstrasse+18+parking+Lunen", "https://www.google.com/search?q=Am+Christinentor+8+parking+Lunen", "https://www.google.com/search?q=Stresemannstrasse+8+parking+Hagen", "https://www.google.com/search?q=Engelstrasse+7+parking+Lunen", "https://www.google.com/search?q=Berliner+Pl+8+parking+Hagen", "https://www.google.com/search?q=Wehringhauser+Str+2+parking+Hagen", "https://www.google.com/search?q=Im+Hagen+7+parking+Lunen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Engelskirchen", "https://www.google.com/search?q=Altstadtstrasse+23+parking+Lunen", "https://www.google.com/search?q=Dorrenbergplatz+10+parking+Engelskirchen", "https://www.google.com/search?q=Platanenallee+6+parking+Bensheim", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Bensheim", "https://www.google.com/search?q=Gartenstrasse+10+parking+Bensheim", "https://www.google.com/search?q=Promenadenstrasse+14+parking+Bensheim", "https://www.google.com/search?q=Am+Wambolterhof+8+parking+Bensheim", "https://www.google.com/search?q=Dammstrasse+3+parking+Bensheim", "https://www.google.com/search?q=Heiliger+Weg+8+10+parking+Dortmund", "https://www.google.com/search?q=An+Der+Buschmuhle+1+parking+Dortmund", "https://www.google.com/search?q=Saarlandstrasse+14+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+1+parking+Dortmund", "https://www.google.com/search?q=Ostwall+37+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+37+parking+Dortmund", "https://www.google.com/search?q=Ostwall+51+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+12+parking+Dortmund", "https://www.google.com/search?q=Schwanenwall+36+parking+Dortmund", "https://www.google.com/search?q=Kuckelke+3+parking+Dortmund", "https://www.google.com/search?q=B+38+parking+Morlenbach", "https://www.google.com/search?q=E+40+parking+Engelskirchen", "https://www.google.com/search?q=Sudwall+4+parking+Dortmund", "https://www.google.com/search?q=Burgwall+8+parking+Dortmund", "https://www.google.com/search?q=Gerberstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Hansastrasse+99+parking+Dortmund", "https://www.google.com/search?q=Hansastrasse+74+parking+Dortmund", "https://www.google.com/search?q=Kuhstrasse+12+parking+Dortmund", "https://www.google.com/search?q=Hohe+Str+33+parking+Dortmund", "https://www.google.com/search?q=Kolpingstrasse+1+parking+Dortmund", "https://www.google.com/search?q=Beurhausstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Konigswall+13+parking+Dortmund", "https://www.google.com/search?q=Freistuhl+5+parking+Dortmund", "https://www.google.com/search?q=Rheinlanddamm+199+parking+Dortmund", "https://www.google.com/search?q=Steinstrasse+48+parking+Dortmund", "https://www.google.com/search?q=Leopoldstrasse+50+parking+Dortmund", "https://www.google.com/search?q=Beurhausstrasse+28+parking+Dortmund", "https://www.google.com/search?q=Hovelstrasse+8+parking+Dortmund", "https://www.google.com/search?q=Strobelallee+51+parking+Dortmund", "https://www.google.com/search?q=Schmiedingstrasse+11+parking+Dortmund", "https://www.google.com/search?q=Steinstrasse+80+parking+Dortmund", "https://www.google.com/search?q=Schmiedingstrasse+25+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Dortmund", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Lengerich", "https://www.google.com/search?q=Lange+Strasse+43+parking+Dortmund", "https://www.google.com/search?q=Seilergasse+4+parking+Lengerich", "https://www.google.com/search?q=Raiffeisenstrasse+5+parking+Lengerich", "https://www.google.com/search?q=Raiffeisenstrasse+11+parking+Lengerich", "https://www.google.com/search?q=Rittershausstrasse+51+parking+Dortmund", "https://www.google.com/search?q=Rathauspl+10+parking+Lengerich", "https://www.google.com/search?q=Amtsgasse+11+parking+Heppenheim", "https://www.google.com/search?q=Schutzenstrasse+82+parking+Dortmund", "https://www.google.com/search?q=Zwerchgasse+3+parking+Heppenheim", "https://www.google.com/search?q=Goethestrasse+25+parking+Lengerich", "https://www.google.com/search?q=Graben+21+parking+Heppenheim", "https://www.google.com/search?q=Schulstrasse+70+parking+Lengerich", "https://www.google.com/search?q=Schulstrasse+85+parking+Lengerich", "https://www.google.com/search?q=Im+Hook+5+parking+Lengerich", "https://www.google.com/search?q=Altstadt+18+parking+Lengerich", "https://www.google.com/search?q=Am+Bahnhof+10+parking+Nennhausen", "https://www.google.com/search?q=Graffstrasse+15+parking+Heppenheim", "https://www.google.com/search?q=Adlerstrasse+83+parking+Dortmund", "https://www.google.com/search?q=Weinheimer+Strasse+30+parking+Morlenbach", "https://www.google.com/search?q=Kalterer+Strasse+9+parking+Heppenheim", "https://www.google.com/search?q=Goethestrasse+24+parking+Heppenheim", "https://www.google.com/search?q=Nibelungenstrasse+18+parking+Heppenheim", "https://www.google.com/search?q=Lippstadter+Str+10+parking+Munster", "https://www.google.com/search?q=Im+Grengel+1+parking+Engelskirchen", "https://www.google.com/search?q=Albersloher+Weg+5+parking+Munster", "https://www.google.com/search?q=Bahnhofspl+1+parking+Luckenwalde", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+143+parking+Munster", "https://www.google.com/search?q=Engels+Platz+2+parking+Engelskirchen", "https://www.google.com/search?q=An+Der+Post+2+parking+Engelskirchen", "https://www.google.com/search?q=Bremer+Pl+44+parking+Munster", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Gross+Rohrheim", "https://www.google.com/search?q=Von+Steuben+Strasse+9+parking+Munster", "https://www.google.com/search?q=Gerhard+Kienle+Weg+2+parking+Herdecke", "https://www.google.com/search?q=Wittener+Str+22+parking+Dortmund", "https://www.google.com/search?q=Engelstrasse+49+parking+Munster", "https://www.google.com/search?q=Vogelpothsweg+96+parking+Dortmund", "https://www.google.com/search?q=Mauritzstrasse+33+parking+Munster", "https://www.google.com/search?q=Loerstrasse+16+parking+Munster", "https://www.google.com/search?q=Am+Hessenberg+60+parking+Herdecke", "https://www.google.com/search?q=Korduanenstrasse+20+parking+Munster", "https://www.google.com/search?q=Lindenstrasse+6+parking+Lorsch", "https://www.google.com/search?q=Konigsstrasse+9+parking+Munster", "https://www.google.com/search?q=Wasserstrasse+5+parking+Munster", "https://www.google.com/search?q=Aegidiistrasse+1+7+parking+Munster", "https://www.google.com/search?q=Spiegelturm+8+parking+Munster", "https://www.google.com/search?q=Tibusstrasse+18+parking+Munster", "https://www.google.com/search?q=Wahnbachtalstrasse+3+parking+Much", "https://www.google.com/search?q=K+46+parking+Much", "https://www.google.com/search?q=Georgskommende+33+parking+Munster", "https://www.google.com/search?q=Dr+Wirtz+Strasse+3+parking+Much", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Wetter", "https://www.google.com/search?q=Burbecker+Strasse+7+parking+Gevelsberg", "https://www.google.com/search?q=Kunersdorfer+Str+2+parking+Seddiner", "https://www.google.com/search?q=Adamsweg+3+parking+Much", "https://www.google.com/search?q=Talstrasse+4+parking+Much", "https://www.google.com/search?q=Gerichtsstrasse+6+parking+Munster", "https://www.google.com/search?q=Wehrstrasse+8+parking+Birkenau", "https://www.google.com/search?q=Schlossplatz+5+parking+Munster", "https://www.google.com/search?q=Zanderstrasse+21+parking+Much", "https://www.google.com/search?q=Hauptstrasse+57+parking+Much", "https://www.google.com/search?q=Himmelreichallee+40+parking+Munster", "https://www.google.com/search?q=Schlossplatz+24+26+parking+Munster", "https://www.google.com/search?q=Schulstrasse+10+parking+Much", "https://www.google.com/search?q=Sulzbacher+Strasse+2+parking+Amberg", "https://www.google.com/search?q=Pfalzgrafenring+3+parking+Amberg", "https://www.google.com/search?q=Georg+Grammer+Strasse+1+parking+Amberg", "https://www.google.com/search?q=Ruoffstrasse+18+parking+Amberg", "https://www.google.com/search?q=Muhlgasse+5+parking+Amberg", "https://www.google.com/search?q=Untere+Bahnhofstrasse+1A+parking+Buchenbach", "https://www.google.com/search?q=Kaiser+Ludwig+Ring+2+parking+Amberg", "https://www.google.com/search?q=Untere+Bahnhofstrasse+4+parking+Buchenbach", "https://www.google.com/search?q=Kaiser+Ludwig+Ring+6+parking+Amberg", "https://www.google.com/search?q=Bahnhofsplatz+3+parking+Eberbach", "https://www.google.com/search?q=Turnplatz+1+parking+Eberbach", "https://www.google.com/search?q=Marienstrasse+24+parking+Amberg", "https://www.google.com/search?q=Auf+Der+Linnert+6+parking+Dortmund", "https://www.google.com/search?q=Annenstrasse+177+parking+Witten", "https://www.google.com/search?q=Balthasar+Neumann+Strasse+100+parking+Amberg", "https://www.google.com/search?q=Marienstrasse+8+parking+Amberg", "https://www.google.com/search?q=Emailfabrikstrasse+4+parking+Amberg", "https://www.google.com/search?q=Annenstrasse+175+parking+Witten", "https://www.google.com/search?q=Schiessstatteweg+8+parking+Amberg", "https://www.google.com/search?q=Schiessstatteweg+12+parking+Amberg", "https://www.google.com/search?q=Am+Schanzl+1+parking+Amberg", "https://www.google.com/search?q=Anhaltstrasse+8+parking+Nuthe+Urstromtal", "https://www.google.com/search?q=Bahnhofstrasse+34+parking+Ennepetal", "https://www.google.com/search?q=Am+Rubgarten+12+parking+Biblis", "https://www.google.com/search?q=Heinrichstrasse+23+parking+Biblis", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Birkenau", "https://www.google.com/search?q=Rheinische+Strasse+12+parking+Gevelsberg", "https://www.google.com/search?q=Westerfilder+Strasse+80+parking+Dortmund", "https://www.google.com/search?q=Bahnstrasse+1+parking+Schwielowsee", "https://www.google.com/search?q=Dortmunder+Strasse+9+parking+Witten", "https://www.google.com/search?q=Kesselborn+56+parking+Dortmund", "https://www.google.com/search?q=E+35+parking+Hemsbach", "https://www.google.com/search?q=Ardeystrasse+96+parking+Witten", "https://www.google.com/search?q=Huttruper+Heide+90+parking+Greven", "https://www.google.com/search?q=Molkereistrasse+20+parking+Dortmund", "https://www.google.com/search?q=Adolf+Damaschke+Strasse+60+parking+Werder", "https://www.google.com/search?q=Feverstrasse+3+parking+Gevelsberg", "https://www.google.com/search?q=Airportallee+1+parking+Greven", "https://www.google.com/search?q=Bachstrasse+21+parking+Witten", "https://www.google.com/search?q=Am+Viehmarkt+3+parking+Witten", "https://www.google.com/search?q=Huttruper+Heide+88+parking+Greven", "https://www.google.com/search?q=Am+Schmechtingsbach+45+parking+Dortmund", "https://www.google.com/search?q=Huttruper+Heide+71+parking+Greven", "https://www.google.com/search?q=Ruhrstrasse+45+parking+Witten", "https://www.google.com/search?q=Unterer+Weinbergweg+6+parking+Roth", "https://www.google.com/search?q=Bonhoefferstrasse+12+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+19+parking+Witten", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Roth", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Zwingenberg", "https://www.google.com/search?q=Bergerstrasse+25+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+20+parking+Witten", "https://www.google.com/search?q=Marktstrasse+1+parking+Witten", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Zwingenberg", "https://www.google.com/search?q=Am+Humboldtplatz+6+parking+Witten", "https://www.google.com/search?q=Am+Westbahnhof+5+parking+Gevelsberg", "https://www.google.com/search?q=An+Der+Waage+5+parking+Langwedel", "https://www.google.com/search?q=Bahnhofweg+28+parking+Merkendorf", "https://www.google.com/search?q=Poststrasse+11+parking+Witten", "https://www.google.com/search?q=Poststrasse+9+parking+Witten", "https://www.google.com/search?q=Bergerstrasse+35+parking+Witten", "https://www.google.com/search?q=Bahnhofweg+7+parking+Merkendorf", "https://www.google.com/search?q=Karl+Marx+Platz+10+parking+Witten", "https://www.google.com/search?q=B+13+parking+Merkendorf", "https://www.google.com/search?q=Bergerstrasse+38+parking+Witten", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Weinheim", "https://www.google.com/search?q=Grundelbachstrasse+49+parking+Weinheim", "https://www.google.com/search?q=Durrestrasse+6+parking+Weinheim", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Neckargerach", "https://www.google.com/search?q=Guttenbacher+Pfad+3+parking+Neckargerach", "https://www.google.com/search?q=Luisenstrasse+14+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+3+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+1+parking+Weinheim", "https://www.google.com/search?q=Institutstrasse+10+parking+Weinheim", "https://www.google.com/search?q=Marienborn+14+parking+Dortmund", "https://www.google.com/search?q=Neustadt+20+parking+Koblenz", "https://www.google.com/search?q=Hauptstrasse+93+parking+Schwelm", "https://www.google.com/search?q=Am+Leithenhaus+14+parking+Bochum", "https://www.google.com/search?q=Luisenstrasse+2+parking+Koblenz", "https://www.google.com/search?q=Wilhelmstrasse+5+parking+Schwelm", "https://www.google.com/search?q=E+40+parking+Overath", "https://www.google.com/search?q=Altlohrtor+14+parking+Koblenz", "https://www.google.com/search?q=Rote+Turmstrasse+30+parking+Weinheim", "https://www.google.com/search?q=Hohenfelder+Str+22+parking+Koblenz", "https://www.google.com/search?q=Markische+Strasse+2+parking+Schwelm", "https://www.google.com/search?q=Untermauerstrasse+21+parking+Schwelm", "https://www.google.com/search?q=Bahnhofstrasse+41+parking+Koblenz", "https://www.google.com/search?q=Markenbildchenweg+38+parking+Koblenz", "https://www.google.com/search?q=Bahnhofplatz+1+parking+Koblenz", "https://www.google.com/search?q=B+9+parking+Koblenz", "https://www.google.com/search?q=Kurten+32A+parking+Kurten", "https://www.google.com/search?q=Alte+Munsterstrasse+9+parking+Greven", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Hirschhorn", "https://www.google.com/search?q=Im+Uhlenwinkel+12+parking+Bochum", "https://www.google.com/search?q=Alte+Schefflenzer+Steige+8+parking+Mosbach", "https://www.google.com/search?q=Michelberg+32+parking+Hirschhorn", "https://www.google.com/search?q=An+Der+Martinischule+9+parking+Greven", "https://www.google.com/search?q=Auf+Den+Holln+68+parking+Bochum", "https://www.google.com/search?q=Naendorfstrasse+12+parking+Greven", "https://www.google.com/search?q=Heinrichstrasse+2+parking+Castrop+Rauxel", "https://www.google.com/search?q=Michelberg+30+parking+Hirschhorn", "https://www.google.com/search?q=Am+Hallenbad+3+parking+Greven", "https://www.google.com/search?q=Alte+Bergsteige+4+parking+Mosbach", "https://www.google.com/search?q=Burg+Dauchstein+Strasse+4+parking+Binau", "https://www.google.com/search?q=Am+Bennertor+6+parking+Castrop+Rauxel", "https://www.google.com/search?q=Am+Stadtgarten+18+parking+Castrop+Rauxel", "https://www.google.com/search?q=Viktoriastrasse+9+parking+Castrop+Rauxel", "https://www.google.com/search?q=Am+Markt+22+parking+Castrop+Rauxel", "https://www.google.com/search?q=Biederlackstrasse+7+parking+Greven", "https://www.google.com/search?q=Braunschweiger+Strasse+25+parking+Thedinghausen", "https://www.google.com/search?q=Schillerstrasse+7+parking+Castrop+Rauxel", "https://www.google.com/search?q=Widumer+Strasse+14+parking+Castrop+Rauxel", "https://www.google.com/search?q=Neckarelzer+Str+3+parking+Mosbach", "https://www.google.com/search?q=Obere+Munsterstrasse+23+parking+Castrop+Rauxel", "https://www.google.com/search?q=Bahnhofstrasse+110+parking+Castrop+Rauxel", "https://www.google.com/search?q=Herner+Strasse+2+4+parking+Castrop+Rauxel", "https://www.google.com/search?q=Lonsstrasse+39+parking+Castrop+Rauxel", "https://www.google.com/search?q=Hardtstrasse+17+parking+Remscheid", "https://www.google.com/search?q=Kleine+Lonsstrasse+65+parking+Castrop+Rauxel", "https://www.google.com/search?q=Europaplatz+1+parking+Castrop+Rauxel", "https://www.google.com/search?q=Kreuzfahrerstrasse+30+parking+Overath", "https://www.google.com/search?q=Olpener+Strasse+8+parking+Kurten", "https://www.google.com/search?q=Robert+Schumacher+Strasse+6+parking+Remscheid", "https://www.google.com/search?q=Zur+Rampe+1+parking+Langwedel", "https://www.google.com/search?q=Wartburgstrasse+1+parking+Castrop+Rauxel", "https://www.google.com/search?q=Alicestrasse+64+parking+Lampertheim", "https://www.google.com/search?q=Eugen+Schreiber+Strasse+2+parking+Lampertheim", "https://www.google.com/search?q=Grunenplatzstrasse+1+parking+Remscheid", "https://www.google.com/search?q=Kohlenstrasse+46+parking+Wuppertal", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+18+parking+Viernheim", "https://www.google.com/search?q=Wiesenstrasse+18+parking+Georgensgmund", "https://www.google.com/search?q=Silberkuhle+16+parking+Wuppertal", "https://www.google.com/search?q=Burgenstrasse+7+parking+Neckarsteinach", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+2+parking+Viernheim", "https://www.google.com/search?q=Wasserstrasse+11+parking+Viernheim", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Trebbin", "https://www.google.com/search?q=Schulstrasse+1+parking+Viernheim", "https://www.google.com/search?q=Lorscher+Str+6+parking+Viernheim", "https://www.google.com/search?q=Kettelerstrasse+11+parking+Viernheim", "https://www.google.com/search?q=Neuensaaler+Strasse+2+parking+Kurten", "https://www.google.com/search?q=Molitorstrasse+14+parking+Viernheim", "https://www.google.com/search?q=E+50+parking+Viernheim", "https://www.google.com/search?q=Rathausstrasse+61+parking+Viernheim", "https://www.google.com/search?q=L+726+parking+Wuppertal", "https://www.google.com/search?q=Kreuzstrasse+7+parking+Viernheim", "https://www.google.com/search?q=Klosterstrasse+24+parking+Ibbenburen", "https://www.google.com/search?q=Saarlandstrasse+1+parking+Viernheim", "https://www.google.com/search?q=L+77+parking+Nuthetal", "https://www.google.com/search?q=Luisenpl+9+parking+Potsdam", "https://www.google.com/search?q=Neumarkt+22+parking+Ibbenburen", "https://www.google.com/search?q=Rosenau+20+parking+Wuppertal", "https://www.google.com/search?q=Friedrichstrasse+16+parking+Worms", "https://www.google.com/search?q=Achtern+Thun+15+parking+Lohne", "https://www.google.com/search?q=Ludwigspl+7+8+parking+Worms", "https://www.google.com/search?q=Martinsgasse+2+parking+Worms", "https://www.google.com/search?q=Romerstrasse+43+parking+Worms", "https://www.google.com/search?q=Babelsberger+Str+18+parking+Potsdam", "https://www.google.com/search?q=Bruckenweg+16+parking+Wermelskirchen", "https://www.google.com/search?q=Bruckenweg+14+parking+Wermelskirchen", "https://www.google.com/search?q=Von+Steuben+Strasse+8+parking+Worms", "https://www.google.com/search?q=Kriemhildenstrasse+20+parking+Worms", "https://www.google.com/search?q=Koehlstrasse+4+parking+Worms", "https://www.google.com/search?q=Hebbelstrasse+1+parking+Potsdam", "https://www.google.com/search?q=Kohlgarten+13+14+parking+Wuppertal", "https://www.google.com/search?q=Gersteinring+52+parking+Bochum", "https://www.google.com/search?q=Oskar+Hoffmann+Strasse+154+parking+Bochum", "https://www.google.com/search?q=Kuppersstrasse+58+parking+Bochum", "https://www.google.com/search?q=Querenburger+Str+25+parking+Bochum", "https://www.google.com/search?q=Hohne+77+parking+Wuppertal", "https://www.google.com/search?q=Werth+74+76+parking+Wuppertal", "https://www.google.com/search?q=Wegnerstrasse+23+parking+Wuppertal", "https://www.google.com/search?q=Stadionring+26+parking+Bochum", "https://www.google.com/search?q=Bismarckstrasse+51+parking+Remscheid", "https://www.google.com/search?q=Hohne+41+parking+Wuppertal", "https://www.google.com/search?q=Grosse+Flurstrasse+41+parking+Wuppertal", "https://www.google.com/search?q=Lindenstrasse+10+parking+Wuppertal", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+17+parking+Neckarsteinach", "https://www.google.com/search?q=Gemarker+Ufer+23+parking+Wuppertal", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Neckarsteinach", "https://www.google.com/search?q=Odenthaler+Strasse+2+parking+Kurten", "https://www.google.com/search?q=Klinikstrasse+43+45+parking+Bochum", "https://www.google.com/search?q=Winklerstrasse+40+parking+Wuppertal", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Neckarsteinach", "https://www.google.com/search?q=Schiffbauergasse+14+parking+Potsdam", "https://www.google.com/search?q=Kirchhofstrasse+8+parking+Remscheid", "https://www.google.com/search?q=Ferdinandstrasse+13+parking+Bochum", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Neckarsteinach", "https://www.google.com/search?q=Stresemannstrasse+14+parking+Wuppertal", "https://www.google.com/search?q=Steinweg+1+parking+Remscheid", "https://www.google.com/search?q=Massenbergstrasse+15+17+parking+Bochum", "https://www.google.com/search?q=Steinweg+2+parking+Wuppertal", "https://www.google.com/search?q=Ibachstrasse+19+parking+Wuppertal", "https://www.google.com/search?q=Universitatsstrasse+3+parking+Bochum", "https://www.google.com/search?q=Sudring+1+parking+Bochum", "https://www.google.com/search?q=Castroper+Str+1+parking+Bochum", "https://www.google.com/search?q=Wittensteinstrasse+320+parking+Wuppertal", "https://www.google.com/search?q=Wipperfurther+Strasse+28+parking+Kurten", "https://www.google.com/search?q=Luisenstrasse+9+parking+Bochum", "https://www.google.com/search?q=Kreuzstrasse+8+parking+Bochum", "https://www.google.com/search?q=Bruckstrasse+5+11+parking+Bochum", "https://www.google.com/search?q=Hubertusstrasse+4+parking+Bochum", "https://www.google.com/search?q=Kortumstrasse+1+parking+Bochum", "https://www.google.com/search?q=Bahnhofsvorplatz+1+parking+Achim", "https://www.google.com/search?q=Viktoriastrasse+23+parking+Bochum", "https://www.google.com/search?q=Yorckstrasse+36+parking+Bochum", "https://www.google.com/search?q=Prumerstrasse+11+parking+Bochum", "https://www.google.com/search?q=Ehrenfeldstrasse+52+parking+Bochum", "https://www.google.com/search?q=Katharinastrasse+18+parking+Bochum", "https://www.google.com/search?q=Westring+28+parking+Bochum", "https://www.google.com/search?q=Westring+30+parking+Bochum", "https://www.google.com/search?q=Gussstahlstrasse+20+parking+Bochum", "https://www.google.com/search?q=Museumsstrasse+2+parking+Herne", "https://www.google.com/search?q=Kirchhofstrasse+5+parking+Herne", "https://www.google.com/search?q=Springerpl+38+parking+Bochum", "https://www.google.com/search?q=Klosterstrasse+30+parking+Bochum", "https://www.google.com/search?q=Gussstahlstrasse+42+parking+Bochum", "https://www.google.com/search?q=Newtonstrasse+16+parking+Potsdam", "https://www.google.com/search?q=Poststrasse+22+parking+Herne", "https://www.google.com/search?q=Bahnhofsplatz+5+parking+Herne", "https://www.google.com/search?q=E+40+parking+Bergisch", "https://www.google.com/search?q=Alleestrasse+128+parking+Bochum", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Paulinenaue", "https://www.google.com/search?q=In+Der+Aue+2+parking+Heidelberg", "https://www.google.com/search?q=Amtsstrasse+8B+parking+Bochum", "https://www.google.com/search?q=Hauptstrasse+284+parking+Rosrath", "https://www.google.com/search?q=Hauptstrasse+229+parking+Rosrath", "https://www.google.com/search?q=Prof+Dr+Helmert+Strasse+3+parking+Potsdam", "https://www.google.com/search?q=Rotdornallee+8+parking+Rosrath", "https://www.google.com/search?q=Bahnhofstrasse+52+parking+Neckargemund", "https://www.google.com/search?q=Otto+Siffling+Strasse+12+parking+Mannheim", "https://www.google.com/search?q=Bahnhofspl+4+parking+Weyhe", "https://www.google.com/search?q=Struveweg+191+parking+Ludwigsfelde", "https://www.google.com/search?q=Am+Sudbahnhof+63+parking+Recklinghausen", "https://www.google.com/search?q=Am+Bahnhof+13+parking+Sottrum", "https://www.google.com/search?q=Hauptstrasse+209+parking+Heidelberg", "https://www.google.com/search?q=Ossenbergweg+12+parking+Recklinghausen", "https://www.google.com/search?q=Grosse+Perdekamp+Strasse+4+parking+Recklinghausen", "https://www.google.com/search?q=Kaiserwall+32+parking+Recklinghausen", "https://www.google.com/search?q=Neue+Schlossstrasse+4+parking+Heidelberg", "https://www.google.com/search?q=Erlbruch+34+parking+Recklinghausen", "https://www.google.com/search?q=Springstrasse+6+parking+Recklinghausen", "https://www.google.com/search?q=Marstallhof+1+parking+Heidelberg", "https://www.google.com/search?q=An+Den+Reeperbahnen+1+parking+Luneburg", "https://www.google.com/search?q=Lohrgasse+7+parking+Recklinghausen", "https://www.google.com/search?q=Alte+Poststrasse+14+parking+Ludwigsfelde", "https://www.google.com/search?q=Sandgasse+1+parking+Heidelberg", "https://www.google.com/search?q=Kellerstrasse+4+parking+Recklinghausen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Ludwigsfelde", "https://www.google.com/search?q=Untere+Neckarstrasse+44+parking+Heidelberg", "https://www.google.com/search?q=Turmstrasse+6+parking+Recklinghausen", "https://www.google.com/search?q=Augustinessenstrasse+8+parking+Recklinghausen", "https://www.google.com/search?q=Hertener+Strasse+15+parking+Recklinghausen", "https://www.google.com/search?q=Uferstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Klosterstrasse+3+parking+Recklinghausen", "https://www.google.com/search?q=Am+Steintor+1+parking+Recklinghausen", "https://www.google.com/search?q=Untere+Neckarstrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Dorstener+Strasse+9+parking+Recklinghausen", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+51+parking+Heidelberg", "https://www.google.com/search?q=Akademiestrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Neckarstaden+2+parking+Heidelberg", "https://www.google.com/search?q=Friedrich+Ebert+Platz+4+parking+Heidelberg", "https://www.google.com/search?q=Plock+31+41+parking+Heidelberg", "https://www.google.com/search?q=Sofienstrasse+7+parking+Heidelberg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Luneburg", "https://www.google.com/search?q=Luisenstrasse+7+parking+Heidelberg", "https://www.google.com/search?q=Schneidmuhlstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Friedrich+Ebert+Anlage+1+parking+Heidelberg", "https://www.google.com/search?q=Cheliusstrasse+21+parking+Mannheim", "https://www.google.com/search?q=Thibautstrasse+2+parking+Heidelberg", "https://www.google.com/search?q=Max+Joseph+Strasse+48+parking+Mannheim", "https://www.google.com/search?q=Poststrasse+20+parking+Heidelberg", "https://www.google.com/search?q=Buspl+2+parking+Weyhe", "https://www.google.com/search?q=Maybachstrasse+28+parking+Mannheim", "https://www.google.com/search?q=Am+Friedhof+27+parking+Mannheim", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Heidelberg", "https://www.google.com/search?q=Kampehler+Str+2+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Heidelberg", "https://www.google.com/search?q=Poststrasse+15+parking+Heidelberg", "https://www.google.com/search?q=Seckenheimer+Landstrasse+170+parking+Mannheim", "https://www.google.com/search?q=Lenzener+Str+6+parking+Perleberg", "https://www.google.com/search?q=Waldhofstrasse+25+29+parking+Mannheim", "https://www.google.com/search?q=Vangerowstrasse+16+parking+Heidelberg", "https://www.google.com/search?q=Theodor+Kutzer+Ufer+3+parking+Mannheim", "https://www.google.com/search?q=Dreyer+Str+88+parking+Weyhe", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Wustermark", "https://www.google.com/search?q=Hans+Reschke+Ufer+2+parking+Mannheim", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Ottersberg", "https://www.google.com/search?q=Karl+Metz+Strasse+15+parking+Heidelberg", "https://www.google.com/search?q=Willy+Brandt+Platz+4+parking+Heidelberg", "https://www.google.com/search?q=Kurfursten+Anlage+75+parking+Heidelberg", "https://www.google.com/search?q=Xaver+Fuhr+Strasse+101+parking+Mannheim", "https://www.google.com/search?q=Lessingstrasse+39+parking+Heidelberg", "https://www.google.com/search?q=Collinistrasse+1+parking+Mannheim", "https://www.google.com/search?q=Luisenring+49+parking+Mannheim", "https://www.google.com/search?q=Hebelstrasse+19+parking+Mannheim", "https://www.google.com/search?q=K+1+parking+Mannheim", "https://www.google.com/search?q=Neckarvorlandstrasse+56+60+parking+Mannheim", "https://www.google.com/search?q=An+Der+Arena+1+parking+Mannheim", "https://www.google.com/search?q=U+3+parking+Mannheim", "https://www.google.com/search?q=Czernyring+20+parking+Heidelberg", "https://www.google.com/search?q=Theodor+Heuss+Anlage+15+parking+Mannheim", "https://www.google.com/search?q=H+7+parking+Mannheim", "https://www.google.com/search?q=Am+Friedenspl+3+parking+Mannheim", "https://www.google.com/search?q=Rosengartenpl+2+parking+Mannheim", "https://www.google.com/search?q=Kurpfalzring+77+parking+Heidelberg", "https://www.google.com/search?q=H+1+parking+Mannheim", "https://www.google.com/search?q=R+5+parking+Mannheim", "https://www.google.com/search?q=Stresemannstrasse+2+parking+Mannheim", "https://www.google.com/search?q=Friedrichspl+7+parking+Mannheim", "https://www.google.com/search?q=Kronprinzessinnenweg+3+parking+Berlin", "https://www.google.com/search?q=Friedrich+Karl+Strasse+10+parking+Mannheim", "https://www.google.com/search?q=O+7+parking+Mannheim", "https://www.google.com/search?q=Kunststrasse+5+parking+Mannheim", "https://www.google.com/search?q=N+7+parking+Mannheim", "https://www.google.com/search?q=D+5+parking+Mannheim", "https://www.google.com/search?q=N+5+parking+Mannheim", "https://www.google.com/search?q=C+1+parking+Mannheim", "https://www.google.com/search?q=C+2+parking+Mannheim", "https://www.google.com/search?q=N+2+parking+Mannheim", "https://www.google.com/search?q=Rheinhauser+Str+26+parking+Mannheim", "https://www.google.com/search?q=C+8+parking+Mannheim", "https://www.google.com/search?q=L+542+parking+Mannheim", "https://www.google.com/search?q=Kurpfalzstrasse+2+4+parking+Mannheim", "https://www.google.com/search?q=M+3+parking+Mannheim", "https://www.google.com/search?q=B+6+parking+Mannheim", "https://www.google.com/search?q=Keplerstrasse+21+25+parking+Mannheim", "https://www.google.com/search?q=Bismarckstrasse+11+parking+Mannheim", "https://www.google.com/search?q=Bismarckstrasse+10+parking+Mannheim", "https://www.google.com/search?q=Schlossgartenstrasse+1+parking+Mannheim", "https://www.google.com/search?q=Heinrich+von+Stephan+Strasse+6+parking+Mannheim", "https://www.google.com/search?q=Carl+Theodor+Strasse+9+parking+Frankenthal", "https://www.google.com/search?q=Eisenbahnstrasse+21+parking+Frankenthal", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Handeloh", "https://www.google.com/search?q=Eisenbahnstrasse+14+parking+Frankenthal", "https://www.google.com/search?q=Zum+Bahnhof+17+19+parking+Oyten", "https://www.google.com/search?q=Eisenbahnstrasse+3+parking+Frankenthal", "https://www.google.com/search?q=Rennershofstrasse+3+parking+Mannheim", "https://www.google.com/search?q=Welschgasse+23+parking+Frankenthal", "https://www.google.com/search?q=Bourger+Pl+905+parking+Bad", "https://www.google.com/search?q=Geisbergergasse+17+parking+Bad", "https://www.google.com/search?q=Im+Zollhof+4+parking+Ludwigshafen", "https://www.google.com/search?q=Rathauspl+12+parking+Ludwigshafen", "https://www.google.com/search?q=Zollhofstrasse+6+8+parking+Ludwigshafen", "https://www.google.com/search?q=Rathauspl+20+parking+Ludwigshafen", "https://www.google.com/search?q=Van+Recum+Strasse+6+parking+Bad", "https://www.google.com/search?q=Wassersumpfchen+9+parking+Bad", "https://www.google.com/search?q=Bahnhofstrasse+7+9+parking+Ludwigshafen", "https://www.google.com/search?q=Yorckstrasse+1+parking+Ludwigshafen", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Grossbeeren", "https://www.google.com/search?q=Jaegerstrasse+9+parking+Ludwigshafen", "https://www.google.com/search?q=Spanische+Allee+180+parking+Berlin", "https://www.google.com/search?q=Meerwiesenstrasse+17+parking+Mannheim", "https://www.google.com/search?q=Hardtstrasse+1+parking+Heidelberg", "https://www.google.com/search?q=Otto+Stabel+Strasse+17+21+parking+Ludwigshafen", "https://www.google.com/search?q=Kurhausstrasse+923+parking+Bad", "https://www.google.com/search?q=Wredestrasse+26+parking+Ludwigshafen", "https://www.google.com/search?q=Am+Bahnhof+7+parking+Grossbeeren", "https://www.google.com/search?q=Salinenstrasse+912+parking+Bad", "https://www.google.com/search?q=Dammstrasse+10+parking+Ludwigshafen", "https://www.google.com/search?q=August+Bebel+Strasse+5+parking+Brieselang", "https://www.google.com/search?q=Thalmannstrasse+2+parking+Brieselang", "https://www.google.com/search?q=Bahnhofpl+3+parking+Schwandorf", "https://www.google.com/search?q=Seestrasse+17+parking+Neckarsulm", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Schwandorf", "https://www.google.com/search?q=Pasadenaallee+1+parking+Ludwigshafen", "https://www.google.com/search?q=Pasadenaallee+3+parking+Ludwigshafen", "https://www.google.com/search?q=Allerkai+3+parking+Bremen", "https://www.google.com/search?q=Kolpingstrasse+8+parking+Neckarsulm", "https://www.google.com/search?q=Vogelser+Weg+7+parking+Bardowick", "https://www.google.com/search?q=Bahnhofstrasse+50+parking+Bardowick", "https://www.google.com/search?q=Richard+Dehmel+Strasse+39+parking+Ludwigshafen", "https://www.google.com/search?q=Binswanger+Strasse+9+parking+Neckarsulm", "https://www.google.com/search?q=Bahnhofspl+1+parking+Zossen", "https://www.google.com/search?q=Neuenlander+Str+444+parking+Bremen", "https://www.google.com/search?q=Am+Wildpark+1+parking+Falkensee", "https://www.google.com/search?q=Liselotte+Hermann+Strasse+4+parking+Teltow", "https://www.google.com/search?q=Bezirk+Steglitz+Zehlendorf,+Havelchaussee+2+parking+Berlin", "https://www.google.com/search?q=Osterdeich+140+parking+Bremen", "https://www.google.com/search?q=Wattstrasse+126+parking+Ludwigshafen", "https://www.google.com/search?q=Berliner+Freiheit+9+parking+Bremen", "https://www.google.com/search?q=Franz+Bohmert+Strasse+1+parking+Bremen", "https://www.google.com/search?q=Potsdamer+Str+2+parking+Falkensee", "https://www.google.com/search?q=Robert+Koch+Strasse+3+parking+Teltow", "https://www.google.com/search?q=Scharenbergstrasse+1+parking+Falkensee", "https://www.google.com/search?q=Muhlenstrasse+1+parking+Karstadt", "https://www.google.com/search?q=Wildemannstrasse+21+parking+Schwetzingen", "https://www.google.com/search?q=Havelchaussee+66+parking+Berlin", "https://www.google.com/search?q=Kuhhirtenweg+7+9+parking+Bremen", "https://www.google.com/search?q=Carl+Theodor+Strasse+8+parking+Schwetzingen", "https://www.google.com/search?q=Flughafenallee+20+parking+Bremen", "https://www.google.com/search?q=Henrich+Focke+Strasse+9+parking+Bremen", "https://www.google.com/search?q=Bahnhofsweg+4+parking+Buchholz", "https://www.google.com/search?q=Lubecker+Str+47+parking+Bremen", "https://www.google.com/search?q=Am+Guterbahnhof+1+parking+Leimen", "https://www.google.com/search?q=Bahnhofstrasse+57+parking+Leimen", "https://www.google.com/search?q=Zinnhutte+24+parking+Tostedt", "https://www.google.com/search?q=Peerort+10+parking+Radbruch", "https://www.google.com/search?q=Osterdeich+2+parking+Bremen", "https://www.google.com/search?q=Clayallee+328+334+parking+Berlin", "https://www.google.com/search?q=Am+Bahnhof+19+parking+Tostedt", "https://www.google.com/search?q=Rottorfer+Strasse+2+parking+Radbruch", "https://www.google.com/search?q=Hohenpfad+31+parking+Bremen", "https://www.google.com/search?q=Buntentorsteinweg+10+parking+Bremen", "https://www.google.com/search?q=Zeestower+Weg+50+parking+Berlin", "https://www.google.com/search?q=Alter+Dorfweg+30+50+parking+Bremen", "https://www.google.com/search?q=Altenwall+19+parking+Bremen", "https://www.google.com/search?q=Limburgerhofweg+15+parking+Ludwigshafen", "https://www.google.com/search?q=Wollnerstrasse+9+parking+Ludwigshafen", "https://www.google.com/search?q=Eduard+Grunow+Strasse+26+parking+Bremen", "https://www.google.com/search?q=Wollnerstrasse+20+parking+Ludwigshafen", "https://www.google.com/search?q=Wilhadistrasse+1+parking+Bremen", "https://www.google.com/search?q=Hoppenbank+7+parking+Bremen", "https://www.google.com/search?q=Schubertstrasse+20+parking+Bremen", "https://www.google.com/search?q=Werderstrasse+11+parking+Sinsheim", "https://www.google.com/search?q=Grabengasse+20+parking+Sinsheim", "https://www.google.com/search?q=Auf+Dem+Rovekamp+12+parking+Bremen", "https://www.google.com/search?q=Fontanepl+223+parking+Rangsdorf", "https://www.google.com/search?q=Karl+Wilhelmi+Strasse+8+parking+Sinsheim", "https://www.google.com/search?q=Katharinenstrasse+16+parking+Bremen", "https://www.google.com/search?q=Wiesentalweg+3+parking+Sinsheim", "https://www.google.com/search?q=Breitenweg+10+parking+Bremen", "https://www.google.com/search?q=Langenstrasse+31+parking+Bremen", "https://www.google.com/search?q=Pelzerstrasse+40+parking+Bremen", "https://www.google.com/search?q=Karlsplatz+6+parking+Sinsheim", "https://www.google.com/search?q=Im+Zukunftspark+12+parking+Heilbronn", "https://www.google.com/search?q=Zwingergasse+10+parking+Sinsheim", "https://www.google.com/search?q=Friedrichstrasse+17+parking+Sinsheim", "https://www.google.com/search?q=Duhrener+Strasse+5+parking+Sinsheim", "https://www.google.com/search?q=Langemarckstrasse+42+parking+Bremen", "https://www.google.com/search?q=Am+Bachdamm+9+parking+Sinsheim", "https://www.google.com/search?q=Muthstrasse+16+parking+Sinsheim", "https://www.google.com/search?q=Hermann+Bose+Strasse+4+parking+Bremen", "https://www.google.com/search?q=Ladestrasse+25+parking+Sinsheim", "https://www.google.com/search?q=Hillmannstrasse+2+4+parking+Bremen", "https://www.google.com/search?q=Burgermeister+Smidt+Strasse+95+parking+Bremen", "https://www.google.com/search?q=Hankenstrasse+25+parking+Bremen", "https://www.google.com/search?q=Willy+Brandt+Platz+3+parking+Bremen", "https://www.google.com/search?q=Fangturm+3+parking+Bremen", "https://www.google.com/search?q=Am+Wandrahm+54+parking+Bremen", "https://www.google.com/search?q=Theodor+Heuss+Allee+15+parking+Bremen", "https://www.google.com/search?q=Clayallee+171+177+parking+Berlin", "https://www.google.com/search?q=Am+Gesundbrunnen+28+parking+Heilbronn", "https://www.google.com/search?q=Theodor+Heuss+Allee+8+parking+Bremen", "https://www.google.com/search?q=Syker+Str+302+parking+Delmenhorst", "https://www.google.com/search?q=Dammstrasse+1+parking+Heilbronn", "https://www.google.com/search?q=Mannheimer+Str+4+parking+Heilbronn", "https://www.google.com/search?q=Geeren+66+parking+Bremen", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+4+parking+Heilbronn", "https://www.google.com/search?q=Neuenstrasse+43+44+parking+Bremen", "https://www.google.com/search?q=Mannheimer+Strasse+25+parking+Heilbronn", "https://www.google.com/search?q=Hollerallee+101+parking+Bremen", "https://www.google.com/search?q=Lammgasse+32+parking+Heilbronn", "https://www.google.com/search?q=Zehentgasse+29+parking+Heilbronn", "https://www.google.com/search?q=Gymnasiumstrasse+71+parking+Heilbronn", "https://www.google.com/search?q=Kolpingstrasse+7+9+parking+Rheine", "https://www.google.com/search?q=Lohtorstrasse+8+parking+Heilbronn", "https://www.google.com/search?q=Matthiasstrasse+23+parking+Rheine", "https://www.google.com/search?q=Humboldtplatz+22+parking+Rheine", "https://www.google.com/search?q=Otto+Bergmeyer+Strasse+2+parking+Rheine", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Heilbronn", "https://www.google.com/search?q=Kilianstrasse+11+parking+Heilbronn", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Heilbronn", "https://www.google.com/search?q=Kardinal+Galen+Ring+56+parking+Rheine", "https://www.google.com/search?q=Am+Wollhaus+11+parking+Heilbronn", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Rheine", "https://www.google.com/search?q=Auf+Dem+Hugel+33+parking+Rheine", "https://www.google.com/search?q=Neukirchstrasse+45+parking+Bremen", "https://www.google.com/search?q=Allerheiligenstrasse+4+parking+Heilbronn", "https://www.google.com/search?q=Karl+Marx+Strasse+5+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Am+Fallturm+5+parking+Bremen", "https://www.google.com/search?q=Otto+von+Simson+Strasse+13+parking+Berlin", "https://www.google.com/search?q=Kolberger+Str+7+parking+Delmenhorst", "https://www.google.com/search?q=Sprotzer+Bahnhofstrasse+1+parking+Buchholz", "https://www.google.com/search?q=Passenheimer+Str+32+parking+Berlin", "https://www.google.com/search?q=Borgfelder+Allee+112+parking+Bremen", "https://www.google.com/search?q=Sommerweg+6+parking+Delmenhorst", "https://www.google.com/search?q=Stabholzgarten+4+parking+Berlin", "https://www.google.com/search?q=Von+Denis+Strasse+15+parking+Limburgerhof", "https://www.google.com/search?q=Ringstrasse+15+parking+Wiesloch", "https://www.google.com/search?q=Gerbersruhstrasse+73+parking+Wiesloch", "https://www.google.com/search?q=Hindenburgdamm+30+parking+Berlin", "https://www.google.com/search?q=Speyerer+Strasse+129+parking+Limburgerhof", "https://www.google.com/search?q=Breite+Str+67+71+parking+Berlin", "https://www.google.com/search?q=Mainzer+Strasse+2+parking+Limburgerhof", "https://www.google.com/search?q=Altstadter+Ring+20+parking+Berlin", "https://www.google.com/search?q=Mahlower+Str+62+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Jesse+Owens+Allee+2+parking+Berlin", "https://www.google.com/search?q=Heimstattenstrasse+8+parking+Blankenfelde+Mahlow", "https://www.google.com/search?q=Rutgersstrasse+3+parking+Buchholz", "https://www.google.com/search?q=Bezirk+Spandau,+Lindenufer+6+parking+Berlin", "https://www.google.com/search?q=Rutgersstrasse+33+parking+Buchholz", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Buchholz", "https://www.google.com/search?q=Lindenstrasse+10+parking+Buchholz", "https://www.google.com/search?q=Trakehner+Allee+7+parking+Berlin", "https://www.google.com/search?q=Am+Vorwerk+19+parking+Delmenhorst", "https://www.google.com/search?q=Heinrichstrasse+14+parking+Buchholz", "https://www.google.com/search?q=Bremer+Strasse+36+parking+Buchholz", "https://www.google.com/search?q=Olympischer+Pl+6+parking+Berlin", "https://www.google.com/search?q=An+Den+Graften+3+parking+Delmenhorst", "https://www.google.com/search?q=Friedrich+Ebert+Allee+8+parking+Delmenhorst", "https://www.google.com/search?q=Am+Wollelager+25+parking+Delmenhorst", "https://www.google.com/search?q=Schutzenstrasse+5+parking+Winsen", "https://www.google.com/search?q=Thomasweg+5+parking+Buchholz", "https://www.google.com/search?q=Zitadellenweg+34+parking+Berlin", "https://www.google.com/search?q=Am+Stadtwall+7+parking+Delmenhorst", "https://www.google.com/search?q=An+Den+Graften+38+parking+Delmenhorst", "https://www.google.com/search?q=Schlossstrasse+74+parking+Berlin", "https://www.google.com/search?q=Silbermannstrasse+1+parking+Bremen", "https://www.google.com/search?q=Koppelstrasse+13+parking+Delmenhorst", "https://www.google.com/search?q=Wittekindstrasse+2+parking+Delmenhorst", "https://www.google.com/search?q=Koppelstrasse+15+parking+Delmenhorst", "https://www.google.com/search?q=Kuhligkshofstrasse+4+parking+Berlin", "https://www.google.com/search?q=Grunewaldstrasse+3+parking+Berlin", "https://www.google.com/search?q=An+Der+Kleinbahn+1+parking+Winsen", "https://www.google.com/search?q=Dillenburger+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Staatsbahnhofstrasse+1+parking+Wiesloch", "https://www.google.com/search?q=Steinstrasse+52+parking+Berlin", "https://www.google.com/search?q=Schichauweg+2+parking+Berlin", "https://www.google.com/search?q=Falkenberger+Landstrasse+102+parking+Lilienthal", "https://www.google.com/search?q=Grosser+Stadtacker+11+parking+Wiesloch", "https://www.google.com/search?q=Duppelstrasse+35+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+31+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+51+parking+Berlin", "https://www.google.com/search?q=Deitmerstrasse+2+parking+Berlin", "https://www.google.com/search?q=Staatsbahnhofstrasse+16+parking+Wiesloch", "https://www.google.com/search?q=Schildhornstrasse+5+parking+Berlin", "https://www.google.com/search?q=Dunther+Str+10+parking+Berlin", "https://www.google.com/search?q=Messedamm+22+parking+Berlin", "https://www.google.com/search?q=Dunther+Str+24+parking+Berlin", "https://www.google.com/search?q=Buckower+Chaussee+103+parking+Berlin", "https://www.google.com/search?q=Halenseestrasse+40+parking+Berlin", "https://www.google.com/search?q=Masurenallee+17+parking+Berlin", "https://www.google.com/search?q=Gutsmuthsstrasse+23+24+parking+Berlin", "https://www.google.com/search?q=Oldenburger+Landstrasse+6+parking+Delmenhorst", "https://www.google.com/search?q=Bornstrasse+5+parking+Berlin", "https://www.google.com/search?q=Masurenallee+10+parking+Berlin", "https://www.google.com/search?q=Masurenallee+6+parking+Berlin", "https://www.google.com/search?q=Bornstrasse+1+parking+Berlin", "https://www.google.com/search?q=Bahnstrasse+8+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+37+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+1+parking+Berlin", "https://www.google.com/search?q=Rudolstadter+Str+42+parking+Berlin", "https://www.google.com/search?q=B+209+parking+Lauenburg", "https://www.google.com/search?q=Saatwinkler+Damm+369+parking+Berlin", "https://www.google.com/search?q=Wittekindstrasse+7+parking+Ganderkesee", "https://www.google.com/search?q=Schmiljanstrasse+25+parking+Berlin", "https://www.google.com/search?q=Brand+52+parking+Halbe", "https://www.google.com/search?q=Stapelfeldtstrasse+5+parking+Bremen", "https://www.google.com/search?q=Wurttembergische+Str+6+parking+Berlin", "https://www.google.com/search?q=Bernhardstrasse+13+parking+Berlin", "https://www.google.com/search?q=An+Der+Bahn+5+parking+Stelle", "https://www.google.com/search?q=Gartenfelderstrasse+29+parking+Berlin", "https://www.google.com/search?q=Wexstrasse+18+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Pl+38+parking+Berlin", "https://www.google.com/search?q=Olivaer+Pl+10+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+74+parking+Berlin", "https://www.google.com/search?q=Krumme+Str+46+parking+Berlin", "https://www.google.com/search?q=Leibnizstrasse+49+53+parking+Berlin", "https://www.google.com/search?q=Erfurter+Str+12+parking+Berlin", "https://www.google.com/search?q=Spandauer+Damm+13+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+38+parking+Berlin", "https://www.google.com/search?q=Schillerstrasse+37+38+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+116+parking+Schifferstadt", "https://www.google.com/search?q=Pechhuttenstrasse+2+parking+Schifferstadt", "https://www.google.com/search?q=Spielhagenstrasse+20+parking+Berlin", "https://www.google.com/search?q=Wexstrasse+17+parking+Berlin", "https://www.google.com/search?q=Sesenheimer+Str+22+parking+Berlin", "https://www.google.com/search?q=Reisseckstrasse+8+parking+Berlin", "https://www.google.com/search?q=Lietzenburger+Str+89+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+38+49+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+63+parking+Berlin", "https://www.google.com/search?q=Hohenzollerndamm+2+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+64+parking+Berlin", "https://www.google.com/search?q=Prager+Str+10+parking+Berlin", "https://www.google.com/search?q=Zillestrasse+51+parking+Berlin", "https://www.google.com/search?q=Kurfurstendamm+203+parking+Berlin", "https://www.google.com/search?q=Zillestrasse+50+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+30+32+parking+Berlin", "https://www.google.com/search?q=Knesebeckstrasse+72+73+parking+Berlin", "https://www.google.com/search?q=Grolmanstrasse+35+parking+Berlin", "https://www.google.com/search?q=Grolmanstrasse+41+43+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+181+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+18+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+53+parking+Rosengarten", "https://www.google.com/search?q=Schillerstrasse+11+parking+Berlin", "https://www.google.com/search?q=Joachimstaler+Strasse+14+19+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+9+10+parking+Berlin", "https://www.google.com/search?q=Uhlandstrasse+192+parking+Berlin", "https://www.google.com/search?q=Max+Dohrn+Strasse+1+5+parking+Berlin", "https://www.google.com/search?q=Augsburger+Strasse+41+parking+Berlin", "https://www.google.com/search?q=Friedrich+Wilhelm+Strasse+16+parking+Berlin", "https://www.google.com/search?q=Fasanenstrasse+85+parking+Berlin", "https://www.google.com/search?q=Dorfstrasse+12+parking+Schonefeld", "https://www.google.com/search?q=Kantstrasse+8+10+parking+Berlin", "https://www.google.com/search?q=Steinpl+4+parking+Berlin", "https://www.google.com/search?q=Kantstrasse+160+parking+Berlin", "https://www.google.com/search?q=Ordensmeisterstrasse+1+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+27+29+parking+Berlin", "https://www.google.com/search?q=Augsburger+Str+44+parking+Berlin", "https://www.google.com/search?q=Rankestrasse+30+parking+Berlin", "https://www.google.com/search?q=Kaiserin+Augusta+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Kantstrasse+2+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+10+11+parking+Berlin", "https://www.google.com/search?q=Hardenbergplatz+4+parking+Berlin", "https://www.google.com/search?q=Feurigstrasse+8+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+33+37+parking+Berlin", "https://www.google.com/search?q=Speyerer+Strasse+125+parking+Schifferstadt", "https://www.google.com/search?q=Tempelhofer+Damm+169+parking+Berlin", "https://www.google.com/search?q=Passauer+Str+1+parking+Berlin", "https://www.google.com/search?q=Reinhardtstrasse+2+parking+Berlin", "https://www.google.com/search?q=Fuggerstrasse+21+parking+Berlin", "https://www.google.com/search?q=Hauptstrasse+150+parking+Berlin", "https://www.google.com/search?q=Nurnberger+Str+65+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+38+parking+Berlin", "https://www.google.com/search?q=Nurnberger+Str+5+parking+Berlin", "https://www.google.com/search?q=Bayreuther+Str+39+parking+Berlin", "https://www.google.com/search?q=Kalckreuthstrasse+2+parking+Berlin", "https://www.google.com/search?q=Bayreuther+Str+42+43+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+28+parking+Mittenwalde", "https://www.google.com/search?q=Bayreuther+Str+3+parking+Berlin", "https://www.google.com/search?q=Zeppelinring+18+parking+Mittenwalde", "https://www.google.com/search?q=Budapester+Str+35+parking+Berlin", "https://www.google.com/search?q=Tempelhofer+Damm+118+parking+Berlin", "https://www.google.com/search?q=Kleiststrasse+9+12+parking+Berlin", "https://www.google.com/search?q=An+Der+Urania+12+parking+Berlin", "https://www.google.com/search?q=Str+Des+17+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+114+116+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+25+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+74+parking+Berlin", "https://www.google.com/search?q=Budapester+Str+2+parking+Berlin", "https://www.google.com/search?q=Keithstrasse+38+parking+Berlin", "https://www.google.com/search?q=Saatwinkler+Damm+80+parking+Berlin", "https://www.google.com/search?q=Einemstrasse+18+parking+Berlin", "https://www.google.com/search?q=Pingel+Anton+9+parking+Cloppenburg", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+19+parking+Cloppenburg", "https://www.google.com/search?q=Genthiner+Str+41+parking+Berlin", "https://www.google.com/search?q=Kurfurstenstrasse+151+parking+Berlin", "https://www.google.com/search?q=Klopstockstrasse+38+parking+Berlin", "https://www.google.com/search?q=Lutzowufer+15+parking+Berlin", "https://www.google.com/search?q=Tempelhofer+Damm+23+parking+Berlin", "https://www.google.com/search?q=Eschstrasse+39+parking+Cloppenburg", "https://www.google.com/search?q=Industriestrasse+7+parking+Malsch", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Malsch", "https://www.google.com/search?q=Industriestrasse+4+parking+Malsch", "https://www.google.com/search?q=Manfred+von+Richthofen+Strasse+2+parking+Berlin", "https://www.google.com/search?q=Margarete+von+Etzdorf+Strasse+1+parking+Schonefeld", "https://www.google.com/search?q=Auf+Dem+Hook+1+parking+Cloppenburg", "https://www.google.com/search?q=Johannisthaler+Chaussee+317+parking+Berlin", "https://www.google.com/search?q=Siemensstrasse+14+parking+Speyer", "https://www.google.com/search?q=Wilhelmshavener+Strasse+73+parking+Berlin", "https://www.google.com/search?q=Iggelheimer+Strasse+20+parking+Speyer", "https://www.google.com/search?q=Neuruppiner+Str+13+parking+Walsleben", "https://www.google.com/search?q=Schoneberger+Str+16+parking+Berlin", "https://www.google.com/search?q=Wassmannsdorfer+Chaussee+18+parking+Schonefeld", "https://www.google.com/search?q=Scharounstrasse+1+parking+Berlin", "https://www.google.com/search?q=Beethovenstrasse+1+parking+Pritzwalk", "https://www.google.com/search?q=Bahnhofstrasse+51+parking+Speyer", "https://www.google.com/search?q=Poststrasse+2+parking+Hennigsdorf", "https://www.google.com/search?q=Am+Bahndamm+19+parking+Hennigsdorf", "https://www.google.com/search?q=Berliner+Chaussee+15+parking+Kremmen", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sulzbach", "https://www.google.com/search?q=Talstrasse+4+parking+Sulzbach", "https://www.google.com/search?q=Linkstrasse+2+parking+Berlin", "https://www.google.com/search?q=Murrtalstrasse+5+parking+Murrhardt", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Speyer", "https://www.google.com/search?q=Ben+Gurion+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Horstener+Str+100+parking+Seevetal", "https://www.google.com/search?q=Berliner+Strasse+2+parking+Bohl+Iggelheim", "https://www.google.com/search?q=Am+Borsigturm+2+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+110+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+49+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+78+parking+Berlin", "https://www.google.com/search?q=Stresemannstrasse+74+parking+Berlin", "https://www.google.com/search?q=Im+Stiegelsteig+13+parking+Bohl+Iggelheim", "https://www.google.com/search?q=Niederkirchnerstrasse+3+parking+Berlin", "https://www.google.com/search?q=Auguste+Hauschner+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Parchimer+Allee+66+parking+Berlin", "https://www.google.com/search?q=Flohrstrasse+19+parking+Berlin", "https://www.google.com/search?q=Seestrasse+4+5+parking+Berlin", "https://www.google.com/search?q=Ebertstrasse+2+parking+Berlin", "https://www.google.com/search?q=Mittelstrasse+10+parking+Schonefeld", "https://www.google.com/search?q=Fichtestrasse+8+parking+Murrhardt", "https://www.google.com/search?q=Bahnhofstrasse+39+parking+Murrhardt", "https://www.google.com/search?q=Malchiner+Str+73+parking+Berlin", "https://www.google.com/search?q=Untere+Langgasse+6+parking+Speyer", "https://www.google.com/search?q=Wittestrasse+30+parking+Berlin", "https://www.google.com/search?q=Scharnweberstrasse+81+parking+Berlin", "https://www.google.com/search?q=Blucherstrasse+22+23+parking+Berlin", "https://www.google.com/search?q=Grussdorfstrasse+2+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Murrhardt", "https://www.google.com/search?q=Heydenreichstrasse+15+parking+Speyer", "https://www.google.com/search?q=Parchimer+Allee+35+parking+Berlin", "https://www.google.com/search?q=Flughafen+1+parking+Schonefeld", "https://www.google.com/search?q=Muhlturmstrasse+24+parking+Speyer", "https://www.google.com/search?q=Clara+Jaschke+Strasse+88+parking+Berlin", "https://www.google.com/search?q=Vossstrasse+3+parking+Berlin", "https://www.google.com/search?q=Muhlturmstrasse+25+parking+Speyer", "https://www.google.com/search?q=Ludwig+Zorn+Strasse+5+parking+Eppingen", "https://www.google.com/search?q=Bernstorffstrasse+19+parking+Berlin", "https://www.google.com/search?q=Meteorstrasse+26+parking+Berlin", "https://www.google.com/search?q=Behrenstrasse+72+parking+Berlin", "https://www.google.com/search?q=Kleinbruckentorpl+10+parking+Eppingen", "https://www.google.com/search?q=Konigsweg+7+parking+Berlin", "https://www.google.com/search?q=Heilbronner+Str+6+parking+Eppingen", "https://www.google.com/search?q=Ludwig+Zorn+Strasse+14+parking+Eppingen", "https://www.google.com/search?q=Gustav+Becker+Strasse+9+parking+Seevetal", "https://www.google.com/search?q=Leipziger+Str+106+111+parking+Berlin", "https://www.google.com/search?q=Nordlichtstrasse+8+parking+Berlin", "https://www.google.com/search?q=Charlottenstrasse+82+parking+Berlin", "https://www.google.com/search?q=Krausenstrasse+7+parking+Berlin", "https://www.google.com/search?q=Leiergasse+31+parking+Eppingen", "https://www.google.com/search?q=Muhlbacher+Str+3+parking+Eppingen", "https://www.google.com/search?q=Scharnweberstrasse+21+22+parking+Berlin", "https://www.google.com/search?q=Kapweg+3+parking+Berlin", "https://www.google.com/search?q=Mainzer+Str+29+parking+Berlin", "https://www.google.com/search?q=Charlottenstrasse+63+parking+Berlin", "https://www.google.com/search?q=Halskestrasse+1+parking+Konigs", "https://www.google.com/search?q=Waltersdorfer+Chaussee+7+parking+Berlin", "https://www.google.com/search?q=Taubenstrasse+14+parking+Berlin", "https://www.google.com/search?q=Jagerstrasse+60+parking+Berlin", "https://www.google.com/search?q=Gewerbepark+30+parking+Wildau", "https://www.google.com/search?q=Luisenstrasse+47+52+parking+Berlin", "https://www.google.com/search?q=Dorotheenstrasse+62+parking+Berlin", "https://www.google.com/search?q=Breitenbachstrasse+13+parking+Berlin", "https://www.google.com/search?q=Reinhardtstrasse+27+parking+Berlin", "https://www.google.com/search?q=Schutzenstrasse+39+parking+Berlin", "https://www.google.com/search?q=Genter+Str+24+parking+Berlin", "https://www.google.com/search?q=Erlanger+Str+3+parking+Berlin", "https://www.google.com/search?q=Bahnstrasse+30+parking+Velten", "https://www.google.com/search?q=Brusseler+Str+52+parking+Berlin", "https://www.google.com/search?q=Franzosische+Strasse+39+parking+Berlin", "https://www.google.com/search?q=Rollbergstrasse+18+parking+Berlin", "https://www.google.com/search?q=Behrenstrasse+41+parking+Berlin", "https://www.google.com/search?q=Harmenhauser+Str+1+parking+Ganderkesee", "https://www.google.com/search?q=Berliner+Str+11+parking+Schonefeld", "https://www.google.com/search?q=Schulzendorfer+Str+10+parking+Schonefeld", "https://www.google.com/search?q=Schulzendorfer+Str+14+parking+Schonefeld", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Bad", "https://www.google.com/search?q=Dorotheenstrasse+30+parking+Berlin", "https://www.google.com/search?q=Am+Weidendamm+1+parking+Berlin", "https://www.google.com/search?q=Kienhorststrasse+60+parking+Berlin", "https://www.google.com/search?q=Schulstrasse+5+parking+Berlin", "https://www.google.com/search?q=Parkstrasse+3+parking+Lubben", "https://www.google.com/search?q=Hannoversche+Str+5+parking+Berlin", "https://www.google.com/search?q=Donaustrasse+43+44+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+ostringen", "https://www.google.com/search?q=Nibelungenstrasse+136+parking+ostringen", "https://www.google.com/search?q=Johannisstrasse+16+parking+Berlin", "https://www.google.com/search?q=Chausseestrasse+118+120+parking+Berlin", "https://www.google.com/search?q=Caroline+Michaelis+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Ritterhude", "https://www.google.com/search?q=Annenstrasse+53+parking+Berlin", "https://www.google.com/search?q=Findorffstrasse+4+parking+Ritterhude", "https://www.google.com/search?q=Muhlendamm+3+parking+Berlin", "https://www.google.com/search?q=Spandauer+Str+3+parking+Berlin", "https://www.google.com/search?q=Storkower+Str+3+parking+Konigs", "https://www.google.com/search?q=Rehmendamm+6+parking+Seevetal", "https://www.google.com/search?q=Ziegrastrasse+46+parking+Berlin", "https://www.google.com/search?q=Judenstrasse+42+parking+Berlin", "https://www.google.com/search?q=Grunerstrasse+5+7+parking+Berlin", "https://www.google.com/search?q=Rungestrasse+9+parking+Berlin", "https://www.google.com/search?q=Bruckenstrasse+13+parking+Berlin", "https://www.google.com/search?q=Bahnhofsplatz+9+parking+Oppenweiler", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Oppenweiler", "https://www.google.com/search?q=Grunerstrasse+5+parking+Berlin", "https://www.google.com/search?q=Bahnhofsplatz+1+parking+Oppenweiler", "https://www.google.com/search?q=Rolandufer+13+parking+Berlin", "https://www.google.com/search?q=Zur+Mesche+1+parking+Neuruppin", "https://www.google.com/search?q=Holzmarktstrasse+4+parking+Berlin", "https://www.google.com/search?q=Alexanderstrasse+20+parking+Berlin", "https://www.google.com/search?q=Lehmgrubenweg+1+15+parking+Hassloch", "https://www.google.com/search?q=Alexanderstrasse+2+parking+Berlin", "https://www.google.com/search?q=Jacobystrasse+1+parking+Berlin", "https://www.google.com/search?q=Lesumer+Heerstrasse+1+parking+Bremen", "https://www.google.com/search?q=Karl+Marx+Allee+1+parking+Berlin", "https://www.google.com/search?q=Alex+Wedding+Strasse+7+parking+Berlin", "https://www.google.com/search?q=Am+Ostbahnhof+1+parking+Berlin", "https://www.google.com/search?q=Bernhard+Weiss+Strasse+6+parking+Berlin", "https://www.google.com/search?q=Stralauer+Pl+13+parking+Berlin", "https://www.google.com/search?q=Koppenstrasse+5+parking+Berlin", "https://www.google.com/search?q=Bartelstrasse+18+parking+Berlin", "https://www.google.com/search?q=Stettiner+Str+5+parking+Berlin", "https://www.google.com/search?q=Am+Ostbahnhof+5+parking+Berlin", "https://www.google.com/search?q=Karl+Liebknecht+Strasse+33+parking+Berlin", "https://www.google.com/search?q=Schonhauser+Allee+8+parking+Berlin", "https://www.google.com/search?q=Berolinastrasse+22+parking+Berlin", "https://www.google.com/search?q=Schonhauser+Allee+9+parking+Berlin", "https://www.google.com/search?q=Karl+Marx+Allee+34+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+67+parking+Berlin", "https://www.google.com/search?q=Vorwerk+6+parking+Schonefeld", "https://www.google.com/search?q=Berolinastrasse+9+parking+Berlin", "https://www.google.com/search?q=Am+Treptower+Pk+14+parking+Berlin", "https://www.google.com/search?q=Prenzlauer+Allee+1+parking+Berlin", "https://www.google.com/search?q=Am+Treptower+Pk+15+parking+Berlin", "https://www.google.com/search?q=BellermannStrasse+64+parking+Berlin", "https://www.google.com/search?q=Vogtlandstrasse+26+parking+Bad", "https://www.google.com/search?q=Metzer+Str+1+parking+Berlin", "https://www.google.com/search?q=Schlitzer+Str+2+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+81+parking+Berlin", "https://www.google.com/search?q=Glienicker+Str+5+parking+Berlin", "https://www.google.com/search?q=Prenzlauer+Berg+8+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Kirchheim", "https://www.google.com/search?q=Kollwitzstrasse+15+parking+Berlin", "https://www.google.com/search?q=Kopenicker+Landstrasse+23+parking+Berlin", "https://www.google.com/search?q=Str+Der+Pariser+Kommune+17+parking+Berlin", "https://www.google.com/search?q=Eberswalder+Str+9+parking+Berlin", "https://www.google.com/search?q=Otto+Braun+Strasse+90+parking+Berlin", "https://www.google.com/search?q=Waghausel+44+parking+Waghausel", "https://www.google.com/search?q=Georgenkirchstrasse+3+parking+Berlin", "https://www.google.com/search?q=Sredzkistrasse+1+parking+Berlin", "https://www.google.com/search?q=Paradiesstrasse+256+parking+Berlin", "https://www.google.com/search?q=Hildegard+Jadamowitz+Strasse+1+parking+Berlin", "https://www.google.com/search?q=Schnellerstrasse+21+parking+Berlin", "https://www.google.com/search?q=Kapellenstrasse+9+11+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Landsberger+Allee+26+32+parking+Berlin", "https://www.google.com/search?q=Grohner+Muhlenweg+37+parking+Bremen", "https://www.google.com/search?q=Jacob+Frerichs+Strasse+1+parking+Osterholz+Scharmbeck", "https://www.google.com/search?q=Karl+Marx+Allee+131+parking+Berlin", "https://www.google.com/search?q=Kopenhagener+Str+78+parking+Berlin", "https://www.google.com/search?q=Zum+Alten+Speicher+1+2+parking+Bremen", "https://www.google.com/search?q=Unterdorfstrasse+60+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Wilhelminenhofstrasse+89+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+17+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Teetzer+Str+35+parking+Wittstock+Dosse", "https://www.google.com/search?q=Kneippstrasse+28+parking+Romerberg", "https://www.google.com/search?q=Industriestrasse+1+parking+Lemwerder", "https://www.google.com/search?q=Vegesacker+Bahnhofspl+34+parking+Bremen", "https://www.google.com/search?q=Vegesacker+Bahnhofspl+2+parking+Bremen", "https://www.google.com/search?q=Senftenberger+Ring+17+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Romerberg", "https://www.google.com/search?q=Greifenhagener+Str+21+parking+Berlin", "https://www.google.com/search?q=Alte+Hafenstrasse+52+parking+Bremen", "https://www.google.com/search?q=Poststrasse+16+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Hohe+Str+19+parking+Hude", "https://www.google.com/search?q=Industriestrasse+4+parking+Kraichtal", "https://www.google.com/search?q=Schreiberhauer+Str+48+parking+Berlin", "https://www.google.com/search?q=Silvio+Meier+Strasse+16+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sulzfeld", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Sulzfeld", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Sulzfeld", "https://www.google.com/search?q=Heinrich+Heine+Allee+13+14+parking+Eichwalde", "https://www.google.com/search?q=Biospharenreservat+Spreewald+2+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Adlergestell+556+parking+Berlin", "https://www.google.com/search?q=August+Bebel+Allee+21+parking+Eichwalde", "https://www.google.com/search?q=Rudi+Arndt+Strasse+11+parking+Berlin", "https://www.google.com/search?q=Breite+Str+20+parking+Berlin", "https://www.google.com/search?q=Voigtstrasse+2+parking+Berlin", "https://www.google.com/search?q=Vegesacker+Rampe+1+parking+Bremen", "https://www.google.com/search?q=Storkower+Str+158+parking+Berlin", "https://www.google.com/search?q=Pieskower+Weg+15+parking+Berlin", "https://www.google.com/search?q=Ostseestrasse+8+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+132+parking+Waghausel", "https://www.google.com/search?q=Franz+Jacob+Strasse+4+parking+Berlin", "https://www.google.com/search?q=Hannoversche+Str+85+parking+Hamburg", "https://www.google.com/search?q=Puschkinallee+101+parking+Hohen", "https://www.google.com/search?q=Wilstorfer+Str+71+parking+Hamburg", "https://www.google.com/search?q=Horstener+Str+1+parking+Hamburg", "https://www.google.com/search?q=Wilstorfer+Str+48+parking+Hamburg", "https://www.google.com/search?q=Hohenschonhauser+Str+1+parking+Berlin", "https://www.google.com/search?q=Krummholzberg+10+parking+Hamburg", "https://www.google.com/search?q=Schuttstrasse+3+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+202+parking+Zaisenhausen", "https://www.google.com/search?q=Lauenburger+Strasse+34+parking+Buchen", "https://www.google.com/search?q=Landsberger+Allee+173+parking+Berlin", "https://www.google.com/search?q=Stolzenfelsstrasse+1+8+parking+Berlin", "https://www.google.com/search?q=Goldtschmidtstrasse+5+parking+Hamburg", "https://www.google.com/search?q=Anton+Saefkow+Platz+2+parking+Berlin", "https://www.google.com/search?q=Harburger+Ring+19+parking+Hamburg", "https://www.google.com/search?q=Mollendorffstrasse+46+parking+Berlin", "https://www.google.com/search?q=Julius+Ludowieg+Strasse+22+parking+Hamburg", "https://www.google.com/search?q=Annonay+Strasse+3+parking+Backnang", "https://www.google.com/search?q=Harburger+Ring+23+parking+Hamburg", "https://www.google.com/search?q=Fritz+Munz+Weg+12+parking+Backnang", "https://www.google.com/search?q=Fritz+Munz+Weg+9+parking+Backnang", "https://www.google.com/search?q=Grabenstrasse+11+parking+Backnang", "https://www.google.com/search?q=Kuchgarten+21+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Buchen", "https://www.google.com/search?q=K+3512+parking+Kraichtal", "https://www.google.com/search?q=Einbecker+Str+19+parking+Berlin", "https://www.google.com/search?q=Gerberstrasse+18+parking+Backnang", "https://www.google.com/search?q=Obere+Bahnhofstrasse+10+parking+Backnang", "https://www.google.com/search?q=Allmendweg+43+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Konrad+Wolf+Strasse+64+parking+Berlin", "https://www.google.com/search?q=Obere+Bahnhofstrasse+26+parking+Backnang", "https://www.google.com/search?q=Kirchstrasse+5+parking+Berlin", "https://www.google.com/search?q=Veritaskai+2+parking+Hamburg", "https://www.google.com/search?q=Jahnstrasse+10+parking+Backnang", "https://www.google.com/search?q=Jagerstrasse+5+parking+Berlin", "https://www.google.com/search?q=Leistikowstrasse+1+parking+Birkenwerder", "https://www.google.com/search?q=Kopenicker+Str+325+parking+Berlin", "https://www.google.com/search?q=Am+Tierpark+125+parking+Berlin", "https://www.google.com/search?q=Erbstetter+Strasse+57+parking+Backnang", "https://www.google.com/search?q=Neuenwegstrasse+85+parking+Kraichtal", "https://www.google.com/search?q=Josef+Heid+Strasse+1+parking+Kraichtal", "https://www.google.com/search?q=Am+Tierpark+49+parking+Berlin", "https://www.google.com/search?q=Lussumer+Str+5+parking+Bremen", "https://www.google.com/search?q=Neuer+Weg+37+parking+Hamburg", "https://www.google.com/search?q=Malagstrasse+1+parking+Kraichtal", "https://www.google.com/search?q=Gruner+Hof+18+parking+Ubstadt+Weiher", "https://www.google.com/search?q=Landsberger+Allee+253+parking+Berlin", "https://www.google.com/search?q=Elcknerpl+8+parking+Berlin", "https://www.google.com/search?q=Weinstrasse+11+parking+Besigheim", "https://www.google.com/search?q=Herzbergstrasse+78+parking+Berlin", "https://www.google.com/search?q=Rosslaufstrasse+32+parking+Neustadt", "https://www.google.com/search?q=Landwehrstrasse+22+parking+Neustadt", "https://www.google.com/search?q=Friedrich+Frank+Bogen+87+parking+Hamburg", "https://www.google.com/search?q=Bergedorfer+Str+85+parking+Hamburg", "https://www.google.com/search?q=Berthold+Bott+Strasse+62+parking+Kraichtal", "https://www.google.com/search?q=Industriestrasse+1+parking+Apensen", "https://www.google.com/search?q=Sander+Markt+18+parking+Hamburg", "https://www.google.com/search?q=Striepenweg+31+parking+Hamburg", "https://www.google.com/search?q=Lohbrugger+Markt+3+parking+Hamburg", "https://www.google.com/search?q=Karntener+Strasse+21+parking+Backnang", "https://www.google.com/search?q=Kitzbuheler+Strasse+11+parking+Backnang", "https://www.google.com/search?q=Karntener+Strasse+14+parking+Backnang", "https://www.google.com/search?q=Hirschbachstrasse+1+parking+Aalen", "https://www.google.com/search?q=Ackerweg+5+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Erdmannhausen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Schwarzenbek", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Lingenfeld", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Lingenfeld", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Oberderdingen", "https://www.google.com/search?q=Kolpingstrasse+1+parking+Lingenfeld", "https://www.google.com/search?q=Landauer+Str+43+parking+Neustadt", "https://www.google.com/search?q=Marstall+1+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Neustadt", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Neustadt", "https://www.google.com/search?q=Apollofalterallee+103+parking+Berlin", "https://www.google.com/search?q=Muhlenbecker+Weg+2+parking+Oranienburg", "https://www.google.com/search?q=K+6632+parking+Lubbenau+Spreewald", "https://www.google.com/search?q=Stralsunder+Str+30+parking+Oranienburg", "https://www.google.com/search?q=Markische+Allee+120+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+77+parking+Neu", "https://www.google.com/search?q=Kirchgessnerpl+8+parking+Oberderdingen", "https://www.google.com/search?q=Wuhlgartenweg+5+parking+Berlin", "https://www.google.com/search?q=Am+Fliess+2+parking+Muhlenbecker", "https://www.google.com/search?q=Ladestrasse+6+parking+Reinbek", "https://www.google.com/search?q=Sophienstrasse+1+parking+Reinbek", "https://www.google.com/search?q=Wilhelm+Strauss+Weg+1+parking+Hamburg", "https://www.google.com/search?q=Maria+Merkert+Strasse+11+parking+Reinbek", "https://www.google.com/search?q=Wilhelm+Strauss+Weg+4+parking+Hamburg", "https://www.google.com/search?q=Kirchenweinbergstrasse+43+parking+Marbach", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Marbach", "https://www.google.com/search?q=Schoneicher+Str+1+parking+Berlin", "https://www.google.com/search?q=Wartenberger+Str+174+parking+Berlin", "https://www.google.com/search?q=Molzaustrasse+2+parking+Graben+Neudorf", "https://www.google.com/search?q=Ribnitzer+Str+1+parking+Berlin", "https://www.google.com/search?q=Stader+Strasse+50+parking+Buxtehude", "https://www.google.com/search?q=Brauereiweg+4+parking+Buxtehude", "https://www.google.com/search?q=Landsberger+Allee+176+178+parking+Berlin", "https://www.google.com/search?q=Egon+Erwin+Kisch+Strasse+28+parking+Berlin", "https://www.google.com/search?q=Studionstrasse+19+parking+Benningen", "https://www.google.com/search?q=Markische+Allee+180+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Berne", "https://www.google.com/search?q=Markische+Allee+178+C+parking+Berlin", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Germersheim", "https://www.google.com/search?q=Markische+Allee+176+parking+Berlin", "https://www.google.com/search?q=Am+Bundesbahnhof+2+parking+Harsefeld", "https://www.google.com/search?q=Kastanienallee+8+parking+Wohltorf", "https://www.google.com/search?q=Bahnhofstrasse+100+parking+Leutenbach", "https://www.google.com/search?q=Farger+Str+129+parking+Bremen", "https://www.google.com/search?q=Kaiserstrasse+11+parking+Lingen", "https://www.google.com/search?q=Bleichweg+1+parking+Bruchsal", "https://www.google.com/search?q=Parkplatz+Busbahnhof+ZOB+P+11+parking+Lingen", "https://www.google.com/search?q=L+618+parking+Bruchsal", "https://www.google.com/search?q=Markische+Allee+230+parking+Berlin", "https://www.google.com/search?q=Poststrasse+6+parking+Lingen", "https://www.google.com/search?q=Jakob+Wolff+Strasse+2+3+parking+Lingen", "https://www.google.com/search?q=John+Bopp+Strasse+27+parking+Bruchsal", "https://www.google.com/search?q=Synagogenstrasse+1+parking+Lingen", "https://www.google.com/search?q=Burgstrasse+21+parking+Lingen", "https://www.google.com/search?q=Wilhelmstrasse+53+parking+Lingen", "https://www.google.com/search?q=Kirchgasse+14+parking+Bruchsal", "https://www.google.com/search?q=Alter+Pferdemarkt+3+parking+Lingen", "https://www.google.com/search?q=Am+Pulverturm+3+parking+Lingen", "https://www.google.com/search?q=Bahnhofpl+5+parking+Bruchsal", "https://www.google.com/search?q=Frankenweg+34+parking+Bruchsal", "https://www.google.com/search?q=Johannes+Meyer+Strasse+3+parking+Lingen", "https://www.google.com/search?q=Bahnhofpl+7+parking+Bruchsal", "https://www.google.com/search?q=Neue+Strasse+9+parking+Lingen", "https://www.google.com/search?q=Orbinstrasse+22+parking+Bruchsal", "https://www.google.com/search?q=Hellersdorfer+Str+77+83+parking+Berlin", "https://www.google.com/search?q=Bahnhofpl+12+parking+Bruchsal", "https://www.google.com/search?q=Heidelberger+Str+6+parking+Graben+Neudorf", "https://www.google.com/search?q=Gymnasialstrasse+1+parking+Lingen", "https://www.google.com/search?q=Elisabethstrasse+33+parking+Lingen", "https://www.google.com/search?q=Friedhofstrasse+74+parking+Bruchsal", "https://www.google.com/search?q=Am+Wall+Sud+121+parking+Lingen", "https://www.google.com/search?q=Schonningstedter+Str+1+parking+Aumuhle", "https://www.google.com/search?q=Hochstrasse+26+parking+Bruchsal", "https://www.google.com/search?q=Zum+Neuen+Hafen+12+parking+Lingen", "https://www.google.com/search?q=Am+Wall+Sud+20+parking+Lingen", "https://www.google.com/search?q=Muhlentorstrasse+23+parking+Lingen", "https://www.google.com/search?q=An+Der+Wilhelmshohe+12+parking+Lingen", "https://www.google.com/search?q=Am+Gasthausdamm+10+parking+Lingen", "https://www.google.com/search?q=Markische+Allee+280+parking+Berlin", "https://www.google.com/search?q=Harburger+Chaussee+19+parking+Hamburg", "https://www.google.com/search?q=Honower+Str+94+parking+Berlin", "https://www.google.com/search?q=Stuttgarter+Strasse+121+B+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Bahnhof+4+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Stuttgarter+Strasse+125+parking+Bietigheim+Bissingen", "https://www.google.com/search?q=Poststrasse+23+parking+Bargstedt", "https://www.google.com/search?q=Am+Bahnhof+9+parking+Kirrweiler", "https://www.google.com/search?q=Bahnhofstrasse+59+61+parking+Freiberg", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Freiberg", "https://www.google.com/search?q=Ausschlager+Allee+191+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Sachsenheim", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Freiberg", "https://www.google.com/search?q=Harteneckstrasse+14+parking+Freiberg", "https://www.google.com/search?q=Wiesenstrasse+20+parking+Sachsenheim", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Sachsenheim", "https://www.google.com/search?q=In+Der+Gottesau+19+parking+Bruchsal", "https://www.google.com/search?q=Alter+Fischerweg+4+parking+Berlin", "https://www.google.com/search?q=Muhlenbecker+Chaussee+24+parking+Wandlitz", "https://www.google.com/search?q=B+3+parking+Bruchsal", "https://www.google.com/search?q=Markische+Allee+388+parking+Berlin", "https://www.google.com/search?q=Germersheimer+Str+14+parking+Germersheim", "https://www.google.com/search?q=Wiltbergstrasse+23+parking+Berlin", "https://www.google.com/search?q=Mollner+Landstrasse+217+parking+Hamburg", "https://www.google.com/search?q=Marbacher+Strasse+2+parking+Winnenden", "https://www.google.com/search?q=Kuglerstrasse+13+parking+Regensburg", "https://www.google.com/search?q=Marbacher+Strasse+19+parking+Winnenden", "https://www.google.com/search?q=Bahnhofsallee+2+parking+Brest", "https://www.google.com/search?q=Karl+Kramer+Strasse+23+parking+Winnenden", "https://www.google.com/search?q=Prufeninger+Strasse+29+parking+Regensburg", "https://www.google.com/search?q=Dammstrasse+4+parking+Sersheim", "https://www.google.com/search?q=Riedweg+1+parking+Hamburg", "https://www.google.com/search?q=uberseeallee+3+parking+Hamburg", "https://www.google.com/search?q=Am+Kaiserkai+63+parking+Hamburg", "https://www.google.com/search?q=Hongkongstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Am+Sandtorkai+75+parking+Hamburg", "https://www.google.com/search?q=Am+Sandtorkai+6+parking+Hamburg", "https://www.google.com/search?q=Stifterweg+5+parking+Schorndorf", "https://www.google.com/search?q=Staatsstrasse+41+parking+Edenkoben", "https://www.google.com/search?q=Am+Sandtorkai+41+parking+Hamburg", "https://www.google.com/search?q=Kehrwieder+6+parking+Hamburg", "https://www.google.com/search?q=Altlander+Str+12+parking+Hamburg", "https://www.google.com/search?q=Bei+Dem+Neuen+Krahn+2+parking+Hamburg", "https://www.google.com/search?q=Kajen+10+parking+Hamburg", "https://www.google.com/search?q=Deichstrasse+51+parking+Hamburg", "https://www.google.com/search?q=Bohlener+Str+81+parking+Berlin", "https://www.google.com/search?q=Oberbaumbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Steintwietenhof+2+parking+Hamburg", "https://www.google.com/search?q=Dovenfleet+755+parking+Hamburg", "https://www.google.com/search?q=Hogerdamm+3+parking+Hamburg", "https://www.google.com/search?q=Schaartor+1+parking+Hamburg", "https://www.google.com/search?q=Neue+Groningerstrasse+12+parking+Hamburg", "https://www.google.com/search?q=Johannisbollwerk+20+parking+Hamburg", "https://www.google.com/search?q=Nordkanalstrasse+23+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Regensburg", "https://www.google.com/search?q=Herrengraben+30+parking+Hamburg", "https://www.google.com/search?q=Nordkanalstrasse+27+parking+Hamburg", "https://www.google.com/search?q=Schaarmarkt+1+parking+Hamburg", "https://www.google.com/search?q=Burchardstrasse+11+parking+Hamburg", "https://www.google.com/search?q=Rodingsmarkt+14+parking+Hamburg", "https://www.google.com/search?q=Van+der+Smissen+Strasse+1+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Regensburg", "https://www.google.com/search?q=Klosterwall+2+8+parking+Hamburg", "https://www.google.com/search?q=Grosse+Reichenstrasse+14+parking+Hamburg", "https://www.google.com/search?q=Hopfenmarkt+31+parking+Hamburg", "https://www.google.com/search?q=Huhnerposten+1+2+parking+Hamburg", "https://www.google.com/search?q=Grosse+Elbstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Burchardstrasse+3+parking+Hamburg", "https://www.google.com/search?q=Am+Gojenboom+33+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Regensburg", "https://www.google.com/search?q=Huhnerposten+1+parking+Hamburg", "https://www.google.com/search?q=Dammschanze+12+parking+Oldenburg", "https://www.google.com/search?q=Hermannstal+12+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Regensburg", "https://www.google.com/search?q=Koppelstrasse+2+parking+Oldenburg", "https://www.google.com/search?q=Bahnhofspl+1+parking+Elsfleth", "https://www.google.com/search?q=Neumayerstrasse+7+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Tamm", "https://www.google.com/search?q=Adolphspl+4+parking+Hamburg", "https://www.google.com/search?q=Lange+Muhren+12+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Tamm", "https://www.google.com/search?q=Besenbinderhof+56+parking+Hamburg", "https://www.google.com/search?q=Zirkusweg+4+6+parking+Hamburg", "https://www.google.com/search?q=Kurt+Schumacher+Allee+57A+parking+Hamburg", "https://www.google.com/search?q=Bugenhagenstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Alter+Wall+40+parking+Hamburg", "https://www.google.com/search?q=Adolphspl+7+parking+Hamburg", "https://www.google.com/search?q=Reuteallee+36+parking+Ludwigsburg", "https://www.google.com/search?q=Zeughausmarkt+34+parking+Hamburg", "https://www.google.com/search?q=Beim+Berliner+Tor+2+parking+Hamburg", "https://www.google.com/search?q=Nagelsweg+1+parking+Hamburg", "https://www.google.com/search?q=Stadthausbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Adenauerallee+70+parking+Hamburg", "https://www.google.com/search?q=Beim+Strohhause+6+parking+Hamburg", "https://www.google.com/search?q=Hammerbrookstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Taubenstrasse+23+parking+Hamburg", "https://www.google.com/search?q=Kleine+Rosenstrasse+8+parking+Hamburg", "https://www.google.com/search?q=Adenauerallee+10+parking+Hamburg", "https://www.google.com/search?q=Zirkusweg+20+parking+Hamburg", "https://www.google.com/search?q=Steintorpl+1+parking+Hamburg", "https://www.google.com/search?q=Hermannstrasse+11+parking+Hamburg", "https://www.google.com/search?q=An+Der+Stadthausbrucke+1+parking+Hamburg", "https://www.google.com/search?q=Kastanienallee+14+parking+Panketal", "https://www.google.com/search?q=Schlosspl+3+parking+Oldenburg", "https://www.google.com/search?q=Heinrich+Heine+Strasse+6+parking+Stutensee", "https://www.google.com/search?q=Rosenstrasse+25+parking+Hamburg", "https://www.google.com/search?q=Fritz+Muller+Allee+5+parking+Schwaikheim", "https://www.google.com/search?q=Korntragergang+8+parking+Hamburg", "https://www.google.com/search?q=Kleine+Seilerstrasse+2+parking+Hamburg", "https://www.google.com/search?q=Grosse+Bleichen+35+parking+Hamburg", "https://www.google.com/search?q=Bei+Der+Stadtwassermuhle+1+parking+Hamburg", "https://www.google.com/search?q=Wexstrasse+16+parking+Hamburg", "https://www.google.com/search?q=Kirchenallee+55+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+65+parking+Hamburg", "https://www.google.com/search?q=Rademachergang+10+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+43+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Hoppegarten", "https://www.google.com/search?q=Westphalensweg+7+parking+Hamburg", "https://www.google.com/search?q=Simon+von+Utrecht+Strasse+31+parking+Hamburg", "https://www.google.com/search?q=Hachmannpl+10+parking+Hamburg", "https://www.google.com/search?q=Borgesch+1+parking+Hamburg", "https://www.google.com/search?q=Hutten+14+parking+Hamburg", "https://www.google.com/search?q=Steindamm+94+parking+Hamburg", "https://www.google.com/search?q=Ferdinandstrasse+15+parking+Hamburg", "https://www.google.com/search?q=Harteneckstrasse+32+parking+Ludwigsburg", "https://www.google.com/search?q=Danziger+Str+14+parking+Hamburg", "https://www.google.com/search?q=Hohe+Bleichen+22+parking+Hamburg", "https://www.google.com/search?q=Lange+Reihe+2+parking+Hamburg", "https://www.google.com/search?q=Steindamm+96+parking+Hamburg", "https://www.google.com/search?q=Berliner+Tor+3+parking+Hamburg", "https://www.google.com/search?q=Bei+Schuldts+Stift+3+parking+Hamburg", "https://www.google.com/search?q=Kirchenallee+26+parking+Hamburg", "https://www.google.com/search?q=Lawaetzweg+4+parking+Hamburg", "https://www.google.com/search?q=Bugdahnstrasse+31+parking+Hamburg", "https://www.google.com/search?q=Spadenteich+5+parking+Hamburg", "https://www.google.com/search?q=Neue+ABC+Strasse+52+parking+Hamburg", "https://www.google.com/search?q=Bietigheimer+Str+9+parking+Ludwigsburg", "https://www.google.com/search?q=Soester+Str+43+parking+Hamburg", "https://www.google.com/search?q=Ferdinandstor+1+parking+Hamburg", "https://www.google.com/search?q=Holzdamm+4+12+parking+Hamburg", "https://www.google.com/search?q=Holstenwall+5+parking+Hamburg", "https://www.google.com/search?q=Am+Guterbahnhof+1+parking+Hoppegarten", "https://www.google.com/search?q=Herbartstrasse+4+parking+Oldenburg", "https://www.google.com/search?q=Am+Guterbahnhof+31+parking+Hoppegarten", "https://www.google.com/search?q=Paul+Nevermann+Platz+21+parking+Hamburg", "https://www.google.com/search?q=Glacischaussee+20+parking+Hamburg", "https://www.google.com/search?q=Hirschbergstrasse+4+parking+Asperg", "https://www.google.com/search?q=Sievekingpl+1+parking+Hamburg", "https://www.google.com/search?q=Scheel+Plessen+Strasse+19+parking+Hamburg", "https://www.google.com/search?q=Esplanade+41+parking+Hamburg", "https://www.google.com/search?q=Scheel+Plessen+Strasse+11+parking+Hamburg", "https://www.google.com/search?q=Sievekingpl+2+parking+Hamburg", "https://www.google.com/search?q=Neuer+Kamp+31+parking+Hamburg", "https://www.google.com/search?q=Kornerstrasse+13+parking+Ludwigsburg", "https://www.google.com/search?q=Eisenbahnstrasse+48+parking+Asperg", "https://www.google.com/search?q=Am+Bahnhof+9+parking+Kutenholz", "https://www.google.com/search?q=Dammtorwall+5+7+parking+Hamburg", "https://www.google.com/search?q=Piependreiherweg+2+parking+Hamburg", "https://www.google.com/search?q=Haarenufer+9+parking+Oldenburg", "https://www.google.com/search?q=Grunebergstrasse+30+parking+Hamburg", "https://www.google.com/search?q=Ernst+Renz+Strasse+10+parking+Bruchsal", "https://www.google.com/search?q=Feldstrasse+48+parking+Hamburg", "https://www.google.com/search?q=Asperger+Strasse+14+16+parking+Ludwigsburg", "https://www.google.com/search?q=Asperger+Strasse+20+parking+Ludwigsburg", "https://www.google.com/search?q=Ehrig+Hahn+Strasse+3+parking+Ahrensfelde", "https://www.google.com/search?q=Dammtordamm+1+parking+Hamburg", "https://www.google.com/search?q=Eisenbahnstrasse+25+parking+Edesheim", "https://www.google.com/search?q=Wannenweg+2+parking+Bretten", "https://www.google.com/search?q=Neuer+Pferdemarkt+33+parking+Hamburg", "https://www.google.com/search?q=Blumenstrasse+5+parking+Oldenburg", "https://www.google.com/search?q=Alsterterrasse+1+2+parking+Hamburg", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+27+parking+Ludwigsburg", "https://www.google.com/search?q=Dag+Hammarskjold+Platz+767+parking+Hamburg", "https://www.google.com/search?q=Arsenalplatz+1+parking+Ludwigsburg", "https://www.google.com/search?q=Akademiehof+15+parking+Ludwigsburg", "https://www.google.com/search?q=Mathildenstrasse+27+parking+Ludwigsburg", "https://www.google.com/search?q=Zeughausstrasse+1+21+parking+Oldenburg", "https://www.google.com/search?q=Hasselbrookstrasse+152+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Bellheim", "https://www.google.com/search?q=Marseiller+Str+7+parking+Hamburg", "https://www.google.com/search?q=Mathildenstrasse+15+parking+Ludwigsburg", "https://www.google.com/search?q=Gondelsheimer+Str+3+parking+Bretten", "https://www.google.com/search?q=Lagerstrasse+37+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Ludwigsburg", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Ludwigsburg", "https://www.google.com/search?q=Solitudestrasse+24+parking+Ludwigsburg", "https://www.google.com/search?q=Pflugfelder+Strasse+5+parking+Ludwigsburg", "https://www.google.com/search?q=Alsterufer+38+parking+Hamburg", "https://www.google.com/search?q=Tesdorpfstrasse+8+parking+Hamburg", "https://www.google.com/search?q=K+1698+parking+Vaihingen", "https://www.google.com/search?q=Fontenay+10+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Ludwigsburg", "https://www.google.com/search?q=Martin+Luther+Strasse+80+parking+Ludwigsburg", "https://www.google.com/search?q=Jurgen+Topfer+Strasse+3+parking+Hamburg", "https://www.google.com/search?q=Missundestrasse+10+parking+Hamburg", "https://www.google.com/search?q=Fontanestrasse+59+parking+Panketal", "https://www.google.com/search?q=Oberer+Erbach+13+parking+Waiblingen", "https://www.google.com/search?q=K+3313+parking+Lorch", "https://www.google.com/search?q=Alsenstrasse+2+parking+Hamburg", "https://www.google.com/search?q=Elbestrasse+14+parking+Panketal", "https://www.google.com/search?q=Neue+Bahnhofstrasse+36+parking+Vaihingen", "https://www.google.com/search?q=Poststrasse+11+parking+Lorch", "https://www.google.com/search?q=Friedensallee+302+parking+Hamburg", "https://www.google.com/search?q=Karlsruher+Str+82+parking+Linkenheim+Hochstetten", "https://www.google.com/search?q=Brauhausstieg+34+parking+Hamburg", "https://www.google.com/search?q=Oberer+Erbach+21+parking+Waiblingen", "https://www.google.com/search?q=Quarree+6+parking+Hamburg", "https://www.google.com/search?q=Schunemannstieg+8+10+parking+Hamburg", "https://www.google.com/search?q=Quarree+10+parking+Hamburg", "https://www.google.com/search?q=Ohnhorststrasse+18+parking+Hamburg", "https://www.google.com/search?q=Humboldtstrasse+6+parking+Hamburg", "https://www.google.com/search?q=Humboldtstrasse+9+parking+Hamburg", "https://www.google.com/search?q=Rothenbaumchaussee+76+parking+Hamburg", "https://www.google.com/search?q=Desenissstrasse+4+parking+Hamburg", "https://www.google.com/search?q=Alleestrasse+37+parking+Kelheim", "https://www.google.com/search?q=Adolph+Schonfelder+Strasse+5+7+parking+Hamburg", "https://www.google.com/search?q=Krausestrasse+116+parking+Hamburg", "https://www.google.com/search?q=Hallerstrasse+85+parking+Hamburg", "https://www.google.com/search?q=Am+Bahnhof+6+parking+Ahrensfelde", "https://www.google.com/search?q=Winckelmannstrasse+1+parking+Hamburg", "https://www.google.com/search?q=Hintere+Dorfstrasse+32+parking+Bretten", "https://www.google.com/search?q=Niederdorfl+1+parking+Kelheim", "https://www.google.com/search?q=Wohrdpl+1+parking+Kelheim", "https://www.google.com/search?q=Konrad+Hornschuch+Strasse+72+parking+Urbach", "https://www.google.com/search?q=Konrad+Hornschuch+Strasse+71+parking+Urbach", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Knoringen", "https://www.google.com/search?q=L+23+parking+Grunheide", "https://www.google.com/search?q=Am+Bahnhof+Fangschleuse+3+parking+Grunheide", "https://www.google.com/search?q=Schlossweg+2+parking+Kelheim", "https://www.google.com/search?q=Franz+Pfaffenberger+Strasse+16+parking+Kelheim", "https://www.google.com/search?q=Henriettenstrasse+50+parking+Hamburg", "https://www.google.com/search?q=Badstrasse+3+parking+Kaiserslautern", "https://www.google.com/search?q=Burgstrasse+40+parking+Kaiserslautern", "https://www.google.com/search?q=Osterstrasse+95+parking+Hamburg", "https://www.google.com/search?q=Stein+Hardenberg+Strasse+28+parking+Hamburg", "https://www.google.com/search?q=Tonndorfer+Hauptstrasse+81+parking+Hamburg", "https://www.google.com/search?q=Am+Pflegerspitz+1+parking+Kelheim", "https://www.google.com/search?q=Sulldorfer+Kirchenweg+2+parking+Hamburg", "https://www.google.com/search?q=Heinkelstrasse+35+parking+Schorndorf", "https://www.google.com/search?q=Heinkelstrasse+21+parking+Schorndorf", "https://www.google.com/search?q=Lehmweg+7+parking+Hamburg", "https://www.google.com/search?q=Arnoldstrasse+5+parking+Schorndorf", "https://www.google.com/search?q=Friedrich+Ebert+Damm+112+parking+Hamburg", "https://www.google.com/search?q=Postweg+10+parking+Pluderhausen", "https://www.google.com/search?q=Julius+Brecht+Strasse+6+parking+Hamburg", "https://www.google.com/search?q=Friedrich+Ebert+Damm+126+parking+Hamburg", "https://www.google.com/search?q=Aldinger+Str+975+parking+Kornwestheim", "https://www.google.com/search?q=Karlstrasse+20+parking+Schorndorf", "https://www.google.com/search?q=Zollamtstrasse+5+parking+Kaiserslautern", "https://www.google.com/search?q=An+Der+Mauer+1+parking+Schorndorf", "https://www.google.com/search?q=Am+Holzbach+12+parking+Remseck", "https://www.google.com/search?q=Kirchtalstrasse+38+parking+Kornwestheim", "https://www.google.com/search?q=Friedhofstrasse+6+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Rulzheim", "https://www.google.com/search?q=Kunkelinstrasse+28+parking+Schorndorf", "https://www.google.com/search?q=Luckenbronn+3+parking+olbronn+Durrn", "https://www.google.com/search?q=Falkenried+88+parking+Hamburg", "https://www.google.com/search?q=Beeskower+Chaussee+15+parking+Wendisch", "https://www.google.com/search?q=Bernauer+Chaussee+6+parking+Wandlitz", "https://www.google.com/search?q=Schnackenburgallee+101+parking+Hamburg", "https://www.google.com/search?q=Martinistrasse+72+parking+Hamburg", "https://www.google.com/search?q=Jakobstrasse+11+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+119+parking+Muhlacker", "https://www.google.com/search?q=Neustadter+Strasse+46+parking+Waiblingen", "https://www.google.com/search?q=Kummellstrasse+4+8+parking+Hamburg", "https://www.google.com/search?q=Martinistrasse+52+parking+Hamburg", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Dollern", "https://www.google.com/search?q=Traberweg+24+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+43+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofstrasse+95+parking+Muhlacker", "https://www.google.com/search?q=Theodor+Heuss+Strasse+4+parking+Kornwestheim", "https://www.google.com/search?q=Theodor+Heuss+Strasse+10+parking+Kornwestheim", "https://www.google.com/search?q=Bahnhofspl+2+parking+Kornwestheim", "https://www.google.com/search?q=Schnackenburgallee+112+parking+Hamburg", "https://www.google.com/search?q=Winnender+Strasse+1+parking+Waiblingen", "https://www.google.com/search?q=Weingartner+Vorstadt+3+parking+Waiblingen", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Schorndorf", "https://www.google.com/search?q=Werner+Siemens+Strasse+1+parking+Weingarten", "https://www.google.com/search?q=Bahnhofstrasse+85+parking+Kornwestheim", "https://www.google.com/search?q=An+Der+Talaue+4+parking+Waiblingen", "https://www.google.com/search?q=Hellgrundweg+21+parking+Hamburg", "https://www.google.com/search?q=Winterhudermarkt+6+7+parking+Hamburg", "https://www.google.com/search?q=Obere+Sackgasse+11+parking+Waiblingen", "https://www.google.com/search?q=Mecklenburger+Str+4+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+159+parking+Weingarten", "https://www.google.com/search?q=An+Der+Talaue+10+parking+Waiblingen", "https://www.google.com/search?q=Doberaner+Weg+20+parking+Hamburg", "https://www.google.com/search?q=Stuttgarter+Str+65+parking+Kornwestheim", "https://www.google.com/search?q=Hellgrundweg+45+parking+Hamburg", "https://www.google.com/search?q=Volksparkstrasse+62+parking+Hamburg", "https://www.google.com/search?q=Volksparkstrasse+75+parking+Hamburg", "https://www.google.com/search?q=Bahnhofstrasse+76+parking+Remshalden", "https://www.google.com/search?q=Bahnhofstrasse+69+parking+Remshalden", "https://www.google.com/search?q=Bahnhofsplatz+4+parking+Winterbach", "https://www.google.com/search?q=Alter+Postplatz+13+parking+Waiblingen", "https://www.google.com/search?q=Mannheimer+Str+14+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Stegwiesenweg+1+parking+Remshalden", "https://www.google.com/search?q=L+559+parking+Stutensee", "https://www.google.com/search?q=Prenzlauer+Chaussee+165+parking+Wandlitz", "https://www.google.com/search?q=Hellgrundweg+50+parking+Hamburg", "https://www.google.com/search?q=Pforzheimer+Strasse+2+parking+Muhlacker", "https://www.google.com/search?q=Schnackenburgallee+155+parking+Hamburg", "https://www.google.com/search?q=Philipp+Bauer+Weg+3+parking+Muhlacker", "https://www.google.com/search?q=Im+Kappele+6+parking+Muhlacker", "https://www.google.com/search?q=Lokstedter+Grenzstrasse+9+parking+Hamburg", "https://www.google.com/search?q=Blankenloch+Muhlenweg+2+parking+Stutensee", "https://www.google.com/search?q=Rappstrasse+35+parking+Muhlacker", "https://www.google.com/search?q=Mannheimer+Str+3+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Weissenseer+Str+13+parking+Bernau", "https://www.google.com/search?q=Weissenseer+Str+8+parking+Bernau", "https://www.google.com/search?q=Luttkamp+21+parking+Hamburg", "https://www.google.com/search?q=Lattenkamp+90+parking+Hamburg", "https://www.google.com/search?q=uberseering+30+parking+Hamburg", "https://www.google.com/search?q=Morikestrasse+14+parking+Walzbachtal", "https://www.google.com/search?q=Berliner+Str+75+parking+Bernau", "https://www.google.com/search?q=Kirchgrund+24+parking+Walzbachtal", "https://www.google.com/search?q=Ladestrasse+2+parking+Walzbachtal", "https://www.google.com/search?q=Devizesstrasse+18+parking+Waiblingen", "https://www.google.com/search?q=Cannonstrasse+3+parking+Weinstadt", "https://www.google.com/search?q=Nedderfeld+70+parking+Hamburg", "https://www.google.com/search?q=Reichmannstrasse+6+parking+Muhlacker", "https://www.google.com/search?q=Marktplatz+3+parking+Muhlacker", "https://www.google.com/search?q=Bruchsaler+Str+60+parking+Walzbachtal", "https://www.google.com/search?q=Bahnhof+1+parking+Waiblingen", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Weinstadt", "https://www.google.com/search?q=Ameisenbuhl+40+parking+Waiblingen", "https://www.google.com/search?q=Feldstrasse+3+parking+Wedel", "https://www.google.com/search?q=Innerer+Weidach+11+parking+Waiblingen", "https://www.google.com/search?q=Bogenstrasse+39+parking+Kornwestheim", "https://www.google.com/search?q=Alte+Str+4+parking+Walzbachtal", "https://www.google.com/search?q=Alte+Str+5+parking+Walzbachtal", "https://www.google.com/search?q=Ettinger+Str+107+parking+Ingolstadt", "https://www.google.com/search?q=Altlandsberger+Chaussee+1+parking+Fredersdorf+Vogelsdorf", "https://www.google.com/search?q=Bahnhofspl+3+parking+Bernau", "https://www.google.com/search?q=Lomersheimer+Strasse+1+parking+Muhlacker", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Stutensee", "https://www.google.com/search?q=Alte+Lomersheimer+Strasse+1+parking+Muhlacker", "https://www.google.com/search?q=Bahnhofspl+99+parking+Bernau", "https://www.google.com/search?q=Ladeburger+Chaussee+73+parking+Bernau", "https://www.google.com/search?q=Maria+Goeppert+Strasse+4+parking+Ingolstadt", "https://www.google.com/search?q=Herthastrasse+17+parking+Hamburg", "https://www.google.com/search?q=Bahnhofspl+4+parking+Bernau", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Fredersdorf+Vogelsdorf", "https://www.google.com/search?q=Mercedesstrasse+31+parking+Weinstadt", "https://www.google.com/search?q=Pascalstrasse+6+parking+Ingolstadt", "https://www.google.com/search?q=Beibachweg+9+parking+Weinstadt", "https://www.google.com/search?q=Bernau,+Parkstrasse+1+parking+Bernau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Wedel", "https://www.google.com/search?q=Hauptstrasse+197+parking+Stutensee", "https://www.google.com/search?q=Schweriner+Str+3+4+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Gaimersheimer+Str+125+parking+Ingolstadt", "https://www.google.com/search?q=Max+Eyth+Strasse+12+parking+Kernen", "https://www.google.com/search?q=Dammstrasse+10+parking+Hamburg", "https://www.google.com/search?q=Elsasser+Str+2+parking+Stutensee", "https://www.google.com/search?q=Elsasser+Str+1+parking+Stutensee", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Agathenburg", "https://www.google.com/search?q=Feuergrafenstrasse+1+2+parking+Molln", "https://www.google.com/search?q=Senefelderstrasse+6+parking+Ingolstadt", "https://www.google.com/search?q=Lise+Meitner+Strasse+3+parking+Fellbach", "https://www.google.com/search?q=Hindemithstrasse+40+parking+Ingolstadt", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+parking+Ingolstadt", "https://www.google.com/search?q=Schaflandstrasse+2+parking+Fellbach", "https://www.google.com/search?q=Roderstrasse+18+parking+Ingolstadt", "https://www.google.com/search?q=Roderstrasse+30+parking+Ingolstadt", "https://www.google.com/search?q=Kiebitzweg+2+parking+Schenefeld", "https://www.google.com/search?q=Maximilianstrasse+13+parking+Landau", "https://www.google.com/search?q=Sommerkamp+31+parking+Hamburg", "https://www.google.com/search?q=Maximilianstrasse+17+parking+Landau", "https://www.google.com/search?q=Berner+Heerweg+407+parking+Hamburg", "https://www.google.com/search?q=Elbestrasse+2+parking+Petershagen+Eggersdorf", "https://www.google.com/search?q=Zeppelinstrasse+2+parking+Landau", "https://www.google.com/search?q=Heinrich+Heine+Platz+2+parking+Landau", "https://www.google.com/search?q=Eisenbahnstrasse+24+parking+Korntal+Munchingen", "https://www.google.com/search?q=Nordparkstrasse+3+parking+Landau", "https://www.google.com/search?q=Jahnstrasse+21+parking+Eggenstein+Leopoldshafen", "https://www.google.com/search?q=Weg+Beim+Jager+195+parking+Hamburg", "https://www.google.com/search?q=Mahlastrasse+1+parking+Landau", "https://www.google.com/search?q=Weissquartierstrasse+1+parking+Landau", "https://www.google.com/search?q=Nordring+5+parking+Landau", "https://www.google.com/search?q=Augustinergasse+6+parking+Landau", "https://www.google.com/search?q=Schulhof+2+parking+Landau", "https://www.google.com/search?q=Obenhauptstrasse+15+parking+Hamburg", "https://www.google.com/search?q=Weissquartierstrasse+25+parking+Landau", "https://www.google.com/search?q=Lessingstrasse+89+parking+Petershagen+Eggersdorf", "https://www.google.com/search?q=Esslinger+Str+79+parking+Fellbach", "https://www.google.com/search?q=Ludmillenstrasse+8+parking+Meppen", "https://www.google.com/search?q=Lohlstrasse+27+parking+Landau", "https://www.google.com/search?q=Ludwigsburger+Str+129+parking+Stuttgart", "https://www.google.com/search?q=Badstrasse+17+parking+Landau", "https://www.google.com/search?q=Margaretha+Kuchle+Strasse+2+parking+Korntal+Munchingen", "https://www.google.com/search?q=Waffenstrasse+14+parking+Landau", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+3+parking+Landau", "https://www.google.com/search?q=Masurenstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Ludwigsburger+Strasse+108+parking+Stuttgart", "https://www.google.com/search?q=Tainerstrasse+12+parking+Fellbach", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Grunheide", "https://www.google.com/search?q=Tainerstrasse+7+parking+Fellbach", "https://www.google.com/search?q=Str+Der+Befreiung+10+parking+Grunheide", "https://www.google.com/search?q=Paul+Sorge+Strasse+9+parking+Hamburg", "https://www.google.com/search?q=Priessnitzweg+1+parking+Landau", "https://www.google.com/search?q=Am+Bahnhof+12+parking+Stuttgart", "https://www.google.com/search?q=Muhlgasse+25+parking+Rheinzabern", "https://www.google.com/search?q=Esslinger+Str+100+parking+Fellbach", "https://www.google.com/search?q=Burgholzstrasse+99+parking+Stuttgart", "https://www.google.com/search?q=Platz+Der+Deutschen+Einheit+1+parking+Neuburg", "https://www.google.com/search?q=Annweilerstrasse+1+parking+Landau", "https://www.google.com/search?q=Bickbargen+126+parking+Halstenbek", "https://www.google.com/search?q=Schillerstrasse+30+parking+Fellbach", "https://www.google.com/search?q=Zweibrucker+Strasse+42+parking+Landau", "https://www.google.com/search?q=Flughafenstrasse+1+3+parking+Hamburg", "https://www.google.com/search?q=Bergkoppelweg+5+parking+Hamburg", "https://www.google.com/search?q=Meiendorfer+Weg+124+parking+Hamburg", "https://www.google.com/search?q=Adolf+Kolping+Strasse+137+parking+Neuburg", "https://www.google.com/search?q=Joseph+von+Fraunhofer+Strasse+5+parking+Pfinztal", "https://www.google.com/search?q=Hofener+Str+24+parking+Stuttgart", "https://www.google.com/search?q=Am+Stadion+6+parking+Pfinztal", "https://www.google.com/search?q=Flughafenstrasse+25+29+parking+Hamburg", "https://www.google.com/search?q=Flughafenstrasse+47+parking+Hamburg", "https://www.google.com/search?q=uberkinger+Strasse+13+parking+Stuttgart", "https://www.google.com/search?q=Gewerbestrasse+32+parking+Pfinztal", "https://www.google.com/search?q=Pinneberger+Strasse+36+parking+Hamburg", "https://www.google.com/search?q=Ahrensfelder+Weg+3+parking+Grosshansdorf", "https://www.google.com/search?q=Bodelschwinghstrasse+40+parking+Insheim", "https://www.google.com/search?q=Bahnhofpl+1+parking+Korntal+Munchingen", "https://www.google.com/search?q=Steiermarker+Str+5+parking+Stuttgart", "https://www.google.com/search?q=Wildunger+Str+2+4+parking+Stuttgart", "https://www.google.com/search?q=Wiener+Strasse+1+parking+Stuttgart", "https://www.google.com/search?q=Neubrunnenstrasse+4+parking+Karlsruhe", "https://www.google.com/search?q=Badstrasse+15+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Halstenbek", "https://www.google.com/search?q=Eisenbahnstrasse+12+parking+Stuttgart", "https://www.google.com/search?q=Ernst+Mittelbach+Ring+57+parking+Hamburg", "https://www.google.com/search?q=Neckartalstrasse+9+parking+Stuttgart", "https://www.google.com/search?q=Friedrichstrasse+3+parking+Heidenheim", "https://www.google.com/search?q=Clichystrasse+9+parking+Heidenheim", "https://www.google.com/search?q=Unterfeldstrasse+46+parking+Karlsruhe", "https://www.google.com/search?q=Stormarnplatz+3+parking+Hamburg", "https://www.google.com/search?q=Im+Bahnwinkel+1+parking+Pfinztal", "https://www.google.com/search?q=Grabenstrasse+15+parking+Heidenheim", "https://www.google.com/search?q=Am+Facherbad+5+parking+Karlsruhe", "https://www.google.com/search?q=Heegbarg+31+parking+Hamburg", "https://www.google.com/search?q=Sankt+Poltener+Strasse+29+parking+Stuttgart", "https://www.google.com/search?q=Heegbarg+2+8+parking+Hamburg", "https://www.google.com/search?q=Rudolf+Egelhofer+Strasse+10+parking+Strausberg", "https://www.google.com/search?q=Wesebachstrasse+1+parking+Pfinztal", "https://www.google.com/search?q=L+91+parking+Grosshansdorf", "https://www.google.com/search?q=Eisenbahnstrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=St+Poltener+Str+9+parking+Heidenheim", "https://www.google.com/search?q=Am+Aalfang+12+parking+Ahrensburg", "https://www.google.com/search?q=Tangstedter+Landstrasse+69+parking+Hamburg", "https://www.google.com/search?q=Martin+Schrenk+Weg+3+parking+Stuttgart", "https://www.google.com/search?q=Karl+Schurz+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Kapellenstrasse+20+parking+Pfinztal", "https://www.google.com/search?q=Am+Bahnhof+5+parking+Jockgrim", "https://www.google.com/search?q=Talstrasse+211+parking+Stuttgart", "https://www.google.com/search?q=Mercedesstrasse+75+parking+Stuttgart", "https://www.google.com/search?q=Talstrasse+209+parking+Stuttgart", "https://www.google.com/search?q=Am+Alten+Bahnhof+23+parking+Karlsruhe", "https://www.google.com/search?q=Brinkstrasse+7+parking+Stade", "https://www.google.com/search?q=Talstrasse+201+parking+Stuttgart", "https://www.google.com/search?q=Am+Bahnhof+14+parking+Stade", "https://www.google.com/search?q=Munchinger+Str+6+parking+Ditzingen", "https://www.google.com/search?q=Friolzheimer+Str+2+parking+Stuttgart", "https://www.google.com/search?q=Weissacher+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Hamburger+Str+158+parking+Ahrensburg", "https://www.google.com/search?q=Glemsstrasse+12+parking+Ditzingen", "https://www.google.com/search?q=Oskar+Schlemmer+Strasse+8+parking+Stuttgart", "https://www.google.com/search?q=Am+Laien+6+parking+Ditzingen", "https://www.google.com/search?q=Glemsgaustrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Am+Laien+1+parking+Ditzingen", "https://www.google.com/search?q=Solitudestrasse+246+parking+Stuttgart", "https://www.google.com/search?q=Hofinger+Str+5+parking+Ditzingen", "https://www.google.com/search?q=Stresemannstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Mittlere+Str+17+parking+Ditzingen", "https://www.google.com/search?q=Lowen+Markt+1+parking+Stuttgart", "https://www.google.com/search?q=Pforzheimer+Strasse+363+parking+Stuttgart", "https://www.google.com/search?q=Stuttgarter+Str+34+parking+Ditzingen", "https://www.google.com/search?q=Gerlinger+Str+35+parking+Ditzingen", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Ahrensburg", "https://www.google.com/search?q=Rosensteinstrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Augsburger+Str+380+parking+Stuttgart", "https://www.google.com/search?q=Am+Schwingedeich+3+parking+Stade", "https://www.google.com/search?q=Heilbronner+Str+86+88+parking+Stuttgart", "https://www.google.com/search?q=Pfinzstrasse+87+91+parking+Karlsruhe", "https://www.google.com/search?q=Immenhoven+1+parking+Hamburg", "https://www.google.com/search?q=Foorthkamp+73+parking+Hamburg", "https://www.google.com/search?q=Wolframstrasse+24+parking+Stuttgart", "https://www.google.com/search?q=Kleiner+Reitweg+23+parking+Pinneberg", "https://www.google.com/search?q=Bahnhofstrasse+61+parking+Rohrbach", "https://www.google.com/search?q=Rintheimer+Hauptstrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Hauptbahnstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Feuerbacher+Tal+Strasse+160+parking+Stuttgart", "https://www.google.com/search?q=Hauffstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Gritznerstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=B+10+parking+Pfinztal", "https://www.google.com/search?q=Alte+Karlsruher+Str+42+parking+Karlsruhe", "https://www.google.com/search?q=Am+Hauptbahnhof+2+parking+Stuttgart", "https://www.google.com/search?q=Willy+Brandt+Strasse+30+parking+Stuttgart", "https://www.google.com/search?q=Am+Fasanengarten+3+parking+Karlsruhe", "https://www.google.com/search?q=Filsstrasse+69+parking+Eislingen+Fils", "https://www.google.com/search?q=Erzbergerstrasse+117+parking+Karlsruhe", "https://www.google.com/search?q=Jagerstrasse+19+parking+Stuttgart", "https://www.google.com/search?q=Davidstrasse+33+parking+Goppingen", "https://www.google.com/search?q=Georg+Sasse+Strasse+20+parking+Ammersbek", "https://www.google.com/search?q=Arnulf+Klett+Platz+3+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Remchingen", "https://www.google.com/search?q=Kronenstrasse+20+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Remchingen", "https://www.google.com/search?q=Jahnstrasse+50+parking+Goppingen", "https://www.google.com/search?q=Goppinger+Str+19+parking+Stuttgart", "https://www.google.com/search?q=Konigstrasse+6+parking+Stuttgart", "https://www.google.com/search?q=Kronenstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Ebersbach", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+25+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+40+parking+Kampfelbach", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+32+parking+Stuttgart", "https://www.google.com/search?q=An+Der+Muhlenau+25+parking+Pinneberg", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Bonningstedt", "https://www.google.com/search?q=Kriegsbergstrasse+55+parking+Stuttgart", "https://www.google.com/search?q=Thouretstrasse+8+parking+Stuttgart", "https://www.google.com/search?q=Hafenbahnstrasse+22+parking+Stuttgart", "https://www.google.com/search?q=Keplerstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Stephanstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Waldhornstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Stauffenbergstrasse+5+1+parking+Stuttgart", "https://www.google.com/search?q=Bleicherufer+9+parking+Schwerin", "https://www.google.com/search?q=Stephanstrasse+33+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+16+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Konigstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Huberstrasse+2+parking+Stuttgart", "https://www.google.com/search?q=Schlosspl+21+parking+Karlsruhe", "https://www.google.com/search?q=Kiwittsmoor+4+parking+Hamburg", "https://www.google.com/search?q=Lerchenstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Felsgartenstrasse+43+parking+Leonberg", "https://www.google.com/search?q=Fritz+Erler+Strasse+7+parking+Karlsruhe", "https://www.google.com/search?q=Schellingstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+8+parking+Stuttgart", "https://www.google.com/search?q=Holzgartenstrasse+9+parking+Stuttgart", "https://www.google.com/search?q=Kreuzstrasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Seidenstrasse+34+parking+Stuttgart", "https://www.google.com/search?q=Seidenstrasse+39+parking+Stuttgart", "https://www.google.com/search?q=Theodor+Heuss+Strasse+3+parking+Stuttgart", "https://www.google.com/search?q=Ludwig+Erhard+Allee+10+parking+Karlsruhe", "https://www.google.com/search?q=Falkertstrasse+46+parking+Stuttgart", "https://www.google.com/search?q=L+570+parking+Ispringen", "https://www.google.com/search?q=Zirkel+25+parking+Karlsruhe", "https://www.google.com/search?q=Kienestrasse+33+parking+Stuttgart", "https://www.google.com/search?q=Pforzheimer+Str+14+parking+Ispringen", "https://www.google.com/search?q=Herrenstrasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Seidenstrasse+23+parking+Stuttgart", "https://www.google.com/search?q=Ruppurrer+Str+1+parking+Karlsruhe", "https://www.google.com/search?q=Kreuzstrasse+13+parking+Karlsruhe", "https://www.google.com/search?q=Breitscheidstrasse+6+parking+Stuttgart", "https://www.google.com/search?q=Passagehof+10+parking+Karlsruhe", "https://www.google.com/search?q=Dorotheenstrasse+2+parking+Stuttgart", "https://www.google.com/search?q=Schlossstrasse+49+parking+Stuttgart", "https://www.google.com/search?q=WestlRheinbruckenstrasse+8+parking+Karlsruhe", "https://www.google.com/search?q=Zahringerstrasse+69+parking+Karlsruhe", "https://www.google.com/search?q=Rosenstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Esslinger+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Akademiestrasse+55+parking+Karlsruhe", "https://www.google.com/search?q=Ritterstrasse+16+parking+Karlsruhe", "https://www.google.com/search?q=Erbprinzenstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Esslinger+Strasse+1+parking+Stuttgart", "https://www.google.com/search?q=Leuschnerstrasse+25+parking+Stuttgart", "https://www.google.com/search?q=Neue+Brucke+8+parking+Stuttgart", "https://www.google.com/search?q=Flandernstrasse+103+parking+Esslingen", "https://www.google.com/search?q=Hohenheimer+Str+21+parking+Stuttgart", "https://www.google.com/search?q=Jobstweg+5+parking+Stuttgart", "https://www.google.com/search?q=Steinstrasse+4+parking+Stuttgart", "https://www.google.com/search?q=Ritterstrasse+20+parking+Karlsruhe", "https://www.google.com/search?q=Kronprinzstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Eisenbahnstrasse+8+parking+Zehdenick", "https://www.google.com/search?q=Hauptstatter+Str+34+parking+Stuttgart", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+31+parking+Pinneberg", "https://www.google.com/search?q=Lazarettstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Kriegsstrasse+126+parking+Karlsruhe", "https://www.google.com/search?q=Baumeisterstrasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+10+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+25+parking+Karlsruhe", "https://www.google.com/search?q=Amalienstrasse+33+parking+Karlsruhe", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+11+parking+Schwerin", "https://www.google.com/search?q=Geschwister+Scholl+Strasse+16+parking+Schwerin", "https://www.google.com/search?q=Sophienstrasse+40+parking+Stuttgart", "https://www.google.com/search?q=Rotebuhlpl+30+parking+Stuttgart", "https://www.google.com/search?q=Hermann+Billing+Strasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Kaiserallee+11+parking+Karlsruhe", "https://www.google.com/search?q=Christophstrasse+5+parking+Stuttgart", "https://www.google.com/search?q=Pischekstrasse+70+parking+Stuttgart", "https://www.google.com/search?q=Schwabstrasse+93+parking+Stuttgart", "https://www.google.com/search?q=Wilhelmstrasse+12+parking+Stuttgart", "https://www.google.com/search?q=Paulinenstrasse+26+parking+Stuttgart", "https://www.google.com/search?q=Kaiserallee+27+parking+Karlsruhe", "https://www.google.com/search?q=Beiertheimer+Allee+13+parking+Karlsruhe", "https://www.google.com/search?q=Luisenstrasse+2+parking+Karlsruhe", "https://www.google.com/search?q=Tubinger+Str+43+parking+Stuttgart", "https://www.google.com/search?q=Martinstrasse+11+parking+Schwerin", "https://www.google.com/search?q=Urbanstrasse+13+parking+Esslingen", "https://www.google.com/search?q=Arsenalstrasse+7+parking+Schwerin", "https://www.google.com/search?q=Holderlinweg+6+parking+Esslingen", "https://www.google.com/search?q=Agnespromenade+4+parking+Esslingen", "https://www.google.com/search?q=Feinstrasse+4+parking+Stuttgart", "https://www.google.com/search?q=Berliner+Allee+15+parking+Norderstedt", "https://www.google.com/search?q=Lindenstrasse+7+parking+Pforzheim", "https://www.google.com/search?q=Am+Guterbahnhof+3+parking+Hammah", "https://www.google.com/search?q=Ritterstrasse+17+parking+Esslingen", "https://www.google.com/search?q=Forststrasse+3+parking+Pforzheim", "https://www.google.com/search?q=Martinstrasse+15+parking+Esslingen", "https://www.google.com/search?q=Kandlerstrasse+1+parking+Esslingen", "https://www.google.com/search?q=Martinstrasse+4+parking+Esslingen", "https://www.google.com/search?q=Am+Packhof+4+parking+Schwerin", "https://www.google.com/search?q=Schwabstrasse+18+parking+Stuttgart", "https://www.google.com/search?q=Berliner+Str+1+parking+Esslingen", "https://www.google.com/search?q=Schumanstrasse+1+parking+Norderstedt", "https://www.google.com/search?q=Ernst+Thalmann+Strasse+42+parking+Furstenwalde+Spree", "https://www.google.com/search?q=Altstadter+Kirchenweg+2+parking+Pforzheim", "https://www.google.com/search?q=Kiehnlestrasse+25+parking+Pforzheim", "https://www.google.com/search?q=Deimlingstrasse+5+parking+Pforzheim", "https://www.google.com/search?q=Westerfelde+1+parking+Hamburg", "https://www.google.com/search?q=Wismarsche+Strasse+378+parking+Schwerin", "https://www.google.com/search?q=Museumstrasse+2+parking+Pforzheim", "https://www.google.com/search?q=Georg+Todt+Strasse+21+parking+Kandel", "https://www.google.com/search?q=Goethestrasse+37+parking+Pforzheim", "https://www.google.com/search?q=Maximilianstrasse+12+parking+Worth", "https://www.google.com/search?q=Am+Waisenhausplatz+3+parking+Pforzheim", "https://www.google.com/search?q=Am+Muhlburger+Bahnhof+1+parking+Karlsruhe", "https://www.google.com/search?q=Poststrasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Rotebuhlstrasse+171+parking+Stuttgart", "https://www.google.com/search?q=Holtzstrasse+3+parking+Karlsruhe", "https://www.google.com/search?q=Am+Waisenhausplatz+12+parking+Pforzheim", "https://www.google.com/search?q=Kurzheckweg+8+parking+Karlsruhe", "https://www.google.com/search?q=Kolbstrasse+5+7+parking+Stuttgart", "https://www.google.com/search?q=L+540+parking+Worth", "https://www.google.com/search?q=Deimlingstrasse+36+parking+Pforzheim", "https://www.google.com/search?q=Kunzendorfer+Str+14+parking+Worth", "https://www.google.com/search?q=Zerrennerstrasse+28+parking+Pforzheim", "https://www.google.com/search?q=Zerrennerstrasse+20+parking+Pforzheim", "https://www.google.com/search?q=Badstrasse+2+parking+Pforzheim", "https://www.google.com/search?q=Badstrasse+3+parking+Pforzheim", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Leonberg", "https://www.google.com/search?q=Zerrennerstrasse+51+parking+Pforzheim", "https://www.google.com/search?q=Seedammstrasse+2+parking+Leonberg", "https://www.google.com/search?q=Schwarzwaldstrasse+92+parking+Karlsruhe", "https://www.google.com/search?q=Brauerstrasse+40+parking+Karlsruhe", "https://www.google.com/search?q=Heinrich+Otto+Strasse+3+parking+Reichenbach", "https://www.google.com/search?q=Hauptstrasse+98+parking+Esslingen", "https://www.google.com/search?q=Mohringer+Str+1+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Altbach", "https://www.google.com/search?q=Steinstrasse+1+parking+Leonberg", "https://www.google.com/search?q=Bahnstrasse+20+parking+Landstuhl", "https://www.google.com/search?q=Bahnstrasse+1+parking+Rehfelde", "https://www.google.com/search?q=Sudendstrasse+44+parking+Karlsruhe", "https://www.google.com/search?q=Hinterm+Hauptbahnhof+6+parking+Karlsruhe", "https://www.google.com/search?q=Ulmer+Str+75+parking+Esslingen", "https://www.google.com/search?q=Wilhelm+Baur+Strasse+8+parking+Karlsruhe", "https://www.google.com/search?q=Victor+Gollancz+Strasse+10+parking+Karlsruhe", "https://www.google.com/search?q=Muhlstrasse+5+parking+Leonberg", "https://www.google.com/search?q=Bleichstrasse+27+parking+Pforzheim", "https://www.google.com/search?q=Eisenbahnstrasse+54+parking+Plochingen", "https://www.google.com/search?q=Steinstrasse+18+parking+Leonberg", "https://www.google.com/search?q=Steinstrasse+19+parking+Leonberg", "https://www.google.com/search?q=Bahnstrasse+12+parking+Landstuhl", "https://www.google.com/search?q=Schwarzwaldstrasse+81+parking+Karlsruhe", "https://www.google.com/search?q=Boheimstrasse+37+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+77+parking+Biesenthal", "https://www.google.com/search?q=Ernst+Frey+Strasse+9+parking+Karlsruhe", "https://www.google.com/search?q=Merianstrasse+6+parking+Pforzheim", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Leonberg", "https://www.google.com/search?q=Jahnstrasse+112+parking+Stuttgart", "https://www.google.com/search?q=Neukollner+Str+9+parking+Leonberg", "https://www.google.com/search?q=Berliner+Str+9+parking+Leonberg", "https://www.google.com/search?q=Hermann+Veit+Strasse+7+parking+Karlsruhe", "https://www.google.com/search?q=Hermann+Veit+Strasse+5+parking+Karlsruhe", "https://www.google.com/search?q=Georgiiweg+21+parking+Stuttgart", "https://www.google.com/search?q=Neckarstrasse+3+parking+Plochingen", "https://www.google.com/search?q=Eierstrasse+63+parking+Stuttgart", "https://www.google.com/search?q=Leonberger+Str+98+108+parking+Leonberg", "https://www.google.com/search?q=Konigstrassle+3+parking+Stuttgart", "https://www.google.com/search?q=Nellinger+Strasse+111+parking+Stuttgart", "https://www.google.com/search?q=Ladestrasse+9+parking+Hasloh", "https://www.google.com/search?q=Schemppstrasse+85+parking+Stuttgart", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Himmelpforten", "https://www.google.com/search?q=Huperskamp+1+parking+Himmelpforten", "https://www.google.com/search?q=Albert+Braun+Strasse+1+parking+Karlsruhe", "https://www.google.com/search?q=Epplestrasse+22+parking+Stuttgart", "https://www.google.com/search?q=Lindenallee+10+parking+Karlsruhe", "https://www.google.com/search?q=Epplestrasse+40+parking+Stuttgart", "https://www.google.com/search?q=Rathausallee+33+parking+Norderstedt", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+15+parking+Wernau", "https://www.google.com/search?q=Loffelstrasse+10+parking+Stuttgart", "https://www.google.com/search?q=Gerhard+Koch+Strasse+1+parking+Ostfildern", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+9+parking+Wernau", "https://www.google.com/search?q=Herzog+Carl+Strasse+4+parking+Ostfildern", "https://www.google.com/search?q=Bonhoefferstrasse+20+parking+Ostfildern", "https://www.google.com/search?q=Bahnhofstrasse+208+parking+Rutesheim", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Bargteheide", "https://www.google.com/search?q=Eberswalder+Str+4+parking+Melchow", "https://www.google.com/search?q=Ernst+Heinkel+Strasse+2+parking+Ostfildern", "https://www.google.com/search?q=An+Den+Stucken+15+parking+Bargteheide", "https://www.google.com/search?q=Am+Flugpl+14+parking+Strausberg", "https://www.google.com/search?q=Rheinstrasse+44+parking+Hagenbach", "https://www.google.com/search?q=Hamburger+Strasse+10+parking+Tornesch", "https://www.google.com/search?q=Pfaffenwaldring+57+parking+Stuttgart", "https://www.google.com/search?q=Eisenbahnstrasse+2+parking+Karlsbad", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+2+parking+Geislingen", "https://www.google.com/search?q=Muhlenweg+145+parking+Norderstedt", "https://www.google.com/search?q=Bahnhofstrasse+3+parking+Geislingen", "https://www.google.com/search?q=Holdermannstrasse+34+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+37+parking+Geislingen", "https://www.google.com/search?q=Messeallee+1+parking+Rheinstetten", "https://www.google.com/search?q=Zusestrasse+30+parking+Stuttgart", "https://www.google.com/search?q=An+Der+Bahn+1+3+parking+Waldbronn", "https://www.google.com/search?q=Heidkampstrasse+19+parking+Quickborn", "https://www.google.com/search?q=Plieninger+Str+100+parking+Stuttgart", "https://www.google.com/search?q=Neuer+Markt+11+parking+Ettlingen", "https://www.google.com/search?q=Helfensteinstrasse+30+parking+Geislingen", "https://www.google.com/search?q=Alte+Bahnhofstrasse+14+parking+Renningen", "https://www.google.com/search?q=Wilhelmstrasse+3+parking+Ettlingen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Ettlingen", "https://www.google.com/search?q=Bachstrasse+3+parking+Stuttgart", "https://www.google.com/search?q=Vaihinger+Markt+10+parking+Stuttgart", "https://www.google.com/search?q=Im+Ferning+54+parking+Ettlingen", "https://www.google.com/search?q=Wollgrasweg+27+parking+Stuttgart", "https://www.google.com/search?q=Altheimer+Str+2+parking+Dillingen", "https://www.google.com/search?q=Schillerstrasse+22+parking+Geislingen", "https://www.google.com/search?q=Schockenriedstrasse+7+parking+Stuttgart", "https://www.google.com/search?q=Kapuzinerstrasse+6+parking+Dillingen", "https://www.google.com/search?q=Regens+Wagner+Strasse+4+parking+Dillingen", "https://www.google.com/search?q=Hofweiherweg+2+parking+Dillingen", "https://www.google.com/search?q=Waldburgstrasse+11+parking+Stuttgart", "https://www.google.com/search?q=Torfstrasse+5+parking+Quickborn", "https://www.google.com/search?q=Herrenalber+Str+2+parking+Waldbronn", "https://www.google.com/search?q=Kraichgaustrasse+12+parking+Neuhausen", "https://www.google.com/search?q=Eichwiesenring+11+parking+Stuttgart", "https://www.google.com/search?q=Bleichstrasse+1+2+parking+Dillingen", "https://www.google.com/search?q=Vor+Dem+Lauch+6+parking+Stuttgart", "https://www.google.com/search?q=Renninger+Strasse+53+parking+Renningen", "https://www.google.com/search?q=Renninger+Strasse+55+parking+Renningen", "https://www.google.com/search?q=Hermann+Fein+Strasse+5+parking+Stuttgart", "https://www.google.com/search?q=Calwer+Strasse+27+parking+Renningen", "https://www.google.com/search?q=Rappenworthstrasse+45+parking+Rheinstetten", "https://www.google.com/search?q=Weil+Der+Stadter+Strasse+39+parking+Renningen", "https://www.google.com/search?q=Siegelgrundstrasse+29+parking+Rheinstetten", "https://www.google.com/search?q=Uracher+Strasse+40+parking+Kirchheim", "https://www.google.com/search?q=Steigstrasse+1+parking+Stuttgart", "https://www.google.com/search?q=Plochinger+Strasse+36+parking+Kirchheim", "https://www.google.com/search?q=Vollmersweilerer+Str+6+parking+Worth", "https://www.google.com/search?q=Rathausstrasse+3+parking+Stuttgart", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Neuburg", "https://www.google.com/search?q=Turmstrasse+2+parking+Kirchheim", "https://www.google.com/search?q=Fasanenweg+6+8+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=L+1192+parking+Stuttgart", "https://www.google.com/search?q=Alleenstrasse+1+3+parking+Kirchheim", "https://www.google.com/search?q=Holderackerweg+6+parking+Karlsbad", "https://www.google.com/search?q=Desco+Strasse+5+parking+Karlsbad", "https://www.google.com/search?q=Flughafenstrasse+32+parking+Stuttgart", "https://www.google.com/search?q=Flughafenstrasse+32+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Flughafenstrasse+51+parking+Stuttgart", "https://www.google.com/search?q=Eugen+Gerstenmaier+Platz+1+parking+Kirchheim", "https://www.google.com/search?q=Wilhelm+Haas+Strasse+6+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Flughafenstrasse+50+parking+Stuttgart", "https://www.google.com/search?q=Esslinger+Str+11+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Wilhelm+Haas+Strasse+2+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Elfenhagen+62+parking+Norderstedt", "https://www.google.com/search?q=Richtweg+12+parking+Ellerau", "https://www.google.com/search?q=Filderbahnstrasse+28+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Seestrasse+40+parking+Ettlingen", "https://www.google.com/search?q=Bachstrasse+33+parking+Rheinstetten", "https://www.google.com/search?q=Max+Lang+Strasse+36+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Enzianstrasse+1+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Leinfelder+Str+20+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Obere+Bachstrasse+25+parking+Filderstadt", "https://www.google.com/search?q=Merkurstrasse+1+parking+Rheinstetten", "https://www.google.com/search?q=Filderbahnstrasse+14+parking+Filderstadt", "https://www.google.com/search?q=Bahnhofstrasse+21+parking+Karlsbad", "https://www.google.com/search?q=Eisenbahnstrasse+23+parking+Weil", "https://www.google.com/search?q=Hauptstrasse+29+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Hauptstrasse+24+parking+Leinfelden+Echterdingen", "https://www.google.com/search?q=Ludwigstrasse+3+parking+Berg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Weil", "https://www.google.com/search?q=Eisenbahnstrasse+2+parking+Weil", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Weil", "https://www.google.com/search?q=Raimund+Wolf+Weg+1+parking+Weil", "https://www.google.com/search?q=Talstrasse+49+parking+Sindelfingen", "https://www.google.com/search?q=Kranichstrasse+1+parking+Henstedt+Ulzburg", "https://www.google.com/search?q=Mahdentalstrasse+68+parking+Sindelfingen", "https://www.google.com/search?q=L+545+parking+Steinfeld", "https://www.google.com/search?q=Triftstrasse+32+parking+Durmersheim", "https://www.google.com/search?q=Raiffeisenstrasse+18+parking+Filderstadt", "https://www.google.com/search?q=Eisenbahnstrasse+50+parking+Dettingen", "https://www.google.com/search?q=Flamweg+1+parking+Elmshorn", "https://www.google.com/search?q=Julius+Leber+Strasse+4+parking+Elmshorn", "https://www.google.com/search?q=Holstenplatz+8+parking+Elmshorn", "https://www.google.com/search?q=Plochinger+Strasse+29+parking+Nurtingen", "https://www.google.com/search?q=Kleiststrasse+1+parking+Elmshorn", "https://www.google.com/search?q=Plochinger+Strasse+14+parking+Nurtingen", "https://www.google.com/search?q=Europastrasse+7+parking+Nurtingen", "https://www.google.com/search?q=Albtalstrasse+5+parking+Marxzell", "https://www.google.com/search?q=B+212+parking+Bremerhaven", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Durmersheim", "https://www.google.com/search?q=Am+Alten+Hafen+118+parking+Bremerhaven", "https://www.google.com/search?q=Hermann+Henrich+Meier+Strasse+6+parking+Bremerhaven", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Varel", "https://www.google.com/search?q=Bleichergang+1+parking+Bad", "https://www.google.com/search?q=Rampenstrasse+16+parking+Bremerhaven", "https://www.google.com/search?q=Schultwiete+8+10+parking+Bad", "https://www.google.com/search?q=Blankenseer+Str+101+parking+Lubeck", "https://www.google.com/search?q=Hamburger+Strasse+57+parking+Henstedt+Ulzburg", "https://www.google.com/search?q=Lubecker+Str+21+parking+Bad", "https://www.google.com/search?q=Querstrasse+3+parking+Bremerhaven", "https://www.google.com/search?q=Wolfgang+Brumme+Allee+18+parking+Boblingen", "https://www.google.com/search?q=Stuttgarter+Str+1+parking+Boblingen", "https://www.google.com/search?q=Pferdemarkt+9+parking+Bad", "https://www.google.com/search?q=Talstrasse+25+parking+Boblingen", "https://www.google.com/search?q=Stadtgrabenstrasse+20+parking+Boblingen", "https://www.google.com/search?q=Falkenberger+Str+1+parking+Briesen", "https://www.google.com/search?q=Tubinger+Str+22+parking+Boblingen", "https://www.google.com/search?q=Kreloh+5+parking+Langeln", "https://www.google.com/search?q=Georg+Alber+Strasse+3+5+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Schrobenhausen", "https://www.google.com/search?q=Otto+Eckerle+Strasse+6+parking+Malsch", "https://www.google.com/search?q=Regensburger+Str+6+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Malsch", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Malsch", "https://www.google.com/search?q=St+Georgs+Platz+1+parking+Schrobenhausen", "https://www.google.com/search?q=Lenbachstrasse+19+parking+Schrobenhausen", "https://www.google.com/search?q=Rosenstrasse+17+parking+Klein", "https://www.google.com/search?q=Geiselhoringer+Strasse+9+parking+Straubing", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+34+parking+Schrobenhausen", "https://www.google.com/search?q=Eichendorffstrasse+12+parking+Schrobenhausen", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+47+parking+Schrobenhausen", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Barmstedt", "https://www.google.com/search?q=Bahnhofpl+13+parking+Straubing", "https://www.google.com/search?q=Bahnhofplatz+11+13+parking+Straubing", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Frickenhausen", "https://www.google.com/search?q=Bahnhofstrasse+21+parking+Reinfeld", "https://www.google.com/search?q=Avenue+de+La+Gare+12+parking+Wissembourg", "https://www.google.com/search?q=Lessingstrasse+13+parking+Grossbettlingen", "https://www.google.com/search?q=Industriestrasse+42+parking+otigheim", "https://www.google.com/search?q=Hauptstrasse+5+parking+Jacobsdorf", "https://www.google.com/search?q=Horstheider+Weg+147+parking+Horst", "https://www.google.com/search?q=Buhlallee+7+parking+Ehningen", "https://www.google.com/search?q=Haggasse+6+parking+Calw", "https://www.google.com/search?q=Brauerstrasse+13+parking+Kaltenkirchen", "https://www.google.com/search?q=Parkstrasse+4+parking+Lenningen", "https://www.google.com/search?q=Bischofstrasse+10+parking+Calw", "https://www.google.com/search?q=Norderstrasse+4+parking+Kaltenkirchen", "https://www.google.com/search?q=Unter+Den+Felsen+4+parking+Bad", "https://www.google.com/search?q=Muhlendamm+24+parking+Lubeck", "https://www.google.com/search?q=Musterbahn+8+19+parking+Lubeck", "https://www.google.com/search?q=Muhlenbrucke+2+parking+Lubeck", "https://www.google.com/search?q=Grosser+Bauhof+14+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+6+parking+Wakendorf", "https://www.google.com/search?q=Parade+1+5+parking+Lubeck", "https://www.google.com/search?q=Obere+Bachstrasse+2+parking+Weil", "https://www.google.com/search?q=Marlesgrube+18+30+parking+Lubeck", "https://www.google.com/search?q=Possehlstrasse+1+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Bempflingen", "https://www.google.com/search?q=An+Der+Obertrave+16+parking+Lubeck", "https://www.google.com/search?q=Aegidienstrasse+7+parking+Lubeck", "https://www.google.com/search?q=Am+Guterbahnhof+10+parking+Lubeck", "https://www.google.com/search?q=Moislinger+Allee+5+parking+Lubeck", "https://www.google.com/search?q=Huxterdamm+3+parking+Lubeck", "https://www.google.com/search?q=Schmiedestrasse+17+29+parking+Lubeck", "https://www.google.com/search?q=Am+Guterbahnhof+2+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Dettenhausen", "https://www.google.com/search?q=Lindenpl+8+parking+Lubeck", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+6+parking+Lubeck", "https://www.google.com/search?q=Schusselbuden+20+parking+Lubeck", "https://www.google.com/search?q=Willy+Brandt+Allee+6+parking+Lubeck", "https://www.google.com/search?q=Kanalstrasse+80+parking+Lubeck", "https://www.google.com/search?q=Willy+Brandt+Allee+5+parking+Lubeck", "https://www.google.com/search?q=Beckergrube+29+57+parking+Lubeck", "https://www.google.com/search?q=Falkenstrasse+27+parking+Lubeck", "https://www.google.com/search?q=Breite+Str+18+28+parking+Lubeck", "https://www.google.com/search?q=Kuranlagenallee+2+parking+Bad", "https://www.google.com/search?q=Panoramastrasse+2+parking+Bad", "https://www.google.com/search?q=Kanalstrasse+70+parking+Lubeck", "https://www.google.com/search?q=Baetznerstrasse+90+parking+Bad", "https://www.google.com/search?q=Kernerstrasse+39+parking+Bad", "https://www.google.com/search?q=Willy+Brandt+Allee+21+parking+Lubeck", "https://www.google.com/search?q=Kanalstrasse+1+5+parking+Lubeck", "https://www.google.com/search?q=Grosse+Burgstrasse+4+39+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Gartringen", "https://www.google.com/search?q=Stuttgarter+Strasse+15+parking+Gartringen", "https://www.google.com/search?q=Ingolstadter+Str+76+parking+Pfaffenhofen", "https://www.google.com/search?q=Roeckstrasse+1+5+parking+Lubeck", "https://www.google.com/search?q=Am+Burgfeld+3+12+parking+Lubeck", "https://www.google.com/search?q=Niederwaldstrasse+21+parking+Rastatt", "https://www.google.com/search?q=Ingolstadter+Str+72+74+parking+Pfaffenhofen", "https://www.google.com/search?q=Steinmetzstrasse+5+parking+Rastatt", "https://www.google.com/search?q=Am+Schlossplatz+7+parking+Rastatt", "https://www.google.com/search?q=Turltorstrasse+46+parking+Pfaffenhofen", "https://www.google.com/search?q=Rauentaler+Strasse+1+parking+Rastatt", "https://www.google.com/search?q=Schlachthofstrasse+11+parking+Pfaffenhofen", "https://www.google.com/search?q=Kellerstrasse+17+parking+Pfaffenhofen", "https://www.google.com/search?q=Kaiserstrasse+50+parking+Rastatt", "https://www.google.com/search?q=Hauptpl+30+parking+Pfaffenhofen", "https://www.google.com/search?q=Sternenstrasse+18+parking+Rastatt", "https://www.google.com/search?q=Stadtgraben+3+parking+Pfaffenhofen", "https://www.google.com/search?q=Hauptpl+31+parking+Pfaffenhofen", "https://www.google.com/search?q=Auenstrasse+7+parking+Pfaffenhofen", "https://www.google.com/search?q=Stadtgraben+13+parking+Pfaffenhofen", "https://www.google.com/search?q=Kapellenstrasse+20+parking+Rastatt", "https://www.google.com/search?q=Dreherstrasse+1+parking+Rastatt", "https://www.google.com/search?q=Kaiserstrasse+10+parking+Rastatt", "https://www.google.com/search?q=Schulstrasse+3+5+parking+Pfaffenhofen", "https://www.google.com/search?q=Joseph+Fraunhofer+Strasse+10+parking+Pfaffenhofen", "https://www.google.com/search?q=Friedrichring+11+13+parking+Rastatt", "https://www.google.com/search?q=Am+Grun+14+parking+Rastatt", "https://www.google.com/search?q=Am+Grun+2+parking+Rastatt", "https://www.google.com/search?q=Eisenbahnstrasse+8+parking+Gaggenau", "https://www.google.com/search?q=Bahnhofstrasse+7+parking+Pfaffenhofen", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Westerhorn", "https://www.google.com/search?q=Munchener+Str+12+parking+Pfaffenhofen", "https://www.google.com/search?q=Schrobenhausener+Str+1+parking+Pfaffenhofen", "https://www.google.com/search?q=Munchener+Str+80+parking+Hettenshausen", "https://www.google.com/search?q=Munchener+Str+84+parking+Hettenshausen", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Lentfohrden", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Neuengors", "https://www.google.com/search?q=Bahnhofstrasse+30+parking+Nufringen", "https://www.google.com/search?q=Herrenberger+Strasse+41+parking+Nufringen", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Aichach", "https://www.google.com/search?q=Am+Bahnhof+99+parking+Bad", "https://www.google.com/search?q=Badgasschen+4+parking+Aichach", "https://www.google.com/search?q=Knollerweg+6+parking+Aichach", "https://www.google.com/search?q=Bahnhofstrasse+26+parking+Wriezen", "https://www.google.com/search?q=Ebertstrasse+23+parking+Wilhelmshaven", "https://www.google.com/search?q=Bahnhofstrasse+22+parking+Wilhelmshaven", "https://www.google.com/search?q=B+462+parking+Gernsbach", "https://www.google.com/search?q=Birkenweg+20+parking+Bad", "https://www.google.com/search?q=B+3+parking+Baden+Baden", "https://www.google.com/search?q=Buchbergstrasse+100+parking+Neu+Ulm", "https://www.google.com/search?q=Bronntor+2+parking+Herrenberg", "https://www.google.com/search?q=Tubinger+Str+36+parking+Herrenberg", "https://www.google.com/search?q=Kalkofenstrasse+51+parking+Herrenberg", "https://www.google.com/search?q=Bofinger+Strasse+50+parking+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+31+parking+Herrenberg", "https://www.google.com/search?q=Gartenstrasse+27+parking+Gernsbach", "https://www.google.com/search?q=Wichernstrasse+5+parking+Ulm", "https://www.google.com/search?q=Wilhelm+Nagel+Strasse+16+parking+Herrenberg", "https://www.google.com/search?q=Rosengasse+21+parking+Ulm", "https://www.google.com/search?q=Olgastrasse+63+parking+Ulm", "https://www.google.com/search?q=Hoheschulgasse+3+parking+Ulm", "https://www.google.com/search?q=Salzstadelgasse+14+parking+Ulm", "https://www.google.com/search?q=Wahlstedter+Strasse+12+parking+Fahrenkrug", "https://www.google.com/search?q=Bahnhofplatz+2+parking+Ulm", "https://www.google.com/search?q=Bahnhofpl+2+parking+Ulm", "https://www.google.com/search?q=Bahnhofplatz+1+parking+Ulm", "https://www.google.com/search?q=Schnarrenbergstrasse+158+parking+Tubingen", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+parking+Ulm", "https://www.google.com/search?q=Bahnhof+1+parking+Gusow+Platkow", "https://www.google.com/search?q=Ooser+Bahnhofstrasse+5+parking+Baden+Baden", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+8+parking+Ulm", "https://www.google.com/search?q=Neue+Str+60+parking+Ulm", "https://www.google.com/search?q=Mohlstrasse+36+parking+Tubingen", "https://www.google.com/search?q=Schwilmengasse+5+parking+Ulm", "https://www.google.com/search?q=Insel+14+parking+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+14+parking+Reutlingen", "https://www.google.com/search?q=Meininger+Allee+17+parking+Neu+Ulm", "https://www.google.com/search?q=Hoppe+Seyler+Strasse+2+parking+Tubingen", "https://www.google.com/search?q=Schulstrasse+24+parking+Reutlingen", "https://www.google.com/search?q=Gutenbergstrasse+17+parking+Baden+Baden", "https://www.google.com/search?q=Hermann+Kohl+Strasse+171+parking+Neu+Ulm", "https://www.google.com/search?q=Otfried+Muller+Strasse+31+parking+Tubingen", "https://www.google.com/search?q=Bahnhofstrasse+11+parking+Neu+Ulm", "https://www.google.com/search?q=Brunnenstrasse+29+parking+Tubingen", "https://www.google.com/search?q=Rontgenweg+2+parking+Tubingen", "https://www.google.com/search?q=Schulstrasse+12+parking+Reutlingen", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Neu+Ulm", "https://www.google.com/search?q=Lange+Strasse+77+parking+Baden+Baden", "https://www.google.com/search?q=Ortenaustrasse+16+parking+Baden+Baden", "https://www.google.com/search?q=Vincentistrasse+4+parking+Baden+Baden", "https://www.google.com/search?q=Dahlmannstrasse+25+parking+Wismar", "https://www.google.com/search?q=Herrenberger+Strasse+2+parking+Tubingen", "https://www.google.com/search?q=Eberhardstrasse+35+parking+Reutlingen", "https://www.google.com/search?q=Am+Stadtgraben+13+parking+Tubingen", "https://www.google.com/search?q=Turnerweg+3+parking+Wismar", "https://www.google.com/search?q=Wallstrasse+1+parking+Wismar", "https://www.google.com/search?q=Kleinschmiedestrasse+11+13+parking+Wismar", "https://www.google.com/search?q=Turmstrasse+17+parking+Wismar", "https://www.google.com/search?q=Dr+Leber+Strasse+9+parking+Wismar", "https://www.google.com/search?q=Stenglinstrasse+2+parking+Augsburg", "https://www.google.com/search?q=St+Marien+Kirchhof+16+parking+Wismar", "https://www.google.com/search?q=Turmstrasse+7+9+parking+Wismar", "https://www.google.com/search?q=Kaiserallee+1+parking+Baden+Baden", "https://www.google.com/search?q=Ulmenstrasse+11+parking+Wismar", "https://www.google.com/search?q=Lichtentaler+Str+39+parking+Baden+Baden", "https://www.google.com/search?q=Ludwig+Wilhelm+Platz+4+parking+Baden+Baden", "https://www.google.com/search?q=Schiffbauerdamm+1+parking+Wismar", "https://www.google.com/search?q=Steinenbergstrasse+31+parking+Reutlingen", "https://www.google.com/search?q=Steinenbergstrasse+35+parking+Reutlingen", "https://www.google.com/search?q=Reutlinger+Strasse+5+parking+Tubingen", "https://www.google.com/search?q=Bei+Den+Pferdestallen+11+parking+Tubingen", "https://www.google.com/search?q=Hegelstrasse+1+parking+Tubingen", "https://www.google.com/search?q=Am+Flugplatz+1001+parking+Wahlstedt", "https://www.google.com/search?q=Falkenstrasse+4+parking+Baden+Baden", "https://www.google.com/search?q=Wasserstrasse+1+parking+Wismar", "https://www.google.com/search?q=Kopenhagener+Strasse+3+parking+Wismar", "https://www.google.com/search?q=Egginger+Weg+40+parking+Ulm", "https://www.google.com/search?q=Auf+Dem+Baggersand+15+parking+Lubeck", "https://www.google.com/search?q=Auf+Dem+Baggersand+1+parking+Lubeck", "https://www.google.com/search?q=Katharinenstrasse+14+parking+Tubingen", "https://www.google.com/search?q=Poeler+Strasse+4+parking+Wismar", "https://www.google.com/search?q=Bahnhofstrasse+16+parking+Gaufelden", "https://www.google.com/search?q=Kurgartenstrasse+4+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+12+parking+Gaufelden", "https://www.google.com/search?q=Muhlbachackerstrasse+5+parking+Tubingen", "https://www.google.com/search?q=Vogteistrasse+3+parking+Lubeck", "https://www.google.com/search?q=Rose+10+parking+Lubeck", "https://www.google.com/search?q=Vogteistrasse+50+parking+Lubeck", "https://www.google.com/search?q=Am+Lotsenberg+2+parking+Lubeck", "https://www.google.com/search?q=Trelleborgallee+2+parking+Lubeck", "https://www.google.com/search?q=Aussenallee+6+parking+Lubeck", "https://www.google.com/search?q=Am+Lotsenberg+16+parking+Lubeck", "https://www.google.com/search?q=Am+Leuchtenfeld+1+parking+Lubeck", "https://www.google.com/search?q=Bahnhofstrasse+35+parking+Wiemersdorf", "https://www.google.com/search?q=Industriestrasse+10+parking+Sinzheim", "https://www.google.com/search?q=Godewind+8+parking+Lubeck", "https://www.google.com/search?q=Am+Fahrenberg+23+parking+Lubeck", "https://www.google.com/search?q=Viktoriastrasse+3+parking+Augsburg", "https://www.google.com/search?q=Schaezlerstrasse+9+parking+Augsburg", "https://www.google.com/search?q=Backbord+35+parking+Lubeck", "https://www.google.com/search?q=Kaiserallee+40+parking+Lubeck", "https://www.google.com/search?q=Kowitzberg+11+parking+Lubeck", "https://www.google.com/search?q=Hans+Thoma+Strasse+44+parking+Sinzheim", "https://www.google.com/search?q=Victoria+Boulevard+B+109+parking+Rheinmunster", "https://www.google.com/search?q=L+80+parking+Sinzheim", "https://www.google.com/search?q=Schifferstrasse+1+parking+Forbach", "https://www.google.com/search?q=Bahnhofstrasse+23+parking+Altomunster", "https://www.google.com/search?q=Bahnhofstrasse+18+parking+Grossenaspe", "https://www.google.com/search?q=Bahnhofstrasse+29+parking+Petershausen", "https://www.google.com/search?q=Summersite+Avenue+C+207+parking+Rheinmunster", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Rickling", "https://www.google.com/search?q=Calwer+Str+5+parking+Nagold", "https://www.google.com/search?q=Unterm+Wehr+19+parking+Nagold", "https://www.google.com/search?q=Turmstrasse+28+parking+Nagold", "https://www.google.com/search?q=Bahnhofstrasse+36+parking+Bondorf", "https://www.google.com/search?q=Weihergassle+1+parking+Nagold", "https://www.google.com/search?q=Nagold+Wackenhut+47+parking+Nagold", "https://www.google.com/search?q=Meisterweg+9+parking+Nagold", "https://www.google.com/search?q=B+28+parking+Nagold", "https://www.google.com/search?q=Sprollstrasse+6+parking+Rottenburg", "https://www.google.com/search?q=St+Martin+Strasse+2+parking+Erdweg", "https://www.google.com/search?q=Burggraben+18+parking+Rottenburg", "https://www.google.com/search?q=Schutte+12+parking+Rottenburg", "https://www.google.com/search?q=Bahnhofstrasse+45+parking+Rottenburg", "https://www.google.com/search?q=Sauerbruchstrasse+6+parking+Augsburg", "https://www.google.com/search?q=Bahnhofpl+2+parking+Markt", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Vierkirchen", "https://www.google.com/search?q=Schlossstrasse+29+parking+Vierkirchen", "https://www.google.com/search?q=Indersdorfer+Str+39+parking+Vierkirchen", "https://www.google.com/search?q=Am+Kuhberg+19+parking+Schwabhausen", "https://www.google.com/search?q=Alois+Steinecker+Strasse+20+parking+Freising", "https://www.google.com/search?q=Karl+Berger+Strasse+3+parking+Buhl", "https://www.google.com/search?q=Sonnenstrasse+27+parking+Freising", "https://www.google.com/search?q=Am+Worth+11+parking+Freising", "https://www.google.com/search?q=Hauptstrasse+21+parking+Odelzhausen", "https://www.google.com/search?q=Bahnhofstrasse+9+parking+Rohrmoos", "https://www.google.com/search?q=Rue+Du+Puits+2+parking+Haguenau", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Rohrmoos", "https://www.google.com/search?q=Inzemooser+Str+1+parking+Rohrmoos", "https://www.google.com/search?q=Rue+de+La+Vieille+ile+2+parking+Haguenau", "https://www.google.com/search?q=Kornhausgasse+6+parking+Ehingen", "https://www.google.com/search?q=Gymnasiumstrasse+17+19+parking+Ehingen", "https://www.google.com/search?q=Am+Viehmarkt+10+parking+Ehingen", "https://www.google.com/search?q=Lindenstrasse+48+parking+Ehingen", "https://www.google.com/search?q=Hehlestrasse+1+parking+Ehingen", "https://www.google.com/search?q=Bucksgassle+9+parking+Ehingen", "https://www.google.com/search?q=Tuchergasse+40+parking+Ehingen", "https://www.google.com/search?q=Stadtwirtsgassle+2+parking+Ehingen", "https://www.google.com/search?q=Hopfenhausstrasse+2+parking+Ehingen", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Schwabhausen", "https://www.google.com/search?q=Munchener+Str+30+parking+Schwabhausen", "https://www.google.com/search?q=St+2054+parking+Sulzemoos", "https://www.google.com/search?q=Nordallee+29+parking+Munchen+Flughafen", "https://www.google.com/search?q=Sudallee+15+parking+Munchen+Flughafen", "https://www.google.com/search?q=Nordallee+25+parking+Munchen", "https://www.google.com/search?q=Florianstrasse+15+parking+Horb", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+1+parking+Bergkirchen", "https://www.google.com/search?q=Walpertshofener+Str+10+parking+Hebertshausen", "https://www.google.com/search?q=Gutermannstrasse+7+parking+Horb", "https://www.google.com/search?q=Wintergasse+4+parking+Horb", "https://www.google.com/search?q=Neckarstrasse+34+parking+Horb", "https://www.google.com/search?q=Bahnhofstrasse+56+parking+Neufahrn", "https://www.google.com/search?q=Schillerstrasse+35+parking+Horb", "https://www.google.com/search?q=Bahnhofpl+2+parking+Horb", "https://www.google.com/search?q=Eichenstrasse+4+parking+Oberding", "https://www.google.com/search?q=Isenburger+Str+5+parking+Horb", "https://www.google.com/search?q=Berliner+Strasse+49+parking+Achern", "https://www.google.com/search?q=Lilienthalstrasse+1+3+parking+Hallbergmoos", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Alt+nenberg", "https://www.google.com/search?q=Morez+Strasse+6+parking+Achern", "https://www.google.com/search?q=Ludwigstrasse+14+parking+Hallbergmoos", "https://www.google.com/search?q=Munchner+Str+11+parking+Neufahrn", "https://www.google.com/search?q=Kirchstrasse+43+parking+Achern", "https://www.google.com/search?q=Dresdener+Str+2+parking+Eching", "https://www.google.com/search?q=Freisinger+Str+80+parking+Oberding", "https://www.google.com/search?q=Jahnstrasse+1+parking+Achern", "https://www.google.com/search?q=Spitalstrasse+1+parking+Achern", "https://www.google.com/search?q=Kapellenstrasse+44+parking+Achern", "https://www.google.com/search?q=Dr+Hiller+Strasse+34+parking+Dachau", "https://www.google.com/search?q=Nordliche+Ingolstadter+Str+24+parking+Unterschleissheim", "https://www.google.com/search?q=Hollerner+Weg+1+parking+Unterschleissheim", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Hattenhofen", "https://www.google.com/search?q=Bahnhofspl+6+parking+Hattenhofen", "https://www.google.com/search?q=Burgermeister+Zauner+Ring+2+parking+Dachau", "https://www.google.com/search?q=Alte+Romerstrasse+62+parking+Dachau", "https://www.google.com/search?q=Kurfurst+Max+Emanuel+Platz+2+parking+Dachau", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+17+parking+Dachau", "https://www.google.com/search?q=Am+Kuhberg+3+parking+Dachau", "https://www.google.com/search?q=Schleissheimer+Strasse+1+parking+Dachau", "https://www.google.com/search?q=Ludwig+Dill+Strasse+58+parking+Dachau", "https://www.google.com/search?q=Munchner+Str+32+parking+Dachau", "https://www.google.com/search?q=Pegasusstrasse+6+parking+Unterschleissheim", "https://www.google.com/search?q=Robert+Schuman+Strasse+1+parking+Unterschleissheim", "https://www.google.com/search?q=Obere+Moosschwaigestrasse+11+parking+Dachau", "https://www.google.com/search?q=Salzburger+Strasse+11+parking+Dachau", "https://www.google.com/search?q=Schlossbergstrasse+38+parking+Mammendorf", "https://www.google.com/search?q=Am+Bahnhof+1+parking+Mammendorf", "https://www.google.com/search?q=Eduard+Ziegler+Strasse+2+parking+Dachau", "https://www.google.com/search?q=Schinderkreppe+1+parking+Dachau", "https://www.google.com/search?q=Burgermeister+Bals+Strasse+17+parking+Maisach", "https://www.google.com/search?q=Grobenrieder+Strasse+81+parking+Dachau", "https://www.google.com/search?q=Feierabendstrasse+41+parking+Oberschleissheim", "https://www.google.com/search?q=Herrenstrasse+1+parking+Maisach", "https://www.google.com/search?q=Lindacher+Str+2+parking+Maisach", "https://www.google.com/search?q=Hermann+Lons+Strasse+9+10+parking+Maisach", "https://www.google.com/search?q=Heinestrasse+9+parking+Maisach", "https://www.google.com/search?q=Ringstrasse+4+parking+Olching", "https://www.google.com/search?q=Am+Harlesiel+1+parking+Wittmund", "https://www.google.com/search?q=Lebzelterstrasse+2+parking+Erding", "https://www.google.com/search?q=Giessereistrasse+3+parking+Erding", "https://www.google.com/search?q=Am+Muhlgraben+4+parking+Erding", "https://www.google.com/search?q=Boltzmannstrasse+12+parking+Garching", "https://www.google.com/search?q=Feursstrasse+2+parking+Olching", "https://www.google.com/search?q=Pferdeschwemmgasse+2+parking+Erding", "https://www.google.com/search?q=Dorfener+Str+15+parking+Erding", "https://www.google.com/search?q=Am+Bahnhof+22+parking+Erding", "https://www.google.com/search?q=Daimlerstrasse+5+parking+Garching", "https://www.google.com/search?q=Daimlerstrasse+2+parking+Garching", "https://www.google.com/search?q=Bahnhofstrasse+34+parking+Erding", "https://www.google.com/search?q=Zum+Schwabenbachl+39+parking+Munchen", "https://www.google.com/search?q=St+2031+parking+Altenstadt", "https://www.google.com/search?q=Eversbuschstrasse+261+parking+Munchen", "https://www.google.com/search?q=Sonnenweg+5+6+parking+Grobenzell", "https://www.google.com/search?q=Grobenbachstrasse+3+parking+Grobenzell", "https://www.google.com/search?q=Dulferstrasse+69+parking+Munchen", "https://www.google.com/search?q=Pretzener+Str+2+parking+Erding", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+3+parking+Furstenfeldbruck", "https://www.google.com/search?q=Schleissheimer+Str+506+parking+Munchen", "https://www.google.com/search?q=Karolinenweg+5+parking+Ismaning", "https://www.google.com/search?q=Werner+Heisenberg+Allee+25+parking+Munchen", "https://www.google.com/search?q=Kurt+Huber+Ring+5+parking+Furstenfeldbruck", "https://www.google.com/search?q=Schweigerstrasse+2+parking+Ismaning", "https://www.google.com/search?q=Lochhauser+Str+3+parking+Puchheim", "https://www.google.com/search?q=Allinger+Str+1+parking+Puchheim", "https://www.google.com/search?q=Lochhausener+Str+215+parking+Munchen", "https://www.google.com/search?q=Henschelstrasse+8+parking+Munchen", "https://www.google.com/search?q=Knorrstrasse+166+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+99+parking+Schongeising", "https://www.google.com/search?q=Untermenzinger+Str+1+parking+Munchen", "https://www.google.com/search?q=Moosacher+Str+90+parking+Munchen", "https://www.google.com/search?q=Moosacher+Str+98+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+421+parking+Munchen", "https://www.google.com/search?q=Tubinger+Strasse+68+parking+Balingen", "https://www.google.com/search?q=Lilienthalallee+29+parking+Munchen", "https://www.google.com/search?q=Pelkovenstrasse+145+parking+Munchen", "https://www.google.com/search?q=Ed+4+parking+Worth", "https://www.google.com/search?q=Pelkovenstrasse+155+parking+Munchen", "https://www.google.com/search?q=Albrechtstrasse+31+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+56+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+42+parking+Balingen", "https://www.google.com/search?q=Olgastrasse+23+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+113+parking+Grafrath", "https://www.google.com/search?q=Karlstrasse+6+parking+Balingen", "https://www.google.com/search?q=Klausenweg+20+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+99+parking+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Balingen", "https://www.google.com/search?q=Tubinger+Strasse+1+parking+Balingen", "https://www.google.com/search?q=Bahnhofstrasse+83+parking+Grafrath", "https://www.google.com/search?q=Helene+Mayer+Ring+3+parking+Munchen", "https://www.google.com/search?q=Bergsonstrasse+117+parking+Munchen", "https://www.google.com/search?q=Hirschbergstrasse+38+parking+Balingen", "https://www.google.com/search?q=Hirschbergstrasse+32+parking+Balingen", "https://www.google.com/search?q=Charlottenstrasse+27+parking+Balingen", "https://www.google.com/search?q=Wilhelmstrasse+26+parking+Balingen", "https://www.google.com/search?q=Eyachstrasse+29+parking+Balingen", "https://www.google.com/search?q=Lerchenauer+Str+57+parking+Munchen", "https://www.google.com/search?q=Froschstrasse+14+parking+Balingen", "https://www.google.com/search?q=Froschstrasse+15+parking+Balingen", "https://www.google.com/search?q=Georg+Bohmer+Strasse+24+parking+Munchen", "https://www.google.com/search?q=Orpheusstrasse+1+parking+Munchen", "https://www.google.com/search?q=Spiridon+Louis+Ring+15+parking+Munchen", "https://www.google.com/search?q=Heinzlenstrasse+30+parking+Balingen", "https://www.google.com/search?q=Heinzlenstrasse+13+parking+Balingen", "https://www.google.com/search?q=Ungererstrasse+216+parking+Munchen", "https://www.google.com/search?q=Route+de+La+Wantzenau+319+parking+Hoenheim", "https://www.google.com/search?q=Spiridon+Louis+Ring+3+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+21+parking+Unterfohring", "https://www.google.com/search?q=Wilhelmstrasse+55+parking+Balingen", "https://www.google.com/search?q=Lyonel+Feininger+Strasse+20+parking+Munchen", "https://www.google.com/search?q=Toni+Merkens+Weg+8+parking+Munchen", "https://www.google.com/search?q=Berliner+Str+93+parking+Munchen", "https://www.google.com/search?q=Leopoldstrasse+184+parking+Munchen", "https://www.google.com/search?q=Theodor+Dombart+Strasse+4+parking+Munchen", "https://www.google.com/search?q=Haberlandstrasse+59+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+28+parking+Turkenfeld", "https://www.google.com/search?q=Bodenseestrasse+322+parking+Munchen", "https://www.google.com/search?q=Birkenweg+1+parking+Turkenfeld", "https://www.google.com/search?q=Raiffeisenstrasse+11+parking+Ottenhofen", "https://www.google.com/search?q=Marschallstrasse+1+parking+Munchen", "https://www.google.com/search?q=Wormser+Str+4+parking+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+41+parking+Germering", "https://www.google.com/search?q=Rue+Jean+Monnet+9+parking+Schiltigheim", "https://www.google.com/search?q=Occamstrasse+20+parking+Munchen", "https://www.google.com/search?q=Therese+Giehse+Platz+6+parking+Germering", "https://www.google.com/search?q=Allee+Rene+Cassin+2+parking+Strasbourg", "https://www.google.com/search?q=Maffeistrasse+29+parking+Germering", "https://www.google.com/search?q=Feilitzschstrasse+8+parking+Munchen", "https://www.google.com/search?q=Franzstrasse+1+parking+Munchen", "https://www.google.com/search?q=Bahnhofpl+12+parking+Germering", "https://www.google.com/search?q=Donnersbergerstrasse+5+parking+Munchen", "https://www.google.com/search?q=Sudendstrasse+3+parking+Germering", "https://www.google.com/search?q=P+R+Rives+de+L'Aar+6+parking+Strasbourg", "https://www.google.com/search?q=Allee+Spach+8+parking+Strasbourg", "https://www.google.com/search?q=Landshuter+Allee+4+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Tivoli+34+parking+Strasbourg", "https://www.google.com/search?q=Turkenstrasse+84+parking+Munchen", "https://www.google.com/search?q=Richelstrasse+1+parking+Munchen", "https://www.google.com/search?q=Marsstrasse+43+parking+Munchen", "https://www.google.com/search?q=Hopfenstrasse+6+parking+Munchen", "https://www.google.com/search?q=Gotthardstrasse+46+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+21+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+17+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+17+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+15+parking+Munchen", "https://www.google.com/search?q=Dachauer+Str+13+parking+Munchen", "https://www.google.com/search?q=Landsberger+Str+79+parking+Munchen", "https://www.google.com/search?q=Elsenheimerstrasse+57+parking+Munchen", "https://www.google.com/search?q=Rosenkavalierplatz+18+parking+Munchen", "https://www.google.com/search?q=Hirtenstrasse+14+parking+Munchen", "https://www.google.com/search?q=Elisenstrasse+4+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Gilching", "https://www.google.com/search?q=Angerfeldstrasse+2+parking+Gilching", "https://www.google.com/search?q=Arabellastrasse+9+parking+Munchen", "https://www.google.com/search?q=Luitpoldstrasse+3+parking+Munchen", "https://www.google.com/search?q=Enzensbergerstrasse+13+parking+Markt", "https://www.google.com/search?q=Arabellastrasse+17+parking+Munchen", "https://www.google.com/search?q=Jungfernturmstrasse+3+parking+Munchen", "https://www.google.com/search?q=Bahnhofpl+2+parking+Munchen", "https://www.google.com/search?q=Munterstrasse+1+parking+Markt", "https://www.google.com/search?q=Bayerstrasse+45+parking+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+113+parking+Munchen", "https://www.google.com/search?q=Arnulfstrasse+1+parking+Munchen", "https://www.google.com/search?q=Bayerstrasse+2+parking+Munchen", "https://www.google.com/search?q=Rue+de+Londres+5+parking+Strasbourg", "https://www.google.com/search?q=Karlspl+6+parking+Munchen", "https://www.google.com/search?q=Goethestrasse+4+parking+Munchen", "https://www.google.com/search?q=Am+Bahnhof+3+parking+Gilching", "https://www.google.com/search?q=Maxburgstrasse+7+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+6+parking+Munchen", "https://www.google.com/search?q=Senefelderstrasse+7+parking+Munchen", "https://www.google.com/search?q=Rue+de+Leicester+16+parking+Strasbourg", "https://www.google.com/search?q=Ridlerstrasse+53+parking+Munchen", "https://www.google.com/search?q=Gollierstrasse+6+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+49+51+parking+Markt", "https://www.google.com/search?q=Schwanthalerstrasse+36+parking+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+39+parking+Munchen", "https://www.google.com/search?q=Bavariaring+5+parking+Munchen", "https://www.google.com/search?q=Rond+Point+de+L'Esplanade+2+parking+Strasbourg", "https://www.google.com/search?q=Impasse+de+Bischheim+2+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+Rome+16+parking+Strasbourg", "https://www.google.com/search?q=Max+Joseph+Platz+1+parking+Munchen", "https://www.google.com/search?q=Heimeranstrasse+25+parking+Munchen", "https://www.google.com/search?q=Marstallstrasse+8+parking+Munchen", "https://www.google.com/search?q=Altheimer+Eck+16+parking+Munchen", "https://www.google.com/search?q=Rue+de+Zurich+8+parking+Strasbourg", "https://www.google.com/search?q=Rue+Des+Halles+17+parking+Strasbourg", "https://www.google.com/search?q=Garmischer+Str+19+parking+Munchen", "https://www.google.com/search?q=Herzog+Wilhelm+Strasse+11+parking+Munchen", "https://www.google.com/search?q=A+Quai+Kellermann+1+parking+Strasbourg", "https://www.google.com/search?q=Sparkassenstrasse+10+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Marais+Vert+37+parking+Strasbourg", "https://www.google.com/search?q=Farbergraben+10+parking+Munchen", "https://www.google.com/search?q=Boulevard+Du+President+Wilson+1+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+La+Rotonde+7+parking+Strasbourg", "https://www.google.com/search?q=Ludwig+Bruck+Strasse+3+parking+Munchen", "https://www.google.com/search?q=Landsberger+Str+100+parking+Gilching", "https://www.google.com/search?q=Place+de+L'Homme+de+Fer+16+parking+Strasbourg", "https://www.google.com/search?q=Rindermarkt+16+parking+Munchen", "https://www.google.com/search?q=Hochbruckenstrasse+9+parking+Munchen", "https://www.google.com/search?q=Siegenburger+Strasse+58+parking+Munchen", "https://www.google.com/search?q=Rue+de+La+Rotonde+4+parking+Strasbourg", "https://www.google.com/search?q=Place+Gutenberg+3+parking+Strasbourg", "https://www.google.com/search?q=Oberanger+27+parking+Munchen", "https://www.google.com/search?q=Rue+Du+Fosse+Des+Tanneurs+24+26+parking+Strasbourg", "https://www.google.com/search?q=Route+D'Oberhausbergen+2+parking+Strasbourg", "https://www.google.com/search?q=Place+de+La+Gare+1+parking+Strasbourg", "https://www.google.com/search?q=Pralat+Zistl+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Rue+Des+Boeufs+6+parking+Strasbourg", "https://www.google.com/search?q=Frauenstrasse+38+parking+Munchen", "https://www.google.com/search?q=Route+Du+Rhin+25+parking+Strasbourg", "https://www.google.com/search?q=Place+Saint+Thomas+2+3+parking+Strasbourg", "https://www.google.com/search?q=Route+Du+Rhin+17+parking+Strasbourg", "https://www.google.com/search?q=Rue+de+La+Brigade+Alsace+Lorraine+13+parking+Strasbourg", "https://www.google.com/search?q=Baaderstrasse+6+parking+Munchen", "https://www.google.com/search?q=Friedensstrasse+9+parking+Poing", "https://www.google.com/search?q=Rue+de+La+Porte+de+L'Hopital+3+parking+Strasbourg", "https://www.google.com/search?q=Boulevard+de+Metz+1+parking+Strasbourg", "https://www.google.com/search?q=Innere+Wiener+Strasse+15+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Poing", "https://www.google.com/search?q=Rue+de+La+Porte+de+L'Hopital+29+parking+Strasbourg", "https://www.google.com/search?q=Parsdorfer+Str+5+parking+Poing", "https://www.google.com/search?q=Zellstrasse+4+parking+Munchen", "https://www.google.com/search?q=Bothestrasse+10+parking+Munchen", "https://www.google.com/search?q=Rue+Albert+Calmette+13+parking+Strasbourg", "https://www.google.com/search?q=Rosenheimer+Str+5+parking+Munchen", "https://www.google.com/search?q=Kreuzwinkelstrasse+100+parking+Planegg", "https://www.google.com/search?q=Bahnhofstrasse+44+parking+Planegg", "https://www.google.com/search?q=Poinger+Str+17+parking+Kirchheim", "https://www.google.com/search?q=Hochstrasse+3+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+15+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+25+parking+Munchen", "https://www.google.com/search?q=Karl+Hammerschmidt+Strasse+21+parking+Aschheim", "https://www.google.com/search?q=Bahnhofstrasse+20+parking+Aschheim", "https://www.google.com/search?q=Bahnhofstrasse+10+parking+Kirchheim", "https://www.google.com/search?q=Mittbacher+Str+12+parking+Munchen", "https://www.google.com/search?q=Rosenheimer+Str+15+parking+Munchen", "https://www.google.com/search?q=Rue+de+Rathsamhausen+32+parking+Strasbourg", "https://www.google.com/search?q=Orleansstrasse+87+parking+Munchen", "https://www.google.com/search?q=Marchioninistrasse+17+parking+Munchen", "https://www.google.com/search?q=Orleansstrasse+81+83+parking+Munchen", "https://www.google.com/search?q=Hochstrasse+15+parking+Munchen", "https://www.google.com/search?q=Place+Du+Schluthfeld+5+parking+Strasbourg", "https://www.google.com/search?q=Hochstrasse+19+parking+Munchen", "https://www.google.com/search?q=Velaskostrasse+4+parking+Feldkirchen", "https://www.google.com/search?q=Raiffeisenstrasse+8+parking+Feldkirchen", "https://www.google.com/search?q=Marchioninistrasse+23+parking+Munchen", "https://www.google.com/search?q=Ohlmullerstrasse+28+parking+Munchen", "https://www.google.com/search?q=Max+Lebsche+Platz+30+parking+Munchen", "https://www.google.com/search?q=Mariahilfpl+42+parking+Munchen", "https://www.google.com/search?q=Friedenstrasse+10+parking+Munchen", "https://www.google.com/search?q=Grafinger+Str+11+parking+Munchen", "https://www.google.com/search?q=Grafinger+Str+6+parking+Munchen", "https://www.google.com/search?q=Route+Des+Romains+96+parking+Strasbourg", "https://www.google.com/search?q=Paul+Henri+Spaak+Strasse+6+parking+Munchen", "https://www.google.com/search?q=An+Der+Grundbreite+10+parking+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+15+parking+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Wessling", "https://www.google.com/search?q=Route+de+La+Federation+1+parking+Strasbourg", "https://www.google.com/search?q=Guterstrasse+7+parking+Offenburg", "https://www.google.com/search?q=Kleiststrasse+3+parking+Munchen", "https://www.google.com/search?q=Rue+Eugene+Delacroix+16+parking+Strasbourg", "https://www.google.com/search?q=Rammersweierstrasse+50+parking+Offenburg", "https://www.google.com/search?q=Rosenheimer+Str+145+parking+Munchen", "https://www.google.com/search?q=Anzinger+Str+15+parking+Munchen", "https://www.google.com/search?q=Route+de+Wasselonne+2+parking+Eckbolsheim", "https://www.google.com/search?q=St+Martin+Strasse+120+parking+Munchen", "https://www.google.com/search?q=Helsinkistrasse+3+parking+Munchen", "https://www.google.com/search?q=Bad+Schachener+Strasse+41+parking+Munchen", "https://www.google.com/search?q=Birthalmer+Str+50+parking+Munchen", "https://www.google.com/search?q=Truderinger+Str+259+parking+Munchen", "https://www.google.com/search?q=Turnhallestrasse+11+parking+Offenburg", "https://www.google.com/search?q=Gustav+Ree+Anlage+2+parking+Offenburg", "https://www.google.com/search?q=Kirchpl+1+2+parking+Offenburg", "https://www.google.com/search?q=Heinrich+Wieland+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Friedenstrasse+8+parking+Offenburg", "https://www.google.com/search?q=Schuttergasse+5+7+parking+Offenburg", "https://www.google.com/search?q=Wasserstrasse+9+parking+Offenburg", "https://www.google.com/search?q=Goldgasse+14+parking+Offenburg", "https://www.google.com/search?q=Bahnhofstrasse+1+parking+Worthsee", "https://www.google.com/search?q=Gerichtsstrasse+1+parking+Offenburg", "https://www.google.com/search?q=Zuricher+Strasse+31+parking+Munchen", "https://www.google.com/search?q=Kittelgasse+10+parking+Offenburg", "https://www.google.com/search?q=Wilhelm+Bauer+Strasse+11+parking+Offenburg", "https://www.google.com/search?q=Gmunder+Str+40+parking+Munchen", "https://www.google.com/search?q=Kronenstrasse+25+parking+Offenburg", "https://www.google.com/search?q=Hauptstrasse+111+parking+Offenburg", "https://www.google.com/search?q=Siebenbrunner+Str+5+parking+Munchen", "https://www.google.com/search?q=Tierparkstrasse+37+parking+Munchen", "https://www.google.com/search?q=Tolzer+Str+30+parking+Munchen", "https://www.google.com/search?q=Stegermattstrasse+24+parking+Offenburg", "https://www.google.com/search?q=Neurieder+Str+16+parking+Munchen", "https://www.google.com/search?q=Zentrallandstrasse+1+parking+Munchen", "https://www.google.com/search?q=Rue+de+La+Plaine+9+parking+Illkirch+Graffenstaden", "https://www.google.com/search?q=Schneiderhofstrasse+7+parking+Haar", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Gauting", "https://www.google.com/search?q=Am+Hollerbusch+22+parking+Munchen", "https://www.google.com/search?q=Aue+3+parking+Schenkenzell", "https://www.google.com/search?q=Thomas+Dehler+Strasse+8+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Seefeld", "https://www.google.com/search?q=Von+Knoeringen+Strasse+5+parking+Munchen", "https://www.google.com/search?q=Friedastrasse+25+parking+Munchen", "https://www.google.com/search?q=Ladehofstrasse+2+parking+Haar", "https://www.google.com/search?q=Eglfinger+Weg+9+parking+Haar", "https://www.google.com/search?q=Stephensonpl+1+parking+Munchen", "https://www.google.com/search?q=Carl+Wery+Strasse+35+parking+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+47+parking+Vaterstetten", "https://www.google.com/search?q=Luitpoldring+1+parking+Vaterstetten", "https://www.google.com/search?q=Am+Flughafen+35+parking+Memmingerberg", "https://www.google.com/search?q=Rue+Krafft+1+parking+Illkirch+Graffenstaden", "https://www.google.com/search?q=Schwabenstrasse+15+parking+Memmingerberg", "https://www.google.com/search?q=Konigsgraben+29+parking+Memmingen", "https://www.google.com/search?q=Krautstrasse+8+10+parking+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+4+parking+Memmingen", "https://www.google.com/search?q=Industriestrasse+24+parking+Memmingerberg", "https://www.google.com/search?q=Schwalbenstrasse+21+parking+Vaterstetten", "https://www.google.com/search?q=Konigsgraben+3+parking+Memmingen", "https://www.google.com/search?q=Schwesterstrasse+21+parking+Memmingen", "https://www.google.com/search?q=Neue+Poststrasse+15+parking+Vaterstetten", "https://www.google.com/search?q=Bahnhofspl+2+parking+Ottobrunn", "https://www.google.com/search?q=Gerberplatz+7+parking+Memmingen", "https://www.google.com/search?q=Bismarckstrasse+21+parking+Memmingen", "https://www.google.com/search?q=Lindentorstrasse+23+parking+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+24+parking+Memmingen", "https://www.google.com/search?q=Deisenhofener+Weg+6+parking+Unterhaching", "https://www.google.com/search?q=Zugspitzstrasse+4+parking+Pullach", "https://www.google.com/search?q=Ladestrasse+2+parking+Herrsching", "https://www.google.com/search?q=Roseggerstrasse+53+parking+Ottobrunn", "https://www.google.com/search?q=Anzinger+Str+2+parking+Zorneding", "https://www.google.com/search?q=Eschenstrasse+28+parking+Taufkirchen", "https://www.google.com/search?q=Obere+Bahnhofstrasse+54+parking+Zorneding", "https://www.google.com/search?q=Bahnhofstrasse+27+parking+Taufkirchen", "https://www.google.com/search?q=Forststrasse+2+parking+Baierbrunn", "https://www.google.com/search?q=Hans+Zellner+Weg+10+parking+Starnberg", "https://www.google.com/search?q=Hauptstrasse+8+parking+Starnberg", "https://www.google.com/search?q=Bahnhofpl+1+parking+Starnberg", "https://www.google.com/search?q=Ruhe+Christi+Strasse+1+parking+Rottweil", "https://www.google.com/search?q=Bahnhofstrasse+2+parking+Rottweil", "https://www.google.com/search?q=Bahnhofstrasse+19+parking+Hohenbrunn", "https://www.google.com/search?q=Stadtgrabenstrasse+9+parking+Rottweil", "https://www.google.com/search?q=Krankenhausstrasse+32+parking+Rottweil", "https://www.google.com/search?q=Bahnhofspl+1+parking+Kirchseeon", "https://www.google.com/search?q=Bahnhofpl+4+parking+Oberhaching", "https://www.google.com/search?q=Sauerlacher+Str+18+parking+Oberhaching", "https://www.google.com/search?q=Bahnhofstrasse+8+parking+Schaftlarn", "https://www.google.com/search?q=Bahnhofspl+1+parking+Ebersberg", "https://www.google.com/search?q=Schafflergraben+1+parking+Pocking", "https://www.google.com/search?q=Schlossberg+4+parking+Pocking", "https://www.google.com/search?q=Prof+Benjamin+Allee+1+parking+Schaftlarn", "https://www.google.com/search?q=Bahnhofpl+2+parking+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Bahnhofpl+1+parking+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Sensauer+Str+2+parking+Steinhoring", "https://www.google.com/search?q=Poststrasse+6+parking+Aulendorf", "https://www.google.com/search?q=Bahnweg+1+parking+Pfaffing", "https://www.google.com/search?q=Hauptstrasse+37+parking+Grafing", "https://www.google.com/search?q=Traubinger+Str+2+parking+Feldafing", "https://www.google.com/search?q=Hauptstrasse+38+parking+Grafing", "https://www.google.com/search?q=Bahnhofspl+3+parking+Grafing", "https://www.google.com/search?q=Am+Oberholz+4+parking+Grafing", "https://www.google.com/search?q=Hauptstrasse+27+parking+Grafing", "https://www.google.com/search?q=Bahnhofspl+10+parking+Grafing", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Icking", "https://www.google.com/search?q=Alleestrasse+10+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Hintere+Mauergasse+2+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Klostermuhlgasse+10+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Marktplatz+12+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Friedhofstrasse+15+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Bismarckstrasse+22+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Max+Planck+Strasse+12+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Bismarckstrasse+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Rosspl+2+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Kreuzstrasse+11+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Im+Winkel+4+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Eichrodtstrasse+13+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Kreuzstrasse+12+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Friedrich+Gessler+Strasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Lotzbeckstrasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Rathauspl+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=Tiergartenstrasse+5+parking+Lahr+Schwarzwald", "https://www.google.com/search?q=An+Der+Schnelle+5+parking+Kaufbeuren", "https://www.google.com/search?q=Bahnhofpl+9+parking+Sauerlach", "https://www.google.com/search?q=Alte+Weberei+5+parking+Kaufbeuren", "https://www.google.com/search?q=Innere+Buchleuthenstrasse+13+parking+Kaufbeuren", "https://www.google.com/search?q=Beringerweg+12+parking+Tutzing", "https://www.google.com/search?q=Heinrich+Vogl+Strasse+24+parking+Tutzing", "https://www.google.com/search?q=St+2078+parking+Aying", "https://www.google.com/search?q=Am+Bahnhof+4+parking+Aying", "https://www.google.com/search?q=Am+Flosskanal+12+parking+Wolfratshausen", "https://www.google.com/search?q=Sauerlacher+Str+21+parking+Wolfratshausen", "https://www.google.com/search?q=Am+Bahnhof+2+parking+Assling", "https://www.google.com/search?q=Untere+Bahnhofstrasse+36+parking+Aying", "https://www.google.com/search?q=Austrasse+23+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Alte+Herdstrasse+10+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Albert+Schweitzer+Strasse+11+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Wurzacher+Str+3+parking+Leutkirch", "https://www.google.com/search?q=Bahnhofstrasse+49+parking+Otterfing", "https://www.google.com/search?q=Bahnhofallee+2+parking+Weilheim", "https://www.google.com/search?q=Bahnhofstrasse+13+parking+Weilheim", "https://www.google.com/search?q=Bahnhof+5+parking+Leutkirch", "https://www.google.com/search?q=Bahnhofstrasse+52+parking+Otterfing", "https://www.google.com/search?q=Evangelische+Kirchgasse+15+parking+Leutkirch", "https://www.google.com/search?q=Pflugberg+3+parking+Leutkirch", "https://www.google.com/search?q=Seelhausweg+4+parking+Leutkirch", "https://www.google.com/search?q=Eisenkramergasse+11+parking+Weilheim", "https://www.google.com/search?q=Romerstrasse+20+parking+Valley", "https://www.google.com/search?q=Insel+1+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Romausring+4+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Bertholdstrasse+9+parking+Villingen+Schwenningen", "https://www.google.com/search?q=Bahnhofpl+9+parking+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+1+parking+Holzkirchen", "https://www.google.com/search?q=Erlkamer+Strasse+18+parking+Holzkirchen", "https://www.google.com/search?q=Ochsengasse+5+parking+Weingarten", "https://www.google.com/search?q=Parkstrasse+25+parking+Ravensburg", "https://www.google.com/search?q=Pfeilergraben+14+parking+Kempten", "https://www.google.com/search?q=Residenzplatz+2+parking+Kempten", "https://www.google.com/search?q=Am+Konigsplatz+3+parking+Kempten", "https://www.google.com/search?q=Burgstrasse+20+parking+Kempten", "https://www.google.com/search?q=Bahnhofstrasse+5+parking+Kempten", "https://www.google.com/search?q=Kotterner+Str+70+parking+Kempten", "https://www.google.com/search?q=Eicher+Str+30+parking+Kempten", "https://www.google.com/search?q=Bahnhofplatz+3+parking+Kempten", "https://www.google.com/search?q=Hochburger+Strasse+4+parking+Emmendingen", "https://www.google.com/search?q=Rechenauerstrasse+2+parking+Rosenheim", "https://www.google.com/search?q=Klepperstrasse+17+parking+Rosenheim", "https://www.google.com/search?q=Bahnhofpl+1+parking+Prien", "https://www.google.com/search?q=Hochriesstrasse+6+parking+Prien", "https://www.google.com/search?q=Leonie+Furst+Strasse+6+parking+Friedrichshafen", "https://www.google.com/search?q=Am+Flugpl+46+parking+Meckenbeuren", "https://www.google.com/search?q=Am+Flugpl+64+parking+Meckenbeuren", "https://www.google.com/search?q=Scheffelstrasse+16+parking+Friedrichshafen", "https://www.google.com/search?q=B+467+parking+Tettnang", "https://www.google.com/search?q=Marienstrasse+13+parking+Friedrichshafen", "https://www.google.com/search?q=Franziskusplatz+4+parking+Friedrichshafen", "https://www.google.com/search?q=Eckenerstrasse+10+parking+Friedrichshafen", "https://www.google.com/search?q=Werastrasse+23+parking+Friedrichshafen", "https://www.google.com/search?q=Karlstrasse+3+parking+Friedrichshafen", "https://www.google.com/search?q=Schmidstrasse+1+parking+Friedrichshafen", "https://www.google.com/search?q=Klosterstrasse+5+parking+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+26+parking+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+12+parking+Friedrichshafen", "https://www.google.com/search?q=Kemptener+Str+11+parking+Fussen", "https://www.google.com/search?q=Blumenstrasse+7+parking+Sonthofen", "https://www.google.com/search?q=Hirnbeinstrasse+5+parking+Sonthofen", "https://www.google.com/search?q=Bogenstrasse+6+parking+Sonthofen", "https://www.google.com/search?q=Immenstadter+Strasse+3+parking+Sonthofen", "https://www.google.com/search?q=Altstadter+Strasse+1+parking+Sonthofen", "https://www.google.com/search?q=Schillerstrasse+3+parking+Bregenz", "https://www.google.com/search?q=Jahnstrasse+9+parking+Bregenz", "https://www.google.com/search?q=Mehrerauerstrasse+7+parking+Bregenz", "https://www.google.com/search?q=Romerstrasse+19+23+parking+Bregenz", "https://www.google.com/search?q=Bahnhofstrasse+25+parking+Garmisch+Partenkirchen", "https://www.google.com/search?q=Dornierstrasse+5+parking+Thal", "https://www.google.com/search?q=Flughafenstrasse+11+parking+Thal", "https://www.google.com/search?q=Rathauspl+1+parking+Dornbirn", "https://www.google.com/search?q=Gottlieb+Weissbacher+Strasse+9+parking+Worgl", "https://www.google.com/search?q=Klosterstrasse+600+parking+Seefeld", "https://www.google.com/search?q=Josef+Wopfner+Strasse+15+parking+Schwaz", "https://www.google.com/search?q=Larchenstrasse+51+parking+Rum", "https://www.google.com/search?q=Weiherburggasse+37+parking+Innsbruck", "https://www.google.com/search?q=Dorfer+Str+19+parking+Rum", "https://www.google.com/search?q=Technikerstrasse+25+parking+Innsbruck", "https://www.google.com/search?q=Herrengasse+3+parking+Innsbruck", "https://www.google.com/search?q=Kaiserjagerstrasse+4+parking+Innsbruck", "https://www.google.com/search?q=Unterer+Stadtpl+22+parking+Hall", "https://www.google.com/search?q=Innrain+3+parking+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+21+parking+Innsbruck", "https://www.google.com/search?q=Herzog+Siegmund+Ufer+5+parking+Innsbruck", "https://www.google.com/search?q=Bachlechnerstrasse+73+parking+Innsbruck", "https://www.google.com/search?q=Innrain+25+parking+Innsbruck", "https://www.google.com/search?q=Sparkassenpl+1+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+10+parking+Innsbruck", "https://www.google.com/search?q=Meinhardstrasse+12+parking+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+2+parking+Innsbruck", "https://www.google.com/search?q=Amraser+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+19+parking+Innsbruck", "https://www.google.com/search?q=Perthalergasse+15+parking+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+25+parking+Innsbruck", "https://www.google.com/search?q=Adamgasse+8+parking+Innsbruck", "https://www.google.com/search?q=Sterzinger+Str+1+parking+Innsbruck", "https://www.google.com/search?q=Grabenweg+65+parking+Innsbruck", "https://www.google.com/search?q=Furstenweg+185+parking+Innsbruck", "https://www.google.com/search?q=Furstenweg+180+parking+Innsbruck", "https://www.google.com/search?q=Mullerstrasse+15+parking+Innsbruck", "https://www.google.com/search?q=Grabenweg+64+parking+Innsbruck", "https://www.google.com/search?q=Innerkoflerstrasse+15+parking+Innsbruck", "https://www.google.com/search?q=Innrain+149+parking+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+41+parking+Innsbruck", "https://www.google.com/search?q=Tschamlerstrasse+4+parking+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+10+parking+Innsbruck", "https://www.google.com/search?q=Egger+Lienz+Strasse+116+parking+Innsbruck", "https://www.google.com/search?q=Fluhenweg+540+parking+Lech", "https://www.google.com/search?q=Stadionstrasse+1+parking+Innsbruck", "https://www.google.com/search?q=Bergisel+1+parking+Innsbruck", "https://www.google.com/search?q=Hirschgraben+4+parking+Feldkirch", "https://www.google.com/search?q=Omesberg+9+parking+Lech", "https://www.google.com/search?q=Reichenfeldstrasse+5+parking+Feldkirch", "https://www.google.com/search?q=Innstrasse+23+parking+Landeck", "https://www.google.com/search?q=Spitalgasse+1+parking+Bludenz", "https://www.google.com/search?q=Avenue+de+l'Argonne+140+Merignac", "https://www.google.com/search?q=Chemin+de+la+Procession+13+Merignac", "https://www.google.com/search?q=Domaine+du+Chateau+775+Chilly+Mazarin", "https://www.google.com/search?q=Rue+Denis+Papin+11+Chilly+Mazarin", "https://www.google.com/search?q=Rue+Rene+Cassin+Merignac", "https://www.google.com/search?q=Avenue+de+l'Union+367+Paray+Vieille+Poste", "https://www.google.com/search?q=Voie+d'Athis+24+Villeneuve+le+Roi", "https://www.google.com/search?q=Rue+du+Bas+Marin+24+Orly", "https://www.google.com/search?q=Rue+des+15+Arpents+5+Orly", "https://www.google.com/search?q=Rue+du+Bas+Marin+6+Orly", "https://www.google.com/search?q=D165+4652+Rungis", "https://www.google.com/search?q=Rue+du+Pont+des+Halles+15+Rungis", "https://www.google.com/search?q=Avenue+de+Pierroton+3284+Saint+Jean+d'Illac", "https://www.google.com/search?q=Rue+de+la+Belle+etoile+241+Roissy+en+France", "https://www.google.com/search?q=Rue+de+la+Briqueterie+5+Louvres", "https://www.google.com/search?q=Rue+des+Postes+Roissy+en+France", "https://www.google.com/search?q=Rue+du+Stade+Sauvanet+1+Le+Mesnil+Amelot", "https://www.google.com/search?q=Rue+d'Epiais+les+Louvres+2+Chennevieres+les+Louvres", "https://www.google.com/search?q=D16+118+Vemars", "https://www.google.com/search?q=Chemin+des+Petits+eboulis+13+Dammartin+en+Goele", "https://www.google.com/search?q=Rue+du+Grand+Puits+Villeron", "https://www.google.com/search?q=Avenue+des+22+Arpents+14+Moussy+le+Neuf", "https://www.google.com/search?q=Rue+des+Pres+Boucher+1+Dammartin+en+Goele", "https://www.google.com/search?q=Rue+de+Lisbonne+14+Vitrolles", "https://www.google.com/search?q=Chemin+du+Littoral+301+Marseille", "https://www.google.com/search?q=Boulevard+des+Jardiniers+20+22+Nice", "https://www.google.com/search?q=Boulevard+des+Jardiniers+54+Nice", "https://www.google.com/search?q=Rue+Costes+et+Bellonte+24+Nice", "https://www.google.com/search?q=Rue+Costes+et+Bellonte+Nice", "https://www.google.com/search?q=Quai+des+Deux+Emmanuels+12+Nice", "https://www.google.com/search?q=Impasse+Racine+11+Montlucon", "https://www.google.com/search?q=D+8+Montlucon", "https://www.google.com/search?q=D+65+Montlucon", "https://www.google.com/search?q=Avenue+de+L'Aeroport+81+Limoges", "https://www.google.com/search?q=Boulevard+de+Blossac+95+Chatellerault", "https://www.google.com/search?q=Rue+de+La+Croix+Rouge+61+Chatellerault", "https://www.google.com/search?q=Rue+de+La+Melette+11+Chatellerault", "https://www.google.com/search?q=Rue+de+L'Angelarde+50+Chatellerault", "https://www.google.com/search?q=Place+Camille+de+Hogues+4+Chatellerault", "https://www.google.com/search?q=Place+Camille+de+Hogues+1+Chatellerault", "https://www.google.com/search?q=D+2+Chatellerault", "https://www.google.com/search?q=Rue+Saint+Romain+29+Chatellerault", "https://www.google.com/search?q=Rue+Saint+Andre+15+17+Chatellerault", "https://www.google.com/search?q=D+7+13+Chatellerault", "https://www.google.com/search?q=Rue+Antoine+Roffay+Des+Pallus+1+3+Chatellerault", "https://www.google.com/search?q=Rue+Abel+Orillard+3+Chatellerault", "https://www.google.com/search?q=Grande+Rue+de+Chateauneuf+10+Chatellerault", "https://www.google.com/search?q=Rue+Jean+Monnet+116+Chatellerault", "https://www.google.com/search?q=B+Boulevard+Des+Hortes+45+Aurillac", "https://www.google.com/search?q=Le+Square+17+Aurillac", "https://www.google.com/search?q=Impasse+Aristide+Briand+7+Aurillac", "https://www.google.com/search?q=Avenue+Aristide+Briand+3+Aurillac", "https://www.google.com/search?q=Rue+Django+Reinhardt+1+Aurillac", "https://www.google.com/search?q=Boulevard+de+Pont+Achard+2+Poitiers", "https://www.google.com/search?q=Rue+Rene+Lebon+2+Biard", "https://www.google.com/search?q=Rue+Rene+Lebon+5+Biard", "https://www.google.com/search?q=Allee+de+La+Chapelle+Saint+Jean+10+Amboise", "https://www.google.com/search?q=Place+de+La+Clautre+2+Perigueux", "https://www.google.com/search?q=Rue+Mauvard+13+17+Perigueux", "https://www.google.com/search?q=Place+Hoche+2+Perigueux", "https://www.google.com/search?q=Rue+Du+Dr+Duroselle+31+Angouleme", "https://www.google.com/search?q=Rue+Jean+Monnet+14+Joue+les+Tours", "https://www.google.com/search?q=Rue+Saint+Roch+5+Angouleme", "https://www.google.com/search?q=Avenue+Du+General+Niessel+10+Tours", "https://www.google.com/search?q=Pt+Jean+Moulin+30+Saint+Pierre+des+Corps", "https://www.google.com/search?q=Rue+Gamard+18+Joue+les+Tours", "https://www.google.com/search?q=Rue+Fabienne+Landy+41+Saint+Pierre+des+Corps", "https://www.google.com/search?q=Rue+Du+Pont+Sec+1+Angouleme", "https://www.google.com/search?q=Allee+Ferdinand+de+Lesseps+30+Tours", "https://www.google.com/search?q=T+Rue+Camille+Desmoulins+12+Tours", "https://www.google.com/search?q=Rue+Maurice+Genest+2+Tours", "https://www.google.com/search?q=Pl+Du+General+Leclerc+12+Tours", "https://www.google.com/search?q=Rue+Victor+Hugo+10+Tours", "https://www.google.com/search?q=Blvd+Heurteloup+10+Tours", "https://www.google.com/search?q=Rue+Emile+Zola+5+Tours", "https://www.google.com/search?q=Place+Gaston+Paillhou+38+Tours", "https://www.google.com/search?q=Place+Anatole+France+113+Tours", "https://www.google.com/search?q=Rue+de+L'Aeroport+40+Tours", "https://www.google.com/search?q=Rue+Des+Bordiers+16+Tours", "https://www.google.com/search?q=Rue+de+Jemmapes+95+Tours", "https://www.google.com/search?q=Rue+Des+Abattoirs+35+Le+Creusot", "https://www.google.com/search?q=Rue+de+La+Bergeresse+1385+Olivet", "https://www.google.com/search?q=Rue+Des+Halles+2+Orleans", "https://www.google.com/search?q=Place+Du+Chatelet+3+Orleans", "https://www.google.com/search?q=Rue+La+Chevre+Qui+Danse+6+Orleans", "https://www.google.com/search?q=Place+Du+Cheval+Rouge+5+Orleans", "https://www.google.com/search?q=Place+Du+Cardinal+Touchet+4+Orleans", "https://www.google.com/search?q=Rue+de+La+Chistera+9+La+Chapelle+Saint+Mesmin", "https://www.google.com/search?q=Rue+Henri+Roy+55+Orleans", "https://www.google.com/search?q=B+Rue+de+La+Madeleine+12+Saint+Jean+de+la+Ruelle", "https://www.google.com/search?q=Rue+Bannier+2+Orleans", "https://www.google.com/search?q=Rue+Fernand+Rabier+2+Orleans", "https://www.google.com/search?q=Rue+Alexandre+Avisse+8+Orleans", "https://www.google.com/search?q=Rue+de+La+Gare+21+Saint+Jean+de+Braye", "https://www.google.com/search?q=P+R+Rol+Tanguy+1+13+Saint+Jean+de+la+Ruelle", "https://www.google.com/search?q=Boulevard+Rocheplatte+35+Orleans", "https://www.google.com/search?q=P+R+Gaudier+Brzeska+34+38+Saint+Jean+de+Braye", "https://www.google.com/search?q=Rue+Emile+Zola+1+Orleans", "https://www.google.com/search?q=B+Rue+Saint+Yves+1+Orleans", "https://www.google.com/search?q=Avenue+de+Munster+5+Orleans", "https://www.google.com/search?q=P+R+Droits+de+L'Homme+3+Orleans", "https://www.google.com/search?q=Blvd+Alfred+de+Musset+6+Saint+etienne", "https://www.google.com/search?q=Rue+Dr+Remy+Annino+25+Saint+etienne", "https://www.google.com/search?q=Avenue+de+La+Liberation+2+Orleans", "https://www.google.com/search?q=Rue+Lamartine+32+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Des+Fosses+104+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Paul+Bert+52+Fleury+les+Aubrais", "https://www.google.com/search?q=Rue+Des+Docteurs+Charcot+11+13+Saint+etienne", "https://www.google.com/search?q=Rue+Nicolas+Chaize+10+Saint+etienne", "https://www.google.com/search?q=Rue+Victor+Hugo+19+Saint+Chamond", "https://www.google.com/search?q=Boulevard+Du+14+Auxerre", "https://www.google.com/search?q=Rue+de+La+Fonbalquine+1+Bergerac", "https://www.google.com/search?q=Rue+Camille+de+Rochetaillee+42+Bergerac", "https://www.google.com/search?q=Rue+de+Flandres+Dunkerque+20+Saumur", "https://www.google.com/search?q=Rue+Des+Vignes+5+Saumur", "https://www.google.com/search?q=Avenue+Courtiller+5+Saumur", "https://www.google.com/search?q=Grande+Rue+11+Saumur", "https://www.google.com/search?q=Place+Marc+Leclerc+17+Saumur", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+1757+Saumur", "https://www.google.com/search?q=Avenue+Boucicaut+122+124+Chalon+sur+Saone", "https://www.google.com/search?q=Avenue+Boucicaut+18+Chalon+sur+Saone", "https://www.google.com/search?q=Rue+Philibert+Leon+Couturier+14+Chalon+sur+Saone", "https://www.google.com/search?q=Rue+de+L'Artois+22+Saintes", "https://www.google.com/search?q=Chemin+Aux+Boeufs+12+Le+Mans", "https://www.google.com/search?q=Rue+de+Ferrare+1+Fontainebleau", "https://www.google.com/search?q=Rue+Denecourt+33+Fontainebleau", "https://www.google.com/search?q=Rue+de+La+Chancellerie+9+Fontainebleau", "https://www.google.com/search?q=Place+de+La+Republique+10+Fontainebleau", "https://www.google.com/search?q=Rue+Du+Chateau+44+Fontainebleau", "https://www.google.com/search?q=Rue+de+Chenove+53+Dijon", "https://www.google.com/search?q=Place+Georges+Clemenceau+6+Fontainebleau", "https://www.google.com/search?q=Boulevard+Crevat+Durant+4+Fontainebleau", "https://www.google.com/search?q=Rue+de+La+Petite+Vitesse+1+Avon", "https://www.google.com/search?q=Avenue+Felix+Geneslay+208+Le+Mans", "https://www.google.com/search?q=Rue+de+L'Esterel+60+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Mission+49+Le+Mans", "https://www.google.com/search?q=Place+George+Washington+9+Le+Mans", "https://www.google.com/search?q=Rue+Nationale+122+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+70+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+60+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Fuie+12+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Fuie+8+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+81+Le+Mans", "https://www.google.com/search?q=Rue+Gastelier+34+Le+Mans", "https://www.google.com/search?q=Rue+Du+Bourg+Bele+47+Le+Mans", "https://www.google.com/search?q=Boulevard+Robert+Jarry+30+Le+Mans", "https://www.google.com/search?q=Bd+Marie+Et+Alexandre+Oyon+10+Le+Mans", "https://www.google.com/search?q=Rue+Pierre+Felix+Delarue+9+Le+Mans", "https://www.google.com/search?q=Avenue+Bollee+8+Le+Mans", "https://www.google.com/search?q=Rue+Berthelot+32+Le+Mans", "https://www.google.com/search?q=Avenue+Bollee+4+Le+Mans", "https://www.google.com/search?q=Rue+Sarrazin+6796+Le+Mans", "https://www.google.com/search?q=Rue+Berthelot+22+Le+Mans", "https://www.google.com/search?q=Boulevard+Robert+Jarry+6+Le+Mans", "https://www.google.com/search?q=Rue+de+Sydney+25+Le+Mans", "https://www.google.com/search?q=Place+Aristide+Briand+13+Le+Mans", "https://www.google.com/search?q=Rue+D'Australie+71+Le+Mans", "https://www.google.com/search?q=Rue+D'Alger+5+Le+Mans", "https://www.google.com/search?q=Avenue+Francois+Mitterrand+16+Le+Mans", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+74+Le+Mans", "https://www.google.com/search?q=Rue+D'Alger+43+Le+Mans", "https://www.google.com/search?q=Rue+de+Constantine+8+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Halle+Aux+Toiles+6+Le+Mans", "https://www.google.com/search?q=Rue+Barbier+96+Le+Mans", "https://www.google.com/search?q=Rue+Du+Cirque+6+Le+Mans", "https://www.google.com/search?q=Rue+Du+Port+11+13+Le+Mans", "https://www.google.com/search?q=Rue+Julien+Pesche+1+Le+Mans", "https://www.google.com/search?q=Rue+de+La+Barillerie+36+Le+Mans", "https://www.google.com/search?q=Rue+Du+Vert+Galant+16+Le+Mans", "https://www.google.com/search?q=Rue+Du+Vert+Galant+24+Le+Mans", "https://www.google.com/search?q=Place+de+L'eperon+7+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+104+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+90+Le+Mans", "https://www.google.com/search?q=Place+Saint+Pierre+5+Le+Mans", "https://www.google.com/search?q=Rue+Du+Hallai+7+Le+Mans", "https://www.google.com/search?q=Rue+Saint+Benoit+19+Le+Mans", "https://www.google.com/search?q=Quai+Amiral+Lalande+20+Le+Mans", "https://www.google.com/search?q=Place+Du+Cardinal+Grente+8+Le+Mans", "https://www.google.com/search?q=Route+Du+Hutreau+247+Sainte+Gemmes+sur+Loire", "https://www.google.com/search?q=Quai+Amiral+Lalande+8+Le+Mans", "https://www.google.com/search?q=Avenue+de+La+Liberation+26+Le+Mans", "https://www.google.com/search?q=Avenue+Du+11+Angers", "https://www.google.com/search?q=Rue+Bressigny+47+Angers", "https://www.google.com/search?q=Place+La+Fayette+1+11+Angers", "https://www.google.com/search?q=Avenue+Turpin+de+Crisse+1+Angers", "https://www.google.com/search?q=Avenue+Turpin+de+Crisse+7+Angers", "https://www.google.com/search?q=Rue+Louis+de+Romain+3+Angers", "https://www.google.com/search?q=Place+Pierre+Semard+19+Angers", "https://www.google.com/search?q=Rue+Auguste+Gautier+1+Angers", "https://www.google.com/search?q=Boulevard+Robert+20+Angers", "https://www.google.com/search?q=Rue+Plantagenet+50+Angers", "https://www.google.com/search?q=Avenue+Des+Droits+de+L'Homme+2+Angers", "https://www.google.com/search?q=Rue+Thiers+34+Angers", "https://www.google.com/search?q=Rue+de+La+Poissonnerie+1+Angers", "https://www.google.com/search?q=Place+Moliere+5+Angers", "https://www.google.com/search?q=Quai+Felix+Faure+71+Angers", "https://www.google.com/search?q=Blvd+Gaston+Ramon+16+Angers", "https://www.google.com/search?q=Rue+Larrey+1+Angers", "https://www.google.com/search?q=Rue+Du+Grand+Faubourg+17+Chartres", "https://www.google.com/search?q=Blvd+Louis+Le+Prince+Ringuet+3+5+Le+Mans", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+4+Cholet", "https://www.google.com/search?q=Rue+de+L'Ancien+Hopital+14+Cholet", "https://www.google.com/search?q=Route+D'epinard+97+Angers", "https://www.google.com/search?q=Rue+Notre+Dame+Du+Breuil+4+Albi", "https://www.google.com/search?q=Rue+Des+Artilleurs+87+Angers", "https://www.google.com/search?q=Rue+de+La+Sacristie+3+Montauban", "https://www.google.com/search?q=Place+de+La+Resistance+8+Albi", "https://www.google.com/search?q=Place+Prax+Paris+12+Montauban", "https://www.google.com/search?q=Avenue+Albert+Thomas+8+Albi", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+18+Montauban", "https://www.google.com/search?q=Boulevard+Gabriel+Peri+21+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Gaillard+18+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jacquemart+65+Romans+sur+Isere", "https://www.google.com/search?q=Place+Charles+de+Gaulle+11+Romans+sur+Isere", "https://www.google.com/search?q=Place+Perrot+de+Verdun+8+Romans+sur+Isere", "https://www.google.com/search?q=Place+21+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jean+Jaures+34+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jules+Nadi+15+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Des+Cloitriers+10+Romans+sur+Isere", "https://www.google.com/search?q=Place+Jean+Jaures+21+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+84+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+28+Romans+sur+Isere", "https://www.google.com/search?q=Rue+Saint+Nicolas+1+Romans+sur+Isere", "https://www.google.com/search?q=Avenue+Gambetta+62+Romans+sur+Isere", "https://www.google.com/search?q=Rue+de+L'Industrie+5+Melun", "https://www.google.com/search?q=Avenue+Jean+Moulin+1+La+Rochelle", "https://www.google.com/search?q=Place+Praslin+5+Melun", "https://www.google.com/search?q=Boulevard+Gambetta+11+Melun", "https://www.google.com/search?q=Boulevard+Victor+Hugo+13+Melun", "https://www.google.com/search?q=Allee+Du+Marche+2+Melun", "https://www.google.com/search?q=Rue+Saint+Barthelemy+2+Melun", "https://www.google.com/search?q=Passage+Lebarbier+2+Melun", "https://www.google.com/search?q=Chemin+Du+Grand+Came+7+Bassens", "https://www.google.com/search?q=Chemin+Du+Grand+Came+7+Lormont", "https://www.google.com/search?q=Rue+Victor+Hugo+15+Lormont", "https://www.google.com/search?q=Rue+Salvador+Allende+35+Floirac", "https://www.google.com/search?q=Rue+Du+Jura+1+La+Rochelle", "https://www.google.com/search?q=Quai+Du+Maroc+18+Bordeaux", "https://www.google.com/search?q=Rue+Gustave+Eiffel+11+Bordeaux", "https://www.google.com/search?q=Rue+Du+Jonc+2+Bordeaux", "https://www.google.com/search?q=Quai+Des+Chartrons+114+Bordeaux", "https://www.google.com/search?q=Allee+de+Boutaut+19+Le+Bouscat", "https://www.google.com/search?q=Rue+Letellier+13+Bordeaux", "https://www.google.com/search?q=Quai+Des+Chartrons+15+Bordeaux", "https://www.google.com/search?q=Quai+Du+Marechal+Lyautey+101+Bordeaux", "https://www.google.com/search?q=Rue+de+Saget+1+13+Bordeaux", "https://www.google.com/search?q=Quai+Des+Salinieres+12+Bordeaux", "https://www.google.com/search?q=Rue+Carle+Vernet+19+Bordeaux", "https://www.google.com/search?q=Rue+Saint+Vincent+de+Paul+28+Bordeaux", "https://www.google.com/search?q=Allee+de+Tourny+40+Bordeaux", "https://www.google.com/search?q=Rue+de+Saget+59+Bordeaux", "https://www.google.com/search?q=Place+Camille+Jullian+2+Bordeaux", "https://www.google.com/search?q=Rue+D'Armagnac+1+Bordeaux", "https://www.google.com/search?q=Place+Des+Grands+Hommes+3+Bordeaux", "https://www.google.com/search?q=Place+Andre+Meunier+Dit+Mureine+3+Bordeaux", "https://www.google.com/search?q=Rue+Croix+Seguey+10+Bordeaux", "https://www.google.com/search?q=Boulevard+Jean+Jaures+116+evry", "https://www.google.com/search?q=Place+de+La+Ferme+Richemont+26+Bordeaux", "https://www.google.com/search?q=Place+Des+Capucins+14+Bordeaux", "https://www.google.com/search?q=Rue+de+La+Vieille+Tour+1+Bordeaux", "https://www.google.com/search?q=Place+Pey+Berland+18+Bordeaux", "https://www.google.com/search?q=Avenue+Du+President+Robert+Schuman+30+Le+Bouscat", "https://www.google.com/search?q=Avenue+Strathkelvin+4+Corbeil+Essonnes", "https://www.google.com/search?q=Rue+elie+Gintrac+1+Bordeaux", "https://www.google.com/search?q=Rue+Edmond+Michelet+40+Bordeaux", "https://www.google.com/search?q=Rue+Pere+Dieuzaide+10+Bordeaux", "https://www.google.com/search?q=Desserte+Des+Passages+27+evry", "https://www.google.com/search?q=a+Rue+Robert+Lateulade+5+Bordeaux", "https://www.google.com/search?q=Cours+Marechal+Juin+45+Bordeaux", "https://www.google.com/search?q=Cours+Blaise+Pascal+16+evry", "https://www.google.com/search?q=Avenue+Lenine+455+Begles", "https://www.google.com/search?q=Rue+General+de+Larminat+44+Bordeaux", "https://www.google.com/search?q=Rue+General+de+Larminat+48+Bordeaux", "https://www.google.com/search?q=Rue+de+Canolle+30+Bordeaux", "https://www.google.com/search?q=Blvd+Victor+Hugo+13+Troyes", "https://www.google.com/search?q=Blvd+Du+56+Troyes", "https://www.google.com/search?q=Rue+Du+Ravelin+1+Troyes", "https://www.google.com/search?q=Rue+Jaillant+Deschainets+1+Troyes", "https://www.google.com/search?q=Blvd+Du+7+Troyes", "https://www.google.com/search?q=Rue+de+Jargondis+1+Troyes", "https://www.google.com/search?q=Rue+General+de+Gaulle+47+51+Troyes", "https://www.google.com/search?q=Place+de+La+Liberation+4+Troyes", "https://www.google.com/search?q=Rue+Louis+Mony+12+Troyes", "https://www.google.com/search?q=Avenue+de+L'Universite+8+Talence", "https://www.google.com/search?q=Rue+Marcelin+Berthelot+5+Merignac", "https://www.google.com/search?q=Rue+Alphonse+Daudet+108+Merignac", "https://www.google.com/search?q=Place+Charles+de+Gaulle+15+Merignac", "https://www.google.com/search?q=Avenue+Du+45+Montelimar", "https://www.google.com/search?q=D+258+Merignac", "https://www.google.com/search?q=Parking+Souterrain+Theatre+10+Montelimar", "https://www.google.com/search?q=Chabaud+1+10+Montelimar", "https://www.google.com/search?q=Rue+Du+Rivage+3+La+Flotte", "https://www.google.com/search?q=Rue+Des+Poilus+14+Pessac", "https://www.google.com/search?q=Rue+Des+Bergeries+9+Combs+la+Ville", "https://www.google.com/search?q=Avenue+Henri+Vizioz+4+Pessac", "https://www.google.com/search?q=Avenue+Des+Champs+Lasniers+43101+Les+Ulis", "https://www.google.com/search?q=Avenue+Bougnard+33+Pessac", "https://www.google.com/search?q=Rue+Des+Bergeres+1+Les+Ulis", "https://www.google.com/search?q=Avenue+de+Champagne+15+Les+Ulis", "https://www.google.com/search?q=Rue+Camille+Flammarion+11+Merignac", "https://www.google.com/search?q=Rue+Verrier+3+Orsay", "https://www.google.com/search?q=Boulevard+Dubreuil+29+Orsay", "https://www.google.com/search?q=Rue+Notre+Dame+de+Lorette+9+Pessac", "https://www.google.com/search?q=Place+de+Belgique+7+Ales", "https://www.google.com/search?q=Place+Des+Martyrs+de+La+Resistance+14+Ales", "https://www.google.com/search?q=Boulevard+Vauban+1+Ales", "https://www.google.com/search?q=Place+de+L'Hotel+de+Ville+1+Ales", "https://www.google.com/search?q=Rue+Denis+Papin+1+3+Chilly+Mazarin", "https://www.google.com/search?q=Place+Pierre+Semard+48+Ales", "https://www.google.com/search?q=Place+Saint+Jean+16+Ales", "https://www.google.com/search?q=Rue+Edgard+Quinet+23+Ales", "https://www.google.com/search?q=Place+G+Peri+8+Ales", "https://www.google.com/search?q=bis+Avenue+Carnot+45+Ales", "https://www.google.com/search?q=Avenue+Du+President+Wilson+29+Palaiseau", "https://www.google.com/search?q=Place+Pierre+Semart+16+Massy", "https://www.google.com/search?q=Rue+Victor+Baloche+30+Wissous", "https://www.google.com/search?q=Avenue+Carnot+38+Massy", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+1+CEDEX+Massy", "https://www.google.com/search?q=Avenue+S+473+Paray+Vieille+Poste", "https://www.google.com/search?q=Avenue+Du+Noyer+Lambert+6+Massy", "https://www.google.com/search?q=Place+Antoine+de+Saint+Exupery+1+Massy", "https://www.google.com/search?q=Rue+Des+Olympiades+1+Massy", "https://www.google.com/search?q=Voie+Des+Groux+54+Wissous", "https://www.google.com/search?q=Rue+de+La+Resistance+3+Thiais", "https://www.google.com/search?q=Boulevard+de+La+Gare+11+Boissy+Saint+Leger", "https://www.google.com/search?q=Rue+Du+Kefir+9+Orly", "https://www.google.com/search?q=Avenue+de+La+Division+Leclerc+301+Chatenay+Malabry", "https://www.google.com/search?q=Quai+Fernand+Dupuy+32+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Anatole+France+8+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Jean+Jaures+12+Choisy+le+Roi", "https://www.google.com/search?q=Avenue+Jean+Jaures+5+Choisy+le+Roi", "https://www.google.com/search?q=Rue+Jean+Longuet+62+Chatenay+Malabry", "https://www.google.com/search?q=Allee+Des+Carrieres+23+Creteil", "https://www.google.com/search?q=Rue+Sejourne+4+Creteil", "https://www.google.com/search?q=Rue+Dominique+Duvauchelle+2+Creteil", "https://www.google.com/search?q=Rue+D'Artimon+48+Valenton", "https://www.google.com/search?q=Avenue+Magellan+22+Creteil", "https://www.google.com/search?q=Avenue+Du+Nouveau+Monde+21+Creteil", "https://www.google.com/search?q=Impasse+Des+Cascades+3+Creteil", "https://www.google.com/search?q=Rue+de+Saussure+10+Creteil", "https://www.google.com/search?q=Avenue+de+La+Liberation+2+Le+Plessis+Robinson", "https://www.google.com/search?q=Avenue+Magellan+107+Creteil", "https://www.google.com/search?q=Avenue+Du+General+Pierre+Billotte+98+Creteil", "https://www.google.com/search?q=Rue+Marco+Polo+1+Sucy+en+Brie", "https://www.google.com/search?q=Rue+Benjamin+Moloise+27+Creteil", "https://www.google.com/search?q=Avenue+de+Camberwell+12+Sceaux", "https://www.google.com/search?q=Avenue+de+La+Gare+2+Sceaux", "https://www.google.com/search?q=Rue+Lionel+Terray+2+Creteil", "https://www.google.com/search?q=Grand'place+20+Le+Plessis+Robinson", "https://www.google.com/search?q=Boulevard+Du+Marechal+Joffre+66+Bourg+la+Reine", "https://www.google.com/search?q=Rue+Emmanuel+Chabrier+13+Creteil", "https://www.google.com/search?q=Passage+Des+Coudriers+13+Creteil", "https://www.google.com/search?q=Rue+Du+Champ+D'Avoine+13+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Fulgence+Bienvenue+3+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Rosa+Bonheur+6+Creteil", "https://www.google.com/search?q=Rue+Jean+Gabin+8+Creteil", "https://www.google.com/search?q=Rue+Du+Dr+Metivet+5+Creteil", "https://www.google.com/search?q=Rue+Henri+Doucet+20+Creteil", "https://www.google.com/search?q=Avenue+Des+Pres+7+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Du+Ctre+21+Montigny+le+Bretonneux", "https://www.google.com/search?q=Av+Du+Passage+Du+Lac+2+Montigny+le+Bretonneux", "https://www.google.com/search?q=Rue+Gaston+Cantini+58+Villejuif", "https://www.google.com/search?q=Rue+Joel+Le+Theule+1+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Gustave+Eiffel+5+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+Des+Pres+4+Montigny+le+Bretonneux", "https://www.google.com/search?q=Avenue+de+La+Breche+20+Creteil", "https://www.google.com/search?q=Rue+Nicolas+Poussin+1+Creteil", "https://www.google.com/search?q=Route+de+Choisy+181+Creteil", "https://www.google.com/search?q=Boulevard+Maxime+Gorki+172+Villejuif", "https://www.google.com/search?q=Rue+Juliette+Savar+52+Creteil", "https://www.google.com/search?q=Avenue+Courtois+2+Creteil", "https://www.google.com/search?q=Rue+Marc+Seguin+9+Maisons+Alfort", "https://www.google.com/search?q=Avenue+de+Lunca+4+Montigny+le+Bretonneux", "https://www.google.com/search?q=Impasse+Pasteur+Vallery+Radot+13+Creteil", "https://www.google.com/search?q=Impasse+Pasteur+Vallery+Radot+5+Creteil", "https://www.google.com/search?q=Rue+Pasteur+Vallery+Radot+9+Creteil", "https://www.google.com/search?q=T+Rue+Des+Mathurins+1+Bagneux", "https://www.google.com/search?q=Rue+Montebello+10+Vitry+sur+Seine", "https://www.google.com/search?q=Rue+Denfert+Rochereau+10+Creteil", "https://www.google.com/search?q=Rue+Lucien+Brunet+75+Pontault+Combault", "https://www.google.com/search?q=Rue+de+La+Mairie+3+Bagneux", "https://www.google.com/search?q=Rue+Moliere+1+Creteil", "https://www.google.com/search?q=T+Avenue+Albert+Petit+37+Bagneux", "https://www.google.com/search?q=Rue+Charles+Michels+11+Bagneux", "https://www.google.com/search?q=Rue+Andre+Charles+Boulle+4+Creteil", "https://www.google.com/search?q=Rue+Arthur+Petit+18+Viroflay", "https://www.google.com/search?q=Rue+de+Paris+9+Creteil", "https://www.google.com/search?q=D+2+4+Versailles", "https://www.google.com/search?q=Rue+Gustave+Eiffel+38+Creteil", "https://www.google.com/search?q=Rue+Jean+Pierre+Timbaud+1+Chatillon", "https://www.google.com/search?q=Boulevard+Des+Jeux+Olympiques+S+5+Versailles", "https://www.google.com/search?q=Avenue+Du+General+Leclerc+74+Viroflay", "https://www.google.com/search?q=Rue+Pierre+Brossolette+8+Viroflay", "https://www.google.com/search?q=Avenue+de+Saint+Cloud+33+Versailles", "https://www.google.com/search?q=Avenue+De+Saint+Cloud+35+Versailles", "https://www.google.com/search?q=Avenue+de+La+Republique+19+Maisons+Alfort", "https://www.google.com/search?q=Rue+de+L'eglise+7+Meudon", "https://www.google.com/search?q=Rue+de+La+Paroisse+68+Versailles", "https://www.google.com/search?q=Rue+Terre+Neuve+3+Meudon", "https://www.google.com/search?q=Rue+Banes+22+Meudon", "https://www.google.com/search?q=Boulevard+de+La+Reine+81+97+Versailles", "https://www.google.com/search?q=Avenue+de+Paris+170+Chatillon", "https://www.google.com/search?q=Avenue+Aristide+Briand+23+Arcueil", "https://www.google.com/search?q=Avenue+de+La+Republique+160+Montrouge", "https://www.google.com/search?q=Avenue+Roger+Salengro+952+Chaville", "https://www.google.com/search?q=Rue+Marat+11+Ivry+sur+Seine", "https://www.google.com/search?q=Avenue+de+La+Republique+139+Pontault+Combault", "https://www.google.com/search?q=Place+Jules+Ferry+20+Montrouge", "https://www.google.com/search?q=Ave+de+La+Marne+86+Montrouge", "https://www.google.com/search?q=Place+de+La+Gare+1+Clamart", "https://www.google.com/search?q=Avenue+Jacques+Heuclin+11+13+Pontault+Combault", "https://www.google.com/search?q=Avenue+de+La+Republique+128+Pontault+Combault", "https://www.google.com/search?q=Rue+Maurice+Arnoux+109+Montrouge", "https://www.google.com/search?q=Rue+Des+Galons+16+Meudon", "https://www.google.com/search?q=Rue+Guy+Moquet+88+Malakoff", "https://www.google.com/search?q=Avenue+Henri+Ginoux+93+Montrouge", "https://www.google.com/search?q=Avenue+Verdier+19+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Republique+79+87+Pontault+Combault", "https://www.google.com/search?q=Avenue+Verdier+29+Montrouge", "https://www.google.com/search?q=Avenue+Raspail+21+Gentilly", "https://www.google.com/search?q=Rue+Victor+Hugo+9+11+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Republique+63+Montrouge", "https://www.google.com/search?q=Avenue+Aristide+Briand+70+74+Montrouge", "https://www.google.com/search?q=Rue+Albert+Guilpin+13+Gentilly", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+26+Maisons+Alfort", "https://www.google.com/search?q=Rue+Robespierre+2+Pontault+Combault", "https://www.google.com/search?q=Avenue+Pierre+de+Coubertin+17+Paris", "https://www.google.com/search?q=Rue+Gabriel+Peri+6+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+10+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+33+Montrouge", "https://www.google.com/search?q=Rue+Gabriel+Peri+38+Montrouge", "https://www.google.com/search?q=Avenue+de+La+Gare+7+Pontault+Combault", "https://www.google.com/search?q=Place+Montgolfier+2+Saint+Maurice", "https://www.google.com/search?q=Place+Aristide+Briand+2+Meudon", "https://www.google.com/search?q=Avenue+Du+Duc+de+Dantzig+3+Pontault+Combault", "https://www.google.com/search?q=Rue+Thomire+10+Paris", "https://www.google.com/search?q=Place+Auribault+2+Pontault+Combault", "https://www.google.com/search?q=Rue+Du+Dr+Lombard+3+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Marcel+Allegot+17+Meudon", "https://www.google.com/search?q=Rue+Jacques+Cabourg+2+Vanves", "https://www.google.com/search?q=Place+Gabriel+Peri+8+Sevres", "https://www.google.com/search?q=Rue+de+La+Legion+etrangere+1+Paris", "https://www.google.com/search?q=Rue+Henri+Savignac+4+Meudon", "https://www.google.com/search?q=Rue+Antoine+Fratacci+23+Vanves", "https://www.google.com/search?q=Rue+Henri+Savignac+2+Meudon", "https://www.google.com/search?q=Rue+de+La+Mairie+12+Charenton+le+Pont", "https://www.google.com/search?q=Rue+Mary+Besseyre+42+44+Vanves", "https://www.google.com/search?q=Rue+Gabriel+Crie+40+Malakoff", "https://www.google.com/search?q=++6+Malakoff", "https://www.google.com/search?q=Boulevard+Massena+108+Paris", "https://www.google.com/search?q=Avenue+de+L'Europe+9+Sevres", "https://www.google.com/search?q=Rue+Lecointre+4+Sevres", "https://www.google.com/search?q=Avenue+Du+Marechal+de+Lattre+de+Tassigny+13+Charenton+le+Pont", "https://www.google.com/search?q=Boulevard+Charles+de+Gaulle+47+Malakoff", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Chatillon+21+Paris", "https://www.google.com/search?q=Rue+Du+Cadran+12+Charenton+le+Pont", "https://www.google.com/search?q=Avenue+Jean+Jaures+11+Issy+les+Moulineaux", "https://www.google.com/search?q=Quai+Georges+Gorse+38+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+General+Leclerc+60+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Du+Puits+Dixme+15+Paris", "https://www.google.com/search?q=Cours+de+L'Ancienne+Boulangerie+3+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Friant+36+38+Paris", "https://www.google.com/search?q=Avenue+D'Ivry+48+Paris", "https://www.google.com/search?q=Grande+Rue+35+Sevres", "https://www.google.com/search?q=Cours+de+L'ile+Seguin+55+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Vaudetard+19+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Bruneseau+7+Ivry+sur+Seine", "https://www.google.com/search?q=Rue+Du+Chateau+Des+Rentiers+50+Paris", "https://www.google.com/search?q=Rue+Aumont+3+Paris", "https://www.google.com/search?q=Rue+Du+Moulin+Des+Pres+62+Paris", "https://www.google.com/search?q=Rue+Wurtz+10+Paris", "https://www.google.com/search?q=Rue+de+Saint+Cloud+2+Sevres", "https://www.google.com/search?q=Rue+de+Paris+139+145+Charenton+le+Pont", "https://www.google.com/search?q=Rue+de+La+Sante+100+Paris", "https://www.google.com/search?q=Blvd+Lefebvre+159+Paris", "https://www.google.com/search?q=Rue+Rouget+de+Lisle+7+Issy+les+Moulineaux", "https://www.google.com/search?q=Avenue+Du+Maine+204+Paris", "https://www.google.com/search?q=Rue+Yves+Kermen+1103+Boulogne+Billancourt", "https://www.google.com/search?q=Route+de+Gressey+5066+Houdan", "https://www.google.com/search?q=Rue+Helene+Brion+36+Paris", "https://www.google.com/search?q=Avenue+D'Italie+30+Paris", "https://www.google.com/search?q=Rue+Camille+Desmoulins+56+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+Raymond+Losserand+185+Paris", "https://www.google.com/search?q=Rue+de+Versailles+177+Le+Chesnay", "https://www.google.com/search?q=Rue+Heyrault+12+14+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+de+Sevres+82+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+Vieux+Pont+de+Sevres+150+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Thomas+Mann+31+Paris", "https://www.google.com/search?q=Boulevard+Auguste+Blanqui+149+Paris", "https://www.google.com/search?q=Rue+Abel+Hovelacque+34+Paris", "https://www.google.com/search?q=Rue+Les+Enfants+Du+Paradis+130+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Louis+Armand+4+6+Vanves", "https://www.google.com/search?q=Boulevard+Vincent+Auriol+187+Le+Kremlin+Bicetre", "https://www.google.com/search?q=Boulevard+Saint+Jacques+2+Gentilly", "https://www.google.com/search?q=Terrasse+de+Champagne+28+Paris", "https://www.google.com/search?q=Rue+de+Vaugirard+372+Paris", "https://www.google.com/search?q=Boulevard+Victor+39+Paris", "https://www.google.com/search?q=Rue+de+Saint+Cloud+16+Sevres", "https://www.google.com/search?q=Rue+Emile+Durkheim+19+21+Paris", "https://www.google.com/search?q=Rue+de+Libourne+10+Paris", "https://www.google.com/search?q=Avenue+Du+Stade+de+Coubertin+2+Boulogne+Billancourt", "https://www.google.com/search?q=Boulevard+Saint+Jacques+83+Paris", "https://www.google.com/search?q=Rue+Didot+2+Paris", "https://www.google.com/search?q=Avenue+Andre+Morizet+25+Boulogne+Billancourt", "https://www.google.com/search?q=Blvd+Poniatowski+57+Charenton+le+Pont", "https://www.google.com/search?q=Quai+de+Bercy+210+Paris", "https://www.google.com/search?q=Rue+Du+Banquier+25+Paris", "https://www.google.com/search?q=Rue+de+Vaugirard+371+Paris", "https://www.google.com/search?q=Blvd+de+L'Hopital+114+Le+Kremlin+Bicetre", "https://www.google.com/search?q=Rue+Abel+Gance+21+Paris", "https://www.google.com/search?q=Rue+de+La+Belle+Feuille+20+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Le+Corbusier+9+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+Du+Chateau+61+Paris", "https://www.google.com/search?q=Boulevard+de+La+Guyane+20+Saint+Mande", "https://www.google.com/search?q=Rue+Leblanc+37+Paris", "https://www.google.com/search?q=Rue+Du+Commandant+Rene+Mouchotte+36+Paris", "https://www.google.com/search?q=Rue+Du+Cotentin+9+Paris", "https://www.google.com/search?q=Avenue+Du+Palais+3+Saint+Cloud", "https://www.google.com/search?q=Rue+Du+Commandant+Rene+Mouchotte+15+Paris", "https://www.google.com/search?q=Avenue+de+Versailles+188+Paris", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Saint+Cloud+2+Paris", "https://www.google.com/search?q=Rue+de+Bercy+65+Paris", "https://www.google.com/search?q=Boulevard+de+Bercy+48+Paris", "https://www.google.com/search?q=Rue+Falguiere+81+Paris", "https://www.google.com/search?q=Rue+Du+General+Beuret+31+Paris", "https://www.google.com/search?q=Avenue+Du+Palais+2+Saint+Cloud", "https://www.google.com/search?q=Rue+Claude+Decaen+86+Paris", "https://www.google.com/search?q=Rue+de+L'Essai+6+Paris", "https://www.google.com/search?q=Avenue+Du+Maine+50+Paris", "https://www.google.com/search?q=Blvd+Pasteur+69+Paris", "https://www.google.com/search?q=Quai+D'Austerlitz+29+Paris", "https://www.google.com/search?q=Rue+Poliveau+39+Paris", "https://www.google.com/search?q=Rue+Daubenton+35+Paris", "https://www.google.com/search?q=Rue+de+La+Convention+98+Paris", "https://www.google.com/search?q=Avenue+Du+Maine+30+Paris", "https://www.google.com/search?q=Rue+Lecourbe+143+Paris", "https://www.google.com/search?q=Rue+Geoffroy+Saint+Hilaire+25+Paris", "https://www.google.com/search?q=Boulevard+de+Bercy+38+Paris", "https://www.google.com/search?q=Boulevard+Du+Montparnasse+120+Paris", "https://www.google.com/search?q=Blvd+Pasteur+40+Montrouge", "https://www.google.com/search?q=Rue+Elisa+Lemonnier+9+Paris", "https://www.google.com/search?q=Rue+Boileau+59+Paris", "https://www.google.com/search?q=Rue+Gay+Lussac+45+Paris", "https://www.google.com/search?q=Rue+Guynemer+1+3+Saint+Mande", "https://www.google.com/search?q=Cour+de+L'Arrivee+9328+Paris", "https://www.google.com/search?q=Rue+Du+Depart+10+Paris", "https://www.google.com/search?q=Rue+Dailly+42+Saint+Cloud", "https://www.google.com/search?q=Rue+Gracieuse+17+Paris", "https://www.google.com/search?q=Rue+de+La+Liberation+16+Saint+Cloud", "https://www.google.com/search?q=Avenue+de+Lautrec+51+Castres", "https://www.google.com/search?q=Rue+Nungesser+Et+Coli+13+Paris", "https://www.google.com/search?q=Quai+Du+President+Carnot+23+Saint+Cloud", "https://www.google.com/search?q=Rue+Francois+Bonvin+28+Paris", "https://www.google.com/search?q=Rue+de+Bercy+193+Paris", "https://www.google.com/search?q=Rue+Du+Montparnasse+21+Paris", "https://www.google.com/search?q=Rue+Auguste+Comte+9+Paris", "https://www.google.com/search?q=Rue+Mirabeau+49+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+de+Rambouillet+5+Paris", "https://www.google.com/search?q=Rue+Wilhem+15+Issy+les+Moulineaux", "https://www.google.com/search?q=Rue+de+Bercy+191+Paris", "https://www.google.com/search?q=Villa+Croix+Nivert+26+Vanves", "https://www.google.com/search?q=Rue+de+Rennes+155+Paris", "https://www.google.com/search?q=Avenue+Du+General+Sarrail+1+3+Paris", "https://www.google.com/search?q=Rue+Du+Parchamp+7+Boulogne+Billancourt", "https://www.google.com/search?q=Rue+de+Bercy+205+Paris", "https://www.google.com/search?q=Rue+de+Rambouillet+6+Paris", "https://www.google.com/search?q=Boulevard+Georges+Clemenceau+10+Castres", "https://www.google.com/search?q=Rue+de+Bercy+198+Paris", "https://www.google.com/search?q=Rue+Du+Theatre+104+Paris", "https://www.google.com/search?q=Place+Charles+Digeon+5+Saint+Mande", "https://www.google.com/search?q=Rue+Traversiere+10+Paris", "https://www.google.com/search?q=Blvd+Garibaldi+37+Paris", "https://www.google.com/search?q=Rue+de+Chalon+26+Paris", "https://www.google.com/search?q=Blvd+Garibaldi+8+Paris", "https://www.google.com/search?q=Place+Du+Pantheon+11+Paris", "https://www.google.com/search?q=Rue+de+L'Ingenieur+Robert+Keller+27+Paris", "https://www.google.com/search?q=Avenue+de+Saxe+54+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+94+Le+Perreux+sur+Marne", "https://www.google.com/search?q=Rue+Erard+14+Paris", "https://www.google.com/search?q=B+Avenue+Theophile+Gautier+57+Paris", "https://www.google.com/search?q=Avenue+de+Saint+Mande+26+Paris", "https://www.google.com/search?q=Place+Du+Pantheon+10+Paris", "https://www.google.com/search?q=Rue+Erard+26+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+109+Le+Perreux+sur+Marne", "https://www.google.com/search?q=Rue+Soufflot+22+Paris", "https://www.google.com/search?q=Rue+D'Arras+12+Paris", "https://www.google.com/search?q=Boulevard+Des+Lices+21+Castres", "https://www.google.com/search?q=Boulevard+de+Grenelle+139+Paris", "https://www.google.com/search?q=Rue+de+Reuilly+34+Paris", "https://www.google.com/search?q=Quai+Andre+Citroen+5+Paris", "https://www.google.com/search?q=Ruelle+Fraisier+1+Paris", "https://www.google.com/search?q=Quai+Tourcaudiere+14+Castres", "https://www.google.com/search?q=Boulevard+de+Picpus+96+Paris", "https://www.google.com/search?q=Rue+Saint+Placide+33+Paris", "https://www.google.com/search?q=Rue+D'Idalie+2+Vincennes", "https://www.google.com/search?q=Quai+de+Grenelle+69+Paris", "https://www.google.com/search?q=Rue+de+Reuilly+33+Paris", "https://www.google.com/search?q=Allee+Georges+Brassens+5+Noisy+le+Grand", "https://www.google.com/search?q=Blvd+Saint+Germain+37+Paris", "https://www.google.com/search?q=Rue+de+Lyon+34+Ivry+sur+Seine", "https://www.google.com/search?q=Boulevard+de+La+Bastille+53+Paris", "https://www.google.com/search?q=Rue+Du+Midi+1+Vincennes", "https://www.google.com/search?q=Boulevard+Du+Mont+D'Est+8+Noisy+le+Grand", "https://www.google.com/search?q=Avenue+Du+President+Kennedy+1+Paris", "https://www.google.com/search?q=Rue+Agrippa+D'Aubigne+5+Paris", "https://www.google.com/search?q=Boulevard+Raymond+Vittoz+23+Castres", "https://www.google.com/search?q=Rue+Lagrange+15+Paris", "https://www.google.com/search?q=Rue+de+L'ecole+de+Medecine+21+Paris", "https://www.google.com/search?q=Place+Saint+Sulpice+8+Montrouge", "https://www.google.com/search?q=Avenue+Emile+Acollas+7+Paris", "https://www.google.com/search?q=Rue+de+Boulainvilliers+15+Paris", "https://www.google.com/search?q=Place+Alsace+Lorraine+9+Castres", "https://www.google.com/search?q=Rue+Velpeau+1+Paris", "https://www.google.com/search?q=Rue+de+Fontenay+168+Vincennes", "https://www.google.com/search?q=Rue+Christian+D'Espic+2+Castres", "https://www.google.com/search?q=Blvd+de+Grenelle+31+Paris", "https://www.google.com/search?q=Avenue+de+Vorges+1+Vincennes", "https://www.google.com/search?q=Rue+Lobineau+1+Paris", "https://www.google.com/search?q=Bis+Avenue+Ledru+Rollin+82+Paris", "https://www.google.com/search?q=Rue+Armand+Carrel+2+Montreuil", "https://www.google.com/search?q=Rue+Du+Commandant+Mowat+16+Vincennes", "https://www.google.com/search?q=Rue+Clement+10+Paris", "https://www.google.com/search?q=Blvd+de+Grenelle+19+Paris", "https://www.google.com/search?q=Boulevard+Raspail+28+Paris", "https://www.google.com/search?q=Avenue+Mozart+56+67+Paris", "https://www.google.com/search?q=Boulevard+de+Grenelle+11+Paris", "https://www.google.com/search?q=Chemin+Des+Porches+54+Castres", "https://www.google.com/search?q=Rue+Francisque+Gay+25+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Saint+Antoine+45+Paris", "https://www.google.com/search?q=Place+Joffre+2+Paris", "https://www.google.com/search?q=Rue+Des+Hauts+Chateaux+1+Noisy+le+Grand", "https://www.google.com/search?q=Boulevard+Saint+Germain+171+Paris", "https://www.google.com/search?q=Parvis+Notre+Dame++Pl+Jean+Paul+II+1+Gentilly", "https://www.google.com/search?q=Rue+Saint+Antoine+16+Paris", "https://www.google.com/search?q=Chemin+de+Fitelle+3+Castres", "https://www.google.com/search?q=Rue+de+La+Republique+67+79+Montreuil", "https://www.google.com/search?q=Rue+Mazarine+29+Paris", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+48+Paris", "https://www.google.com/search?q=Avenue+Ledru+Rollin+121+Paris", "https://www.google.com/search?q=Avenue+de+Suffren+18+Paris", "https://www.google.com/search?q=Rue+de+La+Republique+16+Montreuil", "https://www.google.com/search?q=Boulevard+Du+Palais+1+Paris", "https://www.google.com/search?q=Quai+Des+Orfevres+34+36+Paris", "https://www.google.com/search?q=Rue+Jean+Bologne+13+Paris", "https://www.google.com/search?q=Boulevard+Pierre+Mendes+France+5+Bussy+Saint+Georges", "https://www.google.com/search?q=Rue+Du+Bac+41+Paris", "https://www.google.com/search?q=Rue+de+Lobau+4+Paris", "https://www.google.com/search?q=Rue+Richard+Lenoir+4+Montreuil", "https://www.google.com/search?q=Rue+Raynouard+9+Paris", "https://www.google.com/search?q=Rue+de+La+Tacherie+2+Paris", "https://www.google.com/search?q=Rue+de+Rivoli+25+Paris", "https://www.google.com/search?q=Rue+de+Passy+23+Paris", "https://www.google.com/search?q=Rue+de+Passy+78+80+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Du+Professeur+Andre+Lemierre+10+Montreuil", "https://www.google.com/search?q=Avenue+Emile+Cossonneau+12+Noisy+le+Grand", "https://www.google.com/search?q=Rue+Casimir+Perier+13+Paris", "https://www.google.com/search?q=Rue+Saint+Dominique+133+Paris", "https://www.google.com/search?q=Rue+Beethoven+13+Paris", "https://www.google.com/search?q=Rue+Du+Lt+Colonel+de+Montbrison+123+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Du+Val+D'Or+1893+Suresnes", "https://www.google.com/search?q=Rue+Douy+Delcupe+18+Montreuil", "https://www.google.com/search?q=Rue+Du+Clos+4+Paris", "https://www.google.com/search?q=Rue+Froment+12+Paris", "https://www.google.com/search?q=Rue+Edouard+Vaillant+23+Montreuil", "https://www.google.com/search?q=Rue+Pernelle+5+Paris", "https://www.google.com/search?q=Rue+de+Constantine+23+Paris", "https://www.google.com/search?q=Rue+Barbette+7+Paris", "https://www.google.com/search?q=Boulevard+Gallieni+20+Neuilly+Plaisance", "https://www.google.com/search?q=Place+Du+Louvre+1+Paris", "https://www.google.com/search?q=Rue+Boucher+2+Paris", "https://www.google.com/search?q=Avenue+Du+General+Lemonnier+1+Saint+Ouen", "https://www.google.com/search?q=Rue+Des+Halles+22+Paris", "https://www.google.com/search?q=Rue+Servan+19+Paris", "https://www.google.com/search?q=Quai+Branly+25+Levallois+Perret", "https://www.google.com/search?q=Avenue+Du+General+Lemonnier+1+Paris", "https://www.google.com/search?q=Rue+Edgar+Quinet+28+Neuilly+Plaisance", "https://www.google.com/search?q=Rue+Bailleul+13+Paris", "https://www.google.com/search?q=Boulevard+de+Sebastopol+43+Paris", "https://www.google.com/search?q=Boulevard+Emile+Augier+50+Paris", "https://www.google.com/search?q=Rue+Rambuteau+41+47+Paris", "https://www.google.com/search?q=Quai+D'Orsay+87+Paris", "https://www.google.com/search?q=Rue+de+Bagnolet+109+Paris", "https://www.google.com/search?q=Rue+Jules+Lamant+Et+Ses+Fils+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Quai+D'Orsay+71+Paris", "https://www.google.com/search?q=Quai+D'Orsay+43+Paris", "https://www.google.com/search?q=Rue+de+Marengo+1+Paris", "https://www.google.com/search?q=Rue+Beaubourg+31+Paris", "https://www.google.com/search?q=Avenue+Georges+Mandel+2+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Parmentier+3+Montreuil", "https://www.google.com/search?q=Avenue+Henri+Martin+84+Paris", "https://www.google.com/search?q=Avenue+Du+President+Wilson+16+Paris", "https://www.google.com/search?q=Avenue+Georges+Mandel+69+Paris", "https://www.google.com/search?q=Avenue+Henri+Martin+95+Paris", "https://www.google.com/search?q=Rue+Croix+Des+Petits+Champs+14+Paris", "https://www.google.com/search?q=Rue+de+Bretagne+14+Paris", "https://www.google.com/search?q=Avenue+Gallieni+108+Bagnolet", "https://www.google.com/search?q=Avenue+Jean+Jaures+32+Suresnes", "https://www.google.com/search?q=Boulevard+Flandrin+2+Paris", "https://www.google.com/search?q=Rue+de+Turbigo+5+Paris", "https://www.google.com/search?q=Hotel+de+Ville+48+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+Du+President+Wilson+38+Paris", "https://www.google.com/search?q=Rue+Du+Temple+132+Paris", "https://www.google.com/search?q=Cours+Albert+45+Paris", "https://www.google.com/search?q=Place+Francois+Mitterrand+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+George+V+19+Paris", "https://www.google.com/search?q=Rue+Franklin+5+Montreuil", "https://www.google.com/search?q=Rue+Pasteur+17+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+Des+Pyramides+15+Paris", "https://www.google.com/search?q=Rue+Saint+Denis+149+Paris", "https://www.google.com/search?q=Rue+Ternaux+11+Paris", "https://www.google.com/search?q=Avenue+Kleber+65+67+Paris", "https://www.google.com/search?q=Rue+Saint+Didier+35+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Robespierre+45+Bagnolet", "https://www.google.com/search?q=Rue+Saint+Martin+254+Paris", "https://www.google.com/search?q=Rue+Du+Mont+Thabor+38+Paris", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+45+Bagnolet", "https://www.google.com/search?q=Avenue+Raymond+Poincare+55+57+Paris", "https://www.google.com/search?q=Rue+Dussoubs+30+Paris", "https://www.google.com/search?q=Place+de+La+Concorde+3608+Paris", "https://www.google.com/search?q=Rue+Francois+24+Paris", "https://www.google.com/search?q=Avenue+Victor+Hugo+120+Paris", "https://www.google.com/search?q=Place+Du+Marche+Saint+Honore+39+Paris", "https://www.google.com/search?q=Rue+Dussoubs+40+Paris", "https://www.google.com/search?q=bis+Rue+Des+7+Paris", "https://www.google.com/search?q=Rue+Etienne+Dolet+20+Suresnes", "https://www.google.com/search?q=Rue+Marbeuf+17+19+Paris", "https://www.google.com/search?q=Place+Vendome+28+Paris", "https://www.google.com/search?q=Boulevard+Henri+Barbusse+6+Montreuil", "https://www.google.com/search?q=Rue+de+Malte+50+Paris", "https://www.google.com/search?q=Rue+Jean+Jaures+18+Bagnolet", "https://www.google.com/search?q=Rue+Jules+Ferry+33+Suresnes", "https://www.google.com/search?q=Avenue+Victor+Hugo+100+Paris", "https://www.google.com/search?q=Rue+Desbassayns+de+Richemont+9+Suresnes", "https://www.google.com/search?q=Rue+Merlin+de+Thionville+39+Suresnes", "https://www.google.com/search?q=Place+Henri+IV+13+Suresnes", "https://www.google.com/search?q=Avenue+Matignon+3+Levallois+Perret", "https://www.google.com/search?q=Rue+Sainte+Apolline+21+Paris", "https://www.google.com/search?q=Rue+Rene+Boulanger+60+Paris", "https://www.google.com/search?q=Rue+Rene+Boulanger+1+Paris", "https://www.google.com/search?q=Blvd+de+Belleville+20+Paris", "https://www.google.com/search?q=++45+Paris", "https://www.google.com/search?q=Rue+Pierre+Charron+65+Paris", "https://www.google.com/search?q=Place+de+La+Bourse+12+Paris", "https://www.google.com/search?q=Rue+Du+Colisee+10+Paris", "https://www.google.com/search?q=Rue+La+Boetie+130+Paris", "https://www.google.com/search?q=Rue+Des+Romarins+33+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+de+Ponthieu+25+Paris", "https://www.google.com/search?q=Rue+Paul+Et+Camille+Thomoux+88+Neuilly+sur+Marne", "https://www.google.com/search?q=Rue+La+Boetie+128+Paris", "https://www.google.com/search?q=Rue+Marceau+3+Bagnolet", "https://www.google.com/search?q=Rue+de+Caumartin+9+Paris", "https://www.google.com/search?q=Place+de+La+Madeleine+31+Paris", "https://www.google.com/search?q=Avenue+Franklin+Roosevelt+32+Suresnes", "https://www.google.com/search?q=Rue+Charles+Graindorge+1+Bagnolet", "https://www.google.com/search?q=Avenue+Marceau+77+Paris", "https://www.google.com/search?q=Rue+D'Hauteville+10+Paris", "https://www.google.com/search?q=Rue+de+La+Chaussee+D'Antin+3+Paris", "https://www.google.com/search?q=Rue+de+Caumartin+23+Saint+Ouen", "https://www.google.com/search?q=Rue+de+Ponthieu+60+Paris", "https://www.google.com/search?q=Rue+Galilee+64+Paris", "https://www.google.com/search?q=Rue+de+Berri+5+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Poissonniere+5+7+Paris", "https://www.google.com/search?q=Rue+Des+Bons+Raisins+20+Rueil+Malmaison", "https://www.google.com/search?q=Place+de+La+Madeleine+25+Paris", "https://www.google.com/search?q=Boulevard+Malesherbes+37+Paris", "https://www.google.com/search?q=Rue+Massena+6+Rueil+Malmaison", "https://www.google.com/search?q=Boulevard+Haussmann+16+Paris", "https://www.google.com/search?q=Rue+Des+Mathurins+16+Paris", "https://www.google.com/search?q=Avenue+Foch+8+Paris", "https://www.google.com/search?q=Boulevard+Haussmann+48+Paris", "https://www.google.com/search?q=Rue+Saint+Fargeau+27+Paris", "https://www.google.com/search?q=Rue+Charles+Floquet+5+Rueil+Malmaison", "https://www.google.com/search?q=Avenue+de+Friedland+31+Paris", "https://www.google.com/search?q=Rue+Chauchat+12+14+Paris", "https://www.google.com/search?q=Rue+de+Provence+98+Paris", "https://www.google.com/search?q=Rue+Du+Telegraphe+12+16+Paris", "https://www.google.com/search?q=Rue+Du+Chateau+14+Rueil+Malmaison", "https://www.google.com/search?q=Ave+Claude+Vellefaux+1+Paris", "https://www.google.com/search?q=Avenue+Jean+Jaures+220+Neuilly+sur+Marne", "https://www.google.com/search?q=Passage+Des+Recollets+20+Paris", "https://www.google.com/search?q=Boulevard+Haussmann+155+Paris", "https://www.google.com/search?q=Passage+Des+Recollets+3+Paris", "https://www.google.com/search?q=Rue+Olivier+Metra+35+49+Paris", "https://www.google.com/search?q=Rue+Du+Faubourg+Poissonniere+54+Paris", "https://www.google.com/search?q=Rue+Des+Haies+2+Neuilly+sur+Marne", "https://www.google.com/search?q=Avenue+Carnot+20+Paris", "https://www.google.com/search?q=Avenue+Gambetta+211+Paris", "https://www.google.com/search?q=Rue+Saint+Lazare+109+Paris", "https://www.google.com/search?q=Rue+de+Laborde+15+Paris", "https://www.google.com/search?q=Bis+Avenue+de+Wagram+22+Paris", "https://www.google.com/search?q=Place+de+Bagatelle+1+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Hoche+18+Paris", "https://www.google.com/search?q=Allee+Des+Sports+6+Puteaux", "https://www.google.com/search?q=Avenue+Mac+Mahon+17+Paris", "https://www.google.com/search?q=Square+Alban+Satragne+11+Paris", "https://www.google.com/search?q=Rue+de+Rome+20+Paris", "https://www.google.com/search?q=Rue+Gambetta+75+Suresnes", "https://www.google.com/search?q=Rue+de+L'etoile+6+10+Paris", "https://www.google.com/search?q=Boulevard+Du+Marechal+Foch+17+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Du+4+Saint+Ouen", "https://www.google.com/search?q=Rue+Du+Faubourg+Saint+Martin+156+Paris", "https://www.google.com/search?q=Boulevard+de+Strasbourg+350+Paris", "https://www.google.com/search?q=Rue+Mayran+3+Paris", "https://www.google.com/search?q=Rue+de+Londres+29+Paris", "https://www.google.com/search?q=Avenue+Paul+Doumer+133+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Mayran+5+Paris", "https://www.google.com/search?q=Boulevard+Du+Marechal+Foch+13+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Compans+8+Paris", "https://www.google.com/search?q=Rue+Brunel+27+Paris", "https://www.google.com/search?q=Place+de+La+Porte+Maillot+16+Paris", "https://www.google.com/search?q=Rue+de+Bellefond+10+Paris", "https://www.google.com/search?q=Rue+Des+Petits+Hotels+31+Paris", "https://www.google.com/search?q=Boulevard+Pereire+271+Paris", "https://www.google.com/search?q=Avenue+Des+Ternes+38+Paris", "https://www.google.com/search?q=Rue+Jean+Baptiste+Pigalle+10+12+Paris", "https://www.google.com/search?q=Boulevard+Du+Gue+2+Rueil+Malmaison", "https://www.google.com/search?q=Rue+D'Abbeville+5+Paris", "https://www.google.com/search?q=Avenue+de+La+Republique+15+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Mars+Et+Roty+8+Puteaux", "https://www.google.com/search?q=Rue+de+La+Charbonniere+77+Montevrain", "https://www.google.com/search?q=Rue+de+Sablonville+56+Neuilly+sur+Seine", "https://www.google.com/search?q=Rue+Waldeck+Rousseau+9+Paris", "https://www.google.com/search?q=Rue+Clauzel+20+Paris", "https://www.google.com/search?q=Place+Des+Arts+8+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Godefroy+4+Puteaux", "https://www.google.com/search?q=Rue+Des+Freres+Flavien+55+57+Paris", "https://www.google.com/search?q=Blvd+Pereire+209+Paris", "https://www.google.com/search?q=Rue+de+Compiegne+4+Paris", "https://www.google.com/search?q=Avenue+Secretan+76+Paris", "https://www.google.com/search?q=Rue+Eugene+Eichenberger+46+48+Puteaux", "https://www.google.com/search?q=Rue+Cartault+33+Puteaux", "https://www.google.com/search?q=Avenue+de+La+Porte+Des+Ternes+16+Paris", "https://www.google.com/search?q=Rue+Jouffroy+D'Abbans+103+Paris", "https://www.google.com/search?q=Avenue+de+Villiers+14+Paris", "https://www.google.com/search?q=Avenue+Du+Roule+43+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+de+La+Porte+Du+Pre+Saint+Gervais+10+Paris", "https://www.google.com/search?q=Boulevard+Des+Batignolles+43+Paris", "https://www.google.com/search?q=Rue+Anatole+France+18+Puteaux", "https://www.google.com/search?q=Place+D'Ariane+24+Chessy", "https://www.google.com/search?q=Rue+Mansart+7+9+Paris", "https://www.google.com/search?q=Bis+Rue+Ambroise+Pare+1+Paris", "https://www.google.com/search?q=Avenue+Charles+de+Gaulle+136+Neuilly+sur+Seine", "https://www.google.com/search?q=Boulevard+Gouvion+Saint+Cyr+26+Paris", "https://www.google.com/search?q=Boulevard+de+Rochechouart+41+Paris", "https://www.google.com/search?q=Rue+Lebouteux+13+Paris", "https://www.google.com/search?q=Avenue+Du+Roule+94+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+137+Puteaux", "https://www.google.com/search?q=Boulevard+de+L'Yser+10+Paris", "https://www.google.com/search?q=Avenue+Du+Marechal+de+Lattre+de+Tassigny+52+Chelles", "https://www.google.com/search?q=Boulevard+de+La+Chapelle+104+Paris", "https://www.google.com/search?q=++16+Paris", "https://www.google.com/search?q=Rue+Andre+Dubois+4+Paris", "https://www.google.com/search?q=Rue+Lavoisier+3+Puteaux", "https://www.google.com/search?q=Rue+de+Chartres+4+Paris", "https://www.google.com/search?q=Place+Maurice+Berteaux+19+Chatou", "https://www.google.com/search?q=Rue+Pierre+Picard+4+Paris", "https://www.google.com/search?q=Rue+Des+Fontaines+1+Puteaux", "https://www.google.com/search?q=Rue+Des+Islettes+12+Paris", "https://www.google.com/search?q=Rue+Du+Chemin+de+Fer+38+42+Gagny", "https://www.google.com/search?q=Rue+Jouffroy+D'Abbans+40+Paris", "https://www.google.com/search?q=Rue+Du+Chemin+de+Fer+66+Gagny", "https://www.google.com/search?q=Rue+Forest+11+Saint+Ouen", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+10+12+Paris", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+20+22+Paris", "https://www.google.com/search?q=Rue+Forest+12+Paris", "https://www.google.com/search?q=Rue+de+La+Goutte+D'Or+44+46+Paris", "https://www.google.com/search?q=Rue+Cardinet+116+Paris", "https://www.google.com/search?q=Rue+Nollet+29+Paris", "https://www.google.com/search?q=Rue+Des+Gardes+10+Paris", "https://www.google.com/search?q=Place+Maurice+Berteaux+25+Chatou", "https://www.google.com/search?q=Rue+de+Courcelles+210+Paris", "https://www.google.com/search?q=Rue+Louise+Michel+8+Levallois+Perret", "https://www.google.com/search?q=Boulevard+D'Inkermann+31+Neuilly+sur+Seine", "https://www.google.com/search?q=Avenue+Victor+Hugo+113+Rueil+Malmaison", "https://www.google.com/search?q=Rue+Paradis+47+Puteaux", "https://www.google.com/search?q=Rue+Michelet+8+Puteaux", "https://www.google.com/search?q=Rue+Lemercier+51+Paris", "https://www.google.com/search?q=Rue+Amedee+Bollee+7+Rueil+Malmaison", "https://www.google.com/search?q=Blvd+Berthier+122+Paris", "https://www.google.com/search?q=Route+De+La+Demi+Lune+31+Puteaux", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+19+Puteaux", "https://www.google.com/search?q=Rue+de+Chelles+21+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+de+La+Gare+1+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+de+Chelles+32+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+Jean+Jaures+8+Levallois+Perret", "https://www.google.com/search?q=Rue+Riquet+9+11+Paris", "https://www.google.com/search?q=Rue+Brochant+28+Paris", "https://www.google.com/search?q=Rue+Du+7+Chelles", "https://www.google.com/search?q=Rue+Du+General+Audran+16+Courbevoie", "https://www.google.com/search?q=Rue+Custine+48+50+Saint+Ouen", "https://www.google.com/search?q=Liaison+Mediane+3+Courbevoie", "https://www.google.com/search?q=Liaison+Mediane+1+Courbevoie", "https://www.google.com/search?q=B+Rue+Raffin+2+Gagny", "https://www.google.com/search?q=Rue+Cardinet+168+Paris", "https://www.google.com/search?q=Avenue+Henri+Barbusse+8+Vaires+sur+Marne", "https://www.google.com/search?q=Rue+Guy+de+Maupassant+7+Rueil+Malmaison", "https://www.google.com/search?q=++5+Paris", "https://www.google.com/search?q=Place+de+La+Defense+34+Courbevoie", "https://www.google.com/search?q=Rue+Voltaire+25+Levallois+Perret", "https://www.google.com/search?q=Avenue+Jean+Jaures+38+Gagny", "https://www.google.com/search?q=Rue+Parmentier+6+Gagny", "https://www.google.com/search?q=Avenue+Andre+Prothin+10+Courbevoie", "https://www.google.com/search?q=Avenue+Jean+Jaures+211+Paris", "https://www.google.com/search?q=Rue+Damremont+68+Paris", "https://www.google.com/search?q=Rue+Voltaire+40+Levallois+Perret", "https://www.google.com/search?q=Rue+de+Lorraine+8+Levallois+Perret", "https://www.google.com/search?q=Rue+D'Alsace+32+Levallois+Perret", "https://www.google.com/search?q=Rue+Des+Longues+Raies+16+Nanterre", "https://www.google.com/search?q=Rue+Marcadet+142+Paris", "https://www.google.com/search?q=B+Rue+Marcadet+169+Paris", "https://www.google.com/search?q=Avenue+de+Claye+9+Chelles", "https://www.google.com/search?q=Avenue+de+La+Republique+3+Gagny", "https://www.google.com/search?q=Rue+de+Bezons+11+Courbevoie", "https://www.google.com/search?q=Rue+Laugier+Villars+4+10+Gagny", "https://www.google.com/search?q=Bd+Serurier+185+Paris", "https://www.google.com/search?q=Avenue+de+La+Division+Leclerc+33+Courbevoie", "https://www.google.com/search?q=Avenue+Colbert+13+Chelles", "https://www.google.com/search?q=Rue+Damremont+73+Paris", "https://www.google.com/search?q=Rue+de+Lorraine+35+Levallois+Perret", "https://www.google.com/search?q=Square+Henri+Regnault+15+Courbevoie", "https://www.google.com/search?q=Rue+Auguste+Beau+4+Courbevoie", "https://www.google.com/search?q=Rue+Jacques+Mazaud+9+Levallois+Perret", "https://www.google.com/search?q=Rue+Antonin+Raynaud+2+Levallois+Perret", "https://www.google.com/search?q=Rue+Michel+Ange+16+Puteaux", "https://www.google.com/search?q=Rue+Championnet+201+Paris", "https://www.google.com/search?q=Rue+Du+President+Wilson+80+Levallois+Perret", "https://www.google.com/search?q=Rue+de+Clignancourt+120+Paris", "https://www.google.com/search?q=Avenue+de+Claye+30+Chelles", "https://www.google.com/search?q=Avenue+de+L'Arche+11+Courbevoie", "https://www.google.com/search?q=Rue+D'Aubervilliers+160+Paris", "https://www.google.com/search?q=Rue+Pierre+Brossolette+13+Levallois+Perret", "https://www.google.com/search?q=Rue+Du+Marche+9+Brou+sur+Chantereine", "https://www.google.com/search?q=Rue+Albert+Simonin+1+Courbevoie", "https://www.google.com/search?q=Rue+Pierre+Brossolette+21+Levallois+Perret", "https://www.google.com/search?q=Rue+Versigny+16+Paris", "https://www.google.com/search?q=Rue+de+L'Alma+12+Courbevoie", "https://www.google.com/search?q=Allee+Chatrian+6+Le+Raincy", "https://www.google.com/search?q=Rue+Danton+145+Levallois+Perret", "https://www.google.com/search?q=Avenue+Leonard+de+Vinci+14+Courbevoie", "https://www.google.com/search?q=Rue+de+Crimee+234+Aubervilliers", "https://www.google.com/search?q=Avenue+Leonard+de+Vinci+36+Courbevoie", "https://www.google.com/search?q=Rue+de+L'Aitre+13+Lagny+sur+Marne", "https://www.google.com/search?q=Avenue+Jean+Lolive+159+Pantin", "https://www.google.com/search?q=Rue+Des+Coches+11+15+Saint+Germain+en+Laye", "https://www.google.com/search?q=Boulevard+Du+Marechal+Gallieni+6+Lagny+sur+Marne", "https://www.google.com/search?q=Rue+Ernest+Cognacq+33+Levallois+Perret", "https://www.google.com/search?q=Rue+Carnot+3+Brou+sur+Chantereine", "https://www.google.com/search?q=Rue+Jules+Guesde+144+Levallois+Perret", "https://www.google.com/search?q=Place+Andre+Malraux+6+Saint+Germain+en+Laye", "https://www.google.com/search?q=Rue+Jean+Pierre+Timbaud+56+Courbevoie", "https://www.google.com/search?q=Rue+Andre+Citroen+29+Levallois+Perret", "https://www.google.com/search?q=Avenue+Georges+Pompidou+41+Levallois+Perret", "https://www.google.com/search?q=Rue+Armagis+20+Saint+Germain+en+Laye", "https://www.google.com/search?q=Blvd+de+La+Mission+Marchand+77+Courbevoie", "https://www.google.com/search?q=Bis+Rue+Gaultier+58+Courbevoie", "https://www.google.com/search?q=Rue+de+Pologne+63+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+Du+Marche+Neuf+1+Saint+Germain+en+Laye", "https://www.google.com/search?q=Avenue+de+La+Resistance+14+Le+Raincy", "https://www.google.com/search?q=Boulevard+de+Verdun+87+Courbevoie", "https://www.google.com/search?q=Boulevard+Macdonald+61+Paris", "https://www.google.com/search?q=Terrasse+Du+Parc+1+10+Paris", "https://www.google.com/search?q=Rue+Rene+Lallemant+32+Lagny+sur+Marne", "https://www.google.com/search?q=Place+de+La+Victoire+5+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+Des+Passagers+Du+Vent+1+Chessy", "https://www.google.com/search?q=Rue+Delambre+3+Lagny+sur+Marne", "https://www.google.com/search?q=Avenue+Jules+Ferry+95+Bondy", "https://www.google.com/search?q=Boulevard+Macdonald+153+Paris", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Clignancourt+30+Paris", "https://www.google.com/search?q=Avenue+Marceau+67+Courbevoie", "https://www.google.com/search?q=Avenue+de+La+Porte+de+Saint+Ouen+17+Paris", "https://www.google.com/search?q=Quai+Bizeau+4+Pomponne", "https://www.google.com/search?q=Rue+Chana+Orloff+12+14+Paris", "https://www.google.com/search?q=Boulevard+Saint+Denis+200+Courbevoie", "https://www.google.com/search?q=Rue+de+Marne+12+Pomponne", "https://www.google.com/search?q=Rue+Armand+Silvestre+88+Courbevoie", "https://www.google.com/search?q=Rue+Du+Dr+Babinski+19+29+Saint+Ouen", "https://www.google.com/search?q=Avenue+Du+Grand+Cerf+11+Chelles", "https://www.google.com/search?q=Avenue+Chabanneaux+1+Pomponne", "https://www.google.com/search?q=Boulevard+Jean+Jaures+80+Clichy", "https://www.google.com/search?q=Rue+Des+Rosiers+142+Saint+Ouen", "https://www.google.com/search?q=Rue+Emile+Zola+5+Courbevoie", "https://www.google.com/search?q=Boulevard+de+La+Paix+61+Courbevoie", "https://www.google.com/search?q=Rue+Adolphe+Lalyre+8+Courbevoie", "https://www.google.com/search?q=Rue+Des+Rosiers+110+Saint+Ouen", "https://www.google.com/search?q=Rue+de+Dampmart+4+Thorigny+sur+Marne", "https://www.google.com/search?q=Rue+Marie+Curie+7+Saint+Ouen", "https://www.google.com/search?q=Rue+Des+Champs+Philippe+37+La+Garenne+Colombes", "https://www.google.com/search?q=Place+Charles+de+Gaulle+23+Bondy", "https://www.google.com/search?q=Place+Du+4+Bondy", "https://www.google.com/search?q=Rue+Auguste+Polissard+30+Bondy", "https://www.google.com/search?q=Avenue+Youri+Gagarine+2+Bobigny", "https://www.google.com/search?q=Rue+Auguste+Mayet+2+Asnieres+sur+Seine", "https://www.google.com/search?q=Avenue+Gallieni+82+Bondy", "https://www.google.com/search?q=Avenue+Gallieni+116+Bondy", "https://www.google.com/search?q=Rue+Buffon+14+Colombes", "https://www.google.com/search?q=Rue+de+La+Concorde+11+Asnieres+sur+Seine", "https://www.google.com/search?q=Rue+Erik+Satie+7+Bobigny", "https://www.google.com/search?q=Rue+de+La+Concorde+25+29+Asnieres+sur+Seine", "https://www.google.com/search?q=Rue+Edouard+Poisson+31+Aubervilliers", "https://www.google.com/search?q=Rue+Du+Docteur+Bauer+4+Saint+Ouen", "https://www.google.com/search?q=Rue+Marguerite+Yourcenar+22+Bobigny", "https://www.google.com/search?q=Av+Des+Gresillons+29+Gennevilliers", "https://www.google.com/search?q=Avenue+Du+President+John+Fitzgerald+Kennedy+1+Saint+Germain+en+Laye", "https://www.google.com/search?q=Place+de+La+Gare+4+Mauves+sur+Loire", "https://www.google.com/search?q=Rue+Pasteur+5+Aubervilliers", "https://www.google.com/search?q=Rue+Des+Freres+Chausson+9+Asnieres+sur+Seine", "https://www.google.com/search?q=Place+Andre+Malraux+148+Houilles", "https://www.google.com/search?q=Rue+Robespierre+23+Houilles", "https://www.google.com/search?q=Rue+Du+Champ+Gaillard+10+Poissy", "https://www.google.com/search?q=Place+Du+3+Houilles", "https://www.google.com/search?q=Rue+Beaurepaire+19+Colombes", "https://www.google.com/search?q=Rue+de+La+Liberte+9+Colombes", "https://www.google.com/search?q=Rue+Du+Bournard+61+Colombes", "https://www.google.com/search?q=Rue+Gambetta+12+Houilles", "https://www.google.com/search?q=Rue+de+La+Marne+36+Houilles", "https://www.google.com/search?q=Place+Michelet+27+Houilles", "https://www.google.com/search?q=Avenue+D'Orgemont+3+Colombes", "https://www.google.com/search?q=Rue+Charles+Van+Wyngene+35+Courtry", "https://www.google.com/search?q=Rue+Des+Deportes+60+Colombes", "https://www.google.com/search?q=Place+de+La+Republique+17+Poissy", "https://www.google.com/search?q=Rue+de+La+Convention+75+La+Courneuve", "https://www.google.com/search?q=Allee+Du+Rosternel+7+Courtry", "https://www.google.com/search?q=Rue+de+La+Barbacane+7111+Saint+Denis", "https://www.google.com/search?q=Chemin+Du+Bois+Rigaud+6+Vertou", "https://www.google.com/search?q=Rue+Jean+Claude+Mary+23+Poissy", "https://www.google.com/search?q=Impasse+de+La+Gare+3+Vertou", "https://www.google.com/search?q=Boulevard+Marcel+Sembat+94+Saint+Denis", "https://www.google.com/search?q=Rue+Du+Bac+6+Poissy", "https://www.google.com/search?q=Rue+Des+Ponts+11+Thouare+sur+Loire", "https://www.google.com/search?q=Boulevard+Du+General+Gallieni+2+Aulnay+sous+Bois", "https://www.google.com/search?q=Boulevard+Du+General+Gallieni+11+Aulnay+sous+Bois", "https://www.google.com/search?q=Avenue+Jean+Jaures+82+Sartrouville", "https://www.google.com/search?q=Rue+Des+Chaumettes+6+Saint+Denis", "https://www.google.com/search?q=Rue+Edouard+Vaillant+15+Saint+Denis", "https://www.google.com/search?q=Avenue+Romain+Rolland+6+Le+Blanc+Mesnil", "https://www.google.com/search?q=Avenue+Pierre+Et+Marie+Curie+16+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Jean+Marcenac+1+Saint+Denis", "https://www.google.com/search?q=Rue+Ernest+Bray+8+Argenteuil", "https://www.google.com/search?q=Rue+Leo+Delibes+35+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Meyerbeer+24+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+de+La+Liberte+22+Argenteuil", "https://www.google.com/search?q=Rue+Claude+Debussy+6+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+Claude+Debussy+5+Le+Blanc+Mesnil", "https://www.google.com/search?q=Place+Gabriel+Peri+1+Le+Blanc+Mesnil", "https://www.google.com/search?q=Rue+de+Beaulieu+111+Thouare+sur+Loire", "https://www.google.com/search?q=Rue+Lecocq+9+Le+Blanc+Mesnil", "https://www.google.com/search?q=Boulevard+Karl+Marx+16+Argenteuil", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+50+Argenteuil", "https://www.google.com/search?q=Rue+D'Acheres+5+Maisons+Laffitte", "https://www.google.com/search?q=Rue+de+Paris+41+Maisons+Laffitte", "https://www.google.com/search?q=Boulevard+Leon+Feix+14+Argenteuil", "https://www.google.com/search?q=Rue+de+L'Ouche+Quinet+77+79+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+Toussaint+Louverture+3+Saint+Denis", "https://www.google.com/search?q=Villa+Charles+10+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Berionne+12+Argenteuil", "https://www.google.com/search?q=Rue+de+La+Berionne+5+Argenteuil", "https://www.google.com/search?q=Rue+De+La+Grand+Maison+1+Vertou", "https://www.google.com/search?q=Avenue+de+Lattre+de+Tassigny+5+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Planchonnais+16+Sainte+Luce+sur+Loire", "https://www.google.com/search?q=Rue+Des+ecobuts+2+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+de+La+Haye+2+Dugny", "https://www.google.com/search?q=Avenue+Nelson+Mandela+30+Tremblay+en+France", "https://www.google.com/search?q=Rue+Deschamps+Guerin+12+Acheres", "https://www.google.com/search?q=Rue+Des+Bourdonnieres+95+Nantes", "https://www.google.com/search?q=Rue+de+Saint+Gratien+105+epinay+sur+Seine", "https://www.google.com/search?q=Rue+de+La+Loire+13+Saint+Sebastien+sur+Loire", "https://www.google.com/search?q=Rue+Du+Marechal+Juin+6+Saint+Gratien", "https://www.google.com/search?q=Route+de+Sainte+Luce+361+Nantes", "https://www.google.com/search?q=Rue+de+Paris+37+Pierrefitte+sur+Seine", "https://www.google.com/search?q=Rue+Talma+4+Enghien+les+Bains", "https://www.google.com/search?q=Blvd+Voltaire+2+Chaumont", "https://www.google.com/search?q=Place+de+Verdun+13+Enghien+les+Bains", "https://www.google.com/search?q=Rue+de+Malleville+18+Enghien+les+Bains", "https://www.google.com/search?q=Avenue+de+Ceinture+16+Enghien+les+Bains", "https://www.google.com/search?q=Allee+Edouard+Branly+1+Acheres", "https://www.google.com/search?q=Place+Du+Marechal+Foch+3+Enghien+les+Bains", "https://www.google.com/search?q=Route+de+Saint+Sebastien+50+56+Nantes", "https://www.google.com/search?q=Rue+de+La+Liberation+16+Enghien+les+Bains", "https://www.google.com/search?q=Avenue+Charles+de+Gaulle+133+Montmorency", "https://www.google.com/search?q=Cote+Saint+Sebastien+17+Nantes", "https://www.google.com/search?q=Route+de+Franois+9+Besancon", "https://www.google.com/search?q=Rue+Gabriel+Goudy+11+Nantes", "https://www.google.com/search?q=Rue+Esnoul+Des+Chatelets+13+Nantes", "https://www.google.com/search?q=Rue+Rene+Viviani+3+Nantes", "https://www.google.com/search?q=Rue+Raoul+Dautry+1+Ermont", "https://www.google.com/search?q=Avenue+Des+Nations+93+Villepinte", "https://www.google.com/search?q=Avenue+de+La+Liberation+25+Reze", "https://www.google.com/search?q=Rue+Eric+Tabarly+4+Reze", "https://www.google.com/search?q=Rue+Marcel+Paul+3+Nantes", "https://www.google.com/search?q=Rue+Andre+Malraux+29+Reze", "https://www.google.com/search?q=Rue+Marcel+Paul+1+Nantes", "https://www.google.com/search?q=Rue+de+La+Porte+Gellee+15+Nantes", "https://www.google.com/search?q=D+451+Messy", "https://www.google.com/search?q=Rue+Rene+Pion+1+Triel+sur+Seine", "https://www.google.com/search?q=Rue+Du+Dr+Sobaux+45+Triel+sur+Seine", "https://www.google.com/search?q=Quai+de+Malakoff+43+Nantes", "https://www.google.com/search?q=Rue+Du+Pont+5+Triel+sur+Seine", "https://www.google.com/search?q=Rue+Du+Ranzay+1+Nantes", "https://www.google.com/search?q=Rue+Paul+Doumer+194+Triel+sur+Seine", "https://www.google.com/search?q=Rue+de+Lourmel+32+Nantes", "https://www.google.com/search?q=Rue+Cadot+1+Triel+sur+Seine", "https://www.google.com/search?q=Boulevard+Alexandre+Fleming+1+Besancon", "https://www.google.com/search?q=Quai+de+Malakoff+2+Nantes", "https://www.google.com/search?q=Rue+de+Jemmapes+10+Nantes", "https://www.google.com/search?q=Rue+Du+Ranzay+14+Nantes", "https://www.google.com/search?q=Rue+Du+Luxembourg+9+Besancon", "https://www.google.com/search?q=Rue+Henri+IV+714+Nantes", "https://www.google.com/search?q=La+Baconniere+12+Nantes", "https://www.google.com/search?q=Allee+Baco+17+Nantes", "https://www.google.com/search?q=Rue+Colette+12+Nantes", "https://www.google.com/search?q=Chaussee+de+La+Madeleine+11+Nantes", "https://www.google.com/search?q=Rue+Cornillon+36+Meaux", "https://www.google.com/search?q=Route+de+Saint+Joseph+251+Nantes", "https://www.google.com/search?q=Route+de+Gachet+45+Nantes", "https://www.google.com/search?q=Rue+Tournefort+7+Nantes", "https://www.google.com/search?q=Rue+Printaniere+114+Les+Sables+d'Olonne", "https://www.google.com/search?q=Boulevard+Salvador+Allende+4+Besancon", "https://www.google.com/search?q=Quai+de+Tourville+7+Nantes", "https://www.google.com/search?q=Rue+Du+Moulin+18+Nantes", "https://www.google.com/search?q=Rue+Aristide+Briand+52+Meaux", "https://www.google.com/search?q=Rue+Charles+Burger+2+Franconville", "https://www.google.com/search?q=Allee+de+L'ile+Gloriette+7+Nantes", "https://www.google.com/search?q=Rue+Albert+de+Mun+9+Nantes", "https://www.google.com/search?q=Rue+Arthur+III+10+Nantes", "https://www.google.com/search?q=Rue+Du+Tan+33+Meaux", "https://www.google.com/search?q=Cours+de+Verdun+16+Meaux", "https://www.google.com/search?q=Rue+de+La+Sablonniere+4+Meaux", "https://www.google.com/search?q=Route+de+Houdan+121+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Le+Notre+4+Nantes", "https://www.google.com/search?q=Cours+Dupont+26+Les+Sables+d'Olonne", "https://www.google.com/search?q=Rue+Alexandre+Deneufchatel+1+Maurecourt", "https://www.google.com/search?q=Rue+de+La+Belle+Borne+3296+Tremblay+en+France", "https://www.google.com/search?q=Place+de+Bretagne+2+Nantes", "https://www.google.com/search?q=Rue+de+L'Heronniere+15+Nantes", "https://www.google.com/search?q=Rue+Paul+Bellamy+25+Nantes", "https://www.google.com/search?q=Rue+Ampere+11+Mantes+la+Ville", "https://www.google.com/search?q=Boulevard+Armand+Leprince+1+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+Louis+Preaubert+1+Nantes", "https://www.google.com/search?q=Rue+Montebello+22+Les+Sables+d'Olonne", "https://www.google.com/search?q=Rue+Charles+Lehmann+1+Maurecourt", "https://www.google.com/search?q=Place+Paul+Doumer+7+Meaux", "https://www.google.com/search?q=Route+de+Houdan+61+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Lucien+Hamel+2+Maurecourt", "https://www.google.com/search?q=Place+Paul+Doumer+3+Meaux", "https://www.google.com/search?q=Rue+Maurice+Berteaux+17+Maurecourt", "https://www.google.com/search?q=Rue+Jean+Laugere+24+Arnouville", "https://www.google.com/search?q=Place+Aristide+Briand+6+Nantes", "https://www.google.com/search?q=Rue+Eugene+Berrurier+11+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+Du+Marechal+Leclerc+7+Les+Sables+d'Olonne", "https://www.google.com/search?q=Quai+de+La+Fosse+84+Nantes", "https://www.google.com/search?q=Rue+Edouard+Branly+8+Mitry+Mory", "https://www.google.com/search?q=Quai+Robert+Surcouf+7+Reze", "https://www.google.com/search?q=Chemin+de+La+Ville+de+Paris+9+Maurecourt", "https://www.google.com/search?q=Rue+Des+5+Roissy+en+France", "https://www.google.com/search?q=Rue+Frederic+Mistral+3+Mantes+la+Ville", "https://www.google.com/search?q=Rue+Frederic+Mistral+1+Mantes+la+Ville", "https://www.google.com/search?q=Chemin+de+La+Ville+de+Paris+2+Maurecourt", "https://www.google.com/search?q=Rue+Charles+Lindbergh+8+Bouguenais", "https://www.google.com/search?q=Rue+Ordronneau+15+Reze", "https://www.google.com/search?q=Rue+Clement+Ader+3+Bouguenais", "https://www.google.com/search?q=Rue+Recteur+Schmitt+25+Nantes", "https://www.google.com/search?q=Rue+Recteur+Schmitt+24+Nantes", "https://www.google.com/search?q=Boulevard+Franklin+Roosevelt+18+Les+Sables+d'Olonne", "https://www.google.com/search?q=Place+de+La+Liberte+10+12+Conflans+Sainte+Honorine", "https://www.google.com/search?q=Rue+de+Paris+21+Vaud'herland", "https://www.google.com/search?q=D+1+Roissy+en+France", "https://www.google.com/search?q=Chemin+de+L'Hautil+2+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+Des+Essarts+43+Les+Auxons", "https://www.google.com/search?q=Rue+de+Lorraine+31+Mantes+la+Jolie", "https://www.google.com/search?q=Place+de+La+Republique+11+Mantes+la+Jolie", "https://www.google.com/search?q=Rue+Jean+Jaouen+10+Mantes+la+Ville", "https://www.google.com/search?q=B+Avenue+de+La+Republique+4+Mantes+la+Jolie", "https://www.google.com/search?q=Rue+de+Baviere+15+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Cour+Du+Murier+1+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+Du+Palais+de+Justice+24+Mantes+la+Jolie", "https://www.google.com/search?q=Allee+Du+Verger+5+Roissy+en+France", "https://www.google.com/search?q=Rue+de+La+Gare+de+Chantenay+1+Nantes", "https://www.google.com/search?q=Rue+de+La+Gare+de+Chantenay+6+Nantes", "https://www.google.com/search?q=Boulevard+D'ecancourt+56+Jouy+le+Moutier", "https://www.google.com/search?q=Boulevard+D'ecancourt+48+Jouy+le+Moutier", "https://www.google.com/search?q=Boulevard+Carnot+3+Meulan+en+Yvelines", "https://www.google.com/search?q=Rue+Charles+Gounod+10+Jouy+le+Moutier", "https://www.google.com/search?q=Avenue+de+La+Gare+2+Hardricourt", "https://www.google.com/search?q=Place+de+Londres+3+Tremblay+en+France", "https://www.google.com/search?q=Avenue+Camille+Saint+Saens+2+Jouy+le+Moutier", "https://www.google.com/search?q=Allee+Du+Parc+3+Jouy+le+Moutier", "https://www.google.com/search?q=Place+de+Londres+3+Le+Mesnil+Amelot", "https://www.google.com/search?q=Rue+Joseph+Cornudet+81+Neuville+sur+Oise", "https://www.google.com/search?q=Chemin+Des+Montboucons+11+Besancon", "https://www.google.com/search?q=Rue+Rossini+1+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+D'Eragny+153+Neuville+sur+Oise", "https://www.google.com/search?q=Rue+Des+Postes+5720+Roissy+en+France", "https://www.google.com/search?q=Rue+Joseph+Cornudet+7+Neuville+sur+Oise", "https://www.google.com/search?q=Avenue+Du+Manoir+5+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Rue+de+L'Erdre+6+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Avenue+de+La+Gare+12+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Place+de+Londres+3+Mitry+Mory", "https://www.google.com/search?q=Rue+de+La+Fontaine+Benite+18+Jouy+le+Moutier", "https://www.google.com/search?q=La+Challe+Orange+1+eragny", "https://www.google.com/search?q=Chemin+Des+Simmonieres+5+La+Chapelle+sur+Erdre", "https://www.google.com/search?q=Grande+Rue+29+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+de+La+Fontaine+Benite+9+Jouy+le+Moutier", "https://www.google.com/search?q=Rue+de+Rome+8+Tremblay+en+France", "https://www.google.com/search?q=Rue+Salvador+Allende+1+eragny", "https://www.google.com/search?q=Grande+Rue+38+Jouy+le+Moutier", "https://www.google.com/search?q=Avenue+Louise+Michel+3+Besancon", "https://www.google.com/search?q=Rue+de+La+Gare+26+eragny", "https://www.google.com/search?q=Route+Des+Badauds+5321+Mauregard", "https://www.google.com/search?q=Rue+Des+Acacias+6197+Le+Mesnil+Amelot", "https://www.google.com/search?q=Route+de+Vannes+144+Nantes", "https://www.google.com/search?q=Boulevard+Rene+Cassin+6+Nantes", "https://www.google.com/search?q=Bd+Charles+de+Gaulle+2+Besancon", "https://www.google.com/search?q=Rue+Marulaz+67+Besancon", "https://www.google.com/search?q=Avenue+Louise+Michel+7+Vaureal", "https://www.google.com/search?q=Rue+de+L'Orme+de+Chamars+1+Besancon", "https://www.google.com/search?q=Rue+Claude+Pouillet+25+Besancon", "https://www.google.com/search?q=Rue+de+L'Oree+Du+Bois+4+Vaureal", "https://www.google.com/search?q=Route+de+Vannes+201+Saint+Herblain", "https://www.google.com/search?q=Rue+Des+Glacis+9+Besancon", "https://www.google.com/search?q=Rue+de+Vesoul+2+Besancon", "https://www.google.com/search?q=Rue+Des+etangs+28+Cergy", "https://www.google.com/search?q=Rue+Du+Wattman+4+Orvault", "https://www.google.com/search?q=Rue+de+La+Viotte+4+Besancon", "https://www.google.com/search?q=Avenue+Elisee+Cusenier+12+Besancon", "https://www.google.com/search?q=Chemin+Des+Eguerets+5+Cergy", "https://www.google.com/search?q=Rue+Isenbart+24+Besancon", "https://www.google.com/search?q=Rue+Du+Chemin+de+Nantouillet+1+Juilly", "https://www.google.com/search?q=Rue+Des+Verts+Pres+54+Orvault", "https://www.google.com/search?q=Rue+Rivotte+23+Besancon", "https://www.google.com/search?q=Place+Montesquieu+4+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+Pierrelaye+7+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Avenue+de+La+Morliere+93+Orvault", "https://www.google.com/search?q=Avenue+de+La+Morliere+3725+Orvault", "https://www.google.com/search?q=Rue+de+Neuville+1+Cergy", "https://www.google.com/search?q=Avenue+Louis+Lecoin+2+Vaureal", "https://www.google.com/search?q=Avenue+Federico+Garcia+Lorca+6+Vaureal", "https://www.google.com/search?q=Rue+Beauregard+4+Besancon", "https://www.google.com/search?q=Avenue+Martin+Luther+King+84+Vaureal", "https://www.google.com/search?q=Rue+de+L'Ancienne+Mairie+15+Vaureal", "https://www.google.com/search?q=Rue+de+L'Ancienne+Mairie+8+Vaureal", "https://www.google.com/search?q=Rue+Des+Italiens+2+Cergy", "https://www.google.com/search?q=Avenue+Des+3+Cergy", "https://www.google.com/search?q=Avenue+Des+9+Cergy", "https://www.google.com/search?q=Boulevard+Ducher+2+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Ducher+12+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Marcel+Paul+75+Saint+Herblain", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+9+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+Maurice+Dampierre+6+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+L'Oise+6+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Boulevard+Du+Zenith+3+Saint+Herblain", "https://www.google.com/search?q=Rue+Pierre+Godet+3+5+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+7+Saint+Ouen+l'Aumone", "https://www.google.com/search?q=D+12+18+Pontoise", "https://www.google.com/search?q=Rue+Virginia+Woolf+7+Saint+Herblain", "https://www.google.com/search?q=Avenue+Du+Hazay+62+Cergy", "https://www.google.com/search?q=Allee+Des+Petits+Pains+13+Cergy", "https://www.google.com/search?q=Les+Hauts+de+Marcouville+27+Pontoise", "https://www.google.com/search?q=Avenue+Des+Genottes+17+Cergy", "https://www.google.com/search?q=Avenue+de+La+Constellation+7+Cergy", "https://www.google.com/search?q=Chemin+Du+Fort+Benoit+5+Besancon", "https://www.google.com/search?q=Boulevard+Des+Merveilles+3+Cergy", "https://www.google.com/search?q=Boulevard+Des+Merveilles+1+Cergy", "https://www.google.com/search?q=Rue+de+Gisors+8+Pontoise", "https://www.google.com/search?q=Boulevard+de+L'evasion+59+Cergy", "https://www.google.com/search?q=Rue+Des+Brumes+Lactees+3+Cergy", "https://www.google.com/search?q=Avenue+Des+Beguines+49+Cergy", "https://www.google.com/search?q=Cours+Des+Merveilles+62+Cergy", "https://www.google.com/search?q=Rue+de+Malbosc+1680+Montpellier", "https://www.google.com/search?q=Impasse+de+La+Gare+119+Saint+Herblain", "https://www.google.com/search?q=D+118+Vemars", "https://www.google.com/search?q=Square+de+La+Couronne+2+Nimes", "https://www.google.com/search?q=Rue+Des+30+Longperrier", "https://www.google.com/search?q=D+92+Osny", "https://www.google.com/search?q=Boulevard+de+La+Gare+13+Dammartin+en+Goele", "https://www.google.com/search?q=Route+de+Ganges+750+Montpellier", "https://www.google.com/search?q=Rue+de+La+Sucrerie+35+Villeron", "https://www.google.com/search?q=Rue+Jehenne+14+Arcachon", "https://www.google.com/search?q=Route+de+Lodeve+1020+Montpellier", "https://www.google.com/search?q=Chemin+Mas+de+Vignolles+826+Nimes", "https://www.google.com/search?q=Rue+Des+Pres+Boucher+16+Dammartin+en+Goele", "https://www.google.com/search?q=Route+de+La+Pompignane+100+Castelnau+le+Lez", "https://www.google.com/search?q=Rue+de+La+Cavalerie+26+28+Montpellier", "https://www.google.com/search?q=Rue+Doria+2+Montpellier", "https://www.google.com/search?q=Rue+Paladilhe+4+Montpellier", "https://www.google.com/search?q=Rue+Gouan+2+Montpellier", "https://www.google.com/search?q=Rue+Clapies+7+Montpellier", "https://www.google.com/search?q=Rue+Foch+6+Montpellier", "https://www.google.com/search?q=Rue+de+L'Arquebuse+13+Montpellier", "https://www.google.com/search?q=Cours+Gambetta+68+Montpellier", "https://www.google.com/search?q=Rue+Foch+25+Montpellier", "https://www.google.com/search?q=Boulevard+Sarrail+104+Montpellier", "https://www.google.com/search?q=Rue+Charles+Amans+2+Montpellier", "https://www.google.com/search?q=Rue+Boussairolles+2+6+Montpellier", "https://www.google.com/search?q=Place+Alexandre+Laissac+10+Montpellier", "https://www.google.com/search?q=Cours+Gambetta+2+Montpellier", "https://www.google.com/search?q=Boulevard+D'Antigone+393+Montpellier", "https://www.google.com/search?q=Rue+Des+Pertuisanes+1+Montpellier", "https://www.google.com/search?q=Rue+Du+Grand+Saint+Jean+26+Montpellier", "https://www.google.com/search?q=Rue+de+La+Gare+3+Coueron", "https://www.google.com/search?q=Rue+Poseidon+18+Montpellier", "https://www.google.com/search?q=Rue+Des+Deux+Ponts+27+33+Montpellier", "https://www.google.com/search?q=Avenue+de+Maurin+20+22+Montpellier", "https://www.google.com/search?q=Rue+Du+Chelia+1+10+Montpellier", "https://www.google.com/search?q=Rue+Georges+Melies+1016+Montpellier", "https://www.google.com/search?q=D+65+Montpellier", "https://www.google.com/search?q=Avenue+de+Palavas+123+Montpellier", "https://www.google.com/search?q=Les+Dardalounes+7889+Saint+Gilles", "https://www.google.com/search?q=D+66+Mauguio", "https://www.google.com/search?q=D+172+Mauguio", "https://www.google.com/search?q=Route+Du+Confluent+45+Avignon", "https://www.google.com/search?q=Rue+Porte+Olivier+17+Beziers", "https://www.google.com/search?q=Prom+Du+Canal+2+Carcassonne", "https://www.google.com/search?q=Rue+Jean+Jaures+2+Sete", "https://www.google.com/search?q=Route+de+Montreal+9002Q+Carcassonne", "https://www.google.com/search?q=Quai+General+Durand+3+Sete", "https://www.google.com/search?q=D+37+Portiragnes", "https://www.google.com/search?q=Avenue+Guillaume+Farel+1+Gap", "https://www.google.com/search?q=Cours+Emile+Fabre+1+Gap", "https://www.google.com/search?q=Cours+Victor+Hugo+1+Gap", "https://www.google.com/search?q=Place+Bonthoux+5+Gap", "https://www.google.com/search?q=Rue+Du+Pre+de+Foire+6+Gap", "https://www.google.com/search?q=Rue+Pasteur+34+Gap", "https://www.google.com/search?q=Rue+Maurice+Garnier+2+Gap", "https://www.google.com/search?q=Place+Du+Revelly+5+Gap", "https://www.google.com/search?q=Place+Georges+de+Manteyer+6+Gap", "https://www.google.com/search?q=B+Rue+Carnot+5+Gap", "https://www.google.com/search?q=Rue+de+L'Odeon+9+Gap", "https://www.google.com/search?q=Boulevard+Georges+Pompidou+46+Gap", "https://www.google.com/search?q=Place+de+La+Gare+6+Oissel", "https://www.google.com/search?q=Rue+Du+Maine+52+Saint+Nazaire", "https://www.google.com/search?q=Rue+Gambetta+85+Beauvais", "https://www.google.com/search?q=Rue+Philippe+Lebon+2+26+Saint+Nazaire", "https://www.google.com/search?q=Passage+Des+Halles+2+4+Saint+Nazaire", "https://www.google.com/search?q=Place+Des+6+Saint+Nazaire", "https://www.google.com/search?q=Rue+de+Bouvines+13+Compiegne", "https://www.google.com/search?q=Rue+Solferino+36+Compiegne", "https://www.google.com/search?q=Quai+de+Venette+4+Compiegne", "https://www.google.com/search?q=Rue+Saint+Simon+3+Compiegne", "https://www.google.com/search?q=N+1+Compiegne", "https://www.google.com/search?q=Avenue+Henri+Freville+105+Rennes", "https://www.google.com/search?q=Rue+de+L'Aviation+2+Tille", "https://www.google.com/search?q=Rue+Du+General+Koenig+2+Reims", "https://www.google.com/search?q=Allee+Morvan+Lebesque+4+Rennes", "https://www.google.com/search?q=Rue+Du+Moulin+51+Tille", "https://www.google.com/search?q=Rue+Racine+28+30+Soissons", "https://www.google.com/search?q=Rue+Edmond+Lailler+2+Rennes", "https://www.google.com/search?q=Rue+de+Chatillon+23+Rennes", "https://www.google.com/search?q=Boulevard+Solferino+24+Rennes", "https://www.google.com/search?q=Rue+de+eveche+3+Soissons", "https://www.google.com/search?q=Place+Fernand+Marquigny+9+Soissons", "https://www.google.com/search?q=Rue+D'Isly+18+Rennes", "https://www.google.com/search?q=Rue+Kleber+1+Rennes", "https://www.google.com/search?q=Rue+emile+Souvestre+15+Rennes", "https://www.google.com/search?q=Rue+Jules+Simon+15+Rennes", "https://www.google.com/search?q=Rue+Du+Puits+Mauger+29+Rennes", "https://www.google.com/search?q=Boulevard+de+La+Tour+D'Auvergne+30+Rennes", "https://www.google.com/search?q=Quai+Duguay+Trouin+14+Rennes", "https://www.google.com/search?q=Avenue+de+L'Aeroport+Joseph+Le+Brix+9+Saint+Jacques+de+la+Lande", "https://www.google.com/search?q=Place+Hoche+10+Rennes", "https://www.google.com/search?q=Place+Des+Lices+17+Rennes", "https://www.google.com/search?q=Rue+de+Courlancy+38+Reims", "https://www.google.com/search?q=Rue+Du+Louis+D'Or+6+Rennes", "https://www.google.com/search?q=Rue+de+Brest+2+16+Rennes", "https://www.google.com/search?q=Boulevard+Maurice+Noirot+1326+Reims", "https://www.google.com/search?q=D+138+Franqueville+Saint+Pierre", "https://www.google.com/search?q=Rue+D'Alsace+11+Rennes", "https://www.google.com/search?q=Rue+Du+Bourbonnais+12+Rennes", "https://www.google.com/search?q=Rue+Du+Bourbonnais+19+Rennes", "https://www.google.com/search?q=Rue+Perin+15+Reims", "https://www.google.com/search?q=D+371+Reims", "https://www.google.com/search?q=Place+de+La+Verrerie+15+Rouen", "https://www.google.com/search?q=Place+Des+Emmurees+1+11+Rouen", "https://www.google.com/search?q=Boulevard+Lamartine+76+Salon+de+Provence", "https://www.google.com/search?q=Allee+de+La+Liberte+66+Salon+de+Provence", "https://www.google.com/search?q=Cours+Gimon+130+Salon+de+Provence", "https://www.google.com/search?q=Avenue+Leon+Blum+57+Salon+de+Provence", "https://www.google.com/search?q=Rue+Gaston+Perassi+21+Miramas", "https://www.google.com/search?q=Avenue+Falabregues+1+Miramas", "https://www.google.com/search?q=D+928+Rouen", "https://www.google.com/search?q=Rue+Frontin+7+Mont+Saint+Aignan", "https://www.google.com/search?q=Avenue+Jean+Mermoz+24+La+Baule+Escoublac", "https://www.google.com/search?q=Boulevard+de+La+Gare+6+Istres", "https://www.google.com/search?q=Boulevard+de+La+Gare+2+Istres", "https://www.google.com/search?q=Avenue+Leon+Blum+17+Istres", "https://www.google.com/search?q=Avenue+Leon+Blum+13+Istres", "https://www.google.com/search?q=Chemin+Du+Castellan+14+Istres", "https://www.google.com/search?q=Rue+P+Charmet+16+Istres", "https://www.google.com/search?q=Chemin+Des+Arnavaux+2+Istres", "https://www.google.com/search?q=Passage+de+La+Ferrage+9+Istres", "https://www.google.com/search?q=Boulevard+Victor+Hugo+37+Istres", "https://www.google.com/search?q=Boulevard+Edouard+Guizonnier+1+Istres", "https://www.google.com/search?q=Rue+de+Saint+Etienne+8+Istres", "https://www.google.com/search?q=Rue+de+L'equerre+42+Istres", "https://www.google.com/search?q=Rue+de+La+Gare+8+20+Le+Houlme", "https://www.google.com/search?q=Rue+Rosa+Parks+8+Caen", "https://www.google.com/search?q=Quai+Vendeuvre+86+Caen", "https://www.google.com/search?q=D+938+Pau", "https://www.google.com/search?q=Boulevard+Yves+Guillou+10+Caen", "https://www.google.com/search?q=Rue+de+Bras+76+Caen", "https://www.google.com/search?q=Place+Guillouard+14+Caen", "https://www.google.com/search?q=Mail+de+Coubertin+2+Lons", "https://www.google.com/search?q=Rue+Breney+2+Deauville", "https://www.google.com/search?q=Boulevard+Eugene+Cornuche+7+Deauville", "https://www.google.com/search?q=Rue+Du+Vallon+5+Lescar", "https://www.google.com/search?q=Avenue+de+Plaisance+2+Lescar", "https://www.google.com/search?q=Place+Du+Foirail+7+Pau", "https://www.google.com/search?q=Chemin+de+Beneharnum+6+Lescar", "https://www.google.com/search?q=Place+Marguerite+Laborde+7+Pau", "https://www.google.com/search?q=Cours+Bosquet+4+Pau", "https://www.google.com/search?q=Place+de+La+Republique+1+Pau", "https://www.google.com/search?q=Avenue+Roger+Cadet+28+Lescar", "https://www.google.com/search?q=D+3+Martigues", "https://www.google.com/search?q=Quai+Lepaulmier+18+Honfleur", "https://www.google.com/search?q=Quai+de+La+Quarantaine+16+Honfleur", "https://www.google.com/search?q=Rue+Gachet+10+Pau", "https://www.google.com/search?q=Rue+Rene+Fournets+19+Pau", "https://www.google.com/search?q=Place+de+La+Monnaie+12+Pau", "https://www.google.com/search?q=Rue+de+La+Mairie+3+Billere", "https://www.google.com/search?q=Rue+Pierre+Lasserre+16+Orthez", "https://www.google.com/search?q=Chemin+de+Paradis+12+Martigues", "https://www.google.com/search?q=Avenue+Louis+Sammut+6+Martigues", "https://www.google.com/search?q=Quai+Paul+Doumer+11+Martigues", "https://www.google.com/search?q=Quai+Lucien+Toulmond+1+Martigues", "https://www.google.com/search?q=D+170+Martigues", "https://www.google.com/search?q=Quai+Kleber+18+Martigues", "https://www.google.com/search?q=Boulevard+Lucien+Degut+1+Martigues", "https://www.google.com/search?q=Quai+General+Leclerc+68+Martigues", "https://www.google.com/search?q=Quai+General+Leclerc+72+Martigues", "https://www.google.com/search?q=Quai+Sainte+Anne+2+Martigues", "https://www.google.com/search?q=Allee+Des+Romarins+1+Martigues", "https://www.google.com/search?q=D+20+Vitrolles", "https://www.google.com/search?q=D+20+Marignane", "https://www.google.com/search?q=Avenue+de+Rome+27+Vitrolles", "https://www.google.com/search?q=Avenue+Du+75+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Rue+Des+Cerises+1+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Rue+Des+Cerises+2+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Boulevard+Germain+Clairin+9+Chateauneuf+les+Martigues", "https://www.google.com/search?q=Avenue+Henri+Pontier+2+Aix+en+Provence", "https://www.google.com/search?q=Route+de+Sisteron+118+Aix+en+Provence", "https://www.google.com/search?q=D+14+Aix+en+Provence", "https://www.google.com/search?q=Rue+Des+Etuves+22+Aix+en+Provence", "https://www.google.com/search?q=Rue+Emmanuel+Signoret+8+10+Aix+en+Provence", "https://www.google.com/search?q=D+9+Aix+en+Provence", "https://www.google.com/search?q=Avenue+de+Perouse+232+256+Aix+en+Provence", "https://www.google.com/search?q=Place+Forum+Des+Cardeurs+40+Aix+en+Provence", "https://www.google.com/search?q=Boulevard+Aristide+Briand+52+Aix+en+Provence", "https://www.google.com/search?q=D+9+Cabries", "https://www.google.com/search?q=Chemin+Des+Floralies+8+Aix+en+Provence", "https://www.google.com/search?q=Avenue+Des+Belges+6+Aix+en+Provence", "https://www.google.com/search?q=Rue+Gustave+Desplaces+1+Aix+en+Provence", "https://www.google.com/search?q=Blvd+Du+Roi+Rene+11+Aix+en+Provence", "https://www.google.com/search?q=Rue+Du+Regiment+D'Infanterie+Coloniale+Du+Maroc+28+Aix+en+Provence", "https://www.google.com/search?q=Quai+de+La+Reunion+8+Le+Havre", "https://www.google.com/search?q=Rue+Marceau+76+Le+Havre", "https://www.google.com/search?q=Les+Bain+de+Docks+8+Le+Havre", "https://www.google.com/search?q=Rue+Du+Commandant+Abadie+107+153+Le+Havre", "https://www.google.com/search?q=Quai+Des+Antilles+125+Le+Havre", "https://www.google.com/search?q=Quai+Frissard+52+Le+Havre", "https://www.google.com/search?q=Quai+Des+Abeilles+129+Le+Havre", "https://www.google.com/search?q=Quai+Colbert+71+Le+Havre", "https://www.google.com/search?q=Cours+Commandant+Fratacci+2+Le+Havre", "https://www.google.com/search?q=Rue+Magellan+5+Le+Havre", "https://www.google.com/search?q=Avenue+de+L'Arcade+de+Meyran+4+Aix+en+Provence", "https://www.google.com/search?q=Rue+Andre+Siegfried+2+Le+Havre", "https://www.google.com/search?q=Rue+Jean+Jacques+Rousseau+42+52+Le+Havre", "https://www.google.com/search?q=Espa+Oscar+Niemeyer+9+Le+Havre", "https://www.google.com/search?q=Place+de+L'Hotel+de+Ville+53+Le+Havre", "https://www.google.com/search?q=Rond+Point+de+La+Mediterranee+8+Perpignan", "https://www.google.com/search?q=Rue+Du+Marechal+Joffre+149+Le+Havre", "https://www.google.com/search?q=P+R+Malacrida+242+Aix+en+Provence", "https://www.google.com/search?q=Rue+Marechal+Gallieni+61+Le+Havre", "https://www.google.com/search?q=Rue+Dr+Vigne+84+Le+Havre", "https://www.google.com/search?q=Blvd+Georges+Clemenceau+50+52+Perpignan", "https://www.google.com/search?q=Rue+de+La+Lanterne+66+Perpignan", "https://www.google.com/search?q=Chemin+Des+Arcades+107+Perpignan", "https://www.google.com/search?q=F+Mas+Balande+5005+Perpignan", "https://www.google.com/search?q=Boulevard+Pierre+Dramard+34+Marseille", "https://www.google.com/search?q=Avenue+Paul+Lahary+109+Soorts+Hossegor", "https://www.google.com/search?q=Boulevard+Notre+Dame+226+Soorts+Hossegor", "https://www.google.com/search?q=Rue+Du+General+Leclerc+29+Amiens", "https://www.google.com/search?q=Blvd+de+Sevigne+2+Marseille", "https://www.google.com/search?q=Rue+de+Chanterac+25+Marseille", "https://www.google.com/search?q=Boulevard+National+381+Marseille", "https://www.google.com/search?q=Boulevard+National+377+Marseille", "https://www.google.com/search?q=Quai+Du+Lazaret+52+Marseille", "https://www.google.com/search?q=Avenue+Roger+Salengro+37+Marseille", "https://www.google.com/search?q=Rue+Des+Docks+22+Marseille", "https://www.google.com/search?q=Quai+Du+Lazaret+9+Marseille", "https://www.google.com/search?q=Rue+Des+Docks+72875+Marseille", "https://www.google.com/search?q=Rue+Mazenod+37+Marseille", "https://www.google.com/search?q=Rue+Albert+Einstein+305+Marseille", "https://www.google.com/search?q=Rue+Du+11+Vannes", "https://www.google.com/search?q=Blvd+Du+Metro+18+Marseille", "https://www.google.com/search?q=Quai+de+La+Tourette+2+Marseille", "https://www.google.com/search?q=Rue+Duverger+8+Marseille", "https://www.google.com/search?q=Blvd+Des+Dames+24+Marseille", "https://www.google.com/search?q=Rue+Jean+Marc+Cathala+12+Marseille", "https://www.google.com/search?q=Rue+Leon+Gozlan+30+Marseille", "https://www.google.com/search?q=Blvd+Des+Dames+31+Marseille", "https://www.google.com/search?q=Boulevard+Voltaire+30+Marseille", "https://www.google.com/search?q=Blvd+Charles+Nedelec+38+Marseille", "https://www.google.com/search?q=Rue+Sainte+Barbe+16+Marseille", "https://www.google.com/search?q=Rue+de+La+Republique+38+Marseille", "https://www.google.com/search?q=Impasse+Clerville+1+Marseille", "https://www.google.com/search?q=Impasse+de+La+Farandole+6+Marseille", "https://www.google.com/search?q=Rue+de+La+Loge+19+Marseille", "https://www.google.com/search?q=Rue+Roux+de+Corse+1+Marseille", "https://www.google.com/search?q=Rue+Marcel+Sembat+8+Marseille", "https://www.google.com/search?q=Boulevard+Voltaire+31+Marseille", "https://www.google.com/search?q=Rue+Reine+Elisabeth+1+Marseille", "https://www.google.com/search?q=Rue+Du+Petit+Saint+Jean+26+Marseille", "https://www.google.com/search?q=Quai+de+Rive+Neuve+38+Marseille", "https://www.google.com/search?q=Place+Saint+Victor+3+Marseille", "https://www.google.com/search?q=Rue+Des+Linots+23+Marseille", "https://www.google.com/search?q=Square+Leon+Blum+125+Marseille", "https://www.google.com/search?q=Place+Aux+Huiles+17+Marseille", "https://www.google.com/search?q=Rue+Petit+Chantier+26+Marseille", "https://www.google.com/search?q=Place+General+de+Gaulle+22+Marseille", "https://www.google.com/search?q=Rue+Fort+Notre+Dame+24+Marseille", "https://www.google.com/search?q=Boulevard+de+La+Corderie+35+Marseille", "https://www.google.com/search?q=Rue+Sainte+29+Marseille", "https://www.google.com/search?q=Rue+Breteuil+31+Marseille", "https://www.google.com/search?q=Cours+Julien+58+Marseille", "https://www.google.com/search?q=Rue+de+Provence+12+Marseille", "https://www.google.com/search?q=Rue+Docteur+Combalat+10+Marseille", "https://www.google.com/search?q=Rue+Du+Docteur+Combalat+9+Marseille", "https://www.google.com/search?q=Blvd+Rougier+2+Marseille", "https://www.google.com/search?q=Place+Jean+Jaures+31+Marseille", "https://www.google.com/search?q=Rue+Armeny+4+Marseille", "https://www.google.com/search?q=Boulevard+Paul+Peytral+12+Marseille", "https://www.google.com/search?q=Place+Sebastopol+7+Marseille", "https://www.google.com/search?q=Place+Notre+Dame+Du+Mont+4+Marseille", "https://www.google.com/search?q=Rue+Sylvabelle+5+Marseille", "https://www.google.com/search?q=Boulevard+Notre+Dame+90+Marseille", "https://www.google.com/search?q=Impasse+Montevideo+4+Marseille", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+46+Marseille", "https://www.google.com/search?q=Rue+D'Italie+63+Marseille", "https://www.google.com/search?q=Rue+George+62+Marseille", "https://www.google.com/search?q=Rue+Saint+Pierre+133+Marseille", "https://www.google.com/search?q=Rue+de+L'Eguier+6+Marseille", "https://www.google.com/search?q=Rue+Paradis+202+Marseille", "https://www.google.com/search?q=Rue+Docteur+Escat+77+Marseille", "https://www.google.com/search?q=Blvd+Louis+Armand+30+Marseille", "https://www.google.com/search?q=Blvd+Baille+145+Marseille", "https://www.google.com/search?q=Rue+Louis+Frangin+2+Marseille", "https://www.google.com/search?q=Avenue+Jules+Cantini+14+Marseille", "https://www.google.com/search?q=Rue+Saint+Pierre+278+Marseille", "https://www.google.com/search?q=P+R+Fourragere+38+Marseille", "https://www.google.com/search?q=Rue+Du+Rouet+55+Marseille", "https://www.google.com/search?q=Allee+Turcat+Mery+20+Marseille", "https://www.google.com/search?q=Prom+Georges+Pompidou+6+Marseille", "https://www.google.com/search?q=Boulevard+de+Louvain+26+Marseille", "https://www.google.com/search?q=Rue+Negresko+18+Marseille", "https://www.google.com/search?q=Allee+Ray+Grassi+18+Marseille", "https://www.google.com/search?q=Boulevard+Michelet+111+Marseille", "https://www.google.com/search?q=Rue+Raymond+Teisseire+128+Marseille", "https://www.google.com/search?q=Sainte+Marguerite+Dromel+4+6+Marseille", "https://www.google.com/search?q=Avenue+Pierre+Mendes+France+113+Marseille", "https://www.google.com/search?q=Boulevard+de+Sainte+Marguerite+19+Marseille", "https://www.google.com/search?q=Rue+Du+Chene+Perce+9+Dieppe", "https://www.google.com/search?q=Rue+Maubec+63+Bayonne", "https://www.google.com/search?q=Rue+Sainte+Ursule+11+Bayonne", "https://www.google.com/search?q=Rue+de+Belfort+13+Bayonne", "https://www.google.com/search?q=Avenue+Gabriel+Peri+17+41+Aubagne", "https://www.google.com/search?q=Place+de+La+Republique+2+Bayonne", "https://www.google.com/search?q=Avenue+Elzeard+Rougier+30+Aubagne", "https://www.google.com/search?q=Rue+Sainte+Ursule+23+Bayonne", "https://www.google.com/search?q=Allee+Boufflers+2+Bayonne", "https://www.google.com/search?q=Chemin+de+Jupiter+10+Bayonne", "https://www.google.com/search?q=Rue+de+La+Republique+61+Aubagne", "https://www.google.com/search?q=Avenue+Duvergier+de+Hauranne+9+Bayonne", "https://www.google.com/search?q=Avenue+Marechal+Leclerc+1+Bayonne", "https://www.google.com/search?q=Rue+Des+Lisses+3+Bayonne", "https://www.google.com/search?q=Allees+Paulmy+1+Bayonne", "https://www.google.com/search?q=Chemin+de+Campagne+15+Bayonne", "https://www.google.com/search?q=Rue+Des+Tuiliers+97+Aubagne", "https://www.google.com/search?q=Rue+Pelletier+35+Bayonne", "https://www.google.com/search?q=Allee+de+La+Poterne+20+Bayonne", "https://www.google.com/search?q=Avenue+Chanoine+Jean+Lamarque+8+Bayonne", "https://www.google.com/search?q=Avenue+de+Pampelune+2+Bayonne", "https://www.google.com/search?q=Avenue+Jean+Rostand+1+Bayonne", "https://www.google.com/search?q=Avenue+Fernand+Forgues+2+Bayonne", "https://www.google.com/search?q=Avenue+Fernand+Forgues+8+Bayonne", "https://www.google.com/search?q=Avenue+Paul+Pras+1+Bayonne", "https://www.google.com/search?q=Avenue+Raoul+Follereau+12+Bayonne", "https://www.google.com/search?q=Rond+Point+Michel+Larrouturou+1+Bayonne", "https://www.google.com/search?q=Chemin+de+La+Marouette+2+Bayonne", "https://www.google.com/search?q=Rue+de+Jouanetote+52+Anglet", "https://www.google.com/search?q=Rue+Du+4+Carnoux+en+Provence", "https://www.google.com/search?q=Rue+Albert+Le+Barillier+10+Anglet", "https://www.google.com/search?q=Avenue+de+Maignon+11+Anglet", "https://www.google.com/search?q=Avenue+Alphonse+Daudet+11+Cassis", "https://www.google.com/search?q=Espl+de+L'Europe+7+Anglet", "https://www.google.com/search?q=Ave+de+La+Viguerie+14+Cassis", "https://www.google.com/search?q=Avenue+de+L'Amiral+Ganteaume+23+Cassis", "https://www.google.com/search?q=Ave+Augustin+Isnard+10+Cassis", "https://www.google.com/search?q=Boulevard+Du+General+de+Gaulle+5+Biarritz", "https://www.google.com/search?q=Rue+de+L'Arene+13+Cassis", "https://www.google.com/search?q=Rue+Beau+Sejour+5+Biarritz", "https://www.google.com/search?q=Boulevard+Du+General+de+Gaulle+29+Biarritz", "https://www.google.com/search?q=Place+Georges+Clemenceau+15+Biarritz", "https://www.google.com/search?q=Avenue+Du+Revestel+322+342+Cassis", "https://www.google.com/search?q=Avenue+Du+Marechal+Foch+16+Biarritz", "https://www.google.com/search?q=Avenue+Francois+Mauriac+12+Biarritz", "https://www.google.com/search?q=Place+Sainte+Eugenie+2+Biarritz", "https://www.google.com/search?q=Allee+Du+Moura+18+Biarritz", "https://www.google.com/search?q=Avenue+de+La+Gare+866+La+Ciotat", "https://www.google.com/search?q=Sainte+Marguerite+1+La+Ciotat", "https://www.google.com/search?q=Boulevard+Lamartine+9+La+Ciotat", "https://www.google.com/search?q=Poste+de+Saint+Jean+40+La+Ciotat", "https://www.google.com/search?q=Boulevard+de+La+Republique+37+La+Ciotat", "https://www.google.com/search?q=Rue+Victor+Delacour+1+La+Ciotat", "https://www.google.com/search?q=Boulevard+Anatole+France+1+La+Ciotat", "https://www.google.com/search?q=Avenue+Des+Calanques+13+La+Ciotat", "https://www.google.com/search?q=Le+Cros+Du+Loup+113+Le+Castellet", "https://www.google.com/search?q=Rue+Duconte+6+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Vauban+5+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Vincent+Barjonnet+8+Saint+Jean+de+Luz", "https://www.google.com/search?q=Avenue+Du+Professeur+Gregorio+Maranon+14+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Victor+Hugo+38+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Du+Commandant+Passicot+29+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Victor+Hugo+31+Saint+Jean+de+Luz", "https://www.google.com/search?q=Boulevard+Du+Commandant+Passicot+27+Saint+Jean+de+Luz", "https://www.google.com/search?q=Avenue+Du+Professeur+Gregorio+Maranon+4+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Joseph+Garat+9+Saint+Jean+de+Luz", "https://www.google.com/search?q=Rue+Marion+Garay+3+Saint+Jean+de+Luz", "https://www.google.com/search?q=Place+Ferdinand+Foch+5+Saint+Jean+de+Luz", "https://www.google.com/search?q=Carrer+Canigo+4+Figueres", "https://www.google.com/search?q=Passeig+Nou+1+Figueres", "https://www.google.com/search?q=Carrer+Rutlla+11+Figueres", "https://www.google.com/search?q=Av+de+Salvador+Dali+I+Domenech+11+Figueres", "https://www.google.com/search?q=Placa+de+L'Estacio+14+Figueres", "https://www.google.com/search?q=B+Boulevard+Des+Remparts+12+Draguignan", "https://www.google.com/search?q=Avenue+Du+Cap+Negre+2+40+Six+Fours+les+Plages", "https://www.google.com/search?q=Gabarrari+Kalea+24+Hondarribia", "https://www.google.com/search?q=Avenue+Du+Cap+Negre+259+Six+Fours+les+Plages", "https://www.google.com/search?q=Chemin+Repentance+850+Six+Fours+les+Plages", "https://www.google.com/search?q=Leon+Iruretagoyena+Hiribidea+1+Irun", "https://www.google.com/search?q=Corniche+Du+Cros+91+Six+Fours+les+Plages", "https://www.google.com/search?q=Traverse+Du+Gaou+266+Six+Fours+les+Plages", "https://www.google.com/search?q=Corniche+Des+iles+136+Six+Fours+les+Plages", "https://www.google.com/search?q=Avenue+Du+Brusc+2310+2576+Six+Fours+les+Plages", "https://www.google.com/search?q=Estacion+Kalea+26+Irun", "https://www.google.com/search?q=Rue+Marius+Cornille+171+Six+Fours+les+Plages", "https://www.google.com/search?q=Chemin+de+La+Gardiole+338+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+de+Bouillibaye+112+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Severin+Saurin+89+Six+Fours+les+Plages", "https://www.google.com/search?q=Avenue+Vincent+Picareau+185+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Du+College+90+Six+Fours+les+Plages", "https://www.google.com/search?q=Rue+Lieutenant+Colonel+Bernard+2+Toulon", "https://www.google.com/search?q=Rue+Saint+Francois+9+Saint+Brieuc", "https://www.google.com/search?q=Rue+Du+13+Saint+Brieuc", "https://www.google.com/search?q=Place+Francois+Mitterrand+1+Saint+Brieuc", "https://www.google.com/search?q=Boulevard+Pierre+Toesca+1+Toulon", "https://www.google.com/search?q=Place+Albert+27+Toulon", "https://www.google.com/search?q=Rue+Revel+194+Toulon", "https://www.google.com/search?q=Boulevard+Commandant+Nicolas+360+Toulon", "https://www.google.com/search?q=Rue+Pierre+Letuaire+2+4+Toulon", "https://www.google.com/search?q=Rue+de+Lorgues+18+Toulon", "https://www.google.com/search?q=Avenue+de+Besagne+3+Toulon", "https://www.google.com/search?q=Rue+Alphonse+Daudet+35+Toulon", "https://www.google.com/search?q=Rue+Lulli+126+Toulon", "https://www.google.com/search?q=Boulevard+Cosmao+Dumanoir+3+Lorient", "https://www.google.com/search?q=Segundo+Izpizua+Kalea+31+33+Donostia", "https://www.google.com/search?q=De+Zurriola+Hiribidea+3+Donostia", "https://www.google.com/search?q=Zabaleta+Kalea+17+Donostia", "https://www.google.com/search?q=Reina+Regente+Kalea+6+Donostia", "https://www.google.com/search?q=Gi+20+San+Sebastian", "https://www.google.com/search?q=Republica+Argentina+Kalea+4+Donostia", "https://www.google.com/search?q=Maria+Dolores+Agirre+Kalea+3+Donostia", "https://www.google.com/search?q=Calle+de+Fuenterrabia+7+Donostia", "https://www.google.com/search?q=Calle+de+Urbieta+9+Donostia", "https://www.google.com/search?q=Askatasunaren+Hiribidea+41+Donostia", "https://www.google.com/search?q=Zaragoza+Plaza+2+Donostia", "https://www.google.com/search?q=Autonomia+Kalea+6+8+Donostia", "https://www.google.com/search?q=Gregorio+Ordonez+Kalea+3+Donostia", "https://www.google.com/search?q=Bizkaia+Pasealekua+22+Donostia", "https://www.google.com/search?q=Corso+Monviso+7+Cuneo", "https://www.google.com/search?q=Miramon+Ibilbidea+7+Donostia", "https://www.google.com/search?q=Miramon+Ibilbidea+8+Donostia", "https://www.google.com/search?q=Via+Alba+28+Cuneo", "https://www.google.com/search?q=De+Ondarreta+Ibilbidea+22+Donostia", "https://www.google.com/search?q=Manuel+Lekuona+Kalea+5+Donostia", "https://www.google.com/search?q=Zuatzu+Kalea+9+Donostia", "https://www.google.com/search?q=Allee+Jean+Moulin+1+Grasse", "https://www.google.com/search?q=Allee+Du+3+Grasse", "https://www.google.com/search?q=Place+de+La+Buanderie+2+Grasse", "https://www.google.com/search?q=Boulevard+Fragonard+17+Grasse", "https://www.google.com/search?q=Rue+de+La+Pouost+2+Grasse", "https://www.google.com/search?q=Rue+Des+Palmiers+24+Grasse", "https://www.google.com/search?q=Parking+de+La+Gare+144B+Grasse", "https://www.google.com/search?q=Avenue+de+Saint+Lambert+240+Frejus", "https://www.google.com/search?q=Avenue+de+Verdun+42+52+Saint+Raphael", "https://www.google.com/search?q=Place+Pierre+Coullet+124+Saint+Raphael", "https://www.google.com/search?q=Rue+Anatole+France+127+Saint+Raphael", "https://www.google.com/search?q=Place+Lamartine+34+Saint+Raphael", "https://www.google.com/search?q=A+Chemin+Du+Cimetiere+225+Mougins", "https://www.google.com/search?q=Avenue+Du+Moulin+de+La+Croix+89+Mougins", "https://www.google.com/search?q=Rue+Des+Anciens+Combattants+Afn+2+Sainte+Maxime", "https://www.google.com/search?q=Route+de+Vence+3+Saint+Paul+de+Vence", "https://www.google.com/search?q=Avenue+Pierre+Poesi+7+Cannes", "https://www.google.com/search?q=Chemin+de+Carimai+459+Le+Cannet", "https://www.google.com/search?q=Avenue+Georges+Pompidou+369+774+Le+Cannet", "https://www.google.com/search?q=Chemin+de+L'Aubarede+41+Le+Cannet", "https://www.google.com/search?q=Route+de+La+Pinea+388+Mandelieu+la+Napoule", "https://www.google.com/search?q=Chemin+de+L'Olivet+65+Le+Cannet", "https://www.google.com/search?q=Chemin+Du+Colombier+11+Le+Cannet", "https://www.google.com/search?q=Boulevard+Jacques+Monod+374+Le+Cannet", "https://www.google.com/search?q=Avenue+Du+General+de+Gaulle+605+Mandelieu+la+Napoule", "https://www.google.com/search?q=Rue+Auguste+Taba+7+Le+Cannet", "https://www.google.com/search?q=Avenue+Du+377+Mandelieu+la+Napoule", "https://www.google.com/search?q=Avenue+de+La+Roubine+125+Cannes", "https://www.google.com/search?q=Rue+Du+Dr+Baloux+27+Cannes", "https://www.google.com/search?q=Chemin+Du+Porrichon+32+Le+Cannet", "https://www.google.com/search?q=Boulevard+Du+Four+A+Chaud+6+Le+Cannet", "https://www.google.com/search?q=Route+de+Valbonne+49+Le+Cannet", "https://www.google.com/search?q=Avenue+Des+ecoles+23+Le+Cannet", "https://www.google.com/search?q=Chemin+Du+Perier+2+Le+Cannet", "https://www.google.com/search?q=Allee+de+Provence+17+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Moulieres+19+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Orangers+26+Le+Cannet", "https://www.google.com/search?q=Rue+Des+Oliviers+21+Le+Cannet", "https://www.google.com/search?q=Jard+de+L'Edem+12+Le+Cannet", "https://www.google.com/search?q=Rue+de+Verdun+2+Le+Cannet", "https://www.google.com/search?q=Route+de+Vence+24+Cagnes+sur+Mer", "https://www.google.com/search?q=Place+Benidorm+150+Le+Cannet", "https://www.google.com/search?q=Rue+Jean+Baptiste+Pastor+13+Theoule+sur+Mer", "https://www.google.com/search?q=Rue+Du+Tivoli+6+Le+Cannet", "https://www.google.com/search?q=Allee+Des+Mesanges+2+6+Le+Cannet", "https://www.google.com/search?q=Rue+Grignan+1+Le+Cannet", "https://www.google.com/search?q=Picaud+15+19+Cannes", "https://www.google.com/search?q=Chemin+de+La+Glaciere+18+Nice", "https://www.google.com/search?q=Rue+Louis+Pastour+7+Cannes", "https://www.google.com/search?q=Boulevard+de+La+Ferrage+29+Cannes", "https://www.google.com/search?q=Avenue+Du+Petit+Juas+6+Cannes", "https://www.google.com/search?q=Avenue+de+Verdun+116+Cagnes+sur+Mer", "https://www.google.com/search?q=Montee+Du+Cimetiere+15+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Docteur+Calmette+32+Cannes", "https://www.google.com/search?q=Rue+Du+Chateau+12+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+D'Alsace+9+Cannes", "https://www.google.com/search?q=Chemin+Du+Brecq+20+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+Du+Midi+Jean+Hibert+2+Cannes", "https://www.google.com/search?q=Blvd+de+La+Croisette+1+Cannes", "https://www.google.com/search?q=Avenue+Marcel+Pagnol+18+Cagnes+sur+Mer", "https://www.google.com/search?q=Avenue+Colonel+Jeanpierre+3+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Jean+Jaures+1+Cannes", "https://www.google.com/search?q=Rue+Des+Serbes+38+Cannes", "https://www.google.com/search?q=Rue+Cipriani+3+Cagnes+sur+Mer", "https://www.google.com/search?q=Avenue+de+L'Hopital+10+Vallauris", "https://www.google.com/search?q=Place+Sainte+Luce+6+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+de+La+Ginestiere+2+Nice", "https://www.google.com/search?q=Allee+Des+Platanes+16+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+de+Lorraine+20+Cannes", "https://www.google.com/search?q=Rond+Point+Duboys+D'Angers+5+Cannes", "https://www.google.com/search?q=Boulevard+de+La+Croisette+50+Cannes", "https://www.google.com/search?q=Blvd+Des+Jardiniers+58+Nice", "https://www.google.com/search?q=Avenue+de+La+Gare+37+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+Des+Petits+Plans+2+Cagnes+sur+Mer", "https://www.google.com/search?q=Rue+Bir+Hakeim+4+Cagnes+sur+Mer", "https://www.google.com/search?q=Boulevard+de+La+Croisette+91+Cannes", "https://www.google.com/search?q=Passage+de+La+Greve+13+Cagnes+sur+Mer", "https://www.google.com/search?q=Chemin+Des+Groules+292+Antibes", "https://www.google.com/search?q=Avenue+de+Belgique+16+Vallauris", "https://www.google.com/search?q=Avenue+de+La+Gare+11+Vallauris", "https://www.google.com/search?q=Avenue+Des+Freres+Roustan+19+Vallauris", "https://www.google.com/search?q=Boulevard+Henri+Sappia+2+Nice", "https://www.google.com/search?q=Avenue+Des+Freres+Roustan+109+Vallauris", "https://www.google.com/search?q=Avenue+Du+Ponant+333+Saint+Laurent+du+Var", "https://www.google.com/search?q=Blvd+de+Gorbella+63+65+Nice", "https://www.google.com/search?q=Avenue+Jules+Grec+260+Antibes", "https://www.google.com/search?q=Avenue+de+Saint+Barthelemy+3+Nice", "https://www.google.com/search?q=Avenue+Alfred+Borriglione+60+Nice", "https://www.google.com/search?q=Route+de+Grenoble+2011+Nice", "https://www.google.com/search?q=Avenue+Tourre+9+Antibes", "https://www.google.com/search?q=Boulevard+Rene+Cassin+125+Nice", "https://www.google.com/search?q=Boulevard+Gustave+Chancel+19+Antibes", "https://www.google.com/search?q=Rue+Des+Freres+Olivier+3+Antibes", "https://www.google.com/search?q=Avenue+de+Carras+8+Nice", "https://www.google.com/search?q=Rue+Des+Lits+Militaires+11+Antibes", "https://www.google.com/search?q=Avenue+de+Verdun+20+Antibes", "https://www.google.com/search?q=Rue+de+Dijon+29+Nice", "https://www.google.com/search?q=Avenue+Saint+Lambert+91+Nice", "https://www.google.com/search?q=Avenue+L'Esterel+1+Antibes", "https://www.google.com/search?q=Avenue+de+La+Californie+60+Nice", "https://www.google.com/search?q=Avenue+de+La+Californie+57+Nice", "https://www.google.com/search?q=Rue+Cluvier+7+Nice", "https://www.google.com/search?q=Avenue+de+Valombrose+27+Nice", "https://www.google.com/search?q=Rue+Lacan+8+Antibes", "https://www.google.com/search?q=Rue+Corderie+4+Nice", "https://www.google.com/search?q=Rue+Louis+de+Coppet+36+Nice", "https://www.google.com/search?q=Avenue+Thiers+12+Nice", "https://www.google.com/search?q=Rue+de+La+Reine+Jeanne+24+Nice", "https://www.google.com/search?q=Rue+Saint+Philippe+47+Nice", "https://www.google.com/search?q=Avenue+Auber+38+Nice", "https://www.google.com/search?q=Voie+Romaine+30+Nice", "https://www.google.com/search?q=Rue+de+France+113+Nice", "https://www.google.com/search?q=Chemin+Des+Sables+56+Antibes", "https://www.google.com/search?q=Boulevard+Raimbaldi+38+Nice", "https://www.google.com/search?q=Avenue+Auber+11+Nice", "https://www.google.com/search?q=Avenue+Notre+Dame+28+Nice", "https://www.google.com/search?q=Prom+Des+Anglais+29+Nice", "https://www.google.com/search?q=Rue+Rossini+3+Nice", "https://www.google.com/search?q=Rue+Raspail+1+Nice", "https://www.google.com/search?q=Rue+Meyerbeer+3+Nice", "https://www.google.com/search?q=Rue+Maccarani+11+Nice", "https://www.google.com/search?q=Route+de+Turin+155+Nice", "https://www.google.com/search?q=Rue+Du+Congres+3+Nice", "https://www.google.com/search?q=Rue+de+Longchamp+11+Nice", "https://www.google.com/search?q=Rue+Halevy+5+Nice", "https://www.google.com/search?q=Avenue+Gustave+V+9+Nice", "https://www.google.com/search?q=Avenue+de+Suede+4+Nice", "https://www.google.com/search?q=B+Avenue+de+Verdun+10+Nice", "https://www.google.com/search?q=Blvd+Jean+Baptiste+Verany+28+Nice", "https://www.google.com/search?q=Avenue+Du+XVeme+Corps+10+Nice", "https://www.google.com/search?q=Pl+Du+General+Georges+Marshall+9+Nice", "https://www.google.com/search?q=Avenue+Felix+Faure+16+Nice", "https://www.google.com/search?q=Rue+de+L'Hotel+de+Ville+1+Nice", "https://www.google.com/search?q=Quai+Des+etats+Unis+103+Nice", "https://www.google.com/search?q=Boulevard+Risso+10+Nice", "https://www.google.com/search?q=Blvd+Francois+Mitterrand+4+Nice", "https://www.google.com/search?q=Avenue+Saint+Jean+Baptiste+232+Nice", "https://www.google.com/search?q=Boulevard+Risso+42+Nice", "https://www.google.com/search?q=Rue+Alexandre+Mari+14+Nice", "https://www.google.com/search?q=Rue+Saint+Francois+de+Paule+1+Nice", "https://www.google.com/search?q=Av+Des+Diables+Bleus+24+Nice", "https://www.google.com/search?q=Passage+de+La+Tranquillite+8+Nice", "https://www.google.com/search?q=Rue+Barberis+34+Nice", "https://www.google.com/search?q=Rue+Auguste+Gal+4+Nice", "https://www.google.com/search?q=Quai+Cassini+15+Nice", "https://www.google.com/search?q=Quai+de+La+Douane+4+Nice", "https://www.google.com/search?q=Tunnel+Leon+Deloy+4+Nice", "https://www.google.com/search?q=Blvd+Lech+Walesa+5+9+Nice", "https://www.google.com/search?q=Rue+de+Foresta+6+Nice", "https://www.google.com/search?q=Quai+Des+Deux+Emmanuels+8+Nice", "https://www.google.com/search?q=Place+Georges+Clemenceau+2+Beaulieu+sur+Mer", "https://www.google.com/search?q=Ave+D'Alsace+2+Beausoleil", "https://www.google.com/search?q=Boulevard+de+La+Republique+30+Beausoleil", "https://www.google.com/search?q=Boulevard+Du+General+Leclerc+17+Beausoleil", "https://www.google.com/search?q=Avenue+de+La+Gare+3T+Menton", "https://www.google.com/search?q=Allee+Batterie+943+Menton", "https://www.google.com/search?q=Avenue+Felix+Faure+10+Menton", "https://www.google.com/search?q=Rue+de+La+Republique+23+Menton", "https://www.google.com/search?q=Place+Charles+de+Gaulle+31+Morlaix", "https://www.google.com/search?q=Boulevard+Leopold+Maissin+3+Le+Relecq+Kerhuon", "https://www.google.com/search?q=Rue+Eugene+Berest+10+Brest", "https://www.google.com/search?q=Chemin+de+Kernoas+350+Guipavas", "https://www.google.com/search?q=Chemin+de+Kernoas+245+Guipavas", "https://www.google.com/search?q=Rampe+Du+Vieux+Bourg+1+Brest", "https://www.google.com/search?q=Rue+Branda+5+Brest", "https://www.google.com/search?q=Rue+Frederic+Le+Guyader+6+Brest", "https://www.google.com/search?q=Boulevard+Des+Francais+Libres+76+Brest", "https://www.google.com/search?q=Place+Saint+Louis+1+Brest", "https://www.google.com/search?q=Rue+General+Baratier+4+Brest", "https://www.google.com/search?q=Avenue+de+Tarente+9+Brest", "https://www.google.com/search?q=Rue+Emile+Rousse+2+Brest", "https://www.google.com/search?q=Rue+de+Gascogne+1+Brest", "https://www.google.com/search?q=Rue+de+Fougeres+3+Brest", "https://www.google.com/search?q=Kastanienbaumstrasse+301+Kastanienbaum", "https://www.google.com/search?q=Lindenhausstrasse+7+Luzern", "https://www.google.com/search?q=Obergrundstrasse+69+Luzern", "https://www.google.com/search?q=Tribschenstrasse+30+Luzern", "https://www.google.com/search?q=Obergrundstrasse+70+Luzern", "https://www.google.com/search?q=Pilatusstrasse+46a+Luzern", "https://www.google.com/search?q=Habsburgerstrasse+11+Luzern", "https://www.google.com/search?q=Bruchstrasse+57+Luzern", "https://www.google.com/search?q=Alpenquai+12+Luzern", "https://www.google.com/search?q=Luzernerstrasse+40+Luzern", "https://www.google.com/search?q=Murbacherstrasse+4+Luzern", "https://www.google.com/search?q=Baselstrasse+76+Luzern", "https://www.google.com/search?q=Salzfassrain+Luzern", "https://www.google.com/search?q=Waldstrasse+39+Luzern", "https://www.google.com/search?q=Spitalstrasse+17+Luzern", "https://www.google.com/search?q=Ruopigenstrasse+18+Luzern", "https://www.google.com/search?q=Staldenhof+5+Luzern", "https://www.google.com/search?q=Maihofstrasse+83+Luzern", "https://www.google.com/search?q=Kehlhofstrasse+10a+Adligenswil", "https://www.google.com/search?q=Fildernstrasse+4+Ebikon", "https://www.google.com/search?q=Hauptstrasse+1+Wilderswill", "https://www.google.com/search?q=Sonnhaldenstrasse+10+Rotkreuz", "https://www.google.com/search?q=Wilemattstrasse+13+Sursee", "https://www.google.com/search?q=Allmendweg+5+Cham", "https://www.google.com/search?q=Allmendweg+1+Cham", "https://www.google.com/search?q=Thunstrasse+6A+Spiez", "https://www.google.com/search?q=Chamerstrasse+170+Zug", "https://www.google.com/search?q=Bundesstrasse+1+Zug", "https://www.google.com/search?q=Chamerstrasse+156+Zug", "https://www.google.com/search?q=Poststrasse+20+Zug", "https://www.google.com/search?q=Albisstrasse+3+Zug", "https://www.google.com/search?q=Terrassenweg+1A+Zug", "https://www.google.com/search?q=Baarerstrasse+43+Zug", "https://www.google.com/search?q=Guthirtstrasse+15+Zug", "https://www.google.com/search?q=Baarerstrasse+75+Zug", "https://www.google.com/search?q=Magnoliastrasse+5b+Thun", "https://www.google.com/search?q=Schulhausstrasse+6+Oberdiessbach", "https://www.google.com/search?q=Hauptstrasse+8+Menziken", "https://www.google.com/search?q=Tanneggweg+8+Thun", "https://www.google.com/search?q=Barenacherstrasse+9+Obfelden", "https://www.google.com/search?q=Pilatusweg+9+Ottenbach", "https://www.google.com/search?q=Zwillikerstrasse+13+Ottenbach", "https://www.google.com/search?q=Bergstrasse+9+Affoltern+a+A+", "https://www.google.com/search?q=Halden+1+Boniswil", "https://www.google.com/search?q=Ebnetstrasse+41b+Horgen", "https://www.google.com/search?q=Einsiedlerstrasse+100+Horgen", "https://www.google.com/search?q=Dennigkofenweg+122+Ostermundigen", "https://www.google.com/search?q=Ringstrasse+31+Wohlen", "https://www.google.com/search?q=Kantonsstrasse+158+Freienbach", "https://www.google.com/search?q=Dorfstrasse+130+Meilen", "https://www.google.com/search?q=Ostermundigenstrasse+60+Bern", "https://www.google.com/search?q=Zikadenweg+7+Bern", "https://www.google.com/search?q=Blumenweg+8+Ittigen", "https://www.google.com/search?q=Gseckstrasse+31+Uetikon+am+See", "https://www.google.com/search?q=Eichholzstrasse+9+Wabern", "https://www.google.com/search?q=Obstgartenstrasse+6+Erlenbach", "https://www.google.com/search?q=Bibenlosstrasse+2+Bremgarten", "https://www.google.com/search?q=Talstrasse+20+Uetikon+am+See", "https://www.google.com/search?q=Wankdorffeldstrasse+94+Bern", "https://www.google.com/search?q=Bernastrasse+15+Bern", "https://www.google.com/search?q=Wankdorffeldstrasse+98+Bern", "https://www.google.com/search?q=Schonauweg+10a+Bern", "https://www.google.com/search?q=Wabernstrasse+77+Bern", "https://www.google.com/search?q=Morillonstrasse+11+Bern", "https://www.google.com/search?q=Eigerstrasse+58,+60+Bern", "https://www.google.com/search?q=Schwarztorstrasse+7+Bern", "https://www.google.com/search?q=Effingerstrasse+4+Bern", "https://www.google.com/search?q=Schwyzerstarnweg+20+Bern", "https://www.google.com/search?q=Engehaldenstrasse+97+Bern", "https://www.google.com/search?q=Gutenbergstrasse+5+Bern", "https://www.google.com/search?q=Kirchstrasse+15+Liebefeld", "https://www.google.com/search?q=Seestrasse+34+Kilchberg", "https://www.google.com/search?q=Frohbergweg+3+Bern", "https://www.google.com/search?q=Zieglerstrasse+36+Bern", "https://www.google.com/search?q=Mattenhofstrasse+33+Bern", "https://www.google.com/search?q=Brunnhofweg+47+Bern", "https://www.google.com/search?q=Waldeggstrasse+11+Liebefeld", "https://www.google.com/search?q=Gewerbestrasse+22+Bern", "https://www.google.com/search?q=Stationstrasse+42+Liebefeld", "https://www.google.com/search?q=Murtenstrasse+66+Bern", "https://www.google.com/search?q=Mutschellenstrasse+175+Zurich", "https://www.google.com/search?q=Postgasse+3+Staufen", "https://www.google.com/search?q=Federweg+26+Bern", "https://www.google.com/search?q=Dufourstrasse+30+Zollikon", "https://www.google.com/search?q=Lessingstrasse+45+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+117+Zurich", "https://www.google.com/search?q=Giesshubelstrasse+15+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+109+Zurich", "https://www.google.com/search?q=Engimattstrasse+14+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+529+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+94+Zurich", "https://www.google.com/search?q=Waffenplatzstrasse+39a+Zurich", "https://www.google.com/search?q=Resedastrasse+22+Zurich", "https://www.google.com/search?q=Katzuhus+4+Visp", "https://www.google.com/search?q=Schulhausstrasse+41+Zurich", "https://www.google.com/search?q=Talwiesenstrasse+17+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+455+Zurich", "https://www.google.com/search?q=In+der+Ey+81+Zurich", "https://www.google.com/search?q=Brandschenkestrasse+176+Zurich", "https://www.google.com/search?q=Manessestrasse+120+Zurich", "https://www.google.com/search?q=Jurastrasse+30+Aarau", "https://www.google.com/search?q=Birmensdorferstrasse+432+Zurich", "https://www.google.com/search?q=Uetlibergstrasse+15+Zurich", "https://www.google.com/search?q=Wildbachstrasse+58+Zurich", "https://www.google.com/search?q=Seestrasse+45+Zurich", "https://www.google.com/search?q=Hofacher+2+Gruningen", "https://www.google.com/search?q=Jurastrasse+6+Aarau", "https://www.google.com/search?q=In+der+Wasseri+30+Zurich", "https://www.google.com/search?q=Seefeldstrasse+147+Zurich", "https://www.google.com/search?q=Austrasse+5+Zurich", "https://www.google.com/search?q=Dubsstrasse+47+Zurich", "https://www.google.com/search?q=Steinstrasse+27+Zurich", "https://www.google.com/search?q=Gutstrasse+10+Zurich", "https://www.google.com/search?q=Mainaustrasse+24+Zurich", "https://www.google.com/search?q=Florastrasse+4+Zurich", "https://www.google.com/search?q=Seefeldstrasse+92+Zurich", "https://www.google.com/search?q=Parkring+23+Zurich", "https://www.google.com/search?q=Gotthartstrasse+48+Zurich", "https://www.google.com/search?q=Todistrasse+17+Zurich", "https://www.google.com/search?q=Zollikerstrasse+82+Zurich", "https://www.google.com/search?q=Mainaustrasse+44+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+155+Zurich", "https://www.google.com/search?q=Dufourstrasse+55+Zurich", "https://www.google.com/search?q=Seefeldstrasse+63+Zurich", "https://www.google.com/search?q=Bremgartnerstrasse+62+Zurich", "https://www.google.com/search?q=Florastrasse+49+Zurich", "https://www.google.com/search?q=Stockerstrasse+37+Zurich", "https://www.google.com/search?q=Seefeldstrasse+32+Zurich", "https://www.google.com/search?q=Aemtlerstrasse+32+Zurich", "https://www.google.com/search?q=Stockerstrasse+39+Zurich", "https://www.google.com/search?q=Zweierstrasse+123+Zurich", "https://www.google.com/search?q=Halden+50+Aarau", "https://www.google.com/search?q=Holbeinstrasse+25+Zurich", "https://www.google.com/search?q=Beethovenstrasse+45+Zurich", "https://www.google.com/search?q=Freilagerstrasse+12+Zurich", "https://www.google.com/search?q=Delphinstrasse+11+Zurich", "https://www.google.com/search?q=Zentralstrasse+64+Zurich", "https://www.google.com/search?q=Holbeinstrasse+35+Zurich", "https://www.google.com/search?q=Weberstrasse+10+Zurich", "https://www.google.com/search?q=Birmensdorferstrasse+56+Zurich", "https://www.google.com/search?q=haslerstrasse+3+Zurich", "https://www.google.com/search?q=Olivengasse+2+Zurich", "https://www.google.com/search?q=Martastrasse+137+Zurich", "https://www.google.com/search?q=Forchstrasse+26+Zurich", "https://www.google.com/search?q=Olivengasse+1+Zurich", "https://www.google.com/search?q=Kreuzbuhlstrasse+2+Zurich", "https://www.google.com/search?q=Kreuzstrasse+82+Zurich", "https://www.google.com/search?q=Sihlfeldstrasse+54+Zurich", "https://www.google.com/search?q=Badenerstrasse+271+Zurich", "https://www.google.com/search?q=Zurlindenstrasse+292+Zurich", "https://www.google.com/search?q=Elsastrasse+18+Zurich", "https://www.google.com/search?q=Talacker+34+Zurich", "https://www.google.com/search?q=Merkurstrasse+38+Zurich", "https://www.google.com/search?q=Edelweissstrasse+45+Zurich", "https://www.google.com/search?q=Badenerstrasse+342+Zurich", "https://www.google.com/search?q=Badenerstrasse+338+Zurich", "https://www.google.com/search?q=Backerstrasse+7+Zurich", "https://www.google.com/search?q=Hardstrasse+5+Zurich", "https://www.google.com/search?q=Kanzleistrasse+109+Zurich", "https://www.google.com/search?q=Freiestrasse+96+Zurich", "https://www.google.com/search?q=Kanzleistrasse+76+Zurich", "https://www.google.com/search?q=Anwandstrasse+5+Zurich", "https://www.google.com/search?q=Zeughausstrasse+41+Zurich", "https://www.google.com/search?q=Zypressenstrasse+94+Zurich", "https://www.google.com/search?q=Herzbergstrasse+34+Aarau", "https://www.google.com/search?q=Badenerstrasse+540+Zurich", "https://www.google.com/search?q=Wolfbachstrasse+39+Zurich", "https://www.google.com/search?q=Kernstrasse+52+Zurich", "https://www.google.com/search?q=Hardstrasse+63+Zurich", "https://www.google.com/search?q=Altstetterstrasse+161+Zurich", "https://www.google.com/search?q=Saumackerstrasse+26+Zurich", "https://www.google.com/search?q=Rudenzweg+53+Zurich", "https://www.google.com/search?q=Buchholzstrasse+89+96+Zurich", "https://www.google.com/search?q=Kernstrasse+55+Zurich", "https://www.google.com/search?q=Badenerstrasse+621+Zurich", "https://www.google.com/search?q=Zweiackerstrasse+31+Zurich", "https://www.google.com/search?q=Dienerstrasse+12+Zurich", "https://www.google.com/search?q=Hardstrasse+89+Zurich", "https://www.google.com/search?q=Baslerstrasse+33+Zurich", "https://www.google.com/search?q=Brauerstrasse+104+Zurich", "https://www.google.com/search?q=Gamperstrasse+7+Zurich", "https://www.google.com/search?q=Schulstrasse+8+Schlieren", "https://www.google.com/search?q=Albulastrasse+50+Zurich", "https://www.google.com/search?q=Hohlstrasse+550+Zurich", "https://www.google.com/search?q=Klingenstrasse+24+Zurich", "https://www.google.com/search?q=Luisenstrasse+25+Zurich", "https://www.google.com/search?q=Johannesgasse+3+Zurich", "https://www.google.com/search?q=Luisenstrasse+21+Zurich", "https://www.google.com/search?q=Gasometerstrasse+9+Zurich", "https://www.google.com/search?q=Geerenweg+2+Zurich", "https://www.google.com/search?q=Stampfenbachstrasse+60+Zurich", "https://www.google.com/search?q=Sonneggstrasse+30+Zurich", "https://www.google.com/search?q=Quellenstrasse+27+Zurich", "https://www.google.com/search?q=Buacherstrasse+26+Oberrohrdorf", "https://www.google.com/search?q=Wasserwerkstrasse+6+Zurich", "https://www.google.com/search?q=Hardstrasse+243+Zurich", "https://www.google.com/search?q=Stampfenbachstrasse+103+Zurich", "https://www.google.com/search?q=Bernstrasse+27+Schlieren", "https://www.google.com/search?q=Sonneggstrasse+75+Zurich", "https://www.google.com/search?q=Bandlistrasse+54+Zurich", "https://www.google.com/search?q=Limmatstrasse+206+Zurich", "https://www.google.com/search?q=Heinrichstrasse+248+Zurich", "https://www.google.com/search?q=Weinbergstrasse+80+Zurich", "https://www.google.com/search?q=Forrlibuckstrasse+110+Zurich", "https://www.google.com/search?q=Hardstrasse+319+Zurich", "https://www.google.com/search?q=Weinbergstrasse+109+Zurich", "https://www.google.com/search?q=Scheuchzerstrasse+83+Zurich", "https://www.google.com/search?q=Breitensteinstrasse+57+Zurich", "https://www.google.com/search?q=Ackersteinstrasse+1+Zurich", "https://www.google.com/search?q=Leutholdstrasse+17+Zurich", "https://www.google.com/search?q=Kyburgstrasse+27+Zurich", "https://www.google.com/search?q=Wipkingerweg+14+Zurich", "https://www.google.com/search?q=Waidstrasse+3+Zurich", "https://www.google.com/search?q=Rotbuchstrasse+43+Zurich", "https://www.google.com/search?q=Riedikerstrasse+89+Riedikon", "https://www.google.com/search?q=Roschibachstrasse+71+Zurich", "https://www.google.com/search?q=Riedtlistrasse+9+Zurich", "https://www.google.com/search?q=Trottenstrasse+73+Zurich", "https://www.google.com/search?q=Hotzestrasse+33+Zurich", "https://www.google.com/search?q=Hofwiesenstrasse+18+Zurich", "https://www.google.com/search?q=Limmattalstrasse+252+Zurich", "https://www.google.com/search?q=Limmattalstrasse+177+Zurich", "https://www.google.com/search?q=Singlistrasse+15+Zurich", "https://www.google.com/search?q=Steinhaldenring+8+Geroldswil", "https://www.google.com/search?q=Mohrlistrasse+118+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+116+c+Zurich", "https://www.google.com/search?q=Schlosssweg+19+Veltheim+AG", "https://www.google.com/search?q=Anna+Heer+Strasse+23+Zurich", "https://www.google.com/search?q=Wehntalerstrasse+98+Zurich", "https://www.google.com/search?q=Ringstrasse+12+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+248+Zurich", "https://www.google.com/search?q=Berninaplatz+2+Zurich", "https://www.google.com/search?q=Wehntalerstrasse+299+Zurich", "https://www.google.com/search?q=Allenmoosstrasse+151+Zurich", "https://www.google.com/search?q=Baumackerstrasse+43+Zurich", "https://www.google.com/search?q=Salerstrasse+10+Zurich", "https://www.google.com/search?q=Sunnigehof+40+Zurich", "https://www.google.com/search?q=Luegislandstrasse+37+Zurich", "https://www.google.com/search?q=Auhofstrasse+38+Zurich", "https://www.google.com/search?q=Zurichstrasse+94+96+Dubendorf", "https://www.google.com/search?q=Wallisellenstrasse+48+Zurich", "https://www.google.com/search?q=Herzogenmuhlestrasse+20+Zurich", "https://www.google.com/search?q=Jungholzstrasse+28+Zurich", "https://www.google.com/search?q=Alte+Muhlackerstrasse+30+Zurich", "https://www.google.com/search?q=Thurgauerstrasse+39+Zurich", "https://www.google.com/search?q=Oberdorfstrasse+10+Dubendorf", "https://www.google.com/search?q=Horensteinstrasse+55+Zurich", "https://www.google.com/search?q=Schaffhauserstrasse+466+Zurich", "https://www.google.com/search?q=Lindenhof+11+Volketswil", "https://www.google.com/search?q=uberlandstrasse+206+Dubendorf", "https://www.google.com/search?q=Boulevard+Lilienthal+65+Zurich", "https://www.google.com/search?q=Wright+Strasse+32+Glattpark", "https://www.google.com/search?q=Steinackerweg+16+Wallisellen", "https://www.google.com/search?q=Schaffhauserstrasse+55+Glattbrugg", "https://www.google.com/search?q=Riethofstrasse+17+Opfikon", "https://www.google.com/search?q=Flughofstrasse+56+Glattbrugg", "https://www.google.com/search?q=Rietstrasse+31+Glattbrugg", "https://www.google.com/search?q=Frohlichstrasse+42+Brugg", "https://www.google.com/search?q=Riethofstrasse+40+Glattbrugg", "https://www.google.com/search?q=Gut+Hohenbuhl+Opfikon", "https://www.google.com/search?q=Aarauerstrasse+2+Brugg", "https://www.google.com/search?q=Walter+Mittelholzerstrasse+8+Glattbrugg", "https://www.google.com/search?q=Flughofstrasse+75+Rumlang", "https://www.google.com/search?q=Hofwisenstrasse+30+Rumlang", "https://www.google.com/search?q=Flughofstrasse+55+Rumlang", "https://www.google.com/search?q=Gartenstrasse+10+Kloten", "https://www.google.com/search?q=Forchstrasse+3+Kloten", "https://www.google.com/search?q=Grundackerweg+7+Riniken+AG", "https://www.google.com/search?q=Schaffhauserstrasse+89+Kloten", "https://www.google.com/search?q=Parking+1+Kloten", "https://www.google.com/search?q=Obstgartenstrasse+21+Kloten", "https://www.google.com/search?q=Geerenstrasse+26+Kloten", "https://www.google.com/search?q=Unnamed+Road+Kloten", "https://www.google.com/search?q=Wiesenrain+2+Oberglatt", "https://www.google.com/search?q=Auenring+15+Bassersdorf", "https://www.google.com/search?q=Ifangstrasse+12+Kloten", "https://www.google.com/search?q=Hohrainlistrasse+29+31+Kloten", "https://www.google.com/search?q=Ruebisbachstrasse+86+Kloten", "https://www.google.com/search?q=Dorfwisenstrasse+16+Schofflisdorf", "https://www.google.com/search?q=Tobelwiesstrasse+21+Nurensdorf", "https://www.google.com/search?q=Vogelhaldenstrasse+66+Augwil", "https://www.google.com/search?q=Pentaweg+22+Orpund", "https://www.google.com/search?q=Bramenstr+14+Bachenbulach", "https://www.google.com/search?q=Il+Stuz+3a+Flims+Waldhaus", "https://www.google.com/search?q=Beingassli+7+Salvenach", "https://www.google.com/search?q=Zurcherstrasse+180+Winterthur", "https://www.google.com/search?q=Route+Andre+Piller+2+Givisiez", "https://www.google.com/search?q=Turbinenstrasse+5+Winterthur", "https://www.google.com/search?q=Endlikerstrasse+43+Winterthur", "https://www.google.com/search?q=Wartstrasse+49+Winterthur", "https://www.google.com/search?q=Ackeretstrasse+1+Winterthur", "https://www.google.com/search?q=Neuwiesenstrasse+71+Winterthur", "https://www.google.com/search?q=Rudolf+Diesel+Str+5+Winterthur", "https://www.google.com/search?q=Nelkenstrasse+1+Winterthur", "https://www.google.com/search?q=Baumschulstrasse+11+Winterthur", "https://www.google.com/search?q=Costa+di+Mezzo+81+Brissago", "https://www.google.com/search?q=Via+Centro+Sportivo+11+Gordola", "https://www.google.com/search?q=Dorf+1+Randa", "https://www.google.com/search?q=St+Jakobs+Strasse+130+Muttenz", "https://www.google.com/search?q=Karl+Jaspers+Allee+1+Basel", "https://www.google.com/search?q=Grosspeterstrasse+12+Basel", "https://www.google.com/search?q=Dornacherstrasse+67+Basel", "https://www.google.com/search?q=In+der+Breite+1+Basel", "https://www.google.com/search?q=Pelikanweg+2+Basel", "https://www.google.com/search?q=Pizolstrasse+19+Sargans", "https://www.google.com/search?q=Hammerstrasse+46+Basel", "https://www.google.com/search?q=Binningerstrasse+94+Allschwil", "https://www.google.com/search?q=Flughafenstrasse+215+Basel", "https://www.google.com/search?q=Tittwiesenstrasse+21+Chur", "https://www.google.com/search?q=Rue+Theo+Bachmann+23+Saint+Louis", "https://www.google.com/search?q=Alte+Strasse+60+Weil+am+Rhein", "https://www.google.com/search?q=Unnamed+Road+Saint+Louis", "https://www.google.com/search?q=Via+Sirana+54+Lamone", "https://www.google.com/search?q=Rue+de+l'Artisanat+20b+Blotzheim", "https://www.google.com/search?q=Via+Fausto+Coppi+Agno", "https://www.google.com/search?q=Rue+Robert+Schuman+5+Bartenheim", "https://www.google.com/search?q=Zimmerstrasse+11+St+Gallen", "https://www.google.com/search?q=Oberstrasse+33+St+Gallen", "https://www.google.com/search?q=Obere+Strasse+19+Davos", "https://www.google.com/search?q=Tobelmuhlestrasse+2+Davos", "https://www.google.com/search?q=Talstrasse+17+Davos", "https://www.google.com/search?q=Talstrasse+37+Davos", "https://www.google.com/search?q=Chemin+de+la+Cavenettaz+3+Cugy", "https://www.google.com/search?q=Via+Fontana+Mora+28+Sesto+Calende", "https://www.google.com/search?q=Pre+du+Marche+42+Lausanne", "https://www.google.com/search?q=Chemin+des+Golliettes+9+Romanel+sur+Lausanne", "https://www.google.com/search?q=Avenue+de+Sevelin+44+Lausanne", "https://www.google.com/search?q=Avenue+du+Mont+d'Or+48+Lausanne", "https://www.google.com/search?q=Avenue+de+Cour+105+Lausanne", "https://www.google.com/search?q=Avenue+de+Montoie+35+Lausanne", "https://www.google.com/search?q=Avenue+de+Provence+84+Lausanne", "https://www.google.com/search?q=Chemin+du+Chene+1+Renens", "https://www.google.com/search?q=Via+dell'+Industria+4+Somma+Lombardo", "https://www.google.com/search?q=Via+Comunale+Antica+18+Somma+Lombardo", "https://www.google.com/search?q=Via+Giuseppe+Giusti+115+Somma+Lombardo", "https://www.google.com/search?q=Strada+Statale+336+14+Somma+Lombardo", "https://www.google.com/search?q=Via+Cipriano+Facchinetti+19", "https://www.google.com/search?q=Breisacher+Strasse+140+Freiburg", "https://www.google.com/search?q=Via+Etna+1+Cardano+Al+Campo", "https://www.google.com/search?q=Via+Vesuvio+13+15+Cardano+Al+Campo", "https://www.google.com/search?q=Av+des+Paquis+3+Morges", "https://www.google.com/search?q=P2++Executive+MXP+T1+", "https://www.google.com/search?q=Via+Piave+73+Ferno", "https://www.google.com/search?q=Chemin+de+Penguey+18+St+Prex", "https://www.google.com/search?q=Chemin+de+la+Bichette+5+Vich", "https://www.google.com/search?q=Chemin+du+Joran+2+Nyon", "https://www.google.com/search?q=Chemin+du+Colard+Le+Grand+Saconnex", "https://www.google.com/search?q=Rue+de+Lyon+21+Geneve", "https://www.google.com/search?q=Rue+de+Perruet+343+Ornex", "https://www.google.com/search?q=Chemin+de+Champs+Prevost+8+Vernier", "https://www.google.com/search?q=Rue+du+Dauphine+14+Geneve", "https://www.google.com/search?q=Rue+Boissonnais+14+Les+Acacias", "https://www.google.com/search?q=Rue+Eugene+Marziano+39+Les+Acacias", "https://www.google.com/search?q=Avenue+de+la+Praille+50+Carouge", "https://www.google.com/search?q=Rue+des+Entreprises+14+Meyrin", "https://www.google.com/search?q=Rue+Thomas+Edison+245+Saint+Genis+Pouilly", "https://www.google.com/search?q=Raccordo+Autostradale+Torino++Caselle", "https://www.google.com/search?q=Via+San+Maurizio+19+Caselle+Torinese", "https://www.google.com/search?q=Via+Commenda", "https://www.google.com/search?q=Via+Leini+99", "https://www.google.com/search?q=Viale+Certosa+14", "https://www.google.com/search?q=Avenue+de+Satolas+Green+Pusignan", "https://www.google.com/search?q=Rue+de+Finlande+2+Colombier+Saugnieu", "https://www.google.com/search?q=Avenue+Marechal+Juin+18+Saint+Laurent+de+Mure", "https://www.google.com/search?q=Avenue+d'Amsterdam+7+Saint+Laurent+de+Mure", "https://www.google.com/search?q=Route+de+Grenoble+61+Saint+Priest", "https://www.google.com/search?q=Zihlmattweg+45+Luzern", "https://www.google.com/search?q=Horwerstrasse+87+Luzern", "https://www.google.com/search?q=Horwerstrasse+93+Luzern", "https://www.google.com/search?q=Pilatusstrasse+4+Luzern", "https://www.google.com/search?q=Schweizerhofquai+1+Luzern", "https://www.google.com/search?q=Topferstrasse+3+Luzern", "https://www.google.com/search?q=Haldenstrasse+23+Luzern", "https://www.google.com/search?q=Flugplatzstrasse+31+Belp", "https://www.google.com/search?q=Schutzenmattstrasse+12+Bern", "https://www.google.com/search?q=Kirchstrasse+64+Koniz", "https://www.google.com/search?q=Morillonstrasse+86+Bern", "https://www.google.com/search?q=Rosengartenweg+1+Aarau", "https://www.google.com/search?q=Hintere+Bahnhofstrasse+7+Aarau", "https://www.google.com/search?q=Bahnhofpl+1+4+Aarau", "https://www.google.com/search?q=Feldlistrasse+29+Jona+SG", "https://www.google.com/search?q=Laurenzenvorstadt+12+Aarau", "https://www.google.com/search?q=Flosserstrasse+7+Aarau", "https://www.google.com/search?q=Girixweg+15+Aarau", "https://www.google.com/search?q=Zahnradstrasse+223+Zurich", "https://www.google.com/search?q=Roschibachstrasse+26+Zurich", "https://www.google.com/search?q=Hofwiesenstrasse+350+Zurich", "https://www.google.com/search?q=Mellingerstrasse+26+Baden", "https://www.google.com/search?q=Stadtturmstrasse+8+Baden", "https://www.google.com/search?q=Hohenbuhlstrasse+10+Opfikon", "https://www.google.com/search?q=Baderstrasse+2+Baden", "https://www.google.com/search?q=Werftstrasse+53+Kloten", "https://www.google.com/search?q=Unterer+Deutweg+93+Winterthur", "https://www.google.com/search?q=Via+Della+Morettina+2+Locarno", "https://www.google.com/search?q=Turmhaldenstrasse+1+Winterthur", "https://www.google.com/search?q=Obermuhlestrasse+7+Winterthur", "https://www.google.com/search?q=Spitalgasse+8+Winterthur", "https://www.google.com/search?q=Rennweg+4+Winterthur", "https://www.google.com/search?q=Technikumstrasse+9+Winterthur", "https://www.google.com/search?q=Pflanzschulstrasse+6+Winterthur", "https://www.google.com/search?q=Pflanzschulstrasse+9+Winterthur", "https://www.google.com/search?q=Adlerstrasse+2+Winterthur", "https://www.google.com/search?q=Museumstrasse+74+Winterthur", "https://www.google.com/search?q=Museumstrasse+52+Winterthur", "https://www.google.com/search?q=Gruzefeldstrasse+32+Winterthur", "https://www.google.com/search?q=Gruzefeldstrasse+30+Winterthur", "https://www.google.com/search?q=Liebestrasse+3+Winterthur", "https://www.google.com/search?q=Museumstrasse+32+Winterthur", "https://www.google.com/search?q=Rundstrasse+6+Winterthur", "https://www.google.com/search?q=Therese+Herzog+Weg+2+Rheinfelden+Baden+", "https://www.google.com/search?q=Bahnhofplatz+2+Rheinfelden+Baden+", "https://www.google.com/search?q=Cesar+Stunzi+Strasse+4+Rheinfelden+Baden+", "https://www.google.com/search?q=Hardstrasse+55+Pratteln", "https://www.google.com/search?q=Zahringerstrasse+11+Rheinfelden+Baden+", "https://www.google.com/search?q=Karl+Furstenberg+Strasse+32+Rheinfelden+Baden+", "https://www.google.com/search?q=Schillerstrasse+8+Rheinfelden+Baden+", "https://www.google.com/search?q=Zahringerstrasse+23+Rheinfelden+Baden+", "https://www.google.com/search?q=Eisenbahnstrasse+23+Waldshut+Tiengen", "https://www.google.com/search?q=Kaiserstrasse+91+F+Waldshut+Tiengen", "https://www.google.com/search?q=Gellertstrasse+235+Basel", "https://www.google.com/search?q=Bruglingerstrasse+19+21+Basel", "https://www.google.com/search?q=Bruglingerstrasse+17+Basel", "https://www.google.com/search?q=Gellertstrasse+146+Basel", "https://www.google.com/search?q=Gellertstrasse+144+Basel", "https://www.google.com/search?q=Gartenstrasse+143+Basel", "https://www.google.com/search?q=Gartenstrasse+150+Basel", "https://www.google.com/search?q=Meret+Oppenheim+Strasse+62+Basel", "https://www.google.com/search?q=Sankt+Jakobs+Strasse+7+Basel", "https://www.google.com/search?q=Aeschengraben+9+Basel", "https://www.google.com/search?q=Grenzacherstrasse+351+Basel", "https://www.google.com/search?q=Henric+Petri+Strasse+21+Basel", "https://www.google.com/search?q=Steinentorberg+5+Basel", "https://www.google.com/search?q=Steinenschanze+5+Basel", "https://www.google.com/search?q=Schwarzwaldstrasse+160+Basel", "https://www.google.com/search?q=Riehenstrasse+101+Basel", "https://www.google.com/search?q=Rebgasse+20+Basel", "https://www.google.com/search?q=Hammerstrasse+68+Basel", "https://www.google.com/search?q=Fischmarkt+10+Basel", "https://www.google.com/search?q=Webergasse+34+Basel", "https://www.google.com/search?q=Klingentalstrasse+25+Basel", "https://www.google.com/search?q=Klingelbergstrasse+20+Basel", "https://www.google.com/search?q=Marie+Curie+Strasse+4+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+7+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+5+Lorrach", "https://www.google.com/search?q=Weinbrennerstrasse+12+Lorrach", "https://www.google.com/search?q=Spitalstrasse+4+Lorrach", "https://www.google.com/search?q=Bahnhofstrasse+1+Lorrach", "https://www.google.com/search?q=Rue+Bartholdi+1+Saint+Louis", "https://www.google.com/search?q=Luisenstrasse+10+Lorrach", "https://www.google.com/search?q=Avenue+de+Bale+38+Saint+Louis", "https://www.google.com/search?q=Avenue+General+de+Gaulle+20+Saint+Louis", "https://www.google.com/search?q=Place+de+L'Europe+2+Saint+Louis", "https://www.google.com/search?q=Rue+Theo+Bachmann+14+16+Saint+Louis", "https://www.google.com/search?q=Rue+Du+Temple+16+Saint+Louis", "https://www.google.com/search?q=Rue+Theo+Bachmann+19+Saint+Louis", "https://www.google.com/search?q=Cite+Tricotages+15+Saint+Louis", "https://www.google.com/search?q=Rue+de+Mulhouse+44+Saint+Louis", "https://www.google.com/search?q=Rue+de+Mulhouse+60+Saint+Louis", "https://www.google.com/search?q=Rue+Du+Ballon+49+Saint+Louis", "https://www.google.com/search?q=A+35+Saint+Louis", "https://www.google.com/search?q=Rheinstrasse+20+Schaffhausen", "https://www.google.com/search?q=Frauengasse+20+Schaffhausen", "https://www.google.com/search?q=Fischerhauserstrasse+5+Schaffhausen", "https://www.google.com/search?q=Muhlentalstrasse+2+Schaffhausen", "https://www.google.com/search?q=Bachstrasse+55+Schaffhausen", "https://www.google.com/search?q=Bachstrasse+72+Schaffhausen", "https://www.google.com/search?q=Reichenfeldstrasse+5+Feldkirch", "https://www.google.com/search?q=Hirschgraben+4+Feldkirch", "https://www.google.com/search?q=Am+Seebuck+12+Feldberg+Schwarzwald+", "https://www.google.com/search?q=Via+Francesco+Baracca+2+Arona", "https://www.google.com/search?q=Place+Salvator+45+Mulhouse", "https://www.google.com/search?q=Rue+Du+Mittelbach+2+Mulhouse", "https://www.google.com/search?q=Grand+Rue+32+Mulhouse", "https://www.google.com/search?q=Rue+de+Lorraine+1+Mulhouse", "https://www.google.com/search?q=Rue+Des+Orphelins+19+Mulhouse", "https://www.google.com/search?q=Rue+Franklin+70+Mulhouse", "https://www.google.com/search?q=Rue+Du+Rotillon+13+Lausanne", "https://www.google.com/search?q=Place+de+La+Riponne+12+Lausanne", "https://www.google.com/search?q=Rue+Du+Valentin+13+Lausanne", "https://www.google.com/search?q=Rue+Du+Petit+Chene+34+Lausanne", "https://www.google.com/search?q=Rue+de+Geneve+24+Lausanne", "https://www.google.com/search?q=Chemin+Des+Bossons+2+Lausanne", "https://www.google.com/search?q=Avenue+Bergieres+10+Lausanne", "https://www.google.com/search?q=Avenue+Du+Rond+Point+9+Lausanne", "https://www.google.com/search?q=Chemin+de+Mornex+36+Lausanne", "https://www.google.com/search?q=Spitalgasse+1+Bludenz", "https://www.google.com/search?q=Avenue+Bergieres+50+Lausanne", "https://www.google.com/search?q=Avenue+Du+Censuy+36+Renens", "https://www.google.com/search?q=Avenue+de+La+Piscine+7+Renens", "https://www.google.com/search?q=Avenue+Du+14+Renens", "https://www.google.com/search?q=Place+de+La+Gare+5+Renens", "https://www.google.com/search?q=Rathauspl+1+Dornbirn", "https://www.google.com/search?q=Schwarzwaldstrasse+193+Freiburg+im+Breisgau", "https://www.google.com/search?q=Via+Bozza+Dei+Salici+1+Somma+Lombardo", "https://www.google.com/search?q=Via+Processione+21+Somma+lombardo", "https://www.google.com/search?q=Viale+Dell'+Industria+12+Somma+lombardo", "https://www.google.com/search?q=Via+Del+Barchello+6+Somma+Lombardo", "https://www.google.com/search?q=Rue+Des+Chavannes+1+Cossonay", "https://www.google.com/search?q=Via+Giuseppe+Giusti+103+Somma+Lombardo", "https://www.google.com/search?q=Via+Comunale+Antica+101+Somma+Lombardo", "https://www.google.com/search?q=Via+Giuseppe+Giusti+96+Somma+Lombardo", "https://www.google.com/search?q=Wasserstrasse+7+Freiburg+im+Breisgau", "https://www.google.com/search?q=Predigerstrasse+2+Freiburg+im+Breisgau", "https://www.google.com/search?q=Wentzingerstrasse+13+Freiburg+im+Breisgau", "https://www.google.com/search?q=Strada+Statale+336+Somma+lombardo", "https://www.google.com/search?q=Via+Luigi+Bailo+11+Case+Nuove", "https://www.google.com/search?q=Strada+Per+La+Malpensa+11+Case+Nuove", "https://www.google.com/search?q=Rue+Des+Charpentiers+3+Morges", "https://www.google.com/search?q=Taille+Du+Grand+Mas+115+Morzine", "https://www.google.com/search?q=D+469+567+Morzine", "https://www.google.com/search?q=Via+Per+Tornavento+5+Somma+Lombardo", "https://www.google.com/search?q=Strada+Statale+336+Ferno", "https://www.google.com/search?q=Allee+de+L'Option+Francaise+5+Belfort", "https://www.google.com/search?q=Via+Don+Andrea+Sacconago+2+Vizzola+Ticino", "https://www.google.com/search?q=Rue+de+Cambrai+16+Belfort", "https://www.google.com/search?q=Faubourg+de+Montbeliard+28+Belfort", "https://www.google.com/search?q=C+Rue+Stractman+3+Belfort", "https://www.google.com/search?q=Rue+de+Cambrai+1+3+Belfort", "https://www.google.com/search?q=Avenue+Wilson+6+Belfort", "https://www.google.com/search?q=Rue+de+La+Republique+6+Belfort", "https://www.google.com/search?q=Faubourg+de+Montbeliard+10+Belfort", "https://www.google.com/search?q=Rue+Comte+de+La+Suze+2+4+Belfort", "https://www.google.com/search?q=Rue+Stractman+19+Belfort", "https://www.google.com/search?q=Rue+de+La+Cavalerie+6+Belfort", "https://www.google.com/search?q=Rue+de+L'As+de+Carreau+7+Belfort", "https://www.google.com/search?q=Rue+Du+General+Kleber+5+Belfort", "https://www.google.com/search?q=Via+Milano+75+Cardano+Al+Campo", "https://www.google.com/search?q=Sp+5+Vizzola+Ticino", "https://www.google.com/search?q=Rue+Du+General+Strolz+1+3+Belfort", "https://www.google.com/search?q=Blvd+de+Lattre+de+Tassigny+16+Belfort", "https://www.google.com/search?q=Sp+52+Lonate+Pozzolo", "https://www.google.com/search?q=Via+Sant'Anna+24+Sant'Anna+Ovest", "https://www.google.com/search?q=Hochburger+Strasse+4+Emmendingen", "https://www.google.com/search?q=Via+Don+Pozzi+43+Robecchetto+Con+Induno", "https://www.google.com/search?q=Omesberg+9+Lech", "https://www.google.com/search?q=Place+Charles+de+Gaulle+174+Cluses", "https://www.google.com/search?q=Fluhenweg+540+Lech", "https://www.google.com/search?q=Passage+Des+Allobroges+7+Cluses", "https://www.google.com/search?q=Rue+Bruat+7+Colmar", "https://www.google.com/search?q=Rue+Hertrich+10+Colmar", "https://www.google.com/search?q=Viale+Alessandro+Manzoni+11+Novara", "https://www.google.com/search?q=Piazza+Martiri+Della+Liberta+3+Novara", "https://www.google.com/search?q=Route+de+Passy+121+Domancy", "https://www.google.com/search?q=Chemin+de+Fleuri+4+Begnins", "https://www.google.com/search?q=Rue+Juste+Olivier+22+Nyon", "https://www.google.com/search?q=Piazzale+G+Marconi+3+Trecate", "https://www.google.com/search?q=Avenue+Perdtemps+3+Nyon", "https://www.google.com/search?q=Rue+Sainte+Catherine+15+Bonneville", "https://www.google.com/search?q=Rue+de+Geneve+148+Thonex", "https://www.google.com/search?q=Av+de+Saint+Paul+6+Cologny", "https://www.google.com/search?q=Rue+Du+Jeu+de+l'Arc+9+Geneve", "https://www.google.com/search?q=Avenue+Pictet+de+Rochemont+7+Geneve", "https://www.google.com/search?q=Voie+des+Traz+6+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+Des+Batailleux+3+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+de+L'Aeroport+21+Le+Grand+Saconnex", "https://www.google.com/search?q=Route+de+L'Aeroport+21+Meyrin", "https://www.google.com/search?q=D+119+Bourg+Saint+Maurice", "https://www.google.com/search?q=Rue+de+La+Daille+228+332+Val+d'Isere", "https://www.google.com/search?q=D+5+Val+d'Isere", "https://www.google.com/search?q=Avenue+Louis+Armand+21+Saint+Julien+en+Genevois", "https://www.google.com/search?q=Prom+Du+Cret+1+Saint+Julien+en+Genevois", "https://www.google.com/search?q=Route+D'Annecy+403+Neydens", "https://www.google.com/search?q=D+1201+Beaumont", "https://www.google.com/search?q=Chemin+de+Bronnaz+37+Presilly", "https://www.google.com/search?q=Impasse+Des+Glaises+2+114+Villy+le+Pelloux", "https://www.google.com/search?q=Lato+Partenze+12+Aeroporto", "https://www.google.com/search?q=Lato+Partenze+34+Aeroporto", "https://www.google.com/search?q=D+52+Macot+la+Plagne", "https://www.google.com/search?q=D+224+Macot+la+Plagne", "https://www.google.com/search?q=Via+Torino+1963+Caselle+torinese", "https://www.google.com/search?q=D+223+Macot+la+Plagne", "https://www.google.com/search?q=Rue+de+La+Gare+51+Pringy", "https://www.google.com/search?q=Route+de+Frangy+93+Pringy", "https://www.google.com/search?q=Via+Alle+Fabbriche+85+Caselle+Torinese", "https://www.google.com/search?q=Avenue+D'Albigny+37+Annecy", "https://www.google.com/search?q=Rue+Baron+Pierre+de+Coubertin+4+Annecy", "https://www.google.com/search?q=Rue+Guillaume+Fichet+9+Annecy", "https://www.google.com/search?q=Rue+Louis+Revon+15+Annecy", "https://www.google.com/search?q=Chemin+de+Colmyr+1+Annecy", "https://www.google.com/search?q=Place+Des+Romains+13+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+52+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+31+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+29+Annecy", "https://www.google.com/search?q=Rue+Des+Marquisats+34+Annecy", "https://www.google.com/search?q=Quai+de+La+Tournette+200+Annecy", "https://www.google.com/search?q=Boulevard+Decouz+16+Annecy", "https://www.google.com/search?q=Rue+de+La+Providence+8+Annecy", "https://www.google.com/search?q=Chemin+de+La+Tour+La+Reine+3+Annecy", "https://www.google.com/search?q=Chemin+de+La+Tour+La+Reine+1+Annecy", "https://www.google.com/search?q=Rue+Des+Glieres+10+Annecy", "https://www.google.com/search?q=Avenue+de+La+Visitation+12+14+Annecy", "https://www.google.com/search?q=Boschetti+++Loverchy+19+Annecy", "https://www.google.com/search?q=Rue+Andre+Gide+15+Annecy", "https://www.google.com/search?q=Avenue+Du+Stade+16+Meythet", "https://www.google.com/search?q=Rue+Arthur+Rimbaud+4+Seynod", "https://www.google.com/search?q=Piazza+Sofia+23+Torino", "https://www.google.com/search?q=Via+Orvieto+25+Torino", "https://www.google.com/search?q=Str+Del+Fortino+36+Torino", "https://www.google.com/search?q=Via+Modena+30+Torino", "https://www.google.com/search?q=Piazza+Della+Repubblica+20+Torino", "https://www.google.com/search?q=Corso+XI+Febbraio+3+Torino", "https://www.google.com/search?q=Piazza+Emanuele+Filiberto+14+Torino", "https://www.google.com/search?q=Via+Santa+Chiara+17+Torino", "https://www.google.com/search?q=Via+Antonio+Fontanesi+16+Torino", "https://www.google.com/search?q=Via+Alessandro+Manzoni+3+Torino", "https://www.google.com/search?q=Via+Porta+Palatina+13+Torino", "https://www.google.com/search?q=Via+Antonio+Fontanesi+2+Torino", "https://www.google.com/search?q=Via+Filippo+Juvarra+22+Torino", "https://www.google.com/search?q=Avenue+D'Aix+les+Bains+714+Seynod", "https://www.google.com/search?q=Via+Antonio+Bertola+48+Torino", "https://www.google.com/search?q=Piazza+Castello+113+Torino", "https://www.google.com/search?q=Corso+Bolzano+47+Torino", "https://www.google.com/search?q=Via+Giuseppe+Giusti+1+Torino", "https://www.google.com/search?q=Via+Lera+12+Torino", "https://www.google.com/search?q=Corso+Re+Umberto+2+Torino", "https://www.google.com/search?q=Piazza+Vittorio+Veneto+13+Torino", "https://www.google.com/search?q=Via+Giovanni+Giolitti+14+Torino", "https://www.google.com/search?q=Via+Piero+Gobetti+3+Torino", "https://www.google.com/search?q=Corso+Vittorio+Emanuele+II+124+Torino", "https://www.google.com/search?q=Via+Cavour+25+Torino", "https://www.google.com/search?q=Via+Giuseppe+Pomba+25+Torino", "https://www.google.com/search?q=Via+Piero+Gobetti+9+Torino", "https://www.google.com/search?q=Corso+Racconigi+47+Torino", "https://www.google.com/search?q=Via+S+Quintino+4+Torino", "https://www.google.com/search?q=Via+Giambattista+Bodoni+2+Torino", "https://www.google.com/search?q=Via+Roma+19+Torino", "https://www.google.com/search?q=Corso+Francia+323+Torino", "https://www.google.com/search?q=Corso+Stati+Uniti+44+Torino", "https://www.google.com/search?q=Via+Valeggio+18+Torino", "https://www.google.com/search?q=Via+Serrano+24+Torino", "https://www.google.com/search?q=Rue+D'Ambrail+23+epinal", "https://www.google.com/search?q=Place+de+L'atre+21+epinal", "https://www.google.com/search?q=Avenue+Gambetta+1+epinal", "https://www.google.com/search?q=Rue+Entre+Les+32+epinal", "https://www.google.com/search?q=Route+de+L'Aeroport+260+Voglans", "https://www.google.com/search?q=Place+Saint+Pierre+de+Mache+3+Chambery", "https://www.google.com/search?q=Ruelle+Marion+14+Bourg+en+Bresse", "https://www.google.com/search?q=Place+Vaucanson+3+Grenoble", "https://www.google.com/search?q=Rue+Anthoard+21+Grenoble", "https://www.google.com/search?q=Rue+Irvoy+18+Grenoble", "https://www.google.com/search?q=Rue+Des+Peupliers+12+Grenoble", "https://www.google.com/search?q=Rue+Bigonnet+6+Macon", "https://www.google.com/search?q=Rue+Ampere+64+Grenoble", "https://www.google.com/search?q=Rue+Maurice+Dodero+13+Grenoble", "https://www.google.com/search?q=Rue+Aime+Pupin+13+Grenoble", "https://www.google.com/search?q=Avenue+D'Innsbruck+330+Grenoble", "https://www.google.com/search?q=Rue+Aime+Pupin+35+Grenoble", "https://www.google.com/search?q=Rue+Lamartine+13+Seyssinet+Pariset", "https://www.google.com/search?q=Rue+Albert+Londres+21+echirolles", "https://www.google.com/search?q=Rue+Du+Dauphine+37+Seyssins", "https://www.google.com/search?q=Avenue+de+Grenoble+85+Seyssins", "https://www.google.com/search?q=Cours+Saint+Andre+32+Le+Pont+de+Claix", "https://www.google.com/search?q=Rue+De+France+2+Colombier+Saugnieu", "https://www.google.com/search?q=Avenue+Henri+Schneider+355+Meyzieu", "https://www.google.com/search?q=Rue+Antoine+Becquerel+190+Meyzieu", "https://www.google.com/search?q=D+34+Grenay", "https://www.google.com/search?q=Les+Terreaux+78+Genas", "https://www.google.com/search?q=Rue+de+La+Gare+51+Meyzieu", "https://www.google.com/search?q=Rue+Francisco+Ferrer+25+Decines+Charpieu", "https://www.google.com/search?q=Route+de+La+Digue+25+Cluny", "https://www.google.com/search?q=Prom+Du+Fouettin+7+Cluny", "https://www.google.com/search?q=Place+Du+Champ+de+Foire+9+Cluny", "https://www.google.com/search?q=Rue+Emile+Bertrand+3+Decines+Charpieu", "https://www.google.com/search?q=Chemin+de+La+Grange+29+Chassieu", "https://www.google.com/search?q=Avenue+de+L'Europe+2179+Rillieux+la+Pape", "https://www.google.com/search?q=Blvd+de+La+Resistance+15+Vif", "https://www.google.com/search?q=Avenue+Marius+Berliet+5+Chassieu", "https://www.google.com/search?q=Rue+Maurice+Moissonnier+3+Vaulx+en+Velin", "https://www.google.com/search?q=Cours+Emile+Zola+419+Villeurbanne", "https://www.google.com/search?q=Av+Pierre+Mendes+France+30+Saint+Priest", "https://www.google.com/search?q=Boulevard+Niels+Bohr+70+Villeurbanne", "https://www.google.com/search?q=Avenue+Du+Doyen+Jean+Lepine+36+Bron", "https://www.google.com/search?q=Bd+Peripherique+Laurent+Bonnevay+29+Bron", "https://www.google.com/search?q=Avenue+Doyen+Jean+Lepine+32+Bron", "https://www.google.com/search?q=Avenue+Prolongee+Du+Doyen+Jean+Lepine+36+Bron", "https://www.google.com/search?q=Boulevard+Pinel+61+Bron", "https://www.google.com/search?q=Boulevard+Pinel+67+Bron", "https://www.google.com/search?q=Rue+Poizat+21+Villeurbanne", "https://www.google.com/search?q=Place+Jules+Grandclement+60+Villeurbanne", "https://www.google.com/search?q=Rue+Anatole+France+96+Villeurbanne", "https://www.google.com/search?q=Rue+Racine+51+Villeurbanne", "https://www.google.com/search?q=Rue+de+L'Est+4+Lyon", "https://www.google.com/search?q=Rue+Jean+Moulin+90+Caluire+et+Cuire", "https://www.google.com/search?q=Avenue+Pierre+Terrasse+5+Caluire+et+Cuire", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+34+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+64+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+94+Lyon", "https://www.google.com/search?q=Quai+Charles+de+Gaulle+104+Lyon", "https://www.google.com/search?q=Rue+Du+Garet+187+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+elie+Metral+3+Bron", "https://www.google.com/search?q=Place+Jules+Ferry+4+Lyon", "https://www.google.com/search?q=Rue+Vauban+1611+Lyon", "https://www.google.com/search?q=Rue+D'Aubigny+2+Lyon", "https://www.google.com/search?q=Rue+Maurice+Flandin+31+Lyon", "https://www.google.com/search?q=Rue+de+Bonnel+110+Lyon", "https://www.google.com/search?q=Boulevard+Burdeau+91+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+de+La+Villette+36+Lyon", "https://www.google.com/search?q=Rue+Ney+19+Lyon", "https://www.google.com/search?q=Rue+Maurice+Flandin+68+Lyon", "https://www.google.com/search?q=Rue+Tronchet+00104+Lyon", "https://www.google.com/search?q=Rue+de+La+Villette+60+Lyon", "https://www.google.com/search?q=Avenue+Georges+Pompidou+3+Lyon", "https://www.google.com/search?q=Rue+Du+Dr+Bouchut+17+Lyon", "https://www.google.com/search?q=Rue+Vauban+88+Lyon", "https://www.google.com/search?q=Rue+Servient+114+Lyon", "https://www.google.com/search?q=Rue+Vendome+18+Lyon", "https://www.google.com/search?q=Rue+Garibaldi+156+Lyon", "https://www.google.com/search?q=Rue+Philippe+Heron+125+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+de+Thizy+310+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+Leon+Weber+84+Villefranche+sur+Saone", "https://www.google.com/search?q=Rue+Garibaldi+236+Lyon", "https://www.google.com/search?q=Rue+Des+Combats+Du+2+Venissieux", "https://www.google.com/search?q=Rue+de+Crequi+139+Lyon", "https://www.google.com/search?q=Rue+de+Crequi+183+Lyon", "https://www.google.com/search?q=Rue+de+La+Gare+de+Cuire+3+Caluire+et+Cuire", "https://www.google.com/search?q=Rue+Belfort+73+Lyon", "https://www.google.com/search?q=Rue+Coste+1+Caluire+et+Cuire", "https://www.google.com/search?q=Place+Du+Marechal+Lyautey+19+Lyon", "https://www.google.com/search?q=Rue+Pierre+Corneille+85+Lyon", "https://www.google.com/search?q=Rue+Moncey+31+Lyon", "https://www.google.com/search?q=Rue+Aime+Boussange+1+Lyon", "https://www.google.com/search?q=Place+Tolozan+21+Lyon", "https://www.google.com/search?q=Quai+Jean+Moulin+2+Lyon", "https://www.google.com/search?q=Rue+Bonnefoi+4+Lyon", "https://www.google.com/search?q=Blvd+Des+Canuts+1+Lyon", "https://www.google.com/search?q=Rue+de+L'Abbe+Rozier+4+Lyon", "https://www.google.com/search?q=Rue+Antoine+Salles+11+Lyon", "https://www.google.com/search?q=Rue+Des+Tables+Claudiennes+14+Lyon", "https://www.google.com/search?q=Rue+Des+Capucins+12+Lyon", "https://www.google.com/search?q=Rue+de+La+Bourse+20+Lyon", "https://www.google.com/search?q=Quai+Victor+Augagneur+29+Lyon", "https://www.google.com/search?q=Rue+Grolee+2+Lyon", "https://www.google.com/search?q=Blvd+de+La+Croix+Rousse+126+Lyon", "https://www.google.com/search?q=Rue+D'Algerie+23+Lyon", "https://www.google.com/search?q=Rue+Du+Jardin+Des+Plantes+9+Lyon", "https://www.google.com/search?q=Rue+Childebert+20+Lyon", "https://www.google.com/search?q=Rue+Capitaine+Robert+Cluzan+20+Lyon", "https://www.google.com/search?q=Rue+Tupin+14+18+Lyon", "https://www.google.com/search?q=Rue+Salomon+Reinach+25+Lyon", "https://www.google.com/search?q=Quai+de+La+Pecherie+14+Lyon", "https://www.google.com/search?q=Rue+de+Flesselles+14+Lyon", "https://www.google.com/search?q=Quai+Docteur+Gailleton+6+Lyon", "https://www.google.com/search?q=Rue+de+La+Navigation+5+Lyon", "https://www.google.com/search?q=Quai+Des+Celestins+11+Lyon", "https://www.google.com/search?q=Avenue+Berthelot+41+Lyon", "https://www.google.com/search?q=Quai+Romain+Rolland+25+Lyon", "https://www.google.com/search?q=Place+Bellecour+32+Lyon", "https://www.google.com/search?q=Avenue+Adolphe+Max+4+Lyon", "https://www.google.com/search?q=Rue+de+Marseille+99+Lyon", "https://www.google.com/search?q=Quai+Fulchiron+8+Lyon", "https://www.google.com/search?q=Rue+Remparts+D'Ainay+24+Lyon", "https://www.google.com/search?q=Place+Jean+Jaures+1+Lyon", "https://www.google.com/search?q=Quai+Tilsitt+17+Lyon", "https://www.google.com/search?q=Rue+Rhin+Et+Danube+9+Lyon", "https://www.google.com/search?q=Rue+de+St+Cyr+51+Lyon", "https://www.google.com/search?q=Rue+Des+Farges+21+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+14+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+30+Lyon", "https://www.google.com/search?q=Rue+Smith+12+Lyon", "https://www.google.com/search?q=Cours+de+Verdun+Rambaud+6+Lyon", "https://www.google.com/search?q=Place+de+L'Abbe+Larue+1+Lyon", "https://www.google.com/search?q=Avenue+Du+1+Venissieux", "https://www.google.com/search?q=Avenue+Debourg+62+Lyon", "https://www.google.com/search?q=Avenue+Jean+Jaures+317+La+Mulatiere", "https://www.google.com/search?q=Place+Des+Pavillons+28+Lyon", "https://www.google.com/search?q=Rue+De+La+Pepiniere+Royale+56+Lyon", "https://www.google.com/search?q=Rue+Du+Vercors+13+Lyon", "https://www.google.com/search?q=Avenue+Ben+Gourion+480+Lyon", "https://www.google.com/search?q=ecole+Normale+Superieure+Lettres+Et+Sciences+Humaines+11+Lyon", "https://www.google.com/search?q=Rue+Marius+Donjon+5+Lyon", "https://www.google.com/search?q=Rue+Paul+Montrochet+1+Lyon", "https://www.google.com/search?q=Rue+Jonas+Salk+16+Lyon", "https://www.google.com/search?q=Rue+Hrant+Dink+36+Lyon", "https://www.google.com/search?q=Avenue+Edmond+Locard+308+Oullins", "https://www.google.com/search?q=Rue+Narcisse+Bertholey+21+Oullins", "https://www.google.com/search?q=D+3+5+Saint+Genis+Laval", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+97+Salzburg", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+4+Himmelreich", "https://www.google.com/search?q=Bundesstrasse+50+Wals", "https://www.google.com/search?q=Oberfeldstrasse+27+Wals", "https://www.google.com/search?q=aussere+Spitalhofstrasse+15+17+Passau", "https://www.google.com/search?q=Bahnhofstrasse+1d+Wien", "https://www.google.com/search?q=Linzer+Strasse+6+8+Wien", "https://www.google.com/search?q=Hintschiggasse+1+Wien", "https://www.google.com/search?q=Giselhergasse+1+5+Wien", "https://www.google.com/search?q=Sankt+Johann+Gasse+1+Wien", "https://www.google.com/search?q=Pelzgasse+3+Wien", "https://www.google.com/search?q=Lohrgasse+2+Wien", "https://www.google.com/search?q=Arsenal+4+Wien", "https://www.google.com/search?q=Lilienthalgasse+1+Wien", "https://www.google.com/search?q=Parkplatz+nur+fur+Clever+Fit+Mitglieder,+Franz+Klein+Gasse+3+Wien", "https://www.google.com/search?q=Arsenal+15+Wien", "https://www.google.com/search?q=Arsenal+18+22+Wien", "https://www.google.com/search?q=Arsenal+13+Wien", "https://www.google.com/search?q=Baumgasse+83+Wien", "https://www.google.com/search?q=Muhlgasse+28+Schwechat", "https://www.google.com/search?q=Muhlgasse+30+Schwechat", "https://www.google.com/search?q=Eisteichstrasse+20+Schwechat", "https://www.google.com/search?q=L2064+94+96+Schwechat", "https://www.google.com/search?q=Am+Eisteich+5+Schwadorf+bei+Wien", "https://www.google.com/search?q=Ausweichstrasse+Schwechat", "https://www.google.com/search?q=Betriebsstrasse+Schwechat", "https://www.google.com/search?q=Office+Park+Allee+Schwechat", "https://www.google.com/search?q=Budapester+Strasse+6+7", "https://www.google.com/search?q=Marco+Polo+Strasse+1+Fischamend", "https://www.google.com/search?q=E571+04+Bratislava", "https://www.google.com/search?q=Am+Isarkanal+2+Eitting", "https://www.google.com/search?q=Eichenstrasse+70+Oberding", "https://www.google.com/search?q=Nordallee+25+Munchen+Flughafen", "https://www.google.com/search?q=Eichenstrasse+10+Oberding", "https://www.google.com/search?q=Eschenallee+9+Oberding", "https://www.google.com/search?q=Lohstrasse+24B+Oberding", "https://www.google.com/search?q=Franzheimer+Ring+9+Moosinning", "https://www.google.com/search?q=Giselastrasse+2+Hallbergmoos", "https://www.google.com/search?q=Verw+,Subz+Geb+131+01+1+Munchen", "https://www.google.com/search?q=Raiffeisenstrasse+32+Freising", "https://www.google.com/search?q=Lilienthalstrasse+3+Hallbergmoos", "https://www.google.com/search?q=Lilienthalstrasse+3+5+Hallbergmoos", "https://www.google.com/search?q=Meistersingerstrasse+154+Munchen", "https://www.google.com/search?q=Sudring+Freising", "https://www.google.com/search?q=Fliederstrasse+20+Freising", "https://www.google.com/search?q=Am+Tucherpark+7+Munchen", "https://www.google.com/search?q=Baaderstrasse+82+Munchen", "https://www.google.com/search?q=Fritz+Winter+Strasse+7+Munchen", "https://www.google.com/search?q=Johann+Fichte+Strasse+12+Munchen", "https://www.google.com/search?q=Gertrud+Grunow+Strasse+45+Munchen", "https://www.google.com/search?q=Landwehrstrasse+10+Munchen", "https://www.google.com/search?q=Zenettistrasse+7+Munchen", "https://www.google.com/search?q=Adolf+Kolping+Strasse+10+Munchen", "https://www.google.com/search?q=Luisenstrasse+61+Munchen", "https://www.google.com/search?q=Senefelderstrasse+1+Munchen", "https://www.google.com/search?q=Dachauer+Strasse+21+Munchen", "https://www.google.com/search?q=Hofmannstrasse+29+Munchen", "https://www.google.com/search?q=Landsberger+Strasse+14+Munchen", "https://www.google.com/search?q=Rupprechtstrasse+22+Munchen", "https://www.google.com/search?q=Hansastrasse+44+Munchen", "https://www.google.com/search?q=Landshuter+Allee+81+Munchen", "https://www.google.com/search?q=Reitknechtstrasse+6+Munchen", "https://www.google.com/search?q=Am+Flughafen+42+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12A+Memmingerberg", "https://www.google.com/search?q=Am+Flughafen+12+Memmingerberg", "https://www.google.com/search?q=Flughafen+Strasse+39+Memmingerberg", "https://www.google.com/search?q=Teramostrasse+29+Memmingen", "https://www.google.com/search?q=Flughafenstrasse+11+Altenrhein", "https://www.google.com/search?q=Allmannsweilerstrasse+97+3+Friedrichshafen", "https://www.google.com/search?q=Langgasse+110+St+Gallen", "https://www.google.com/search?q=Lindenstrasse+77+St+Gallen", "https://www.google.com/search?q=St+Jakobstrasse+64+St+Gallen", "https://www.google.com/search?q=Wartensteinstrasse+4+St+Gallen", "https://www.google.com/search?q=Pfauengasslein+2+St+Gallen", "https://www.google.com/search?q=Eschenstrasse+1+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+32+St+Gallen", "https://www.google.com/search?q=Vadianstrasse+42+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+74+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+68+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+70+St+Gallen", "https://www.google.com/search?q=Rosenbergstrasse+75+St+Gallen", "https://www.google.com/search?q=Davidstrasse+45+St+Gallen", "https://www.google.com/search?q=Zurcher+Strasse+25+St+Gallen", "https://www.google.com/search?q=Pappelstrasse+7+Kesswil", "https://www.google.com/search?q=Egelmoosstrasse+49+Amriswil", "https://www.google.com/search?q=Industriestrasse+7+Filderstadt", "https://www.google.com/search?q=Liebigstrasse+6+Ostfildern", "https://www.google.com/search?q=Zeltenschlagstrasse+4+Leoben", "https://www.google.com/search?q=Grazer+Strasse+23+Mariazell", "https://www.google.com/search?q=Eggersdorfer+Strasse+18+Amstetten", "https://www.google.com/search?q=Graben+28+Amstetten", "https://www.google.com/search?q=Eggersdorfer+Strasse+6+Amstetten", "https://www.google.com/search?q=Graben+42+Amstetten", "https://www.google.com/search?q=Alte+Zeile+7+Amstetten", "https://www.google.com/search?q=Krankenhausstrasse+12+Amstetten", "https://www.google.com/search?q=Feldstrasse+2+Ennsdorf+bei+Enns", "https://www.google.com/search?q=Herrengasse+3+Wolfsberg", "https://www.google.com/search?q=Andritzer+Reichsstrasse+174+Graz", "https://www.google.com/search?q=Fischeraustrasse+22+Graz", "https://www.google.com/search?q=Bergstrasse+27+Graz", "https://www.google.com/search?q=Waagner+Biro+Strasse+98+Graz", "https://www.google.com/search?q=Austeingasse+30+Graz", "https://www.google.com/search?q=WienerStrasse+98+Graz", "https://www.google.com/search?q=Europapl+12+Graz", "https://www.google.com/search?q=Korosistrasse+67+Graz", "https://www.google.com/search?q=Bahnhofgurtel+89+Graz", "https://www.google.com/search?q=Koflacher+G+3+Graz", "https://www.google.com/search?q=Korblergasse+111+113+Graz", "https://www.google.com/search?q=Babenbergerstrasse+2+Graz", "https://www.google.com/search?q=Eggenberger+Gurtel+10+Graz", "https://www.google.com/search?q=Marienpl+1+Graz", "https://www.google.com/search?q=Traungauergasse+13+Graz", "https://www.google.com/search?q=Kremsmunsterer+Str+23+Linz", "https://www.google.com/search?q=Neubaugasse+11+Graz", "https://www.google.com/search?q=Sankt+Georgen+Gasse+10+Graz", "https://www.google.com/search?q=Idlhofgasse+74+Graz", "https://www.google.com/search?q=Dreihackengasse+7+Graz", "https://www.google.com/search?q=Kaiser+Franz+Josef+Kai+18+Graz", "https://www.google.com/search?q=Lendkai+19+Graz", "https://www.google.com/search?q=Dreihackengasse+33+Graz", "https://www.google.com/search?q=Lendkai+1+Graz", "https://www.google.com/search?q=Feuerbachgasse+18+Graz", "https://www.google.com/search?q=Rosselmuhlgasse+12+Graz", "https://www.google.com/search?q=Dreihackengasse+42+Graz", "https://www.google.com/search?q=Grieskai+16+Graz", "https://www.google.com/search?q=Andreas+Hofer+Platz+9+Graz", "https://www.google.com/search?q=Andreas+Hofer+Platz+3+Graz", "https://www.google.com/search?q=Hartiggasse+4+Graz", "https://www.google.com/search?q=Fabriksgasse+17+Graz", "https://www.google.com/search?q=Untere+Schonbrunngasse+7+11+Graz", "https://www.google.com/search?q=Friedrichgasse+13+Graz", "https://www.google.com/search?q=Orionstrasse+34+Linz", "https://www.google.com/search?q=Einspinnergasse+2+Graz", "https://www.google.com/search?q=Leechgasse+10+Graz", "https://www.google.com/search?q=Schonaugasse+6+Graz", "https://www.google.com/search?q=Gleisdorfer+G+2+Graz", "https://www.google.com/search?q=Adolf+Kolping+Gasse+16+Graz", "https://www.google.com/search?q=Leonhardgurtel+10+Graz", "https://www.google.com/search?q=Schlogelgasse+5+Graz", "https://www.google.com/search?q=Elisabethstrasse+93+Graz", "https://www.google.com/search?q=Munzgrabenstrasse+29+Graz", "https://www.google.com/search?q=Neue+Stiftingtalstrasse+30+Graz", "https://www.google.com/search?q=Lindenlacher+Str+7+Horsching", "https://www.google.com/search?q=Hafnerriegel+14+Graz", "https://www.google.com/search?q=Flughafenstrasse+1+Horsching", "https://www.google.com/search?q=Angergasse+41+43+Graz", "https://www.google.com/search?q=Pluddemanngasse+39+Graz", "https://www.google.com/search?q=Andersengasse+41+43+Graz", "https://www.google.com/search?q=Pluddemanngasse+61+67+Graz", "https://www.google.com/search?q=Pluddemanngasse+71+Graz", "https://www.google.com/search?q=Ulrich+Lichtenstein+Gasse+19+Graz", "https://www.google.com/search?q=St++Peter+Hauptstrasse+23+25+Graz", "https://www.google.com/search?q=Ramsauer+Str+12+Linz", "https://www.google.com/search?q=Wolfgang+Pauli+Strasse+1+Linz", "https://www.google.com/search?q=Ragnitzstrasse+322+Gemeinde+Kainbach+bei+Graz", "https://www.google.com/search?q=Bahnhofplatz+9+Linz", "https://www.google.com/search?q=Hamerlingstrasse+38+Linz", "https://www.google.com/search?q=Bahnhofstrasse+4+6+Linz", "https://www.google.com/search?q=Ziegeleistrasse+76+78+Linz", "https://www.google.com/search?q=Scharitzerstrasse+6+8+Linz", "https://www.google.com/search?q=Liebenauer+Hauptstrasse+316+Graz", "https://www.google.com/search?q=Flughafenstrasse+1+Feldkirchen+bei+Graz", "https://www.google.com/search?q=Goethestrasse+58+Linz", "https://www.google.com/search?q=Goethestrasse+82+Linz", "https://www.google.com/search?q=Flughafenstrasse+38+Feldkirchen+bei+Graz", "https://www.google.com/search?q=Bismarckstrasse+5+Linz", "https://www.google.com/search?q=Khevenhullerstrasse+6+10+Linz", "https://www.google.com/search?q=Semmelweisstrasse+34+Linz", "https://www.google.com/search?q=Seilerstatte+2+Linz", "https://www.google.com/search?q=Salesianumweg+3+Linz", "https://www.google.com/search?q=Stifterstrasse+21+Linz", "https://www.google.com/search?q=Garnisonstrasse+5+Linz", "https://www.google.com/search?q=Krankenhausstrasse+7+Linz", "https://www.google.com/search?q=Dametzstrasse+52+Linz", "https://www.google.com/search?q=Dametzstrasse+14+Linz", "https://www.google.com/search?q=Obere+Donaulande+1+Linz", "https://www.google.com/search?q=Untere+Donaulande+9+Linz", "https://www.google.com/search?q=Flussgasse+3+Linz", "https://www.google.com/search?q=Untere+Donaulande+11+Linz", "https://www.google.com/search?q=Gstottnerhofstrasse+20+Linz", "https://www.google.com/search?q=Wildbergstrasse+28+Linz", "https://www.google.com/search?q=Ferihumerstrasse+62+Linz", "https://www.google.com/search?q=Julius+Raab+Strasse+1+3+Linz", "https://www.google.com/search?q=Frohlerweg+10+Linz", "https://www.google.com/search?q=Altenbergerstrasse+69+Linz", "https://www.google.com/search?q=Flughafenstrasse+60+64+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=St+Veiter+Ring+43+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Josef+Wolfgang+Dobernig+Strasse+2+Innere+Stadt", "https://www.google.com/search?q=Neuer+Pl+13+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Villacher+Ring+30+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Miesstaler+Strasse+7+Innere+Stadt", "https://www.google.com/search?q=Paulitschgasse+13+Innere+Stadt", "https://www.google.com/search?q=Koschutastrasse+4+Klagenfurt+am+Worthersee", "https://www.google.com/search?q=Karntner+Strasse+199+Gemeinde+Portschach+am+Worther+See", "https://www.google.com/search?q=Bahnhof+1+Gloggnitz", "https://www.google.com/search?q=Zemannstrasse+4+Freistadt", "https://www.google.com/search?q=Rainerstrasse+20+Ried+im+Innkreis", "https://www.google.com/search?q=Rossmarkt+8+Sankt+Polten", "https://www.google.com/search?q=Doktor+Karl+Renner+Promenade+19+Sankt+Polten", "https://www.google.com/search?q=Rossmarkt+20+Sankt+Polten", "https://www.google.com/search?q=Brauhausgasse+3+Sankt+Polten", "https://www.google.com/search?q=Nordkammstrasse+1+Freistadt", "https://www.google.com/search?q=Froschau+14+Freistadt", "https://www.google.com/search?q=Eybnerstrasse+2+4+Sankt+Polten", "https://www.google.com/search?q=Muhlweg+40+Sankt+Polten", "https://www.google.com/search?q=Urstein+Sud+1+Puch+bei+Hallein", "https://www.google.com/search?q=Urstein+Sud+1+Gemeinde+Puch+bei+Hallein", "https://www.google.com/search?q=Rizzistrasse+3+Spittal+an+der+Drau", "https://www.google.com/search?q=Doktor+Adolf+Scharf+Strasse+4+Sankt+Polten", "https://www.google.com/search?q=Hausergasse+13+Villach", "https://www.google.com/search?q=Peraustrasse+32+Villach", "https://www.google.com/search?q=Anifer+Landesstrasse+1+Salzburg", "https://www.google.com/search?q=Furstenweg+37+Salzburg", "https://www.google.com/search?q=Alpenstrasse+92+94+Salzburg", "https://www.google.com/search?q=Otto+Holzbauer+Strasse+1+Salzburg", "https://www.google.com/search?q=Waldorfstrasse+13+Salzburg", "https://www.google.com/search?q=K+H+Waggerl+Strasse+19+Bad+Gastein", "https://www.google.com/search?q=Alpenstrasse+6+Salzburg", "https://www.google.com/search?q=Furbergstrasse+18+Salzburg", "https://www.google.com/search?q=Furbergstrasse+18+20+Salzburg", "https://www.google.com/search?q=Hermann+Bahr+Promenade+2+Salzburg", "https://www.google.com/search?q=Ulrike+Gschwandtner+Strasse+6+Salzburg", "https://www.google.com/search?q=Akademiestrasse+24+Salzburg", "https://www.google.com/search?q=Dr+Franz+Rehrl+Platz+5+Salzburg", "https://www.google.com/search?q=Erzabt+Klotz+Strasse+4+Salzburg", "https://www.google.com/search?q=Petersbrunnstrasse+16+Salzburg", "https://www.google.com/search?q=Emil+Kofler+Gasse+13+Salzburg", "https://www.google.com/search?q=Rupertgasse+25+Salzburg", "https://www.google.com/search?q=Sterneckstrasse+21+Salzburg", "https://www.google.com/search?q=Herrengasse+3+Salzburg", "https://www.google.com/search?q=Basteigasse+7+Salzburg", "https://www.google.com/search?q=Imbergstrasse+31+Salzburg", "https://www.google.com/search?q=Glockengasse+4+Salzburg", "https://www.google.com/search?q=Auerspergstrasse+61+Salzburg", "https://www.google.com/search?q=Weiserstrasse+1+Salzburg", "https://www.google.com/search?q=Mirabellplatz+5+Salzburg", "https://www.google.com/search?q=Franz+Josef+Kai+1+Salzburg", "https://www.google.com/search?q=Schwarzstrasse+13+15+Salzburg", "https://www.google.com/search?q=Rainerstrasse+27+Salzburg", "https://www.google.com/search?q=Engelbert+Weiss+Weg+14+Salzburg", "https://www.google.com/search?q=Hildmannplatz+1+Salzburg", "https://www.google.com/search?q=Karl+Wurmb+Strasse+5+Salzburg", "https://www.google.com/search?q=Rainerstrasse+21+Salzburg", "https://www.google.com/search?q=Neutorstrasse+8+Salzburg", "https://www.google.com/search?q=Auerspergstrasse+4+Salzburg", "https://www.google.com/search?q=Karl+Wurmb+Strasse+12+Salzburg", "https://www.google.com/search?q=Markus+Sittikus+Strasse+3+Salzburg", "https://www.google.com/search?q=Plainstrasse+37+Salzburg", "https://www.google.com/search?q=Elisabethkai+58+60+Salzburg", "https://www.google.com/search?q=Jakob+Haringer+Strasse+1+Salzburg", "https://www.google.com/search?q=Mullner+Hauptstrasse+48+Salzburg", "https://www.google.com/search?q=Lindhofstrasse+7+Salzburg", "https://www.google.com/search?q=Radetzkystrasse+6+Salzburg", "https://www.google.com/search?q=Bindergasse+3+Salzburg", "https://www.google.com/search?q=Am+Messezentrum+1+Salzburg", "https://www.google.com/search?q=Innsbrucker+Bundesstrasse+95+Salzburg", "https://www.google.com/search?q=Oberst+Lepperdinger+Strasse+19+Siezenheim", "https://www.google.com/search?q=Kasernenstrasse+1+Salzburg", "https://www.google.com/search?q=Stadionstrasse+2+Siezenheim", "https://www.google.com/search?q=Bahnhofstrasse+289+Furth+bei+Gottweig", "https://www.google.com/search?q=Bahnhofstrasse+9+Furstenfeld", "https://www.google.com/search?q=Heilingbrunnerstrasse+1+Bad+Reichenhall", "https://www.google.com/search?q=Fruhlingstrasse+2+Bad+Reichenhall", "https://www.google.com/search?q=Sparkassengasse+4+Wiener+Neustadt", "https://www.google.com/search?q=Ungargasse+18+Wiener+Neustadt", "https://www.google.com/search?q=Tummelplatzstrasse+6+8+Scharding", "https://www.google.com/search?q=Kaiser+Franz+Ring+1+Baden", "https://www.google.com/search?q=Nikolastrasse+4+Passau", "https://www.google.com/search?q=Am+Schanzl+8+Passau", "https://www.google.com/search?q=Obere+Donaulande+12+Passau", "https://www.google.com/search?q=Bahnhofstrasse+29+Passau", "https://www.google.com/search?q=Obere+Donaulande+11+Passau", "https://www.google.com/search?q=Bahnhofstrasse+31+Passau", "https://www.google.com/search?q=Regensburger+Str+1+Passau", "https://www.google.com/search?q=Hauptplatz+13+Tulln+an+der+Donau", "https://www.google.com/search?q=Frauentorgasse+2+Tulln+an+der+Donau", "https://www.google.com/search?q=Friedrich+Schiller+Strasse+9+Modling", "https://www.google.com/search?q=Wassergasse+2+Tulln+an+der+Donau", "https://www.google.com/search?q=Kohlmaisliftweg+664+Saalbach", "https://www.google.com/search?q=Dorfplatz+36+Saalbach", "https://www.google.com/search?q=Gabrieler+Str+13+Modling", "https://www.google.com/search?q=Bahnstrasse+13+Brunn+am+Gebirge", "https://www.google.com/search?q=Bahnstrasse+52+Brunn+am+Gebirge", "https://www.google.com/search?q=Liebermannstrasse+A+01+Brunn+am+Gebirge", "https://www.google.com/search?q=Albert+Schweitzer+Gasse+6+Wien", "https://www.google.com/search?q=Breitenfurter+Str+372+Wien", "https://www.google.com/search?q=Europaring+F+13+14+Brunn+am+Gebirge", "https://www.google.com/search?q=Breitenfurter+Str+399+Wien", "https://www.google.com/search?q=Stadtpl+98+Burghausen", "https://www.google.com/search?q=Mautnerstrasse+250+Burghausen", "https://www.google.com/search?q=Endresstrasse+24+26+Wien", "https://www.google.com/search?q=Priessnitzstrasse+1+Burghausen", "https://www.google.com/search?q=Wolkersbergenstrasse+1+Wien", "https://www.google.com/search?q=Porschestrasse+25+Wien", "https://www.google.com/search?q=Bergmillergasse+5+Wien", "https://www.google.com/search?q=Hackinger+Str+52+Wien", "https://www.google.com/search?q=Herziggasse+14+Wien", "https://www.google.com/search?q=Linzer+Str+386+390+Wien", "https://www.google.com/search?q=Hanakgasse+2+4+Wien", "https://www.google.com/search?q=Hietzinger+Kai+143+Wien", "https://www.google.com/search?q=Atzgersdorfer+Str+14+Wien", "https://www.google.com/search?q=Hervicusgasse+44+Wien", "https://www.google.com/search?q=Cumberlandstrasse+102+Wien", "https://www.google.com/search?q=Auhofstrasse+8+Wien", "https://www.google.com/search?q=Eduard+Klein+Gasse+21+Wien", "https://www.google.com/search?q=Hietzinger+Hauptstrasse+10+Wien", "https://www.google.com/search?q=Heinrich+Collin+Strasse+30+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+130+Wien", "https://www.google.com/search?q=Breitenseer+Str+110+Wien", "https://www.google.com/search?q=Missindorfstrasse+21+23+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+46+Wien", "https://www.google.com/search?q=Pottendorfer+Str+16+Wien", "https://www.google.com/search?q=Wagenseilgasse+8+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+38+40+Wien", "https://www.google.com/search?q=Linzer+Str+3+Wien", "https://www.google.com/search?q=Vivenotgasse+66+Wien", "https://www.google.com/search?q=Tivoligasse+12+Wien", "https://www.google.com/search?q=Schonbrunner+Schlossstrasse+14+Wien", "https://www.google.com/search?q=Vivenotgasse+54+Wien", "https://www.google.com/search?q=Esterhazyplatz+4+Eisenstadt", "https://www.google.com/search?q=Montleartstrasse+37+Wien", "https://www.google.com/search?q=Schonbrunner+Str+222+228+Wien", "https://www.google.com/search?q=Reschgasse+24+26+Wien", "https://www.google.com/search?q=Reichsapfelgasse+6+8+Wien", "https://www.google.com/search?q=Meiselstrasse+32+Wien", "https://www.google.com/search?q=Hollergasse+47+49+Wien", "https://www.google.com/search?q=Huttengasse+41+Wien", "https://www.google.com/search?q=Ignazgasse+4+Wien", "https://www.google.com/search?q=Hertha+Firnberg+Strasse+14+Wien", "https://www.google.com/search?q=Meiselstrasse+19+Wien", "https://www.google.com/search?q=Joseph+Haydn+Gasse+34+Eisenstadt", "https://www.google.com/search?q=Maria+Kuhn+Gasse+6+Wien", "https://www.google.com/search?q=Lobzeile+1+Eisenstadt", "https://www.google.com/search?q=Clemens+Holzmeister+Strasse+4+6+Wien", "https://www.google.com/search?q=Wienerbergstrasse+13+19+Wien", "https://www.google.com/search?q=Kundratstrasse+37+Wien", "https://www.google.com/search?q=Gablenzg+107+Wien", "https://www.google.com/search?q=Zagorskigasse+2+Wien", "https://www.google.com/search?q=Feldstrasse+35+Eisenstadt", "https://www.google.com/search?q=Kerschensteinergasse+2+Wien", "https://www.google.com/search?q=Klahrgasse+1+Wien", "https://www.google.com/search?q=Weinheimergasse+4+Wien", "https://www.google.com/search?q=Kardinal+Rauscher+Platz+5+Wien", "https://www.google.com/search?q=Nietzschepl+4+Wien", "https://www.google.com/search?q=Ing+Julius+Raab+Strasse+3+Eisenstadt", "https://www.google.com/search?q=Steinbauergasse+29+Wien", "https://www.google.com/search?q=Europaplatz+1+Eisenstadt", "https://www.google.com/search?q=Viktoriagasse+4+Wien", "https://www.google.com/search?q=Krautgartenweg+4+Eisenstadt", "https://www.google.com/search?q=Kundratstrasse+3+Wien", "https://www.google.com/search?q=Gaudenzdorfer+Gurtel+77+Wien", "https://www.google.com/search?q=Klausgasse+18+Wien", "https://www.google.com/search?q=Reithofferpl+6+Wien", "https://www.google.com/search?q=Herthergasse+2+Wien", "https://www.google.com/search?q=Margaretengurtel+136+Wien", "https://www.google.com/search?q=Mariahilfer+Gurtel+22+24+Wien", "https://www.google.com/search?q=Felberstrasse+1+Wien", "https://www.google.com/search?q=Molnargasse+4+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+23+Wien", "https://www.google.com/search?q=Brandmayergasse+37+Wien", "https://www.google.com/search?q=Hutteldorfer+Str+2+Wien", "https://www.google.com/search?q=Fendigasse+33+Wien", "https://www.google.com/search?q=Vogelweidpl+9+Wien", "https://www.google.com/search?q=Am+Hundsturm+1+Wien", "https://www.google.com/search?q=Moeringgasse+20+Wien", "https://www.google.com/search?q=Millergasse+50+Wien", "https://www.google.com/search?q=Kaiserstrasse+5+7+Wien", "https://www.google.com/search?q=Ludo+Hartmann+Platz+1+Wien", "https://www.google.com/search?q=Hernalser+Friedhof+W+W+Wien", "https://www.google.com/search?q=Kenyongasse+27+Wien", "https://www.google.com/search?q=Apollogasse+13+Wien", "https://www.google.com/search?q=Neumayrgasse+30+Wien", "https://www.google.com/search?q=Migerkastrasse+1+Wien", "https://www.google.com/search?q=Kaiserstrasse+45+Wien", "https://www.google.com/search?q=Ortliebgasse+17+Wien", "https://www.google.com/search?q=Ortliebgasse+18+Wien", "https://www.google.com/search?q=Zieglergasse+3+Wien", "https://www.google.com/search?q=Favoritenstrasse+250+Wien", "https://www.google.com/search?q=Zieglergasse+8+Wien", "https://www.google.com/search?q=Halbgasse+3+5+Wien", "https://www.google.com/search?q=Gudrunstrasse+184+Wien", "https://www.google.com/search?q=Mollardgasse+21+Wien", "https://www.google.com/search?q=Linke+Wienzeile+126+Wien", "https://www.google.com/search?q=Hollgasse+2+6+Wien", "https://www.google.com/search?q=Andreasgasse+6+Wien", "https://www.google.com/search?q=Alaudagasse+S+S+Wien", "https://www.google.com/search?q=Grundackergasse+36+38+Wien", "https://www.google.com/search?q=Hofmuhlgasse+10+Wien", "https://www.google.com/search?q=Bahnlande+11+Wien", "https://www.google.com/search?q=Burggasse+85+Wien", "https://www.google.com/search?q=Grundackergasse+34+Wien", "https://www.google.com/search?q=Ottakringer+Str+44+Wien", "https://www.google.com/search?q=Dambockgasse+4+Wien", "https://www.google.com/search?q=Zentagasse+11+Wien", "https://www.google.com/search?q=Schottenfeldgasse+94+Wien", "https://www.google.com/search?q=Favoritenstrasse+226+Wien", "https://www.google.com/search?q=Kliebergasse+9+Wien", "https://www.google.com/search?q=Neubaugasse+47+Wien", "https://www.google.com/search?q=Dornerpl+1+Wien", "https://www.google.com/search?q=Pfeilgasse+20+Wien", "https://www.google.com/search?q=Gersthofer+Str+137+139+Wien", "https://www.google.com/search?q=Syringgasse+4+Wien", "https://www.google.com/search?q=Lindengasse+17+19+Wien", "https://www.google.com/search?q=Mittersteig+26+28+Wien", "https://www.google.com/search?q=Skodagasse+6+Wien", "https://www.google.com/search?q=Windmuhlgasse+22+24+Wien", "https://www.google.com/search?q=Rotenhofgasse+2+Wien", "https://www.google.com/search?q=Stiftgasse+5+9+Wien", "https://www.google.com/search?q=Katharinengasse+2+Wien", "https://www.google.com/search?q=Florianigasse+42+Wien", "https://www.google.com/search?q=Wiedner+Gurtel+3+Wien", "https://www.google.com/search?q=Schrankgasse+7+9+Wien", "https://www.google.com/search?q=Zimmermannpl+9+Wien", "https://www.google.com/search?q=Anton+Diettrichgasse+1+Himberg+bei+Wien", "https://www.google.com/search?q=Laxenburger+Str+19+Wien", "https://www.google.com/search?q=Karl+Schweighofer+Gasse+4+6+Wien", "https://www.google.com/search?q=Erlachgasse+92+Wien", "https://www.google.com/search?q=Trautsongasse+4+Wien", "https://www.google.com/search?q=Lerchenfelder+Str+2+Wien", "https://www.google.com/search?q=Landgutgasse+14+Wien", "https://www.google.com/search?q=Wahringer+Strasse+123+Wien", "https://www.google.com/search?q=Museumsplatz+1+Wien", "https://www.google.com/search?q=Schleifmuhlgasse+17+Wien", "https://www.google.com/search?q=Floragasse+7+Wien", "https://www.google.com/search?q=Schmerlingpl+9+Wien", "https://www.google.com/search?q=Waltergasse+1+Wien", "https://www.google.com/search?q=Lehargasse+4+Wien", "https://www.google.com/search?q=Schmerlingpl+6+Wien", "https://www.google.com/search?q=Operngasse+13+Wien", "https://www.google.com/search?q=Wilczekgasse+6+Wien", "https://www.google.com/search?q=Elisabethstrasse+18+Wien", "https://www.google.com/search?q=Hlawkagasse+8+Wien", "https://www.google.com/search?q=Sailerackergasse+45+Wien", "https://www.google.com/search?q=Universitatsring+2+Wien", "https://www.google.com/search?q=Haulerstrasse+2+Wien", "https://www.google.com/search?q=Wahringer+Gurtel+18+20+Wien", "https://www.google.com/search?q=Argentinierstrasse+29+Wien", "https://www.google.com/search?q=Sensengasse+3+Wien", "https://www.google.com/search?q=Elisabethstrasse+2+6+Wien", "https://www.google.com/search?q=Semperstrasse+32+36+Wien", "https://www.google.com/search?q=Wahringer+Gurtel+97+Wien", "https://www.google.com/search?q=Universitatsstrasse+1536+Wien", "https://www.google.com/search?q=Mattiellistrasse+2+4+Wien", "https://www.google.com/search?q=Karntner+Str+51+Wien", "https://www.google.com/search?q=Mahlerstrasse+6+8+Wien", "https://www.google.com/search?q=Schwarzenbergpl+9+Wien", "https://www.google.com/search?q=Freyung+3+Wien", "https://www.google.com/search?q=Mahlerstrasse+12+Wien", "https://www.google.com/search?q=Am+Heumarkt+39+Wien", "https://www.google.com/search?q=Am+Hof+1+Wien", "https://www.google.com/search?q=Maria+Theresien+Strasse+14+Wien", "https://www.google.com/search?q=Liechtensteinstrasse+39+Wien", "https://www.google.com/search?q=Philippovichgasse+6+10+Wien", "https://www.google.com/search?q=Beethovenpl+3+Wien", "https://www.google.com/search?q=Praetoriusgasse+1+Wien", "https://www.google.com/search?q=Borsegasse+11+Wien", "https://www.google.com/search?q=Hegelgasse+1+Wien", "https://www.google.com/search?q=Am+Heumarkt+2+Wien", "https://www.google.com/search?q=Schegargasse+13+15+Wien", "https://www.google.com/search?q=Concordiapl+4+Wien", "https://www.google.com/search?q=Coburgbastei+5+Wien", "https://www.google.com/search?q=Mohsgasse+30+32+Wien", "https://www.google.com/search?q=Seilerstatte+8+Wien", "https://www.google.com/search?q=Stephansplatz+6+Wien", "https://www.google.com/search?q=Turkenstrasse+22+Wien", "https://www.google.com/search?q=Pramergasse+16+Wien", "https://www.google.com/search?q=Gonzagagasse+21+Wien", "https://www.google.com/search?q=Sterngasse+5+Wien", "https://www.google.com/search?q=Linke+Bahngasse+23+Wien", "https://www.google.com/search?q=Zedlitzgasse+6+Wien", "https://www.google.com/search?q=Doblinger+Gurtel+28+Wien", "https://www.google.com/search?q=Gonzagagasse+2+4+Wien", "https://www.google.com/search?q=Morzinpl+1+Wien", "https://www.google.com/search?q=Nordbergstrasse+11+Wien", "https://www.google.com/search?q=Franz+Josefs+Kai+G+G+Wien", "https://www.google.com/search?q=Josef+Holaubek+Platz+1+Wien", "https://www.google.com/search?q=An+Den+Langen+Lussen+2+Wien", "https://www.google.com/search?q=Am+Stadtpark+1+Wien", "https://www.google.com/search?q=Boerhaavegasse+8+Wien", "https://www.google.com/search?q=Herminengasse+2+Wien", "https://www.google.com/search?q=Lilienbrunngasse+7+9+Wien", "https://www.google.com/search?q=Herbortgasse+28+Wien", "https://www.google.com/search?q=Invalidenstrasse+10+Wien", "https://www.google.com/search?q=Lilienbrunngasse+6+12+Wien", "https://www.google.com/search?q=Juchgasse+22+Wien", "https://www.google.com/search?q=Treustrasse+33+Wien", "https://www.google.com/search?q=Spittelauer+Lande+12+Wien", "https://www.google.com/search?q=Georg+Coch+Platz+4+Wien", "https://www.google.com/search?q=Hollandstrasse+13+Wien", "https://www.google.com/search?q=Rennweg+104+Wien", "https://www.google.com/search?q=Gigergasse+2+Wien", "https://www.google.com/search?q=Sechskrugelgasse+4+Wien", "https://www.google.com/search?q=Neulinggasse+8+Wien", "https://www.google.com/search?q=Grosse+Mohrengasse+3+Wien", "https://www.google.com/search?q=Leopoldsgasse+39+Wien", "https://www.google.com/search?q=Marxergasse+1+Wien", "https://www.google.com/search?q=Treustrasse+94+Wien", "https://www.google.com/search?q=Heiligenstadter+Strasse+46+Wien", "https://www.google.com/search?q=Landstrasser+Hauptstrasse+37+Wien", "https://www.google.com/search?q=Gottschalkgasse+10+Wien", "https://www.google.com/search?q=Untere+Viaduktgasse+47+49+Wien", "https://www.google.com/search?q=Fischergasse+2+Wien", "https://www.google.com/search?q=Heiligenstadter+Lande+13+Wien", "https://www.google.com/search?q=Grillgasse+11+Vienna", "https://www.google.com/search?q=Hainburger+Str+16+Wien", "https://www.google.com/search?q=Karl+Farkas+Gasse+22+Wien", "https://www.google.com/search?q=Ferdinandstrasse+20+Wien", "https://www.google.com/search?q=Klosterneuburger+Str+93+97+Wien", "https://www.google.com/search?q=Enkplatz+1+Wien", "https://www.google.com/search?q=Rinnbockstrasse+60+Wien", "https://www.google.com/search?q=Hetzgasse+4+6+Wien", "https://www.google.com/search?q=Hintere+Zollamtsstrasse+2+4+Wien", "https://www.google.com/search?q=Hermine+Jursa+Gasse+11+Wien", "https://www.google.com/search?q=Simmeringer+Hauptstrasse+108+Wien", "https://www.google.com/search?q=Henneberggasse+6+Wien", "https://www.google.com/search?q=Jagerstrasse+48+Wien", "https://www.google.com/search?q=Blattgasse+14+Wien", "https://www.google.com/search?q=Kaiserebersdorferstrasse+6+Wien", "https://www.google.com/search?q=Odeongasse+2+4+Wien", "https://www.google.com/search?q=Wexstrasse+24+Wien", "https://www.google.com/search?q=Fiakerpl+6+Wien", "https://www.google.com/search?q=Brigittenauer+Lande+156+158+Wien", "https://www.google.com/search?q=Wurtzlerstrasse+20+Wien", "https://www.google.com/search?q=Nordwestbahnstrasse+2+Wien", "https://www.google.com/search?q=Erdbergstrasse+182+Wien", "https://www.google.com/search?q=Im+Erdberger+Mais+3+Wien", "https://www.google.com/search?q=Michael+Neumann+Gasse+1+Wien", "https://www.google.com/search?q=Simmeringer+Hauptstrasse+337+Wien", "https://www.google.com/search?q=Safargasse+4+Wien", "https://www.google.com/search?q=Josef+Hindels+Gasse+1+Wien", "https://www.google.com/search?q=Schnirchgasse+12+Wien", "https://www.google.com/search?q=Guglgasse+6+10+Wien", "https://www.google.com/search?q=Paragonstrasse+2+Wien", "https://www.google.com/search?q=Guglgasse+11+Wien", "https://www.google.com/search?q=Winarskystrasse+9+Wien", "https://www.google.com/search?q=Muthgasse+42+Wien", "https://www.google.com/search?q=Kreilpl+1+Wien", "https://www.google.com/search?q=Holzgasse+1+Wien", "https://www.google.com/search?q=Waldsteingartenstrasse+123+Wien", "https://www.google.com/search?q=Messestrasse+154+Wien", "https://www.google.com/search?q=Nordportalstrasse+172+Wien", "https://www.google.com/search?q=Wehlistrasse+25+Wien", "https://www.google.com/search?q=Stiftsplatz+5+Klosterneuburg", "https://www.google.com/search?q=Rathausplatz+24+Klosterneuburg", "https://www.google.com/search?q=Handelskai+94+96+Wien", "https://www.google.com/search?q=Hundskehle+21+Klosterneuburg", "https://www.google.com/search?q=Stuwerstrasse+41+Wien", "https://www.google.com/search?q=Pater+Abel+Strasse+8+Klosterneuburg", "https://www.google.com/search?q=Trabrennstrasse+5+Wien", "https://www.google.com/search?q=Niedermarkt+7+Klosterneuburg", "https://www.google.com/search?q=Vorgartenstrasse+223+Wien", "https://www.google.com/search?q=Mexikopl+28+Wien", "https://www.google.com/search?q=Marathonweg+7+Wien", "https://www.google.com/search?q=Schmidgasse+4+Schwechat", "https://www.google.com/search?q=Handelskai+269+Wien", "https://www.google.com/search?q=Handelskai+343+Wien", "https://www.google.com/search?q=Wehlistrasse+350+Wien", "https://www.google.com/search?q=Bahngasse+2+Schwechat", "https://www.google.com/search?q=Donau+City+Strasse+7+Wien", "https://www.google.com/search?q=Wagramer+Str+2+Wien", "https://www.google.com/search?q=Donau+City+Strasse+12+Wien", "https://www.google.com/search?q=Donau+City+Strasse+4+Wien", "https://www.google.com/search?q=Jedleseer+Str+82+Wien", "https://www.google.com/search?q=Donau+City+Strasse+14+Wien", "https://www.google.com/search?q=Bruno+Kreisky+Platz+1+Wien", "https://www.google.com/search?q=Donau+City+Strasse+1+Wien", "https://www.google.com/search?q=Jeneweingasse+11+Wien", "https://www.google.com/search?q=Wagramer+Strasse+8+Wien", "https://www.google.com/search?q=Leonard+Bernstein+Strasse+8+Wien", "https://www.google.com/search?q=Franz+Jonas+Platz+3+Wien", "https://www.google.com/search?q=Am+Spitz+4+Wien", "https://www.google.com/search?q=Freytaggasse+11+Wien", "https://www.google.com/search?q=Pius+Parsch+Platz+11+Wien", "https://www.google.com/search?q=Angerer+Str+2+6+Wien", "https://www.google.com/search?q=Kratochwjlestrasse+4+Wien", "https://www.google.com/search?q=Moissigasse+21+Wien", "https://www.google.com/search?q=Am+Kaisermuhlendamm+113+Wien", "https://www.google.com/search?q=Bisamberger+Strasse+17+Korneuburg", "https://www.google.com/search?q=Dr+Adolf+Scharf+Platz+3+Wien", "https://www.google.com/search?q=Meitnergasse+2+Wien", "https://www.google.com/search?q=Wintzingerodestrasse+10+Wien", "https://www.google.com/search?q=Mannsworther+Str+94+Schwechat", "https://www.google.com/search?q=Adelheid+Popp+Gasse+24+Wien", "https://www.google.com/search?q=Tamariskengasse+43+Wien", "https://www.google.com/search?q=Giefinggasse+2+Wien", "https://www.google.com/search?q=Langobardenstrasse+126+128+Wien", "https://www.google.com/search?q=Hainburger+Bundesstrasse+143+Schwechat", "https://www.google.com/search?q=Lavaterstrasse+6+Wien", "https://www.google.com/search?q=Kurschnergasse+9+Wien", "https://www.google.com/search?q=Parkstrasse+889+Schwechat", "https://www.google.com/search?q=Herchenhahngasse+8+Wien", "https://www.google.com/search?q=Pressburger+Str+889+Schwechat", "https://www.google.com/search?q=Airportstrasse+5+Fischamend+Dorf", "https://www.google.com/search?q=Hochriesstrasse+6+Prien+am+Chiemsee", "https://www.google.com/search?q=Bahnhofpl+1+Prien+am+Chiemsee", "https://www.google.com/search?q=Johngasse+6+Gemeinde+Bruck+an+der+Leitha", "https://www.google.com/search?q=Rechenauerstrasse+2+Rosenheim", "https://www.google.com/search?q=Klepperstrasse+17+Rosenheim", "https://www.google.com/search?q=Gottlieb+Weissbacher+Strasse+9+Worgl", "https://www.google.com/search?q=Bahnweg+1+Pfaffing", "https://www.google.com/search?q=Sensauer+Str+2+Steinhoring", "https://www.google.com/search?q=Am+Bahnhof+2+Assling", "https://www.google.com/search?q=Bahnhofspl+3+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+10+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+1+Ebersberg", "https://www.google.com/search?q=Hauptstrasse+27+Grafing+bei+Munchen", "https://www.google.com/search?q=Am+Oberholz+4+Grafing+bei+Munchen", "https://www.google.com/search?q=Hauptstrasse+38+Grafing+bei+Munchen", "https://www.google.com/search?q=Hauptstrasse+37+Grafing+bei+Munchen", "https://www.google.com/search?q=Bahnhofspl+1+Kirchseeon", "https://www.google.com/search?q=Bahnhofplatz+11+13+Straubing", "https://www.google.com/search?q=Bahnhofpl+13+Straubing", "https://www.google.com/search?q=Geiselhoringer+Strasse+9+Straubing", "https://www.google.com/search?q=Untere+Bahnhofstrasse+36+Aying", "https://www.google.com/search?q=Via+Goethe+11+Brunico", "https://www.google.com/search?q=Obere+Bahnhofstrasse+54+Zorneding", "https://www.google.com/search?q=Anzinger+Str+2+Zorneding", "https://www.google.com/search?q=Via+Dello+Stadio+2+Cortina+d'Ampezzo", "https://www.google.com/search?q=Via+Lampi+4+Brunico", "https://www.google.com/search?q=Via+Europa+24+Brunico", "https://www.google.com/search?q=Romerstrasse+20+Valley", "https://www.google.com/search?q=Am+Bahnhof+4+Aying", "https://www.google.com/search?q=Raiffeisenstrasse+11+Ottenhofen", "https://www.google.com/search?q=St+2078+Aying", "https://www.google.com/search?q=Enzensbergerstrasse+13+Markt+Schwaben", "https://www.google.com/search?q=Bahnhofstrasse+49+51+Markt+Schwaben", "https://www.google.com/search?q=Munterstrasse+1+Markt+Schwaben", "https://www.google.com/search?q=Josef+Wopfner+Strasse+15+Schwaz", "https://www.google.com/search?q=Ed+4+Worth", "https://www.google.com/search?q=Dorfener+Str+15+Erding", "https://www.google.com/search?q=Am+Bahnhof+22+Erding", "https://www.google.com/search?q=Pretzener+Str+2+Erding", "https://www.google.com/search?q=Am+Muhlgraben+4+Erding", "https://www.google.com/search?q=Bahnhofstrasse+34+Erding", "https://www.google.com/search?q=Pferdeschwemmgasse+2+Erding", "https://www.google.com/search?q=Lebzelterstrasse+2+Erding", "https://www.google.com/search?q=Giessereistrasse+3+Erding", "https://www.google.com/search?q=Neue+Poststrasse+15+Vaterstetten", "https://www.google.com/search?q=Schwalbenstrasse+21+Vaterstetten", "https://www.google.com/search?q=Friedensstrasse+9+Poing", "https://www.google.com/search?q=Bahnhofstrasse+15+Poing", "https://www.google.com/search?q=Erlkamer+Strasse+18+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+1+Holzkirchen", "https://www.google.com/search?q=Bahnhofpl+9+Holzkirchen", "https://www.google.com/search?q=Dozsa+Gyorgy+U+246+Zalavar", "https://www.google.com/search?q=Luitpoldring+1+Vaterstetten", "https://www.google.com/search?q=Bahnhofstrasse+47+Vaterstetten", "https://www.google.com/search?q=Bahnhofpl+2+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Bahnhofpl+1+Hohenkirchen+Siegertsbrunn", "https://www.google.com/search?q=Parsdorfer+Str+5+Poing", "https://www.google.com/search?q=Bahnhofstrasse+52+Otterfing", "https://www.google.com/search?q=Bahnhofstrasse+49+Otterfing", "https://www.google.com/search?q=Poinger+Str+17+Kirchheim+bei+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+10+Kirchheim+bei+Munchen", "https://www.google.com/search?q=Trida+1+41+Breclav", "https://www.google.com/search?q=Eglfinger+Weg+9+Haar", "https://www.google.com/search?q=Ladehofstrasse+2+Haar", "https://www.google.com/search?q=Bahnhofstrasse+19+Hohenbrunn", "https://www.google.com/search?q=Velaskostrasse+4+Feldkirchen", "https://www.google.com/search?q=Raiffeisenstrasse+8+Feldkirchen", "https://www.google.com/search?q=Freisinger+Str+80+Oberding", "https://www.google.com/search?q=Bahnhofpl+9+Sauerlach", "https://www.google.com/search?q=Eichenstrasse+4+Oberding", "https://www.google.com/search?q=Roseggerstrasse+53+Ottobrunn", "https://www.google.com/search?q=Schneiderhofstrasse+7+Haar", "https://www.google.com/search?q=Helsinkistrasse+3+Munchen", "https://www.google.com/search?q=Paul+Henri+Spaak+Strasse+6+Munchen", "https://www.google.com/search?q=Bahnhofspl+2+Ottobrunn", "https://www.google.com/search?q=Bahnhofstrasse+20+Aschheim", "https://www.google.com/search?q=Karl+Hammerschmidt+Strasse+21+Aschheim", "https://www.google.com/search?q=Mittbacher+Str+12+Munchen", "https://www.google.com/search?q=Nordallee+25+Munchen", "https://www.google.com/search?q=Birthalmer+Str+50+Munchen", "https://www.google.com/search?q=Truderinger+Str+259+Munchen", "https://www.google.com/search?q=Carl+Wery+Strasse+35+Munchen", "https://www.google.com/search?q=Thomas+Dehler+Strasse+8+Munchen", "https://www.google.com/search?q=Von+Knoeringen+Strasse+5+Munchen", "https://www.google.com/search?q=Stephensonpl+1+Munchen", "https://www.google.com/search?q=Sudallee+15+Munchen+Flughafen", "https://www.google.com/search?q=Ludwigstrasse+14+Hallbergmoos", "https://www.google.com/search?q=Bahnhofstrasse+27+Taufkirchen", "https://www.google.com/search?q=Ludwig+Bruck+Strasse+3+Munchen", "https://www.google.com/search?q=Eschenstrasse+28+Taufkirchen", "https://www.google.com/search?q=Deisenhofener+Weg+6+Unterhaching", "https://www.google.com/search?q=Nordallee+29+Munchen+Flughafen", "https://www.google.com/search?q=Heinrich+Wieland+Strasse+5+Munchen", "https://www.google.com/search?q=Karolinenweg+5+Ismaning", "https://www.google.com/search?q=Schweigerstrasse+2+Ismaning", "https://www.google.com/search?q=Lilienthalstrasse+1+3+Hallbergmoos", "https://www.google.com/search?q=Bahnhofpl+4+Oberhaching", "https://www.google.com/search?q=Sauerlacher+Str+18+Oberhaching", "https://www.google.com/search?q=Bad+Schachener+Strasse+41+Munchen", "https://www.google.com/search?q=Am+Bahnhof+21+Unterfohring", "https://www.google.com/search?q=Anzinger+Str+15+Munchen", "https://www.google.com/search?q=Rosenheimer+Str+145+Munchen", "https://www.google.com/search?q=Arabellastrasse+17+Munchen", "https://www.google.com/search?q=Bothestrasse+10+Munchen", "https://www.google.com/search?q=Arabellastrasse+9+Munchen", "https://www.google.com/search?q=Grafinger+Str+11+Munchen", "https://www.google.com/search?q=Grafinger+Str+6+Munchen", "https://www.google.com/search?q=Rosenkavalierplatz+18+Munchen", "https://www.google.com/search?q=Orleansstrasse+87+Munchen", "https://www.google.com/search?q=Orleansstrasse+81+83+Munchen", "https://www.google.com/search?q=St+Martin+Strasse+120+Munchen", "https://www.google.com/search?q=Friedenstrasse+10+Munchen", "https://www.google.com/search?q=Boltzmannstrasse+12+Garching+bei+Munchen", "https://www.google.com/search?q=Sonnenstrasse+27+Freising", "https://www.google.com/search?q=Unterer+Stadtpl+22+Hall+in+Tirol", "https://www.google.com/search?q=Am+Worth+11+Freising", "https://www.google.com/search?q=Munchner+Str+11+Neufahrn+bei+Freising", "https://www.google.com/search?q=Rosenheimer+Str+15+Munchen", "https://www.google.com/search?q=Innere+Wiener+Strasse+15+Munchen", "https://www.google.com/search?q=Alois+Steinecker+Strasse+20+Freising", "https://www.google.com/search?q=Rosenheimer+Str+5+Munchen", "https://www.google.com/search?q=Hochstrasse+3+Munchen", "https://www.google.com/search?q=Hochstrasse+15+Munchen", "https://www.google.com/search?q=Am+Hollerbusch+22+Munchen", "https://www.google.com/search?q=Hochstrasse+19+Munchen", "https://www.google.com/search?q=Zellstrasse+4+Munchen", "https://www.google.com/search?q=Mariahilfpl+42+Munchen", "https://www.google.com/search?q=Werner+Heisenberg+Allee+25+Munchen", "https://www.google.com/search?q=Ungererstrasse+216+Munchen", "https://www.google.com/search?q=Ohlmullerstrasse+28+Munchen", "https://www.google.com/search?q=Kleiststrasse+3+Munchen", "https://www.google.com/search?q=Baaderstrasse+6+Munchen", "https://www.google.com/search?q=Lilienthalallee+29+Munchen", "https://www.google.com/search?q=Frauenstrasse+38+Munchen", "https://www.google.com/search?q=Hochbruckenstrasse+9+Munchen", "https://www.google.com/search?q=Marstallstrasse+8+Munchen", "https://www.google.com/search?q=Daimlerstrasse+2+Garching+bei+Munchen", "https://www.google.com/search?q=Occamstrasse+20+Munchen", "https://www.google.com/search?q=Sparkassenstrasse+10+Munchen", "https://www.google.com/search?q=Theodor+Dombart+Strasse+4+Munchen", "https://www.google.com/search?q=Max+Joseph+Platz+1+Munchen", "https://www.google.com/search?q=Feilitzschstrasse+8+Munchen", "https://www.google.com/search?q=Daimlerstrasse+5+Garching+bei+Munchen", "https://www.google.com/search?q=Franzstrasse+1+Munchen", "https://www.google.com/search?q=Marschallstrasse+1+Munchen", "https://www.google.com/search?q=Pralat+Zistl+Strasse+5+Munchen", "https://www.google.com/search?q=Rindermarkt+16+Munchen", "https://www.google.com/search?q=Berliner+Str+93+Munchen", "https://www.google.com/search?q=Lyonel+Feininger+Strasse+20+Munchen", "https://www.google.com/search?q=Jungfernturmstrasse+3+Munchen", "https://www.google.com/search?q=Oberanger+27+Munchen", "https://www.google.com/search?q=Farbergraben+10+Munchen", "https://www.google.com/search?q=Leopoldstrasse+184+Munchen", "https://www.google.com/search?q=Turkenstrasse+84+Munchen", "https://www.google.com/search?q=Altheimer+Eck+16+Munchen", "https://www.google.com/search?q=Tierparkstrasse+37+Munchen", "https://www.google.com/search?q=Siebenbrunner+Str+5+Munchen", "https://www.google.com/search?q=Maxburgstrasse+7+Munchen", "https://www.google.com/search?q=Herzog+Wilhelm+Strasse+11+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+56+Neufahrn+bei+Freising", "https://www.google.com/search?q=Karlspl+6+Munchen", "https://www.google.com/search?q=Zentrallandstrasse+1+Munchen", "https://www.google.com/search?q=Bayerstrasse+2+Munchen", "https://www.google.com/search?q=Luitpoldstrasse+3+Munchen", "https://www.google.com/search?q=Senefelderstrasse+7+Munchen", "https://www.google.com/search?q=Bahnhofpl+2+Munchen", "https://www.google.com/search?q=Senefelderstrasse+6+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+36+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+39+Munchen", "https://www.google.com/search?q=Arnulfstrasse+1+Munchen", "https://www.google.com/search?q=Elisenstrasse+4+Munchen", "https://www.google.com/search?q=Goethestrasse+4+Munchen", "https://www.google.com/search?q=Dachauer+Str+13+Munchen", "https://www.google.com/search?q=Dachauer+Str+17+Munchen", "https://www.google.com/search?q=Bayerstrasse+45+Munchen", "https://www.google.com/search?q=Dachauer+Str+21+Munchen", "https://www.google.com/search?q=Hirtenstrasse+14+Munchen", "https://www.google.com/search?q=Dorfer+Str+19+Rum", "https://www.google.com/search?q=Tolzer+Str+30+Munchen", "https://www.google.com/search?q=Wormser+Str+4+Munchen", "https://www.google.com/search?q=Hopfenstrasse+6+Munchen", "https://www.google.com/search?q=Friedastrasse+25+Munchen", "https://www.google.com/search?q=Bavariaring+5+Munchen", "https://www.google.com/search?q=Via+Giovanni+de+Min+1+Belluno", "https://www.google.com/search?q=Arnulfstrasse+15+Munchen", "https://www.google.com/search?q=Arnulfstrasse+17+Munchen", "https://www.google.com/search?q=Gollierstrasse+6+Munchen", "https://www.google.com/search?q=Schwanthalerstrasse+113+Munchen", "https://www.google.com/search?q=Marsstrasse+43+Munchen", "https://www.google.com/search?q=Zugspitzstrasse+4+Pullach+im+Isartal", "https://www.google.com/search?q=Heimeranstrasse+25+Munchen", "https://www.google.com/search?q=Knorrstrasse+166+Munchen", "https://www.google.com/search?q=Spiridon+Louis+Ring+3+Munchen", "https://www.google.com/search?q=Gmunder+Str+40+Munchen", "https://www.google.com/search?q=Larchenstrasse+51+Rum", "https://www.google.com/search?q=Lerchenauer+Str+57+Munchen", "https://www.google.com/search?q=Forststrasse+2+Baierbrunn", "https://www.google.com/search?q=Spiridon+Louis+Ring+15+Munchen", "https://www.google.com/search?q=Landsberger+Str+79+Munchen", "https://www.google.com/search?q=Helene+Mayer+Ring+3+Munchen", "https://www.google.com/search?q=Garmischer+Str+19+Munchen", "https://www.google.com/search?q=Ridlerstrasse+53+Munchen", "https://www.google.com/search?q=Dresdener+Str+2+Eching", "https://www.google.com/search?q=Landshuter+Allee+4+Munchen", "https://www.google.com/search?q=Richelstrasse+1+Munchen", "https://www.google.com/search?q=Grabenweg+64+Innsbruck", "https://www.google.com/search?q=Schleissheimer+Str+506+Munchen", "https://www.google.com/search?q=Grabenweg+65+Innsbruck", "https://www.google.com/search?q=Donnersbergerstrasse+5+Munchen", "https://www.google.com/search?q=Siegenburger+Strasse+58+Munchen", "https://www.google.com/search?q=Toni+Merkens+Weg+8+Munchen", "https://www.google.com/search?q=Elsenheimerstrasse+57+Munchen", "https://www.google.com/search?q=Moosacher+Str+98+Munchen", "https://www.google.com/search?q=Moosacher+Str+90+Munchen", "https://www.google.com/search?q=Zuricher+Strasse+31+Munchen", "https://www.google.com/search?q=Pelkovenstrasse+155+Munchen", "https://www.google.com/search?q=Orpheusstrasse+1+Munchen", "https://www.google.com/search?q=Prof+Benjamin+Allee+1+Schaftlarn", "https://www.google.com/search?q=Pelkovenstrasse+145+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+8+Schaftlarn", "https://www.google.com/search?q=Hollerner+Weg+1+Unterschleissheim", "https://www.google.com/search?q=Nordliche+Ingolstadter+Str+24+Unterschleissheim", "https://www.google.com/search?q=Dulferstrasse+69+Munchen", "https://www.google.com/search?q=Robert+Schuman+Strasse+1+Unterschleissheim", "https://www.google.com/search?q=Neurieder+Str+16+Munchen", "https://www.google.com/search?q=Gotthardstrasse+46+Munchen", "https://www.google.com/search?q=Am+Bahnhof+2+Icking", "https://www.google.com/search?q=Pegasusstrasse+6+Unterschleissheim", "https://www.google.com/search?q=Am+Flosskanal+12+Wolfratshausen", "https://www.google.com/search?q=Sauerlacher+Str+21+Wolfratshausen", "https://www.google.com/search?q=Feierabendstrasse+41+Oberschleissheim", "https://www.google.com/search?q=Stadionstrasse+1+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+41+Innsbruck", "https://www.google.com/search?q=Olympiastrasse+10+Innsbruck", "https://www.google.com/search?q=Dachauer+Str+421+Munchen", "https://www.google.com/search?q=Amraser+Str+1+Innsbruck", "https://www.google.com/search?q=Weiherburggasse+37+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+2+Innsbruck", "https://www.google.com/search?q=Brunecker+Str+1+Innsbruck", "https://www.google.com/search?q=Kaiserjagerstrasse+4+Innsbruck", "https://www.google.com/search?q=Sterzinger+Str+1+Innsbruck", "https://www.google.com/search?q=Meinhardstrasse+12+Innsbruck", "https://www.google.com/search?q=Bergisel+1+Innsbruck", "https://www.google.com/search?q=Max+Lebsche+Platz+30+Munchen", "https://www.google.com/search?q=Adamgasse+8+Innsbruck", "https://www.google.com/search?q=Untermenzinger+Str+1+Munchen", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+10+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+15+Munchen", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+19+Innsbruck", "https://www.google.com/search?q=Wilhelm+Greil+Strasse+25+Innsbruck", "https://www.google.com/search?q=Herrengasse+3+Innsbruck", "https://www.google.com/search?q=Sparkassenpl+1+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+17+Munchen", "https://www.google.com/search?q=Tschamlerstrasse+4+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+25+Munchen", "https://www.google.com/search?q=Mullerstrasse+15+Innsbruck", "https://www.google.com/search?q=Innrain+3+Innsbruck", "https://www.google.com/search?q=Marchioninistrasse+23+Munchen", "https://www.google.com/search?q=Innrain+25+Innsbruck", "https://www.google.com/search?q=Herzog+Siegmund+Ufer+5+Innsbruck", "https://www.google.com/search?q=Innerkoflerstrasse+15+Innsbruck", "https://www.google.com/search?q=Egger+Lienz+Strasse+116+Innsbruck", "https://www.google.com/search?q=Bachlechnerstrasse+73+Innsbruck", "https://www.google.com/search?q=Innrain+149+Innsbruck", "https://www.google.com/search?q=Perthalergasse+15+Innsbruck", "https://www.google.com/search?q=Furstenweg+185+Innsbruck", "https://www.google.com/search?q=Haberlandstrasse+59+Munchen", "https://www.google.com/search?q=Furstenweg+180+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+21+Innsbruck", "https://www.google.com/search?q=Technikerstrasse+25+Innsbruck", "https://www.google.com/search?q=Zum+Schwabenbachl+39+Munchen", "https://www.google.com/search?q=Eversbuschstrasse+261+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+44+Planegg", "https://www.google.com/search?q=Kreuzwinkelstrasse+100+Planegg", "https://www.google.com/search?q=Bergsonstrasse+117+Munchen", "https://www.google.com/search?q=Alte+Romerstrasse+62+Dachau", "https://www.google.com/search?q=Bodenseestrasse+322+Munchen", "https://www.google.com/search?q=Georg+Bohmer+Strasse+24+Munchen", "https://www.google.com/search?q=Bahnhofstrasse+25+Gauting", "https://www.google.com/search?q=Salzburger+Strasse+11+Dachau", "https://www.google.com/search?q=Bahnhofpl+1+Starnberg", "https://www.google.com/search?q=Hans+Zellner+Weg+10+Starnberg", "https://www.google.com/search?q=Obere+Moosschwaigestrasse+11+Dachau", "https://www.google.com/search?q=Lochhausener+Str+215+Munchen", "https://www.google.com/search?q=Henschelstrasse+8+Munchen", "https://www.google.com/search?q=Maffeistrasse+29+Germering", "https://www.google.com/search?q=Hauptstrasse+8+Starnberg", "https://www.google.com/search?q=Eduard+Ziegler+Strasse+2+Dachau", "https://www.google.com/search?q=Bahnhofstrasse+24+Regensburg", "https://www.google.com/search?q=Bahnhofstrasse+20+Regensburg", "https://www.google.com/search?q=Grobenrieder+Strasse+81+Dachau", "https://www.google.com/search?q=Schinderkreppe+1+Dachau", "https://www.google.com/search?q=Munchner+Str+32+Dachau", "https://www.google.com/search?q=Bahnhofstrasse+18+Regensburg", "https://www.google.com/search?q=Walpertshofener+Str+10+Hebertshausen", "https://www.google.com/search?q=Bahnhofstrasse+7+Regensburg", "https://www.google.com/search?q=Schleissheimer+Strasse+1+Dachau", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+17+Dachau", "https://www.google.com/search?q=Am+Kuhberg+3+Dachau", "https://www.google.com/search?q=Kurfurst+Max+Emanuel+Platz+2+Dachau", "https://www.google.com/search?q=Ludwig+Dill+Strasse+58+Dachau", "https://www.google.com/search?q=Burgermeister+Zauner+Ring+2+Dachau", "https://www.google.com/search?q=Therese+Giehse+Platz+6+Germering", "https://www.google.com/search?q=Sudendstrasse+3+Germering", "https://www.google.com/search?q=Dr+Hiller+Strasse+34+Dachau", "https://www.google.com/search?q=Landsberger+Strasse+41+Germering", "https://www.google.com/search?q=Schlossberg+4+Pocking", "https://www.google.com/search?q=Bahnhofpl+12+Germering", "https://www.google.com/search?q=Schafflergraben+1+Pocking", "https://www.google.com/search?q=Prufeninger+Strasse+29+Regensburg", "https://www.google.com/search?q=Kuglerstrasse+13+Regensburg", "https://www.google.com/search?q=Bahnhofstrasse+1+Rohrmoos", "https://www.google.com/search?q=Traubinger+Str+2+Feldafing", "https://www.google.com/search?q=Inzemooser+Str+1+Rohrmoos", "https://www.google.com/search?q=Bahnhofstrasse+9+Rohrmoos", "https://www.google.com/search?q=Grobenbachstrasse+3+Grobenzell", "https://www.google.com/search?q=Sonnenweg+5+6+Grobenzell", "https://www.google.com/search?q=Heinrich+Vogl+Strasse+24+Tutzing", "https://www.google.com/search?q=Beringerweg+12+Tutzing", "https://www.google.com/search?q=Lochhauser+Str+3+Puchheim", "https://www.google.com/search?q=Indersdorfer+Str+39+Vierkirchen", "https://www.google.com/search?q=Bahnhofstrasse+20+Vierkirchen", "https://www.google.com/search?q=Angerfeldstrasse+2+Gilching", "https://www.google.com/search?q=Allinger+Str+1+Puchheim", "https://www.google.com/search?q=Schlossstrasse+29+Vierkirchen", "https://www.google.com/search?q=Bahnhofstrasse+29+Petershausen", "https://www.google.com/search?q=Am+Bahnhof+4+Gilching", "https://www.google.com/search?q=Ludwig+Thoma+Strasse+1+Bergkirchen", "https://www.google.com/search?q=Am+Bahnhof+3+Gilching", "https://www.google.com/search?q=Franz+Pfaffenberger+Strasse+16+Kelheim", "https://www.google.com/search?q=Am+Pflegerspitz+1+Kelheim", "https://www.google.com/search?q=Feursstrasse+2+Olching", "https://www.google.com/search?q=Landsberger+Str+100+Gilching", "https://www.google.com/search?q=Niederdorfl+1+Kelheim", "https://www.google.com/search?q=Munchener+Str+84+Hettenshausen", "https://www.google.com/search?q=Munchener+Str+80+Hettenshausen", "https://www.google.com/search?q=Schlossweg+2+Kelheim", "https://www.google.com/search?q=Munchener+Str+12+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Bahnhofstrasse+7+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Joseph+Fraunhofer+Strasse+10+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Wohrdpl+1+Kelheim", "https://www.google.com/search?q=Schrobenhausener+Str+1+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Alleestrasse+37+Kelheim", "https://www.google.com/search?q=Stadtgraben+13+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Stadtgraben+3+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Schlachthofstrasse+11+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Schulstrasse+3+5+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Turltorstrasse+46+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Hauptpl+31+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Auenstrasse+7+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Munchener+Str+30+Schwabhausen", "https://www.google.com/search?q=Am+Bahnhof+2+Schwabhausen", "https://www.google.com/search?q=Hauptpl+30+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ingolstadter+Str+72+74+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Kellerstrasse+17+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ingolstadter+Str+76+Pfaffenhofen+an+der+Ilm", "https://www.google.com/search?q=Ringstrasse+4+Olching", "https://www.google.com/search?q=Bahnhofpl+2+Markt+Indersdorf", "https://www.google.com/search?q=Klosterstrasse+600+Seefeld+in+Tirol", "https://www.google.com/search?q=Bahnhofstrasse+15+Wessling", "https://www.google.com/search?q=Bahnhofstrasse+4+Wessling", "https://www.google.com/search?q=An+Der+Grundbreite+10+Wessling", "https://www.google.com/search?q=Hermann+Lons+Strasse+9+10+Maisach", "https://www.google.com/search?q=Heinestrasse+9+Maisach", "https://www.google.com/search?q=Am+Kuhberg+19+Schwabhausen", "https://www.google.com/search?q=Oskar+von+Miller+Strasse+3+Furstenfeldbruck", "https://www.google.com/search?q=Bahnhofstrasse+8+Seefeld", "https://www.google.com/search?q=Bahnhofstrasse+1+Worthsee", "https://www.google.com/search?q=Bahnhofallee+2+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Lindacher+Str+2+Maisach", "https://www.google.com/search?q=Eisenkramergasse+11+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Bahnhofstrasse+13+Weilheim+in+Oberbayern", "https://www.google.com/search?q=Herrenstrasse+1+Maisach", "https://www.google.com/search?q=Ladestrasse+2+Herrsching+am+Ammersee", "https://www.google.com/search?q=Kurt+Huber+Ring+5+Furstenfeldbruck", "https://www.google.com/search?q=St+2054+Sulzemoos", "https://www.google.com/search?q=Bahnhofstrasse+25+Garmisch+Partenkirchen", "https://www.google.com/search?q=Burgermeister+Bals+Strasse+17+Maisach", "https://www.google.com/search?q=Bahnhofstrasse+99+Schongeising", "https://www.google.com/search?q=St+Martin+Strasse+2+Erdweg", "https://www.google.com/search?q=Bahnhofstrasse+113+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+99+Grafrath", "https://www.google.com/search?q=Bahnhofstrasse+83+Grafrath", "https://www.google.com/search?q=Am+Bahnhof+1+Mammendorf", "https://www.google.com/search?q=Schlossbergstrasse+38+Mammendorf", "https://www.google.com/search?q=Bahnhofstrasse+23+Altomunster", "https://www.google.com/search?q=Hauptstrasse+21+Odelzhausen", "https://www.google.com/search?q=Birkenweg+1+Turkenfeld", "https://www.google.com/search?q=Bahnhofstrasse+28+Turkenfeld", "https://www.google.com/search?q=Bahnhofspl+6+Hattenhofen", "https://www.google.com/search?q=Bahnhofstrasse+2+Hattenhofen", "https://www.google.com/search?q=Bahnhofstrasse+8+Schwandorf", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+47+Schrobenhausen", "https://www.google.com/search?q=St+Georgs+Platz+1+Schrobenhausen", "https://www.google.com/search?q=Burgermeister+Stocker+Ring+34+Schrobenhausen", "https://www.google.com/search?q=Lenbachstrasse+19+Schrobenhausen", "https://www.google.com/search?q=Bahnhofpl+3+Schwandorf", "https://www.google.com/search?q=Regensburger+Str+6+Schrobenhausen", "https://www.google.com/search?q=Eichendorffstrasse+12+Schrobenhausen", "https://www.google.com/search?q=Roderstrasse+18+Ingolstadt", "https://www.google.com/search?q=Georg+Alber+Strasse+3+5+Schrobenhausen", "https://www.google.com/search?q=Roderstrasse+30+Ingolstadt", "https://www.google.com/search?q=Bahnhofstrasse+25+Schrobenhausen", "https://www.google.com/search?q=Carl+Zeiss+Strasse+4+Ingolstadt", "https://www.google.com/search?q=Hindemithstrasse+40+Ingolstadt", "https://www.google.com/search?q=Senefelderstrasse+6+Ingolstadt", "https://www.google.com/search?q=Bahnhofstrasse+4+Althegnenberg", "https://www.google.com/search?q=Ettinger+Str+107+Ingolstadt", "https://www.google.com/search?q=Gaimersheimer+Str+125+Ingolstadt", "https://www.google.com/search?q=Maria+Goeppert+Strasse+4+Ingolstadt", "https://www.google.com/search?q=Pascalstrasse+6+Ingolstadt", "https://www.google.com/search?q=Via+Goethe+4+Merano", "https://www.google.com/search?q=Via+Goethe+72+Merano", "https://www.google.com/search?q=Badgasschen+4+Aichach", "https://www.google.com/search?q=Knollerweg+6+Aichach", "https://www.google.com/search?q=Bahnhofstrasse+23+Aichach", "https://www.google.com/search?q=Adolf+Kolping+Strasse+137+Neuburg+an+der+Donau", "https://www.google.com/search?q=Platz+Der+Deutschen+Einheit+1+Neuburg+an+der+Donau", "https://www.google.com/search?q=Sauerbruchstrasse+6+Augsburg", "https://www.google.com/search?q=Schaezlerstrasse+9+Augsburg", "https://www.google.com/search?q=Viktoriastrasse+3+Augsburg", "https://www.google.com/search?q=Kemptener+Str+11+Fussen", "https://www.google.com/search?q=Stenglinstrasse+2+Augsburg", "https://www.google.com/search?q=Alte+Weberei+5+Kaufbeuren", "https://www.google.com/search?q=Innere+Buchleuthenstrasse+13+Kaufbeuren", "https://www.google.com/search?q=An+Der+Schnelle+5+Kaufbeuren", "https://www.google.com/search?q=Innstrasse+23+Landeck", "https://www.google.com/search?q=Via+Valentina+Zambra+11+Trento", "https://www.google.com/search?q=Via+Francesco+Petrarca+1+5+Trento", "https://www.google.com/search?q=Eicher+Str+30+Kempten+Allgau+", "https://www.google.com/search?q=Burgstrasse+20+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofplatz+3+Kempten+Allgau+", "https://www.google.com/search?q=Kotterner+Str+70+Kempten+Allgau+", "https://www.google.com/search?q=Residenzplatz+2+Kempten+Allgau+", "https://www.google.com/search?q=Pfeilergraben+14+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofstrasse+5+Kempten+Allgau+", "https://www.google.com/search?q=Am+Konigsplatz+3+Kempten+Allgau+", "https://www.google.com/search?q=Bahnhofstrasse+47+Roth", "https://www.google.com/search?q=Unterer+Weinbergweg+6+Roth", "https://www.google.com/search?q=Wiesenstrasse+18+Georgensgmund", "https://www.google.com/search?q=Hirnbeinstrasse+5+Sonthofen", "https://www.google.com/search?q=Altstadter+Strasse+1+Sonthofen", "https://www.google.com/search?q=Bogenstrasse+6+Sonthofen", "https://www.google.com/search?q=Blumenstrasse+7+Sonthofen", "https://www.google.com/search?q=Immenstadter+Strasse+3+Sonthofen", "https://www.google.com/search?q=Untere+Bahnhofstrasse+4+Buchenbach", "https://www.google.com/search?q=Untere+Bahnhofstrasse+1A+Buchenbach", "https://www.google.com/search?q=Hofweiherweg+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Kapuzinerstrasse+6+Dillingen+an+der+Donau", "https://www.google.com/search?q=Altheimer+Str+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Regens+Wagner+Strasse+4+Dillingen+an+der+Donau", "https://www.google.com/search?q=Bleichstrasse+1+2+Dillingen+an+der+Donau", "https://www.google.com/search?q=Am+Flughafen+35+Memmingerberg", "https://www.google.com/search?q=Schwabenstrasse+15+Memmingerberg", "https://www.google.com/search?q=Industriestrasse+24+Memmingerberg", "https://www.google.com/search?q=Bahnhofstrasse+43+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+22+Schwabach", "https://www.google.com/search?q=Ludwigstrasse+16+Schwabach", "https://www.google.com/search?q=Rathausgasse+2+Schwabach", "https://www.google.com/search?q=Nordliche+Ringstrasse+9+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+20+Schwabach", "https://www.google.com/search?q=Nurnberger+Str+40+Schwabach", "https://www.google.com/search?q=Spitalberg+14+16+Schwabach", "https://www.google.com/search?q=Reichswaisenhausstrasse+3+Schwabach", "https://www.google.com/search?q=Baimbacher+Weg+26+Nurnberg", "https://www.google.com/search?q=Bahnhofstrasse+24+Memmingen", "https://www.google.com/search?q=Bahnhofstrasse+4+Memmingen", "https://www.google.com/search?q=Lindentorstrasse+23+Memmingen", "https://www.google.com/search?q=Schwesterstrasse+21+Memmingen", "https://www.google.com/search?q=Gerberplatz+7+Memmingen", "https://www.google.com/search?q=Krautstrasse+8+10+Memmingen", "https://www.google.com/search?q=Promenadenweg+98+Nurnberg", "https://www.google.com/search?q=Konigsgraben+29+Memmingen", "https://www.google.com/search?q=Konigsgraben+3+Memmingen", "https://www.google.com/search?q=Bismarckstrasse+21+Memmingen", "https://www.google.com/search?q=St+2031+Altenstadt", "https://www.google.com/search?q=Pflugberg+3+Leutkirch+im+Allgau", "https://www.google.com/search?q=Seelhausweg+4+Leutkirch+im+Allgau", "https://www.google.com/search?q=Evangelische+Kirchgasse+15+Leutkirch+im+Allgau", "https://www.google.com/search?q=Bahnhof+5+Leutkirch+im+Allgau", "https://www.google.com/search?q=Wurzacher+Str+3+Leutkirch+im+Allgau", "https://www.google.com/search?q=B+13+Merkendorf", "https://www.google.com/search?q=Bahnhofweg+28+Merkendorf", "https://www.google.com/search?q=Bahnhofweg+7+Merkendorf", "https://www.google.com/search?q=Muncherlbacher+Strasse+20+Rosstal", "https://www.google.com/search?q=Bahnhofstrasse+29+Heilsbronn", "https://www.google.com/search?q=Buchbergstrasse+100+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+19+Petersaurach", "https://www.google.com/search?q=Bahnhofstrasse+9+Petersaurach", "https://www.google.com/search?q=Bahnhofstrasse+4+Sachsen+bei+Ansbach", "https://www.google.com/search?q=Neukirchner+Strasse+3+Sachsen+bei+Ansbach", "https://www.google.com/search?q=Friedrichstrasse+3+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Grabenstrasse+15+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=St+Poltener+Str+9+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Clichystrasse+9+Heidenheim+an+der+Brenz", "https://www.google.com/search?q=Meininger+Allee+17+Neu+Ulm", "https://www.google.com/search?q=Bofinger+Strasse+50+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+11+Neu+Ulm", "https://www.google.com/search?q=Bahnhofstrasse+1+Neu+Ulm", "https://www.google.com/search?q=Wichernstrasse+5+Ulm", "https://www.google.com/search?q=Hermann+Kohl+Strasse+171+Neu+Ulm", "https://www.google.com/search?q=Insel+14+Neu+Ulm", "https://www.google.com/search?q=Rosengasse+21+Ulm", "https://www.google.com/search?q=Hoheschulgasse+3+Ulm", "https://www.google.com/search?q=Neue+Str+60+Ulm", "https://www.google.com/search?q=Eyber+Strasse+73+Ansbach", "https://www.google.com/search?q=Schwilmengasse+5+Ulm", "https://www.google.com/search?q=Salzstadelgasse+14+Ulm", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+8+Ulm", "https://www.google.com/search?q=Olgastrasse+63+Ulm", "https://www.google.com/search?q=Friedrich+Ebert+Strasse+1+Ulm", "https://www.google.com/search?q=Bahnhofpl+2+Ulm", "https://www.google.com/search?q=Bahnhofplatz+1+Ulm", "https://www.google.com/search?q=Bahnhofplatz+2+Ulm", "https://www.google.com/search?q=Eyber+Strasse+2+Ansbach", "https://www.google.com/search?q=Karolinenstrasse+26+Ansbach", "https://www.google.com/search?q=Promenade+21+Ansbach", "https://www.google.com/search?q=Reitbahn+9+Ansbach", "https://www.google.com/search?q=Promenade+3+Ansbach", "https://www.google.com/search?q=Egginger+Weg+40+Ulm", "https://www.google.com/search?q=Schillerstrasse+3+Bregenz", "https://www.google.com/search?q=Jahnstrasse+9+Bregenz", "https://www.google.com/search?q=Romerstrasse+19+23+Bregenz", "https://www.google.com/search?q=Hirschbachstrasse+1+Aalen", "https://www.google.com/search?q=Mehrerauerstrasse+7+Bregenz", "https://www.google.com/search?q=Ochsengasse+5+Weingarten", "https://www.google.com/search?q=Hehlestrasse+1+Ehingen+Donau+", "https://www.google.com/search?q=Gymnasiumstrasse+17+19+Ehingen+Donau+", "https://www.google.com/search?q=Lindenstrasse+48+Ehingen+Donau+", "https://www.google.com/search?q=Kornhausgasse+6+Ehingen+Donau+", "https://www.google.com/search?q=Bucksgassle+9+Ehingen+Donau+", "https://www.google.com/search?q=Am+Viehmarkt+10+Ehingen+Donau+", "https://www.google.com/search?q=Stadtwirtsgassle+2+Ehingen+Donau+", "https://www.google.com/search?q=Hopfenhausstrasse+2+Ehingen+Donau+", "https://www.google.com/search?q=Tuchergasse+40+Ehingen+Donau+", "https://www.google.com/search?q=Poststrasse+6+Aulendorf", "https://www.google.com/search?q=Helfensteinstrasse+30+Geislingen+an+der+Steige", "https://www.google.com/search?q=Schillerstrasse+22+Geislingen+an+der+Steige", "https://www.google.com/search?q=Konrad+Adenauer+Strasse+2+Geislingen+an+der+Steige", "https://www.google.com/search?q=Bahnhofstrasse+37+Geislingen+an+der+Steige", "https://www.google.com/search?q=Bahnhofstrasse+3+Geislingen+an+der+Steige", "https://www.google.com/search?q=Parkstrasse+25+Ravensburg", "https://www.google.com/search?q=B+467+Tettnang", "https://www.google.com/search?q=Dornierstrasse+5+Thal", "https://www.google.com/search?q=Flughafenstrasse+11+Thal", "https://www.google.com/search?q=Am+Flugpl+46+Meckenbeuren", "https://www.google.com/search?q=Am+Flugpl+64+Meckenbeuren", "https://www.google.com/search?q=Leonie+Furst+Strasse+6+Friedrichshafen", "https://www.google.com/search?q=Eckenerstrasse+10+Friedrichshafen", "https://www.google.com/search?q=Marienstrasse+13+Friedrichshafen", "https://www.google.com/search?q=Karlstrasse+3+Friedrichshafen", "https://www.google.com/search?q=Scheffelstrasse+16+Friedrichshafen", "https://www.google.com/search?q=Franziskusplatz+4+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+26+Friedrichshafen", "https://www.google.com/search?q=Klosterstrasse+5+Friedrichshafen", "https://www.google.com/search?q=Olgastrasse+12+Friedrichshafen", "https://www.google.com/search?q=Werastrasse+23+Friedrichshafen", "https://www.google.com/search?q=Schmidstrasse+1+Friedrichshafen", "https://www.google.com/search?q=Miettingerplatz+2+Friedrichshafen", "https://www.google.com/search?q=Filsstrasse+69+Eislingen+Fils", "https://www.google.com/search?q=Zeppelinstrasse+650+Friedrichshafen", "https://www.google.com/search?q=Strandbadstrasse+11+Friedrichshafen", "https://www.google.com/search?q=Fildenplatz+99+Friedrichshafen", "https://www.google.com/search?q=Davidstrasse+33+Goppingen", "https://www.google.com/search?q=Jahnstrasse+50+Goppingen", "https://www.google.com/search?q=Steinachstrasse+45+Sankt+Gallen", "https://www.google.com/search?q=Sonnenstrasse+39+Sankt+Gallen", "https://www.google.com/search?q=Moosbruggstrasse+5+Sankt+Gallen", "https://www.google.com/search?q=Burggraben+16+Sankt+Gallen", "https://www.google.com/search?q=Torstrasse+14+Sankt+Gallen", "https://www.google.com/search?q=Unterer+Graben+39+Sankt+Gallen", "https://www.google.com/search?q=Oberer+Graben+41+Sankt+Gallen", "https://www.google.com/search?q=Wassergasse+7+Sankt+Gallen", "https://www.google.com/search?q=Gartenstrasse+8+Sankt+Gallen", "https://www.google.com/search?q=Hintere+Schutzengasse+2+Sankt+Gallen", "https://www.google.com/search?q=Sankt+Leonhard+Strasse+23+Sankt+Gallen", "https://www.google.com/search?q=Schochengasse+5+Sankt+Gallen", "https://www.google.com/search?q=Bahnhofstrasse+19+Sankt+Gallen", "https://www.google.com/search?q=Lagerstrasse+6+Sankt+Gallen", "https://www.google.com/search?q=Bogenstrasse+10+Sankt+Gallen", "https://www.google.com/search?q=Parkstrasse+4+Lenningen", "https://www.google.com/search?q=Bahnhofstrasse+18+Ebersbach+an+der+Fils", "https://www.google.com/search?q=Eisenbahnstrasse+50+Dettingen+unter+Teck", "https://www.google.com/search?q=Turmstrasse+2+Kirchheim+unter+Teck", "https://www.google.com/search?q=Alleenstrasse+1+3+Kirchheim+unter+Teck", "https://www.google.com/search?q=Plochinger+Strasse+36+Kirchheim+unter+Teck", "https://www.google.com/search?q=Eugen+Gerstenmaier+Platz+1+Kirchheim+unter+Teck", "https://www.google.com/search?q=Heinrich+Otto+Strasse+3+Reichenbach+an+der+Fils", "https://www.google.com/search?q=Uracher+Strasse+40+Kirchheim+unter+Teck", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+15+Wernau+Neckar+", "https://www.google.com/search?q=Gottlieb+Wolfer+Strasse+9+Wernau+Neckar+", "https://www.google.com/search?q=Neckarstrasse+3+Plochingen", "https://www.google.com/search?q=Bahnhofstrasse+12+Frickenhausen", "https://www.google.com/search?q=Eisenbahnstrasse+54+Plochingen", "https://www.google.com/search?q=Plochinger+Strasse+29+Nurtingen", "https://www.google.com/search?q=Plochinger+Strasse+14+Nurtingen", "https://www.google.com/search?q=Bahnhofstrasse+2+Altbach", "https://www.google.com/search?q=Europastrasse+7+Nurtingen", "https://www.google.com/search?q=Lessingstrasse+13+Grossbettlingen", "https://www.google.com/search?q=Hauptstrasse+98+Esslingen+am+Neckar", "https://www.google.com/search?q=Bahnhofstrasse+30+Bempflingen", "https://www.google.com/search?q=Ulmer+Str+75+Esslingen+am+Neckar", "https://www.google.com/search?q=Holderlinweg+6+Esslingen+am+Neckar", "https://www.google.com/search?q=Flandernstrasse+103+Esslingen+am+Neckar", "https://www.google.com/search?q=Urbanstrasse+13+Esslingen+am+Neckar", "https://www.google.com/search?q=Ritterstrasse+17+Esslingen+am+Neckar", "https://www.google.com/search?q=Martinstrasse+4+Esslingen+am+Neckar", "https://www.google.com/search?q=Agnespromenade+4+Esslingen+am+Neckar", "https://www.google.com/search?q=Martinstrasse+15+Esslingen+am+Neckar", "https://www.google.com/search?q=Berliner+Str+1+Esslingen+am+Neckar", "https://www.google.com/search?q=Kandlerstrasse+1+Esslingen+am+Neckar", "https://www.google.com/search?q=Kraichgaustrasse+12+Neuhausen+auf+den+Fildern", "https://www.google.com/search?q=Ernst+Heinkel+Strasse+2+Ostfildern", "https://www.google.com/search?q=Herzog+Carl+Strasse+4+Ostfildern", "https://www.google.com/search?q=Gerhard+Koch+Strasse+1+Ostfildern", "https://www.google.com/search?q=Bonhoefferstrasse+20+Ostfildern", "https://www.google.com/search?q=Goppinger+Str+19+Stuttgart", "https://www.google.com/search?q=Hafenbahnstrasse+22+Stuttgart", "https://www.google.com/search?q=Augsburger+Str+380+Stuttgart", "https://www.google.com/search?q=Martin+Schrenk+Weg+3+Stuttgart"] user_agent_list = [ #Chrome 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.113 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.90 Safari/537.36', 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/44.0.2403.157 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.3; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/60.0.3112.113 Safari/537.36', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/57.0.2987.133 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/57.0.2987.133 Safari/537.36', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/55.0.2883.87 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/55.0.2883.87 Safari/537.36', #Firefox 'Mozilla/4.0 (compatible; MSIE 9.0; Windows NT 6.1)', 'Mozilla/5.0 (Windows NT 6.1; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; WOW64; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.1; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (Windows NT 6.2; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (Windows NT 10.0; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.0; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.3; WOW64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; Trident/5.0)', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; Trident/7.0; rv:11.0) like Gecko', 'Mozilla/5.0 (compatible; MSIE 10.0; Windows NT 6.1; WOW64; Trident/6.0)', 'Mozilla/5.0 (compatible; MSIE 10.0; Windows NT 6.1; Trident/6.0)', 'Mozilla/4.0 (compatible; MSIE 8.0; Windows NT 5.1; Trident/4.0; .NET CLR 2.0.50727; .NET CLR 3.0.4506.2152; .NET CLR 3.5.30729)' ] def soups(): for url in url_list: hdr = {'User-Agent': random.choice(user_agent_list)} # print(hdr) req = requests.get(url, headers=hdr) # page = urlopen(req) soup = BeautifulSoup(req.text, 'html.parser') yield soup # Scraping def getPropNames(soup): try: names.append(soup.find('div', class_='SPZz6b').find_next('span').text) except: names.append("PROSPECT") pass # print(elm.text) def getPropAdress(soup): try: addresses.append(soup.find('div', class_='i4J0ge').text) except: addresses.append("PROSPECT") pass def GetTime(time_remaining): return time_remaining names = [] addresses = [] totalNumbUrl = len(url_list) i = 0 time_remaining = totalNumbUrl for soup in soups(): getPropNames(soup) getPropAdress(soup) i += 1 time_remaining = (time_remaining - 1) if i % 1 == 0: time.sleep(.5) sys.stdout.write('\r' + 'Current Url: ' + str(i) + ' Percentage: ' + str( round((i / totalNumbUrl) * 100)) + '%' + ' time remaining: ' + str(round(time_remaining / 60)) + " minutes ") # sys.stdout.flush() # print('\r' +str(round(i/totalNumbUrl)*100)+ '%') Data = {'names': names, 'addresses': addresses} print('') print('result:') print(Data) # Create a Pandas dataframe from the data. df = pd.DataFrame(dict([ (k,pd.Series(v)) for k,v in Data.items() ])) # Create a Pandas Excel writer using XlsxWriter as the engine. writer = pd.ExcelWriter('pandas_simple.xlsx', engine='xlsxwriter') # Convert the dataframe to an XlsxWriter Excel object. df.to_excel(writer, sheet_name='Sheet1') # Close the Pandas Excel writer and output the Excel file. writer.save()
581
0
91
da884f5ead10b94e4d9a92da7b24ea0d8fd2c498
58
py
Python
moodle/mod/data/__init__.py
Hardikris/moodlepy
8f5cb0cb4c2297e10f48396de681f6bb250f7751
[ "MIT" ]
null
null
null
moodle/mod/data/__init__.py
Hardikris/moodlepy
8f5cb0cb4c2297e10f48396de681f6bb250f7751
[ "MIT" ]
null
null
null
moodle/mod/data/__init__.py
Hardikris/moodlepy
8f5cb0cb4c2297e10f48396de681f6bb250f7751
[ "MIT" ]
null
null
null
from .base import BaseData __all__ = [ "BaseData", ]
9.666667
26
0.637931
from .base import BaseData __all__ = [ "BaseData", ]
0
0
0
5cfd293577337dc1790faa870bc3e821cc967e76
2,751
py
Python
hospitals/views.py
Lifespark-Technologies/Infomed
25a20788b4f9314360e4e1c1d8592597e9e0587c
[ "MIT" ]
2
2020-05-18T12:15:27.000Z
2020-06-16T12:26:23.000Z
hospitals/views.py
Lifespark-Technologies/Infomed
25a20788b4f9314360e4e1c1d8592597e9e0587c
[ "MIT" ]
76
2020-04-29T07:00:39.000Z
2021-06-10T19:14:11.000Z
hospitals/views.py
Lifespark-Technologies/Infomed
25a20788b4f9314360e4e1c1d8592597e9e0587c
[ "MIT" ]
2
2020-05-07T19:25:06.000Z
2020-06-05T14:30:29.000Z
from django.shortcuts import render from isodate import parse_duration from rest_framework import viewsets from rest_framework.decorators import action from rest_framework.response import Response from rest_framework_extensions.mixins import NestedViewSetMixin from .models import Hospital, AppointmentSlot from .serializers import HospitalSerializer, AppointmentSlotSerializer import dateutil.parser import json # Create your views here.
37.684932
118
0.677208
from django.shortcuts import render from isodate import parse_duration from rest_framework import viewsets from rest_framework.decorators import action from rest_framework.response import Response from rest_framework_extensions.mixins import NestedViewSetMixin from .models import Hospital, AppointmentSlot from .serializers import HospitalSerializer, AppointmentSlotSerializer import dateutil.parser import json # Create your views here. class HospitalView(NestedViewSetMixin, viewsets.ModelViewSet): queryset = Hospital.objects.all() serializer_class = HospitalSerializer class AppointmentSlotView(NestedViewSetMixin, viewsets.ModelViewSet): queryset = AppointmentSlot.objects.all() serializer_class = AppointmentSlotSerializer def get_queryset(self): """ Returns appointment slots, potentially filtering them by date. Query parameters: * `since`: minimum start date (ISO-8601) * `until`: maximum end date (ISO-8601) """ qs = super().get_queryset() if "since" in self.request.query_params: qs = qs.filter(start__gte=self.request.query_params["since"]) if "until" in self.request.query_params: qs = qs.filter(end__lte=self.request.query_params["until"]) return qs def create(self, request, parent_lookup_hospital, *args, **kwargs): """ Creates appointment slots of given size in a given time range. Takes a JSON request with following attributes: * `start`: beginning of the time range (ISO-8601) * `end`: end of the time range (ISO-8601) * `slotLength`: length of time slots (ISO-8601 duration) """ body = json.loads(request.body) start = dateutil.parser.isoparse(body["start"]) end = dateutil.parser.isoparse(body["end"]) slot_length = parse_duration(body["slotLength"]) hospital = Hospital.objects.get(pk=parent_lookup_hospital) slot_start = start slot_end = slot_start + slot_length created_slots = [] while slot_end <= end: slot = hospital.appointment_slots.create( start=slot_start, end=slot_end, status="available") slot.save() created_slots.append(slot) slot_start += slot_length slot_end += slot_length serializer = self.serializer_class(created_slots, many=True) return Response(serializer.data) @action(detail=True, methods=["POST"]) def schedule(self, request, **kwargs): # TODO: Instead of changing status field, attach slot to a patient # object. slot = self.get_object() slot.status = 'unavailable' slot.save() return Response()
225
2,038
46
2a448b798c76e008bc6f72e7e626401e5a351245
5,205
py
Python
futuquant/examples/app/shock_alarm/mysql_interface.py
hxhxhx88/futuquant
a1b4a875604f1de451ddde4bfa3e713452482b0a
[ "Apache-2.0" ]
null
null
null
futuquant/examples/app/shock_alarm/mysql_interface.py
hxhxhx88/futuquant
a1b4a875604f1de451ddde4bfa3e713452482b0a
[ "Apache-2.0" ]
null
null
null
futuquant/examples/app/shock_alarm/mysql_interface.py
hxhxhx88/futuquant
a1b4a875604f1de451ddde4bfa3e713452482b0a
[ "Apache-2.0" ]
null
null
null
# -*- coding: utf-8 -*- import pymysql import sys # test code # myopenid = "kdhfskgadfvbsdvkjgkaghsdzfkigv_dgfjsdzfvbjazsgdcfvgh" # p1 = 1000000.0 # p2 = 4000000.0 # stockid = "" # user_setting = '设置' + ' ' + str(p1) + ' ' + str(p2) + ' ' # mi = mysql_interaction() # mi.mysql_connect() # mi.create_table() # mi.update_threshold(myopenid, user_setting) # mi.print_table() # mi.delete_user_setting(myopenid) # mi.print_table() # mi.get_setting_by_openid(myopenid) # mi = mysql_interface() # mi.create_table_price() # mi.update_price("test", 12.1) # result = mi.get_preprice_by_stockid("tes") # if not result: # print("None") # else: # print(result)
35.650685
205
0.615946
# -*- coding: utf-8 -*- import pymysql import sys class mysql_interface: def __init__(self): self.host = '127.0.0.1' self.port = 3306 self.user = 'root' self.passwd = 'hackch' self.database = 'stock_alarm' def mysql_connect(self): conn = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cursor = conn.cursor() cursor.execute("SELECT VERSION()") row = cursor.fetchone() print("MySQL server version:", row[0]) cursor.close() conn.close() def create_table_seeting(self): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute("CREATE TABLE IF NOT EXISTS setting(openid VARCHAR(100) PRIMARY KEY, warning_threshold numeric(20, 8), single_deal_threshold numeric(20, 8), stockid VARCHAR(100))") # cur.execute('insert into setting(openid, warning_threshold, single_deal_threshold, stockid) values ("%s", "%f", "%f", "%s") ' % (myopenid, p1, p2, stockid)) # con.commit() con.close() def print_table(self): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute("select * from setting") results = cur.fetchall() for row in results: print(row) con.close() def update_threshold(self, openid, user_setting): list = user_setting.split(" ") p1 = float(list[1]) p2 = float(list[2]) con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() sql_update_threshold = 'insert into setting set openid = "%s", warning_threshold = "%f", single_deal_threshold = "%f" on duplicate key update warning_threshold = "%f", single_deal_threshold = "%f"' try: cur.execute(sql_update_threshold % (openid, p1, p2, p1, p2)) # 提交 con.commit() except Exception as e: # 错误回滚 con.rollback() finally: con.close() def update_stockid(self): return 0 def delete_user_setting(self, openid): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() sql_delete = 'delete from setting where openid = "%s"' try: cur.execute(sql_delete % (openid)) con.commit() except Exception as e: # 错误回滚 con.rollback() finally: con.close() def get_all_user_setting(self): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute('select * from setting') results = cur.fetchall() con.close() return results def get_setting_by_openid(self, openid): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute('select * from setting where openid = "%s"' % openid) results = cur.fetchall() con.close() return results def create_table_price(self): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute("CREATE TABLE IF NOT EXISTS price(stockid VARCHAR(25) PRIMARY KEY, preprice numeric(10, 8))") con.close() def update_price(self, stockid, price): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() sql_update_threshold = 'insert into price set stockid = "%s", preprice = "%f" on duplicate key update preprice = "%f"' try: cur.execute(sql_update_threshold % (stockid, price, price)) # 提交 con.commit() except Exception as e: # 错误回滚 con.rollback() finally: con.close() def get_preprice_by_stockid(self, stockid): con = pymysql.connect(host=self.host, port=self.port, user=self.user, passwd=self.passwd, db=self.database) cur = con.cursor() cur.execute('select * from price where stockid = "%s"' % stockid) results = cur.fetchall() con.close() return results # test code # myopenid = "kdhfskgadfvbsdvkjgkaghsdzfkigv_dgfjsdzfvbjazsgdcfvgh" # p1 = 1000000.0 # p2 = 4000000.0 # stockid = "" # user_setting = '设置' + ' ' + str(p1) + ' ' + str(p2) + ' ' # mi = mysql_interaction() # mi.mysql_connect() # mi.create_table() # mi.update_threshold(myopenid, user_setting) # mi.print_table() # mi.delete_user_setting(myopenid) # mi.print_table() # mi.get_setting_by_openid(myopenid) # mi = mysql_interface() # mi.create_table_price() # mi.update_price("test", 12.1) # result = mi.get_preprice_by_stockid("tes") # if not result: # print("None") # else: # print(result)
4,232
1
346
81280decb79fc3e334768cf4eb0d642987f1650f
2,291
py
Python
ckanext/spatial/tests/base.py
geosolutions-it/ckanext-spatial-cerco
9ce5618da89878956451294bc5b40659129dd65e
[ "PostgreSQL", "Zlib", "Unlicense" ]
1
2015-12-07T17:27:10.000Z
2015-12-07T17:27:10.000Z
ckanext/spatial/tests/base.py
geosolutions-it/ckanext-spatial-cerco
9ce5618da89878956451294bc5b40659129dd65e
[ "PostgreSQL", "Zlib", "Unlicense" ]
null
null
null
ckanext/spatial/tests/base.py
geosolutions-it/ckanext-spatial-cerco
9ce5618da89878956451294bc5b40659129dd65e
[ "PostgreSQL", "Zlib", "Unlicense" ]
null
null
null
import os import re from sqlalchemy import Table from nose.plugins.skip import SkipTest from ckan.model import Session, repo, meta, engine_is_sqlite from ckanext.spatial.model.package_extent import setup as spatial_db_setup, define_spatial_tables from ckanext.harvest.model import setup as harvest_model_setup
39.5
255
0.604976
import os import re from sqlalchemy import Table from nose.plugins.skip import SkipTest from ckan.model import Session, repo, meta, engine_is_sqlite from ckanext.spatial.model.package_extent import setup as spatial_db_setup, define_spatial_tables from ckanext.harvest.model import setup as harvest_model_setup def setup_postgis_tables(): conn = Session.connection() script_path = os.path.join(os.path.dirname(os.path.abspath( __file__ )), 'scripts', 'postgis.sql') script = open(script_path,'r').read() for cmd in script.split(';'): cmd = re.sub(r'--(.*)|[\n\t]','',cmd) if len(cmd): conn.execute(cmd) Session.commit() class SpatialTestBase: db_srid = 4326 geojson_examples = { 'point':'{"type":"Point","coordinates":[100.0,0.0]}', 'point_2':'{"type":"Point","coordinates":[20,10]}', 'line':'{"type":"LineString","coordinates":[[100.0,0.0],[101.0,1.0]]}', 'polygon':'{"type":"Polygon","coordinates":[[[100.0,0.0],[101.0,0.0],[101.0,1.0],[100.0,1.0],[100.0,0.0]]]}', 'polygon_holes':'{"type":"Polygon","coordinates":[[[100.0,0.0],[101.0,0.0],[101.0,1.0],[100.0,1.0],[100.0,0.0]],[[100.2,0.2],[100.8,0.2],[100.8,0.8],[100.2,0.8],[100.2,0.2]]]}', 'multipoint':'{"type":"MultiPoint","coordinates":[[100.0,0.0],[101.0,1.0]]}', 'multiline':'{"type":"MultiLineString","coordinates":[[[100.0,0.0],[101.0,1.0]],[[102.0,2.0],[103.0,3.0]]]}', 'multipolygon':'{"type":"MultiPolygon","coordinates":[[[[102.0,2.0],[103.0,2.0],[103.0,3.0],[102.0,3.0],[102.0,2.0]]],[[[100.0,0.0],[101.0,0.0],[101.0,1.0],[100.0,1.0],[100.0,0.0]],[[100.2,0.2],[100.8,0.2],[100.8,0.8],[100.2,0.8],[100.2,0.2]]]]}'} @classmethod def setup_class(cls): if engine_is_sqlite(): raise SkipTest("PostGIS is required for this test") # This will create the PostGIS tables (geometry_columns and # spatial_ref_sys) which were deleted when rebuilding the database table = Table('geometry_columns', meta.metadata) if not table.exists(): setup_postgis_tables() spatial_db_setup() # Setup the harvest tables harvest_model_setup() @classmethod def teardown_class(cls): repo.rebuild_db()
830
1,101
46
e1b2c1149369f6df05254a3b3334843b99dc7b5a
536
py
Python
var/spack/repos/builtin/packages/minisign/package.py
nkianggiss/spack
3477d3375142a30f5714bb5966a6d8bb22c33c06
[ "ECL-2.0", "Apache-2.0", "MIT" ]
3
2019-06-27T13:26:50.000Z
2019-07-01T16:24:54.000Z
var/spack/repos/builtin/packages/minisign/package.py
openbiox/spack
bb6ec7fb40c14b37e094a860e3625af53f633174
[ "ECL-2.0", "Apache-2.0", "MIT" ]
75
2016-07-27T11:43:00.000Z
2020-12-08T15:56:53.000Z
var/spack/repos/builtin/packages/minisign/package.py
openbiox/spack
bb6ec7fb40c14b37e094a860e3625af53f633174
[ "ECL-2.0", "Apache-2.0", "MIT" ]
8
2015-10-16T13:51:49.000Z
2021-10-18T13:58:03.000Z
# Copyright 2013-2019 Lawrence Livermore National Security, LLC and other # Spack Project Developers. See the top-level COPYRIGHT file for details. # # SPDX-License-Identifier: (Apache-2.0 OR MIT) from spack import * class Minisign(CMakePackage): """Minisign is a dead simple tool to sign files and verify signatures.""" homepage = "https://jedisct1.github.io/minisign/" url = "https://github.com/jedisct1/minisign/archive/0.7.tar.gz" version('0.7', 'd634202555c4f499e8ef9d6848d6f4ca') depends_on('libsodium')
29.777778
77
0.733209
# Copyright 2013-2019 Lawrence Livermore National Security, LLC and other # Spack Project Developers. See the top-level COPYRIGHT file for details. # # SPDX-License-Identifier: (Apache-2.0 OR MIT) from spack import * class Minisign(CMakePackage): """Minisign is a dead simple tool to sign files and verify signatures.""" homepage = "https://jedisct1.github.io/minisign/" url = "https://github.com/jedisct1/minisign/archive/0.7.tar.gz" version('0.7', 'd634202555c4f499e8ef9d6848d6f4ca') depends_on('libsodium')
0
0
0
0630d97b18daffadde771908896b42a254081608
1,335
py
Python
test_local.py
schnabel/pyhifiberry
95db6332bbff87ec5b06e13c5f564131d9118281
[ "MIT" ]
1
2020-11-29T08:22:04.000Z
2020-11-29T08:22:04.000Z
test_local.py
schnabel/pyhifiberry
95db6332bbff87ec5b06e13c5f564131d9118281
[ "MIT" ]
6
2021-10-03T07:09:08.000Z
2022-03-31T15:29:24.000Z
test_local.py
schnabel/pyhifiberry
95db6332bbff87ec5b06e13c5f564131d9118281
[ "MIT" ]
2
2021-11-12T19:53:16.000Z
2022-01-19T15:48:07.000Z
import aiohttp import asyncio from pyhifiberry import audiocontrol2 if __name__ == "__main__": asyncio.get_event_loop().run_until_complete(main())
29.666667
86
0.570037
import aiohttp import asyncio from pyhifiberry import audiocontrol2 async def main(): try: async with aiohttp.ClientSession() as session: api = audiocontrol2.Audiocontrol2(session, host="192.168.1.150") status = await api.status() print(status) print(await api.info()) return print(await api.metadata()) print(await api.volume()) print("Start playing") await api.player("play") status = await api.player("status") assert any([player['state'] == 'playing' for player in status['players']]) await api.player("pause") await asyncio.sleep(2) await api.player("play") current_volume = await api.volume() print(await api.volume("-5")) assert current_volume-5 == await api.volume() await asyncio.sleep(2) print(await api.volume("+5")) assert current_volume == await api.volume() print(await api.metadata()) except audiocontrol2.Audiocontrol2Exception as err: print(err) if err.original: print("Original Exception: ", err.original) if __name__ == "__main__": asyncio.get_event_loop().run_until_complete(main())
1,153
0
30
ed98849faa6ce5bb0f07c478c4b1591efe3043de
5,377
py
Python
tests/test_DataLoaderStock.py
GuQiangJS/LSTM-for-Stock
3bae9e5075f5c612a125726777c8275e805ccd9e
[ "MIT" ]
1
2019-07-28T02:26:38.000Z
2019-07-28T02:26:38.000Z
tests/test_DataLoaderStock.py
GuQiangJS/LSTM-for-Stock
3bae9e5075f5c612a125726777c8275e805ccd9e
[ "MIT" ]
null
null
null
tests/test_DataLoaderStock.py
GuQiangJS/LSTM-for-Stock
3bae9e5075f5c612a125726777c8275e805ccd9e
[ "MIT" ]
1
2019-05-16T23:43:36.000Z
2019-05-16T23:43:36.000Z
""" 训练 DataLoaderStock 及 相关的 Wrapper """ import datetime import logging import numpy as np import pandas as pd from QUANTAXIS.QAFetch.QAQuery_Advance import \ QA_fetch_stock_block_adv as get_block from LSTM_for_Stock.data_processor import DataLoader from LSTM_for_Stock.data_processor import DataLoaderStock from LSTM_for_Stock.data_processor import Wrapper from LSTM_for_Stock.data_processor import Wrapper_default from LSTM_for_Stock.data_processor import Wrapper_fillna from LSTM_for_Stock.data_processor import get_ipo_date from LSTM_for_Stock.data_processor import get_block_code def _test_dt(code): """判断股票上市时间是否晚于指定时间""" try: return datetime.datetime(2005, 1, 1) >= get_ipo_date(code) except: return False # def test_111(): # import time # import os # import datetime # f="C:/Users/GuQiang/Downloads/阿加莎--无人生还.mobi" # time.localtime(os.stat(f).st_mtime)
30.378531
71
0.639018
""" 训练 DataLoaderStock 及 相关的 Wrapper """ import datetime import logging import numpy as np import pandas as pd from QUANTAXIS.QAFetch.QAQuery_Advance import \ QA_fetch_stock_block_adv as get_block from LSTM_for_Stock.data_processor import DataLoader from LSTM_for_Stock.data_processor import DataLoaderStock from LSTM_for_Stock.data_processor import Wrapper from LSTM_for_Stock.data_processor import Wrapper_default from LSTM_for_Stock.data_processor import Wrapper_fillna from LSTM_for_Stock.data_processor import get_ipo_date from LSTM_for_Stock.data_processor import get_block_code def test_init(): dl = DataLoaderStock('601398') assert '601398' == dl.stock_code assert '399300' == dl.benchmark_code assert '1990-01-01' == dl.start assert DataLoader.today() == dl.end assert 'qfq' == dl.fq assert False == dl.online dl = DataLoaderStock('601398', '000300') assert '601398' == dl.stock_code assert '000300' == dl.benchmark_code assert '1990-01-01' == dl.start assert DataLoader.today() == dl.end assert 'qfq' == dl.fq assert False == dl.online dl = DataLoaderStock('601398', '000300', 'bfq') assert '601398' == dl.stock_code assert '000300' == dl.benchmark_code assert '1990-01-01' == dl.start assert DataLoader.today() == dl.end assert 'bfq' == dl.fq assert False == dl.online dl = DataLoaderStock('601398', '000300', 'bfq', True) assert '601398' == dl.stock_code assert '000300' == dl.benchmark_code assert '1990-01-01' == dl.start assert DataLoader.today() == dl.end assert 'bfq' == dl.fq assert True == dl.online dl = DataLoaderStock('601398', '000300', 'bfq', True, '2000-01-01') assert '601398' == dl.stock_code assert '000300' == dl.benchmark_code assert '2000-01-01' == dl.start assert DataLoader.today() == dl.end assert 'bfq' == dl.fq assert True == dl.online dl = DataLoaderStock('601398', '000300', 'bfq', True, '2000-01-01', '2000-12-31') assert '601398' == dl.stock_code assert '000300' == dl.benchmark_code assert '2000-01-01' == dl.start assert '2000-12-31' == dl.end assert 'bfq' == dl.fq assert True == dl.online def test_fetch_stock_day_online(): dl = DataLoaderStock('601398') df = dl._DataLoaderStock__fetch_stock_day_online(dl.stock_code, dl.start, dl.end) logging.info(df.columns) logging.info(df.head()) assert set(dl._stock_columns) == set(df.columns) assert not df.empty for col in df.columns: assert df[col].dtype == np.float32 def test_fetch_index_day_online(): dl = DataLoaderStock('601398') df = dl._DataLoaderStock__fetch_index_day_online() logging.info(df.columns) logging.info(df.head()) assert set(dl._index_columns) == set(df.columns) assert not df.empty for col in df.columns: assert df[col].dtype == np.float32 def test_fetch_stock_day(): dl = DataLoaderStock('601398') df = dl._DataLoaderStock__fetch_stock_day(dl.stock_code, dl.start, dl.end) logging.info(df.columns) logging.info(df.head()) assert set(dl._stock_columns) == set(df.columns) assert not df.empty for col in df.columns: assert df[col].dtype == np.float32 def test_fetch_index_day(): dl = DataLoaderStock('601398') df = dl._DataLoaderStock__fetch_index_day() logging.info(df.columns) logging.info(df.head()) assert set(dl._index_columns) == set(df.columns) assert not df.empty for col in df.columns: assert df[col].dtype == np.float32 def test_load(): dl = DataLoaderStock('601398') df = dl.load() logging.info(df.columns) logging.info(df.head()) assert not df.empty class wrapper1(Wrapper): def build(self, df: pd.DataFrame) -> pd.DataFrame: result = df.copy() result = result.fillna(method='ffill') return result.dropna() dl = DataLoaderStock('601398', wrapper=wrapper1()) df = dl.load() assert len(df.index) != len(dl.data_raw.index) logging.info(df.head()) logging.info(dl.data_raw.head()) assert not df.empty dl_fillna = DataLoaderStock('601398', wrapper=Wrapper_fillna()) df_fillna = dl_fillna.load() assert df.equals(df_fillna) logging.info(df_fillna.shape) for col in df.columns: np.array_equal(df[col].values, df_fillna[col].values) def _test_dt(code): """判断股票上市时间是否晚于指定时间""" try: return datetime.datetime(2005, 1, 1) >= get_ipo_date(code) except: return False def _test_code(code): return code[0] in ['0', '3', '6'] def test_append_codes(): codes = [code for code in get_block_code('000002') if _test_dt(code) and _test_code(code)] dl = DataLoaderStock('000002', wrapper=Wrapper_default(), appends=codes) print(codes) assert len(codes)>0 df = dl.load() assert not df.empty print(df) print(len(df.columns)) # def test_111(): # import time # import os # import datetime # f="C:/Users/GuQiang/Downloads/阿加莎--无人生还.mobi" # time.localtime(os.stat(f).st_mtime)
4,268
0
184
a8f76f6390fbed3c3d6e253fc4b28b526902315e
7,470
py
Python
tests/old_tests/hessian_graphs.py
jiangzhongshi/acorns-benchmark
df5f43af90a32f4c1578cdea1f4f412237e18c75
[ "MIT" ]
1
2021-09-24T21:24:02.000Z
2021-09-24T21:24:02.000Z
tests/old_tests/hessian_graphs.py
jiangzhongshi/acorns-benchmark
df5f43af90a32f4c1578cdea1f4f412237e18c75
[ "MIT" ]
null
null
null
tests/old_tests/hessian_graphs.py
jiangzhongshi/acorns-benchmark
df5f43af90a32f4c1578cdea1f4f412237e18c75
[ "MIT" ]
1
2021-09-24T21:22:54.000Z
2021-09-24T21:22:54.000Z
import matplotlib.pyplot as plt import numpy as np import os import json import seaborn as sns import re sns.set(style="darkgrid") num_params_list = [10, 2010, 4010, 6010, 8010, 10010, 20010, 30010, 40010] def natural_keys(text): ''' alist.sort(key=natural_keys) sorts in human order http://nedbatchelder.com/blog/200712/human_sorting.html (See Toothy's implementation in the comments) ''' return [ atoi(c) for c in re.split(r'(\d+)', text) ] wenzel_times_grad_static, wenzel_times_grad_dynamic, wenzel_times_hess_static, \ wenzel_times_hess_dynamic, us_times_grad, us_times_hess, functions, num_params, \ wenzel_grad_static_max, wenzel_grad_dynamic_max, wenzel_hess_static_max, \ wenzel_hess_dynamic_max, us_max_grad, us_max_hess = convert_files_to_lists("./tests/results/hess/json/full_results_hessian-gcc49.json") for i, label in enumerate(functions): # print(wenzel_times_hess_static[label]) generate_three_graph(us_times_hess[label], wenzel_times_hess_static[label], wenzel_times_hess_dynamic[label], num_params, i) print("Us: {}\n Wenzel Static: {}\n Wenzel Dynamic: {}".format(us_max_hess, wenzel_hess_static_max, wenzel_hess_dynamic_max)) generate_max_graph(us_max_hess, wenzel_hess_static_max, wenzel_hess_dynamic_max, range(1, 20))
50.816327
183
0.690495
import matplotlib.pyplot as plt import numpy as np import os import json import seaborn as sns import re sns.set(style="darkgrid") num_params_list = [10, 2010, 4010, 6010, 8010, 10010, 20010, 30010, 40010] def atoi(text): return int(text) if text.isdigit() else text def natural_keys(text): ''' alist.sort(key=natural_keys) sorts in human order http://nedbatchelder.com/blog/200712/human_sorting.html (See Toothy's implementation in the comments) ''' return [ atoi(c) for c in re.split(r'(\d+)', text) ] def convert_files_to_lists(file_location): wenzel_times_grad_static = {} wenzel_times_grad_dynamic = {} wenzel_times_hess_static = {} wenzel_times_hess_dynamic = {} us_times_grad = {} us_times_hess = {} functions = [] wenzel_grad_static_max = [] wenzel_grad_dynamic_max = [] wenzel_hess_static_max = [] wenzel_hess_dynamic_max = [] us_max_grad = [] us_max_hess = [] with open(file_location) as json_data: data = json.load(json_data) for i, key in enumerate(sorted(data)): wenzel_times_grad_static[key] = [] wenzel_times_grad_dynamic[key] = [] wenzel_times_hess_static[key] = [] wenzel_times_hess_dynamic[key] = [] us_times_grad[key] = [] us_times_hess[key] = [] functions.append(key) for num_params in num_params_list: num_params_str = str(num_params) wenzel_times_grad_static[key].append(data[key][num_params_str]['wenzel_grad_static']) wenzel_times_grad_dynamic[key].append(data[key][num_params_str]['wenzel_grad_dynamic']) wenzel_times_hess_static[key].append(data[key][num_params_str]['wenzel_hess_static']) wenzel_times_hess_dynamic[key].append(data[key][num_params_str]['wenzel_hess_dynamic']) us_times_grad[key].append(data[key][num_params_str]['us_grad']) us_times_hess[key].append(data[key][num_params_str]['us_hessian']) wenzel_grad_static_max.append(wenzel_times_grad_static[key][-1]) wenzel_grad_dynamic_max.append(wenzel_times_grad_dynamic[key][-1]) wenzel_hess_static_max.append(wenzel_times_hess_static[key][-1]) wenzel_hess_dynamic_max.append(wenzel_times_hess_dynamic[key][-1]) us_max_grad.append(us_times_grad[key][-1]) us_max_hess.append(us_times_hess[key][-1]) return wenzel_times_grad_static, wenzel_times_grad_dynamic, wenzel_times_hess_static, \ wenzel_times_hess_dynamic, us_times_grad, us_times_hess, \ functions, num_params_list, wenzel_grad_static_max, wenzel_grad_dynamic_max, \ wenzel_hess_static_max, wenzel_hess_dynamic_max, us_max_grad, us_max_hess def generate_two_graph(avg_us, avg_them, denom, function, label, num_vars): plt.plot(denom, avg_us, color='#1abc9c', linestyle='dashed', markersize=7) plt.plot(denom, avg_them, color='#f1c40f', linestyle='dashed', markersize=7) # legend plt.xlabel('Parameters', fontfamily='monospace') plt.ylabel('Time (s)', fontfamily='monospace') plt.legend( ('Us', label), shadow=False, fontsize=10, frameon=False) plt.margins(0,0) plt.savefig('./tests/results/hess/graphs/graph_{}_{}.pdf'.format(label, num_vars), bbox_inches = 'tight', pad_inches = 0) # plt.savefig('./tests/complex/graphs/graph_by_128_speedup.pdf') plt.clf() def generate_three_graph(avg_us, avg_them_static, avg_them_dynamic, denom, num_vars): # print("Wenzel Static: {}".format(avg_them_static)) # print("Wenzel Dynamic: {}".format(avg_them_dynamic)) fig = plt.figure(figsize=(20, 5)) ax = fig.add_subplot(1, 1, 1) ax.plot(denom, avg_us, color='#1abc9c', linestyle='dashed', markersize=7) ax.plot(denom, avg_them_static, color='#f1c40f', linestyle='dashed', markersize=7) ax.plot(denom, avg_them_dynamic, color='#3498db', linestyle='dashed', markersize=7) ax.set_yscale('log') # legend plt.xlabel('Parameters', fontfamily='monospace') plt.ylabel('Time (s)', fontfamily='monospace') plt.legend( ('Ours', 'Mitsuba (Static)', 'Mitsuba (Dynamic)'), shadow=False, fontsize=10, frameon=False) plt.margins(0,0) plt.savefig('./tests/results/hess/graphs/full/graph_{}_static_and_dynamic.pdf'.format(num_vars), bbox_inches = 'tight', pad_inches = 0) plt.clf() def generate_full_graph(avg_us_grad, avg_wenzel_grad_static, avg_wenzel_grad_dynamic, avg_us_hess, avg_wenzel_hess_static, avg_wenzel_hess_dynamic, denom, function, label, num_vars): plt.plot(denom, avg_us_grad, color='#1abc9c', linestyle='dashed', markersize=7) plt.plot(denom, avg_wenzel_grad_static, color='#f1c40f', linestyle='dashed', markersize=7) plt.plot(denom, avg_wenzel_grad_dynamic, color='#3498db', linestyle='dashed', markersize=7) plt.plot(denom, avg_us_hess, color='#34495e', linestyle='dashed', markersize=7) plt.plot(denom, avg_wenzel_hess_static, color='#bdc3c7', linestyle='dashed', markersize=7) plt.plot(denom, avg_wenzel_hess_dynamic, color='#e74c3c', linestyle='dashed', markersize=7) # legend plt.xlabel('Parameters', fontfamily='monospace') plt.ylabel('Time (s)', fontfamily='monospace') plt.legend( ('Us Grad', 'Mitsuba Grad (Static)', 'Mitsuba Grad (Dynamic)', 'Us Hess', 'Mitsuba Hess (Static)', 'Mitsuba Hess (Dynamic)'), shadow=False, fontsize=10, frameon=False) plt.margins(0,0) plt.savefig('./tests/results/hess/graphs/graph_{}_full.pdf'.format(num_vars), bbox_inches = 'tight', pad_inches = 0) plt.clf() def generate_max_graph(max_us_hess, max_wenzel_hess_static, max_wenzel_hess_dynamic, denom): fig = plt.figure(figsize=(20, 5)) ax = fig.add_subplot(1, 1, 1) ax.plot(denom, max_us_hess, color='#1abc9c', linestyle='dashed', markersize=7) ax.plot(denom, max_wenzel_hess_static, color='#f1c40f', linestyle='dashed', markersize=7) ax.plot(denom, max_wenzel_hess_dynamic, color='#3498db', linestyle='dashed', markersize=7) ax.set_yscale('log') # legend plt.xlabel('Variables', fontfamily='monospace') plt.ylabel('Time (s)', fontfamily='monospace') plt.legend( ('Ours', 'Mitsuba (Static)', 'Mitsuba (Dynamic)'), shadow=False, fontsize=10, frameon=False) plt.margins(0,0) plt.savefig('./tests/results/hess/graphs/max/graph_max.pdf', bbox_inches = 'tight', pad_inches = 0) plt.clf() wenzel_times_grad_static, wenzel_times_grad_dynamic, wenzel_times_hess_static, \ wenzel_times_hess_dynamic, us_times_grad, us_times_hess, functions, num_params, \ wenzel_grad_static_max, wenzel_grad_dynamic_max, wenzel_hess_static_max, \ wenzel_hess_dynamic_max, us_max_grad, us_max_hess = convert_files_to_lists("./tests/results/hess/json/full_results_hessian-gcc49.json") for i, label in enumerate(functions): # print(wenzel_times_hess_static[label]) generate_three_graph(us_times_hess[label], wenzel_times_hess_static[label], wenzel_times_hess_dynamic[label], num_params, i) print("Us: {}\n Wenzel Static: {}\n Wenzel Dynamic: {}".format(us_max_hess, wenzel_hess_static_max, wenzel_hess_dynamic_max)) generate_max_graph(us_max_hess, wenzel_hess_static_max, wenzel_hess_dynamic_max, range(1, 20))
6,010
0
150
6e574ddcac025490a0b6be772aa232825bfffe40
411
py
Python
kyu6/tests/test_dig_pow.py
juanshishido/codewars
d50d4ac07ddcc00fa2f7c367ec39cdb5e274d8da
[ "MIT" ]
null
null
null
kyu6/tests/test_dig_pow.py
juanshishido/codewars
d50d4ac07ddcc00fa2f7c367ec39cdb5e274d8da
[ "MIT" ]
null
null
null
kyu6/tests/test_dig_pow.py
juanshishido/codewars
d50d4ac07ddcc00fa2f7c367ec39cdb5e274d8da
[ "MIT" ]
null
null
null
import unittest from kyu6.dig_pow import dig_pow
21.631579
48
0.686131
import unittest from kyu6.dig_pow import dig_pow class TestDigPow(unittest.TestCase): def test_89_is_one(self): self.assertEquals(1, dig_pow(89, 1)) def test_92_is_negone(self): self.assertEquals(-1, dig_pow(92, 1)) def test_695_is_two(self): self.assertEquals(2, dig_pow(695, 2)) def test_46288_is_fiftyone(self): self.assertEquals(51, dig_pow(46288, 3))
214
15
131
03deef2de38b0f04176a1d773cb0ba5094bea1a4
6,375
py
Python
neuronova_siet/convolutionalNetwork_ResNet50_4class.py
pavolmarak/level1_extractor
55cb4b0d32a9740a963a069c732548363dc010fe
[ "MIT" ]
null
null
null
neuronova_siet/convolutionalNetwork_ResNet50_4class.py
pavolmarak/level1_extractor
55cb4b0d32a9740a963a069c732548363dc010fe
[ "MIT" ]
null
null
null
neuronova_siet/convolutionalNetwork_ResNet50_4class.py
pavolmarak/level1_extractor
55cb4b0d32a9740a963a069c732548363dc010fe
[ "MIT" ]
null
null
null
import tensorflow as tf from tensorflow import keras import numpy as np import matplotlib.pyplot as plt from PIL import Image import glob from sklearn.metrics import confusion_matrix from sklearn.metrics import plot_confusion_matrix classes = {'Arch': 0, 'Left Loop': 1, 'Right Loop': 2, 'Whorl': 3} class_num = len(classes.keys()) file_folder_arch = '/home/editav/Desktop/FVC2002_Db4_a_b/A/' file_folder_left_loop = '/home/editav/Desktop/FVC2002_Db4_a_b/LeftLoop/' file_folder_right_loop = '/home/editav/Desktop/FVC2002_Db4_a_b/RightLoop/' file_folder_whorl = '/home/editav/Desktop/FVC2002_Db4_a_b/Whorl/' data_files_arch = [f for f in glob.glob(file_folder_arch + "*.tif")] data_files_left_loop = [f for f in glob.glob(file_folder_left_loop + "*.tif")] data_files_right_loop = [f for f in glob.glob(file_folder_right_loop + "*.tif")] data_files_whorl = [f for f in glob.glob(file_folder_whorl + "*.tif")] data_arch = [] for i in range(len(data_files_arch)): data_arch.append(np.array(Image.open(data_files_arch[i]))) data_left_loop = [] for i in range(len(data_files_left_loop)): data_left_loop.append(np.array(Image.open(data_files_left_loop[i]))) data_right_loop = [] for i in range(len(data_files_right_loop)): data_right_loop.append(np.array(Image.open(data_files_right_loop[i]))) data_whorl = [] for i in range(len(data_files_whorl)): data_whorl.append(np.array(Image.open(data_files_whorl[i]))) data_arch_train = data_arch[:int(len(data_files_arch) * 0.7)] data_arch_val = data_arch[int(len(data_files_arch) * 0.7): int(len(data_files_arch) * 0.8)] data_arch_test = data_arch[int(len(data_files_arch) * -0.2):] data_arch_train_labels = [classes['Arch']] * int(len(data_arch_train)) data_arch_val_labels = [classes['Arch']] * int(len(data_arch_val)) data_arch_test_labels = [classes['Arch']] * int(len(data_arch_test)) data_left_loop_train = data_left_loop[:int(len(data_files_left_loop) * 0.7)] data_left_loop_val = data_left_loop[int(len(data_files_left_loop) * 0.7): int(len(data_files_left_loop) * 0.8)] data_left_loop_test = data_left_loop[int(len(data_files_left_loop) * -0.2):] data_left_loop_train_labels = [classes['Left Loop']] * int(len(data_left_loop_train)) data_left_loop_val_labels = [classes['Left Loop']] * int(len(data_left_loop_val)) data_left_loop_test_labels = [classes['Left Loop']] * int(len(data_left_loop_test)) data_right_loop_train = data_right_loop[:int(len(data_files_right_loop) * 0.7)] data_right_loop_val = data_right_loop[int(len(data_files_right_loop) * 0.7): int(len(data_files_right_loop) * 0.8)] data_right_loop_test = data_right_loop[int(len(data_files_right_loop) * -0.2):] data_right_loop_train_labels = [classes['Right Loop']] * int(len(data_right_loop_train)) data_right_loop_val_labels = [classes['Right Loop']] * int(len(data_right_loop_val)) data_right_loop_test_labels = [classes['Right Loop']] * int(len(data_right_loop_test)) data_whorl_train = data_whorl[:int(len(data_files_whorl) * 0.7)] data_whorl_val = data_whorl[int(len(data_files_whorl) * 0.7): int(len(data_files_whorl) * 0.8)] data_whorl_test = data_whorl[int(len(data_files_whorl) * -0.2):] data_whorl_train_labels = [classes['Whorl']] * int(len(data_whorl_train)) data_whorl_val_labels = [classes['Whorl']] * int(len(data_whorl_val)) data_whorl_test_labels = [classes['Whorl']] * int(len(data_whorl_test)) train_images = np.concatenate( (data_arch_train, data_left_loop_train, data_right_loop_train, data_whorl_train), axis=0) test_images = np.concatenate( (data_arch_test, data_left_loop_test, data_right_loop_test, data_whorl_test), axis=0) val_image = np.concatenate( (data_arch_val, data_left_loop_val, data_right_loop_val, data_whorl_val), axis=0) train_labels = np.concatenate((data_arch_train_labels, data_left_loop_train_labels, data_right_loop_train_labels, data_whorl_train_labels), axis=0) test_labels = np.concatenate((data_arch_test_labels, data_left_loop_test_labels, data_right_loop_test_labels, data_whorl_test_labels), axis=0) val_labels = np.concatenate((data_arch_val_labels, data_left_loop_val_labels, data_right_loop_val_labels, data_whorl_val_labels), axis=0) class_names = ['Arch', 'Left Loop', 'Right Loop', 'Whorl'] print(train_images.shape) print(test_images.shape) print(val_image.shape) train_mean = np.mean(train_images) train_std = np.std(train_images) train_images = (train_images - train_mean) / train_std val_image = (val_image - train_mean) / train_std test_images = (test_images - train_mean) / train_std model_resnet = tf.keras.applications.ResNet50(False, None, None, (384, 288, 1), 'avg', None) model = keras.Sequential([model_resnet, keras.layers.Dense(4, 'softmax')]) early_stop = keras.callbacks.EarlyStopping( monitor="val_loss", min_delta=0, patience=10, mode="min", restore_best_weights=True) model.compile(optimizer='adam', loss=tf.keras.losses.SparseCategoricalCrossentropy(), metrics=['accuracy']) model.fit(train_images, train_labels, epochs=60, batch_size=10, validation_data=(val_image, val_labels), callbacks=[early_stop], class_weight={0: 9, 1: len(train_labels)/len(data_left_loop_train_labels), 2: len(train_labels)/len(data_right_loop_train_labels), 3: len(train_labels)/len(data_whorl_train_labels)}) model.save('/home/editav/Desktop/model.h5') test_loss, test_acc = model.evaluate(test_images, test_labels, verbose=2) print('\nTest accuracy:', test_acc) predictions = model.predict(test_images) print("Predictions shape: ") print(predictions.shape) print(predictions[0]) print(np.argmax(predictions[0])) print(test_labels[0]) img = test_images[1] img = (np.expand_dims(img, 0)) predictions_single = model.predict(img) image_predictions = [] image_predict = [] for i in range(len(test_images)): image_predict.append(model.predict(np.expand_dims(test_images[i], 0))) image_predictions.append(np.argmax(model.predict(np.expand_dims(test_images[i], 0)))) conf = [] conf = confusion_matrix(test_labels, image_predictions) print(conf) #print(predictions_single) #print(np.argmax(predictions_single[0])) #print(image_predictions)
38.636364
148
0.741961
import tensorflow as tf from tensorflow import keras import numpy as np import matplotlib.pyplot as plt from PIL import Image import glob from sklearn.metrics import confusion_matrix from sklearn.metrics import plot_confusion_matrix classes = {'Arch': 0, 'Left Loop': 1, 'Right Loop': 2, 'Whorl': 3} class_num = len(classes.keys()) file_folder_arch = '/home/editav/Desktop/FVC2002_Db4_a_b/A/' file_folder_left_loop = '/home/editav/Desktop/FVC2002_Db4_a_b/LeftLoop/' file_folder_right_loop = '/home/editav/Desktop/FVC2002_Db4_a_b/RightLoop/' file_folder_whorl = '/home/editav/Desktop/FVC2002_Db4_a_b/Whorl/' data_files_arch = [f for f in glob.glob(file_folder_arch + "*.tif")] data_files_left_loop = [f for f in glob.glob(file_folder_left_loop + "*.tif")] data_files_right_loop = [f for f in glob.glob(file_folder_right_loop + "*.tif")] data_files_whorl = [f for f in glob.glob(file_folder_whorl + "*.tif")] data_arch = [] for i in range(len(data_files_arch)): data_arch.append(np.array(Image.open(data_files_arch[i]))) data_left_loop = [] for i in range(len(data_files_left_loop)): data_left_loop.append(np.array(Image.open(data_files_left_loop[i]))) data_right_loop = [] for i in range(len(data_files_right_loop)): data_right_loop.append(np.array(Image.open(data_files_right_loop[i]))) data_whorl = [] for i in range(len(data_files_whorl)): data_whorl.append(np.array(Image.open(data_files_whorl[i]))) data_arch_train = data_arch[:int(len(data_files_arch) * 0.7)] data_arch_val = data_arch[int(len(data_files_arch) * 0.7): int(len(data_files_arch) * 0.8)] data_arch_test = data_arch[int(len(data_files_arch) * -0.2):] data_arch_train_labels = [classes['Arch']] * int(len(data_arch_train)) data_arch_val_labels = [classes['Arch']] * int(len(data_arch_val)) data_arch_test_labels = [classes['Arch']] * int(len(data_arch_test)) data_left_loop_train = data_left_loop[:int(len(data_files_left_loop) * 0.7)] data_left_loop_val = data_left_loop[int(len(data_files_left_loop) * 0.7): int(len(data_files_left_loop) * 0.8)] data_left_loop_test = data_left_loop[int(len(data_files_left_loop) * -0.2):] data_left_loop_train_labels = [classes['Left Loop']] * int(len(data_left_loop_train)) data_left_loop_val_labels = [classes['Left Loop']] * int(len(data_left_loop_val)) data_left_loop_test_labels = [classes['Left Loop']] * int(len(data_left_loop_test)) data_right_loop_train = data_right_loop[:int(len(data_files_right_loop) * 0.7)] data_right_loop_val = data_right_loop[int(len(data_files_right_loop) * 0.7): int(len(data_files_right_loop) * 0.8)] data_right_loop_test = data_right_loop[int(len(data_files_right_loop) * -0.2):] data_right_loop_train_labels = [classes['Right Loop']] * int(len(data_right_loop_train)) data_right_loop_val_labels = [classes['Right Loop']] * int(len(data_right_loop_val)) data_right_loop_test_labels = [classes['Right Loop']] * int(len(data_right_loop_test)) data_whorl_train = data_whorl[:int(len(data_files_whorl) * 0.7)] data_whorl_val = data_whorl[int(len(data_files_whorl) * 0.7): int(len(data_files_whorl) * 0.8)] data_whorl_test = data_whorl[int(len(data_files_whorl) * -0.2):] data_whorl_train_labels = [classes['Whorl']] * int(len(data_whorl_train)) data_whorl_val_labels = [classes['Whorl']] * int(len(data_whorl_val)) data_whorl_test_labels = [classes['Whorl']] * int(len(data_whorl_test)) train_images = np.concatenate( (data_arch_train, data_left_loop_train, data_right_loop_train, data_whorl_train), axis=0) test_images = np.concatenate( (data_arch_test, data_left_loop_test, data_right_loop_test, data_whorl_test), axis=0) val_image = np.concatenate( (data_arch_val, data_left_loop_val, data_right_loop_val, data_whorl_val), axis=0) train_labels = np.concatenate((data_arch_train_labels, data_left_loop_train_labels, data_right_loop_train_labels, data_whorl_train_labels), axis=0) test_labels = np.concatenate((data_arch_test_labels, data_left_loop_test_labels, data_right_loop_test_labels, data_whorl_test_labels), axis=0) val_labels = np.concatenate((data_arch_val_labels, data_left_loop_val_labels, data_right_loop_val_labels, data_whorl_val_labels), axis=0) class_names = ['Arch', 'Left Loop', 'Right Loop', 'Whorl'] print(train_images.shape) print(test_images.shape) print(val_image.shape) train_mean = np.mean(train_images) train_std = np.std(train_images) train_images = (train_images - train_mean) / train_std val_image = (val_image - train_mean) / train_std test_images = (test_images - train_mean) / train_std model_resnet = tf.keras.applications.ResNet50(False, None, None, (384, 288, 1), 'avg', None) model = keras.Sequential([model_resnet, keras.layers.Dense(4, 'softmax')]) early_stop = keras.callbacks.EarlyStopping( monitor="val_loss", min_delta=0, patience=10, mode="min", restore_best_weights=True) model.compile(optimizer='adam', loss=tf.keras.losses.SparseCategoricalCrossentropy(), metrics=['accuracy']) model.fit(train_images, train_labels, epochs=60, batch_size=10, validation_data=(val_image, val_labels), callbacks=[early_stop], class_weight={0: 9, 1: len(train_labels)/len(data_left_loop_train_labels), 2: len(train_labels)/len(data_right_loop_train_labels), 3: len(train_labels)/len(data_whorl_train_labels)}) model.save('/home/editav/Desktop/model.h5') test_loss, test_acc = model.evaluate(test_images, test_labels, verbose=2) print('\nTest accuracy:', test_acc) predictions = model.predict(test_images) print("Predictions shape: ") print(predictions.shape) print(predictions[0]) print(np.argmax(predictions[0])) print(test_labels[0]) img = test_images[1] img = (np.expand_dims(img, 0)) predictions_single = model.predict(img) image_predictions = [] image_predict = [] for i in range(len(test_images)): image_predict.append(model.predict(np.expand_dims(test_images[i], 0))) image_predictions.append(np.argmax(model.predict(np.expand_dims(test_images[i], 0)))) conf = [] conf = confusion_matrix(test_labels, image_predictions) print(conf) #print(predictions_single) #print(np.argmax(predictions_single[0])) #print(image_predictions)
0
0
0
56d69f9e2fee5329e715995a7c1f3bdb114a0f2b
11,991
py
Python
rest_tools/client/client.py
WIPACrepo/rest-tools
01f5822db4c8d2546cf3a8cdfaaae6afd1e96679
[ "MIT" ]
1
2020-08-24T19:05:57.000Z
2020-08-24T19:05:57.000Z
rest_tools/client/client.py
WIPACrepo/rest-tools
01f5822db4c8d2546cf3a8cdfaaae6afd1e96679
[ "MIT" ]
32
2020-05-15T20:14:31.000Z
2022-03-16T15:01:45.000Z
rest_tools/client/client.py
WIPACrepo/rest-tools
01f5822db4c8d2546cf3a8cdfaaae6afd1e96679
[ "MIT" ]
null
null
null
"""A simple REST json client using `requests`_ for the http connection. .. _requests: http://docs.python-requests.org The REST protocol is built on http(s), with the body containing a json-encoded dictionary as necessary. """ # fmt:off import asyncio import logging import os import time from typing import Any, Callable, Dict, Generator, Optional, Tuple, Union import jwt import requests import wipac_telemetry.tracing_tools as wtt from ..utils.auth import OpenIDAuth from ..utils.json_util import JSONType, json_decode from .session import AsyncSession, Session class RestClient: """A REST client with token handling. Args: address (str): base address of REST API token (str): (optional) access token, or a function generating an access token timeout (int): (optional) request timeout (default: 60s) retries (int): (optional) number of retries to attempt (default: 10) username (str): (optional) auth-basic username password (str): (optional) auth-basic password """ def open(self, sync: bool = False) -> requests.Session: """Open the http session.""" self.logger.debug('establish REST http session') if sync: self.session = Session(self.retries) else: self.session = AsyncSession(self.retries) self.session.headers = { # type: ignore[assignment] 'Content-Type': 'application/json', } if 'username' in self.kwargs and 'password' in self.kwargs: self.session.auth = (self.kwargs['username'], self.kwargs['password']) if 'sslcert' in self.kwargs: if 'sslkey' in self.kwargs: self.session.cert = (self.kwargs['sslcert'], self.kwargs['sslkey']) else: self.session.cert = self.kwargs['sslcert'] if 'cacert' in self.kwargs: self.session.verify = self.kwargs['cacert'] return self.session def close(self) -> None: """Close the http session.""" self.logger.info('close REST http session') if self.session: self.session.close() def _prepare( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> Tuple[str, Dict[str, Any]]: """Internal method for preparing requests.""" if not args: args = {} # auto-inject the current span's info into the HTTP headers if wtt.get_current_span().is_recording(): wtt.propagations.inject_span_carrier(self.session.headers) # type: ignore[arg-type] if path.startswith('/'): path = path[1:] url = os.path.join(self.address, path) kwargs: Dict[str, Any] = {'timeout': self.timeout} if method in ('GET', 'HEAD'): # args should be urlencoded kwargs['params'] = args else: kwargs['json'] = args if self.token_func: self._get_token() if not headers: headers = {} if self.access_token: headers['Authorization'] = 'Bearer ' + _to_str(self.access_token) if headers: kwargs['headers'] = headers return (url, kwargs) def _decode(self, content: Union[str, bytes, bytearray]) -> JSONType: """Internal method for translating response from json.""" if not content: self.logger.info('request returned empty string') return None try: return json_decode(content) except Exception: self.logger.info('json data: %r', content) raise @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) async def request( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> JSONType: """Send request to REST Server. Async request - use with coroutines. Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request Returns: dict: json dict or raw string """ url, kwargs = self._prepare(method, path, args, headers) try: # session: AsyncSession; So, self.session.request() -> Future r: requests.Response = await asyncio.wrap_future(self.session.request(method, url, **kwargs)) # type: ignore[arg-type] r.raise_for_status() return self._decode(r.content) except requests.exceptions.HTTPError as e: if method == 'DELETE' and e.response.status_code == 404: raise # skip the logging for an expected error self.logger.info('bad request: %s %s %r', method, path, args, exc_info=True) raise @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) def request_seq( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> JSONType: """Send request to REST Server. Sequential version of `request`. Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request Returns: dict: json dict or raw string """ s = self.session try: self.open(sync=True) url, kwargs = self._prepare(method, path, args, headers) r = self.session.request(method, url, **kwargs) r.raise_for_status() return self._decode(r.content) finally: self.session = s @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) def request_stream( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, chunk_size: Optional[int] = 8096, ) -> Generator[JSONType, None, None]: """Send request to REST Server, and stream results back. `chunk_size=None` will read data as it arrives in whatever size the chunks are received. `chunk_size`<`1` will be treated as `chunk_size=None` Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request chunk_size (int): chunk size (see above) Returns: dict: json dict or raw string """ if chunk_size is not None and chunk_size < 1: chunk_size = None s = self.session try: self.open(sync=True) url, kwargs = self._prepare(method, path, args, headers) resp = self.session.request(method, url, stream=True, **kwargs) resp.raise_for_status() for line in resp.iter_lines(chunk_size=chunk_size, delimiter=b'\n'): decoded = self._decode(line.strip()) if decoded: # skip `None` yield decoded finally: self.session = s class OpenIDRestClient(RestClient): """A REST client that can handle token refresh using OpenID .well-known auto-discovery. Args: address (str): base address of REST API token_url (str): base address of token service refresh_token (str): initial refresh token client_id (str): client id client_secret (str): client secret timeout (int): request timeout retries (int): number of retries to attempt """
33.308333
131
0.566258
"""A simple REST json client using `requests`_ for the http connection. .. _requests: http://docs.python-requests.org The REST protocol is built on http(s), with the body containing a json-encoded dictionary as necessary. """ # fmt:off import asyncio import logging import os import time from typing import Any, Callable, Dict, Generator, Optional, Tuple, Union import jwt import requests import wipac_telemetry.tracing_tools as wtt from ..utils.auth import OpenIDAuth from ..utils.json_util import JSONType, json_decode from .session import AsyncSession, Session def _to_str(s: Union[str, bytes]) -> str: if isinstance(s, bytes): return s.decode('utf-8') return s class RestClient: """A REST client with token handling. Args: address (str): base address of REST API token (str): (optional) access token, or a function generating an access token timeout (int): (optional) request timeout (default: 60s) retries (int): (optional) number of retries to attempt (default: 10) username (str): (optional) auth-basic username password (str): (optional) auth-basic password """ def __init__( self, address: str, token: Optional[Union[str, bytes, Callable[[], Union[str, bytes]]]] = None, timeout: float = 60.0, retries: int = 10, **kwargs: Any ) -> None: self.address = address self.timeout = timeout self.retries = retries self.kwargs = kwargs self.logger = logging.getLogger('RestClient') # token handling self._token_expire_delay_offset = 5 self.access_token: Optional[Union[str, bytes]] = None self.token_func: Optional[Callable[[], Union[str, bytes]]] = None if token: if isinstance(token, (str, bytes)): self.access_token = token elif callable(token): self.token_func = token self.session = self.open() # start session def open(self, sync: bool = False) -> requests.Session: """Open the http session.""" self.logger.debug('establish REST http session') if sync: self.session = Session(self.retries) else: self.session = AsyncSession(self.retries) self.session.headers = { # type: ignore[assignment] 'Content-Type': 'application/json', } if 'username' in self.kwargs and 'password' in self.kwargs: self.session.auth = (self.kwargs['username'], self.kwargs['password']) if 'sslcert' in self.kwargs: if 'sslkey' in self.kwargs: self.session.cert = (self.kwargs['sslcert'], self.kwargs['sslkey']) else: self.session.cert = self.kwargs['sslcert'] if 'cacert' in self.kwargs: self.session.verify = self.kwargs['cacert'] return self.session def close(self) -> None: """Close the http session.""" self.logger.info('close REST http session') if self.session: self.session.close() def _get_token(self) -> None: if self.access_token: # check if expired try: # NOTE: PyJWT mis-type-hinted arg #1 as a str, but byte is also fine # https://github.com/jpadilla/pyjwt/pull/605#issuecomment-772082918 data = jwt.decode( self.access_token, # type: ignore[arg-type] algorithms=['RS256', 'RS512'], options={"verify_signature": False} ) # account for an X second delay over the wire, so expire sooner if data['exp'] < time.time() + self._token_expire_delay_offset: raise Exception() return except Exception: self.access_token = None self.logger.debug('token expired') try: self.access_token = self.token_func() # type: ignore[misc] except Exception: self.logger.warning('acquiring access token failed') raise def _prepare( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> Tuple[str, Dict[str, Any]]: """Internal method for preparing requests.""" if not args: args = {} # auto-inject the current span's info into the HTTP headers if wtt.get_current_span().is_recording(): wtt.propagations.inject_span_carrier(self.session.headers) # type: ignore[arg-type] if path.startswith('/'): path = path[1:] url = os.path.join(self.address, path) kwargs: Dict[str, Any] = {'timeout': self.timeout} if method in ('GET', 'HEAD'): # args should be urlencoded kwargs['params'] = args else: kwargs['json'] = args if self.token_func: self._get_token() if not headers: headers = {} if self.access_token: headers['Authorization'] = 'Bearer ' + _to_str(self.access_token) if headers: kwargs['headers'] = headers return (url, kwargs) def _decode(self, content: Union[str, bytes, bytearray]) -> JSONType: """Internal method for translating response from json.""" if not content: self.logger.info('request returned empty string') return None try: return json_decode(content) except Exception: self.logger.info('json data: %r', content) raise @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) async def request( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> JSONType: """Send request to REST Server. Async request - use with coroutines. Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request Returns: dict: json dict or raw string """ url, kwargs = self._prepare(method, path, args, headers) try: # session: AsyncSession; So, self.session.request() -> Future r: requests.Response = await asyncio.wrap_future(self.session.request(method, url, **kwargs)) # type: ignore[arg-type] r.raise_for_status() return self._decode(r.content) except requests.exceptions.HTTPError as e: if method == 'DELETE' and e.response.status_code == 404: raise # skip the logging for an expected error self.logger.info('bad request: %s %s %r', method, path, args, exc_info=True) raise @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) def request_seq( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, ) -> JSONType: """Send request to REST Server. Sequential version of `request`. Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request Returns: dict: json dict or raw string """ s = self.session try: self.open(sync=True) url, kwargs = self._prepare(method, path, args, headers) r = self.session.request(method, url, **kwargs) r.raise_for_status() return self._decode(r.content) finally: self.session = s @wtt.spanned( span_namer=wtt.SpanNamer(use_this_arg='method'), these=['method', 'path', 'self.address'], kind=wtt.SpanKind.CLIENT ) def request_stream( self, method: str, path: str, args: Optional[Dict[str, Any]] = None, headers: Optional[Dict[str, str]] = None, chunk_size: Optional[int] = 8096, ) -> Generator[JSONType, None, None]: """Send request to REST Server, and stream results back. `chunk_size=None` will read data as it arrives in whatever size the chunks are received. `chunk_size`<`1` will be treated as `chunk_size=None` Args: method (str): the http method path (str): the url path on the server args (dict): any arguments to pass headers (dict): any headers to pass to the request chunk_size (int): chunk size (see above) Returns: dict: json dict or raw string """ if chunk_size is not None and chunk_size < 1: chunk_size = None s = self.session try: self.open(sync=True) url, kwargs = self._prepare(method, path, args, headers) resp = self.session.request(method, url, stream=True, **kwargs) resp.raise_for_status() for line in resp.iter_lines(chunk_size=chunk_size, delimiter=b'\n'): decoded = self._decode(line.strip()) if decoded: # skip `None` yield decoded finally: self.session = s class OpenIDRestClient(RestClient): """A REST client that can handle token refresh using OpenID .well-known auto-discovery. Args: address (str): base address of REST API token_url (str): base address of token service refresh_token (str): initial refresh token client_id (str): client id client_secret (str): client secret timeout (int): request timeout retries (int): number of retries to attempt """ def __init__( self, address: str, token_url: str, refresh_token: str, client_id: str, client_secret: str, **kwargs: Any ) -> None: super().__init__(address, **kwargs) self.auth = OpenIDAuth(token_url) self.client_id = client_id self.client_secret = client_secret self.access_token = None self.refresh_token: Optional[Union[str, bytes]] = refresh_token self.token_func = True # type: ignore self._get_token() def _get_token(self) -> None: if self.access_token: # check if expired try: data = self.auth.validate(self.access_token) if data['exp'] < time.time()-5: raise Exception() return except Exception: self.access_token = None self.logger.debug('OpenID token expired') if self.refresh_token: # try the refresh token args = { 'grant_type': 'refresh_token', 'refresh_token': self.refresh_token, 'client_id': self.client_id, 'client_secret': self.client_secret, } try: r = requests.post(self.auth.token_url, data=args) r.raise_for_status() req = r.json() except Exception: self.refresh_token = None else: self.logger.debug('OpenID token refreshed') self.access_token = req['access_token'] self.refresh_token = req['refresh_token'] if 'refresh_token' in req else None return raise Exception('No token available')
3,657
0
130
ad03574d359a584a0abdfeb741bbba716131c257
8,543
py
Python
sts_wrldom/pawarModel.py
BigBossAnwer/STS-Pipeline
952d2c577dd4b8a66c99b80a24589a98e20c2e60
[ "MIT" ]
null
null
null
sts_wrldom/pawarModel.py
BigBossAnwer/STS-Pipeline
952d2c577dd4b8a66c99b80a24589a98e20c2e60
[ "MIT" ]
null
null
null
sts_wrldom/pawarModel.py
BigBossAnwer/STS-Pipeline
952d2c577dd4b8a66c99b80a24589a98e20c2e60
[ "MIT" ]
null
null
null
import argparse import json import sys from collections import OrderedDict from pathlib import Path import numpy as np import pandas as pd from scipy.stats import pearsonr from wn.path import WordNetPaths from sts_wrldom.corpusReader import read_data from sts_wrldom.utils import accuracy, get_scores, log_frame, rmse def disambiguate_pipe(df, name=None): """Returns a list of 2-tuples (s1_disam, s2_disam), for each sentence pair in the dataframe, where each tuple is a list of disambiguated 2-tuples (word, synset). Args: df: the source dataframe with columns: [s1, s2]. name ([type], optional): the name of the dataframe. Defaults to None. Returns: list: a list of the disambiguated sentence pairs like: [ ( tuple[0], for s1 [ (word:str, wn_synset), (word:str, wn_synset), ... ], tuple[1], for s2 [ (word:str, wn_synset), (word:str, wn_synset), ... ] ), ... ] """ from pywsd import disambiguate, max_similarity from pywsd.lesk import adapted_lesk print(f"Disambiguating {name}...") disambiguated = [] for s1, s2, in zip(df["s1"], df["s2"]): s1_disam = disambiguate(s1, adapted_lesk, prefersNone=True) s2_disam = disambiguate(s2, adapted_lesk, prefersNone=True) disambiguated.append((s1_disam, s2_disam)) return disambiguated def word_similarity(s1, s2, alpha=0.2, beta=0.45): """Returns a 2-tuple, (s1_vec, s2_vec) which are vector representations of the input sentences using the approach laid out in (Pawar, 2018). Args: s1 (list): a list of (word:str, wn_synset) tuples. s2 (list): a list of (word:str, wn_synset) tuples. alpha (float, optional): the parameter that controls the shape of WordNet node to node shortest path reward. Defaults to 0.2 as defined in (Pawar, 2018). beta (float, optional): the parameter that controls the shape of the WordNet node to node subsumer depth reward. Defaults to 0.45 as defined in (Pawar, 2018). Returns: tuple: a tuple containing the word similarity vectors associated with s1 and s2. tuple[0] (numpy.array): s1 word similarity vector. tuple[1] (numpy.array): s2 word similarity vector. """ wna = WordNetPaths() s1_dict = OrderedDict() s2_dict = OrderedDict() all_syns = s1 + s2 for (word, _) in all_syns: s1_dict[word] = [0.0] s2_dict[word] = [0.0] for s1_tup in s1: for s2_tup in s2: s1_word, s1_syn = s1_tup s2_word, s2_syn = s2_tup subsumers = wna.lowest_common_hypernyms( s1_syn, s2_syn, simulate_root=False, use_min_depth=True ) # In-case subsumers is None l = np.inf h = 0 # Now take best subsumer if it exists if subsumers: subsumer = subsumers[0] l = wna.shortest_path_distance(s1_syn, s2_syn, simulate_root=False) h = subsumer.max_depth() + 1 f = np.exp(-alpha * l) g1 = np.exp(beta * h) g2 = np.exp(-beta * h) g = (g1 - g2) / (g1 + g2) sim = f * g s1_dict[s1_word].append(sim) s2_dict[s2_word].append(sim) s1_v = np.array([max(s1_dict[word]) for word in s1_dict.keys()]) s2_v = np.array([max(s2_dict[word]) for word in s2_dict.keys()]) return s1_v, s2_v def sentence_similarity(s1_tups, s2_tups, benchmark_similarity=0.8025, gamma=1.8): """Returns a predicted label for the sentence pair (as disambiguated (word, synset) lists) passed in. The predicted label is a single float in the range [1, 5]. Args: s1_tups (list): a list of disambiguated (word:str, wn_synset) tuples. s2_tups (list): a list of disambiguated (word:str, wn_synset) tuples. benchmark_similarity (float, optional): A confidence threshold on word_similarity values. Defaults to 0.8025 as defined in (Pawar, 2018). gamma (float, optional): A normalization factor used in the vector normalization. Defaults to 1.8 as defined in (Pawar, 2018). Returns: float: the predicted label in range [1, 5]. """ s1_v, s2_v = word_similarity(s1_tups, s2_tups) c1 = 0 for elem in s1_v: if elem > benchmark_similarity: c1 += 1 c2 = 0 for elem in s2_v: if elem > benchmark_similarity: c2 += 1 c_sum = c1 + c2 if c_sum == 0: chi = len(s1_v) / 2 else: chi = c_sum / gamma s = np.linalg.norm(s1_v) * np.linalg.norm(s2_v) sim = s / chi sim = np.clip(sim, 0, 1) scaled = (sim * 4) + 1 return scaled def pawarFit_Predict(docs_disam): """Returns a list of predicted labels (float) utilizing WordNet Semantic Tree features as laid out in (Pawar, 2018 - http://arxiv.org/abs/1802.05667). Args: docs_disam (list): a list of 2-tuples (s1, s2) containing a list of disambiguated (word, wn_synset) tuples (see pawarModel.disambiguate_pipe for this pre-processing). Returns: list: a list of predicted labels (float) in range [1, 5]. """ predictions = [] for s1_disam, s2_disam in docs_disam: s1_tups = [(word, syn) for (word, syn) in s1_disam if syn] s2_tups = [(word, syn) for (word, syn) in s2_disam if syn] predict = sentence_similarity(s1_tups, s2_tups) predictions.append(predict) return predictions if __name__ == "__main__": main()
33.900794
94
0.584923
import argparse import json import sys from collections import OrderedDict from pathlib import Path import numpy as np import pandas as pd from scipy.stats import pearsonr from wn.path import WordNetPaths from sts_wrldom.corpusReader import read_data from sts_wrldom.utils import accuracy, get_scores, log_frame, rmse def disambiguate_pipe(df, name=None): """Returns a list of 2-tuples (s1_disam, s2_disam), for each sentence pair in the dataframe, where each tuple is a list of disambiguated 2-tuples (word, synset). Args: df: the source dataframe with columns: [s1, s2]. name ([type], optional): the name of the dataframe. Defaults to None. Returns: list: a list of the disambiguated sentence pairs like: [ ( tuple[0], for s1 [ (word:str, wn_synset), (word:str, wn_synset), ... ], tuple[1], for s2 [ (word:str, wn_synset), (word:str, wn_synset), ... ] ), ... ] """ from pywsd import disambiguate, max_similarity from pywsd.lesk import adapted_lesk print(f"Disambiguating {name}...") disambiguated = [] for s1, s2, in zip(df["s1"], df["s2"]): s1_disam = disambiguate(s1, adapted_lesk, prefersNone=True) s2_disam = disambiguate(s2, adapted_lesk, prefersNone=True) disambiguated.append((s1_disam, s2_disam)) return disambiguated def word_similarity(s1, s2, alpha=0.2, beta=0.45): """Returns a 2-tuple, (s1_vec, s2_vec) which are vector representations of the input sentences using the approach laid out in (Pawar, 2018). Args: s1 (list): a list of (word:str, wn_synset) tuples. s2 (list): a list of (word:str, wn_synset) tuples. alpha (float, optional): the parameter that controls the shape of WordNet node to node shortest path reward. Defaults to 0.2 as defined in (Pawar, 2018). beta (float, optional): the parameter that controls the shape of the WordNet node to node subsumer depth reward. Defaults to 0.45 as defined in (Pawar, 2018). Returns: tuple: a tuple containing the word similarity vectors associated with s1 and s2. tuple[0] (numpy.array): s1 word similarity vector. tuple[1] (numpy.array): s2 word similarity vector. """ wna = WordNetPaths() s1_dict = OrderedDict() s2_dict = OrderedDict() all_syns = s1 + s2 for (word, _) in all_syns: s1_dict[word] = [0.0] s2_dict[word] = [0.0] for s1_tup in s1: for s2_tup in s2: s1_word, s1_syn = s1_tup s2_word, s2_syn = s2_tup subsumers = wna.lowest_common_hypernyms( s1_syn, s2_syn, simulate_root=False, use_min_depth=True ) # In-case subsumers is None l = np.inf h = 0 # Now take best subsumer if it exists if subsumers: subsumer = subsumers[0] l = wna.shortest_path_distance(s1_syn, s2_syn, simulate_root=False) h = subsumer.max_depth() + 1 f = np.exp(-alpha * l) g1 = np.exp(beta * h) g2 = np.exp(-beta * h) g = (g1 - g2) / (g1 + g2) sim = f * g s1_dict[s1_word].append(sim) s2_dict[s2_word].append(sim) s1_v = np.array([max(s1_dict[word]) for word in s1_dict.keys()]) s2_v = np.array([max(s2_dict[word]) for word in s2_dict.keys()]) return s1_v, s2_v def sentence_similarity(s1_tups, s2_tups, benchmark_similarity=0.8025, gamma=1.8): """Returns a predicted label for the sentence pair (as disambiguated (word, synset) lists) passed in. The predicted label is a single float in the range [1, 5]. Args: s1_tups (list): a list of disambiguated (word:str, wn_synset) tuples. s2_tups (list): a list of disambiguated (word:str, wn_synset) tuples. benchmark_similarity (float, optional): A confidence threshold on word_similarity values. Defaults to 0.8025 as defined in (Pawar, 2018). gamma (float, optional): A normalization factor used in the vector normalization. Defaults to 1.8 as defined in (Pawar, 2018). Returns: float: the predicted label in range [1, 5]. """ s1_v, s2_v = word_similarity(s1_tups, s2_tups) c1 = 0 for elem in s1_v: if elem > benchmark_similarity: c1 += 1 c2 = 0 for elem in s2_v: if elem > benchmark_similarity: c2 += 1 c_sum = c1 + c2 if c_sum == 0: chi = len(s1_v) / 2 else: chi = c_sum / gamma s = np.linalg.norm(s1_v) * np.linalg.norm(s2_v) sim = s / chi sim = np.clip(sim, 0, 1) scaled = (sim * 4) + 1 return scaled def pawarFit_Predict(docs_disam): """Returns a list of predicted labels (float) utilizing WordNet Semantic Tree features as laid out in (Pawar, 2018 - http://arxiv.org/abs/1802.05667). Args: docs_disam (list): a list of 2-tuples (s1, s2) containing a list of disambiguated (word, wn_synset) tuples (see pawarModel.disambiguate_pipe for this pre-processing). Returns: list: a list of predicted labels (float) in range [1, 5]. """ predictions = [] for s1_disam, s2_disam in docs_disam: s1_tups = [(word, syn) for (word, syn) in s1_disam if syn] s2_tups = [(word, syn) for (word, syn) in s2_disam if syn] predict = sentence_similarity(s1_tups, s2_tups) predictions.append(predict) return predictions def main(): description = ( "WordNet Semantic Tree STS Model (Pawar, 2018). Running this standalone" "amounts to testing" ) parser = argparse.ArgumentParser(description=description) parser.add_argument( "-c", "--corpus_path", help=f"{Path('Path/To/Corpus/*-set.txt')}, Default: {Path('data/*-set.txt')}", ) parser.add_argument( "-q", "--quiet", help=f"Suppresses logging of produced log files to: {Path('log/*')}", action="store_true", ) parser.add_argument( "-p", "--pickled", help=( "Use pre-processed disambiguations (only for given dev and train set), " f"pulls from {(Path('pickled/adap_lesk/*'))}" ), action="store_true", ) args = parser.parse_args() log = not args.quiet dfs = read_data(["dev", "train"], args.corpus_path, log) dev = dfs["dev"] train = dfs["train"] if args.pickled: print("Closed at the moment. Please comeback later!") sys.exit() else: dev_disam = disambiguate_pipe(dev, "Dev") train_disam = disambiguate_pipe(train, "Train") dev_predics = pawarFit_Predict(dev_disam) train_predics = pawarFit_Predict(train_disam) dev["pawarPredics"] = [int(elem) for elem in np.round(dev_predics)] train["pawarPredics"] = [int(elem) for elem in np.round(train_predics)] if log: for df, name in zip([dev, train], ["dev", "train"]): log_frame(df, name=name, tag="pawar_predics") for df, name in zip([dev, train], ["Dev", "Train"]): acc = accuracy(df["pawarPredics"], df["gold"]) _rmse = rmse(df["pawarPredics"], df["gold"]) pear_corr = pearsonr(list(df["pawarPredics"]), list(df["gold"])) cols = ["RMSE", "Accuracy", "Pearson's R", "Pearson's R p-val"] vals = [_rmse, acc, pear_corr[0], pear_corr[1]] stats = pd.DataFrame( list(df["pawarPredics"]), columns=["Predic_Label"] ).describe() extra = pd.DataFrame(vals, index=cols, columns=["Predic_Label"]) print(f"\n{name} Gold stats: ") print(pd.DataFrame(list(df["gold"]), columns=["Gold_Label"]).describe().T) print(f"\n{name} Pawar Model Prediction stats: ") print(stats.append(extra).T) print("\n------") for df, name in zip([dev, train], ["Dev", "Train"]): print(f"\n{name} Prediction Metrics:") metrics = get_scores(list(df["pawarPredics"]), list(df["gold"])) print(json.dumps(metrics, indent=2)) if __name__ == "__main__": main()
2,562
0
23
36b1b8ec9746579c952c7aa0820a277b8669d81b
2,360
py
Python
modules/gender.py
adnan3856/BUDDY-A-face-recognition-based-voice-assistant-
69833de3fda4ba6f4fef4e64ed12623fdd436ac7
[ "MIT" ]
null
null
null
modules/gender.py
adnan3856/BUDDY-A-face-recognition-based-voice-assistant-
69833de3fda4ba6f4fef4e64ed12623fdd436ac7
[ "MIT" ]
null
null
null
modules/gender.py
adnan3856/BUDDY-A-face-recognition-based-voice-assistant-
69833de3fda4ba6f4fef4e64ed12623fdd436ac7
[ "MIT" ]
null
null
null
import cv2 as cv import sys faceProto = "datasets/opencv_face_detector.pbtxt" faceModel = "datasets/opencv_face_detector_uint8.pb" genderProto = "datasets/gender_deploy.prototxt" genderModel = "datasets/gender_net.caffemodel" MODEL_MEAN_VALUES = (78.4263377603, 87.7689143744, 114.895847746) genderList = ['Male', 'Female'] genderNet = cv.dnn.readNet(genderModel, genderProto) faceNet = cv.dnn.readNet(faceModel, faceProto) cap = cv.VideoCapture(0) padding = 20 hasFrame, frame = cap.read() if hasFrame != True: raise ValueError("Can't read frame") # cv.imwrite('img2.png', frame) # cv.imshow("img1", frame) # cv.waitKey() frameFace, bboxes = getFaceBox(faceNet, frame) if not bboxes: print("No face Detected, Restart the Application") sys.exit() for bbox in bboxes: # print(bbox) face = frame[max(0,bbox[1]-padding):min(bbox[3]+padding,frame.shape[0]-1),max(0,bbox[0]-padding):min(bbox[2]+padding, frame.shape[1]-1)] blob = cv.dnn.blobFromImage(face, 1.0, (227, 227), MODEL_MEAN_VALUES, swapRB=False) genderNet.setInput(blob) genderPreds = genderNet.forward() gender = genderList[genderPreds[0].argmax()] # print("Gender : {}, conf = {:.3f}".format(gender, genderPreds[0].max())) genderConfidence = format(round(genderPreds[0].max() * 100,2)) genderValue = format(gender) print(genderValue) print(genderConfidence) cap.release() cv.destroyAllWindows()
35.223881
141
0.652542
import cv2 as cv import sys faceProto = "datasets/opencv_face_detector.pbtxt" faceModel = "datasets/opencv_face_detector_uint8.pb" genderProto = "datasets/gender_deploy.prototxt" genderModel = "datasets/gender_net.caffemodel" MODEL_MEAN_VALUES = (78.4263377603, 87.7689143744, 114.895847746) genderList = ['Male', 'Female'] genderNet = cv.dnn.readNet(genderModel, genderProto) faceNet = cv.dnn.readNet(faceModel, faceProto) def getFaceBox(net, frame, conf_threshold=0.7): frameOpencvDnn = frame.copy() frameHeight = frameOpencvDnn.shape[0] frameWidth = frameOpencvDnn.shape[1] blob = cv.dnn.blobFromImage(frameOpencvDnn, 1.0, (300, 300), [104, 117, 123], True, False) net.setInput(blob) detections = net.forward() bboxes = [] for i in range(detections.shape[2]): confidence = detections[0, 0, i, 2] if confidence > conf_threshold: x1 = int(detections[0, 0, i, 3] * frameWidth) y1 = int(detections[0, 0, i, 4] * frameHeight) x2 = int(detections[0, 0, i, 5] * frameWidth) y2 = int(detections[0, 0, i, 6] * frameHeight) bboxes.append([x1, y1, x2, y2]) cv.rectangle(frameOpencvDnn, (x1, y1), (x2, y2), (0, 255, 0), int(round(frameHeight/150)), 8) return frameOpencvDnn, bboxes cap = cv.VideoCapture(0) padding = 20 hasFrame, frame = cap.read() if hasFrame != True: raise ValueError("Can't read frame") # cv.imwrite('img2.png', frame) # cv.imshow("img1", frame) # cv.waitKey() frameFace, bboxes = getFaceBox(faceNet, frame) if not bboxes: print("No face Detected, Restart the Application") sys.exit() for bbox in bboxes: # print(bbox) face = frame[max(0,bbox[1]-padding):min(bbox[3]+padding,frame.shape[0]-1),max(0,bbox[0]-padding):min(bbox[2]+padding, frame.shape[1]-1)] blob = cv.dnn.blobFromImage(face, 1.0, (227, 227), MODEL_MEAN_VALUES, swapRB=False) genderNet.setInput(blob) genderPreds = genderNet.forward() gender = genderList[genderPreds[0].argmax()] # print("Gender : {}, conf = {:.3f}".format(gender, genderPreds[0].max())) genderConfidence = format(round(genderPreds[0].max() * 100,2)) genderValue = format(gender) print(genderValue) print(genderConfidence) cap.release() cv.destroyAllWindows()
870
0
25
4269e394fba779c8f4f6affc4bba7c077f259673
472
py
Python
forms/serializers/form.py
darkismus/kompassi
35dea2c7af2857a69cae5c5982b48f01ba56da1f
[ "CC-BY-3.0" ]
13
2015-11-29T12:19:12.000Z
2021-02-21T15:42:11.000Z
forms/serializers/form.py
darkismus/kompassi
35dea2c7af2857a69cae5c5982b48f01ba56da1f
[ "CC-BY-3.0" ]
23
2015-04-29T19:43:34.000Z
2021-02-10T05:50:17.000Z
forms/serializers/form.py
darkismus/kompassi
35dea2c7af2857a69cae5c5982b48f01ba56da1f
[ "CC-BY-3.0" ]
11
2015-09-20T18:59:00.000Z
2020-02-07T08:47:34.000Z
from rest_framework import serializers from ..models import Form
22.47619
92
0.555085
from rest_framework import serializers from ..models import Form class FormSerializer(serializers.HyperlinkedModelSerializer): url = serializers.HyperlinkedIdentityField(view_name='form-detail', lookup_field='slug') class Meta: fields = ( 'url', 'slug', 'title', 'fields', 'layout', 'login_required', 'active', 'standalone', ) model = Form
0
382
23
02c4a6dae2c813ae5902138a46d5ed116a3afd5a
12,197
py
Python
generated-libraries/python/netapp/gpo/gpo_gpresult_info.py
radekg/netapp-ontap-lib-get
6445ebb071ec147ea82a486fbe9f094c56c5c40d
[ "MIT" ]
2
2017-03-28T15:31:26.000Z
2018-08-16T22:15:18.000Z
generated-libraries/python/netapp/gpo/gpo_gpresult_info.py
radekg/netapp-ontap-lib-get
6445ebb071ec147ea82a486fbe9f094c56c5c40d
[ "MIT" ]
null
null
null
generated-libraries/python/netapp/gpo/gpo_gpresult_info.py
radekg/netapp-ontap-lib-get
6445ebb071ec147ea82a486fbe9f094c56c5c40d
[ "MIT" ]
null
null
null
from netapp.netapp_object import NetAppObject class GpoGpresultInfo(NetAppObject): """ GPO RSoP(Resultant Set of Policy) that is currently defined on the Active Directory for a CIFS-enabled Vserver. When returned as part of the output, all elements of this typedef are reported, unless limited by a set of desired attributes specified by the caller. <p> When used as input to specify desired attributes to return, omitting a given element indicates that it shall not be returned in the output. In contrast, by providing an element (even with no value) the caller ensures that a value for that element will be returned, given that the value can be retrieved. <p> When used as input to specify queries, any element can be omitted in which case the resulting set of objects is not constrained by any specific value of that attribute. """ _registry_hash_version = None @property def registry_hash_version(self): """ Hash Version Support for BranchCache. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "all_versions" - Version 1 and 2 (V1 and V2)., <li> "version1" - Version 1 (V1)., <li> "version2" - Version 2 (V2). </ul> """ return self._registry_hash_version @registry_hash_version.setter _gpo_status = None @property def gpo_status(self): """ GPO status for each listed GPO: enabled or disabled. Attributes: non-creatable, non-modifiable """ return self._gpo_status @gpo_status.setter _registry_refresh_interval = None @property def registry_refresh_interval(self): """ Registry refreshint time interval. Attributes: non-creatable, non-modifiable """ return self._registry_refresh_interval @registry_refresh_interval.setter _gpo_name = None @property def gpo_name(self): """ GPO name in text format. Attributes: non-creatable, non-modifiable """ return self._gpo_name @gpo_name.setter _extension = None @property def extension(self): """ List of the GPO extensions. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "registry" - Registry Setting, <li> "diskquota" - Disk Quota, <li> "scripts" - Scripts, <li> "security" - Security, <li> "efsrecovery" - EFS Recovery, <li> "ipsecurity" - IP Security, <li> "unsupport" - Unsupported Feature </ul> """ return self._extension @extension.setter _gpo_index = None @property def gpo_index(self): """ The index of the GPO in the GPO list of a Vserver. Attributes: key, non-creatable, non-modifiable """ return self._gpo_index @gpo_index.setter _filesyspath = None @property def filesyspath(self): """ File System Path of a GPO policy file. Attributes: non-creatable, non-modifiable """ return self._filesyspath @filesyspath.setter _security_kerberos_ticket_age = None @property def security_kerberos_ticket_age(self): """ Kerberos maximum lifetime for user ticket. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_ticket_age @security_kerberos_ticket_age.setter _gpo_uuid = None @property def gpo_uuid(self): """ GPO name in UUID format. Attributes: non-creatable, non-modifiable """ return self._gpo_uuid @gpo_uuid.setter _vserver = None @property def vserver(self): """ Vserver display name. Attributes: key, non-creatable, non-modifiable """ return self._vserver @vserver.setter _version = None @property def version(self): """ The individual GPO's update version. Attributes: non-creatable, non-modifiable """ return self._version @version.setter _link = None @property def link(self): """ Type of the GPO. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "local" - Local, <li> "site" - Site, <li> "domain" - Domain, <li> "organizationalunit" - Organizational Unit </ul> """ return self._link @link.setter _security_privilege_take_ownership = None @property def security_privilege_take_ownership(self): """ Privilege rights: Take Ownership. Attributes: non-creatable, non-modifiable """ return self._security_privilege_take_ownership @security_privilege_take_ownership.setter _security_kerberos_renewal_age = None @property def security_kerberos_renewal_age(self): """ Kerberos maximum lifetime for user ticket renewal. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_renewal_age @security_kerberos_renewal_age.setter _security_kerberos_clock_skew = None @property def security_kerberos_clock_skew(self): """ Kerberos maximum clock skew; Maximum tolerance for computer clock synchronization. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_clock_skew @security_kerberos_clock_skew.setter _dspath = None @property def dspath(self): """ LDAP DN path. Attributes: non-creatable, non-modifiable """ return self._dspath @dspath.setter _registry_hash_publication = None @property def registry_hash_publication(self): """ Hash Publication for BranchCache. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "per_share" - Allow hash publication only for shared folders on which BranchCache is enabled., <li> "disabled" - Disallow hash publication on all shared folders., <li> "all_shares" - Allow hash publication for all shared folder. </ul> """ return self._registry_hash_publication @registry_hash_publication.setter _registry_refresh_random_offset = None @property def registry_refresh_random_offset(self): """ Registry refreshing time random offset. Attributes: non-creatable, non-modifiable """ return self._registry_refresh_random_offset @registry_refresh_random_offset.setter @staticmethod @staticmethod
34.357746
115
0.60023
from netapp.netapp_object import NetAppObject class GpoGpresultInfo(NetAppObject): """ GPO RSoP(Resultant Set of Policy) that is currently defined on the Active Directory for a CIFS-enabled Vserver. When returned as part of the output, all elements of this typedef are reported, unless limited by a set of desired attributes specified by the caller. <p> When used as input to specify desired attributes to return, omitting a given element indicates that it shall not be returned in the output. In contrast, by providing an element (even with no value) the caller ensures that a value for that element will be returned, given that the value can be retrieved. <p> When used as input to specify queries, any element can be omitted in which case the resulting set of objects is not constrained by any specific value of that attribute. """ _registry_hash_version = None @property def registry_hash_version(self): """ Hash Version Support for BranchCache. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "all_versions" - Version 1 and 2 (V1 and V2)., <li> "version1" - Version 1 (V1)., <li> "version2" - Version 2 (V2). </ul> """ return self._registry_hash_version @registry_hash_version.setter def registry_hash_version(self, val): if val != None: self.validate('registry_hash_version', val) self._registry_hash_version = val _gpo_status = None @property def gpo_status(self): """ GPO status for each listed GPO: enabled or disabled. Attributes: non-creatable, non-modifiable """ return self._gpo_status @gpo_status.setter def gpo_status(self, val): if val != None: self.validate('gpo_status', val) self._gpo_status = val _registry_refresh_interval = None @property def registry_refresh_interval(self): """ Registry refreshint time interval. Attributes: non-creatable, non-modifiable """ return self._registry_refresh_interval @registry_refresh_interval.setter def registry_refresh_interval(self, val): if val != None: self.validate('registry_refresh_interval', val) self._registry_refresh_interval = val _gpo_name = None @property def gpo_name(self): """ GPO name in text format. Attributes: non-creatable, non-modifiable """ return self._gpo_name @gpo_name.setter def gpo_name(self, val): if val != None: self.validate('gpo_name', val) self._gpo_name = val _extension = None @property def extension(self): """ List of the GPO extensions. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "registry" - Registry Setting, <li> "diskquota" - Disk Quota, <li> "scripts" - Scripts, <li> "security" - Security, <li> "efsrecovery" - EFS Recovery, <li> "ipsecurity" - IP Security, <li> "unsupport" - Unsupported Feature </ul> """ return self._extension @extension.setter def extension(self, val): if val != None: self.validate('extension', val) self._extension = val _gpo_index = None @property def gpo_index(self): """ The index of the GPO in the GPO list of a Vserver. Attributes: key, non-creatable, non-modifiable """ return self._gpo_index @gpo_index.setter def gpo_index(self, val): if val != None: self.validate('gpo_index', val) self._gpo_index = val _filesyspath = None @property def filesyspath(self): """ File System Path of a GPO policy file. Attributes: non-creatable, non-modifiable """ return self._filesyspath @filesyspath.setter def filesyspath(self, val): if val != None: self.validate('filesyspath', val) self._filesyspath = val _security_kerberos_ticket_age = None @property def security_kerberos_ticket_age(self): """ Kerberos maximum lifetime for user ticket. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_ticket_age @security_kerberos_ticket_age.setter def security_kerberos_ticket_age(self, val): if val != None: self.validate('security_kerberos_ticket_age', val) self._security_kerberos_ticket_age = val _gpo_uuid = None @property def gpo_uuid(self): """ GPO name in UUID format. Attributes: non-creatable, non-modifiable """ return self._gpo_uuid @gpo_uuid.setter def gpo_uuid(self, val): if val != None: self.validate('gpo_uuid', val) self._gpo_uuid = val _vserver = None @property def vserver(self): """ Vserver display name. Attributes: key, non-creatable, non-modifiable """ return self._vserver @vserver.setter def vserver(self, val): if val != None: self.validate('vserver', val) self._vserver = val _version = None @property def version(self): """ The individual GPO's update version. Attributes: non-creatable, non-modifiable """ return self._version @version.setter def version(self, val): if val != None: self.validate('version', val) self._version = val _link = None @property def link(self): """ Type of the GPO. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "local" - Local, <li> "site" - Site, <li> "domain" - Domain, <li> "organizationalunit" - Organizational Unit </ul> """ return self._link @link.setter def link(self, val): if val != None: self.validate('link', val) self._link = val _security_privilege_take_ownership = None @property def security_privilege_take_ownership(self): """ Privilege rights: Take Ownership. Attributes: non-creatable, non-modifiable """ return self._security_privilege_take_ownership @security_privilege_take_ownership.setter def security_privilege_take_ownership(self, val): if val != None: self.validate('security_privilege_take_ownership', val) self._security_privilege_take_ownership = val _security_kerberos_renewal_age = None @property def security_kerberos_renewal_age(self): """ Kerberos maximum lifetime for user ticket renewal. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_renewal_age @security_kerberos_renewal_age.setter def security_kerberos_renewal_age(self, val): if val != None: self.validate('security_kerberos_renewal_age', val) self._security_kerberos_renewal_age = val _security_kerberos_clock_skew = None @property def security_kerberos_clock_skew(self): """ Kerberos maximum clock skew; Maximum tolerance for computer clock synchronization. Attributes: non-creatable, non-modifiable """ return self._security_kerberos_clock_skew @security_kerberos_clock_skew.setter def security_kerberos_clock_skew(self, val): if val != None: self.validate('security_kerberos_clock_skew', val) self._security_kerberos_clock_skew = val _dspath = None @property def dspath(self): """ LDAP DN path. Attributes: non-creatable, non-modifiable """ return self._dspath @dspath.setter def dspath(self, val): if val != None: self.validate('dspath', val) self._dspath = val _registry_hash_publication = None @property def registry_hash_publication(self): """ Hash Publication for BranchCache. Attributes: non-creatable, non-modifiable Possible values: <ul> <li> "per_share" - Allow hash publication only for shared folders on which BranchCache is enabled., <li> "disabled" - Disallow hash publication on all shared folders., <li> "all_shares" - Allow hash publication for all shared folder. </ul> """ return self._registry_hash_publication @registry_hash_publication.setter def registry_hash_publication(self, val): if val != None: self.validate('registry_hash_publication', val) self._registry_hash_publication = val _registry_refresh_random_offset = None @property def registry_refresh_random_offset(self): """ Registry refreshing time random offset. Attributes: non-creatable, non-modifiable """ return self._registry_refresh_random_offset @registry_refresh_random_offset.setter def registry_refresh_random_offset(self, val): if val != None: self.validate('registry_refresh_random_offset', val) self._registry_refresh_random_offset = val @staticmethod def get_api_name(): return "gpo-gpresult-info" @staticmethod def get_desired_attrs(): return [ 'registry-hash-version', 'gpo-status', 'registry-refresh-interval', 'gpo-name', 'extension', 'gpo-index', 'filesyspath', 'security-kerberos-ticket-age', 'gpo-uuid', 'vserver', 'version', 'link', 'security-privilege-take-ownership', 'security-kerberos-renewal-age', 'security-kerberos-clock-skew', 'dspath', 'registry-hash-publication', 'registry-refresh-random-offset', ] def describe_properties(self): return { 'registry_hash_version': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'gpo_status': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'registry_refresh_interval': { 'class': int, 'is_list': False, 'required': 'optional' }, 'gpo_name': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'extension': { 'class': basestring, 'is_list': True, 'required': 'optional' }, 'gpo_index': { 'class': int, 'is_list': False, 'required': 'optional' }, 'filesyspath': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'security_kerberos_ticket_age': { 'class': int, 'is_list': False, 'required': 'optional' }, 'gpo_uuid': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'vserver': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'version': { 'class': int, 'is_list': False, 'required': 'optional' }, 'link': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'security_privilege_take_ownership': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'security_kerberos_renewal_age': { 'class': int, 'is_list': False, 'required': 'optional' }, 'security_kerberos_clock_skew': { 'class': int, 'is_list': False, 'required': 'optional' }, 'dspath': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'registry_hash_publication': { 'class': basestring, 'is_list': False, 'required': 'optional' }, 'registry_refresh_random_offset': { 'class': int, 'is_list': False, 'required': 'optional' }, }
4,673
0
551
53fda38d2c400be5d116c5f1272f262148cceff0
470
py
Python
modules/stream/test/string_stream/conanfile.py
aversiveplusplus/aversiveplusplus
5f5fe9faca50197fd6207e2c816efa7e9af6c804
[ "BSD-3-Clause" ]
29
2016-01-27T09:43:44.000Z
2020-03-12T04:16:02.000Z
modules/stream/test/string_stream/conanfile.py
aversiveplusplus/aversiveplusplus
5f5fe9faca50197fd6207e2c816efa7e9af6c804
[ "BSD-3-Clause" ]
20
2016-01-22T15:59:33.000Z
2016-10-28T10:22:45.000Z
modules/stream/test/string_stream/conanfile.py
aversiveplusplus/aversiveplusplus
5f5fe9faca50197fd6207e2c816efa7e9af6c804
[ "BSD-3-Clause" ]
6
2016-02-11T14:09:04.000Z
2018-03-17T00:18:35.000Z
from conans import ConanFile, CMake
33.571429
82
0.661702
from conans import ConanFile, CMake class AversivePlusPlusProjectConan(ConanFile): name="template-project" version="0.1" settings = "os", "compiler", "build_type", "arch", "target" requires = "stream/0.1@AversivePlusPlus/dev" generators = "cmake" def build(self): cmake = CMake(self.settings) self.run('cmake "%s" %s' % (self.conanfile_directory, cmake.command_line)) self.run('cmake --build . %s' % cmake.build_config)
175
236
23
6f43492bb77ef0f38b74347e7530ab085fb9e453
2,307
py
Python
liv_learn/utils/plot_utils.py
neilswainston/synbiochem-learn
9608b867a74989fd685b564dfa0f90f4c4f0165a
[ "MIT" ]
null
null
null
liv_learn/utils/plot_utils.py
neilswainston/synbiochem-learn
9608b867a74989fd685b564dfa0f90f4c4f0165a
[ "MIT" ]
null
null
null
liv_learn/utils/plot_utils.py
neilswainston/synbiochem-learn
9608b867a74989fd685b564dfa0f90f4c4f0165a
[ "MIT" ]
null
null
null
''' (c) University of Liverpool 2019 All rights reserved. @author: neilswainston ''' # pylint: disable=invalid-name # pylint: disable=wrong-import-order import math from sklearn.linear_model import LinearRegression from liv_learn.utils import coeff_corr import matplotlib.pyplot as plt def plot_histogram(data, xlabel, ylabel, title): '''Plot histogram.''' plt.hist(data, 50, edgecolor='black') plt.xlabel(xlabel) plt.ylabel(ylabel) plt.title(title) plt.show() def plot_stats(stats, filename, param): '''Plot neural network performance statistics.''' fig = plt.figure(figsize=(8, 4)) # subplots: _subplot_stats(fig.add_subplot(121), stats, 'loss') if param: _subplot_stats(fig.add_subplot(122), stats, param) plt.tight_layout() plt.savefig(filename, bbox_inches='tight') plt.close() def plot_linreg(x_train_pred, x_test_pred, y_train_true, y_test_true, i): '''Plot linear regression.''' axes = plt.gca() min_val = math.floor(min(min(y_train_true), min(y_test_true))) max_val = math.ceil(max(max(y_train_true), max(y_test_true))) axes.set_xlim([min_val, max_val]) axes.set_ylim([min_val, max_val]) plt.title('Linear regression of training prediction ' + str(i + 1)) plt.xlabel('measured') plt.ylabel('predicted') # Plot train: _subplot(y_train_true, x_train_pred, 'gray', 0.1, 'r-square') # Plot test: _subplot(y_test_true, x_test_pred, 'red', 0.75, 'q-square') plt.legend(loc=2) plt.savefig('linear_regression_' + str(i + 1) + '.svg', bbox_inches='tight') plt.close() def _subplot_stats(ax, stats, param): '''Plot subplot of stats.''' ax.plot(stats[param], label=param) ax.plot(stats['val_' + param], label='val_' + param) ax.set_xlabel('Epochs') ax.set_ylabel(param) ax.set_title(param) ax.legend() def _subplot(y_true, y_pred, color, alpha, label): '''Subplot.''' plt.scatter(y_true, y_pred, c=color, alpha=alpha) model = LinearRegression() model.fit(y_pred.reshape(-1, 1), y_true) plt.plot(model.predict(y_pred.reshape(-1, 1)), y_pred, color=color, alpha=alpha, label=label + ': %.2f ' % coeff_corr(y_true, y_pred.reshape(len(y_pred))))
26.215909
73
0.654963
''' (c) University of Liverpool 2019 All rights reserved. @author: neilswainston ''' # pylint: disable=invalid-name # pylint: disable=wrong-import-order import math from sklearn.linear_model import LinearRegression from liv_learn.utils import coeff_corr import matplotlib.pyplot as plt def plot_histogram(data, xlabel, ylabel, title): '''Plot histogram.''' plt.hist(data, 50, edgecolor='black') plt.xlabel(xlabel) plt.ylabel(ylabel) plt.title(title) plt.show() def plot_stats(stats, filename, param): '''Plot neural network performance statistics.''' fig = plt.figure(figsize=(8, 4)) # subplots: _subplot_stats(fig.add_subplot(121), stats, 'loss') if param: _subplot_stats(fig.add_subplot(122), stats, param) plt.tight_layout() plt.savefig(filename, bbox_inches='tight') plt.close() def plot_linreg(x_train_pred, x_test_pred, y_train_true, y_test_true, i): '''Plot linear regression.''' axes = plt.gca() min_val = math.floor(min(min(y_train_true), min(y_test_true))) max_val = math.ceil(max(max(y_train_true), max(y_test_true))) axes.set_xlim([min_val, max_val]) axes.set_ylim([min_val, max_val]) plt.title('Linear regression of training prediction ' + str(i + 1)) plt.xlabel('measured') plt.ylabel('predicted') # Plot train: _subplot(y_train_true, x_train_pred, 'gray', 0.1, 'r-square') # Plot test: _subplot(y_test_true, x_test_pred, 'red', 0.75, 'q-square') plt.legend(loc=2) plt.savefig('linear_regression_' + str(i + 1) + '.svg', bbox_inches='tight') plt.close() def _subplot_stats(ax, stats, param): '''Plot subplot of stats.''' ax.plot(stats[param], label=param) ax.plot(stats['val_' + param], label='val_' + param) ax.set_xlabel('Epochs') ax.set_ylabel(param) ax.set_title(param) ax.legend() def _subplot(y_true, y_pred, color, alpha, label): '''Subplot.''' plt.scatter(y_true, y_pred, c=color, alpha=alpha) model = LinearRegression() model.fit(y_pred.reshape(-1, 1), y_true) plt.plot(model.predict(y_pred.reshape(-1, 1)), y_pred, color=color, alpha=alpha, label=label + ': %.2f ' % coeff_corr(y_true, y_pred.reshape(len(y_pred))))
0
0
0
9871639d9becee08a4b2d8ffdfd538d2ebce9557
1,083
py
Python
eureka/server/server_config.py
haribo0915/Spring-Cloud-in-Python
0bcd7093869c797df14428bf2d1b0a779f96e573
[ "Apache-2.0" ]
5
2020-10-06T09:48:23.000Z
2020-10-07T13:19:46.000Z
eureka/server/server_config.py
haribo0915/Spring-Cloud-in-Python
0bcd7093869c797df14428bf2d1b0a779f96e573
[ "Apache-2.0" ]
5
2020-10-05T09:57:01.000Z
2020-10-12T19:52:48.000Z
eureka/server/server_config.py
haribo0915/Spring-Cloud-in-Python
0bcd7093869c797df14428bf2d1b0a779f96e573
[ "Apache-2.0" ]
8
2020-10-05T06:34:49.000Z
2020-10-07T13:19:46.000Z
# -*- coding: utf-8 -*- __author__ = "Daniel1147 (sxn91401@gmail.com)" __license__ = "Apache 2.0" # standard library from abc import ABC, abstractmethod class ServerConfig(ABC): """ The configuration for starting up the eureka server. It allows clients to override the entities through setters. """ @property @abstractmethod @host.setter @abstractmethod @property @abstractmethod @port.setter @abstractmethod
18.672414
116
0.604801
# -*- coding: utf-8 -*- __author__ = "Daniel1147 (sxn91401@gmail.com)" __license__ = "Apache 2.0" # standard library from abc import ABC, abstractmethod class ServerConfig(ABC): """ The configuration for starting up the eureka server. It allows clients to override the entities through setters. """ @property @abstractmethod def host(self) -> str: pass @host.setter @abstractmethod def host(self, value: str) -> None: pass @property @abstractmethod def port(self) -> int: pass @port.setter @abstractmethod def port(self, value: int) -> None: pass class DefaultServerConfig(ServerConfig): def __init__(self): self.__host = "0.0.0.0" self.port = 8000 @property def host(self) -> str: return self.__host @host.setter def host(self, value: str) -> None: self.__host = value @property def port(self) -> int: return self.__port @port.setter def port(self, value: int) -> None: self.__port = value
277
215
127
b98bf1453272b88db2f452b3a0e08b868e90f6cd
76,294
py
Python
testSuite/scripts/test_service_to_service_copy.py
evenh/azure-storage-azcopy
2c30af330b681d3a1f31db32e11245eafce9c5c3
[ "MIT" ]
null
null
null
testSuite/scripts/test_service_to_service_copy.py
evenh/azure-storage-azcopy
2c30af330b681d3a1f31db32e11245eafce9c5c3
[ "MIT" ]
null
null
null
testSuite/scripts/test_service_to_service_copy.py
evenh/azure-storage-azcopy
2c30af330b681d3a1f31db32e11245eafce9c5c3
[ "MIT" ]
null
null
null
import json import os import shutil import time import urllib from collections import namedtuple import utility as util import unittest import filecmp import os.path
56.514074
216
0.705586
import json import os import shutil import time import urllib from collections import namedtuple import utility as util import unittest import filecmp import os.path class Service_2_Service_Copy_User_Scenario(unittest.TestCase): def setUp(self): # init bucket_name common_prefix = 's2scopybucket' # using different bucket_name to help to troubleshoot testing when checking real buckets self.bucket_name = util.get_resource_name(common_prefix + 'blobblob') self.bucket_name_blob_file = util.get_resource_name(common_prefix + 'blobfile') self.bucket_name_file_blob = util.get_resource_name(common_prefix + 'fileblob') self.bucket_name_s3_blob = util.get_resource_name(common_prefix + 's3blob') self.bucket_name_block_append_page = util.get_resource_name(common_prefix + 'blockappendpage') ################################## # Test from blob to blob copy. ################################## def test_copy_single_1kb_file_from_blob_to_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 1) def test_copy_single_1kb_file_from_blob_to_blob_with_auth_env_var(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 1, oAuth=True, credTypeOverride="OAuthToken") def test_copy_single_512b_file_from_page_to_block_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="PageBlob", dstBlobType="BlockBlob") def test_copy_single_512b_file_from_block_to_page_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="BlockBlob", dstBlobType="PageBlob") def test_copy_single_512b_file_from_page_to_append_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="PageBlob", dstBlobType="AppendBlob") def test_copy_single_512b_file_from_append_to_page_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="AppendBlob", dstBlobType="PageBlob") def test_copy_single_512b_file_from_block_to_append_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="BlockBlob", dstBlobType="AppendBlob") def test_copy_single_512b_file_from_append_to_block_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 512, srcBlobType="AppendBlob", dstBlobType="BlockBlob") def test_copy_single_0kb_file_from_blob_to_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 0) def test_copy_single_63mb_file_from_blob_to_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 63 * 1024 * 1024) def test_copy_10_files_from_blob_container_to_blob_container(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_n_files_from_x_bucket_to_x_bucket(src_container_url, "Blob", dst_container_url, "Blob") def test_copy_file_from_blob_container_to_blob_container_strip_top_dir_recursive(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_container_url, "Blob", dst_container_url, "Blob", True) def test_copy_file_from_blob_container_to_blob_container_strip_top_dir_non_recursive(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_container_url, "Blob", dst_container_url, "Blob", False) def test_copy_n_files_from_blob_dir_to_blob_dir(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_n_files_from_x_dir_to_x_dir(src_container_url, "Blob", dst_container_url, "Blob") def test_copy_n_files_from_blob_dir_to_blob_dir_strip_top_dir_recursive(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_container_url, "Blob", dst_container_url, "Blob", True) def test_copy_n_files_from_blob_dir_to_blob_dir_strip_top_dir_non_recursive(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_container_url, "Blob", dst_container_url, "Blob", False) def test_copy_files_from_blob_account_to_blob_account(self): self.util_test_copy_files_from_x_account_to_x_account( util.test_s2s_src_blob_account_url, "Blob", util.test_s2s_dst_blob_account_url, "Blob", self.bucket_name) def test_copy_single_file_from_blob_to_blob_propertyandmetadata(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x_propertyandmetadata( src_container_url, "Blob", dst_container_url, "Blob") def test_copy_file_from_blob_container_to_blob_container_propertyandmetadata(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( src_container_url, "Blob", dst_container_url, "Blob") def test_overwrite_copy_single_file_from_blob_to_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_overwrite_copy_single_file_from_x_to_x( src_container_url, "Blob", dst_container_url, "Blob", False, True) def test_non_overwrite_copy_single_file_from_blob_to_blob(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name) self.util_test_overwrite_copy_single_file_from_x_to_x( src_container_url, "Blob", dst_container_url, "Blob", False, False) # Test oauth support for service to service copy, where source is authenticated with SAS # and destination is authenticated with OAuth token. def test_copy_single_17mb_file_from_blob_to_blob_oauth(self): src_container_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name) # URL on next line was test_s2s_dst_blob_account_url, but for now its changed to # be the main OAuth one, to simplify OAuth setup dst_container_url = util.get_object_without_sas(util.test_oauth_container_url, self.bucket_name) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_container_url, "Blob", 17 * 1024 * 1024, True) ################################## # Test from blob to file copy # Note: tests go from dst blob to src file to avoid the extra config-- Ze's suggestion ################################## def test_copy_single_1kb_file_from_blob_to_file(self): src_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_blob_file) dst_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_blob_file) self.util_test_copy_single_file_from_x_to_x(src_container_url, "Blob", dst_share_url, "File", 1) def test_copy_10_files_from_blob_container_to_file_share(self): src_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_blob_file) dst_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_blob_file) self.util_test_copy_n_files_from_x_bucket_to_x_bucket(src_container_url, "Blob", dst_share_url, "File", 10, 1) def test_copy_file_from_blob_to_file_properties_and_metadata(self): src_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_blob_file) dst_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_blob_file) self.util_test_copy_single_file_from_x_to_x_propertyandmetadata(src_container_url, "Blob", dst_share_url, "File", True) # not testing implicit container creation (w/out a container name in the dst) as that's tested by the FE tests ################################## # Test from file to blob copy. ################################## def test_copy_single_1kb_file_from_file_to_blob(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_single_file_from_x_to_x(src_share_url, "File", dst_container_url, "Blob", 1) def test_copy_single_0kb_file_from_file_to_blob(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_single_file_from_x_to_x(src_share_url, "File", dst_container_url, "Blob", 0) def test_copy_single_63mb_file_from_file_to_blob(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_single_file_from_x_to_x(src_share_url, "File", dst_container_url, "Blob", 63 * 1024 * 1024) def test_copy_10_files_from_file_share_to_blob_container(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_n_files_from_x_bucket_to_x_bucket(src_share_url, "File", dst_container_url, "Blob") def test_copy_file_from_file_share_to_blob_container_strip_top_dir_recursive(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_share_url, "File", dst_container_url, "Blob", True) def test_copy_file_from_file_share_to_blob_container_strip_top_dir_non_recursive(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_share_url, "File", dst_container_url, "Blob", False) def test_copy_n_files_from_file_dir_to_blob_dir(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir(src_share_url, "File", dst_container_url, "Blob") def test_copy_n_files_from_file_dir_to_blob_dir_strip_top_dir_recursive(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_share_url, "File", dst_container_url, "Blob", True) def test_copy_n_files_from_file_dir_to_blob_dir_strip_top_dir_non_recursive(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_share_url, "File", dst_container_url, "Blob", False) def test_copy_files_from_file_account_to_blob_account(self): self.util_test_copy_files_from_x_account_to_x_account( util.test_s2s_src_file_account_url, "File", util.test_s2s_dst_blob_account_url, "Blob", self.bucket_name_file_blob) def test_copy_single_file_from_file_to_blob_propertyandmetadata(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_single_file_from_x_to_x_propertyandmetadata( src_share_url, "File", dst_container_url, "Blob") def test_copy_file_from_file_share_to_blob_container_propertyandmetadata(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( src_share_url, "File", dst_container_url, "Blob") def test_copy_file_from_file_share_to_blob_container_no_preserve_propertyandmetadata(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( src_share_url, "File", dst_container_url, "Blob", False) def test_overwrite_copy_single_file_from_file_to_blob(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_overwrite_copy_single_file_from_x_to_x( src_share_url, "File", dst_container_url, "Blob", False, True) def test_non_overwrite_copy_single_file_from_file_to_blob(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_overwrite_copy_single_file_from_x_to_x( src_share_url, "File", dst_container_url, "Blob", False, False) # Test oauth support for service to service copy, where source is authenticated with SAS # and destination is authenticated with OAuth token. @unittest.skip("coverd by blob to blob") def test_copy_single_17mb_file_from_file_to_blob_oauth(self): src_share_url = util.get_object_sas(util.test_s2s_src_file_account_url, self.bucket_name_file_blob) dst_container_url = util.get_object_without_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_file_blob) self.util_test_copy_single_file_from_x_to_x(src_share_url, "File", dst_container_url, "Blob", 17 * 1024 * 1024, True) ################################## # Test from S3 to blob copy. ################################## def test_copy_single_1kb_file_from_s3_to_blob(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x(src_bucket_url, "S3", dst_container_url, "Blob", 1) def test_copy_single_0kb_file_from_s3_to_blob(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x(src_bucket_url, "S3", dst_container_url, "Blob", 0) def test_copy_single_63mb_file_from_s3_to_blob(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x(src_bucket_url, "S3", dst_container_url, "Blob", 63 * 1024 * 1024) def test_copy_10_files_from_s3_bucket_to_blob_container(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_n_files_from_x_bucket_to_x_bucket(src_bucket_url, "S3", dst_container_url, "Blob") def test_copy_10_files_from_s3_bucket_to_blob_account(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) self.util_test_copy_n_files_from_s3_bucket_to_blob_account(src_bucket_url, util.test_s2s_dst_blob_account_url) def test_copy_file_from_s3_bucket_to_blob_container_strip_top_dir_recursive(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_bucket_url, "S3", dst_container_url, "Blob", True) def test_copy_file_from_s3_bucket_to_blob_container_strip_top_dir_non_recursive(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir(src_bucket_url, "S3", dst_container_url, "Blob", False) def test_copy_n_files_from_s3_dir_to_blob_dir(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir(src_bucket_url, "S3", dst_container_url, "Blob") def test_copy_n_files_from_s3_dir_to_blob_dir_strip_top_dir_recursive(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_bucket_url, "S3", dst_container_url, "Blob", True) def test_copy_n_files_from_s3_dir_to_blob_dir_strip_top_dir_non_recursive(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(src_bucket_url, "S3", dst_container_url, "Blob", False) def test_copy_files_from_s3_service_to_blob_account(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') self.util_test_copy_files_from_x_account_to_x_account( util.test_s2s_src_s3_service_url, "S3", util.test_s2s_dst_blob_account_url, "Blob", self.bucket_name_s3_blob) def test_copy_single_file_from_s3_to_blob_propertyandmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x_propertyandmetadata( src_bucket_url, "S3", dst_container_url, "Blob") def test_copy_single_file_from_s3_to_blob_no_preserve_propertyandmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x_propertyandmetadata( src_bucket_url, "S3", dst_container_url, "Blob", False) def test_copy_file_from_s3_bucket_to_blob_container_propertyandmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( src_bucket_url, "S3", dst_container_url, "Blob") def test_copy_file_from_s3_bucket_to_blob_container_no_preserve_propertyandmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( src_bucket_url, "S3", dst_container_url, "Blob", False) def test_overwrite_copy_single_file_from_s3_to_blob(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_overwrite_copy_single_file_from_x_to_x( src_bucket_url, "S3", dst_container_url, "Blob", False, True) def test_non_overwrite_copy_single_file_from_s3_to_blob(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_overwrite_copy_single_file_from_x_to_x( src_bucket_url, "S3", dst_container_url, "Blob", False, False) def test_copy_single_file_from_s3_to_blob_with_url_encoded_slash_as_filename(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x( src_bucket_url, "S3", dst_container_url, "Blob", 1, False, "%252F") #encoded name for %2F, as path will be decoded def test_copy_single_file_from_s3_to_blob_excludeinvalidmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') self.util_test_copy_single_file_from_s3_to_blob_handleinvalidmetadata( "", # By default it should be ExcludeIfInvalid "1abc=jiac;$%^=width;description=test file", "description=test file" ) def test_copy_single_file_from_s3_to_blob_renameinvalidmetadata(self): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') self.util_test_copy_single_file_from_s3_to_blob_handleinvalidmetadata( "RenameIfInvalid", # By default it should be ExcludeIfInvalid "1abc=jiac;$%^=width;description=test file", "rename_1abc=jiac;rename_key_1abc=1abc;description=test file;rename____=width;rename_key____=$%^" ) # Test invalid metadata handling def util_test_copy_single_file_from_s3_to_blob_handleinvalidmetadata( self, invalidMetadataHandleOption, srcS3Metadata, expectResolvedMetadata): if 'S3_TESTS_OFF' in os.environ and os.environ['S3_TESTS_OFF'] != "": self.skipTest('S3 testing is disabled for this smoke test run.') srcBucketURL = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dstBucketURL = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) srcType = "S3" # create bucket and create file with metadata and properties result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) fileName = "test_copy_single_file_from_s3_to_blob_handleinvalidmetadata_%s" % invalidMetadataHandleOption srcFileURL = util.get_object_without_sas(srcBucketURL, fileName) dstFileURL = util.get_object_sas(dstBucketURL, fileName) result = util.Command("create").add_arguments(srcFileURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "SingleFile"). \ add_flags("metadata", srcS3Metadata). \ execute_azcopy_create() self.assertTrue(result) # Copy file using azcopy from srcURL to destURL cpCmd = util.Command("copy").add_arguments(srcFileURL).add_arguments(dstFileURL). \ add_flags("log-level", "info") if invalidMetadataHandleOption == "" or invalidMetadataHandleOption == "ExcludeIfInvalid": cpCmd.add_flags("s2s-handle-invalid-metadata", "ExcludeIfInvalid") if invalidMetadataHandleOption == "FailIfInvalid": cpCmd.add_flags("s2s-handle-invalid-metadata", "FailIfInvalid") if invalidMetadataHandleOption == "RenameIfInvalid": cpCmd.add_flags("s2s-handle-invalid-metadata", "RenameIfInvalid") result = cpCmd.execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied file for validation validate_dir_name = "validate_copy_single_file_from_s3_to_blob_handleinvalidmetadata_%s" % invalidMetadataHandleOption local_validate_dest_dir = util.create_test_dir(validate_dir_name) local_validate_dest = local_validate_dest_dir + fileName result = util.Command("copy").add_arguments(dstFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) validateCmd = util.Command("testBlob").add_arguments(local_validate_dest).add_arguments(dstFileURL).add_flags("no-guess-mime-type", "true"). \ add_flags("metadata", expectResolvedMetadata) result = validateCmd.execute_azcopy_verify() self.assertTrue(result) # Test oauth support for service to service copy, where source is authenticated with access key for S3 # and destination is authenticated with OAuth token. @unittest.skip("coverd by blob to blob") def test_copy_single_17mb_file_from_s3_to_blob_oauth(self): src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_s3_blob) dst_container_url = util.get_object_without_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_s3_blob) self.util_test_copy_single_file_from_x_to_x(src_bucket_url, "S3", dst_container_url, "Blob", 17 * 1024 * 1024, True) ################################## # Test scenarios related to blob type and blob tier. ################################## def test_copy_single_file_from_blockblob_to_blockblob_with_blobtier_from_source(self): src_bucket_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 1, 8*1024*1024 - 1, 8 * 1024*1024] for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "Blob", dst_container_url, "Blob", size) self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "Blob", dst_container_url, "Blob", 8*1024*1024+1, "BlockBlob", "Cool", "", "", "BlockBlob", "Cool") def test_copy_single_file_from_blockblob_to_blockblob_with_no_preserve_blobtier(self): src_bucket_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "Blob", dst_container_url, "Blob", 4*1024*1024+1, "BlockBlob", "Cool", "", "", "BlockBlob", "Hot", False) def test_copy_single_file_from_pageblob_to_pageblob_with_blobtier_from_source(self): src_bucket_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 512, 1024, 4*1024*1024] no_blob_tier = "" # don't validate tier for page blobs for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "Blob", dst_container_url, "Blob", size, "PageBlob", "", "", "", "PageBlob", no_blob_tier) def test_copy_single_file_from_appendblob_to_appendblob_from_source(self): src_bucket_url = util.get_object_sas(util.test_s2s_src_blob_account_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 1, 8*1024*1024 - 1, 8 * 1024*1024, 8*1024*1024+1] no_blob_tier = "" # blob-level tiering is not available for append blobs for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "Blob", dst_container_url, "Blob", size, "AppendBlob", "", "", "", "AppendBlob", no_blob_tier) def test_copy_single_file_from_s3_object_to_blockblob_with_default_blobtier(self): src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 1, 8*1024*1024 - 1, 8 * 1024*1024] for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "S3", dst_container_url, "Blob", size) @unittest.skip("override blob tier not enabled") def test_copy_single_file_from_s3_object_to_blockblob_with_specified_blobtier(self): src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "S3", dst_container_url, "Blob", 8*1024*1024+1, "", "", "BlockBlob", "Cool", "BlockBlob", "Cool") @unittest.skip("override blob type not enabled") def test_copy_single_file_from_s3_object_to_appendblob_from_source(self): src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 1, 8*1024*1024 - 1, 8 * 1024*1024, 8*1024*1024+1] for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "S3", dst_container_url, "Blob", size, "", "", "AppendBlob", "", "AppendBlob") @unittest.skip("override blob type not enabled") def test_copy_single_file_from_s3_object_to_pageblob_with_blobtier_from_source(self): src_bucket_url = util.get_object_without_sas(util.test_s2s_src_s3_service_url, self.bucket_name_block_append_page) dst_container_url = util.get_object_sas(util.test_s2s_dst_blob_account_url, self.bucket_name_block_append_page) blob_sizes = [0, 512, 1024, 8*1024*1024] for size in blob_sizes: self.util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( src_bucket_url, "S3", dst_container_url, "Blob", size, "", "", "PageBlob", "", "PageBlob") ################################## # Test utils and reusable functions. ################################## # common testing utils for service to service copy. def util_are_dir_trees_equal(self, dir1, dir2): dirs_cmp = filecmp.dircmp(dir1, dir2) if len(dirs_cmp.left_only)>0 or len(dirs_cmp.right_only)>0 or \ len(dirs_cmp.funny_files)>0: return False (_, mismatch, errors) = filecmp.cmpfiles( dir1, dir2, dirs_cmp.common_files, shallow=False) if len(mismatch)>0 or len(errors)>0: return False for common_dir in dirs_cmp.common_dirs: new_dir1 = os.path.join(dir1, common_dir) new_dir2 = os.path.join(dir2, common_dir) if not self.util_are_dir_trees_equal(new_dir1, new_dir2): return False return True def util_upload_to_src( self, localFilePath, srcType, srcURLForCopy, recursive=False, blobType="", blobTier=""): if srcType == "S3": cmd = util.Command("upload").add_arguments(localFilePath).add_arguments(srcURLForCopy) else: cmd = util.Command("copy").add_arguments(localFilePath).add_arguments(srcURLForCopy).add_flags("log-level", "info") if blobType != "" : cmd.add_flags("blob-type", blobType) if blobType == "PageBlob" and blobTier != "" : cmd.add_flags("page-blob-tier", blobTier) if blobType == "BlockBlob" and blobTier != "" : cmd.add_flags("block-blob-tier", blobTier) if recursive: cmd.add_flags("recursive", "true") if srcType == "S3": result = cmd.execute_testsuite_upload() else: result = cmd.execute_azcopy_copy_command() self.assertTrue(result) def util_test_copy_single_file_from_x_to_x( self, srcBucketURL, srcType, dstBucketURL, dstType, sizeInKB=1, oAuth=False, customizedFileName="", srcBlobType="", dstBlobType="", credTypeOverride=""): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size 1KB. if customizedFileName != "": filename = customizedFileName else: filename = "test_" + str(sizeInKB) + "kb_copy.txt" file_path = util.create_test_file(filename, sizeInKB) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, filename) else: srcFileURL = util.get_object_sas(srcBucketURL, filename) if oAuth: dstFileURL = util.get_object_without_sas(dstBucketURL, filename) else: dstFileURL = util.get_object_sas(dstBucketURL, filename) # Upload file. self.util_upload_to_src(file_path, srcType, srcFileURL, blobType=srcBlobType) if credTypeOverride != "": os.environ["AZCOPY_CRED_TYPE"] = credTypeOverride # Copy file using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(srcFileURL).add_arguments(dstFileURL). \ add_flags("log-level", "info") if dstBlobType != "": result = result.add_flags("blob-type", dstBlobType) r = result.execute_azcopy_copy_command() # nice "dynamic typing" self.assertTrue(r) if credTypeOverride != "": os.environ["AZCOPY_CRED_TYPE"] = "" # Downloading the copied file for validation validate_dir_name = "validate_copy_single_%dKB_file_from_%s_to_%s_%s" % (sizeInKB, srcType, dstType, customizedFileName) local_validate_dest_dir = util.create_test_dir(validate_dir_name) local_validate_dest = os.path.join(local_validate_dest_dir, filename) result = util.Command("copy").add_arguments(dstFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob result = filecmp.cmp(file_path, local_validate_dest, shallow=False) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() def util_test_copy_n_files_from_x_bucket_to_x_bucket( self, srcBucketURL, srcType, dstBucketURL, dstType, n=10, sizeInKB=1): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size n KBs in newly created directory. src_dir_name = "copy_%d_%dKB_files_from_%s_bucket_to_%s_bucket" % (n, sizeInKB, srcType, dstType) src_dir_path = util.create_test_n_files(sizeInKB*1024, n, src_dir_name) # Upload file. self.util_upload_to_src(src_dir_path, srcType, srcBucketURL, True) # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(srcBucketURL).add_arguments(dstBucketURL). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name = "validate_copy_%d_%dKB_files_from_%s_bucket_to_%s_bucket" % (n, sizeInKB, srcType, dstType) local_validate_dest = util.create_test_dir(validate_dir_name) dst_directory_url = util.get_object_sas(dstBucketURL, src_dir_name) result = util.Command("copy").add_arguments(dst_directory_url).add_arguments(local_validate_dest). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob result = self.util_are_dir_trees_equal(src_dir_path, os.path.join(local_validate_dest, src_dir_name)) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() def util_test_copy_file_from_x_bucket_to_x_bucket_strip_top_dir( self, srcBucketURL, srcType, dstBucketURL, dstType, recursive=True): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file. filename = "copy_strip_top_dir_file.txt" file_path = util.create_test_file(filename, 1) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, filename) else: srcFileURL = util.get_object_sas(srcBucketURL, filename) src_dir_url = srcFileURL.replace(filename, "*") # Upload file. self.util_upload_to_src(file_path, srcType, srcFileURL, False) # Copy file using azcopy from srcURL to destURL if recursive: result = util.Command("copy").add_arguments(src_dir_url).add_arguments(dstBucketURL). \ add_flags("log-level", "info").add_flags("recursive", "true"). \ execute_azcopy_copy_command() else: result = util.Command("copy").add_arguments(src_dir_url).add_arguments(dstBucketURL). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name = "validate_copy_file_from_%s_bucket_to_%s_bucket_strip_top_dir_recursive_%s" % (srcType, dstType, recursive) local_validate_dest = util.create_test_dir(validate_dir_name) dst_file_url = util.get_object_sas(dstBucketURL, filename) result = util.Command("copy").add_arguments(dst_file_url).add_arguments(local_validate_dest). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded file result = filecmp.cmp(file_path, os.path.join(local_validate_dest, filename), shallow=False) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # TODO: ensure this scenario, when copy from directory to directory, src directory will be created in dest directory # this is similar for blob download/upload. def util_test_copy_n_files_from_x_dir_to_x_dir(self, srcBucketURL, srcType, dstBucketURL, dstType, n=10, sizeInKB=1): # create source bucketa result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size n KBs in newly created directory. src_dir_name = "copy_%d_%dKB_files_from_%s_dir_to_%s_dir" % (n, sizeInKB, srcType, dstType) src_dir_path = util.create_test_n_files(sizeInKB*1024, n, src_dir_name) # Upload file. self.util_upload_to_src(src_dir_path, srcType, srcBucketURL, True) if srcType == "S3": srcDirURL = util.get_object_without_sas(srcBucketURL, src_dir_name) else: srcDirURL = util.get_object_sas(srcBucketURL, src_dir_name) dstDirURL = util.get_object_sas(dstBucketURL, src_dir_name) # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(srcDirURL).add_arguments(dstDirURL). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name = "validate_copy_%d_%dKB_files_from_%s_dir_to_%s_dir" % (n, sizeInKB, srcType, dstType) local_validate_dest = util.create_test_dir(validate_dir_name) result = util.Command("copy").add_arguments(dstDirURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob # here is the special behavior need confirm print(src_dir_path) print(os.path.join(local_validate_dest, src_dir_name, src_dir_name)) result = self.util_are_dir_trees_equal(src_dir_path, os.path.join(local_validate_dest, src_dir_name, src_dir_name)) #result = self.util_are_dir_trees_equal(src_dir_path, local_validate_dest) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() def util_test_copy_n_files_from_x_dir_to_x_dir_strip_top_dir(self, srcBucketURL, srcType, dstBucketURL, dstType, n=10, sizeInKB=1, recursive=True): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size n KBs in newly created directory. src_dir_name = "copy_%d_%dKB_files_from_%s_dir_to_%s_dir_recursive_%s" % (n, sizeInKB, srcType, dstType, recursive) src_dir_path = util.create_test_n_files(sizeInKB*1024, n, src_dir_name) src_sub_dir_name = src_dir_name + "/" + "subdir" util.create_test_n_files(sizeInKB*1024,1, src_sub_dir_name) # Upload file. self.util_upload_to_src(src_dir_path, srcType, srcBucketURL, True) if srcType == "S3": src_dir_url = util.get_object_without_sas(srcBucketURL, src_dir_name + "/*") else: src_dir_url = util.get_object_sas(srcBucketURL, src_dir_name + "/*") dstDirURL = util.get_object_sas(dstBucketURL, src_dir_name) if recursive: # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(src_dir_url).add_arguments(dstDirURL). \ add_flags("log-level", "info").add_flags("recursive", "true"). \ execute_azcopy_copy_command() self.assertTrue(result) else: # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(src_dir_url).add_arguments(dstDirURL). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name = "validate_copy_%d_%dKB_files_from_%s_dir_to_%s_dir" % (n, sizeInKB, srcType, dstType) local_validate_dest = util.create_test_dir(validate_dir_name) result = util.Command("copy").add_arguments(dstDirURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob # here is the special behavior need confirm if recursive: result = self.util_are_dir_trees_equal(src_dir_path, os.path.join(local_validate_dest, src_dir_name)) else: dirs_cmp = filecmp.dircmp(src_dir_path, os.path.join(local_validate_dest, src_dir_name)) if len(dirs_cmp.left_only) > 0 and len(dirs_cmp.common_files) == n: result = True else: result = False #result = self.util_are_dir_trees_equal(src_dir_path, local_validate_dest) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() def util_test_copy_files_from_x_account_to_x_account(self, srcAccountURL, srcType, dstAccountURL, dstType, bucketNamePrefix): # More enumerating scenarios could be covered with integration testing. bucketName1 = bucketNamePrefix + "1" bucketName2 = bucketNamePrefix + "2" if srcType == "S3": src_bucket_url1 = util.get_object_without_sas(srcAccountURL, bucketName1) src_bucket_url2 = util.get_object_without_sas(srcAccountURL, bucketName2) else: src_bucket_url1 = util.get_object_sas(srcAccountURL, bucketName1) src_bucket_url2 = util.get_object_sas(srcAccountURL, bucketName2) # create source bucket createBucketResult1 = util.Command("create").add_arguments(src_bucket_url1).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(createBucketResult1) createBucketResult2 = util.Command("create").add_arguments(src_bucket_url2).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(createBucketResult2) # create files of size n KBs. src_dir_name1 = "copy_files_from_%s_account_to_%s_account_1" % (srcType, dstType) src_dir_path1 = util.create_test_n_files(1*1024, 100, src_dir_name1) src_dir_name2 = "copy_files_from_%s_account_to_%s_account_2" % (srcType, dstType) src_dir_path2 = util.create_test_n_files(1, 2, src_dir_name2) # Upload file. self.util_upload_to_src(src_dir_path1, srcType, src_bucket_url1, True) self.util_upload_to_src(src_dir_path2, srcType, src_bucket_url2, True) # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(srcAccountURL).add_arguments(dstAccountURL). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name1 = "validate_copy_files_from_%s_account_to_%s_account_1" % (srcType, dstType) local_validate_dest1 = util.create_test_dir(validate_dir_name1) dst_container_url1 = util.get_object_sas(dstAccountURL, bucketName1) dst_directory_url1 = util.get_object_sas(dst_container_url1, src_dir_name1) result = util.Command("copy").add_arguments(dst_directory_url1).add_arguments(local_validate_dest1). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob result = self.util_are_dir_trees_equal(src_dir_path1, os.path.join(local_validate_dest1, src_dir_name1)) self.assertTrue(result) validate_dir_name2 = "validate_copy_files_from_%s_account_to_%s_account_2" % (srcType, dstType) local_validate_dest2 = util.create_test_dir(validate_dir_name2) dst_container_url2 = util.get_object_sas(dstAccountURL, bucketName2) dst_directory_url2 = util.get_object_sas(dst_container_url2, src_dir_name2) result = util.Command("copy").add_arguments(dst_directory_url2).add_arguments(local_validate_dest2). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob result = self.util_are_dir_trees_equal(src_dir_path2, os.path.join(local_validate_dest2, src_dir_name2)) self.assertTrue(result) # clean up both source and destination bucket # util.Command("clean").add_arguments(src_bucket_url).add_flags("serviceType", srcType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() # util.Command("clean").add_arguments(validate_dst_container_url).add_flags("serviceType", dstType). \ # add_flags("resourceType", "Bucket").execute_azcopy_create() def util_test_copy_single_file_from_x_to_x_propertyandmetadata( self, srcBucketURL, srcType, dstBucketURL, dstType, preserveProperties=True): # create bucket and create file with metadata and properties result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) fileName = "single_file_propertyandmetadata_%s" % (preserveProperties) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, fileName) else: srcFileURL = util.get_object_sas(srcBucketURL, fileName) dstFileURL = util.get_object_sas(dstBucketURL, fileName) result = util.Command("create").add_arguments(srcFileURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "SingleFile"). \ add_flags("metadata", "author=jiac;viewport=width;description=test file"). \ add_flags("content-type", "testctype").add_flags("content-encoding", "testenc"). \ add_flags("content-disposition", "testcdis").add_flags("content-language", "testclang").\ add_flags("cache-control", "testcc").execute_azcopy_create() self.assertTrue(result) # Copy file using azcopy from srcURL to destURL cpCmd = util.Command("copy").add_arguments(srcFileURL).add_arguments(dstFileURL). \ add_flags("log-level", "info") if preserveProperties == False: cpCmd.add_flags("s2s-preserve-properties", "false") result = cpCmd.execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied file for validation validate_dir_name = "validate_copy_single_file_from_%s_to_%s_propertyandmetadata_%s" % (srcType, dstType, preserveProperties) local_validate_dest_dir = util.create_test_dir(validate_dir_name) local_validate_dest = local_validate_dest_dir + fileName if srcType == "S3": result = util.Command("copy").add_arguments(dstFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").execute_azcopy_copy_command() else: result = util.Command("copy").add_arguments(srcFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) # TODO: test different targets according to dstType testCmdName = "testBlob" if dstType.lower() == "blob" else "testFile" validateCmd = util.Command(testCmdName).add_arguments(local_validate_dest).add_arguments(dstFileURL).add_flags("no-guess-mime-type", "true") if preserveProperties == True: validateCmd.add_flags("metadata", "author=jiac;viewport=width;description=test file"). \ add_flags("content-type", "testctype").add_flags("content-encoding", "testenc"). \ add_flags("content-disposition", "testcdis").add_flags("content-language", "testclang"). \ add_flags("cache-control", "testcc") else: validateCmd.add_flags("metadata", ""). \ add_flags("content-type", "").add_flags("content-encoding", ""). \ add_flags("content-disposition", "").add_flags("content-language", ""). \ add_flags("cache-control", "") # As head object doesn't return Content-MD5: https://docs.aws.amazon.com/AmazonS3/latest/API/RESTCommonResponseHeaders.html # Escape Content-MD5 validation for S3 if srcType != "S3": validateCmd.add_flags("check-content-md5", "true") result = validateCmd.execute_azcopy_verify() self.assertTrue(result) def util_test_copy_file_from_x_bucket_to_x_bucket_propertyandmetadata( self, srcBucketURL, srcType, dstBucketURL, dstType, preserveProperties=True): # create bucket and create file with metadata and properties result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) fileName = "bucket_file_propertyandmetadata_%s" % (preserveProperties) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, fileName) else: srcFileURL = util.get_object_sas(srcBucketURL, fileName) dstFileURL = util.get_object_sas(dstBucketURL, fileName) result = util.Command("create").add_arguments(srcFileURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "SingleFile"). \ add_flags("metadata", "author=jiac;viewport=width;description=test file"). \ add_flags("content-type", "testctype").add_flags("content-encoding", "testenc"). \ add_flags("content-disposition", "testcdis").add_flags("content-language", "testclang").\ add_flags("cache-control", "testcc").execute_azcopy_create() self.assertTrue(result) # Copy file using azcopy from srcURL to destURL cpCmd = util.Command("copy").add_arguments(srcBucketURL).add_arguments(dstBucketURL). \ add_flags("log-level", "info").add_flags("recursive", "true") if not preserveProperties: cpCmd.add_flags("s2s-preserve-properties", "false") result = cpCmd.execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied file for validation validate_dir_name = "validate_copy_file_from_%s_bucket_to_%s_bucket_propertyandmetadata_%s" % (srcType, dstType, preserveProperties) local_validate_dest_dir = util.create_test_dir(validate_dir_name) local_validate_dest = local_validate_dest_dir + fileName # Because the MD5 is checked early, we need to clear the check-md5 flag. if srcType == "S3": result = util.Command("copy").add_arguments(dstFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info") # Temporarily set result to Command for the sake of modifying the md5 check if not preserveProperties: result.flags["check-md5"] = "NoCheck" result = result.execute_azcopy_copy_command() # Wrangle result to a bool for checking else: result = util.Command("copy").add_arguments(srcFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info") # Temporarily set result to Command for the sake of modifying the md5 check if not preserveProperties: result.flags["check-md5"] = "NoCheck" result = result.execute_azcopy_copy_command() # Wrangle result to a bool for checking self.assertTrue(result) # TODO: test different targets according to dstType validateCmd = util.Command("testBlob").add_arguments(local_validate_dest).add_arguments(dstFileURL).add_flags("no-guess-mime-type", "true") if preserveProperties == True: validateCmd.add_flags("metadata", "author=jiac;viewport=width;description=test file"). \ add_flags("content-type", "testctype").add_flags("content-encoding", "testenc"). \ add_flags("content-disposition", "testcdis").add_flags("content-language", "testclang"). \ add_flags("cache-control", "testcc") else: validateCmd.add_flags("metadata", ""). \ add_flags("content-type", "").add_flags("content-encoding", ""). \ add_flags("content-disposition", "").add_flags("content-language", ""). \ add_flags("cache-control", "") # As head object doesn't return Content-MD5: https://docs.aws.amazon.com/AmazonS3/latest/API/RESTCommonResponseHeaders.html # Escape Content-MD5 validation for S3 if srcType != "S3": validateCmd.add_flags("check-content-md5", "true") result = validateCmd.execute_azcopy_verify() self.assertTrue(result) def util_test_overwrite_copy_single_file_from_x_to_x( self, srcBucketURL, srcType, dstBucketURL, dstType, oAuth=False, overwrite=True): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) result = util.Command("create").add_arguments(dstBucketURL).add_flags("serviceType", dstType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) fileSize1 = 1 fileSize2 = 2 # create file of size 1KB. destFileName = "test_copy.txt" localFileName1 = "test_" + str(fileSize1) + "kb_copy.txt" localFileName2 = "test_" + str(fileSize2) + "kb_copy.txt" filePath1 = util.create_test_file(localFileName1, fileSize1) filePath2 = util.create_test_file(localFileName2, fileSize2) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, localFileName1) else: srcFileURL = util.get_object_sas(srcBucketURL, localFileName1) if oAuth: dstFileURL = util.get_object_without_sas(dstBucketURL, destFileName) else: dstFileURL = util.get_object_sas(dstBucketURL, destFileName) # Upload file. self.util_upload_to_src(filePath1, srcType, srcFileURL) self.util_upload_to_src(filePath2, dstType, dstFileURL) # Copy file using azcopy from srcURL to destURL cpCmd = util.Command("copy").add_arguments(srcFileURL).add_arguments(dstFileURL). \ add_flags("log-level", "info") if overwrite == False: cpCmd.add_flags("overwrite", "false") result = cpCmd.execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied file for validation validate_dir_name = "validate_overwrite_%s_copy_single_file_from_%s_to_%s" % (overwrite, srcType, dstType) local_validate_dest_dir = util.create_test_dir(validate_dir_name) local_validate_dest = os.path.join(local_validate_dest_dir, destFileName) result = util.Command("copy").add_arguments(dstFileURL).add_arguments(local_validate_dest). \ add_flags("log-level", "info").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob if overwrite: result = filecmp.cmp(filePath1, local_validate_dest, shallow=False) else: result = filecmp.cmp(filePath2, local_validate_dest, shallow=False) self.assertTrue(result) def util_test_copy_n_files_from_s3_bucket_to_blob_account( self, srcBucketURL, dstAccountURL, n=10, sizeInKB=1): srcType = "S3" # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size n KBs in newly created directory. src_dir_name = "copy_%d_%dKB_files_from_s3_bucket_to_blob_account" % (n, sizeInKB) src_dir_path = util.create_test_n_files(sizeInKB*1024, n, src_dir_name) # Upload file. self.util_upload_to_src(src_dir_path, srcType, srcBucketURL, True) # Copy files using azcopy from srcURL to destURL result = util.Command("copy").add_arguments(srcBucketURL).add_arguments(dstAccountURL). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Downloading the copied files for validation validate_dir_name = "validate_copy_%d_%dKB_files_from_s3_bucket_to_blob_account" % (n, sizeInKB) local_validate_dest = util.create_test_dir(validate_dir_name) validateDstBucketURL = util.get_object_sas(dstAccountURL, self.bucket_name_s3_blob) dst_directory_url = util.get_object_sas(validateDstBucketURL, src_dir_name) result = util.Command("copy").add_arguments(dst_directory_url).add_arguments(local_validate_dest). \ add_flags("log-level", "info").add_flags("recursive", "true").execute_azcopy_copy_command() self.assertTrue(result) # Verifying the downloaded blob result = self.util_are_dir_trees_equal(src_dir_path, os.path.join(local_validate_dest, src_dir_name)) self.assertTrue(result) def util_test_copy_single_file_from_x_to_blob_with_blobtype_blobtier( self, srcBucketURL, srcType, dstBucketURL, dstType, sizeInKB=1, srcBlobType="", srcBlobTier="", destBlobTypeOverride="", destBlobTierOverride="", blobTypeForValidation="BlockBlob", blobTierForValidation="Hot", preserveAccessTier=True): # create source bucket result = util.Command("create").add_arguments(srcBucketURL).add_flags("serviceType", srcType). \ add_flags("resourceType", "Bucket").execute_azcopy_create() self.assertTrue(result) # create file of size 1KB. filename = "test_%s_kb_%s_%s_%s_%s_%s_%s_%s_%s_copy.txt" % (str(sizeInKB), srcType, dstType, srcBlobType, srcBlobTier, destBlobTypeOverride, destBlobTierOverride, blobTypeForValidation, blobTierForValidation) file_path = util.create_test_file(filename, sizeInKB) if srcType == "S3": srcFileURL = util.get_object_without_sas(srcBucketURL, filename) else: srcFileURL = util.get_object_sas(srcBucketURL, filename) dstFileURL = util.get_object_sas(dstBucketURL, filename) # upload file. self.util_upload_to_src(file_path, srcType, srcFileURL, False, srcBlobType, srcBlobTier) # copy file using azcopy from srcURL to destURL copyCmd = util.Command("copy").add_arguments(srcFileURL).add_arguments(dstFileURL). \ add_flags("log-level", "info") if destBlobTypeOverride != "": copyCmd.add_flags("blob-type", destBlobTypeOverride) if destBlobTierOverride != "": if destBlobTypeOverride == "PageBlob" or (srcBlobType == "PageBlob" and destBlobTypeOverride == ""): copyCmd.add_flags("page-blob-tier", destBlobTierOverride) if destBlobTypeOverride == "BlockBlob" or (srcBlobType == "BlockBlob" and destBlobTypeOverride == ""): copyCmd.add_flags("block-blob-tier", destBlobTierOverride) if preserveAccessTier == False: copyCmd.add_flags("s2s-preserve-access-tier", "false") copyCmdResult = copyCmd.execute_azcopy_copy_command() self.assertTrue(copyCmdResult) # execute validator. # don't check content-type, as it dependes on upload, and service behavior. # cover content-type check in another test. testBlobCmd = util.Command("testBlob").add_arguments(file_path).add_arguments(dstFileURL). \ add_flags("check-content-type", "false") if blobTypeForValidation != "": testBlobCmd.add_flags("blob-type", blobTypeForValidation) if blobTierForValidation != "": testBlobCmd.add_flags("blob-tier", blobTierForValidation) testBlobResult = testBlobCmd.execute_azcopy_verify() self.assertTrue(testBlobResult)
71,845
4,261
23
a89f3c7c098fc4d135a40cd06e29d6039f2926ec
9,255
py
Python
integration/keeper_secrets_manager_cli/tests/init_test.py
inna-btc/secrets-manager
5c65fea092e80b25d2466b395fa03eabd6a98f9b
[ "MIT" ]
null
null
null
integration/keeper_secrets_manager_cli/tests/init_test.py
inna-btc/secrets-manager
5c65fea092e80b25d2466b395fa03eabd6a98f9b
[ "MIT" ]
null
null
null
integration/keeper_secrets_manager_cli/tests/init_test.py
inna-btc/secrets-manager
5c65fea092e80b25d2466b395fa03eabd6a98f9b
[ "MIT" ]
1
2021-12-18T03:15:54.000Z
2021-12-18T03:15:54.000Z
import base64 import os import unittest from unittest.mock import patch import yaml from click.testing import CliRunner from keeper_secrets_manager_core.core import SecretsManager from keeper_secrets_manager_core.storage import InMemoryKeyValueStorage from keeper_secrets_manager_core.configkeys import ConfigKeys from keeper_secrets_manager_core import mock from keeper_secrets_manager_cli.__main__ import cli import tempfile import json from io import StringIO
49.228723
114
0.629065
import base64 import os import unittest from unittest.mock import patch import yaml from click.testing import CliRunner from keeper_secrets_manager_core.core import SecretsManager from keeper_secrets_manager_core.storage import InMemoryKeyValueStorage from keeper_secrets_manager_core.configkeys import ConfigKeys from keeper_secrets_manager_core import mock from keeper_secrets_manager_cli.__main__ import cli import tempfile import json from io import StringIO class InitTest(unittest.TestCase): def setUp(self) -> None: self.orig_dir = os.getcwd() self.temp_dir = tempfile.TemporaryDirectory() os.chdir(self.temp_dir.name) def tearDown(self) -> None: os.chdir(self.orig_dir) def test_default(self): """ Test initializing the profile """ secrets_manager = SecretsManager(config=InMemoryKeyValueStorage({ "hostname": "fake.keepersecurity.com", "appKey": "9vVajcvJTGsa2Opc_jvhEiJLRKHtg2Rm4PAtUoP3URw=", "clientId": "Ae3589ktgynN6vvFtBwlsAbf0fHhXCcf7JqtKXK/3UCE" "LujQuYuXvFFP08d2rb4aQ5Z4ozgD2yek9sjbWj7YoQ==", "privateKey": "MIGHAgEAMBMGByqGSM49AgEGCCqGSM49AwEHBG0wawIBAQQgaKWvicgtslVJKJU-_LBMQQGfJAycwOtx9djH0Y" "EvBT-hRANCAASB1L44QodSzRaIOhF7f_2GlM8Fg0R3i3heIhMEdkhcZRDLxIGEeOVi3otS0UBFTrbET6joq0xC" "jhKMhHQFaHYI" })) # We kind of need to mock getting back the app key init_config = InMemoryKeyValueStorage() init_secrets_manager = SecretsManager( config=init_config, token="JG49ehxg_GW9FZkgtDcXUZTOKw-SArPuBCN89vDvztc", hostname="US", verify_ssl_certs=False ) init_config.set(ConfigKeys.KEY_APP_KEY, "9vVajcvJTGsa2Opc_jvhEiJLRKHtg2Rm4PAtUoP3URw=") res = mock.Response() res.add_record(title="My Record 1") queue = mock.ResponseQueue(client=secrets_manager) queue.add_response(res) queue.add_response(res) init_queue = mock.ResponseQueue(client=init_secrets_manager) init_queue.add_response(res) init_queue.add_response(res) # BASE 64 ENCODED with patch('keeper_secrets_manager_cli.KeeperCli.get_client') as mock_client: mock_client.return_value = secrets_manager with patch('keeper_secrets_manager_cli.init.Init.get_client') as mock_init_client: mock_init_client.return_value = init_secrets_manager with patch('keeper_secrets_manager_cli.init.Init.init_config') as mock_init_config: mock_init_config.return_value = init_config token = "US:JG49ehxg_GW9FZkgtDcXUZTOKw-SArPuBCN89vDvztc" runner = CliRunner() result = runner.invoke(cli, ['init ', 'default', token], catch_exceptions=False) self.assertEqual(0, result.exit_code, "did not get a success for default init") json_config = base64.b64decode(result.output.encode()) config = json.loads(json_config.decode()) self.assertIsNotNone(config.get("clientId"), "client id is missing") self.assertIsNotNone(config.get("privateKey"), "private key is missing") self.assertIsNotNone(config.get("appKey"), "app key is missing") self.assertIsNotNone(config.get("hostname"), "hostname is missing") self.assertEqual("US", config.get("hostname"), "hostname is not correct") self.assertEqual("9vVajcvJTGsa2Opc/jvhEiJLRKHtg2Rm4PAtUoP3URw=", config.get("appKey"), "app key is not correct") # JSON OUTPUT with patch('keeper_secrets_manager_cli.KeeperCli.get_client') as mock_client: mock_client.return_value = secrets_manager with patch('keeper_secrets_manager_cli.init.Init.get_client') as mock_init_client: mock_init_client.return_value = init_secrets_manager with patch('keeper_secrets_manager_cli.init.Init.init_config') as mock_init_config: mock_init_config.return_value = init_config token = "US:JG49ehxg_GW9FZkgtDcXUZTOKw-SArPuBCN89vDvztc" runner = CliRunner() result = runner.invoke(cli, ['init ', 'default', token, '--plain'], catch_exceptions=False) self.assertEqual(0, result.exit_code, "did not get a success for default init") config = json.loads(result.output) self.assertIsNotNone(config.get("clientId"), "client id is missing") self.assertIsNotNone(config.get("privateKey"), "private key is missing") self.assertIsNotNone(config.get("appKey"), "app key is missing") self.assertIsNotNone(config.get("hostname"), "hostname is missing") self.assertEqual("US", config.get("hostname"), "hostname is not correct") self.assertEqual("9vVajcvJTGsa2Opc/jvhEiJLRKHtg2Rm4PAtUoP3URw=", config.get("appKey"), "app key is not correct") def test_k8s(self): """ Test initializing the profile """ secrets_manager = SecretsManager(config=InMemoryKeyValueStorage({ "hostname": "fake.keepersecurity.com", "appKey": "9vVajcvJTGsa2Opc_jvhEiJLRKHtg2Rm4PAtUoP3URw=", "clientId": "Ae3589ktgynN6vvFtBwlsAbf0fHhXCcf7JqtKXK/3UCE" "LujQuYuXvFFP08d2rb4aQ5Z4ozgD2yek9sjbWj7YoQ==", "privateKey": "MIGHAgEAMBMGByqGSM49AgEGCCqGSM49AwEHBG0wawIBAQQgaKWvicgtslVJKJU-_LBMQQGfJAycwOtx9djH0Y" "EvBT-hRANCAASB1L44QodSzRaIOhF7f_2GlM8Fg0R3i3heIhMEdkhcZRDLxIGEeOVi3otS0UBFTrbET6joq0xC" "jhKMhHQFaHYI" })) # We kind of need to mock getting back the app key init_config = InMemoryKeyValueStorage() init_secrets_manager = SecretsManager( config=init_config, token="JG49ehxg_GW9FZkgtDcXUZTOKw-SArPuBCN89vDvztc", hostname="US", verify_ssl_certs=False ) init_config.set(ConfigKeys.KEY_APP_KEY, "9vVajcvJTGsa2Opc_jvhEiJLRKHtg2Rm4PAtUoP3URw=") res = mock.Response() res.add_record(title="My Record 1") queue = mock.ResponseQueue(client=secrets_manager) queue.add_response(res) queue.add_response(res) init_queue = mock.ResponseQueue(client=init_secrets_manager) init_queue.add_response(res) init_queue.add_response(res) with patch('keeper_secrets_manager_cli.KeeperCli.get_client') as mock_client: mock_client.return_value = secrets_manager with patch('keeper_secrets_manager_cli.init.Init.get_client') as mock_init_client: mock_init_client.return_value = init_secrets_manager with patch('keeper_secrets_manager_cli.init.Init.init_config') as mock_init_config: mock_init_config.return_value = init_config token = "US:JG49ehxg_GW9FZkgtDcXUZTOKw-SArPuBCN89vDvztc" runner = CliRunner() result = runner.invoke(cli, [ 'init ', 'k8s', token, '--name', 'mine', '--namespace', 'my_ns' ], catch_exceptions=False) self.assertEqual(0, result.exit_code, "did not get a success for default init") fh = StringIO(result.output) # This is horrible. CLI can't use yaml script = yaml.load(fh, yaml.Loader) json_config = base64.b64decode(script['data']['config']) config = json.loads(json_config.decode()) self.assertEqual("v1", script.get("apiVersion"), "missing the api version") self.assertIsNotNone(script.get("data"), "missing the data") self.assertEqual("Secret", script.get("kind"), "missing the kind") self.assertIsNotNone(script.get("metadata"), "missing the meta data") self.assertEqual("Opaque", script.get("type"), "missing the kind") metadata = script.get("metadata") self.assertEqual("mine", metadata.get("name"), "missing the kind") self.assertEqual("my_ns", metadata.get("namespace"), "missing the kind") self.assertIsNotNone(config.get("clientId"), "client id is missing") self.assertIsNotNone(config.get("privateKey"), "private key is missing") self.assertIsNotNone(config.get("appKey"), "app key is missing") self.assertIsNotNone(config.get("hostname"), "hostname is missing") self.assertEqual("US", config.get("hostname"), "hostname is not correct") self.assertEqual("9vVajcvJTGsa2Opc/jvhEiJLRKHtg2Rm4PAtUoP3URw=", config.get("appKey"), "app key is not correct")
168
8,597
23
db79d585651835308738e9521ec3d1ce8968000d
6,340
py
Python
ipet/parsing/StatisticReader_CustomReader.py
stephenjmaher/ipet
3a23d81ba6ed7cb41e86211cb0507170e8cd205a
[ "MIT" ]
null
null
null
ipet/parsing/StatisticReader_CustomReader.py
stephenjmaher/ipet
3a23d81ba6ed7cb41e86211cb0507170e8cd205a
[ "MIT" ]
null
null
null
ipet/parsing/StatisticReader_CustomReader.py
stephenjmaher/ipet
3a23d81ba6ed7cb41e86211cb0507170e8cd205a
[ "MIT" ]
null
null
null
""" The MIT License (MIT) Copyright (c) 2018 Zuse Institute Berlin, www.zib.de Permissions are granted as stated in the license file you have obtained with this software. If you find the library useful for your purpose, please refer to README.md for how to cite IPET. @author: Gregor Hendel """ from .StatisticReader import StatisticReader import re import builtins import logging from ipet import misc from ipet.concepts.IPETNode import IpetNode logger = logging.getLogger(__name__) class CustomReader(StatisticReader): """ Reader to be initialised interactively through IPET or from an interactive python shell """ name = 'CustomReader' regexp = 'Custom' datakey = 'Custom' data = None METHOD_FIRST = 1 METHOD_LAST = 2 METHOD_SUM = 3 METHOD_MIN = 4 METHOD_MAX = 5 METHOD_COUNT = 6 str2method = { "first" : METHOD_FIRST, "last" : METHOD_LAST, "sum" : METHOD_SUM, "min" : METHOD_MIN, "max" : METHOD_MAX, "count" : METHOD_COUNT } requiredoptions = { "datatype" : ["float", "int"], "method" : list(str2method.keys()) } def __init__(self, name = None, regpattern = None, datakey = None, index = 0, datatype = "float", method = "last", active = True): """ constructor of a custom reader to parse additional simple solver output from log file context Parameters: ----------- name : a name to distinguish this reader from the others regpattern : A string or regular expression pattern to detect lines from which output should be read datakey : The data key under which the parsed datum gets stored for every problem index : The zero-based index of the number in the specified line (only numbers count) datatype : choose 'int' or 'float' method : how to treat multiple occurrences of this data within one problem; 'count' occurrences or parse 'first', 'last', 'sum', 'min' or 'max' """ IpetNode.__init__(self, active) if regpattern is None: raise ValueError("Error: No 'regpattern' specified for reader with name %s" % str(name)) if name in [None, ""]: self.name = datakey + "Reader" self.username = False else: self.name = name self.username = True self.set_datakey(datakey) self.set_index(index) self.regpattern = regpattern self.set_regpattern(regpattern) self.method = method self.methodint = self.METHOD_LAST self.set_method(method) self.set_datatype(datatype) def setDataType(self, sometype): """ recognizes data types (e.g., 'float' or 'int') and sets reader data type to this value """ try: self.datatypemethod = getattr(builtins, sometype) self.datatype = sometype except: logger.debug("Error: Could not recognize data type %s, using float" % sometype) self.datatypemethod = float self.datatype = 'float'
32.680412
151
0.588644
""" The MIT License (MIT) Copyright (c) 2018 Zuse Institute Berlin, www.zib.de Permissions are granted as stated in the license file you have obtained with this software. If you find the library useful for your purpose, please refer to README.md for how to cite IPET. @author: Gregor Hendel """ from .StatisticReader import StatisticReader import re import builtins import logging from ipet import misc from ipet.concepts.IPETNode import IpetNode logger = logging.getLogger(__name__) class CustomReader(StatisticReader): """ Reader to be initialised interactively through IPET or from an interactive python shell """ name = 'CustomReader' regexp = 'Custom' datakey = 'Custom' data = None METHOD_FIRST = 1 METHOD_LAST = 2 METHOD_SUM = 3 METHOD_MIN = 4 METHOD_MAX = 5 METHOD_COUNT = 6 str2method = { "first" : METHOD_FIRST, "last" : METHOD_LAST, "sum" : METHOD_SUM, "min" : METHOD_MIN, "max" : METHOD_MAX, "count" : METHOD_COUNT } requiredoptions = { "datatype" : ["float", "int"], "method" : list(str2method.keys()) } def __init__(self, name = None, regpattern = None, datakey = None, index = 0, datatype = "float", method = "last", active = True): """ constructor of a custom reader to parse additional simple solver output from log file context Parameters: ----------- name : a name to distinguish this reader from the others regpattern : A string or regular expression pattern to detect lines from which output should be read datakey : The data key under which the parsed datum gets stored for every problem index : The zero-based index of the number in the specified line (only numbers count) datatype : choose 'int' or 'float' method : how to treat multiple occurrences of this data within one problem; 'count' occurrences or parse 'first', 'last', 'sum', 'min' or 'max' """ IpetNode.__init__(self, active) if regpattern is None: raise ValueError("Error: No 'regpattern' specified for reader with name %s" % str(name)) if name in [None, ""]: self.name = datakey + "Reader" self.username = False else: self.name = name self.username = True self.set_datakey(datakey) self.set_index(index) self.regpattern = regpattern self.set_regpattern(regpattern) self.method = method self.methodint = self.METHOD_LAST self.set_method(method) self.set_datatype(datatype) def getEditableAttributes(self): return ['name', 'regpattern', 'datakey', 'index', 'datatype', 'method'] + IpetNode.getEditableAttributes(self) def getRequiredOptionsByAttribute(self, attr): return self.requiredoptions.get(attr, IpetNode.getRequiredOptionsByAttribute(self, attr)) def extractStatistic(self, line): if self.regexp.search(line): logging.debug("Custom Reader {} found match in line \n{}".format(self.name, line.strip())) logging.debug("Numerical expression matches: {}".format(", ".join(misc.numericExpression.findall(line)))) previousdata = self.testrun.getCurrentProblemData(self.datakey) if self.methodint == CustomReader.METHOD_COUNT: if previousdata is None: self.addData(self.datakey, 1) else: self.addData(self.datakey, previousdata + 1) return try: data = misc.getNumberAtIndex(line, self.index) data = self.datatypemethod(data) if self.methodint == CustomReader.METHOD_FIRST: if previousdata is None: self.addData(self.datakey, data) elif self.methodint == CustomReader.METHOD_LAST: self.addData(self.datakey, data) elif self.methodint == CustomReader.METHOD_SUM: if previousdata is None: previousdata = 0 self.addData(self.datakey, data + previousdata) elif self.methodint == CustomReader.METHOD_MIN: if previousdata is None: self.addData(self.datakey, data) elif data < previousdata: self.addData(self.datakey, data) elif self.methodint == CustomReader.METHOD_MAX: if previousdata is None: self.addData(self.datakey, data) elif data > previousdata: self.addData(self.datakey, data) except: logger.debug("Reader %s could not retrieve data at index %d from matching line '%s'", self.getName(), self.index, line) pass return None def setDataType(self, sometype): """ recognizes data types (e.g., 'float' or 'int') and sets reader data type to this value """ try: self.datatypemethod = getattr(builtins, sometype) self.datatype = sometype except: logger.debug("Error: Could not recognize data type %s, using float" % sometype) self.datatypemethod = float self.datatype = 'float' def set_datatype(self, datatype): self.setDataType(datatype) def set_method(self, method): self.methodint = self.str2method.get(method, self.methodint) self.method = method def set_regpattern(self, regpattern): self.regexp = re.compile(regpattern) self.regpattern = regpattern def set_name(self, name): if name == self.getName(): return if name in ["", None]: self.name = self.datakey + "Reader" self.username = False else: self.name = name self.username = True def set_datakey(self, datakey): self.datakey = datakey if not self.username: self.name = self.datakey + "Reader" def set_index(self, index): self.index = int(index)
2,894
0
242
b84431952fff96610f94856bd885e4cef0405172
6,509
py
Python
python/rikai/spark/sql/codegen/fs.py
adRise/rikai
052022594bf924fa7cd6062d290e3392c6b7571a
[ "Apache-2.0" ]
null
null
null
python/rikai/spark/sql/codegen/fs.py
adRise/rikai
052022594bf924fa7cd6062d290e3392c6b7571a
[ "Apache-2.0" ]
null
null
null
python/rikai/spark/sql/codegen/fs.py
adRise/rikai
052022594bf924fa7cd6062d290e3392c6b7571a
[ "Apache-2.0" ]
null
null
null
# Copyright 2021 Rikai Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import secrets from typing import Any, Callable, Dict, IO, Mapping, Optional, Union import yaml from jsonschema import validate, ValidationError from pyspark.sql import SparkSession from rikai.internal.reflection import find_class from rikai.io import open_uri from rikai.logging import logger from rikai.spark.sql.codegen.base import Registry from rikai.spark.sql.exceptions import SpecError from rikai.spark.sql.schema import parse_schema __all__ = ["FileSystemRegistry"] # YAML-Spec SCHEMA SPEC_SCHEMA = { "type": "object", "properties": { "version": { "type": "number", "description": "Model SPEC format version", }, "name": {"type": "string", "description": "Model name"}, "schema": {"type": "string"}, "model": { "type": "object", "description": "model description", "properties": { "uri": {"type": "string"}, "flavor": {"type": "string"}, }, "required": ["uri"], }, "transforms": { "type": "object", "properties": { "pre": {"type": "string"}, "post": {"type": "string"}, }, }, }, "required": ["version", "schema", "model"], } class ModelSpec: """Model Spec. Parameters ---------- spec : str, bytes, dict or file object String content of the serialized spec, or a dict options : Dict[str, Any], optional Additionally options. If the same option exists in spec already, it will be overridden. validate : bool, default True. Validate the spec during construction. Default ``True``. """ def validate(self): """Validate model spec Raises ------ SpecError If the spec is not well-formatted. """ logger.debug("Validating spec: %s", self._spec) try: validate(instance=self._spec, schema=SPEC_SCHEMA) except ValidationError as e: raise SpecError(e.message) from e @property def version(self): """Returns spec version.""" return self._spec["version"] @property def uri(self): """Return Model URI""" return self._spec["model"]["uri"] @property def flavor(self): """Model flavor""" return self._spec["model"].get("flavor", "") @property def schema(self): """Return the output schema of the model.""" return parse_schema(self._spec["schema"]) @property def options(self): """Model options""" return self._options @property def pre_processing(self) -> Optional[Callable]: """Return pre-processing transform if exists""" if ( "transforms" not in self._spec or "pre" not in self._spec["transforms"] ): return None f = find_class(self._spec["transforms"]["pre"]) return f @property def post_processing(self) -> Optional[Callable]: """Return post-processing transform if exists""" if ( "transforms" not in self._spec or "post" not in self._spec["transforms"] ): return None f = find_class(self._spec["transforms"]["post"]) return f def codegen_from_yaml( spark: SparkSession, uri: str, name: Optional[str] = None, options: Optional[Dict[str, str]] = None, ) -> str: """Generate code from a YAML file. Parameters ---------- spark : SparkSession A live spark session uri : str the model spec URI name : model name The name of the model. options : dict Optional parameters passed to the model. Returns ------- str Spark UDF function name for the generated data. """ with open_uri(uri) as fobj: spec = ModelSpec(fobj, options=options) if spec.version != 1.0: raise SpecError( f"Only spec version 1.0 is supported, got {spec.version}" ) if spec.flavor == "pytorch": from rikai.spark.sql.codegen.pytorch import generate_udf udf = generate_udf( spec.uri, spec.schema, spec.options, pre_processing=spec.pre_processing, post_processing=spec.post_processing, ) else: raise SpecError(f"Unsupported model flavor: {spec.flavor}") func_name = f"{name}_{secrets.token_hex(4)}" spark.udf.register(func_name, udf) logger.info(f"Created model inference pandas_udf with name {func_name}") return func_name class FileSystemRegistry(Registry): """FileSystem-based Model Registry"""
28.548246
76
0.590413
# Copyright 2021 Rikai Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import secrets from typing import Any, Callable, Dict, IO, Mapping, Optional, Union import yaml from jsonschema import validate, ValidationError from pyspark.sql import SparkSession from rikai.internal.reflection import find_class from rikai.io import open_uri from rikai.logging import logger from rikai.spark.sql.codegen.base import Registry from rikai.spark.sql.exceptions import SpecError from rikai.spark.sql.schema import parse_schema __all__ = ["FileSystemRegistry"] # YAML-Spec SCHEMA SPEC_SCHEMA = { "type": "object", "properties": { "version": { "type": "number", "description": "Model SPEC format version", }, "name": {"type": "string", "description": "Model name"}, "schema": {"type": "string"}, "model": { "type": "object", "description": "model description", "properties": { "uri": {"type": "string"}, "flavor": {"type": "string"}, }, "required": ["uri"], }, "transforms": { "type": "object", "properties": { "pre": {"type": "string"}, "post": {"type": "string"}, }, }, }, "required": ["version", "schema", "model"], } class ModelSpec: """Model Spec. Parameters ---------- spec : str, bytes, dict or file object String content of the serialized spec, or a dict options : Dict[str, Any], optional Additionally options. If the same option exists in spec already, it will be overridden. validate : bool, default True. Validate the spec during construction. Default ``True``. """ def __init__( self, spec: Union[bytes, str, IO, Dict[str, Any]], options: Optional[Dict[str, Any]] = None, validate: bool = True, ): if not isinstance(spec, Mapping): spec = yaml.load(spec, Loader=yaml.FullLoader) self._spec = spec self._options: Dict[str, Any] = self._spec.get("options", {}) if options: self._options.update(options) if validate: self.validate() def validate(self): """Validate model spec Raises ------ SpecError If the spec is not well-formatted. """ logger.debug("Validating spec: %s", self._spec) try: validate(instance=self._spec, schema=SPEC_SCHEMA) except ValidationError as e: raise SpecError(e.message) from e @property def version(self): """Returns spec version.""" return self._spec["version"] @property def uri(self): """Return Model URI""" return self._spec["model"]["uri"] @property def flavor(self): """Model flavor""" return self._spec["model"].get("flavor", "") @property def schema(self): """Return the output schema of the model.""" return parse_schema(self._spec["schema"]) @property def options(self): """Model options""" return self._options @property def pre_processing(self) -> Optional[Callable]: """Return pre-processing transform if exists""" if ( "transforms" not in self._spec or "pre" not in self._spec["transforms"] ): return None f = find_class(self._spec["transforms"]["pre"]) return f @property def post_processing(self) -> Optional[Callable]: """Return post-processing transform if exists""" if ( "transforms" not in self._spec or "post" not in self._spec["transforms"] ): return None f = find_class(self._spec["transforms"]["post"]) return f def codegen_from_yaml( spark: SparkSession, uri: str, name: Optional[str] = None, options: Optional[Dict[str, str]] = None, ) -> str: """Generate code from a YAML file. Parameters ---------- spark : SparkSession A live spark session uri : str the model spec URI name : model name The name of the model. options : dict Optional parameters passed to the model. Returns ------- str Spark UDF function name for the generated data. """ with open_uri(uri) as fobj: spec = ModelSpec(fobj, options=options) if spec.version != 1.0: raise SpecError( f"Only spec version 1.0 is supported, got {spec.version}" ) if spec.flavor == "pytorch": from rikai.spark.sql.codegen.pytorch import generate_udf udf = generate_udf( spec.uri, spec.schema, spec.options, pre_processing=spec.pre_processing, post_processing=spec.post_processing, ) else: raise SpecError(f"Unsupported model flavor: {spec.flavor}") func_name = f"{name}_{secrets.token_hex(4)}" spark.udf.register(func_name, udf) logger.info(f"Created model inference pandas_udf with name {func_name}") return func_name class FileSystemRegistry(Registry): """FileSystem-based Model Registry""" def __init__(self, spark: SparkSession): self._spark = spark self._jvm = spark.sparkContext._jvm def __repr__(self): return "FileSystemRegistry" def resolve(self, uri: str, name: str, options: Dict[str, str]): logger.info(f"Resolving model {name} from {uri}") if uri.endswith(".yml") or uri.endswith(".yaml"): func_name = codegen_from_yaml(self._spark, uri, name, options) else: raise ValueError(f"Model URI is not supported: {uri}") model = self._jvm.ai.eto.rikai.sql.model.fs.FileSystemModel( name, uri, func_name ) # TODO: set options return model
1,059
0
108
930e3770765a36afff87008131d89a39bfb14ecc
4,263
py
Python
nbzz/cmds/start.py
LeetSquad/Swarm-nbzz
781a68e9bc012e166ddce0b6569ce467a7dd6082
[ "Apache-2.0" ]
5
2021-08-13T09:17:25.000Z
2021-09-01T08:26:34.000Z
nbzz/cmds/start.py
LeetSquad/Swarm-nbzz
781a68e9bc012e166ddce0b6569ce467a7dd6082
[ "Apache-2.0" ]
3
2021-08-17T10:39:39.000Z
2022-03-10T15:37:14.000Z
nbzz/cmds/start.py
LeetSquad/Swarm-nbzz
781a68e9bc012e166ddce0b6569ce467a7dd6082
[ "Apache-2.0" ]
5
2021-08-17T09:38:51.000Z
2021-09-28T09:49:34.000Z
import click from nbzz.util.bee_key import decrypt_privatekey_from_bee_keyfile,keyfile from nbzz.util.config import load_config from web3 import Web3 from typing import Dict from nbzz.util.default_root import DEFAULT_ROOT_PATH import plyvel from nbzz.rpc.xdai_rpc import connect_w3,get_model_contract,send_transaction from nbzz.cmds.pledge_funcs import show_pledge import shutil from pathlib import Path @click.command("start", short_help="start nbzz") @click.option("--bee-key-path", default="./keys/swarm.key", help="Config file root", type=click.Path(exists=True), show_default=True) @click.option("--bee-statestore-path", default="./statestore", help="Config statestore path", type=click.Path(exists=True), show_default=True) @click.option("-p", "--password", type=str, prompt="input password of bee",help="password of bee") @click.pass_context @click.command("status", short_help="status nbzz") @click.option("--bee-key-path", default="./keys/swarm.key", help="Config file root", type=click.Path(exists=True), show_default=True) @click.option("--bee-statestore-path", default="./statestore", help="Config statestore path", type=click.Path(exists=True), show_default=True) @click.pass_context
45.83871
142
0.726718
import click from nbzz.util.bee_key import decrypt_privatekey_from_bee_keyfile,keyfile from nbzz.util.config import load_config from web3 import Web3 from typing import Dict from nbzz.util.default_root import DEFAULT_ROOT_PATH import plyvel from nbzz.rpc.xdai_rpc import connect_w3,get_model_contract,send_transaction from nbzz.cmds.pledge_funcs import show_pledge import shutil from pathlib import Path class statestore_dir(): def __init__(self,bee_statestore_path): self.s_statestore_path=Path(bee_statestore_path) self.c_statestore_path=self.s_statestore_path.parent/".nbzz_statetore_temp" if self.c_statestore_path.exists(): shutil.rmtree(self.c_statestore_path) self.db=None def DB(self): self.db=plyvel.DB(str(self.c_statestore_path)) return self.db def get_overlay(self): db=self.DB() overlay_address=db.get(b"non-mineable-overlay") if overlay_address is None: print("ERROR: chequebook not deployed by bee") exit(1) overlay_address=overlay_address.decode().strip('"') return overlay_address def __enter__(self): shutil.copytree(self.s_statestore_path,self.c_statestore_path) clock=self.c_statestore_path/"LOCK" clock.unlink() clock.touch() return self def __exit__(self,exc_type,exc_val,exc_tb): if self.db is not None: self.db.close() shutil.rmtree(self.c_statestore_path) @click.command("start", short_help="start nbzz") @click.option("--bee-key-path", default="./keys/swarm.key", help="Config file root", type=click.Path(exists=True), show_default=True) @click.option("--bee-statestore-path", default="./statestore", help="Config statestore path", type=click.Path(exists=True), show_default=True) @click.option("-p", "--password", type=str, prompt="input password of bee",help="password of bee") @click.pass_context def start_cmd(ctx: click.Context, password,bee_key_path,bee_statestore_path) -> None: privatekey=decrypt_privatekey_from_bee_keyfile(bee_key_path,password) with statestore_dir(bee_statestore_path) as statestoredb: overlay_address=statestoredb.get_overlay() print("Wait for start") print(f"overlay_address: {overlay_address}") config: Dict = load_config(DEFAULT_ROOT_PATH, "config.yaml") w3=connect_w3(config["swap_endpoint"]) my_local_acc=w3.eth.account.from_key(privatekey) print(f"eth_address: {my_local_acc.address}") model_contract=get_model_contract(w3) pledgenum=show_pledge(my_local_acc.address,"") if Web3.fromWei(pledgenum,"ether")<15: print("ERROR: The pledge nbzz amount is less than 15.") exit(1) nodestate=model_contract.functions.nodeState(my_local_acc.address).call() nodestate[3]=nodestate[3].hex() if nodestate[0] and overlay_address==nodestate[3]: print("Nbzz already start") exit(0) tx_receipt=send_transaction(w3,model_contract.functions.nodeOnline(my_local_acc.address,overlay_address),my_local_acc,gas=40_0000) print(tx_receipt) if tx_receipt["status"] !=1: print( "Start fail ") else: print( "Start success ") @click.command("status", short_help="status nbzz") @click.option("--bee-key-path", default="./keys/swarm.key", help="Config file root", type=click.Path(exists=True), show_default=True) @click.option("--bee-statestore-path", default="./statestore", help="Config statestore path", type=click.Path(exists=True), show_default=True) @click.pass_context def status_cmd(ctx: click.Context, bee_key_path,bee_statestore_path) -> None: config: Dict = load_config(DEFAULT_ROOT_PATH, "config.yaml") with statestore_dir(bee_statestore_path) as statestoredb: overlay_address=statestoredb.get_overlay() w3=connect_w3(config["swap_endpoint"]) model_contract=get_model_contract(w3) eth_address=Web3.toChecksumAddress(keyfile(bee_key_path)["address"]) nbzz_status=model_contract.functions.nodeState(eth_address).call() nbzz_status[3]=nbzz_status[3].hex() if nbzz_status[1]: print("Nbzz Mining") elif nbzz_status[0] and overlay_address==nbzz_status[3]: print("Nbzz running") else: print("Nbzz not running")
2,867
2
196
e037b8fad5f5e0b9e9debd08dec5e87d2f5dfa16
11,261
py
Python
contrib/opencensus-ext-django/tests/test_django_middleware.py
hkwi/opencensus-python
4673e1bbe091f5ca4d2e8d2b778005104396f764
[ "Apache-2.0" ]
null
null
null
contrib/opencensus-ext-django/tests/test_django_middleware.py
hkwi/opencensus-python
4673e1bbe091f5ca4d2e8d2b778005104396f764
[ "Apache-2.0" ]
null
null
null
contrib/opencensus-ext-django/tests/test_django_middleware.py
hkwi/opencensus-python
4673e1bbe091f5ca4d2e8d2b778005104396f764
[ "Apache-2.0" ]
null
null
null
# Copyright 2017, OpenCensus Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import mock import unittest from django.test import RequestFactory from django.test.utils import teardown_test_environment from opencensus.trace import execution_context from opencensus.trace import print_exporter from opencensus.trace import samplers from opencensus.trace import span as span_module from opencensus.trace import utils from opencensus.trace.blank_span import BlankSpan from opencensus.trace.propagation import trace_context_http_header_format
32.45245
127
0.642572
# Copyright 2017, OpenCensus Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import mock import unittest from django.test import RequestFactory from django.test.utils import teardown_test_environment from opencensus.trace import execution_context from opencensus.trace import print_exporter from opencensus.trace import samplers from opencensus.trace import span as span_module from opencensus.trace import utils from opencensus.trace.blank_span import BlankSpan from opencensus.trace.propagation import trace_context_http_header_format class TestOpencensusMiddleware(unittest.TestCase): def setUp(self): from django.conf import settings as django_settings from django.test.utils import setup_test_environment if not django_settings.configured: django_settings.configure() setup_test_environment() def tearDown(self): execution_context.clear() teardown_test_environment() def test_constructor_default(self): from opencensus.ext.django import middleware middleware = middleware.OpencensusMiddleware() assert isinstance(middleware.sampler, samplers.ProbabilitySampler) assert isinstance(middleware.exporter, print_exporter.PrintExporter) assert isinstance( middleware.propagator, trace_context_http_header_format.TraceContextPropagator, ) def test_configuration(self): from opencensus.ext.django import middleware settings = type('Test', (object,), {}) settings.OPENCENSUS = { 'TRACE': { 'SAMPLER': 'opencensus.trace.samplers.AlwaysOnSampler()', # noqa 'EXPORTER': 'opencensus.trace.print_exporter.PrintExporter()', # noqa 'PROPAGATOR': 'opencensus.trace.propagation.trace_context_http_header_format.TraceContextPropagator()', # noqa } } patch_settings = mock.patch( 'django.conf.settings', settings) with patch_settings: middleware = middleware.OpencensusMiddleware() assert isinstance(middleware.sampler, samplers.AlwaysOnSampler) assert isinstance(middleware.exporter, print_exporter.PrintExporter) assert isinstance( middleware.propagator, trace_context_http_header_format.TraceContextPropagator, ) def test_process_request(self): from opencensus.ext.django import middleware trace_id = '2dd43a1d6b2549c6bc2a1a54c2fc0b05' span_id = '6e0c63257de34c92' django_trace_id = '00-{}-{}-00'.format(trace_id, span_id) django_request = RequestFactory().get('/', **{ 'HTTP_TRACEPARENT': django_trace_id}) # Force the test request to be sampled settings = type('Test', (object,), {}) settings.OPENCENSUS = { 'TRACE': { 'SAMPLER': 'opencensus.trace.samplers.AlwaysOnSampler()', # noqa } } patch_settings = mock.patch( 'django.conf.settings', settings) with patch_settings: middleware_obj = middleware.OpencensusMiddleware() # test process_request middleware_obj.process_request(django_request) tracer = middleware._get_current_tracer() span = tracer.current_span() expected_attributes = { 'http.url': u'/', 'http.method': 'GET', } self.assertEqual(span.span_kind, span_module.SpanKind.SERVER) self.assertEqual(span.attributes, expected_attributes) self.assertEqual(span.parent_span.span_id, span_id) span_context = tracer.span_context self.assertEqual(span_context.trace_id, trace_id) # test process_view view_func = mock.Mock() middleware_obj.process_view(django_request, view_func) self.assertEqual(span.name, 'mock.mock.Mock') def test_blacklist_path(self): from opencensus.ext.django import middleware execution_context.clear() blacklist_paths = ['test_blacklist_path'] settings = type('Test', (object,), {}) settings.OPENCENSUS = { 'TRACE': { 'SAMPLER': 'opencensus.trace.samplers.AlwaysOnSampler()', # noqa 'BLACKLIST_PATHS': blacklist_paths, 'EXPORTER': mock.Mock(), } } patch_settings = mock.patch( 'django.conf.settings', settings) with patch_settings: middleware_obj = middleware.OpencensusMiddleware() django_request = RequestFactory().get('/test_blacklist_path') disabled = utils.disable_tracing_url(django_request.path, blacklist_paths) self.assertTrue(disabled) self.assertEqual(middleware_obj.blacklist_paths, blacklist_paths) # test process_request middleware_obj.process_request(django_request) tracer = middleware._get_current_tracer() span = tracer.current_span() # process view view_func = mock.Mock() middleware_obj.process_view(django_request, view_func) tracer = middleware._get_current_tracer() span = tracer.current_span() assert isinstance(span, BlankSpan) # process response django_response = mock.Mock() django_response.status_code = 200 middleware_obj.process_response(django_request, django_response) tracer = middleware._get_current_tracer() span = tracer.current_span() assert isinstance(span, BlankSpan) def test_process_response(self): from opencensus.ext.django import middleware trace_id = '2dd43a1d6b2549c6bc2a1a54c2fc0b05' span_id = '6e0c63257de34c92' django_trace_id = '00-{}-{}-00'.format(trace_id, span_id) django_request = RequestFactory().get('/', **{ 'traceparent': django_trace_id, }) # Force the test request to be sampled settings = type('Test', (object,), {}) settings.OPENCENSUS = { 'TRACE': { 'SAMPLER': 'opencensus.trace.samplers.AlwaysOnSampler()', # noqa } } patch_settings = mock.patch( 'django.conf.settings', settings) with patch_settings: middleware_obj = middleware.OpencensusMiddleware() middleware_obj.process_request(django_request) tracer = middleware._get_current_tracer() span = tracer.current_span() exporter_mock = mock.Mock() tracer.exporter = exporter_mock django_response = mock.Mock() django_response.status_code = 200 expected_attributes = { 'http.url': u'/', 'http.method': 'GET', 'http.status_code': '200', 'django.user.id': '123', 'django.user.name': 'test_name' } mock_user = mock.Mock() mock_user.pk = 123 mock_user.get_username.return_value = 'test_name' django_request.user = mock_user middleware_obj.process_response(django_request, django_response) self.assertEqual(span.attributes, expected_attributes) def test_process_response_unfinished_child_span(self): from opencensus.ext.django import middleware trace_id = '2dd43a1d6b2549c6bc2a1a54c2fc0b05' span_id = '6e0c63257de34c92' django_trace_id = '00-{}-{}-00'.format(trace_id, span_id) django_request = RequestFactory().get('/', **{ 'traceparent': django_trace_id, }) # Force the test request to be sampled settings = type('Test', (object,), {}) settings.OPENCENSUS = { 'TRACE': { 'SAMPLER': 'opencensus.trace.samplers.AlwaysOnSampler()', # noqa } } patch_settings = mock.patch( 'django.conf.settings', settings) with patch_settings: middleware_obj = middleware.OpencensusMiddleware() middleware_obj.process_request(django_request) tracer = middleware._get_current_tracer() span = tracer.current_span() exporter_mock = mock.Mock() tracer.exporter = exporter_mock django_response = mock.Mock() django_response.status_code = 500 expected_attributes = { 'http.url': u'/', 'http.method': 'GET', 'http.status_code': '500', 'django.user.id': '123', 'django.user.name': 'test_name' } mock_user = mock.Mock() mock_user.pk = 123 mock_user.get_username.return_value = 'test_name' django_request.user = mock_user tracer.start_span() self.assertNotEqual(span, tracer.current_span()) middleware_obj.process_response(django_request, django_response) self.assertEqual(span.attributes, expected_attributes) class Test__set_django_attributes(unittest.TestCase): class Span(object): def __init__(self): self.attributes = {} def add_attribute(self, key, value): self.attributes[key] = value def test__set_django_attributes_no_user(self): from opencensus.ext.django.middleware import \ _set_django_attributes span = self.Span() request = mock.Mock() request.user = None _set_django_attributes(span, request) expected_attributes = {} self.assertEqual(span.attributes, expected_attributes) def test__set_django_attributes_no_user_info(self): from opencensus.ext.django.middleware import \ _set_django_attributes span = self.Span() request = mock.Mock() django_user = mock.Mock() request.user = django_user django_user.pk = None django_user.get_username.return_value = None _set_django_attributes(span, request) expected_attributes = {} self.assertEqual(span.attributes, expected_attributes) def test__set_django_attributes_with_user_info(self): from opencensus.ext.django.middleware import \ _set_django_attributes span = self.Span() request = mock.Mock() django_user = mock.Mock() request.user = django_user test_id = 123 test_name = 'test_name' django_user.pk = test_id django_user.get_username.return_value = test_name _set_django_attributes(span, request) expected_attributes = { 'django.user.id': '123', 'django.user.name': test_name} self.assertEqual(span.attributes, expected_attributes)
9,724
227
262
fa86dfd13823fdc44a4452c3202176dc16c4eabb
1,198
py
Python
analyze/calc_run_20180202-l.py
JeroenvO/pulsedpowerplasmaplots
dd953359569826edfae321a039b6f9af2340d560
[ "MIT" ]
null
null
null
analyze/calc_run_20180202-l.py
JeroenvO/pulsedpowerplasmaplots
dd953359569826edfae321a039b6f9af2340d560
[ "MIT" ]
null
null
null
analyze/calc_run_20180202-l.py
JeroenvO/pulsedpowerplasmaplots
dd953359569826edfae321a039b6f9af2340d560
[ "MIT" ]
null
null
null
from analyze.calc_run import * base = 'G:/Prive/MIJN-Documenten/TU/62-Stage/20180202-l/' d=-5 # calc_run(base + 'run1b', # REACTOR_GLASS_SHORT_QUAD, # scope_multiple=True, # scope_file_name_index=2, # lengt # meas=SHORT_MEAS_LEN, # current_scaling=0.5, # delay=d, # voltage_offset=30, # ) # # calc_run(base + 'run2b', # REACTOR_GLASS_SHORT_QUAD, # scope_multiple=True, # scope_file_name_index=2, # length # meas=SHORT_MEAS_LEN, # current_scaling=0.5, # delay=d, # voltage_offset=30, # ) calc_run(base + 'run1', REACTOR_GLASS_SHORT_QUAD, scope_multiple=True, scope_file_name_index=2, # lengt meas=SHORT_MEAS_LEN, current_scaling=0.5, delay=d, voltage_offset=30, splitted_pulse=True, ) calc_run(base + 'run2', REACTOR_GLASS_SHORT_QUAD, scope_multiple=True, scope_file_name_index=2, # length meas=SHORT_MEAS_LEN, current_scaling=0.5, delay=d, voltage_offset=30, splitted_pulse=True, )
24.44898
57
0.565109
from analyze.calc_run import * base = 'G:/Prive/MIJN-Documenten/TU/62-Stage/20180202-l/' d=-5 # calc_run(base + 'run1b', # REACTOR_GLASS_SHORT_QUAD, # scope_multiple=True, # scope_file_name_index=2, # lengt # meas=SHORT_MEAS_LEN, # current_scaling=0.5, # delay=d, # voltage_offset=30, # ) # # calc_run(base + 'run2b', # REACTOR_GLASS_SHORT_QUAD, # scope_multiple=True, # scope_file_name_index=2, # length # meas=SHORT_MEAS_LEN, # current_scaling=0.5, # delay=d, # voltage_offset=30, # ) calc_run(base + 'run1', REACTOR_GLASS_SHORT_QUAD, scope_multiple=True, scope_file_name_index=2, # lengt meas=SHORT_MEAS_LEN, current_scaling=0.5, delay=d, voltage_offset=30, splitted_pulse=True, ) calc_run(base + 'run2', REACTOR_GLASS_SHORT_QUAD, scope_multiple=True, scope_file_name_index=2, # length meas=SHORT_MEAS_LEN, current_scaling=0.5, delay=d, voltage_offset=30, splitted_pulse=True, )
0
0
0
d0bc5af4bdc5278d7f3afe0981a2ebe534dbb5ab
1,015
py
Python
src/hyperloop/Python/tests/test_propulsion_mechanics.py
jcchin/Hyperloop_v2
73861d2207af8738425c1d484909ed0433b9653f
[ "Apache-2.0" ]
1
2021-04-29T00:23:03.000Z
2021-04-29T00:23:03.000Z
src/hyperloop/Python/tests/test_propulsion_mechanics.py
jcchin/Hyperloop_v2
73861d2207af8738425c1d484909ed0433b9653f
[ "Apache-2.0" ]
9
2016-11-23T09:10:34.000Z
2016-12-06T01:10:09.000Z
src/hyperloop/Python/tests/test_propulsion_mechanics.py
jcchin/Hyperloop_v2
73861d2207af8738425c1d484909ed0433b9653f
[ "Apache-2.0" ]
11
2016-01-19T20:26:35.000Z
2021-02-13T11:16:20.000Z
import numpy as np from openmdao.api import Group, Problem from hyperloop.Python.tube import propulsion_mechanics
28.194444
72
0.595074
import numpy as np from openmdao.api import Group, Problem from hyperloop.Python.tube import propulsion_mechanics def create_problem(component): root = Group() prob = Problem(root) prob.root.add('comp', component) return prob class TestPropulsionMechanics(object): def test_case1_vs_npss(self): component = propulsion_mechanics.PropulsionMechanics() prob = create_problem(component) prob.setup() prob['comp.Cd'] = .2 prob['comp.S'] = 1.4 prob['comp.p_tube'] = 100.0 prob['comp.T_ambient'] = 293.0 prob['comp.R'] = 286.9 prob['comp.D_mag'] = 150.0 prob['comp.vf'] = 335.0 prob['comp.v0'] = 324.0 prob['comp.g'] = 9.81 prob['comp.m_pod'] = 3100.0 prob['comp.eta'] = .8 prob['comp.nozzle_thrust'] = 21473.92 prob['comp.ram_drag'] = 7237.6 prob['comp.theta'] = 0.0 prob.run() assert np.isclose(prob['comp.pwr_req'], 224712.997293, rtol=0.1)
811
17
72
f71b9cde058636291fadd916f2bb3f983e61f130
3,694
py
Python
BM/1.Pipelines_For_Running_Tools/1.B.pipe_M2S2MH/python.MH_conc.py
hiyoothere/Benchmarking-mosaic-variant-detection
a627602276273c10bbdcf2b9cf30a634765e40f8
[ "CECILL-B" ]
2
2021-11-24T04:38:34.000Z
2022-01-21T08:38:24.000Z
BM/1.Pipelines_For_Running_Tools/1.B.pipe_M2S2MH/python.MH_conc.py
hiyoothere/Benchmarking-mosaic-variant-detection
a627602276273c10bbdcf2b9cf30a634765e40f8
[ "CECILL-B" ]
null
null
null
BM/1.Pipelines_For_Running_Tools/1.B.pipe_M2S2MH/python.MH_conc.py
hiyoothere/Benchmarking-mosaic-variant-detection
a627602276273c10bbdcf2b9cf30a634765e40f8
[ "CECILL-B" ]
null
null
null
import glob import sys ##### creatin dict that will have all control positions ##### EXECUTION ###### MHpath = sys.argv[1] ID_con = sys.argv[2] ID_cas = sys.argv[3] OutPath = sys.argv[4] DP = sys.argv[5] if "ND" in DP: con_MH = MHpath + "/ND-" + ID_con + "/final.passed.tsv" cas_MH = MHpath + "/ND-" + ID_cas + "/final.passed.tsv" else: con_MH = MHpath + "/" + ID_con.replace('.', '-') + "/final.passed.tsv" cas_MH = MHpath + "/" + ID_cas.replace('.', '-') + "/final.passed.tsv" main(ID_con, ID_cas, con_MH, cas_MH, OutPath)
30.278689
96
0.566594
import glob import sys ##### creatin dict that will have all control positions def con_pos(con_MH): con_dict = {} f = open(con_MH, 'r') for line in f: s = line.split() chr = s[0] pos = s[1] ref = int(s[7]) #ref depth alt = int(s[9]) #alt depth vaf = float(alt)/(ref+alt) alt_type = s[8] #alt base if chr in con_dict: if pos in con_dict[chr]: print "ERROR: %s : %s"%(chr, pos) else: con_dict[chr][pos] = [[vaf, "NA"], alt_type] ## VAF of con FIRST in list of vaf in position else: con_dict[chr] = {pos : [[vaf, "NA"], alt_type]} f.close() return con_dict def combine(con_dict, cas_MH): cas = open(cas_MH, 'r') for line in cas: s = line.split() chr = s[0] pos = s[1] ref = int(s[7]) #ref depth alt = int(s[9]) #alt depth vaf = float(alt)/(ref+alt) alt_type = s[8] #alt base if chr in con_dict: if pos in con_dict[chr]: con_dict[chr][pos][0][1] = vaf else: con_dict[chr][pos] = [["NA", vaf], alt_type] ## VAF of cas SECOND in list of vaf in position else: con_dict[chr] = {pos : [["NA", vaf], alt_type] } cas.close() return con_dict def rem_het(total_dict): for chr in total_dict: for pos in total_dict[chr]: ls = total_dict[chr][pos][0] if 'NA' in ls: continue else: if (ls[0] >= 0.30) & (ls[1] >= 0.30): ### remove positions with af 30+ in both tissues total_dict[chr][pos][0] = ["NA"] ## VAF [con, cas] will be listed as ['NA'] return total_dict def write_final(passed_dict, con_out, cas_out, sha_out): #### DISORDERED for chr in passed_dict: for pos in passed_dict[chr]: line = [chr, pos, passed_dict[chr][pos][1]] ls = passed_dict[chr][pos][0] ### VAF of cas, con or 'NA' if "NA" in ls: if len(ls) == 1: #when 'NA' continue elif ls[0] == "NA": #when only case line.append(str(ls[1])) cas_out.write('\t'.join(line) + '\n') else: #when only control line.append(str(ls[0])) con_out.write('\t'.join(line) + '\n') else: #shared con_vaf = passed_dict[chr][pos][0][0] ### add con VAF for future analysis line = '\t'.join([chr, pos, passed_dict[chr][pos][1], str(con_vaf)]) + '\n' sha_out.write(line) def main(ID_con, ID_cas, con_MH, cas_MH, OutPath): con_dict = con_pos(con_MH) # control positions total_dict = combine(con_dict, cas_MH) # conc positions of ctrl and case passed_dict = rem_het(total_dict) # remove any positions with 0.30+ VAF for both ctrl and case ### writing files ###### ctrl specific ###### case specific ###### shared (with 30% af filter) con_file = OutPath + "/" + '_'.join([ID_cas, ID_con, ID_con]) + ".txt" cas_file = OutPath + "/" + '_'.join([ID_cas, ID_con, ID_cas]) + ".txt" sha_file = OutPath + "/" + '_'.join([ID_cas, ID_con]) + ".sha.txt" con_out = open(con_file, 'w') cas_out = open(cas_file, 'w') sha_out = open(sha_file, 'w') write_final(passed_dict, con_out, cas_out, sha_out) con_out.close() cas_out.close() sha_out.close() ##### EXECUTION ###### MHpath = sys.argv[1] ID_con = sys.argv[2] ID_cas = sys.argv[3] OutPath = sys.argv[4] DP = sys.argv[5] if "ND" in DP: con_MH = MHpath + "/ND-" + ID_con + "/final.passed.tsv" cas_MH = MHpath + "/ND-" + ID_cas + "/final.passed.tsv" else: con_MH = MHpath + "/" + ID_con.replace('.', '-') + "/final.passed.tsv" cas_MH = MHpath + "/" + ID_cas.replace('.', '-') + "/final.passed.tsv" main(ID_con, ID_cas, con_MH, cas_MH, OutPath)
3,031
0
118
4144ce31063b1d2b9decd3583fe037bc287fa1f0
8,305
py
Python
src/tener/models/embeddings/sinusoidal_embd.py
dhiraa/tener
54b78aead492390b2ea0016596a3ebe2b9c3b986
[ "Apache-2.0" ]
8
2020-02-21T09:16:43.000Z
2020-10-17T02:33:32.000Z
src/tener/models/embeddings/sinusoidal_embd.py
dhiraa/tener
54b78aead492390b2ea0016596a3ebe2b9c3b986
[ "Apache-2.0" ]
6
2020-09-25T19:03:58.000Z
2022-02-28T07:18:00.000Z
src/tener/models/embeddings/sinusoidal_embd.py
dhiraa/tener
54b78aead492390b2ea0016596a3ebe2b9c3b986
[ "Apache-2.0" ]
6
2020-04-28T06:27:35.000Z
2022-02-20T19:17:15.000Z
import math import numpy as np import tensorflow as tf import torch from torch import nn import torch.nn.functional as F import math from tener.misc.pretty_print import print_info def make_positions(tensor, padding_idx=0): """Replace non-padding symbols with their position numbers. Position numbers begin at padding_idx+1. Padding symbols are ignored. """ # The series of casts and type-conversions here are carefully # balanced to both work with ONNX export and XLA. In particular XLA # prefers ints, cumsum defaults to output longs, and ONNX doesn't know # how to handle the dtype kwarg in cumsum. mask = tf.math.not_equal(tensor, padding_idx) mask = tf.cast(mask, tf.int32) return ( tf.math.cumsum(mask, axis=1) * mask ) + padding_idx class SinusoidalPositionalEmbeddingNaive(tf.keras.layers.Layer): """ PE_(pos, 2i) = sin(pos/10000^(2i/d_model)) # even position PE_(pos, 2i+1) = cos(pos/10000^(2i/d_model)) # odd position """ def call(self, x): """ :param x: Tensor of soze [batch_size, max_seq_length] :return: """ max_seq_len = tf.shape(x)[1] pos = self.pos_encoding[:, :max_seq_len, :] return pos class SinusoidalPositionalEmbedding(tf.keras.layers.Layer): """ This module produces sinusoidal positional embeddings of any length. Padding symbols are ignored. """ @staticmethod def get_embedding(num_embeddings, embedding_dim, padding_idx=None): """Build sinusoidal embeddings. This matches the implementation in tensor2tensor, but differs slightly from the description in Section 3.5 of "Attention Is All You Need". """ half_dim = embedding_dim // 2 emb = math.log(10000) / (half_dim - 1) emb = np.exp(np.arange(half_dim, dtype=np.float32) * -emb) emb = np.expand_dims(np.arange(num_embeddings, dtype=np.float32), 1) * np.expand_dims(emb, 0) emb = np.concatenate([np.sin(emb), np.cos(emb)], axis=1) emb = np.reshape(emb, (num_embeddings, -1)) if embedding_dim % 2 == 1: # zero pad emb = np.concatenate([emb, np.zeros(num_embeddings, 1)], axis=1) if padding_idx is not None: emb[padding_idx, :] = 0 return emb def call(self, input): """Input is expected to be of size [bsz x seqlen].""" bsz, seq_len = input.shape max_pos = self.padding_idx + 1 + seq_len if max_pos > self.embd_weights.shape[0]: # recompute/expand embeddings if needed self.embd_weights = SinusoidalPositionalEmbedding.get_embedding( max_pos, self.embedding_dim, self.padding_idx, ) self.embd_weights = tf.convert_to_tensor(self.embd_weights) positions = make_positions(input, self.padding_idx) embed = tf.gather(self.embd_weights, positions) return embed def max_positions(self): """Maximum number of supported positions.""" return int(1e5) # an arbitrary large number class LearnedPositionalEmbedding(tf.keras.layers.Embedding): """ This module learns positional embeddings up to a fixed maximum size. Padding ids are ignored by either offsetting based on padding_idx or by setting padding_idx to None and ensuring that the appropriate position ids are passed to the forward function. """ # ====================================================================================================================== def make_positions_torch(tensor, padding_idx): """Replace non-padding symbols with their position numbers. Position numbers begin at padding_idx+1. Padding symbols are ignored. """ # The series of casts and type-conversions here are carefully # balanced to both work with ONNX export and XLA. In particular XLA # prefers ints, cumsum defaults to output longs, and ONNX doesn't know # how to handle the dtype kwarg in cumsum. mask = tensor.ne(padding_idx).int() return ( torch.cumsum(mask, dim=1).type_as(mask) * mask ).long() + padding_idx class SinusoidalPositionalEmbeddingTorch(nn.Module): """This module produces sinusoidal positional embeddings of any length. Padding symbols are ignored. """ @staticmethod def get_embedding(num_embeddings, embedding_dim, padding_idx=None): """Build sinusoidal embeddings. This matches the implementation in tensor2tensor, but differs slightly from the description in Section 3.5 of "Attention Is All You Need". """ half_dim = embedding_dim // 2 emb = math.log(10000) / (half_dim - 1) emb = torch.exp(torch.arange(half_dim, dtype=torch.float) * -emb) emb = torch.arange(num_embeddings, dtype=torch.float).unsqueeze(1) * emb.unsqueeze(0) emb = torch.cat([torch.sin(emb), torch.cos(emb)], dim=1).view(num_embeddings, -1) if embedding_dim % 2 == 1: # zero pad emb = torch.cat([emb, torch.zeros(num_embeddings, 1)], dim=1) if padding_idx is not None: emb[padding_idx, :] = 0 return emb def forward(self, input): """Input is expected to be of size [bsz x seqlen].""" bsz, seq_len = input.size() max_pos = self.padding_idx + 1 + seq_len if max_pos > self.weights.size(0): # recompute/expand embeddings if needed self.weights = SinusoidalPositionalEmbeddingTorch.get_embedding( max_pos, self.embedding_dim, self.padding_idx, ) self.weights = self.weights.to(self._float_tensor) positions = make_positions_torch(input, self.padding_idx) return self.weights.index_select(0, positions.view(-1)).view(bsz, seq_len, -1).detach() def max_positions(self): """Maximum number of supported positions.""" return int(1e5) # an arbitrary large number
37.922374
120
0.636725
import math import numpy as np import tensorflow as tf import torch from torch import nn import torch.nn.functional as F import math from tener.misc.pretty_print import print_info def get_angles(pos, i, d_model): angle_rates = 1 / np.power(10000, (2 * (i//2)) / np.float32(d_model)) return pos * angle_rates def positional_encoding(position, d_model): angle_rads = get_angles(np.arange(position)[:, np.newaxis], np.arange(d_model)[np.newaxis, :], d_model) # apply sin to even indices in the array; 2i angle_rads[:, 0::2] = np.sin(angle_rads[:, 0::2]) # apply cos to odd indices in the array; 2i+1 angle_rads[:, 1::2] = np.cos(angle_rads[:, 1::2]) pos_encoding = angle_rads[np.newaxis, ...] return tf.cast(pos_encoding, dtype=tf.float32) def make_positions(tensor, padding_idx=0): """Replace non-padding symbols with their position numbers. Position numbers begin at padding_idx+1. Padding symbols are ignored. """ # The series of casts and type-conversions here are carefully # balanced to both work with ONNX export and XLA. In particular XLA # prefers ints, cumsum defaults to output longs, and ONNX doesn't know # how to handle the dtype kwarg in cumsum. mask = tf.math.not_equal(tensor, padding_idx) mask = tf.cast(mask, tf.int32) return ( tf.math.cumsum(mask, axis=1) * mask ) + padding_idx class SinusoidalPositionalEmbeddingNaive(tf.keras.layers.Layer): """ PE_(pos, 2i) = sin(pos/10000^(2i/d_model)) # even position PE_(pos, 2i+1) = cos(pos/10000^(2i/d_model)) # odd position """ def __init__(self, maximum_position_encoding, d_model): # super(SinusoidalPositionalEmbedding, self).__init__() super().__init__() self.pos_encoding = positional_encoding(maximum_position_encoding, d_model) def call(self, x): """ :param x: Tensor of soze [batch_size, max_seq_length] :return: """ max_seq_len = tf.shape(x)[1] pos = self.pos_encoding[:, :max_seq_len, :] return pos class SinusoidalPositionalEmbedding(tf.keras.layers.Layer): """ This module produces sinusoidal positional embeddings of any length. Padding symbols are ignored. """ def __init__(self, embedding_dim, padding_idx, init_size=1568): super().__init__() self.embedding_dim = embedding_dim self.padding_idx = padding_idx self.embd_weights = SinusoidalPositionalEmbedding.get_embedding( init_size, embedding_dim, padding_idx, ) self.embd_weights = tf.convert_to_tensor(self.embd_weights) @staticmethod def get_embedding(num_embeddings, embedding_dim, padding_idx=None): """Build sinusoidal embeddings. This matches the implementation in tensor2tensor, but differs slightly from the description in Section 3.5 of "Attention Is All You Need". """ half_dim = embedding_dim // 2 emb = math.log(10000) / (half_dim - 1) emb = np.exp(np.arange(half_dim, dtype=np.float32) * -emb) emb = np.expand_dims(np.arange(num_embeddings, dtype=np.float32), 1) * np.expand_dims(emb, 0) emb = np.concatenate([np.sin(emb), np.cos(emb)], axis=1) emb = np.reshape(emb, (num_embeddings, -1)) if embedding_dim % 2 == 1: # zero pad emb = np.concatenate([emb, np.zeros(num_embeddings, 1)], axis=1) if padding_idx is not None: emb[padding_idx, :] = 0 return emb def call(self, input): """Input is expected to be of size [bsz x seqlen].""" bsz, seq_len = input.shape max_pos = self.padding_idx + 1 + seq_len if max_pos > self.embd_weights.shape[0]: # recompute/expand embeddings if needed self.embd_weights = SinusoidalPositionalEmbedding.get_embedding( max_pos, self.embedding_dim, self.padding_idx, ) self.embd_weights = tf.convert_to_tensor(self.embd_weights) positions = make_positions(input, self.padding_idx) embed = tf.gather(self.embd_weights, positions) return embed def max_positions(self): """Maximum number of supported positions.""" return int(1e5) # an arbitrary large number class LearnedPositionalEmbedding(tf.keras.layers.Embedding): """ This module learns positional embeddings up to a fixed maximum size. Padding ids are ignored by either offsetting based on padding_idx or by setting padding_idx to None and ensuring that the appropriate position ids are passed to the forward function. """ def __init__(self, num_embeddings: int, embedding_dim: int, padding_idx: int = 0): #TODO mask zero is under assumption that 0 is always used as padding index super().__init__(input_dim=num_embeddings, output_dim=embedding_dim, mask_zero=True) self.padding_idx = padding_idx def call(self, x): # positions: batch_size x max_len, 把words的index输入就好了 positions = make_positions(x, self.padding_idx) return super().call(positions) # ====================================================================================================================== def make_positions_torch(tensor, padding_idx): """Replace non-padding symbols with their position numbers. Position numbers begin at padding_idx+1. Padding symbols are ignored. """ # The series of casts and type-conversions here are carefully # balanced to both work with ONNX export and XLA. In particular XLA # prefers ints, cumsum defaults to output longs, and ONNX doesn't know # how to handle the dtype kwarg in cumsum. mask = tensor.ne(padding_idx).int() return ( torch.cumsum(mask, dim=1).type_as(mask) * mask ).long() + padding_idx class SinusoidalPositionalEmbeddingTorch(nn.Module): """This module produces sinusoidal positional embeddings of any length. Padding symbols are ignored. """ def __init__(self, embedding_dim, padding_idx, init_size=1568): super().__init__() self.embedding_dim = embedding_dim self.padding_idx = padding_idx self.weights = SinusoidalPositionalEmbeddingTorch.get_embedding( init_size, embedding_dim, padding_idx, ) self.register_buffer('_float_tensor', torch.FloatTensor(1)) @staticmethod def get_embedding(num_embeddings, embedding_dim, padding_idx=None): """Build sinusoidal embeddings. This matches the implementation in tensor2tensor, but differs slightly from the description in Section 3.5 of "Attention Is All You Need". """ half_dim = embedding_dim // 2 emb = math.log(10000) / (half_dim - 1) emb = torch.exp(torch.arange(half_dim, dtype=torch.float) * -emb) emb = torch.arange(num_embeddings, dtype=torch.float).unsqueeze(1) * emb.unsqueeze(0) emb = torch.cat([torch.sin(emb), torch.cos(emb)], dim=1).view(num_embeddings, -1) if embedding_dim % 2 == 1: # zero pad emb = torch.cat([emb, torch.zeros(num_embeddings, 1)], dim=1) if padding_idx is not None: emb[padding_idx, :] = 0 return emb def forward(self, input): """Input is expected to be of size [bsz x seqlen].""" bsz, seq_len = input.size() max_pos = self.padding_idx + 1 + seq_len if max_pos > self.weights.size(0): # recompute/expand embeddings if needed self.weights = SinusoidalPositionalEmbeddingTorch.get_embedding( max_pos, self.embedding_dim, self.padding_idx, ) self.weights = self.weights.to(self._float_tensor) positions = make_positions_torch(input, self.padding_idx) return self.weights.index_select(0, positions.view(-1)).view(bsz, seq_len, -1).detach() def max_positions(self): """Maximum number of supported positions.""" return int(1e5) # an arbitrary large number
2,066
0
180
c5d092a41c6e24953c6673c0cda130ad2dac0976
83
py
Python
0-notes/job-search/Cracking_the_Coding_Interview/C13Java/questions/13.3-question.py
webdevhub42/Lambda
b04b84fb5b82fe7c8b12680149e25ae0d27a0960
[ "MIT" ]
null
null
null
0-notes/job-search/Cracking_the_Coding_Interview/C13Java/questions/13.3-question.py
webdevhub42/Lambda
b04b84fb5b82fe7c8b12680149e25ae0d27a0960
[ "MIT" ]
null
null
null
0-notes/job-search/Cracking_the_Coding_Interview/C13Java/questions/13.3-question.py
webdevhub42/Lambda
b04b84fb5b82fe7c8b12680149e25ae0d27a0960
[ "MIT" ]
null
null
null
# 13.3 Final, etc. # What is the difference between final, finally, and finalize?
20.75
62
0.722892
# 13.3 Final, etc. # What is the difference between final, finally, and finalize?
0
0
0
a0119eb21c1b73d5b80af3b395ae7468a6153492
663
py
Python
utils/assigner.py
Wuyxin/DIR-GNN
4b975f9b3962e7820d8449eb4abbb4cc30c1025d
[ "MIT" ]
34
2022-01-30T07:17:57.000Z
2022-03-26T05:42:28.000Z
utils/assigner.py
Wuyxin/DIR-GNN
4b975f9b3962e7820d8449eb4abbb4cc30c1025d
[ "MIT" ]
null
null
null
utils/assigner.py
Wuyxin/DIR-GNN
4b975f9b3962e7820d8449eb4abbb4cc30c1025d
[ "MIT" ]
4
2022-03-01T02:58:10.000Z
2022-03-28T03:20:35.000Z
import torch import numpy as np
27.625
79
0.60181
import torch import numpy as np class GroupAssigner(object): def __init__(self, criterion=None, n_groups=2, prob=None): self.criterion = criterion # func(data) -> group assignment self.n_groups = n_groups if self.criterion is None: self.prob = prob if prob else torch.ones(n_groups).float()/n_groups def __call__(self, data): if self.criterion is not None: group_id = self.criterion(data) else: group_id = torch.tensor( np.random.choice(range(self.n_groups), 1, p=self.prob) ).long() data.group_id = group_id return data
540
7
81
1483feaffa2344f8974bb783e5a5cc7f062471a4
21,862
py
Python
model/network_base.py
holyseven/TransferLearningClassification
1426356195d79613b12c94ad8d6d0db576b09261
[ "MIT" ]
46
2018-06-02T07:50:04.000Z
2022-02-02T01:25:32.000Z
model/network_base.py
holyseven/TransferLearningClassification
1426356195d79613b12c94ad8d6d0db576b09261
[ "MIT" ]
3
2018-06-02T02:29:49.000Z
2021-04-09T08:35:22.000Z
model/network_base.py
holyseven/TransferLearningClassification
1426356195d79613b12c94ad8d6d0db576b09261
[ "MIT" ]
13
2018-06-07T04:30:14.000Z
2020-04-07T03:10:40.000Z
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np import tensorflow as tf
48.367257
123
0.574467
from __future__ import absolute_import from __future__ import division from __future__ import print_function import numpy as np import tensorflow as tf class Network(object): def __init__(self, num_classes, lrn_rate_placeholder, wd_rate_placeholder, wd_rate_placeholder2, mode='train', initializer='he', fix_blocks=0, RV=False, fine_tune_filename=None, wd_mode=0, optimizer='mom', momentum=0.9, fisher_filename=None, gpu_num=1, fisher_epsilon=0, data_format='NHWC', float_type=tf.float32, separate_regularization=False): self.mode = mode self.global_step = None self._extra_train_ops = [] self.fix_blocks = fix_blocks self.num_classes = num_classes self.fine_tune_filename = fine_tune_filename self.wd_mode = wd_mode self.optimizer = optimizer self.momentum = momentum self.lrn_rate_placeholder = lrn_rate_placeholder self.wd_rate_placeholder = wd_rate_placeholder self.wd_rate_placeholder2 = wd_rate_placeholder2 self.fisher_filename = fisher_filename self.gpu_num = gpu_num self.fisher_epsilon = fisher_epsilon assert data_format in ['NCHW', 'NHWC'] self.data_format = data_format self.RV = RV self.net_activations = dict() self.net_activations_sorted_keys = [] self.initializer = initializer self.separate_regularization = separate_regularization if self.optimizer == 'pgd': assert self.separate_regularization is False # TODO: Problem is that tf can not import a pre-trained with different data type. # TODO: So this is not implemented yet, all using tf.float32 at this moment. self.float_type = float_type self.new_layers_names = ['logits', 'global_step'] def inference(self, images): self.logits = None raise NotImplementedError("Please Implement this method") def compute_loss(self, labels, logits=None): self.labels = labels if logits is None: logits = self.logits with tf.variable_scope('costs'): xent = tf.nn.sparse_softmax_cross_entropy_with_logits( logits=logits, labels=self.labels) self.loss = tf.reduce_mean(xent, name='xent') self.wd = tf.convert_to_tensor(0.0, dtype=self.float_type) if self.mode == 'train': self.wd = self._decay(self.wd_mode) cost = self.loss + self.wd return cost def _default_train_op(self, labels, logits=None): # regularizers are in the loss and computed into momentum, like always. self.cost = self.compute_loss(labels, logits) if self.optimizer == 'sgd': optimizer = tf.train.GradientDescentOptimizer(self.lrn_rate_placeholder) elif self.optimizer == 'mom': optimizer = tf.train.MomentumOptimizer(self.lrn_rate_placeholder, self.momentum) else: print('unknown optimizer name: ', self.optimizer) print('Default to Momentum.') optimizer = tf.train.MomentumOptimizer(self.lrn_rate_placeholder, self.momentum) grads_vars = optimizer.compute_gradients(self.cost, colocate_gradients_with_ops=True) apply_op = optimizer.apply_gradients( grads_vars, global_step=self.global_step, name='train_step') train_ops = [apply_op] + self._extra_train_ops self.train_op = tf.group(*train_ops) return self.train_op def _separate_reg_train_op(self, labels, logits=None): # separate regularizers and loss function. momentum is only on gradients of loss. # regularizers are always using simple sgd. self.cost = self.compute_loss(labels, logits) if self.optimizer == 'sgd': optimizer = tf.train.GradientDescentOptimizer(self.lrn_rate_placeholder) else: print('unknown optimizer name: ', self.optimizer) print('Default to Momentum.') optimizer = tf.train.MomentumOptimizer(self.lrn_rate_placeholder, self.momentum) grads_vars = optimizer.compute_gradients(self.loss, colocate_gradients_with_ops=True) apply_op = optimizer.apply_gradients(grads_vars) train_ops = [apply_op] + self._extra_train_ops self.train_op = tf.group(*train_ops) return self.train_op def build_train_op(self, labels, logits=None): """ For one GPU program. :param labels: :param logtis: :return: """ if self.separate_regularization: return self._separate_reg_train_op(labels, logits=logits) else: return self._default_train_op(labels, logits=logits) def _decay(self, mode): """L2 weight decay loss.""" print('================== weight decay info ====================') if mode == 0: print('Applying L2 regularization...') l2_losses_existing_layers = 0 l2_losses_new_layers = 0 for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers += tf.nn.l2_loss(v) continue l2_losses_existing_layers += tf.nn.l2_loss(v) return tf.multiply(self.wd_rate_placeholder, l2_losses_existing_layers) \ + tf.multiply(self.wd_rate_placeholder2, l2_losses_new_layers) elif mode == 1: print('Applying L2-SP regularization...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue print(v.name) name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) l2_losses_existing_layers.append(tf.nn.l2_loss(v - pre_trained_weights)) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 101: print('Applying L2-SP regularization for all parameters (weights, biases, gammas, betas)...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue l2_losses_existing_layers.append(tf.nn.l2_loss(v - pre_trained_weights)) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 2: print('Applying L2-SP-k regularization...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l2_losses_existing_layers = [] l2_losses_new_layers = [] weights_varianbles = [] for v in tf.trainable_variables(): if 'weights' in v.name: # I know there is only four new layers with 'weights' # and they are named by 'fc1_voc12_c?/weights:0' ? = 0, 1, 2, 3 if 'logits' in v.name: l2_losses_new_layers.append(tf.nn.l2_loss(v)) print('new layers', v.name) continue weights_varianbles.append(v) for i in range(len(weights_varianbles)): name = weights_varianbles[i].name.split(':')[0] pre_trained_weights = reader.get_tensor(name) single_loss = tf.nn.l2_loss(weights_varianbles[i] - pre_trained_weights) if 'shortcut' in name: # because these layers are parallel to another three layers. l2_losses_existing_layers.append(tf.scalar_mul(len(weights_varianbles) - i + 3, single_loss)) print('existing layers: ', len(weights_varianbles) - i + 3, name) else: l2_losses_existing_layers.append(tf.scalar_mul(len(weights_varianbles) - i, single_loss)) print('existing layers: ', len(weights_varianbles) - i, name) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 3: print('Applying L2-SP-exp regularization...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) if 'logits' in v.name: print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue dif = v - pre_trained_weights l2_losses_existing_layers.append(tf.reduce_sum(tf.exp(tf.multiply(dif, dif)))) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 4: print('Applying L1-SP regularization...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l1_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) l1_losses_existing_layers.append(tf.reduce_sum(tf.abs(v - pre_trained_weights))) return self.wd_rate_placeholder * tf.add_n(l1_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 41: print('Applying L1-SP regularization with sqrt(x^2+\epsilon)...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) l1_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) l1_losses_existing_layers.append(tf.reduce_sum(tf.sqrt((v - pre_trained_weights) ** 2 + 1e-16))) return self.wd_rate_placeholder * tf.add_n(l1_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 5: print('Applying Group-Lasso-SP regularization...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) lasso_loss_existing_layers = 0 l2_losses_new_layers = 0 for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers += tf.nn.l2_loss(v) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) v_shape = v.get_shape().as_list() assert len(v_shape) == 4 # split for each output feature map. sum = tf.reduce_sum((v - pre_trained_weights) ** 2, axis=[0, 1, 2]) + 1e-16 alpha_k = float(np.sqrt(v_shape[0] * v_shape[1] * v_shape[2])) # if 'resnet_v1_101/conv1/weights' in v.name: # self.sum_1 = sum # if 'resnet_v1_101/block2/unit_4/bottleneck_v1/conv1/weights' in v.name: # self.sum_2 = sum sqrt = tf.reduce_sum(tf.sqrt(sum)) lasso_loss_existing_layers += sqrt * alpha_k return self.wd_rate_placeholder * lasso_loss_existing_layers + self.wd_rate_placeholder2 * l2_losses_new_layers elif mode == 50: print('Applying Group-Lasso-SP regularization, each group is one whole layer...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) lasso_loss_existing_layers = 0 l2_losses_new_layers = 0 for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers += tf.nn.l2_loss(v) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) v_shape = v.get_shape().as_list() assert len(v_shape) == 4 # split for each output feature map. sum = tf.reduce_sum((v - pre_trained_weights) ** 2, axis=[0, 1, 2, 3]) + 1e-16 alpha_k = float(np.sqrt(v_shape[0] * v_shape[1] * v_shape[2] * v_shape[3])) # if 'resnet_v1_101/conv1/weights' in v.name: # self.sum_1 = sum # if 'resnet_v1_101/block2/unit_4/bottleneck_v1/conv1/weights' in v.name: # self.sum_2 = sum sqrt = tf.reduce_sum(tf.sqrt(sum)) lasso_loss_existing_layers += sqrt * alpha_k return self.wd_rate_placeholder * lasso_loss_existing_layers + self.wd_rate_placeholder2 * l2_losses_new_layers elif mode == 6: print('Applying L2-SP-Fisher Fisher Information Matrix (FIM) + fisher_epsilon,', self.fisher_epsilon, '...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) fim_dict = np.load(self.fisher_filename).item() l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) fim = fim_dict[v.name] + self.fisher_epsilon # print fim.shape, v.get_shape() l2_losses_existing_layers.append(tf.reduce_sum(0.5 * fim * tf.square(v-pre_trained_weights))) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 61: print('Applying L2-SP-Fisher regularization clip(FIM) with max value', self.fisher_epsilon, '...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) fim_dict = np.load(self.fisher_filename).item() l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: print(v.name) if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) fim = np.clip(fim_dict[v.name], a_min=None, a_max=self.fisher_epsilon) # print fim.shape, v.get_shape() l2_losses_existing_layers.append(tf.reduce_sum(0.5 * fim * tf.square(v-pre_trained_weights))) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 62: print('Applying L2-SP-Fisher regularization + fisher_epsilon,', self.fisher_epsilon, 'clipped with 0.1 ...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) fim_dict = np.load(self.fisher_filename).item() l2_losses_existing_layers = [] l2_losses_new_layers = [] for v in tf.trainable_variables(): if 'weights' in v.name: print(v.name) if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers.append(tf.nn.l2_loss(v)) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) + self.fisher_epsilon fim = np.clip(fim_dict[v.name], a_min=None, a_max=0.1) l2_losses_existing_layers.append(tf.reduce_sum(0.5 * fim * tf.square(v-pre_trained_weights))) return self.wd_rate_placeholder * tf.add_n(l2_losses_existing_layers) \ + self.wd_rate_placeholder2 * tf.add_n(l2_losses_new_layers) elif mode == 7: print('Applying Group-Lasso-SP-Fisher regularization + fisher_epsilon,', self.fisher_epsilon, '...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) fim_dict = np.load(self.fisher_filename).item() lasso_loss_existing_layers = 0 l2_losses_new_layers = 0 for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers += tf.nn.l2_loss(v) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) fim = fim_dict[v.name] + self.fisher_epsilon v_shape = v.get_shape().as_list() assert len(v_shape) == 4 # split for each output feature map. a = tf.multiply((v - pre_trained_weights) ** 2, fim) sum = tf.reduce_sum(a, axis=[0, 1, 2]) + 1e-16 alpha_k = float(np.sqrt(v_shape[0] * v_shape[1] * v_shape[2])) sqrt = tf.reduce_sum(tf.sqrt(sum)) lasso_loss_existing_layers += sqrt * alpha_k return self.wd_rate_placeholder * lasso_loss_existing_layers + self.wd_rate_placeholder2 * l2_losses_new_layers elif mode == 71: print('Applying Group-Lasso-SP-Fisher regularizatino clip(FIM) with max value', self.fisher_epsilon, '...') reader = tf.train.NewCheckpointReader(self.fine_tune_filename) fim_dict = np.load(self.fisher_filename).item() lasso_loss_existing_layers = 0 l2_losses_new_layers = 0 for v in tf.trainable_variables(): if 'weights' in v.name: if any(elem in v.name for elem in self.new_layers_names): print('except ', v.name) l2_losses_new_layers += tf.nn.l2_loss(v) continue name = v.name.split(':')[0] pre_trained_weights = reader.get_tensor(name) fim = np.clip(fim_dict[v.name], a_min=None, a_max=self.fisher_epsilon) v_shape = v.get_shape().as_list() assert len(v_shape) == 4 # split for each output feature map. a = tf.multiply((v - pre_trained_weights) ** 2, fim) sum = tf.reduce_sum(a, axis=[0, 1, 2]) + 1e-16 alpha_k = float(np.sqrt(v_shape[0] * v_shape[1] * v_shape[2])) sqrt = tf.reduce_sum(tf.sqrt(sum)) lasso_loss_existing_layers += sqrt * alpha_k return self.wd_rate_placeholder * lasso_loss_existing_layers + self.wd_rate_placeholder2 * l2_losses_new_layers print('No regularization...') return tf.convert_to_tensor(0)
4,157
17,527
23
f2bb6f29bad76920d58effde5ea59dffea89c10b
453
py
Python
every_election/apps/elections/migrations/0059_election_tags.py
DemocracyClub/EveryElection
da8a561cb4a84d9b432b1508a68f8cfada3d9515
[ "BSD-3-Clause" ]
8
2017-06-29T10:11:33.000Z
2019-12-16T16:17:51.000Z
every_election/apps/elections/migrations/0059_election_tags.py
DemocracyClub/EveryElection
da8a561cb4a84d9b432b1508a68f8cfada3d9515
[ "BSD-3-Clause" ]
1,300
2017-01-08T14:02:24.000Z
2022-03-31T09:11:30.000Z
every_election/apps/elections/migrations/0059_election_tags.py
DemocracyClub/EveryElection
da8a561cb4a84d9b432b1508a68f8cfada3d9515
[ "BSD-3-Clause" ]
11
2017-02-04T10:48:04.000Z
2021-01-27T15:07:55.000Z
# Generated by Django 2.2.16 on 2021-02-13 12:11 import django.contrib.postgres.fields.jsonb from django.db import migrations
22.65
79
0.631347
# Generated by Django 2.2.16 on 2021-02-13 12:11 import django.contrib.postgres.fields.jsonb from django.db import migrations class Migration(migrations.Migration): dependencies = [ ("elections", "0058_set-gla-a-to-ballot"), ] operations = [ migrations.AddField( model_name="election", name="tags", field=django.contrib.postgres.fields.jsonb.JSONField(default=dict), ), ]
0
302
23
24b4a562d2495e56240ee4ebd5af7cb54555475f
462
py
Python
tasks/migrations/0011_auto_20190206_1517.py
heolin123/funcrowd
20167783de208394c09ed0429a5f02ec6dd79c42
[ "MIT" ]
null
null
null
tasks/migrations/0011_auto_20190206_1517.py
heolin123/funcrowd
20167783de208394c09ed0429a5f02ec6dd79c42
[ "MIT" ]
11
2019-11-12T23:26:45.000Z
2021-06-10T17:37:23.000Z
tasks/migrations/0011_auto_20190206_1517.py
heolin123/funcrowd
20167783de208394c09ed0429a5f02ec6dd79c42
[ "MIT" ]
null
null
null
# Generated by Django 2.0.8 on 2019-02-06 15:17 import django.contrib.postgres.fields.jsonb from django.db import migrations
23.1
88
0.640693
# Generated by Django 2.0.8 on 2019-02-06 15:17 import django.contrib.postgres.fields.jsonb from django.db import migrations class Migration(migrations.Migration): dependencies = [ ('tasks', '0010_auto_20190203_2307'), ] operations = [ migrations.AlterField( model_name='document', name='metadata', field=django.contrib.postgres.fields.jsonb.JSONField(blank=True, null=True), ), ]
0
312
23
654484af7b3a2a709671de536dec14781a00c3b4
5,083
py
Python
tests/unit/dht/test_blob_announcer.py
abueide/lbry
7f5deaf6c80422a30b3714d4bf12e028756ed9fe
[ "MIT" ]
null
null
null
tests/unit/dht/test_blob_announcer.py
abueide/lbry
7f5deaf6c80422a30b3714d4bf12e028756ed9fe
[ "MIT" ]
null
null
null
tests/unit/dht/test_blob_announcer.py
abueide/lbry
7f5deaf6c80422a30b3714d4bf12e028756ed9fe
[ "MIT" ]
null
null
null
import contextlib import typing import binascii import asyncio from torba.testcase import AsyncioTestCase from tests import dht_mocks from lbrynet.conf import Config from lbrynet.dht import constants from lbrynet.dht.node import Node from lbrynet.dht.peer import PeerManager from lbrynet.dht.blob_announcer import BlobAnnouncer from lbrynet.extras.daemon.storage import SQLiteStorage
44.2
100
0.636829
import contextlib import typing import binascii import asyncio from torba.testcase import AsyncioTestCase from tests import dht_mocks from lbrynet.conf import Config from lbrynet.dht import constants from lbrynet.dht.node import Node from lbrynet.dht.peer import PeerManager from lbrynet.dht.blob_announcer import BlobAnnouncer from lbrynet.extras.daemon.storage import SQLiteStorage class TestBlobAnnouncer(AsyncioTestCase): async def setup_node(self, peer_addresses, address, node_id): self.nodes: typing.Dict[int, Node] = {} self.advance = dht_mocks.get_time_accelerator(self.loop, self.loop.time()) self.conf = Config() self.storage = SQLiteStorage(self.conf, ":memory:", self.loop, self.loop.time) await self.storage.open() self.peer_manager = PeerManager(self.loop) self.node = Node(self.loop, self.peer_manager, node_id, 4444, 4444, 3333, address) await self.node.start_listening(address) self.blob_announcer = BlobAnnouncer(self.loop, self.node, self.storage) for node_id, address in peer_addresses: await self.add_peer(node_id, address) self.node.joined.set() async def add_peer(self, node_id, address, add_to_routing_table=True): n = Node(self.loop, PeerManager(self.loop), node_id, 4444, 4444, 3333, address) await n.start_listening(address) self.nodes.update({len(self.nodes): n}) if add_to_routing_table: await self.node.protocol.add_peer( self.peer_manager.get_kademlia_peer( n.protocol.node_id, n.protocol.external_ip, n.protocol.udp_port ) ) @contextlib.asynccontextmanager async def _test_network_context(self, peer_addresses=None): self.peer_addresses = peer_addresses or [ (constants.generate_id(2), '1.2.3.2'), (constants.generate_id(3), '1.2.3.3'), (constants.generate_id(4), '1.2.3.4'), (constants.generate_id(5), '1.2.3.5'), (constants.generate_id(6), '1.2.3.6'), (constants.generate_id(7), '1.2.3.7'), (constants.generate_id(8), '1.2.3.8'), (constants.generate_id(9), '1.2.3.9'), ] try: with dht_mocks.mock_network_loop(self.loop): await self.setup_node(self.peer_addresses, '1.2.3.1', constants.generate_id(1)) yield finally: self.blob_announcer.stop() self.node.stop() for n in self.nodes.values(): n.stop() async def chain_peer(self, node_id, address): previous_last_node = self.nodes[len(self.nodes) - 1] await self.add_peer(node_id, address, False) last_node = self.nodes[len(self.nodes) - 1] peer = last_node.protocol.get_rpc_peer( last_node.protocol.peer_manager.get_kademlia_peer( previous_last_node.protocol.node_id, previous_last_node.protocol.external_ip, previous_last_node.protocol.udp_port ) ) await peer.ping() return peer async def test_announce_blobs(self): blob1 = binascii.hexlify(b'1' * 48).decode() blob2 = binascii.hexlify(b'2' * 48).decode() async with self._test_network_context(): await self.storage.add_completed_blob(blob1, 1024) await self.storage.add_completed_blob(blob2, 1024) await self.storage.db.execute( "update blob set next_announce_time=0, should_announce=1 where blob_hash in (?, ?)", (blob1, blob2) ) to_announce = await self.storage.get_blobs_to_announce() self.assertEqual(2, len(to_announce)) self.blob_announcer.start() await self.advance(61.0) to_announce = await self.storage.get_blobs_to_announce() self.assertEqual(0, len(to_announce)) self.blob_announcer.stop() # test that we can route from a poorly connected peer all the way to the announced blob await self.chain_peer(constants.generate_id(10), '1.2.3.10') await self.chain_peer(constants.generate_id(11), '1.2.3.11') await self.chain_peer(constants.generate_id(12), '1.2.3.12') await self.chain_peer(constants.generate_id(13), '1.2.3.13') await self.chain_peer(constants.generate_id(14), '1.2.3.14') last = self.nodes[len(self.nodes) - 1] search_q, peer_q = asyncio.Queue(loop=self.loop), asyncio.Queue(loop=self.loop) search_q.put_nowait(blob1) _, task = last.accumulate_peers(search_q, peer_q) found_peers = await peer_q.get() task.cancel() self.assertEqual(1, len(found_peers)) self.assertEqual(self.node.protocol.node_id, found_peers[0].node_id) self.assertEqual(self.node.protocol.external_ip, found_peers[0].address) self.assertEqual(self.node.protocol.peer_port, found_peers[0].tcp_port)
4,485
190
23
a65d0bfbcd7fe1b1c7d466a1a6d5fa4dc4c677e1
107
py
Python
caption/models/taggers/__init__.py
Unbabel/caption
90725dbf5bc3809e0364d20d0837c58968ceb2b1
[ "MIT" ]
3
2021-06-14T08:23:00.000Z
2022-03-04T06:00:50.000Z
caption/models/taggers/__init__.py
Unbabel/caption
90725dbf5bc3809e0364d20d0837c58968ceb2b1
[ "MIT" ]
null
null
null
caption/models/taggers/__init__.py
Unbabel/caption
90725dbf5bc3809e0364d20d0837c58968ceb2b1
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*- from .transformer_tagger import TransformerTagger __all__ = ["TransformerTagger"]
21.4
49
0.738318
# -*- coding: utf-8 -*- from .transformer_tagger import TransformerTagger __all__ = ["TransformerTagger"]
0
0
0
01471f25662c8c09d746637c982ccc8bc92d5b4f
2,224
py
Python
toollib/tcli/commands/_set_sshkey.py
atpuxiner/toollib
a895daeba49e64022a4a11a67a8b7b7a44cd2e0f
[ "MIT" ]
113
2021-12-15T05:23:13.000Z
2022-03-30T10:29:13.000Z
toollib/tcli/commands/_set_sshkey.py
atpuxiner/toollib
a895daeba49e64022a4a11a67a8b7b7a44cd2e0f
[ "MIT" ]
null
null
null
toollib/tcli/commands/_set_sshkey.py
atpuxiner/toollib
a895daeba49e64022a4a11a67a8b7b7a44cd2e0f
[ "MIT" ]
3
2022-02-22T01:43:44.000Z
2022-03-21T01:05:49.000Z
""" @author axiner @version v1.0.0 @created 2022/5/4 9:17 @abstract @description @history """ import re import sys from pathlib import Path from toollib import utils, regexp from toollib.decorator import sys_required from toollib.tcli import here from toollib.tcli.base import BaseCmd from toollib.tcli.option import Options, Arg
31.771429
99
0.54946
""" @author axiner @version v1.0.0 @created 2022/5/4 9:17 @abstract @description @history """ import re import sys from pathlib import Path from toollib import utils, regexp from toollib.decorator import sys_required from toollib.tcli import here from toollib.tcli.base import BaseCmd from toollib.tcli.option import Options, Arg class Cmd(BaseCmd): def __init__(self): super().__init__() def add_options(self): options = Options( name='ssh key', desc='ssh免密登录配置', optional={ self.set_sshkey: [ Arg('-u', '--user', required=True, type=str, help='用户'), Arg('-p', '--passwd', required=True, type=str, help='密码'), Arg('--port', default=22, type=int, help='端口'), Arg('-i', '--ips', required=True, type=str, help='ips, 1.多个ip可用逗号隔开;2.也可指定文件(一行一ip)'), ]} ) return options @sys_required('centos|\.el\d', errmsg='centos|el') def set_sshkey(self): user = self.parse_args.user passwd = self.parse_args.passwd port = self.parse_args.port ips = self._parse_ips(self.parse_args.ips) shb = here.joinpath('commands/plugins/set_sshkey.sh.x') cmd = f'chmod u+x {shb} && {shb} {user} {passwd} {port} {" ".join(ips)}' p = utils.syscmd(cmd) out, err = p.communicate() if out: sys.stdout.write(u'{0}'.format(out.decode('utf-8'))) if err: sys.stderr.write(u'{0}'.format(err.decode('utf-8'))) def _parse_ips(self, ips) -> set: parse_ips = set() if Path(ips).is_file(): with open(ips, mode='r', encoding='utf8') as fp: ip_list = [ip.replace('\n', '') for ip in fp.readlines() if not ip.startswith('#')] else: ip_list = ips.split(',') ip_list = [ip.strip() for ip in ip_list if ip.strip()] if not ip_list: raise ValueError('ips不能为空') for ip in ip_list: if not re.match(regexp.ipv4_simple, ip): raise ValueError('%s =>ip格式错误' % ip) parse_ips.add(ip) return parse_ips
1,784
161
23
4e60c76f6dbf6aafce748cf7f081695a4d7fa0b9
21,810
py
Python
test-framework/test-suites/unit/tests/pylib/stack/test_pylib_stack_kvm.py
sammeidinger/stack
a8085dce179dbe903f65f136f4b63bcc076cc057
[ "BSD-3-Clause" ]
123
2015-05-12T23:36:45.000Z
2017-07-05T23:26:57.000Z
test-framework/test-suites/unit/tests/pylib/stack/test_pylib_stack_kvm.py
sammeidinger/stack
a8085dce179dbe903f65f136f4b63bcc076cc057
[ "BSD-3-Clause" ]
177
2015-06-05T19:17:47.000Z
2017-07-07T17:57:24.000Z
test-framework/test-suites/unit/tests/pylib/stack/test_pylib_stack_kvm.py
sammeidinger/stack
a8085dce179dbe903f65f136f4b63bcc076cc057
[ "BSD-3-Clause" ]
32
2015-06-07T02:25:03.000Z
2017-06-23T07:35:35.000Z
import pytest import libvirt import jinja2 import tarfile from pathlib import Path from libvirt import libvirtError, virConnect, virDomain, virStoragePool, virStorageVol from stack.kvm import Hypervisor, VmException from unittest.mock import create_autospec, patch, call, Mock from subprocess import CompletedProcess
35.405844
103
0.768409
import pytest import libvirt import jinja2 import tarfile from pathlib import Path from libvirt import libvirtError, virConnect, virDomain, virStoragePool, virStorageVol from stack.kvm import Hypervisor, VmException from unittest.mock import create_autospec, patch, call, Mock from subprocess import CompletedProcess class TestPylibKvm: def mock_libvirt_exception(self, *args, **kwargs): """ Mock raising a libvirt exception """ raise libvirtError('Something went wrong!') def mock_kvm_exception(self, *args, **kwargs): """ Mock raising a VmException """ raise VmException('Something went wrong!') class TestPylibKvmUnderTest(Hypervisor): """ Inherited class to mock the init function """ def __init__(self, host = 'hypervisor-foo'): self.hypervisor = host self.kvm = create_autospec(spec=virConnect, instance=True) self.kvm_pool = """ <pool type="dir"> <name>{{ name }}</name> <target> <path>{{ dir }}</path> </target> </pool> """ self.kvm_volume = """ <volume> <name>{{ volname }}</name> <allocation>0</allocation> <capacity unit="G">{{ size }}</capacity> <target> <path>{{ pooldir }}/{{ volname }}</path> <format type="qcow2"/> </target> </volume> """ def test_kvm_init(self): """ Test the init sets the values we expect """ test_hypervisor = Hypervisor(host='hypervisor-foo') assert test_hypervisor.hypervisor == 'hypervisor-foo' assert test_hypervisor.kvm is None @patch('stack.kvm.Hypervisor.connect', autospec=True) @patch('stack.kvm.Hypervisor.close', autospec=True) def test_kvm_context_manager( self, mock_kvm_close, mock_kvm_connect, ): """ Test when calling the Hypervisor class as a context manager the connect and close functions are called on context manager enter and exit """ with Hypervisor('hypervisor-foo') as conn: pass mock_kvm_connect.assert_called_once() mock_kvm_close.assert_called_once() # Make sure we are returning the # Hypervisor object upon contextmanager enter assert conn is not None @patch('stack.kvm.Hypervisor.connect', autospec=True) @patch('stack.kvm.Hypervisor.close', autospec=True) def test_kvm_context_manager_exception_open( self, mock_kvm_close, mock_kvm_connect, ): """ Test when entering the context manager that if the an exception is raised it will be output """ expect_exception = 'Something went wrong!' mock_kvm_connect.side_effect = self.mock_kvm_exception with pytest.raises(VmException, match=expect_exception), Hypervisor('hypervisor-foo') as conn: mock_kvm_connect.assert_called_once() mock_kvm_close.assert_called_once() @patch('stack.kvm.Hypervisor.connect', autospec=True) @patch('stack.kvm.Hypervisor.close', autospec=True) def test_kvm_context_manager_exception_close( self, mock_kvm_close, mock_kvm_connect, ): """ Test when entering the context manager that if the an exception is raised it will be output """ expect_exception = 'Something went wrong!' mock_kvm_close.side_effect = self.mock_kvm_exception with pytest.raises(VmException, match=expect_exception), Hypervisor('hypervisor-foo') as conn: mock_kvm_connect.assert_called_once() mock_kvm_close.assert_called_once() @patch('libvirt.open', autospec=True) def test_kvm_connect(self, mock_libvirt_open): """ Test the connect method successfully returns a libvirt connection object """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_libvirt_open.return_value = 'bar' # Assert we got back the libvirt # connection object libvirt_obj = mock_hypervisor.connect() mock_libvirt_open.assert_called_once() assert libvirt_obj == 'bar' @patch('libvirt.open', autospec=True) def test_kvm_connect_exception(self, mock_libvirt_open): """ Test the connect method throws a VmException when a libvirt connection object could not be made """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_libvirt_open.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to connect to hypervisor hypervisor-foo:\nSomething went wrong!' # Make sure a VmException was raised # with the correct message when a # a libvirt exception occurs with pytest.raises(VmException, match=expect_exception): mock_hypervisor.connect() mock_libvirt_open.assert_called_once() def test_kvm_close(self): """ Test the close method calls the libvirt close connection method """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.close() mock_hypervisor.kvm.close.assert_called_once() def test_kvm_close_exception(self): """ Test the close method throws a VmExpection when a connection could not be close """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.close.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to close hypervisor connection to hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.close() mock_libvirt.close.assert_called_once() def test_kvm_close_no_conn(self): """ Test the close method catches the case when a hypervisor connection is no longer available """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm = None expect_exception = 'Cannot find hypervisor connection to hypervisor-foo' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.close() # Test three cases: # 1. No guests found # 2. Guests with different status (on/off) # 3. Single Guest GUEST_INPUT = [ ( {}, {} ), ( {'foo' : True, 'bar': False, 'baz': False}, {'foo' : 'on', 'bar': 'off', 'baz': 'off'} ), ( {'foo' : True}, {'foo' : 'on'} ) ] @pytest.mark.parametrize('status, guests', GUEST_INPUT) def test_kvm_guests(self, status, guests): mock_hypervisor = self.TestPylibKvmUnderTest() domain_status = [] mock_virDomain = create_autospec(virDomain, instance=True) # Patch the virDomain object that listAllDomains # will return a list of when called # These are the only two functions of virDomain we # care about for host, is_active in status.items(): domain = Mock(return_value = mock_virDomain) domain.name.return_value = host domain.isActive.return_value = is_active domain_status.append(domain) # Make the return value of listAllDomains the same # length as the amount of vm's on our simulated hypervisor object mock_hypervisor.kvm.listAllDomains.return_value = domain_status actual_guests = mock_hypervisor.guests() mock_hypervisor.kvm.listAllDomains.assert_called_once() # Check for each domain object # that two functions we expected # were called for mock_domain in domain_status: mock_domain.isActive.assert_called_once() mock_domain.name.assert_called_once() assert actual_guests == guests def test_kvm_guests_exception(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.listAllDomains.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to get list of VM domains on hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.guests() mock_hypervisor.kvm.listAllDomains.assert_called_once() def test_kvm_add_domain(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.add_domain('foo') # defineXML is the libvirt func when creating a domain mock_hypervisor.kvm.defineXML.assert_called_once_with('foo') def test_kvm_add_domain_exception(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.defineXML.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to define guest on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.add_domain('foo') mock_hypervisor.kvm.defineXML.assert_called_once_with('foo') def test_kvm_add_domain_exception_domain_already_exists(self): mock_hypervisor = self.TestPylibKvmUnderTest() exception = 'domain already exists with uuid' # If a VM is already defined, add_domain # should ignore the error mock_hypervisor.kvm.defineXML.side_effect = libvirtError(exception) mock_hypervisor.add_domain('foo') mock_hypervisor.kvm.defineXML.assert_called_once_with('foo') @patch('libvirt.virDomain', autospec=True) def test_kvm_remove_domain(self, mock_virDomain): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain mock_hypervisor.remove_domain('foo') mock_virDomain.undefine.assert_called_once() @patch('libvirt.virDomain', autospec=True) def test_kvm_remove_domain_exception(self, mock_virDomain): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain mock_virDomain.undefine = self.mock_libvirt_exception expect_exception = 'Failed to undefine VM foo on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.remove_domain('foo') mock_virDomain.undefine.assert_called_once() @patch('libvirt.virDomain', autospec=True) def test_kvm_start_domain(self, mock_virDomain): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain mock_hypervisor.start_domain('foo') mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') # create is the libvirt func for starting a domain mock_virDomain.create.assert_called_once() def test_kvm_start_domain_exception(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to start VM foo on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.start_domain('foo') mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') @patch('libvirt.virDomain', autospec=True) def test_kvm_stop_domain(self, mock_virDomain): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain mock_hypervisor.stop_domain('foo') mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') # destroy is the libvirt func for stopping a domain mock_virDomain.destroy.assert_called_once() def test_kvm_stop_domain_exception(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to stop VM foo on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.stop_domain('foo') mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') @patch('libvirt.virStoragePool', autospec=True) @patch('stack.util._exec', autospec=True) @pytest.mark.parametrize('pool_exists, output', [(True, None), (False, 'foo')]) def test_kvm_add_pool(self, mock_exec, mock_storage_pool, pool_exists, output): mock_hypervisor = self.TestPylibKvmUnderTest() mock_storage_pool.create.return_value = None # Create our own jinja template to # compare later to the one called in # add_pool mock_pool_vars = {'name': 'foo', 'dir': 'bar'} mock_pool_xml = jinja2.Template(mock_hypervisor.kvm_pool).render(mock_pool_vars) if pool_exists: mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool else: mock_hypervisor.kvm.storagePoolLookupByName.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.storagePoolDefineXML.return_value = mock_storage_pool pool_name = mock_hypervisor.add_pool('foo', 'bar') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') # add_pool should return here if the # pool exists, otherwise create it if pool_exists: mock_hypervisor.kvm.storagePoolDefineXML.assert_not_called() mock_storage_pool.create.assert_not_called() mock_storage_pool.setAutostart.assert_not_called() else: mock_hypervisor.kvm.storagePoolDefineXML.assert_called_once_with(mock_pool_xml, 0) mock_storage_pool.create.assert_called_once() mock_storage_pool.setAutostart.assert_called_once_with(1) assert pool_name == output def test_kvm_add_pool_error(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.storagePoolLookupByName.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.storagePoolDefineXML.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to create storage pool bar:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.add_pool('foo', 'bar') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') @patch('libvirt.virStoragePool', autospec=True) def test_kvm_remove_pool(self, mock_storage_pool): mock_hypervisor = self.TestPylibKvmUnderTest() mock_storage_pool.undefine.return_value = None mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool pool_name = mock_hypervisor.remove_pool('foo') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') mock_storage_pool.undefine.assert_called_once() def test_kvm_remove_pool_exception(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.storagePoolLookupByName.side_effect = self.mock_libvirt_exception expect_exception = 'Failed to delete pool foo on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.remove_pool('foo') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') @patch('libvirt.virStoragePool', autospec=True) @patch('libvirt.virStorageVol', autospec=True) @pytest.mark.parametrize('vol_exists', [True, False]) def test_kvm_add_volume(self, mock_storage_vol, mock_storage_pool, vol_exists): mock_hypervisor = self.TestPylibKvmUnderTest() mock_storage_pool.createXML.return_value = None if vol_exists: mock_storage_pool.storageVolLookupByName.return_value = mock_storage_vol else: mock_storage_pool.storageVolLookupByName.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool pool_name = mock_hypervisor.add_volume('foo', 'bar', 'baz', '100') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('baz') mock_storage_pool.storageVolLookupByName.assert_called_once_with('foo') if vol_exists: mock_storage_pool.createXML.assert_not_called() else: # similar to add_pool's test, create a jinja template # to compare the rendered output to the func args vol_template = jinja2.Template(mock_hypervisor.kvm_volume) vol_xml = vol_template.render({'volname': 'foo', 'size': 100, 'dir': 'bar'}) mock_storage_pool.createXML.assert_called_once_with(vol_xml, 0) def test_kvm_add_volume_no_pool(self): """ Test adding a storage volume to a storage pool that doesn't exist """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.storagePoolLookupByName.side_effect = self.mock_libvirt_exception # If no pool is found for a given storage # volume an error is raised expect_exception = 'Failed to create volume foo on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): pool_name = mock_hypervisor.add_volume('foo', 'bar', 'baz', '100') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('baz') @patch('libvirt.virStoragePool', autospec=True) @patch('libvirt.virStorageVol', autospec=True) def test_kvm_add_volume_error(self, mock_storage_vol, mock_storage_pool): """ Simulate an exception being rasied when trying to create the volume """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_storage_pool.storageVolLookupByName.side_effect = self.mock_libvirt_exception # This creates the storage volume mock_storage_pool.createXML.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool # Compare the exception raised and make sure the # text is the same expect_exception = 'Failed to create volume foo on hypervisor hypervisor-foo:\nSomething went wrong!' vol_template = jinja2.Template(mock_hypervisor.kvm_volume) vol_xml = vol_template.render({'volname': 'foo', 'size': 100, 'dir': 'bar'}) with pytest.raises(VmException, match=expect_exception): pool_name = mock_hypervisor.add_volume('foo', 'bar', 'baz', '100') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('baz') mock_storage_pool.storageVolLookupByName.assert_called_once_with('foo') mock_storage_pool.createXML.assert_called_once_with(vol_xml, 0) @patch('libvirt.virStoragePool', autospec=True) @patch('libvirt.virStorageVol', autospec=True) def test_kvm_remove_vol(self, mock_storage_vol, mock_storage_pool): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool mock_storage_pool.storageVolLookupByName.return_value = mock_storage_vol # Call remove_volume and make sure # the correct func are called mock_hypervisor.remove_volume('foo', 'bar') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') mock_storage_pool.storageVolLookupByName.assert_called_once_with('bar') mock_storage_vol.delete.assert_called_once() @patch('libvirt.virStoragePool', autospec=True) def test_kvm_remove_vol_exception(self, mock_storage_pool): mock_hypervisor = self.TestPylibKvmUnderTest() # Raise an exception when finding a volume by name mock_storage_pool.storageVolLookupByName.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.storagePoolLookupByName.return_value = mock_storage_pool expect_exception = 'Failed to delete volume bar on hypervisor hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.remove_volume('foo', 'bar') mock_hypervisor.kvm.storagePoolLookupByName.assert_called_once_with('foo') mock_storage_pool.storageVol.LookupByName.assert_called_once_with('bar') @patch('libvirt.virDomain', autospec=True) @pytest.mark.parametrize('is_autostart', [True, False]) def test_kvm_autostart(self, mock_virDomain, is_autostart): """ Test setting/un-setting a VM to autostart upon host boot-up """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain mock_hypervisor.autostart('foo', is_autostart) mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') if is_autostart: mock_virDomain.setAutostart.assert_called_once_with(1) else: mock_virDomain.setAutostart.assert_called_once_with(0) @patch('libvirt.virDomain', autospec=True) def test_kvm__autostart_exception(self, mock_virDomain): """ Test that autostart raises a VmException when we expect it to """ mock_hypervisor = self.TestPylibKvmUnderTest() mock_virDomain.setAutostart.side_effect = self.mock_libvirt_exception mock_hypervisor.kvm.lookupByName.return_value = mock_virDomain expect_exception = 'Could not autostart foo on hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=expect_exception): mock_hypervisor.autostart('foo', True) mock_hypervisor.kvm.lookupByName.assert_called_once_with('foo') mock_virDomain.setAutostart.assert_called_once_with(1) POOL_INFO = [ ( '', ['foo'], [2, 21474836480, 21474836480, 0], True, { 'foo': { 'allocated': '20.0 GB', 'available': '0.0 GB', 'capacity': '20.0 GB', 'is_active': True } } ), ( '', ['foo', 'bar', 'baz'], [2, 21474836480, 21474836480, 0], True, { 'foo': { 'allocated': '20.0 GB', 'available': '0.0 GB', 'capacity': '20.0 GB', 'is_active': True }, 'bar': { 'allocated': '20.0 GB', 'available': '0.0 GB', 'capacity': '20.0 GB', 'is_active': True }, 'baz': { 'allocated': '20.0 GB', 'available': '0.0 GB', 'capacity': '20.0 GB', 'is_active': True } } ), ( 'foo', ['foo', 'bar', 'baz'], [2, 21474836480, 21474836480, 0], True, { 'foo': { 'allocated': '20.0 GB', 'available': '0.0 GB', 'capacity': '20.0 GB', 'is_active': True } } ) ] @pytest.mark.parametrize('filter_pool, p_names, p_info, is_active, expect_output', POOL_INFO) def test_kvm_pool_info( self, filter_pool, p_names, p_info, is_active, expect_output ): pool_list = [] mock_hypervisor = self.TestPylibKvmUnderTest() # Create a list of mock virStoragePool # objects to emulate the real return value # of listAllStoragePools mock_virStoragePool = create_autospec(virStoragePool, instance=True) for p_name in p_names: mock_pool = Mock(return_value=mock_virStoragePool) mock_pool.name.return_value = p_name mock_pool.info.return_value = p_info mock_pool.isActive.return_value = is_active pool_list.append(mock_pool) mock_hypervisor.kvm.listAllStoragePools.return_value = pool_list output = mock_hypervisor.pool_info(filter_pool=filter_pool) assert output == expect_output def test_kvm_pool_info_except(self): mock_hypervisor = self.TestPylibKvmUnderTest() mock_hypervisor.kvm.listAllStoragePools.side_effect = self.mock_libvirt_exception except_msg = 'Failed to get pool info on hypervisor-foo:\nSomething went wrong!' with pytest.raises(VmException, match=except_msg): mock_hypervisor.pool_info() mock_hypervisor.kvm.listAllStoragePools.assert_called_once_with(0)
11,113
10,357
23
822a0ff8785eb0954163af374ff983ac9b7de2a1
2,575
py
Python
jinete/models/vehicles.py
PhilippeGalvan/jinete
b7b22f8265935bc41b42ad8c4bf7464dc21ab424
[ "MIT" ]
null
null
null
jinete/models/vehicles.py
PhilippeGalvan/jinete
b7b22f8265935bc41b42ad8c4bf7464dc21ab424
[ "MIT" ]
null
null
null
jinete/models/vehicles.py
PhilippeGalvan/jinete
b7b22f8265935bc41b42ad8c4bf7464dc21ab424
[ "MIT" ]
null
null
null
from __future__ import annotations import logging from typing import TYPE_CHECKING from .constants import ( MAX_FLOAT, ) from .abc import ( Model, ) from .services import ( Service, ) if TYPE_CHECKING: from typing import ( Set, Any, Dict, Generator, Tuple, ) from .positions import ( Position, ) logger = logging.getLogger(__name__)
23.409091
108
0.623689
from __future__ import annotations import logging from typing import TYPE_CHECKING from .constants import ( MAX_FLOAT, ) from .abc import ( Model, ) from .services import ( Service, ) if TYPE_CHECKING: from typing import ( Set, Any, Dict, Generator, Tuple, ) from .positions import ( Position, ) logger = logging.getLogger(__name__) class Vehicle(Model): identifier: str origin: Service destination: Service capacity: float def __init__(self, identifier: str, origin: Service, destination: Service = None, capacity: float = 1.0, timeout: float = MAX_FLOAT): self.identifier = identifier self.origin = origin self._destination = destination self.capacity = capacity self.timeout = timeout @property def origin_position(self) -> Position: return self.origin.position @property def origin_earliest(self) -> float: return self.origin.earliest @property def origin_latest(self) -> float: return self.origin.latest @property def origin_duration(self) -> float: return self.origin.duration @property def destination(self) -> Service: if self._destination is None: return self.origin return self._destination @property def destination_position(self) -> Position: return self.destination.position @property def destination_earliest(self) -> float: return self.destination.earliest @property def destination_latest(self) -> float: return self.destination.latest @property def destination_duration(self) -> float: return self.destination.duration def __iter__(self) -> Generator[Tuple[str, Any], None, None]: yield from ( ('identifier', self.identifier), ('origin', tuple(self.origin)), ('destination', tuple(self.destination)), ('capacity', self.capacity), ('timeout', self.timeout), ) def __deepcopy__(self, memo: Dict[int, Any]) -> Vehicle: return self class Fleet(Model): vehicles: Set[Vehicle] def __init__(self, vehicles: Set[Vehicle]): self.vehicles = vehicles def __iter__(self) -> Generator[Tuple[str, Any], None, None]: yield from ( ('vehicle_identifiers', tuple(vehicle.identifier for vehicle in self.vehicles)), ) def __deepcopy__(self, memo: Dict[int, Any]) -> Fleet: return self
1,473
641
46
114d1e7012c85fcfc862e1bd4047526600479af1
634
py
Python
bapa/services/email.py
kelleydv/Bapa
ea19b8e878f608089553df132c32a25bf6183c9b
[ "MIT" ]
5
2015-03-05T01:18:19.000Z
2015-11-28T17:29:44.000Z
bapa/services/email.py
kelleydv/Bapa
ea19b8e878f608089553df132c32a25bf6183c9b
[ "MIT" ]
26
2015-03-03T19:13:24.000Z
2021-02-08T20:23:54.000Z
bapa/services/email.py
kelleydv/Bapa
ea19b8e878f608089553df132c32a25bf6183c9b
[ "MIT" ]
1
2015-03-07T21:02:56.000Z
2015-03-07T21:02:56.000Z
from bapa import app, mail from flask_mail import Message import os def send_email(subject=None, body=None, recipients=None): """Send an email""" msg = Message( subject=subject, body=body, recipients=recipients ) if app.config['TESTING']: #no need to send an email return elif app.debug and not os.environ.get('HEROKU'): #print to the terminal, copy/paste url print('to: %s' % recipients) print('subject: %s' % subject) print('body:\n%s' % body) else: #send the email with app.app_context(): mail.send(msg)
24.384615
57
0.586751
from bapa import app, mail from flask_mail import Message import os def send_email(subject=None, body=None, recipients=None): """Send an email""" msg = Message( subject=subject, body=body, recipients=recipients ) if app.config['TESTING']: #no need to send an email return elif app.debug and not os.environ.get('HEROKU'): #print to the terminal, copy/paste url print('to: %s' % recipients) print('subject: %s' % subject) print('body:\n%s' % body) else: #send the email with app.app_context(): mail.send(msg)
0
0
0
c49a64e8be8eff82b186a76d2a5697110c34e258
3,151
py
Python
PlotCircles.py
WalasekNicole/sensitive-periods-with-varying-cue-reliabilities
f9b2aefc7847c496bd15a14d3c4c804efe39c4c7
[ "MIT" ]
null
null
null
PlotCircles.py
WalasekNicole/sensitive-periods-with-varying-cue-reliabilities
f9b2aefc7847c496bd15a14d3c4c804efe39c4c7
[ "MIT" ]
null
null
null
PlotCircles.py
WalasekNicole/sensitive-periods-with-varying-cue-reliabilities
f9b2aefc7847c496bd15a14d3c4c804efe39c4c7
[ "MIT" ]
1
2020-01-23T15:07:41.000Z
2020-01-23T15:07:41.000Z
def circles(x, y, s,ax, c='b',vmin=None, vmax=None, **kwargs): """ Make a scatter of circles plot of x vs y, where x and y are sequence like objects of the same lengths. The size of circles are in data scale. Parameters ---------- x,y : scalar or array_like, shape (n, ) Input data s : scalar or array_like, shape (n, ) Radius of circle in data unit. c : color or sequence of color, optional, default : 'b' `c` can be a single color format string, or a sequence of color specifications of length `N`, or a sequence of `N` numbers to be mapped to colors using the `cmap` and `norm` specified via kwargs. Note that `c` should not be a single numeric RGB or RGBA sequence because that is indistinguishable from an array of values to be colormapped. (If you insist, use `color` instead.) `c` can be a 2-D array in which the rows are RGB or RGBA, however. vmin, vmax : scalar, optional, default: None `vmin` and `vmax` are used in conjunction with `norm` to normalize luminance data. If either are `None`, the min and max of the color array is used. kwargs : `~matplotlib.collections.Collection` properties Eg. alpha, edgecolor(ec), facecolor(fc), linewidth(lw), linestyle(ls), norm, cmap, transform, etc. Returns ------- paths : `~matplotlib.collections.PathCollection` Examples -------- a = np.arange(11) circles(a, a, a*0.2, c=a, alpha=0.5, edgecolor='none') plt.colorbar() License -------- This code is under [The BSD 3-Clause License] (http://opensource.org/licenses/BSD-3-Clause) """ from matplotlib.patches import Circle from matplotlib.collections import PatchCollection import numpy as np import matplotlib.pyplot as plt #if np.isscalar(c): # kwargs.setdefault('color', c) # c = None if c is not None: kwargs.setdefault('color', c) c = None if 'zorder' in kwargs: kwargs.setdefault('zorder', kwargs.pop('zorder')) if 'fc' in kwargs: kwargs.setdefault('facecolor', kwargs.pop('fc')) if 'ec' in kwargs: kwargs.setdefault('edgecolor', kwargs.pop('ec')) if 'ls' in kwargs: kwargs.setdefault('linestyle', kwargs.pop('ls')) if 'lw' in kwargs: kwargs.setdefault('linewidth', kwargs.pop('lw')) patches = [Circle((x_, y_), s_) for x_, y_, s_ in np.broadcast(x, y, s)] collection = PatchCollection(patches, **kwargs) #if c is not None: # collection.set_array(np.asarray(c)) # collection.set_clim(vmin, vmax) #ax = plt.gca() ax.add_collection(collection) ax.autoscale_view() if c is not None: plt.sci(collection) return collection # example usage # plt.figure(figsize=(6,4)) # ax = plt.subplot(aspect='equal') # # #plot a set of circle # a = np.arange(11) # out = circles(a, a, a*0.2, c=a, alpha=0.5, ec='none') # plt.colorbar() # # #plot one circle (the lower-right one) # circles(1, 0, 0.4, 'r', ls='--', lw=5, fc='none', transform=ax.transAxes) # xlim(0,10) # ylim(0,10) # plt.show() # # exit(1)
33.88172
79
0.62615
def circles(x, y, s,ax, c='b',vmin=None, vmax=None, **kwargs): """ Make a scatter of circles plot of x vs y, where x and y are sequence like objects of the same lengths. The size of circles are in data scale. Parameters ---------- x,y : scalar or array_like, shape (n, ) Input data s : scalar or array_like, shape (n, ) Radius of circle in data unit. c : color or sequence of color, optional, default : 'b' `c` can be a single color format string, or a sequence of color specifications of length `N`, or a sequence of `N` numbers to be mapped to colors using the `cmap` and `norm` specified via kwargs. Note that `c` should not be a single numeric RGB or RGBA sequence because that is indistinguishable from an array of values to be colormapped. (If you insist, use `color` instead.) `c` can be a 2-D array in which the rows are RGB or RGBA, however. vmin, vmax : scalar, optional, default: None `vmin` and `vmax` are used in conjunction with `norm` to normalize luminance data. If either are `None`, the min and max of the color array is used. kwargs : `~matplotlib.collections.Collection` properties Eg. alpha, edgecolor(ec), facecolor(fc), linewidth(lw), linestyle(ls), norm, cmap, transform, etc. Returns ------- paths : `~matplotlib.collections.PathCollection` Examples -------- a = np.arange(11) circles(a, a, a*0.2, c=a, alpha=0.5, edgecolor='none') plt.colorbar() License -------- This code is under [The BSD 3-Clause License] (http://opensource.org/licenses/BSD-3-Clause) """ from matplotlib.patches import Circle from matplotlib.collections import PatchCollection import numpy as np import matplotlib.pyplot as plt #if np.isscalar(c): # kwargs.setdefault('color', c) # c = None if c is not None: kwargs.setdefault('color', c) c = None if 'zorder' in kwargs: kwargs.setdefault('zorder', kwargs.pop('zorder')) if 'fc' in kwargs: kwargs.setdefault('facecolor', kwargs.pop('fc')) if 'ec' in kwargs: kwargs.setdefault('edgecolor', kwargs.pop('ec')) if 'ls' in kwargs: kwargs.setdefault('linestyle', kwargs.pop('ls')) if 'lw' in kwargs: kwargs.setdefault('linewidth', kwargs.pop('lw')) patches = [Circle((x_, y_), s_) for x_, y_, s_ in np.broadcast(x, y, s)] collection = PatchCollection(patches, **kwargs) #if c is not None: # collection.set_array(np.asarray(c)) # collection.set_clim(vmin, vmax) #ax = plt.gca() ax.add_collection(collection) ax.autoscale_view() if c is not None: plt.sci(collection) return collection # example usage # plt.figure(figsize=(6,4)) # ax = plt.subplot(aspect='equal') # # #plot a set of circle # a = np.arange(11) # out = circles(a, a, a*0.2, c=a, alpha=0.5, ec='none') # plt.colorbar() # # #plot one circle (the lower-right one) # circles(1, 0, 0.4, 'r', ls='--', lw=5, fc='none', transform=ax.transAxes) # xlim(0,10) # ylim(0,10) # plt.show() # # exit(1)
0
0
0
d074fc4545c591cadc37a37745a752306b7079e5
3,158
py
Python
saltsdb/saltsdb.py
saltastro/saltsdb
dfb1413b100621ebc1cdd2d5bcbb27fa0db112a0
[ "BSD-3-Clause" ]
null
null
null
saltsdb/saltsdb.py
saltastro/saltsdb
dfb1413b100621ebc1cdd2d5bcbb27fa0db112a0
[ "BSD-3-Clause" ]
null
null
null
saltsdb/saltsdb.py
saltastro/saltsdb
dfb1413b100621ebc1cdd2d5bcbb27fa0db112a0
[ "BSD-3-Clause" ]
1
2018-01-09T14:06:58.000Z
2018-01-09T14:06:58.000Z
# Licensed under a 3-clause BSD style license - see LICENSE.rst import sqlalchemy import pandas as pd __all__ = ['SALTSdb'] class SALTSdb: """SALTSdb is an interface to the SALT mysql database and specifically simplifies the steps of returning objects from a call to the database Parameters ---------- host: string host name of mysql database dbname: string name of mysql database user: string user for database passwd: string password of user for mysql database port: int Port for connecting to the database """ def select(self, selection, table, logic=None): """Select a record from a table Parameters ---------- selection: string columns to return table: string table or group of tables to select from logic: string logic for selecting from table Returns ------- record: ~pandas.DataFrame Dataframe of results """ cmd_sql = 'SELECT {} FROM {}'.format(selection, table) if logic is not None: cmd_sql += ' WHERE {}'.format(logic) return pd.read_sql(cmd_sql, self.sdb) def insert(self, insertion, table): """Insert a record into a table Parameters ---------- insertion: string values and columns to insert table: string table or group of tables to select from """ # build the command exec_command = "INSERT INTO {} SET {}".format(table, insertion) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command) def replace(self, replace, table): """Insert a record into a table Parameters ---------- replace: string values and columns to replace table: string table or group of tables to select from """ # build the command exec_command = "REPLACE INTO {} VALUES ({})".format(table, replace) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command) def update(self, insertion, table, logic=None): """Update a record in a table Parameters ---------- insertion: string values and columns to insert table: string table or group of tables to select from logic: string logic for selecting from table """ # build the command exec_command = "UPDATE {} SET {}".format(table, insertion) if logic is not None: exec_command += ' WHERE {}'.format(logic) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command)
26.991453
75
0.552882
# Licensed under a 3-clause BSD style license - see LICENSE.rst import sqlalchemy import pandas as pd __all__ = ['SALTSdb'] class SALTSdb: """SALTSdb is an interface to the SALT mysql database and specifically simplifies the steps of returning objects from a call to the database Parameters ---------- host: string host name of mysql database dbname: string name of mysql database user: string user for database passwd: string password of user for mysql database port: int Port for connecting to the database """ def __init__(self, host, dbname, user, passwd, port): sdb = 'mysql+mysqlconnector://{}:{}@{}:{}/{}'.format(user, passwd, host, port, dbname) self.sdb = sqlalchemy.create_engine(sdb) def select(self, selection, table, logic=None): """Select a record from a table Parameters ---------- selection: string columns to return table: string table or group of tables to select from logic: string logic for selecting from table Returns ------- record: ~pandas.DataFrame Dataframe of results """ cmd_sql = 'SELECT {} FROM {}'.format(selection, table) if logic is not None: cmd_sql += ' WHERE {}'.format(logic) return pd.read_sql(cmd_sql, self.sdb) def insert(self, insertion, table): """Insert a record into a table Parameters ---------- insertion: string values and columns to insert table: string table or group of tables to select from """ # build the command exec_command = "INSERT INTO {} SET {}".format(table, insertion) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command) def replace(self, replace, table): """Insert a record into a table Parameters ---------- replace: string values and columns to replace table: string table or group of tables to select from """ # build the command exec_command = "REPLACE INTO {} VALUES ({})".format(table, replace) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command) def update(self, insertion, table, logic=None): """Update a record in a table Parameters ---------- insertion: string values and columns to insert table: string table or group of tables to select from logic: string logic for selecting from table """ # build the command exec_command = "UPDATE {} SET {}".format(table, insertion) if logic is not None: exec_command += ' WHERE {}'.format(logic) exec_command = sqlalchemy.sql.text(exec_command) self.sdb.execute(exec_command)
298
0
27
9fa05de1d647fc79ab33a7bc71bb2e90cc1ed122
1,043
py
Python
pylark/api_service_task_comment_delete.py
chyroc/pylark
a54cce6b814935fd3c72668b262b54c8ee461484
[ "Apache-2.0" ]
7
2021-08-18T00:42:05.000Z
2022-03-14T09:49:15.000Z
pylark/api_service_task_comment_delete.py
chyroc/pylark
a54cce6b814935fd3c72668b262b54c8ee461484
[ "Apache-2.0" ]
null
null
null
pylark/api_service_task_comment_delete.py
chyroc/pylark
a54cce6b814935fd3c72668b262b54c8ee461484
[ "Apache-2.0" ]
1
2022-03-14T09:49:20.000Z
2022-03-14T09:49:20.000Z
# Code generated by lark_sdk_gen. DO NOT EDIT. from pylark.lark_request import RawRequestReq, _new_method_option from pylark import lark_type, lark_type_sheet, lark_type_approval import attr import typing import io @attr.s @attr.s
28.972222
91
0.696069
# Code generated by lark_sdk_gen. DO NOT EDIT. from pylark.lark_request import RawRequestReq, _new_method_option from pylark import lark_type, lark_type_sheet, lark_type_approval import attr import typing import io @attr.s class DeleteTaskCommentReq(object): task_id: str = attr.ib( default="", metadata={"req_type": "path", "key": "task_id"} ) # 任务ID, 示例值:"83912691-2e43-47fc-94a4-d512e03984fa" comment_id: str = attr.ib( default="", metadata={"req_type": "path", "key": "comment_id"} ) # 评论ID, 示例值:"6937231762296684564" @attr.s class DeleteTaskCommentResp(object): pass def _gen_delete_task_comment_req(request, options) -> RawRequestReq: return RawRequestReq( dataclass=DeleteTaskCommentResp, scope="Task", api="DeleteTaskComment", method="DELETE", url="https://open.feishu.cn/open-apis/task/v1/tasks/:task_id/comments/:comment_id", body=request, method_option=_new_method_option(options), need_tenant_access_token=True, )
404
359
67
b5b32e30378a98abf08620431155a2602cc5a791
1,502
py
Python
mzgtfs/fareattribute.py
andreyz/mapzen-gtfs
d445f1588ed10713eea9a1ca2878eef792121eca
[ "MIT" ]
29
2015-06-08T00:49:52.000Z
2021-09-25T21:46:53.000Z
mzgtfs/fareattribute.py
brennv/mapzen-gtfs
886dc3a91fed13323f401d47a56ea713b8ed7807
[ "MIT" ]
12
2015-07-28T07:12:55.000Z
2017-05-11T14:24:12.000Z
mzgtfs/fareattribute.py
brennv/mapzen-gtfs
886dc3a91fed13323f401d47a56ea713b8ed7807
[ "MIT" ]
10
2015-07-28T06:57:51.000Z
2021-01-05T05:56:27.000Z
"""GTFS Fare Attributes.""" import datetime import entity import geom import util import widetime import validation
29.45098
87
0.679095
"""GTFS Fare Attributes.""" import datetime import entity import geom import util import widetime import validation class FareAttribute(entity.Entity): KEY = 'fare_id' REQUIRED = [ 'fare_id', 'price', 'currency_type', 'payment_method', 'transfers', ] OPTIONAL = [ 'transfer_duration' ] def validate(self, validator=None): validator = super(FareAttribute, self).validate(validator) # Required with validator(self): assert self.get('fare_id'), "Required: fare_id" with validator(self): assert self.get('price'), "Required: price" with validator(self): assert validation.valid_float(self.get('price')), "Invalid price" with validator(self): assert self.get('currency_type'), "Required: currency_type" with validator(self): assert self.get('payment_method'), "Required: payment_method" with validator(self): assert validation.valid_bool(self.get('payment_method')), \ "Invalid payment_method" with validator(self): assert validation.valid_int(self.get('transfers'), vmin=0, vmax=2, empty=True), \ "Invalid transfers" # Optional with validator(self): if self.get('transfer_duration'): assert validation.valid_int(self.get('transfer_duration'), vmin=0), \ "Invalid transfer_duration" return validator def validate_feed(self, validator=None): validator = super(FareAttribute, self).validate_feed(validator) return validator
1,125
238
23
f60e58f6f54daa5a6d0aa2b5e74611132df717c2
1,027
py
Python
shfl/differential_privacy/norm.py
joarreg/Sherpa.ai-Federated-Learning-Framework
9da392bf71c9acf13761dde0f119622c62780c87
[ "Apache-2.0" ]
2
2021-11-14T12:04:39.000Z
2022-01-03T16:03:36.000Z
shfl/differential_privacy/norm.py
joarreg/Sherpa.ai-Federated-Learning-Framework
9da392bf71c9acf13761dde0f119622c62780c87
[ "Apache-2.0" ]
null
null
null
shfl/differential_privacy/norm.py
joarreg/Sherpa.ai-Federated-Learning-Framework
9da392bf71c9acf13761dde0f119622c62780c87
[ "Apache-2.0" ]
1
2022-01-19T16:29:46.000Z
2022-01-19T16:29:46.000Z
import numpy as np import abc class SensitivityNorm(abc.ABC): """ This class defines the interface that must be implemented to compute the sensitivity norm between two values in a normed space. """ @abc.abstractmethod def compute(self, x_1, x_2): """ The compute method receives the result of apply a certain function over private data and returns the norm of the responses # Arguments: x_1: array response from a concrete query over database 1 x_2: array response from the same query over database 2 """ class L1SensitivityNorm(SensitivityNorm): """ Implements the L1 norm of the difference between x_1 and x_2 """ class L2SensitivityNorm(SensitivityNorm): """ Implements the L2 norm of the difference between x_1 and x_2 """
26.333333
101
0.642648
import numpy as np import abc class SensitivityNorm(abc.ABC): """ This class defines the interface that must be implemented to compute the sensitivity norm between two values in a normed space. """ @abc.abstractmethod def compute(self, x_1, x_2): """ The compute method receives the result of apply a certain function over private data and returns the norm of the responses # Arguments: x_1: array response from a concrete query over database 1 x_2: array response from the same query over database 2 """ class L1SensitivityNorm(SensitivityNorm): """ Implements the L1 norm of the difference between x_1 and x_2 """ def compute(self, x_1, x_2): x = x_1 - x_2 return np.sum(np.abs(x)) class L2SensitivityNorm(SensitivityNorm): """ Implements the L2 norm of the difference between x_1 and x_2 """ def compute(self, x_1, x_2): x = x_1 - x_2 return np.sqrt(np.sum(x**2))
128
0
52
82a9cad54da00ce922e974b057347a4ca86d60f4
459
py
Python
src/api/__init__.py
petr/spd
6fa8157026fec5926c00ccb1cc7091d4b541d914
[ "MIT" ]
null
null
null
src/api/__init__.py
petr/spd
6fa8157026fec5926c00ccb1cc7091d4b541d914
[ "MIT" ]
null
null
null
src/api/__init__.py
petr/spd
6fa8157026fec5926c00ccb1cc7091d4b541d914
[ "MIT" ]
null
null
null
""" This module contains the full api workflow od the project sex partners It has the following methods * Upload an image to server and returns task id * Method for processing this task #/image_put curl -F "image=@fixtures/members-301f4eab458270d4ad75856b9c7962de.jpg" http://127.0.0.1:8000/api/image_put/ #/task/<id>/ curl http://127.0.0.1:8000/api/tasks/1234/ Response: { "status": "processing" } Response: { "error": "invalid_task" } """
16.392857
107
0.712418
""" This module contains the full api workflow od the project sex partners It has the following methods * Upload an image to server and returns task id * Method for processing this task #/image_put curl -F "image=@fixtures/members-301f4eab458270d4ad75856b9c7962de.jpg" http://127.0.0.1:8000/api/image_put/ #/task/<id>/ curl http://127.0.0.1:8000/api/tasks/1234/ Response: { "status": "processing" } Response: { "error": "invalid_task" } """
0
0
0
53d42695123c2326facf4f279256b1c384089fd3
78,742
py
Python
pypeit/metadata.py
rcooke-ast/PYPIT
0cb9c4cb422736b855065a35aefc2bdba6d51dd0
[ "BSD-3-Clause" ]
null
null
null
pypeit/metadata.py
rcooke-ast/PYPIT
0cb9c4cb422736b855065a35aefc2bdba6d51dd0
[ "BSD-3-Clause" ]
null
null
null
pypeit/metadata.py
rcooke-ast/PYPIT
0cb9c4cb422736b855065a35aefc2bdba6d51dd0
[ "BSD-3-Clause" ]
null
null
null
""" Provides a class that handles the fits metadata required by PypeIt. .. include common links, assuming primary doc root is up one directory .. include:: ../include/links.rst """ import os import io import string from copy import deepcopy import datetime from IPython import embed import numpy as np import yaml from astropy import table, coordinates, time, units from pypeit import msgs from pypeit import utils from pypeit.core import framematch from pypeit.core import flux_calib from pypeit.core import parse from pypeit.core import meta from pypeit.io import dict_to_lines from pypeit.par import PypeItPar from pypeit.par.util import make_pypeit_file from pypeit.bitmask import BitMask # TODO: Turn this into a DataContainer # Initially tried to subclass this from astropy.table.Table, but that # proved too difficult. class PypeItMetaData: """ Provides a table and interface to the relevant fits file metadata used during the reduction. The content of the fits table is dictated by the header keywords specified for the provided spectrograph. It is expected that this table can be used to set the frame type of each file. The metadata is validated using checks specified by the provided spectrograph class. For the data table, one should typically provide either the file list from which to grab the data from the fits headers or the data directly. If neither are provided the table is instantiated without any data. Args: spectrograph (:class:`pypeit.spectrographs.spectrograph.Spectrograph`): The spectrograph used to collect the data save to each file. The class is used to provide the header keyword data to include in the table and specify any validation checks. par (:obj:`pypeit.par.pypeitpar.PypeItPar`): PypeIt parameters used to set the code behavior. files (:obj:`str`, :obj:`list`, optional): The list of files to include in the table. data (table-like, optional): The data to include in the table. The type can be anything allowed by the instantiation of :class:`astropy.table.Table`. usrdata (:obj:`astropy.table.Table`, optional): A user provided set of data used to supplement or overwrite metadata read from the file headers. The table must have a `filename` column that is used to match to the metadata table generated within PypeIt. **Note**: This is ignored if `data` is also provided. This functionality is only used when building the metadata from the fits files. strict (:obj:`bool`, optional): Function will fault if there is a problem with the reading the header for any of the provided files; see :func:`pypeit.spectrographs.spectrograph.get_headarr`. Set to False to instead report a warning and continue. Attributes: spectrograph (:class:`pypeit.spectrographs.spectrograph.Spectrograph`): The spectrograph used to collect the data save to each file. The class is used to provide the header keyword data to include in the table and specify any validation checks. par (:class:`pypeit.par.pypeitpar.PypeItPar`): PypeIt parameters used to set the code behavior. If not provided, the default parameters specific to the provided spectrograph are used. configs (:obj:`dict`): A dictionary of the unique configurations identified. type_bitmask (:class:`pypeit.core.framematch.FrameTypeBitMask`): The bitmask used to set the frame type of each fits file. calib_bitmask (:class:`BitMask`): The bitmask used to keep track of the calibration group bits. table (:class:`astropy.table.Table`): The table with the relevant metadata for each fits file to use in the data reduction. """ def _impose_types(self, columns, types): """ Impose a set of types on certain columns. .. note:: :attr:`table` is edited in place. Args: columns (:obj:`list`): List of column names types (:obj:`list`): List of types """ for c,t in zip(columns, types): if c in self.keys(): self.table[c] = self.table[c].astype(t) def _build(self, files, strict=True, usrdata=None): """ Generate the fitstbl that will be at the heart of PypeItMetaData. Args: files (:obj:`str`, :obj:`list`): One or more files to use to build the table. strict (:obj:`bool`, optional): Function will fault if :func:`fits.getheader` fails to read any of the headers. Set to False to report a warning and continue. usrdata (astropy.table.Table, optional): Parsed for frametype for a few instruments (e.g. VLT) where meta data may not be required Returns: dict: Dictionary with the data to assign to :attr:`table`. """ # Allow for single files _files = files if hasattr(files, '__len__') else [files] # Build lists to fill data = {k:[] for k in self.spectrograph.meta.keys()} data['directory'] = ['None']*len(_files) data['filename'] = ['None']*len(_files) # Build the table for idx, ifile in enumerate(_files): # User data (for frame type) if usrdata is None: usr_row = None else: # TODO: This check should be done elsewhere # Check if os.path.basename(ifile) != usrdata['filename'][idx]: msgs.error('File name list does not match user-provided metadata table. See ' 'usrdata argument of instantiation of PypeItMetaData.') usr_row = usrdata[idx] # Add the directory and file name to the table data['directory'][idx], data['filename'][idx] = os.path.split(ifile) if not data['directory'][idx]: data['directory'][idx] = '.' # Read the fits headers headarr = self.spectrograph.get_headarr(ifile, strict=strict) # Grab Meta for meta_key in self.spectrograph.meta.keys(): value = self.spectrograph.get_meta_value(headarr, meta_key, required=strict, usr_row=usr_row, ignore_bad_header = self.par['rdx']['ignore_bad_headers']) if isinstance(value, str) and '#' in value: value = value.replace('#', '') msgs.warn('Removing troublesome # character from {0}. Returning {1}.'.format( meta_key, value)) data[meta_key].append(value) msgs.info('Added metadata for {0}'.format(os.path.split(ifile)[1])) # JFH Changed the below to not crash if some files have None in # their MJD. This is the desired behavior since if there are # empty or corrupt files we still want this to run. # Validate, print out a warning if there is problem try: time.Time(data['mjd'], format='mjd') except ValueError: mjd = np.asarray(data['mjd']) filenames = np.asarray(data['filename']) bad_files = filenames[mjd == None] # Print status message msg = 'Time invalid for {0} files.\n'.format(len(bad_files)) msg += 'Continuing, but the following frames may be empty or have corrupt headers:\n' for file in bad_files: msg += ' {0}\n'.format(file) msgs.warn(msg) # Return return data # TODO: In this implementation, slicing the PypeItMetaData object # will return an astropy.table.Table, not a PypeItMetaData object. @staticmethod def merge(self, usrdata, match_type=True): """ Use the provided table to supplement or overwrite the metadata. If the internal table already contains the column in `usrdata`, the function will try to match the data type of the `usrdata` column to the existing data type. If it can't it will just add the column anyway, with the type in `usrdata`. You can avoid this step by setting `match_type=False`. Args: usrdata (:obj:`astropy.table.Table`): A user provided set of data used to supplement or overwrite metadata read from the file headers. The table must have a `filename` column that is used to match to the metadata table generated within PypeIt. match_type (:obj:`bool`, optional): Attempt to match the data type in `usrdata` to the type in the internal table. See above. Raises: TypeError: Raised if `usrdata` is not an `astropy.io.table.Table` KeyError: Raised if `filename` is not a key in the provided table. """ meta_data_model = meta.get_meta_data_model() # Check the input if not isinstance(usrdata, table.Table): raise TypeError('Must provide an astropy.io.table.Table instance.') if 'filename' not in usrdata.keys(): raise KeyError('The user-provided table must have \'filename\' column!') # Make sure the data are correctly ordered srt = [np.where(f == self.table['filename'])[0][0] for f in usrdata['filename']] # Convert types if possible existing_keys = list(set(self.table.keys()) & set(usrdata.keys())) radec_done = False if len(existing_keys) > 0 and match_type: for key in existing_keys: if len(self.table[key].shape) > 1: # NOT ALLOWED!! # TODO: This should be converted to an assert statement... raise ValueError('CODING ERROR: Found high-dimensional column.') #embed(header='372 of metadata') elif key in meta_data_model.keys(): # Is this meta data?? dtype = meta_data_model[key]['dtype'] else: dtype = self.table[key].dtype # Deal with None's properly nones = usrdata[key] == 'None' usrdata[key][nones] = None # Rest # Allow for str RA, DEC (backwards compatability) if key in ['ra', 'dec'] and not radec_done: ras, decs = meta.convert_radec(usrdata['ra'][~nones].data, usrdata['dec'][~nones].data) usrdata['ra'][~nones] = ras.astype(dtype) usrdata['dec'][~nones] = decs.astype(dtype) radec_done = True else: usrdata[key][~nones] = usrdata[key][~nones].astype(dtype) # Include the user data in the table for key in usrdata.keys(): self.table[key] = usrdata[key][srt] def finalize_usr_build(self, frametype, setup): """ Finalize the build of the table based on user-provided data, typically pulled from the PypeIt file. This function: - sets the frame types based on the provided object - sets all the configurations to the provided `setup` - assigns all frames to a single calibration group, if the 'calib' column does not exist - if the 'comb_id' column does not exist, this sets the combination groups to be either undefined or to be unique for each science or standard frame, see :func:`set_combination_groups`. .. note:: This should only be run if all files are from a single instrument configuration. :attr:`table` is modified in-place. See also: :func:`pypeit.pypeitsetup.PypeItSetup.run`. .. todo:: - Why isn't frametype just in the user-provided data? It may be (see get_frame_types) and I'm just not using it... Args: frametype (:obj:`dict`): A dictionary with the types designated by the user. The file name and type are expected to be the key and value of the dictionary, respectively. The number of keys therefore *must* match the number of files in :attr:`table`. For frames that have multiple types, the types should be provided as a string with comma-separated types. setup (:obj:`str`): If the 'setup' columns does not exist, fill the configuration setup columns with this single identifier. """ self.get_frame_types(user=frametype) # TODO: Add in a call to clean_configurations? I didn't add it # here, because this method is only called for a preconstructed # pypeit file, which should nominally follow an execution of # pypeit_setup. If the user edits back in a frame that has an # invalid key, at least for now the DEIMOS image reader will # fault. self.set_configurations(fill=setup) self.set_calibration_groups(default=True) self.set_combination_groups() def get_configuration(self, indx, cfg_keys=None): """ Return the configuration dictionary for a given frame. This is not the same as the backwards compatible "setup" dictionary. Args: indx (:obj:`int`): The index of the table row to use to construct the configuration. cfg_keys (:obj:`list`, optional): The list of metadata keys to use to construct the configuration. If None, the `configuration_keys` of :attr:`spectrograph` is used. Returns: dict: A dictionary with the metadata values from the selected row. """ _cfg_keys = self.spectrograph.configuration_keys() if cfg_keys is None else cfg_keys return {k:self.table[k][indx] for k in _cfg_keys} def master_key(self, row, det=1): """ Construct the master key for the file in the provided row. The master key is the combination of the configuration, the calibration group, and the detector. The configuration ID is the same as included in the configuration column (A, B, C, etc), the calibration group is the same as the calibration bit number, and the detector number is provided as an argument and converted to a zero-filled string with two digits (the maximum number of detectors is 99). Using the calibration bit in the keyword allows MasterFrames to be used with multiple calibration groups. Args: row (:obj:`int`): The 0-indexed row used to construct the key. det (:obj:`int`, :obj:`tuple`, optional): The 1-indexed detector number(s). If a tuple, it must include detectors designated as a viable mosaic for :attr:`spectrograph`; see :func:`~pypeit.spectrographs.spectrograph.Spectrograph.allowed_mosaics`. Returns: :obj:`str`: Master key with configuration, calibration group(s), and detector. Raises: PypeItError: Raised if the 'setup' or 'calibbit' columns haven't been defined. """ if 'setup' not in self.keys() or 'calibbit' not in self.keys(): msgs.error('Cannot provide master key string without setup and calibbit; ' 'run set_configurations and set_calibration_groups.') det_name = self.spectrograph.get_det_name(det) return f"{self['setup'][row]}_{self['calibbit'][row]}_{det_name}" def construct_obstime(self, row): """ Construct the MJD of when the frame was observed. .. todo:: - Consolidate with :func:`convert_time` ? Args: row (:obj:`int`): The 0-indexed row of the frame. Returns: astropy.time.Time: The MJD of the observation. """ return time.Time(self['mjd'][row], format='mjd') def construct_basename(self, row, obstime=None): """ Construct the root name primarily for PypeIt file output. Args: row (:obj:`int`): The 0-indexed row of the frame. obstime (:class:`astropy.time.Time`, optional): The MJD of the observation. If None, constructed using :func:`construct_obstime`. Returns: str: The root name for file output. """ _obstime = self.construct_obstime(row) if obstime is None else obstime tiso = time.Time(_obstime, format='isot') dtime = datetime.datetime.strptime(tiso.value, '%Y-%m-%dT%H:%M:%S.%f') return '{0}-{1}_{2}_{3}{4}'.format(self['filename'][row].split('.fits')[0], self['target'][row].replace(" ", ""), self.spectrograph.camera, datetime.datetime.strftime(dtime, '%Y%m%dT'), tiso.value.split("T")[1].replace(':','')) def get_setup(self, row, det=None, config_only=False): """ Construct the setup dictionary. .. todo:: - This is for backwards compatibility, but we should consider reformatting it. And it may be something to put in the relevant spectrograph class. Args: row (:obj:`int`): The 0-indexed row used to construct the setup. det (:obj:`int`, optional): The 1-indexed detector to include. If None, all detectors are included. config_only (:obj:`bool`, optional): Just return the dictionary with the configuration, don't include the top-level designation of the configuration itself. Returns: dict: The pypeit setup dictionary with the default format. Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot provide instrument setup without \'setup\' column; ' 'run set_configurations.') dispname = 'none' if 'dispname' not in self.keys() else self['dispname'][row] dispangle = 'none' if 'dispangle' not in self.keys() else self['dispangle'][row] dichroic = 'none' if 'dichroic' not in self.keys() else self['dichroic'][row] decker = 'none' if 'decker' not in self.keys() else self['decker'][row] slitwid = 'none' if 'slitwid' not in self.keys() else self['slitwid'][row] slitlen = 'none' if 'slitlen' not in self.keys() else self['slitlen'][row] binning = '1,1' if 'binning' not in self.keys() else self['binning'][row] skey = 'Setup {}'.format(self['setup'][row]) # Key names *must* match configuration_keys() for spectrographs setup = {skey: {'--': {'disperser': {'dispname': dispname, 'dispangle':dispangle}, 'dichroic': dichroic, 'slit': {'decker': decker, 'slitwid':slitwid, 'slitlen':slitlen}, 'binning': binning, # PypeIt orientation binning of a science image } } } #_det = np.arange(self.spectrograph.ndet)+1 if det is None else [det] #for d in _det: # setup[skey][str(d).zfill(2)] \ # = {'binning': binning, 'det': d, # 'namp': self.spectrograph.detector[d-1]['numamplifiers']} return setup[skey] if config_only else setup def get_configuration_names(self, ignore=None, return_index=False, configs=None): """ Get the list of the unique configuration names. This provides just the list of setup identifiers ('A', 'B', etc.) and the row index where it first occurs. This is different from :func:`unique_configurations` because the latter determines and provides the configurations themselves. This is mostly a convenience function for the writing routines. Args: ignore (:obj:`list`, optional): Ignore configurations in the provided list. return_index (:obj:`bool`, optional): Return row indices with the first occurence of these configurations. configs (:obj:`str`, :obj:`list`, optional): One or more strings used to select the configurations to include in the returned objects. If ``'all'``, pass back all configurations. Otherwise, only return the configurations matched to this provided string or list of strings (e.g., ['A','C']). Returns: numpy.array: The list of unique setup names. A second returned object provides the indices of the first occurrence of these setups, if requested. Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot get setup names; run set_configurations.') # Unique configurations setups, indx = np.unique(self['setup'], return_index=True) if ignore is not None: # Remove the selected configurations to ignore rm = np.logical_not(np.isin(setups, ignore)) setups = setups[rm] indx = indx[rm] # Restrict _configs = None if configs is None else np.atleast_1d(configs) # TODO: Why do we need to specify 'all' here? Can't `configs is # None` mean that you want all the configurations? Or can we # make the default 'all'? if configs is not None and 'all' not in _configs: use = np.isin(setups, _configs) setups = setups[use] indx = indx[use] return setups, indx if return_index else setups def _get_cfgs(self, copy=False, rm_none=False): """ Convenience method to return :attr:`configs` with possible alterations. This method *should not* be called by any method outside of this class; use :func:`unique_configurations` instead. Args: copy (:obj:`bool`, optional): Return a deep copy of :attr:`configs` instead of the object itself. rm_none (:obj:`bool`, optional): Remove any configurations set to 'None'. If copy is True, this is done *after* :attr:`configs` is copied to a new dictionary. Returns: :obj:`dict`: A nested dictionary, one dictionary per configuration with the associated metadata for each. """ _cfg = deepcopy(self.configs) if copy else self.configs if rm_none and 'None' in _cfg.keys(): del _cfg['None'] return _cfg def unique_configurations(self, force=False, copy=False, rm_none=False): """ Return the unique instrument configurations. If run before the ``'setup'`` column is initialized, this function determines the unique instrument configurations by finding unique combinations of the items in the metadata table listed by the spectrograph ``configuration_keys`` method. If run after the ``'setup'`` column has been set, this simply constructs the configuration dictionary using the unique configurations in that column. This is used to set the internal :attr:`configs`. If this attribute is not None, this function simply returns :attr:`config` (cf. ``force``). .. warning:: Any frame types returned by the :func:`~pypeit.spectrographs.spectrograph.Spectrograph.config_independent_frames` method for :attr:`spectrograph` will be ignored in the construction of the unique configurations. If :func:`~pypeit.spectrographs.spectrograph.Spectrograph.config_independent_frames` does not return None and the frame types have not yet been defined (see :func:`get_frame_types`), this method will fault! Args: force (:obj:`bool`, optional): Force the configurations to be redetermined. Otherwise the configurations are only determined if :attr:`configs` has not yet been defined. copy (:obj:`bool`, optional): Return a deep copy of :attr:`configs` instead of the object itself. rm_none (:obj:`bool`, optional): Remove any configurations set to 'None'. If copy is True, this is done *after* :attr:`configs` is copied to a new dictionary. Returns: :obj:`dict`: A nested dictionary, one dictionary per configuration with the associated metadata for each. Raises: PypeItError: Raised if there are list of frame types to ignore but the frame types have not been defined yet. """ if self.configs is not None and not force: return self._get_cfgs(copy=copy, rm_none=rm_none) if 'setup' in self.keys(): msgs.info('Setup column already set. Finding unique configurations.') uniq, indx = np.unique(self['setup'], return_index=True) ignore = uniq == 'None' if np.sum(ignore) > 0: msgs.warn('Ignoring {0} frames with configuration set to None.'.format( np.sum(ignore))) self.configs = {} for i in range(len(uniq)): if ignore[i]: continue self.configs[uniq[i]] = self.get_configuration(indx[i]) msgs.info('Found {0} unique configurations.'.format(len(self.configs))) return self._get_cfgs(copy=copy, rm_none=rm_none) msgs.info('Using metadata to determine unique configurations.') # If the frame types have been set, ignore anything listed in # the ignore_frames indx = np.arange(len(self)) ignore_frames = self.spectrograph.config_independent_frames() if ignore_frames is not None: if 'frametype' not in self.keys(): msgs.error('To ignore frames, types must have been defined; run get_frame_types.') ignore_frames = list(ignore_frames.keys()) msgs.info('Unique configurations ignore frames with type: {0}'.format(ignore_frames)) use = np.ones(len(self), dtype=bool) for ftype in ignore_frames: use &= np.logical_not(self.find_frames(ftype)) indx = indx[use] if len(indx) == 0: msgs.error('No frames to use to define configurations!') # Get the list of keys to use cfg_keys = self.spectrograph.configuration_keys() # Configuration identifiers are iterations through the # upper-case letters: A, B, C, etc. double_alphabet = [str_i + str_j for str_i in string.ascii_uppercase for str_j in string.ascii_uppercase] cfg_iter = list(string.ascii_uppercase) + double_alphabet cfg_indx = 0 # TODO: Placeholder: Allow an empty set of configuration keys # meaning that the instrument setup has only one configuration. if len(cfg_keys) == 0: self.configs = {} self.configs[cfg_iter[cfg_indx]] = {} msgs.info('All files assumed to be from a single configuration.') return self._get_cfgs(copy=copy, rm_none=rm_none) # Use the first file to set the first unique configuration self.configs = {} self.configs[cfg_iter[cfg_indx]] = self.get_configuration(indx[0], cfg_keys=cfg_keys) cfg_indx += 1 # Check if any of the other files show a different # configuration. for i in indx[1:]: j = 0 for c in self.configs.values(): if row_match_config(self.table[i], c, self.spectrograph): break j += 1 unique = j == len(self.configs) if unique: if cfg_indx == len(cfg_iter): msgs.error('Cannot assign more than {0} configurations!'.format(len(cfg_iter))) self.configs[cfg_iter[cfg_indx]] = self.get_configuration(i, cfg_keys=cfg_keys) cfg_indx += 1 msgs.info('Found {0} unique configurations.'.format(len(self.configs))) return self._get_cfgs(copy=copy, rm_none=rm_none) def set_configurations(self, configs=None, force=False, fill=None): """ Assign each frame to a configuration (setup) and include it in the metadata table. The internal table is edited *in place*. If the 'setup' column already exists, the configurations are **not** reset unless you call the function with ``force=True``. Args: configs (:obj:`dict`, optional): A nested dictionary, one dictionary per configuration with the associated values of the metadata associated with each configuration. The metadata keywords in the dictionary should be the same as in the table, and the keywords used to set the configuration should be the same as returned by the spectrograph `configuration_keys` method. The latter is not checked. If None, this is set by :func:`unique_configurations`. force (:obj:`bool`, optional): Force the configurations to be reset. fill (:obj:`str`, optional): If the 'setup' column does not exist, fill the configuration setup columns with this single identifier. Ignores other inputs. Raises: PypeItError: Raised if none of the keywords in the provided configuration match with the metadata keywords. Also raised when some frames cannot be assigned to a configuration, the spectrograph defined frames that have been ignored in the determination of the unique configurations, but the frame types have not been set yet. """ # Configurations have already been set if 'setup' in self.keys() and not force: return if 'setup' not in self.keys() and fill is not None: self['setup'] = fill return _configs = self.unique_configurations() if configs is None else configs for k, cfg in _configs.items(): if len(set(cfg.keys()) - set(self.keys())) > 0: msgs.error('Configuration {0} defined using unavailable keywords!'.format(k)) self.table['setup'] = 'None' nrows = len(self) for i in range(nrows): for d, cfg in _configs.items(): if row_match_config(self.table[i], cfg, self.spectrograph): self.table['setup'][i] = d # Check if any of the configurations are not set not_setup = self.table['setup'] == 'None' if not np.any(not_setup): # All are set, so we're done return # Some frame types may have been ignored ignore_frames = self.spectrograph.config_independent_frames() if ignore_frames is None: # Nope, we're still done return # At this point, we need the frame type to continue if 'frametype' not in self.keys(): msgs.error('To account for ignored frames, types must have been defined; run ' 'get_frame_types.') # For each configuration, determine if any of the frames with # the ignored frame types should be assigned to it: for cfg_key in _configs.keys(): in_cfg = self.table['setup'] == cfg_key for ftype, metakey in ignore_frames.items(): # TODO: For now, use this assert to check that the # metakey is either not set or a string assert metakey is None or isinstance(metakey, str), \ 'CODING ERROR: metadata keywords set by config_indpendent_frames are not ' \ 'correctly defined for {0}; values must be None or a string.'.format( self.spectrograph.__class__.__name__) # Get the list of frames of this type without a # configuration indx = (self.table['setup'] == 'None') & self.find_frames(ftype) if not np.any(indx): continue if metakey is None: # No matching meta data defined, so just set all # the frames to this (first) configuration self.table['setup'][indx] = cfg_key continue # Find the unique values of meta for this configuration uniq_meta = np.unique(self.table[metakey][in_cfg].data) # Warn the user that the matching meta values are not # unique for this configuration. if uniq_meta.size != 1: msgs.warn('When setting the instrument configuration for {0} '.format(ftype) + 'frames, configuration {0} does not have unique '.format(cfg_key) + '{0} values.' .format(meta)) # Find the frames of this type that match any of the # meta data values indx &= np.isin(self.table[metakey], uniq_meta) self.table['setup'][indx] = cfg_key def clean_configurations(self): """ Ensure that configuration-defining keywords all have values that will yield good PypeIt reductions. Any frames that do not are removed from :attr:`table`, meaning this method may modify that attribute directly. The valid values for configuration keys is set by :func:`~pypeit.spectrographs.spectrograph.Spectrograph.valid_configuration_values`. """ cfg_limits = self.spectrograph.valid_configuration_values() if cfg_limits is None: # No values specified, so we're done return good = np.ones(len(self), dtype=bool) for key in cfg_limits.keys(): # NOTE: For now, check that the configuration values were # correctly assigned in the spectrograph class definition. # This should probably go somewhere else or just removed. assert isinstance(cfg_limits[key], list), \ 'CODING ERROR: valid_configuration_values is not correctly defined ' \ 'for {0}; values must be a list.'.format(self.spectrograph.__class__.__name__) # Check that the metadata are valid for this column. indx = np.isin(self[key], cfg_limits[key]) if not np.all(indx): msgs.warn('Found frames with invalid {0}.'.format(key)) good &= indx if np.all(good): # All values good, so we're done return # Alert the user that some of the frames are going to be # removed msg = 'The following frames have configurations that cannot be reduced by PypeIt' \ ' and will be removed from the metadata table (pypeit file):\n' indx = np.where(np.logical_not(good))[0] for i in indx: msg += ' {0}\n'.format(self['filename'][i]) msgs.warn(msg) # And remove 'em self.table = self.table[good] def _set_calib_group_bits(self): """ Set the calibration group bit based on the string values of the 'calib' column. """ # Find the number groups by searching for the maximum number # provided, regardless of whether or not a science frame is # assigned to that group. ngroups = 0 for i in range(len(self)): if self['calib'][i] in ['all', 'None']: # No information, keep going continue # Convert to a list of numbers l = np.amax([ 0 if len(n) == 0 else int(n) for n in self['calib'][i].replace(':',',').split(',')]) # Check against current maximum ngroups = max(l+1, ngroups) # Define the bitmask and initialize the bits self.calib_bitmask = BitMask(np.arange(ngroups)) self['calibbit'] = 0 # Set the calibration bits for i in range(len(self)): # Convert the string to the group list grp = parse.str2list(self['calib'][i], ngroups) if grp is None: # No group selected continue # Assign the group; ensure the integers are unique self['calibbit'][i] = self.calib_bitmask.turn_on(self['calibbit'][i], grp) def _check_calib_groups(self): """ Check that the calibration groups are valid. This currently only checks that the science frames are associated with one calibration group. TODO: Is this appropriate for NIR data? """ is_science = self.find_frames('science') for i in range(len(self)): if not is_science[i]: continue if len(self.calib_bitmask.flagged_bits(self['calibbit'][i])) > 1: msgs.error('Science frames can only be assigned to a single calibration group.') @property def n_calib_groups(self): """Return the number of calibration groups.""" return None if self.calib_bitmask is None else self.calib_bitmask.nbits def set_calibration_groups(self, global_frames=None, default=False, force=False): """ Group calibration frames into sets. Requires the 'setup' column to have been defined. For now this is a simple grouping of frames with the same configuration. .. todo:: - Maintain a detailed description of the logic. The 'calib' column has a string type to make sure that it matches with what can be read from the pypeit file. The 'calibbit' column is actually what is used to determine the calibration group of each frame; see :attr:`calib_bitmask`. Args: global_frames (:obj:`list`, optional): A list of strings with the frame types to use in all calibration groups (e.g., ['bias', 'dark']). default (:obj:`bool`, optional): If the 'calib' column is not present, set a single calibration group *for all rows*. force (:obj:`bool`, optional): Force the calibration groups to be reconstructed if the 'calib' column already exists. Raises: PypeItError: Raised if 'setup' column is not defined, or if `global_frames` is provided but the frame types have not been defined yet. """ # Set the default if requested and 'calib' doesn't exist yet if 'calib' not in self.keys() and default: self['calib'] = '0' # Make sure the calibbit column does not exist if 'calibbit' in self.keys(): del self['calibbit'] # Groups have already been set if 'calib' in self.keys() and 'calibbit' in self.keys() and not force: return # Groups have been set but the bits have not (likely because the # data was read from a pypeit file) if 'calib' in self.keys() and 'calibbit' not in self.keys() and not force: self._set_calib_group_bits() self._check_calib_groups() return # TODO: The rest of this just nominally sets the calibration # group based on the configuration. This will change! # The configuration must be present to determine the calibration # group if 'setup' not in self.keys(): msgs.error('Must have defined \'setup\' column first; try running set_configurations.') configs = np.unique(self['setup'].data).tolist() if 'None' in configs: configs.remove('None') # Ignore frames with undefined configurations n_cfg = len(configs) # TODO: Science frames can only have one calibration group # Assign everything from the same configuration to the same # calibration group; this needs to have dtype=object, otherwise # any changes to the strings will be truncated at 4 characters. self.table['calib'] = np.full(len(self), 'None', dtype=object) for i in range(n_cfg): self['calib'][(self['setup'] == configs[i]) & (self['framebit'] > 0)] = str(i) # Allow some frame types to be used in all calibration groups # (like biases and darks) if global_frames is not None: if 'frametype' not in self.keys(): msgs.error('To set global frames, types must have been defined; ' 'run get_frame_types.') calibs = '0' if n_cfg == 1 else ','.join(np.arange(n_cfg).astype(str)) for ftype in global_frames: indx = np.where(self.find_frames(ftype))[0] for i in indx: self['calib'][i] = calibs # Set the bits based on the string representation of the groups self._set_calib_group_bits() # Check that the groups are valid self._check_calib_groups() def find_frames(self, ftype, calib_ID=None, index=False): """ Find the rows with the associated frame type. If the index is provided, the frames must also be matched to the relevant science frame. Args: ftype (str): The frame type identifier. See the keys for :class:`pypeit.core.framematch.FrameTypeBitMask`. If set to the string 'None', this returns all frames without a known type. calib_ID (:obj:`int`, optional): Index of the calibration group that it must match. If None, any row of the specified frame type is included. index (:obj:`bool`, optional): Return an array of 0-indexed indices instead of a boolean array. Returns: numpy.ndarray: A boolean array, or an integer array if index=True, with the rows that contain the frames of the requested type. Raises: PypeItError: Raised if the `framebit` column is not set in the table. """ if 'framebit' not in self.keys(): msgs.error('Frame types are not set. First run get_frame_types.') if ftype == 'None': return self['framebit'] == 0 # Select frames indx = self.type_bitmask.flagged(self['framebit'], ftype) if calib_ID is not None: # Select frames in the same calibration group indx &= self.find_calib_group(calib_ID) # Return return np.where(indx)[0] if index else indx def find_frame_files(self, ftype, calib_ID=None): """ Return the list of files with a given frame type. The frames must also match the science frame index, if it is provided. Args: ftype (str): The frame type identifier. See the keys for :class:`pypeit.core.framematch.FrameTypeBitMask`. calib_ID (:obj:`int`, optional): Index of the calibration group that it must match. If None, any row of the specified frame type is included. Returns: list: List of file paths that match the frame type and science frame ID, if the latter is provided. """ return self.frame_paths(self.find_frames(ftype, calib_ID=calib_ID)) def frame_paths(self, indx): """ Return the full paths to one or more frames. Args: indx (:obj:`int`, array-like): One or more 0-indexed rows in the table with the frames to return. Can be an array of indices or a boolean array of the correct length. Returns: list: List of the full paths of one or more frames. """ if isinstance(indx, (int,np.integer)): return os.path.join(self['directory'][indx], self['filename'][indx]) return [os.path.join(d,f) for d,f in zip(self['directory'][indx], self['filename'][indx])] def set_frame_types(self, type_bits, merge=True): """ Set and return a Table with the frame types and bits. Args: type_bits (numpy.ndarray): Integer bitmask with the frame types. The length must match the existing number of table rows. merge (:obj:`bool`, optional): Merge the types and bits into the existing table. This will *overwrite* any existing columns. Returns: `astropy.table.Table`: Table with two columns, the frame type name and bits. """ # Making Columns to pad string array ftype_colmA = table.Column(self.type_bitmask.type_names(type_bits), name='frametype') # KLUDGE ME # # TODO: It would be good to get around this. Is it related to # this change? # http://docs.astropy.org/en/stable/table/access_table.html#bytestring-columns-in-python-3 # # See also: # # http://docs.astropy.org/en/stable/api/astropy.table.Table.html#astropy.table.Table.convert_bytestring_to_unicode # # Or we can force type_names() in bitmask to always return the # correct type... if int(str(ftype_colmA.dtype)[2:]) < 9: ftype_colm = table.Column(self.type_bitmask.type_names(type_bits), dtype='U9', name='frametype') else: ftype_colm = ftype_colmA fbits_colm = table.Column(type_bits, name='framebit') t = table.Table([ftype_colm, fbits_colm]) if merge: self['frametype'] = t['frametype'] self['framebit'] = t['framebit'] return t def edit_frame_type(self, indx, frame_type, append=False): """ Edit the frame type by hand. Args: indx (:obj:`int`): The 0-indexed row in the table to edit frame_type (:obj:`str`, :obj:`list`): One or more frame types to append/overwrite. append (:obj:`bool`, optional): Append the frame type. If False, all existing frame types are overwitten by the provided type. """ if not append: self['framebit'][indx] = 0 self['framebit'][indx] = self.type_bitmask.turn_on(self['framebit'][indx], flag=frame_type) self['frametype'][indx] = self.type_bitmask.type_names(self['framebit'][indx]) def get_frame_types(self, flag_unknown=False, user=None, merge=True): """ Generate a table of frame types from the input metadata object. .. todo:: - Here's where we could add a SPIT option. Args: flag_unknown (:obj:`bool`, optional): Instead of crashing out if there are unidentified files, leave without a type and continue. user (:obj:`dict`, optional): A dictionary with the types designated by the user. The file name and type are expected to be the key and value of the dictionary, respectively. The number of keys therefore *must* match the number of files in :attr:`table`. For frames that have multiple types, the types should be provided as a string with comma-separated types. merge (:obj:`bool`, optional): Merge the frame typing into the exiting table. Returns: :obj:`astropy.table.Table`: A Table with two columns, the type names and the type bits. See :class:`pypeit.core.framematch.FrameTypeBitMask` for the allowed frame types. """ # Checks if 'frametype' in self.keys() or 'framebit' in self.keys(): msgs.warn('Removing existing frametype and framebit columns.') if 'frametype' in self.keys(): del self.table['frametype'] if 'framebit' in self.keys(): del self.table['framebit'] # # TODO: This needs to be moved into each Spectrograph # if useIDname and 'idname' not in self.keys(): # raise ValueError('idname is not set in table; cannot use it for file typing.') # Start msgs.info("Typing files") type_bits = np.zeros(len(self), dtype=self.type_bitmask.minimum_dtype()) # Use the user-defined frame types from the input dictionary if user is not None: if len(user.keys()) != len(self): raise ValueError('The user-provided dictionary does not match table length.') msgs.info('Using user-provided frame types.') for ifile,ftypes in user.items(): indx = self['filename'] == ifile type_bits[indx] = self.type_bitmask.turn_on(type_bits[indx], flag=ftypes.split(',')) return self.set_frame_types(type_bits, merge=merge) # Loop over the frame types for i, ftype in enumerate(self.type_bitmask.keys()): # # Initialize: Flag frames with the correct ID name or start by # # flagging all as true # indx = self['idname'] == self.spectrograph.idname(ftype) if useIDname \ # else np.ones(len(self), dtype=bool) # Include a combination of instrument-specific checks using # combinations of the full set of metadata exprng = self.par['scienceframe']['exprng'] if ftype == 'science' \ else self.par['calibrations']['{0}frame'.format(ftype)]['exprng'] # TODO: Use & or | ? Using idname above gets overwritten by # this if the frames to meet the other checks in this call. # indx &= self.spectrograph.check_frame_type(ftype, self.table, exprng=exprng) indx = self.spectrograph.check_frame_type(ftype, self.table, exprng=exprng) # Turn on the relevant bits type_bits[indx] = self.type_bitmask.turn_on(type_bits[indx], flag=ftype) # Find the nearest standard star to each science frame # TODO: Should this be 'standard' or 'science' or both? if 'ra' not in self.keys() or 'dec' not in self.keys(): msgs.warn('Cannot associate standard with science frames without sky coordinates.') else: # TODO: Do we want to do this here? indx = self.type_bitmask.flagged(type_bits, flag='standard') for b, f, ra, dec in zip(type_bits[indx], self['filename'][indx], self['ra'][indx], self['dec'][indx]): if ra == 'None' or dec == 'None': msgs.warn('RA and DEC must not be None for file:' + msgs.newline() + f) msgs.warn('The above file could be a twilight flat frame that was' + msgs.newline() + 'missed by the automatic identification.') b = self.type_bitmask.turn_off(b, flag='standard') continue # If an object exists within 20 arcmins of a listed standard, # then it is probably a standard star foundstd = flux_calib.find_standard_file(ra, dec, check=True) b = self.type_bitmask.turn_off(b, flag='science' if foundstd else 'standard') # Find the files without any types indx = np.logical_not(self.type_bitmask.flagged(type_bits)) if np.any(indx): msgs.info("Couldn't identify the following files:") for f in self['filename'][indx]: msgs.info(f) if not flag_unknown: msgs.error("Check these files before continuing") # Finish up (note that this is called above if user is not None!) msgs.info("Typing completed!") return self.set_frame_types(type_bits, merge=merge) def set_pypeit_cols(self, write_bkg_pairs=False, write_manual=False): """ Generate the list of columns to be included in the fitstbl (nearly the complete list). Args: write_bkg_pairs (:obj:`bool`, optional): Add additional ``PypeIt`` columns for calib, comb_id and bkg_id write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction Returns: `numpy.ndarray`_: Array of columns to be used in the fits table> """ # Columns for output columns = self.spectrograph.pypeit_file_keys() extras = [] # comb, bkg columns if write_bkg_pairs: extras += ['calib', 'comb_id', 'bkg_id'] # manual if write_manual: extras += ['manual'] for key in extras: if key not in columns: columns += [key] # Take only those present output_cols = np.array(columns) return output_cols[np.isin(output_cols, self.keys())].tolist() def set_combination_groups(self, assign_objects=True): """ Set combination groups. .. note:: :attr:`table` is edited in place. This function can be used to initialize the combination group and background group columns, and/or to initialize the combination groups to the set of objects (science or standard frames) to a unique integer. If the 'comb_id' or 'bkg_id' columns do not exist, they're set to -1. Args: assign_objects (:obj:`bool`, optional): If all of 'comb_id' values are less than 0 (meaning they're unassigned), the combination groups are set to be unique for each standard and science frame. """ if 'comb_id' not in self.keys(): self['comb_id'] = -1 if 'bkg_id' not in self.keys(): self['bkg_id'] = -1 if assign_objects and np.all(self['comb_id'] < 0): # find_frames will throw an exception if framebit is not # set... sci_std_idx = np.where(np.any([self.find_frames('science'), self.find_frames('standard')], axis=0))[0] self['comb_id'][sci_std_idx] = np.arange(len(sci_std_idx), dtype=int) + 1 def set_user_added_columns(self): """ Set columns that the user *might* add .. note:: :attr:`table` is edited in place. This function can be used to initialize columns that the user might add """ if 'manual' not in self.keys(): self['manual'] = '' def write_sorted(self, ofile, overwrite=True, ignore=None, write_bkg_pairs=False, write_manual=False): """ Write the sorted file. The sorted file lists all the unique instrument configurations (setups) and the frames associated with each configuration. The output data table is identical to the pypeit file output. .. todo:: - This is for backwards compatibility, but we should consider reformatting/removing it. Args: ofile (:obj:`str`): Name for the output sorted file. overwrite (:obj:`bool`, optional): Overwrite any existing file with the same name. ignore (:obj:`list`, optional): Ignore configurations in the provided list. write_bkg_pairs (:obj:`bool`, optional): Add additional ``PypeIt`` columns for calib, comb_id and bkg_id write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot write sorted instrument configuration table without \'setup\' ' 'column; run set_configurations.') if os.path.isfile(ofile) and not overwrite: msgs.error('{0} already exists. Use ovewrite=True to overwrite.'.format(ofile)) # Grab output columns output_cols = self.set_pypeit_cols(write_bkg_pairs=write_bkg_pairs, write_manual=write_manual) cfgs = self.unique_configurations(copy=ignore is not None) if ignore is not None: for key in cfgs.keys(): if key in ignore: del cfgs[key] # Construct file ff = open(ofile, 'w') for setup in cfgs.keys(): # Get the subtable of frames taken in this configuration indx = self['setup'] == setup if not np.any(indx): continue subtbl = self.table[output_cols][indx] # Write the file ff.write('##########################################################\n') ff.write('Setup {:s}\n'.format(setup)) ff.write('\n'.join(dict_to_lines(cfgs[setup], level=1)) + '\n') ff.write('#---------------------------------------------------------\n') mjd = subtbl['mjd'].copy() # Deal with possibly None mjds if there were corrupt header cards mjd[mjd == None] = -99999.0 isort = np.argsort(mjd) subtbl = subtbl[isort] subtbl.write(ff, format='ascii.fixed_width') ff.write('##end\n') ff.close() # TODO: Do we need a calib file? def write_calib(self, ofile, overwrite=True, ignore=None): """ Write the calib file. The calib file provides the unique instrument configurations (setups) and the association of each frame from that configuration with a given calibration group. .. todo:: - This is for backwards compatibility, but we should consider reformatting/removing it. - This is complicated by allowing some frame types to have no association with an instrument configuration - This is primarily used for QA now; but could probably use the pypeit file instead Args: ofile (:obj:`str`): Name for the output sorted file. overwrite (:obj:`bool`, optional): Overwrite any existing file with the same name. ignore (:obj:`list`, optional): Ignore calibration groups in the provided list. Raises: PypeItError: Raised if the 'setup' or 'calibbit' columns haven't been defined. """ if 'setup' not in self.keys() or 'calibbit' not in self.keys(): msgs.error('Cannot write calibration groups without \'setup\' and \'calibbit\' ' 'columns; run set_configurations and set_calibration_groups.') if os.path.isfile(ofile) and not overwrite: msgs.error('{0} already exists. Use ovewrite=True to overwrite.'.format(ofile)) # Construct the setups dictionary cfg = self.unique_configurations(copy=True, rm_none=True) # TODO: We should edit the relevant follow-on code so that we # don't have to do these gymnastics. Or better yet, just stop # producing/using the *.calib file. _cfg = {} for setup in cfg.keys(): _cfg[setup] = {} _cfg[setup]['--'] = deepcopy(cfg[setup]) cfg = _cfg # Iterate through the calibration bit names as these are the root of the # MasterFrames and QA for icbit in np.unique(self['calibbit'].data): cbit = int(icbit) # for yaml # Skip this group if ignore is not None and cbit in ignore: continue # Find the frames in this group #in_group = self.find_calib_group(i) in_cbit = self['calibbit'] == cbit # Find the unique configurations in this group, ignoring any # undefined ('None') configurations #setup = np.unique(self['setup'][in_group]).tolist() setup = np.unique(self['setup'][in_cbit]).tolist() if 'None' in setup: setup.remove('None') # Make sure that each calibration group should only contain # frames from a single configuration if len(setup) != 1: msgs.error('Each calibration group must be from one and only one instrument ' 'configuration with a valid letter identifier; i.e., the ' 'configuration cannot be None.') # Find the frames of each type in this group cfg[setup[0]][cbit] = {} for key in self.type_bitmask.keys(): #ftype_in_group = self.find_frames(key) & in_group ftype_in_group = self.find_frames(key) & in_cbit cfg[setup[0]][cbit][key] = [ os.path.join(d,f) for d,f in zip(self['directory'][ftype_in_group], self['filename'][ftype_in_group])] # Write it ff = open(ofile, 'w') ff.write(yaml.dump(utils.yamlify(cfg))) ff.close() def write_pypeit(self, output_path=None, cfg_lines=None, write_bkg_pairs=False, write_manual=False, configs=None): """ Write a pypeit file in data-table format. The pypeit file is the main configuration file for PypeIt, configuring the control-flow and algorithmic parameters and listing the data files to read. This function writes the columns selected by the :func:`pypeit.spectrographs.spectrograph.Spectrograph.pypeit_file_keys`, which can be specific to each instrument. Args: output_path (:obj:`str`, optional): Root path for the output pypeit files. If None, set to current directory. If the output directory does not exist, it is created. cfg_lines (:obj:`list`, optional): The list of configuration lines to include in the file. If None are provided, the vanilla configuration is included. write_bkg_pairs (:obj:`bool`, optional): When constructing the :class:`pypeit.metadata.PypeItMetaData` object, include two columns called `comb_id` and `bkg_id` that identify object and background frame pairs. write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction configs (:obj:`str`, :obj:`list`, optional): One or more strings used to select the configurations to include in the returned objects. If ``'all'``, pass back all configurations. Otherwise, only return the configurations matched to this provided string or list of strings (e.g., ['A','C']). See :attr:`configs`. Raises: PypeItError: Raised if the 'setup' isn't defined and split is True. Returns: :obj:`list`: List of ``PypeIt`` files generated. """ # Set output path if output_path is None: output_path = os.getcwd() # Find unique configurations, always ignoring any 'None' # configurations... cfg = self.unique_configurations(copy=True, rm_none=True) # Get the setups to write if configs is None or configs == 'all' or configs == ['all']: cfg_keys = list(cfg.keys()) else: _configs = configs if isinstance(configs, list) else [configs] cfg_keys = [key for key in cfg.keys() if key in _configs] if len(cfg_keys) == 0: msgs.error('No setups to write!') # Grab output columns output_cols = self.set_pypeit_cols(write_bkg_pairs=write_bkg_pairs, write_manual=write_manual) # Write the pypeit files ofiles = [None]*len(cfg_keys) for j,setup in enumerate(cfg_keys): # Create the output directory root = '{0}_{1}'.format(self.spectrograph.name, setup) odir = os.path.join(output_path, root) if not os.path.isdir(odir): os.makedirs(odir) # Create the output file name ofiles[j] = os.path.join(odir, '{0}.pypeit'.format(root)) # Get the setup lines setup_lines = dict_to_lines({'Setup {0}'.format(setup): utils.yamlify(cfg[setup])}, level=1) # Get the paths in_cfg = self['setup'] == setup if not np.any(in_cfg): continue paths = np.unique(self['directory'][in_cfg]).tolist() # Get the data lines subtbl = self.table[output_cols][in_cfg] subtbl.sort(['frametype','filename']) with io.StringIO() as ff: subtbl.write(ff, format='ascii.fixed_width') data_lines = ff.getvalue().split('\n')[:-1] # Write the file make_pypeit_file(ofiles[j], self.spectrograph.name, [], cfg_lines=cfg_lines, setup_lines=setup_lines, sorted_files=data_lines, paths=paths) # Return return ofiles def write(self, output=None, rows=None, columns=None, sort_col=None, overwrite=False, header=None): """ Write the metadata either to a file or to the screen. The method allows you to set the columns to print and which column to use for sorting. Args: output (:obj:`str`, optional): Output signature or file name. If None, the table contents are printed to the screen. If ``'table'``, the table that would have been printed/written to disk is returned. Otherwise, the string is interpreted as the name of an ascii file to which to write the table contents. rows (`numpy.ndarray`_, optional): A boolean vector selecting the rows of the table to write. If None, all rows are written. Shape must match the number of the rows in the table. columns (:obj:`str`, :obj:`list`, optional): A list of columns to include in the output file. Can be provided as a list directly or as a comma-separated string. If None or ``'all'``, all columns in are written; if ``'pypeit'``, the columns are the same as those included in the pypeit file. Each selected column must be a valid pypeit metadata keyword, specific to :attr:`spectrograph`. Additional valid keywords, depending on the processing level of the metadata table, are directory, filename, frametype, framebit, setup, calib, and calibbit. sort_col (:obj:`str`, optional): Name of the column to use for sorting the output. If None, the table is printed in its current state. overwrite (:obj:`bool`, optional): Overwrite any existing file; otherwise raise an exception. header (:obj:`str`, :obj:`list`, optional): One or more strings to write to the top of the file, on string per file line; ``# `` is added to the beginning of each string. Ignored if ``output`` does not specify an output file. Returns: `astropy.table.Table`: The table object that would have been written/printed if ``output == 'table'``. Otherwise, the method always returns None. Raises: ValueError: Raised if the columns to include are not valid, or if the column to use for sorting is not valid. FileExistsError: Raised if overwrite is False and the file exists. """ # Check the file can be written (this is here because the spectrograph # needs to be defined first) ofile = None if output in [None, 'table'] else output if ofile is not None and os.path.isfile(ofile) and not overwrite: raise FileExistsError(f'{ofile} already exists; set flag to overwrite.') # Check the rows input if rows is not None and len(rows) != len(self.table): raise ValueError('Boolean vector selecting output rows has incorrect length.') # Get the columns to return if columns in [None, 'all']: tbl_cols = list(self.keys()) elif columns == 'pypeit': tbl_cols = self.set_pypeit_cols(write_bkg_pairs=True) else: all_cols = list(self.keys()) tbl_cols = columns if isinstance(columns, list) else columns.split(',') badcol = [col not in all_cols for col in tbl_cols] if np.any(badcol): raise ValueError('The following columns are not valid: {0}'.format( ', '.join(tbl_cols[badcol]))) # Make sure the basic parameters are the first few columns; do them in # reverse order so I can always insert at the beginning of the list for col in ['framebit', 'frametype', 'filename', 'directory']: if col not in tbl_cols: continue indx = np.where([t == col for t in tbl_cols])[0][0] if indx != 0: tbl_cols.insert(0, tbl_cols.pop(indx)) # Make sure the dithers and combination and background IDs are the last # few columns ncol = len(tbl_cols) for col in ['dithpat', 'dithpos', 'dithoff', 'calib', 'comb_id', 'bkg_id']: if col not in tbl_cols: continue indx = np.where([t == col for t in tbl_cols])[0][0] if indx != ncol-1: tbl_cols.insert(ncol-1, tbl_cols.pop(indx)) # Copy the internal table so that it is unaltered output_tbl = self.table.copy() # Select the output rows if a vector was provided if rows is not None: output_tbl = output_tbl[rows] # Select and sort the data by a given column if sort_col is not None: if sort_col not in self.keys(): raise ValueError(f'Cannot sort by {sort_col}. Not a valid column.') # Ignore any NoneTypes indx = output_tbl[sort_col] != None is_None = np.logical_not(indx) srt = np.append(np.where(is_None)[0], np.where(indx)[0][np.argsort(output_tbl[sort_col][indx].data)]) output_tbl = output_tbl[tbl_cols][srt] else: output_tbl = output_tbl[tbl_cols] if output == 'table': # Instead of writing, just return the modified table return output_tbl # Always write the table in ascii format with io.StringIO() as ff: output_tbl.write(ff, format='ascii.fixed_width') data_lines = ff.getvalue().split('\n')[:-1] if ofile is None: # Output file not defined so just print it print('\n'.join(data_lines)) return None # Write the output to an ascii file with open(ofile, 'w') as f: if header is not None: _header = header if isinstance(header, list) else [header] for h in _header: f.write(f'# {h}\n') f.write('\n') f.write('\n'.join(data_lines)) f.write('\n') # Just to be explicit that the method returns None when writing to a # file... return None def find_calib_group(self, grp): """ Find all the frames associated with the provided calibration group. Args: grp (:obj:`int`): The calibration group integer. Returns: numpy.ndarray: Boolean array selecting those frames in the table included in the selected calibration group. Raises: PypeItError: Raised if the 'calibbit' column is not defined. """ if 'calibbit' not in self.keys(): msgs.error('Calibration groups are not set. First run set_calibration_groups.') return self.calib_bitmask.flagged(self['calibbit'].data, grp) def find_frame_calib_groups(self, row): """ Find the calibration groups associated with a specific frame. """ return self.calib_bitmask.flagged_bits(self['calibbit'][row]) # TODO: Is there a reason why this is not an attribute of # PypeItMetaData? def row_match_config(row, config, spectrograph): """ Queries whether a row from the fitstbl matches the input configuration Args: row (astropy.table.Row): From fitstbl config (dict): Defines the configuration spectrograph (pypeit.spectrographs.spectrograph.Spectrograph): Used to grab the rtol value for float meta (e.g. dispangle) Returns: bool: True if the row matches the input configuration """ # Loop on keys in config match = [] for k in config.keys(): # Deal with floating configs (e.g. grating angle) if isinstance(config[k], float): if row[k] is None: match.append(False) elif np.abs(config[k]-row[k])/config[k] < spectrograph.meta[k]['rtol']: match.append(True) else: match.append(False) else: # The np.all allows for arrays in the Table (e.g. binning) match.append(np.all(config[k] == row[k])) # Check return np.all(match)
42.817836
122
0.575411
""" Provides a class that handles the fits metadata required by PypeIt. .. include common links, assuming primary doc root is up one directory .. include:: ../include/links.rst """ import os import io import string from copy import deepcopy import datetime from IPython import embed import numpy as np import yaml from astropy import table, coordinates, time, units from pypeit import msgs from pypeit import utils from pypeit.core import framematch from pypeit.core import flux_calib from pypeit.core import parse from pypeit.core import meta from pypeit.io import dict_to_lines from pypeit.par import PypeItPar from pypeit.par.util import make_pypeit_file from pypeit.bitmask import BitMask # TODO: Turn this into a DataContainer # Initially tried to subclass this from astropy.table.Table, but that # proved too difficult. class PypeItMetaData: """ Provides a table and interface to the relevant fits file metadata used during the reduction. The content of the fits table is dictated by the header keywords specified for the provided spectrograph. It is expected that this table can be used to set the frame type of each file. The metadata is validated using checks specified by the provided spectrograph class. For the data table, one should typically provide either the file list from which to grab the data from the fits headers or the data directly. If neither are provided the table is instantiated without any data. Args: spectrograph (:class:`pypeit.spectrographs.spectrograph.Spectrograph`): The spectrograph used to collect the data save to each file. The class is used to provide the header keyword data to include in the table and specify any validation checks. par (:obj:`pypeit.par.pypeitpar.PypeItPar`): PypeIt parameters used to set the code behavior. files (:obj:`str`, :obj:`list`, optional): The list of files to include in the table. data (table-like, optional): The data to include in the table. The type can be anything allowed by the instantiation of :class:`astropy.table.Table`. usrdata (:obj:`astropy.table.Table`, optional): A user provided set of data used to supplement or overwrite metadata read from the file headers. The table must have a `filename` column that is used to match to the metadata table generated within PypeIt. **Note**: This is ignored if `data` is also provided. This functionality is only used when building the metadata from the fits files. strict (:obj:`bool`, optional): Function will fault if there is a problem with the reading the header for any of the provided files; see :func:`pypeit.spectrographs.spectrograph.get_headarr`. Set to False to instead report a warning and continue. Attributes: spectrograph (:class:`pypeit.spectrographs.spectrograph.Spectrograph`): The spectrograph used to collect the data save to each file. The class is used to provide the header keyword data to include in the table and specify any validation checks. par (:class:`pypeit.par.pypeitpar.PypeItPar`): PypeIt parameters used to set the code behavior. If not provided, the default parameters specific to the provided spectrograph are used. configs (:obj:`dict`): A dictionary of the unique configurations identified. type_bitmask (:class:`pypeit.core.framematch.FrameTypeBitMask`): The bitmask used to set the frame type of each fits file. calib_bitmask (:class:`BitMask`): The bitmask used to keep track of the calibration group bits. table (:class:`astropy.table.Table`): The table with the relevant metadata for each fits file to use in the data reduction. """ def __init__(self, spectrograph, par, files=None, data=None, usrdata=None, strict=True): if data is None and files is None: # Warn that table will be empty msgs.warn('Both data and files are None in the instantiation of PypeItMetaData.' ' The table will be empty!') # Initialize internals self.spectrograph = spectrograph self.par = par if not isinstance(self.par, PypeItPar): raise TypeError('Input parameter set must be of type PypeItPar.') self.type_bitmask = framematch.FrameTypeBitMask() # Build table self.table = table.Table(data if files is None else self._build(files, strict=strict, usrdata=usrdata)) # Merge with user data, if present if usrdata is not None: self.merge(usrdata) # Impose types on specific columns self._impose_types(['comb_id', 'bkg_id', 'manual'], [int, int, str]) # Initialize internal attributes self.configs = None self.calib_bitmask = None # Initialize columns that the user might add self.set_user_added_columns() # Validate instrument name self.spectrograph.vet_instrument(self.table) def _impose_types(self, columns, types): """ Impose a set of types on certain columns. .. note:: :attr:`table` is edited in place. Args: columns (:obj:`list`): List of column names types (:obj:`list`): List of types """ for c,t in zip(columns, types): if c in self.keys(): self.table[c] = self.table[c].astype(t) def _build(self, files, strict=True, usrdata=None): """ Generate the fitstbl that will be at the heart of PypeItMetaData. Args: files (:obj:`str`, :obj:`list`): One or more files to use to build the table. strict (:obj:`bool`, optional): Function will fault if :func:`fits.getheader` fails to read any of the headers. Set to False to report a warning and continue. usrdata (astropy.table.Table, optional): Parsed for frametype for a few instruments (e.g. VLT) where meta data may not be required Returns: dict: Dictionary with the data to assign to :attr:`table`. """ # Allow for single files _files = files if hasattr(files, '__len__') else [files] # Build lists to fill data = {k:[] for k in self.spectrograph.meta.keys()} data['directory'] = ['None']*len(_files) data['filename'] = ['None']*len(_files) # Build the table for idx, ifile in enumerate(_files): # User data (for frame type) if usrdata is None: usr_row = None else: # TODO: This check should be done elsewhere # Check if os.path.basename(ifile) != usrdata['filename'][idx]: msgs.error('File name list does not match user-provided metadata table. See ' 'usrdata argument of instantiation of PypeItMetaData.') usr_row = usrdata[idx] # Add the directory and file name to the table data['directory'][idx], data['filename'][idx] = os.path.split(ifile) if not data['directory'][idx]: data['directory'][idx] = '.' # Read the fits headers headarr = self.spectrograph.get_headarr(ifile, strict=strict) # Grab Meta for meta_key in self.spectrograph.meta.keys(): value = self.spectrograph.get_meta_value(headarr, meta_key, required=strict, usr_row=usr_row, ignore_bad_header = self.par['rdx']['ignore_bad_headers']) if isinstance(value, str) and '#' in value: value = value.replace('#', '') msgs.warn('Removing troublesome # character from {0}. Returning {1}.'.format( meta_key, value)) data[meta_key].append(value) msgs.info('Added metadata for {0}'.format(os.path.split(ifile)[1])) # JFH Changed the below to not crash if some files have None in # their MJD. This is the desired behavior since if there are # empty or corrupt files we still want this to run. # Validate, print out a warning if there is problem try: time.Time(data['mjd'], format='mjd') except ValueError: mjd = np.asarray(data['mjd']) filenames = np.asarray(data['filename']) bad_files = filenames[mjd == None] # Print status message msg = 'Time invalid for {0} files.\n'.format(len(bad_files)) msg += 'Continuing, but the following frames may be empty or have corrupt headers:\n' for file in bad_files: msg += ' {0}\n'.format(file) msgs.warn(msg) # Return return data # TODO: In this implementation, slicing the PypeItMetaData object # will return an astropy.table.Table, not a PypeItMetaData object. def __getitem__(self, item): return self.table.__getitem__(item) def __setitem__(self, item, value): return self.table.__setitem__(item, value) def __len__(self): return self.table.__len__() def __repr__(self): return self.table._base_repr_(html=False, descr_vals=['PypeItMetaData:\n', ' spectrograph={0}\n'.format( self.spectrograph.name), ' length={0}\n'.format(len(self))]) def _repr_html_(self): return self.table._base_repr_(html=True, max_width=-1, descr_vals=['PypeItMetaData: spectrograph={0}, length={1}\n'.format( self.spectrograph.name, len(self))]) @staticmethod def default_keys(): return [ 'directory', 'filename', 'instrume' ] def keys(self): return self.table.keys() def sort(self, col): return self.table.sort(col) def merge(self, usrdata, match_type=True): """ Use the provided table to supplement or overwrite the metadata. If the internal table already contains the column in `usrdata`, the function will try to match the data type of the `usrdata` column to the existing data type. If it can't it will just add the column anyway, with the type in `usrdata`. You can avoid this step by setting `match_type=False`. Args: usrdata (:obj:`astropy.table.Table`): A user provided set of data used to supplement or overwrite metadata read from the file headers. The table must have a `filename` column that is used to match to the metadata table generated within PypeIt. match_type (:obj:`bool`, optional): Attempt to match the data type in `usrdata` to the type in the internal table. See above. Raises: TypeError: Raised if `usrdata` is not an `astropy.io.table.Table` KeyError: Raised if `filename` is not a key in the provided table. """ meta_data_model = meta.get_meta_data_model() # Check the input if not isinstance(usrdata, table.Table): raise TypeError('Must provide an astropy.io.table.Table instance.') if 'filename' not in usrdata.keys(): raise KeyError('The user-provided table must have \'filename\' column!') # Make sure the data are correctly ordered srt = [np.where(f == self.table['filename'])[0][0] for f in usrdata['filename']] # Convert types if possible existing_keys = list(set(self.table.keys()) & set(usrdata.keys())) radec_done = False if len(existing_keys) > 0 and match_type: for key in existing_keys: if len(self.table[key].shape) > 1: # NOT ALLOWED!! # TODO: This should be converted to an assert statement... raise ValueError('CODING ERROR: Found high-dimensional column.') #embed(header='372 of metadata') elif key in meta_data_model.keys(): # Is this meta data?? dtype = meta_data_model[key]['dtype'] else: dtype = self.table[key].dtype # Deal with None's properly nones = usrdata[key] == 'None' usrdata[key][nones] = None # Rest # Allow for str RA, DEC (backwards compatability) if key in ['ra', 'dec'] and not radec_done: ras, decs = meta.convert_radec(usrdata['ra'][~nones].data, usrdata['dec'][~nones].data) usrdata['ra'][~nones] = ras.astype(dtype) usrdata['dec'][~nones] = decs.astype(dtype) radec_done = True else: usrdata[key][~nones] = usrdata[key][~nones].astype(dtype) # Include the user data in the table for key in usrdata.keys(): self.table[key] = usrdata[key][srt] def finalize_usr_build(self, frametype, setup): """ Finalize the build of the table based on user-provided data, typically pulled from the PypeIt file. This function: - sets the frame types based on the provided object - sets all the configurations to the provided `setup` - assigns all frames to a single calibration group, if the 'calib' column does not exist - if the 'comb_id' column does not exist, this sets the combination groups to be either undefined or to be unique for each science or standard frame, see :func:`set_combination_groups`. .. note:: This should only be run if all files are from a single instrument configuration. :attr:`table` is modified in-place. See also: :func:`pypeit.pypeitsetup.PypeItSetup.run`. .. todo:: - Why isn't frametype just in the user-provided data? It may be (see get_frame_types) and I'm just not using it... Args: frametype (:obj:`dict`): A dictionary with the types designated by the user. The file name and type are expected to be the key and value of the dictionary, respectively. The number of keys therefore *must* match the number of files in :attr:`table`. For frames that have multiple types, the types should be provided as a string with comma-separated types. setup (:obj:`str`): If the 'setup' columns does not exist, fill the configuration setup columns with this single identifier. """ self.get_frame_types(user=frametype) # TODO: Add in a call to clean_configurations? I didn't add it # here, because this method is only called for a preconstructed # pypeit file, which should nominally follow an execution of # pypeit_setup. If the user edits back in a frame that has an # invalid key, at least for now the DEIMOS image reader will # fault. self.set_configurations(fill=setup) self.set_calibration_groups(default=True) self.set_combination_groups() def get_configuration(self, indx, cfg_keys=None): """ Return the configuration dictionary for a given frame. This is not the same as the backwards compatible "setup" dictionary. Args: indx (:obj:`int`): The index of the table row to use to construct the configuration. cfg_keys (:obj:`list`, optional): The list of metadata keys to use to construct the configuration. If None, the `configuration_keys` of :attr:`spectrograph` is used. Returns: dict: A dictionary with the metadata values from the selected row. """ _cfg_keys = self.spectrograph.configuration_keys() if cfg_keys is None else cfg_keys return {k:self.table[k][indx] for k in _cfg_keys} def master_key(self, row, det=1): """ Construct the master key for the file in the provided row. The master key is the combination of the configuration, the calibration group, and the detector. The configuration ID is the same as included in the configuration column (A, B, C, etc), the calibration group is the same as the calibration bit number, and the detector number is provided as an argument and converted to a zero-filled string with two digits (the maximum number of detectors is 99). Using the calibration bit in the keyword allows MasterFrames to be used with multiple calibration groups. Args: row (:obj:`int`): The 0-indexed row used to construct the key. det (:obj:`int`, :obj:`tuple`, optional): The 1-indexed detector number(s). If a tuple, it must include detectors designated as a viable mosaic for :attr:`spectrograph`; see :func:`~pypeit.spectrographs.spectrograph.Spectrograph.allowed_mosaics`. Returns: :obj:`str`: Master key with configuration, calibration group(s), and detector. Raises: PypeItError: Raised if the 'setup' or 'calibbit' columns haven't been defined. """ if 'setup' not in self.keys() or 'calibbit' not in self.keys(): msgs.error('Cannot provide master key string without setup and calibbit; ' 'run set_configurations and set_calibration_groups.') det_name = self.spectrograph.get_det_name(det) return f"{self['setup'][row]}_{self['calibbit'][row]}_{det_name}" def construct_obstime(self, row): """ Construct the MJD of when the frame was observed. .. todo:: - Consolidate with :func:`convert_time` ? Args: row (:obj:`int`): The 0-indexed row of the frame. Returns: astropy.time.Time: The MJD of the observation. """ return time.Time(self['mjd'][row], format='mjd') def construct_basename(self, row, obstime=None): """ Construct the root name primarily for PypeIt file output. Args: row (:obj:`int`): The 0-indexed row of the frame. obstime (:class:`astropy.time.Time`, optional): The MJD of the observation. If None, constructed using :func:`construct_obstime`. Returns: str: The root name for file output. """ _obstime = self.construct_obstime(row) if obstime is None else obstime tiso = time.Time(_obstime, format='isot') dtime = datetime.datetime.strptime(tiso.value, '%Y-%m-%dT%H:%M:%S.%f') return '{0}-{1}_{2}_{3}{4}'.format(self['filename'][row].split('.fits')[0], self['target'][row].replace(" ", ""), self.spectrograph.camera, datetime.datetime.strftime(dtime, '%Y%m%dT'), tiso.value.split("T")[1].replace(':','')) def get_setup(self, row, det=None, config_only=False): """ Construct the setup dictionary. .. todo:: - This is for backwards compatibility, but we should consider reformatting it. And it may be something to put in the relevant spectrograph class. Args: row (:obj:`int`): The 0-indexed row used to construct the setup. det (:obj:`int`, optional): The 1-indexed detector to include. If None, all detectors are included. config_only (:obj:`bool`, optional): Just return the dictionary with the configuration, don't include the top-level designation of the configuration itself. Returns: dict: The pypeit setup dictionary with the default format. Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot provide instrument setup without \'setup\' column; ' 'run set_configurations.') dispname = 'none' if 'dispname' not in self.keys() else self['dispname'][row] dispangle = 'none' if 'dispangle' not in self.keys() else self['dispangle'][row] dichroic = 'none' if 'dichroic' not in self.keys() else self['dichroic'][row] decker = 'none' if 'decker' not in self.keys() else self['decker'][row] slitwid = 'none' if 'slitwid' not in self.keys() else self['slitwid'][row] slitlen = 'none' if 'slitlen' not in self.keys() else self['slitlen'][row] binning = '1,1' if 'binning' not in self.keys() else self['binning'][row] skey = 'Setup {}'.format(self['setup'][row]) # Key names *must* match configuration_keys() for spectrographs setup = {skey: {'--': {'disperser': {'dispname': dispname, 'dispangle':dispangle}, 'dichroic': dichroic, 'slit': {'decker': decker, 'slitwid':slitwid, 'slitlen':slitlen}, 'binning': binning, # PypeIt orientation binning of a science image } } } #_det = np.arange(self.spectrograph.ndet)+1 if det is None else [det] #for d in _det: # setup[skey][str(d).zfill(2)] \ # = {'binning': binning, 'det': d, # 'namp': self.spectrograph.detector[d-1]['numamplifiers']} return setup[skey] if config_only else setup def get_configuration_names(self, ignore=None, return_index=False, configs=None): """ Get the list of the unique configuration names. This provides just the list of setup identifiers ('A', 'B', etc.) and the row index where it first occurs. This is different from :func:`unique_configurations` because the latter determines and provides the configurations themselves. This is mostly a convenience function for the writing routines. Args: ignore (:obj:`list`, optional): Ignore configurations in the provided list. return_index (:obj:`bool`, optional): Return row indices with the first occurence of these configurations. configs (:obj:`str`, :obj:`list`, optional): One or more strings used to select the configurations to include in the returned objects. If ``'all'``, pass back all configurations. Otherwise, only return the configurations matched to this provided string or list of strings (e.g., ['A','C']). Returns: numpy.array: The list of unique setup names. A second returned object provides the indices of the first occurrence of these setups, if requested. Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot get setup names; run set_configurations.') # Unique configurations setups, indx = np.unique(self['setup'], return_index=True) if ignore is not None: # Remove the selected configurations to ignore rm = np.logical_not(np.isin(setups, ignore)) setups = setups[rm] indx = indx[rm] # Restrict _configs = None if configs is None else np.atleast_1d(configs) # TODO: Why do we need to specify 'all' here? Can't `configs is # None` mean that you want all the configurations? Or can we # make the default 'all'? if configs is not None and 'all' not in _configs: use = np.isin(setups, _configs) setups = setups[use] indx = indx[use] return setups, indx if return_index else setups def _get_cfgs(self, copy=False, rm_none=False): """ Convenience method to return :attr:`configs` with possible alterations. This method *should not* be called by any method outside of this class; use :func:`unique_configurations` instead. Args: copy (:obj:`bool`, optional): Return a deep copy of :attr:`configs` instead of the object itself. rm_none (:obj:`bool`, optional): Remove any configurations set to 'None'. If copy is True, this is done *after* :attr:`configs` is copied to a new dictionary. Returns: :obj:`dict`: A nested dictionary, one dictionary per configuration with the associated metadata for each. """ _cfg = deepcopy(self.configs) if copy else self.configs if rm_none and 'None' in _cfg.keys(): del _cfg['None'] return _cfg def unique_configurations(self, force=False, copy=False, rm_none=False): """ Return the unique instrument configurations. If run before the ``'setup'`` column is initialized, this function determines the unique instrument configurations by finding unique combinations of the items in the metadata table listed by the spectrograph ``configuration_keys`` method. If run after the ``'setup'`` column has been set, this simply constructs the configuration dictionary using the unique configurations in that column. This is used to set the internal :attr:`configs`. If this attribute is not None, this function simply returns :attr:`config` (cf. ``force``). .. warning:: Any frame types returned by the :func:`~pypeit.spectrographs.spectrograph.Spectrograph.config_independent_frames` method for :attr:`spectrograph` will be ignored in the construction of the unique configurations. If :func:`~pypeit.spectrographs.spectrograph.Spectrograph.config_independent_frames` does not return None and the frame types have not yet been defined (see :func:`get_frame_types`), this method will fault! Args: force (:obj:`bool`, optional): Force the configurations to be redetermined. Otherwise the configurations are only determined if :attr:`configs` has not yet been defined. copy (:obj:`bool`, optional): Return a deep copy of :attr:`configs` instead of the object itself. rm_none (:obj:`bool`, optional): Remove any configurations set to 'None'. If copy is True, this is done *after* :attr:`configs` is copied to a new dictionary. Returns: :obj:`dict`: A nested dictionary, one dictionary per configuration with the associated metadata for each. Raises: PypeItError: Raised if there are list of frame types to ignore but the frame types have not been defined yet. """ if self.configs is not None and not force: return self._get_cfgs(copy=copy, rm_none=rm_none) if 'setup' in self.keys(): msgs.info('Setup column already set. Finding unique configurations.') uniq, indx = np.unique(self['setup'], return_index=True) ignore = uniq == 'None' if np.sum(ignore) > 0: msgs.warn('Ignoring {0} frames with configuration set to None.'.format( np.sum(ignore))) self.configs = {} for i in range(len(uniq)): if ignore[i]: continue self.configs[uniq[i]] = self.get_configuration(indx[i]) msgs.info('Found {0} unique configurations.'.format(len(self.configs))) return self._get_cfgs(copy=copy, rm_none=rm_none) msgs.info('Using metadata to determine unique configurations.') # If the frame types have been set, ignore anything listed in # the ignore_frames indx = np.arange(len(self)) ignore_frames = self.spectrograph.config_independent_frames() if ignore_frames is not None: if 'frametype' not in self.keys(): msgs.error('To ignore frames, types must have been defined; run get_frame_types.') ignore_frames = list(ignore_frames.keys()) msgs.info('Unique configurations ignore frames with type: {0}'.format(ignore_frames)) use = np.ones(len(self), dtype=bool) for ftype in ignore_frames: use &= np.logical_not(self.find_frames(ftype)) indx = indx[use] if len(indx) == 0: msgs.error('No frames to use to define configurations!') # Get the list of keys to use cfg_keys = self.spectrograph.configuration_keys() # Configuration identifiers are iterations through the # upper-case letters: A, B, C, etc. double_alphabet = [str_i + str_j for str_i in string.ascii_uppercase for str_j in string.ascii_uppercase] cfg_iter = list(string.ascii_uppercase) + double_alphabet cfg_indx = 0 # TODO: Placeholder: Allow an empty set of configuration keys # meaning that the instrument setup has only one configuration. if len(cfg_keys) == 0: self.configs = {} self.configs[cfg_iter[cfg_indx]] = {} msgs.info('All files assumed to be from a single configuration.') return self._get_cfgs(copy=copy, rm_none=rm_none) # Use the first file to set the first unique configuration self.configs = {} self.configs[cfg_iter[cfg_indx]] = self.get_configuration(indx[0], cfg_keys=cfg_keys) cfg_indx += 1 # Check if any of the other files show a different # configuration. for i in indx[1:]: j = 0 for c in self.configs.values(): if row_match_config(self.table[i], c, self.spectrograph): break j += 1 unique = j == len(self.configs) if unique: if cfg_indx == len(cfg_iter): msgs.error('Cannot assign more than {0} configurations!'.format(len(cfg_iter))) self.configs[cfg_iter[cfg_indx]] = self.get_configuration(i, cfg_keys=cfg_keys) cfg_indx += 1 msgs.info('Found {0} unique configurations.'.format(len(self.configs))) return self._get_cfgs(copy=copy, rm_none=rm_none) def set_configurations(self, configs=None, force=False, fill=None): """ Assign each frame to a configuration (setup) and include it in the metadata table. The internal table is edited *in place*. If the 'setup' column already exists, the configurations are **not** reset unless you call the function with ``force=True``. Args: configs (:obj:`dict`, optional): A nested dictionary, one dictionary per configuration with the associated values of the metadata associated with each configuration. The metadata keywords in the dictionary should be the same as in the table, and the keywords used to set the configuration should be the same as returned by the spectrograph `configuration_keys` method. The latter is not checked. If None, this is set by :func:`unique_configurations`. force (:obj:`bool`, optional): Force the configurations to be reset. fill (:obj:`str`, optional): If the 'setup' column does not exist, fill the configuration setup columns with this single identifier. Ignores other inputs. Raises: PypeItError: Raised if none of the keywords in the provided configuration match with the metadata keywords. Also raised when some frames cannot be assigned to a configuration, the spectrograph defined frames that have been ignored in the determination of the unique configurations, but the frame types have not been set yet. """ # Configurations have already been set if 'setup' in self.keys() and not force: return if 'setup' not in self.keys() and fill is not None: self['setup'] = fill return _configs = self.unique_configurations() if configs is None else configs for k, cfg in _configs.items(): if len(set(cfg.keys()) - set(self.keys())) > 0: msgs.error('Configuration {0} defined using unavailable keywords!'.format(k)) self.table['setup'] = 'None' nrows = len(self) for i in range(nrows): for d, cfg in _configs.items(): if row_match_config(self.table[i], cfg, self.spectrograph): self.table['setup'][i] = d # Check if any of the configurations are not set not_setup = self.table['setup'] == 'None' if not np.any(not_setup): # All are set, so we're done return # Some frame types may have been ignored ignore_frames = self.spectrograph.config_independent_frames() if ignore_frames is None: # Nope, we're still done return # At this point, we need the frame type to continue if 'frametype' not in self.keys(): msgs.error('To account for ignored frames, types must have been defined; run ' 'get_frame_types.') # For each configuration, determine if any of the frames with # the ignored frame types should be assigned to it: for cfg_key in _configs.keys(): in_cfg = self.table['setup'] == cfg_key for ftype, metakey in ignore_frames.items(): # TODO: For now, use this assert to check that the # metakey is either not set or a string assert metakey is None or isinstance(metakey, str), \ 'CODING ERROR: metadata keywords set by config_indpendent_frames are not ' \ 'correctly defined for {0}; values must be None or a string.'.format( self.spectrograph.__class__.__name__) # Get the list of frames of this type without a # configuration indx = (self.table['setup'] == 'None') & self.find_frames(ftype) if not np.any(indx): continue if metakey is None: # No matching meta data defined, so just set all # the frames to this (first) configuration self.table['setup'][indx] = cfg_key continue # Find the unique values of meta for this configuration uniq_meta = np.unique(self.table[metakey][in_cfg].data) # Warn the user that the matching meta values are not # unique for this configuration. if uniq_meta.size != 1: msgs.warn('When setting the instrument configuration for {0} '.format(ftype) + 'frames, configuration {0} does not have unique '.format(cfg_key) + '{0} values.' .format(meta)) # Find the frames of this type that match any of the # meta data values indx &= np.isin(self.table[metakey], uniq_meta) self.table['setup'][indx] = cfg_key def clean_configurations(self): """ Ensure that configuration-defining keywords all have values that will yield good PypeIt reductions. Any frames that do not are removed from :attr:`table`, meaning this method may modify that attribute directly. The valid values for configuration keys is set by :func:`~pypeit.spectrographs.spectrograph.Spectrograph.valid_configuration_values`. """ cfg_limits = self.spectrograph.valid_configuration_values() if cfg_limits is None: # No values specified, so we're done return good = np.ones(len(self), dtype=bool) for key in cfg_limits.keys(): # NOTE: For now, check that the configuration values were # correctly assigned in the spectrograph class definition. # This should probably go somewhere else or just removed. assert isinstance(cfg_limits[key], list), \ 'CODING ERROR: valid_configuration_values is not correctly defined ' \ 'for {0}; values must be a list.'.format(self.spectrograph.__class__.__name__) # Check that the metadata are valid for this column. indx = np.isin(self[key], cfg_limits[key]) if not np.all(indx): msgs.warn('Found frames with invalid {0}.'.format(key)) good &= indx if np.all(good): # All values good, so we're done return # Alert the user that some of the frames are going to be # removed msg = 'The following frames have configurations that cannot be reduced by PypeIt' \ ' and will be removed from the metadata table (pypeit file):\n' indx = np.where(np.logical_not(good))[0] for i in indx: msg += ' {0}\n'.format(self['filename'][i]) msgs.warn(msg) # And remove 'em self.table = self.table[good] def _set_calib_group_bits(self): """ Set the calibration group bit based on the string values of the 'calib' column. """ # Find the number groups by searching for the maximum number # provided, regardless of whether or not a science frame is # assigned to that group. ngroups = 0 for i in range(len(self)): if self['calib'][i] in ['all', 'None']: # No information, keep going continue # Convert to a list of numbers l = np.amax([ 0 if len(n) == 0 else int(n) for n in self['calib'][i].replace(':',',').split(',')]) # Check against current maximum ngroups = max(l+1, ngroups) # Define the bitmask and initialize the bits self.calib_bitmask = BitMask(np.arange(ngroups)) self['calibbit'] = 0 # Set the calibration bits for i in range(len(self)): # Convert the string to the group list grp = parse.str2list(self['calib'][i], ngroups) if grp is None: # No group selected continue # Assign the group; ensure the integers are unique self['calibbit'][i] = self.calib_bitmask.turn_on(self['calibbit'][i], grp) def _check_calib_groups(self): """ Check that the calibration groups are valid. This currently only checks that the science frames are associated with one calibration group. TODO: Is this appropriate for NIR data? """ is_science = self.find_frames('science') for i in range(len(self)): if not is_science[i]: continue if len(self.calib_bitmask.flagged_bits(self['calibbit'][i])) > 1: msgs.error('Science frames can only be assigned to a single calibration group.') @property def n_calib_groups(self): """Return the number of calibration groups.""" return None if self.calib_bitmask is None else self.calib_bitmask.nbits def set_calibration_groups(self, global_frames=None, default=False, force=False): """ Group calibration frames into sets. Requires the 'setup' column to have been defined. For now this is a simple grouping of frames with the same configuration. .. todo:: - Maintain a detailed description of the logic. The 'calib' column has a string type to make sure that it matches with what can be read from the pypeit file. The 'calibbit' column is actually what is used to determine the calibration group of each frame; see :attr:`calib_bitmask`. Args: global_frames (:obj:`list`, optional): A list of strings with the frame types to use in all calibration groups (e.g., ['bias', 'dark']). default (:obj:`bool`, optional): If the 'calib' column is not present, set a single calibration group *for all rows*. force (:obj:`bool`, optional): Force the calibration groups to be reconstructed if the 'calib' column already exists. Raises: PypeItError: Raised if 'setup' column is not defined, or if `global_frames` is provided but the frame types have not been defined yet. """ # Set the default if requested and 'calib' doesn't exist yet if 'calib' not in self.keys() and default: self['calib'] = '0' # Make sure the calibbit column does not exist if 'calibbit' in self.keys(): del self['calibbit'] # Groups have already been set if 'calib' in self.keys() and 'calibbit' in self.keys() and not force: return # Groups have been set but the bits have not (likely because the # data was read from a pypeit file) if 'calib' in self.keys() and 'calibbit' not in self.keys() and not force: self._set_calib_group_bits() self._check_calib_groups() return # TODO: The rest of this just nominally sets the calibration # group based on the configuration. This will change! # The configuration must be present to determine the calibration # group if 'setup' not in self.keys(): msgs.error('Must have defined \'setup\' column first; try running set_configurations.') configs = np.unique(self['setup'].data).tolist() if 'None' in configs: configs.remove('None') # Ignore frames with undefined configurations n_cfg = len(configs) # TODO: Science frames can only have one calibration group # Assign everything from the same configuration to the same # calibration group; this needs to have dtype=object, otherwise # any changes to the strings will be truncated at 4 characters. self.table['calib'] = np.full(len(self), 'None', dtype=object) for i in range(n_cfg): self['calib'][(self['setup'] == configs[i]) & (self['framebit'] > 0)] = str(i) # Allow some frame types to be used in all calibration groups # (like biases and darks) if global_frames is not None: if 'frametype' not in self.keys(): msgs.error('To set global frames, types must have been defined; ' 'run get_frame_types.') calibs = '0' if n_cfg == 1 else ','.join(np.arange(n_cfg).astype(str)) for ftype in global_frames: indx = np.where(self.find_frames(ftype))[0] for i in indx: self['calib'][i] = calibs # Set the bits based on the string representation of the groups self._set_calib_group_bits() # Check that the groups are valid self._check_calib_groups() def find_frames(self, ftype, calib_ID=None, index=False): """ Find the rows with the associated frame type. If the index is provided, the frames must also be matched to the relevant science frame. Args: ftype (str): The frame type identifier. See the keys for :class:`pypeit.core.framematch.FrameTypeBitMask`. If set to the string 'None', this returns all frames without a known type. calib_ID (:obj:`int`, optional): Index of the calibration group that it must match. If None, any row of the specified frame type is included. index (:obj:`bool`, optional): Return an array of 0-indexed indices instead of a boolean array. Returns: numpy.ndarray: A boolean array, or an integer array if index=True, with the rows that contain the frames of the requested type. Raises: PypeItError: Raised if the `framebit` column is not set in the table. """ if 'framebit' not in self.keys(): msgs.error('Frame types are not set. First run get_frame_types.') if ftype == 'None': return self['framebit'] == 0 # Select frames indx = self.type_bitmask.flagged(self['framebit'], ftype) if calib_ID is not None: # Select frames in the same calibration group indx &= self.find_calib_group(calib_ID) # Return return np.where(indx)[0] if index else indx def find_frame_files(self, ftype, calib_ID=None): """ Return the list of files with a given frame type. The frames must also match the science frame index, if it is provided. Args: ftype (str): The frame type identifier. See the keys for :class:`pypeit.core.framematch.FrameTypeBitMask`. calib_ID (:obj:`int`, optional): Index of the calibration group that it must match. If None, any row of the specified frame type is included. Returns: list: List of file paths that match the frame type and science frame ID, if the latter is provided. """ return self.frame_paths(self.find_frames(ftype, calib_ID=calib_ID)) def frame_paths(self, indx): """ Return the full paths to one or more frames. Args: indx (:obj:`int`, array-like): One or more 0-indexed rows in the table with the frames to return. Can be an array of indices or a boolean array of the correct length. Returns: list: List of the full paths of one or more frames. """ if isinstance(indx, (int,np.integer)): return os.path.join(self['directory'][indx], self['filename'][indx]) return [os.path.join(d,f) for d,f in zip(self['directory'][indx], self['filename'][indx])] def set_frame_types(self, type_bits, merge=True): """ Set and return a Table with the frame types and bits. Args: type_bits (numpy.ndarray): Integer bitmask with the frame types. The length must match the existing number of table rows. merge (:obj:`bool`, optional): Merge the types and bits into the existing table. This will *overwrite* any existing columns. Returns: `astropy.table.Table`: Table with two columns, the frame type name and bits. """ # Making Columns to pad string array ftype_colmA = table.Column(self.type_bitmask.type_names(type_bits), name='frametype') # KLUDGE ME # # TODO: It would be good to get around this. Is it related to # this change? # http://docs.astropy.org/en/stable/table/access_table.html#bytestring-columns-in-python-3 # # See also: # # http://docs.astropy.org/en/stable/api/astropy.table.Table.html#astropy.table.Table.convert_bytestring_to_unicode # # Or we can force type_names() in bitmask to always return the # correct type... if int(str(ftype_colmA.dtype)[2:]) < 9: ftype_colm = table.Column(self.type_bitmask.type_names(type_bits), dtype='U9', name='frametype') else: ftype_colm = ftype_colmA fbits_colm = table.Column(type_bits, name='framebit') t = table.Table([ftype_colm, fbits_colm]) if merge: self['frametype'] = t['frametype'] self['framebit'] = t['framebit'] return t def edit_frame_type(self, indx, frame_type, append=False): """ Edit the frame type by hand. Args: indx (:obj:`int`): The 0-indexed row in the table to edit frame_type (:obj:`str`, :obj:`list`): One or more frame types to append/overwrite. append (:obj:`bool`, optional): Append the frame type. If False, all existing frame types are overwitten by the provided type. """ if not append: self['framebit'][indx] = 0 self['framebit'][indx] = self.type_bitmask.turn_on(self['framebit'][indx], flag=frame_type) self['frametype'][indx] = self.type_bitmask.type_names(self['framebit'][indx]) def get_frame_types(self, flag_unknown=False, user=None, merge=True): """ Generate a table of frame types from the input metadata object. .. todo:: - Here's where we could add a SPIT option. Args: flag_unknown (:obj:`bool`, optional): Instead of crashing out if there are unidentified files, leave without a type and continue. user (:obj:`dict`, optional): A dictionary with the types designated by the user. The file name and type are expected to be the key and value of the dictionary, respectively. The number of keys therefore *must* match the number of files in :attr:`table`. For frames that have multiple types, the types should be provided as a string with comma-separated types. merge (:obj:`bool`, optional): Merge the frame typing into the exiting table. Returns: :obj:`astropy.table.Table`: A Table with two columns, the type names and the type bits. See :class:`pypeit.core.framematch.FrameTypeBitMask` for the allowed frame types. """ # Checks if 'frametype' in self.keys() or 'framebit' in self.keys(): msgs.warn('Removing existing frametype and framebit columns.') if 'frametype' in self.keys(): del self.table['frametype'] if 'framebit' in self.keys(): del self.table['framebit'] # # TODO: This needs to be moved into each Spectrograph # if useIDname and 'idname' not in self.keys(): # raise ValueError('idname is not set in table; cannot use it for file typing.') # Start msgs.info("Typing files") type_bits = np.zeros(len(self), dtype=self.type_bitmask.minimum_dtype()) # Use the user-defined frame types from the input dictionary if user is not None: if len(user.keys()) != len(self): raise ValueError('The user-provided dictionary does not match table length.') msgs.info('Using user-provided frame types.') for ifile,ftypes in user.items(): indx = self['filename'] == ifile type_bits[indx] = self.type_bitmask.turn_on(type_bits[indx], flag=ftypes.split(',')) return self.set_frame_types(type_bits, merge=merge) # Loop over the frame types for i, ftype in enumerate(self.type_bitmask.keys()): # # Initialize: Flag frames with the correct ID name or start by # # flagging all as true # indx = self['idname'] == self.spectrograph.idname(ftype) if useIDname \ # else np.ones(len(self), dtype=bool) # Include a combination of instrument-specific checks using # combinations of the full set of metadata exprng = self.par['scienceframe']['exprng'] if ftype == 'science' \ else self.par['calibrations']['{0}frame'.format(ftype)]['exprng'] # TODO: Use & or | ? Using idname above gets overwritten by # this if the frames to meet the other checks in this call. # indx &= self.spectrograph.check_frame_type(ftype, self.table, exprng=exprng) indx = self.spectrograph.check_frame_type(ftype, self.table, exprng=exprng) # Turn on the relevant bits type_bits[indx] = self.type_bitmask.turn_on(type_bits[indx], flag=ftype) # Find the nearest standard star to each science frame # TODO: Should this be 'standard' or 'science' or both? if 'ra' not in self.keys() or 'dec' not in self.keys(): msgs.warn('Cannot associate standard with science frames without sky coordinates.') else: # TODO: Do we want to do this here? indx = self.type_bitmask.flagged(type_bits, flag='standard') for b, f, ra, dec in zip(type_bits[indx], self['filename'][indx], self['ra'][indx], self['dec'][indx]): if ra == 'None' or dec == 'None': msgs.warn('RA and DEC must not be None for file:' + msgs.newline() + f) msgs.warn('The above file could be a twilight flat frame that was' + msgs.newline() + 'missed by the automatic identification.') b = self.type_bitmask.turn_off(b, flag='standard') continue # If an object exists within 20 arcmins of a listed standard, # then it is probably a standard star foundstd = flux_calib.find_standard_file(ra, dec, check=True) b = self.type_bitmask.turn_off(b, flag='science' if foundstd else 'standard') # Find the files without any types indx = np.logical_not(self.type_bitmask.flagged(type_bits)) if np.any(indx): msgs.info("Couldn't identify the following files:") for f in self['filename'][indx]: msgs.info(f) if not flag_unknown: msgs.error("Check these files before continuing") # Finish up (note that this is called above if user is not None!) msgs.info("Typing completed!") return self.set_frame_types(type_bits, merge=merge) def set_pypeit_cols(self, write_bkg_pairs=False, write_manual=False): """ Generate the list of columns to be included in the fitstbl (nearly the complete list). Args: write_bkg_pairs (:obj:`bool`, optional): Add additional ``PypeIt`` columns for calib, comb_id and bkg_id write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction Returns: `numpy.ndarray`_: Array of columns to be used in the fits table> """ # Columns for output columns = self.spectrograph.pypeit_file_keys() extras = [] # comb, bkg columns if write_bkg_pairs: extras += ['calib', 'comb_id', 'bkg_id'] # manual if write_manual: extras += ['manual'] for key in extras: if key not in columns: columns += [key] # Take only those present output_cols = np.array(columns) return output_cols[np.isin(output_cols, self.keys())].tolist() def set_combination_groups(self, assign_objects=True): """ Set combination groups. .. note:: :attr:`table` is edited in place. This function can be used to initialize the combination group and background group columns, and/or to initialize the combination groups to the set of objects (science or standard frames) to a unique integer. If the 'comb_id' or 'bkg_id' columns do not exist, they're set to -1. Args: assign_objects (:obj:`bool`, optional): If all of 'comb_id' values are less than 0 (meaning they're unassigned), the combination groups are set to be unique for each standard and science frame. """ if 'comb_id' not in self.keys(): self['comb_id'] = -1 if 'bkg_id' not in self.keys(): self['bkg_id'] = -1 if assign_objects and np.all(self['comb_id'] < 0): # find_frames will throw an exception if framebit is not # set... sci_std_idx = np.where(np.any([self.find_frames('science'), self.find_frames('standard')], axis=0))[0] self['comb_id'][sci_std_idx] = np.arange(len(sci_std_idx), dtype=int) + 1 def set_user_added_columns(self): """ Set columns that the user *might* add .. note:: :attr:`table` is edited in place. This function can be used to initialize columns that the user might add """ if 'manual' not in self.keys(): self['manual'] = '' def write_sorted(self, ofile, overwrite=True, ignore=None, write_bkg_pairs=False, write_manual=False): """ Write the sorted file. The sorted file lists all the unique instrument configurations (setups) and the frames associated with each configuration. The output data table is identical to the pypeit file output. .. todo:: - This is for backwards compatibility, but we should consider reformatting/removing it. Args: ofile (:obj:`str`): Name for the output sorted file. overwrite (:obj:`bool`, optional): Overwrite any existing file with the same name. ignore (:obj:`list`, optional): Ignore configurations in the provided list. write_bkg_pairs (:obj:`bool`, optional): Add additional ``PypeIt`` columns for calib, comb_id and bkg_id write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction Raises: PypeItError: Raised if the 'setup' isn't been defined. """ if 'setup' not in self.keys(): msgs.error('Cannot write sorted instrument configuration table without \'setup\' ' 'column; run set_configurations.') if os.path.isfile(ofile) and not overwrite: msgs.error('{0} already exists. Use ovewrite=True to overwrite.'.format(ofile)) # Grab output columns output_cols = self.set_pypeit_cols(write_bkg_pairs=write_bkg_pairs, write_manual=write_manual) cfgs = self.unique_configurations(copy=ignore is not None) if ignore is not None: for key in cfgs.keys(): if key in ignore: del cfgs[key] # Construct file ff = open(ofile, 'w') for setup in cfgs.keys(): # Get the subtable of frames taken in this configuration indx = self['setup'] == setup if not np.any(indx): continue subtbl = self.table[output_cols][indx] # Write the file ff.write('##########################################################\n') ff.write('Setup {:s}\n'.format(setup)) ff.write('\n'.join(dict_to_lines(cfgs[setup], level=1)) + '\n') ff.write('#---------------------------------------------------------\n') mjd = subtbl['mjd'].copy() # Deal with possibly None mjds if there were corrupt header cards mjd[mjd == None] = -99999.0 isort = np.argsort(mjd) subtbl = subtbl[isort] subtbl.write(ff, format='ascii.fixed_width') ff.write('##end\n') ff.close() # TODO: Do we need a calib file? def write_calib(self, ofile, overwrite=True, ignore=None): """ Write the calib file. The calib file provides the unique instrument configurations (setups) and the association of each frame from that configuration with a given calibration group. .. todo:: - This is for backwards compatibility, but we should consider reformatting/removing it. - This is complicated by allowing some frame types to have no association with an instrument configuration - This is primarily used for QA now; but could probably use the pypeit file instead Args: ofile (:obj:`str`): Name for the output sorted file. overwrite (:obj:`bool`, optional): Overwrite any existing file with the same name. ignore (:obj:`list`, optional): Ignore calibration groups in the provided list. Raises: PypeItError: Raised if the 'setup' or 'calibbit' columns haven't been defined. """ if 'setup' not in self.keys() or 'calibbit' not in self.keys(): msgs.error('Cannot write calibration groups without \'setup\' and \'calibbit\' ' 'columns; run set_configurations and set_calibration_groups.') if os.path.isfile(ofile) and not overwrite: msgs.error('{0} already exists. Use ovewrite=True to overwrite.'.format(ofile)) # Construct the setups dictionary cfg = self.unique_configurations(copy=True, rm_none=True) # TODO: We should edit the relevant follow-on code so that we # don't have to do these gymnastics. Or better yet, just stop # producing/using the *.calib file. _cfg = {} for setup in cfg.keys(): _cfg[setup] = {} _cfg[setup]['--'] = deepcopy(cfg[setup]) cfg = _cfg # Iterate through the calibration bit names as these are the root of the # MasterFrames and QA for icbit in np.unique(self['calibbit'].data): cbit = int(icbit) # for yaml # Skip this group if ignore is not None and cbit in ignore: continue # Find the frames in this group #in_group = self.find_calib_group(i) in_cbit = self['calibbit'] == cbit # Find the unique configurations in this group, ignoring any # undefined ('None') configurations #setup = np.unique(self['setup'][in_group]).tolist() setup = np.unique(self['setup'][in_cbit]).tolist() if 'None' in setup: setup.remove('None') # Make sure that each calibration group should only contain # frames from a single configuration if len(setup) != 1: msgs.error('Each calibration group must be from one and only one instrument ' 'configuration with a valid letter identifier; i.e., the ' 'configuration cannot be None.') # Find the frames of each type in this group cfg[setup[0]][cbit] = {} for key in self.type_bitmask.keys(): #ftype_in_group = self.find_frames(key) & in_group ftype_in_group = self.find_frames(key) & in_cbit cfg[setup[0]][cbit][key] = [ os.path.join(d,f) for d,f in zip(self['directory'][ftype_in_group], self['filename'][ftype_in_group])] # Write it ff = open(ofile, 'w') ff.write(yaml.dump(utils.yamlify(cfg))) ff.close() def write_pypeit(self, output_path=None, cfg_lines=None, write_bkg_pairs=False, write_manual=False, configs=None): """ Write a pypeit file in data-table format. The pypeit file is the main configuration file for PypeIt, configuring the control-flow and algorithmic parameters and listing the data files to read. This function writes the columns selected by the :func:`pypeit.spectrographs.spectrograph.Spectrograph.pypeit_file_keys`, which can be specific to each instrument. Args: output_path (:obj:`str`, optional): Root path for the output pypeit files. If None, set to current directory. If the output directory does not exist, it is created. cfg_lines (:obj:`list`, optional): The list of configuration lines to include in the file. If None are provided, the vanilla configuration is included. write_bkg_pairs (:obj:`bool`, optional): When constructing the :class:`pypeit.metadata.PypeItMetaData` object, include two columns called `comb_id` and `bkg_id` that identify object and background frame pairs. write_manual (:obj:`bool`, optional): Add additional ``PypeIt`` columns for manual extraction configs (:obj:`str`, :obj:`list`, optional): One or more strings used to select the configurations to include in the returned objects. If ``'all'``, pass back all configurations. Otherwise, only return the configurations matched to this provided string or list of strings (e.g., ['A','C']). See :attr:`configs`. Raises: PypeItError: Raised if the 'setup' isn't defined and split is True. Returns: :obj:`list`: List of ``PypeIt`` files generated. """ # Set output path if output_path is None: output_path = os.getcwd() # Find unique configurations, always ignoring any 'None' # configurations... cfg = self.unique_configurations(copy=True, rm_none=True) # Get the setups to write if configs is None or configs == 'all' or configs == ['all']: cfg_keys = list(cfg.keys()) else: _configs = configs if isinstance(configs, list) else [configs] cfg_keys = [key for key in cfg.keys() if key in _configs] if len(cfg_keys) == 0: msgs.error('No setups to write!') # Grab output columns output_cols = self.set_pypeit_cols(write_bkg_pairs=write_bkg_pairs, write_manual=write_manual) # Write the pypeit files ofiles = [None]*len(cfg_keys) for j,setup in enumerate(cfg_keys): # Create the output directory root = '{0}_{1}'.format(self.spectrograph.name, setup) odir = os.path.join(output_path, root) if not os.path.isdir(odir): os.makedirs(odir) # Create the output file name ofiles[j] = os.path.join(odir, '{0}.pypeit'.format(root)) # Get the setup lines setup_lines = dict_to_lines({'Setup {0}'.format(setup): utils.yamlify(cfg[setup])}, level=1) # Get the paths in_cfg = self['setup'] == setup if not np.any(in_cfg): continue paths = np.unique(self['directory'][in_cfg]).tolist() # Get the data lines subtbl = self.table[output_cols][in_cfg] subtbl.sort(['frametype','filename']) with io.StringIO() as ff: subtbl.write(ff, format='ascii.fixed_width') data_lines = ff.getvalue().split('\n')[:-1] # Write the file make_pypeit_file(ofiles[j], self.spectrograph.name, [], cfg_lines=cfg_lines, setup_lines=setup_lines, sorted_files=data_lines, paths=paths) # Return return ofiles def write(self, output=None, rows=None, columns=None, sort_col=None, overwrite=False, header=None): """ Write the metadata either to a file or to the screen. The method allows you to set the columns to print and which column to use for sorting. Args: output (:obj:`str`, optional): Output signature or file name. If None, the table contents are printed to the screen. If ``'table'``, the table that would have been printed/written to disk is returned. Otherwise, the string is interpreted as the name of an ascii file to which to write the table contents. rows (`numpy.ndarray`_, optional): A boolean vector selecting the rows of the table to write. If None, all rows are written. Shape must match the number of the rows in the table. columns (:obj:`str`, :obj:`list`, optional): A list of columns to include in the output file. Can be provided as a list directly or as a comma-separated string. If None or ``'all'``, all columns in are written; if ``'pypeit'``, the columns are the same as those included in the pypeit file. Each selected column must be a valid pypeit metadata keyword, specific to :attr:`spectrograph`. Additional valid keywords, depending on the processing level of the metadata table, are directory, filename, frametype, framebit, setup, calib, and calibbit. sort_col (:obj:`str`, optional): Name of the column to use for sorting the output. If None, the table is printed in its current state. overwrite (:obj:`bool`, optional): Overwrite any existing file; otherwise raise an exception. header (:obj:`str`, :obj:`list`, optional): One or more strings to write to the top of the file, on string per file line; ``# `` is added to the beginning of each string. Ignored if ``output`` does not specify an output file. Returns: `astropy.table.Table`: The table object that would have been written/printed if ``output == 'table'``. Otherwise, the method always returns None. Raises: ValueError: Raised if the columns to include are not valid, or if the column to use for sorting is not valid. FileExistsError: Raised if overwrite is False and the file exists. """ # Check the file can be written (this is here because the spectrograph # needs to be defined first) ofile = None if output in [None, 'table'] else output if ofile is not None and os.path.isfile(ofile) and not overwrite: raise FileExistsError(f'{ofile} already exists; set flag to overwrite.') # Check the rows input if rows is not None and len(rows) != len(self.table): raise ValueError('Boolean vector selecting output rows has incorrect length.') # Get the columns to return if columns in [None, 'all']: tbl_cols = list(self.keys()) elif columns == 'pypeit': tbl_cols = self.set_pypeit_cols(write_bkg_pairs=True) else: all_cols = list(self.keys()) tbl_cols = columns if isinstance(columns, list) else columns.split(',') badcol = [col not in all_cols for col in tbl_cols] if np.any(badcol): raise ValueError('The following columns are not valid: {0}'.format( ', '.join(tbl_cols[badcol]))) # Make sure the basic parameters are the first few columns; do them in # reverse order so I can always insert at the beginning of the list for col in ['framebit', 'frametype', 'filename', 'directory']: if col not in tbl_cols: continue indx = np.where([t == col for t in tbl_cols])[0][0] if indx != 0: tbl_cols.insert(0, tbl_cols.pop(indx)) # Make sure the dithers and combination and background IDs are the last # few columns ncol = len(tbl_cols) for col in ['dithpat', 'dithpos', 'dithoff', 'calib', 'comb_id', 'bkg_id']: if col not in tbl_cols: continue indx = np.where([t == col for t in tbl_cols])[0][0] if indx != ncol-1: tbl_cols.insert(ncol-1, tbl_cols.pop(indx)) # Copy the internal table so that it is unaltered output_tbl = self.table.copy() # Select the output rows if a vector was provided if rows is not None: output_tbl = output_tbl[rows] # Select and sort the data by a given column if sort_col is not None: if sort_col not in self.keys(): raise ValueError(f'Cannot sort by {sort_col}. Not a valid column.') # Ignore any NoneTypes indx = output_tbl[sort_col] != None is_None = np.logical_not(indx) srt = np.append(np.where(is_None)[0], np.where(indx)[0][np.argsort(output_tbl[sort_col][indx].data)]) output_tbl = output_tbl[tbl_cols][srt] else: output_tbl = output_tbl[tbl_cols] if output == 'table': # Instead of writing, just return the modified table return output_tbl # Always write the table in ascii format with io.StringIO() as ff: output_tbl.write(ff, format='ascii.fixed_width') data_lines = ff.getvalue().split('\n')[:-1] if ofile is None: # Output file not defined so just print it print('\n'.join(data_lines)) return None # Write the output to an ascii file with open(ofile, 'w') as f: if header is not None: _header = header if isinstance(header, list) else [header] for h in _header: f.write(f'# {h}\n') f.write('\n') f.write('\n'.join(data_lines)) f.write('\n') # Just to be explicit that the method returns None when writing to a # file... return None def find_calib_group(self, grp): """ Find all the frames associated with the provided calibration group. Args: grp (:obj:`int`): The calibration group integer. Returns: numpy.ndarray: Boolean array selecting those frames in the table included in the selected calibration group. Raises: PypeItError: Raised if the 'calibbit' column is not defined. """ if 'calibbit' not in self.keys(): msgs.error('Calibration groups are not set. First run set_calibration_groups.') return self.calib_bitmask.flagged(self['calibbit'].data, grp) def find_frame_calib_groups(self, row): """ Find the calibration groups associated with a specific frame. """ return self.calib_bitmask.flagged_bits(self['calibbit'][row]) # TODO: Is there a reason why this is not an attribute of # PypeItMetaData? def row_match_config(row, config, spectrograph): """ Queries whether a row from the fitstbl matches the input configuration Args: row (astropy.table.Row): From fitstbl config (dict): Defines the configuration spectrograph (pypeit.spectrographs.spectrograph.Spectrograph): Used to grab the rtol value for float meta (e.g. dispangle) Returns: bool: True if the row matches the input configuration """ # Loop on keys in config match = [] for k in config.keys(): # Deal with floating configs (e.g. grating angle) if isinstance(config[k], float): if row[k] is None: match.append(False) elif np.abs(config[k]-row[k])/config[k] < spectrograph.meta[k]['rtol']: match.append(True) else: match.append(False) else: # The np.all allows for arrays in the Table (e.g. binning) match.append(np.all(config[k] == row[k])) # Check return np.all(match)
2,219
0
240
8961a614cdd99fadc1742c84f3ac99d52f8069e6
1,565
py
Python
cup_test/cup_exfile_test.py
liu0208xuan/CUP
0e09b393673dacdd985c064cf03062b950a74179
[ "Apache-2.0" ]
900
2017-02-15T05:14:03.000Z
2022-03-22T08:07:39.000Z
cup_test/cup_exfile_test.py
horsedongmin/CUP
94398c7d94b2574db565c3e8d6dcfe2f3722f007
[ "Apache-2.0" ]
30
2017-02-24T05:16:15.000Z
2021-08-04T02:03:12.000Z
cup_test/cup_exfile_test.py
horsedongmin/CUP
94398c7d94b2574db565c3e8d6dcfe2f3722f007
[ "Apache-2.0" ]
185
2017-02-15T02:23:09.000Z
2022-02-24T08:47:43.000Z
#!/usr/bin/env python # -*- coding: utf-8 -* """ :authors: Guannan Ma maguannan @mythmgn :description: """ import os import sys _TOP = os.path.dirname(os.path.abspath(__file__)) + '/../' sys.path.insert(0, _TOP) from cup import err from cup import exfile from cup import unittest LOCK_FILE = './.file_test.lock' def _cleanup(): """cleanup things""" if os.path.exists(LOCK_FILE): os.unlink(LOCK_FILE) def setup(): """setup""" _cleanup() def teardown(): """teardown""" _cleanup() def test_sharedlockfile(): """test lockfile""" # shared lockfile _lockfile = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) ret = _lockfile.lock(blocking=False) _lockfile2 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) ret = _lockfile2.lock(blocking=False) _lockfile3 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) unittest.expect_raise( _lockfile3.lock, err.LockFileError, False ) def test_exclusive_lockfile(): """test exclusive lockfile""" # shared lockfile _lockfile = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) _lockfile.lock() _lockfile2 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) unittest.expect_raise( _lockfile2.lock, err.LockFileError, blocking=False ) _lockfile3 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) unittest.expect_raise( _lockfile3.lock, err.LockFileError, blocking=False ) # vi:set tw=0 ts=4 sw=4 nowrap fdm=indent
21.736111
70
0.672843
#!/usr/bin/env python # -*- coding: utf-8 -* """ :authors: Guannan Ma maguannan @mythmgn :description: """ import os import sys _TOP = os.path.dirname(os.path.abspath(__file__)) + '/../' sys.path.insert(0, _TOP) from cup import err from cup import exfile from cup import unittest LOCK_FILE = './.file_test.lock' def _cleanup(): """cleanup things""" if os.path.exists(LOCK_FILE): os.unlink(LOCK_FILE) def setup(): """setup""" _cleanup() def teardown(): """teardown""" _cleanup() def test_sharedlockfile(): """test lockfile""" # shared lockfile _lockfile = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) ret = _lockfile.lock(blocking=False) _lockfile2 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) ret = _lockfile2.lock(blocking=False) _lockfile3 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) unittest.expect_raise( _lockfile3.lock, err.LockFileError, False ) def test_exclusive_lockfile(): """test exclusive lockfile""" # shared lockfile _lockfile = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) _lockfile.lock() _lockfile2 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_EXCLUSIVE) unittest.expect_raise( _lockfile2.lock, err.LockFileError, blocking=False ) _lockfile3 = exfile.LockFile(LOCK_FILE, exfile.FILELOCK_SHARED) unittest.expect_raise( _lockfile3.lock, err.LockFileError, blocking=False ) # vi:set tw=0 ts=4 sw=4 nowrap fdm=indent
0
0
0
98d2144a32d3d785b9afef57484fedb1bf3c1a79
775
py
Python
webstore/carts/serializers.py
dmusial98/WebStorePython
ed98764a40dd82db2b57e030ff9bf0bc777075a7
[ "Unlicense" ]
null
null
null
webstore/carts/serializers.py
dmusial98/WebStorePython
ed98764a40dd82db2b57e030ff9bf0bc777075a7
[ "Unlicense" ]
null
null
null
webstore/carts/serializers.py
dmusial98/WebStorePython
ed98764a40dd82db2b57e030ff9bf0bc777075a7
[ "Unlicense" ]
null
null
null
from .models import Cart, CartProduct from rest_framework import serializers
29.807692
149
0.712258
from .models import Cart, CartProduct from rest_framework import serializers class CartProductSerializer(serializers.HyperlinkedModelSerializer): cartId = serializers.PrimaryKeyRelatedField(queryset=Cart.objects.all(),source='cart.id') class Meta: model = CartProduct fields = ('id','productId', 'count', 'cartId') def create(self, validated_data): subject = CartProduct.objects.create(cart=validated_data['cart']['id'], productId=validated_data['productId'], count=validated_data['count']) return subject class CartSerializer(serializers.HyperlinkedModelSerializer): products = CartProductSerializer(many=True, read_only=True) class Meta: model = Cart fields = ('userId','id','products')
186
454
46
c0f68f5509d55fc92014c907640fb7abec305d6f
642
py
Python
modulo_03/amazon.py
memsprop/2021_python_selenium
eb3de282b11933cb6886d4008fb1b557147afaae
[ "Unlicense" ]
null
null
null
modulo_03/amazon.py
memsprop/2021_python_selenium
eb3de282b11933cb6886d4008fb1b557147afaae
[ "Unlicense" ]
null
null
null
modulo_03/amazon.py
memsprop/2021_python_selenium
eb3de282b11933cb6886d4008fb1b557147afaae
[ "Unlicense" ]
null
null
null
from common.webdriver_factory import get_driver from selenium.webdriver.support.wait import WebDriverWait from selenium.webdriver.support import expected_conditions as EC from selenium.webdriver.common.by import By driver = get_driver('chrome') driver.implicitly_wait(10) driver.get('https://www.amazon.com.mx/') elements = driver.find_elements_by_xpath("//a") print(f'Total of Elements with tag a = {len(elements)}') for element in elements: print(element.text) head_childs = driver.find_elements_by_xpath("//head/*") print(f'Total of Head childs = {len(head_childs)}') for child in head_childs: print(child.text) driver.quit()
29.181818
64
0.777259
from common.webdriver_factory import get_driver from selenium.webdriver.support.wait import WebDriverWait from selenium.webdriver.support import expected_conditions as EC from selenium.webdriver.common.by import By driver = get_driver('chrome') driver.implicitly_wait(10) driver.get('https://www.amazon.com.mx/') elements = driver.find_elements_by_xpath("//a") print(f'Total of Elements with tag a = {len(elements)}') for element in elements: print(element.text) head_childs = driver.find_elements_by_xpath("//head/*") print(f'Total of Head childs = {len(head_childs)}') for child in head_childs: print(child.text) driver.quit()
0
0
0
de61ae6681b30cb18f22d2743a2669421da9304a
121
py
Python
setup.py
damienlefebvre/Math199
b47798b228d131f27c1083907c500f2eb272ac2c
[ "MIT" ]
null
null
null
setup.py
damienlefebvre/Math199
b47798b228d131f27c1083907c500f2eb272ac2c
[ "MIT" ]
null
null
null
setup.py
damienlefebvre/Math199
b47798b228d131f27c1083907c500f2eb272ac2c
[ "MIT" ]
null
null
null
from distutils.core import setup from Cython.Build import cythonize setup(ext_modules=cythonize("stock_pyx.pyx"))
20.166667
46
0.785124
from distutils.core import setup from Cython.Build import cythonize setup(ext_modules=cythonize("stock_pyx.pyx"))
0
0
0
b6a6333e564d75efd33b60acb991671f08945e8d
1,085
py
Python
ml/test/multiple_tests.py
thorwhalen/ut
353a4629c35a2cca76ef91a4d5209afe766433b4
[ "MIT" ]
4
2016-12-17T20:06:10.000Z
2021-11-19T04:45:29.000Z
ml/test/multiple_tests.py
thorwhalen/ut
353a4629c35a2cca76ef91a4d5209afe766433b4
[ "MIT" ]
11
2021-01-06T05:35:11.000Z
2022-03-11T23:28:31.000Z
ml/test/multiple_tests.py
thorwhalen/ut
353a4629c35a2cca76ef91a4d5209afe766433b4
[ "MIT" ]
3
2015-06-12T10:44:16.000Z
2021-07-26T18:39:47.000Z
from collections import defaultdict from oto.models.scent import CentroidSmoothing from sklearn.model_selection import train_test_split from sklearn.metrics import accuracy_score, f1_score import numpy as np dflt_metrics = ( ('accuracy', accuracy_score), ('f1', f1_score) )
37.413793
91
0.590783
from collections import defaultdict from oto.models.scent import CentroidSmoothing from sklearn.model_selection import train_test_split from sklearn.metrics import accuracy_score, f1_score import numpy as np dflt_metrics = ( ('accuracy', accuracy_score), ('f1', f1_score) ) def gather_multiple_train_test_results(X, y, model, test_sizes=tuple(np.linspace(.1, .9, 9)), n_tests_per_test_size=100, metrics=dflt_metrics ): r = defaultdict(lambda: defaultdict(list)) for test_size in test_sizes: for _ in range(n_tests_per_test_size): X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=test_size) model.fit(X_train, y_train) y_pred = model.predict(X_test) for metric_name, metric_func in metrics: r[metric_name][test_size].append(metric_func(y_true=y_test, y_pred=y_pred)) return r
778
0
23
591d3fba47d4f809901cfc54680f6ff664d0d231
1,205
py
Python
src/commands/say.py
lysol/lvlss
ca068de516159be732d2cb8c4752dee4f4ef2e09
[ "MIT" ]
null
null
null
src/commands/say.py
lysol/lvlss
ca068de516159be732d2cb8c4752dee4f4ef2e09
[ "MIT" ]
null
null
null
src/commands/say.py
lysol/lvlss
ca068de516159be732d2cb8c4752dee4f4ef2e09
[ "MIT" ]
null
null
null
from command import Command, is_command from event import Event
35.441176
60
0.517012
from command import Command, is_command from event import Event class Say(Command): shortname = 'say' name = 'Say something to someone, or in the public chat' @is_command def say(self, player, *args): if args[0] in self.world.players: prefix = "(private) <%s> " % player.name # a message to a user msg_base = ' '.join(args[1:]) msg = prefix + ' '.join(args[1:]) target_player = self.find_player(args[0]) self.tell_player(args[0], msg) self.world.emit_scripting_event('say', { 'source': player.to_dict(), 'target': target_player.to_dict(), 'msg': msg_base }, scope=[target_player]) else: prefix = "<%s> " % player.name msg_base = ' '.join(args) msg = prefix + ' '.join(args) for p in self.world.players: self.tell_player(p, msg) self.world.emit_scripting_event('say', { 'source': player.to_dict(), 'target': player.location.to_dict(), 'msg': msg_base }, scope=[player.location, player])
990
129
23
c35e2b0429c91667ab58023527a5606d79349580
4,499
py
Python
lab_3/scene3d.py
FeodorM/Computer-Graphics
d783c7cd73f6e31abdc272e3166dd2df361cf1bb
[ "MIT" ]
null
null
null
lab_3/scene3d.py
FeodorM/Computer-Graphics
d783c7cd73f6e31abdc272e3166dd2df361cf1bb
[ "MIT" ]
null
null
null
lab_3/scene3d.py
FeodorM/Computer-Graphics
d783c7cd73f6e31abdc272e3166dd2df361cf1bb
[ "MIT" ]
null
null
null
import pygame from pygame.locals import * from lab_3.camera3d import Camera3D from lab_3.model3d import Model3D from util.events import is_quit_event from lab_3.affine_transform import * # def scale(self, k): # x, y = pygame.mouse.get_pos() # x = self._x_screen_to_world(x) # y = self._y_screen_to_world(y) # self.model.apply(translation(x, y) * scaling(k) * translation(-x, -y)) if __name__ == '__main__': Scene3D()
40.9
130
0.582352
import pygame from pygame.locals import * from lab_3.camera3d import Camera3D from lab_3.model3d import Model3D from util.events import is_quit_event from lab_3.affine_transform import * class Scene3D(Camera3D): def __init__(self, *args, **kwargs): super(Scene3D, self).__init__(*args, *kwargs) self.model = Model3D( '../data/3/vertices', '../data/3/verges', '../data/3/invisible_edges', self.world_to_project ) print('started.') self.mainloop() def draw_model(self): for edge in self.model.edges: x0, y0 = self.model[edge[0]] x1, y1 = self.model[edge[1]] self.draw_line(x0, y0, x1, y1) def input(self): mouse_pressed_buttons = pygame.mouse.get_pressed() keyboard_pressed_buttons = pygame.key.get_pressed() mouse_shift = pygame.mouse.get_rel() if mouse_pressed_buttons[0]: self.model.apply(rotation_y(mouse_shift[0] / 500), self.world_to_project) self.model.apply(rotation_x(mouse_shift[1] / 500), self.world_to_project) if keyboard_pressed_buttons[K_LEFT]: self.model.apply(translation(-.01, 0, 0), self.world_to_project) if keyboard_pressed_buttons[K_RIGHT]: self.model.apply(translation(.01, 0, 0), self.world_to_project) if keyboard_pressed_buttons[K_UP]: self.model.apply(translation(0, 0.01, 0), self.world_to_project) if keyboard_pressed_buttons[K_DOWN]: self.model.apply(translation(0, -0.01, 0), self.world_to_project) if keyboard_pressed_buttons[K_KP_PLUS]: # self.model.apply(translation(0, 0, 0.05), self.world_to_project) self.set_distance(self.D + .6) self.model.calc_project_vertices(self.world_to_project) if keyboard_pressed_buttons[K_KP_MINUS]: # self.model.apply(translation(0, 0, -0.05), self.world_to_project) self.set_distance(self.D - .6) self.model.calc_project_vertices(self.world_to_project) if keyboard_pressed_buttons[K_x]: x, y, z = self.model.center self.model.apply(translation(x, y, z) * rotation_x(.01) * translation(-x, -y, -z), self.world_to_project) if keyboard_pressed_buttons[K_y]: x, y, z = self.model.center self.model.apply(translation(x, y, z) * rotation_y(.01) * translation(-x, -y, -z), self.world_to_project) if keyboard_pressed_buttons[K_z]: x, y, z = self.model.center self.model.apply(translation(x, y, z) * rotation_z(.01) * translation(-x, -y, -z), self.world_to_project) # if keyboard_pressed_buttons[K_SPACE]: # x, y, z = self.model.center # self.model.apply(translation(-x, -y, -z), self.world_to_project) # If left mouse button pressed, move plot # if mouse_pressed_buttons[0]: # self.model.apply(translation(self._x_screen_to_world(mouse_shift[0]), -self._y_screen_to_world(mouse_shift[1]))) # def scale(self, k): # x, y = pygame.mouse.get_pos() # x = self._x_screen_to_world(x) # y = self._y_screen_to_world(y) # self.model.apply(translation(x, y) * scaling(k) * translation(-x, -y)) def mainloop(self): while True: for event in pygame.event.get(): if is_quit_event(event): pygame.quit() quit() elif event.type == VIDEORESIZE: self.set_width_height(event.size) self.same_scale() # elif event.type == KEYDOWN and event.key == K_SPACE: # self.model.apply(translation(.1, .1)) # elif event.type == KEYDOWN and event.key == K_KP_PLUS: # self.model.apply(scaling(11 / 10)) # elif event.type == KEYDOWN and event.key == K_KP_MINUS: # self.model.apply(scaling(10 / 11)) # elif is_zoom_in_event(event): # self.scale(11 / 10) # elif is_zoom_out_event(event): # self.scale(10 / 11) self.input() self.clear_screen() # self.draw_axes() self.draw_model() pygame.display.flip() pygame.time.wait(10) if __name__ == '__main__': Scene3D()
3,904
3
130
76119297a3082dab63f7352f72b41980527609a3
4,627
py
Python
v1/awsbuild/bao_spinner.py
badassops/ops-aws
2e6b76e62e7b9edaa3ba43ff57df90b75c75aba7
[ "BSD-3-Clause" ]
2
2019-02-28T06:49:19.000Z
2019-12-30T09:41:17.000Z
v1/awsbuild/bao_spinner.py
badassops/ops-aws
2e6b76e62e7b9edaa3ba43ff57df90b75c75aba7
[ "BSD-3-Clause" ]
null
null
null
v1/awsbuild/bao_spinner.py
badassops/ops-aws
2e6b76e62e7b9edaa3ba43ff57df90b75c75aba7
[ "BSD-3-Clause" ]
null
null
null
# vim:fileencoding=utf-8:noet """ python method """ # Copyright (c) 2010 - 2019, © Badassops LLC / Luc Suryo # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are met: # # * Redistributions of source code must retain the above copyright notice, this # list of conditions and the following disclaimer. # # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # # * Neither the name of the copyright holder nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE # FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL # DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR # SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER # CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, # OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. #* #* File : bao_spinner.py #* Description : class and function so display a wait spinner (dots or wheel) #* Author : Luc Suryo <luc@badassops.com> #* Version : 0.2 #* Date : Feb 21, 2019 #* #* History : #* Date: Author: Info: #* Jun 1, 2010 LIS First Release #* Feb 21, 2019 LIS refactored import os import sys import threading import unicodedata from time import sleep class SpinCursor(threading.Thread): """ Class and function so display a wait spinner (dots or wheel) """ def spin(self): """ Perform a single spin """ for spinchar in self.spinchars: if self.msg: self.string = self.msg + '...\t' + spinchar + '\r' else: self.string = '...\t' + spinchar + '\r' #self.string = self.msg + '...\t' + spinchar + '\r' self.out.write(self.string) self.out.flush() sleep(self.waittime) def run(self): """ run spinning """ while (not self.flag) and ((self.count < self.min) or (self.count < self.max)): self.spin() self.count += 1 # Clean up display... #self.out.write(' '*(len(self.string) + len('...\t'))) self.out.write('\033[2K') def stop(self): """ stop spinning """ self.flag = True def spin_message(message=None, seconds=None): """ print the given message and wait for the given seconds """ spin = SpinCursor(msg=message, minspin=seconds, speed=1) spin.start() sleep(seconds) spin.stop() def dot_message(message=None, seconds=None): """ fucntion to print dot while sleeping for the given seconds. """ spin = SpinCursor(msg=message, minspin=seconds, speed=1, dots=True) spin.start() sleep(seconds) spin.stop()
38.239669
96
0.617895
# vim:fileencoding=utf-8:noet """ python method """ # Copyright (c) 2010 - 2019, © Badassops LLC / Luc Suryo # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are met: # # * Redistributions of source code must retain the above copyright notice, this # list of conditions and the following disclaimer. # # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # # * Neither the name of the copyright holder nor the names of its # contributors may be used to endorse or promote products derived from # this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE # DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE # FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL # DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR # SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER # CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, # OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE # OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. #* #* File : bao_spinner.py #* Description : class and function so display a wait spinner (dots or wheel) #* Author : Luc Suryo <luc@badassops.com> #* Version : 0.2 #* Date : Feb 21, 2019 #* #* History : #* Date: Author: Info: #* Jun 1, 2010 LIS First Release #* Feb 21, 2019 LIS refactored import os import sys import threading import unicodedata from time import sleep class SpinCursor(threading.Thread): """ Class and function so display a wait spinner (dots or wheel) """ def __init__(self, msg=None, maxspin=0, minspin=10, speed=5, dots=False): # Count of a spin self.count = 0 self.out = sys.stdout self.flag = False self.max = maxspin self.min = minspin # Any message to print first ? self.msg = msg # Complete printed string self.string = None # Speed is given as number of spins a second # Use it to calculate spin wait time self.waittime = 1.0/float(speed*4) if os.name == 'posix': if dots is True: self.spinchars = (unicodedata.lookup('FIGURE DASH'), u'. ', u'• ', u'. ', u'• ') else: self.spinchars = (unicodedata.lookup('FIGURE DASH'), u'\\ ', u'| ', u'/ ') else: # The unicode dash character does not show # up properly in Windows console. if dots is True: self.spinchars = (u'. ', u'• ', u'. ', u'• ') else: self.spinchars = (u'-', u'\\ ', u'| ', u'/ ') threading.Thread.__init__(self, None, None, "Spin Thread") def spin(self): """ Perform a single spin """ for spinchar in self.spinchars: if self.msg: self.string = self.msg + '...\t' + spinchar + '\r' else: self.string = '...\t' + spinchar + '\r' #self.string = self.msg + '...\t' + spinchar + '\r' self.out.write(self.string) self.out.flush() sleep(self.waittime) def run(self): """ run spinning """ while (not self.flag) and ((self.count < self.min) or (self.count < self.max)): self.spin() self.count += 1 # Clean up display... #self.out.write(' '*(len(self.string) + len('...\t'))) self.out.write('\033[2K') def stop(self): """ stop spinning """ self.flag = True def spin_message(message=None, seconds=None): """ print the given message and wait for the given seconds """ spin = SpinCursor(msg=message, minspin=seconds, speed=1) spin.start() sleep(seconds) spin.stop() def dot_message(message=None, seconds=None): """ fucntion to print dot while sleeping for the given seconds. """ spin = SpinCursor(msg=message, minspin=seconds, speed=1, dots=True) spin.start() sleep(seconds) spin.stop()
1,102
0
27
336db18f7ac63c100a48f82001450cfd7d7e03cf
688
py
Python
main.py
Yamp/Lin-Kernighan
88e3ef8c0f4ec91ba22a065466b2473725d86870
[ "MIT" ]
1
2021-07-24T02:50:52.000Z
2021-07-24T02:50:52.000Z
main.py
Lin-Kernighan/Lin-Kernighan
88e3ef8c0f4ec91ba22a065466b2473725d86870
[ "MIT" ]
5
2020-02-01T10:44:09.000Z
2020-05-24T10:39:14.000Z
main.py
Yamp/Lin-Kernighan
88e3ef8c0f4ec91ba22a065466b2473725d86870
[ "MIT" ]
1
2020-08-26T05:26:23.000Z
2020-08-26T05:26:23.000Z
import faulthandler import logging from time import time from lin_kernighan.algorithms.structures.matrix import adjacency_matrix from lin_kernighan.algorithms.utils.generator import generator from lin_kernighan.lkh_search import LKHSearch if __name__ == '__main__': size = 500 logging.basicConfig(format='%(asctime)s - %(message)s', level=logging.INFO) faulthandler.enable() full = 0.0 num = 1 t_start = time() for _ in range(num): tsp = generator(size) matrix = adjacency_matrix(tsp) t_start = time() opt = LKHSearch(matrix) opt.optimize() full += (time() - t_start) logging.info(f'end: {full / num}')
25.481481
79
0.674419
import faulthandler import logging from time import time from lin_kernighan.algorithms.structures.matrix import adjacency_matrix from lin_kernighan.algorithms.utils.generator import generator from lin_kernighan.lkh_search import LKHSearch if __name__ == '__main__': size = 500 logging.basicConfig(format='%(asctime)s - %(message)s', level=logging.INFO) faulthandler.enable() full = 0.0 num = 1 t_start = time() for _ in range(num): tsp = generator(size) matrix = adjacency_matrix(tsp) t_start = time() opt = LKHSearch(matrix) opt.optimize() full += (time() - t_start) logging.info(f'end: {full / num}')
0
0
0
76b22186ea4555f4ebc758cbe4b32486dbef6ccd
1,969
py
Python
src/postprocessing/postprocessing.py
dsp-uga/team-ball
0d4b4ffd21b7383d727354c66fa15fb6b7a2e779
[ "MIT" ]
1
2021-05-29T16:02:35.000Z
2021-05-29T16:02:35.000Z
src/postprocessing/postprocessing.py
omid-s/neuron_finding_team-ball
0d4b4ffd21b7383d727354c66fa15fb6b7a2e779
[ "MIT" ]
null
null
null
src/postprocessing/postprocessing.py
omid-s/neuron_finding_team-ball
0d4b4ffd21b7383d727354c66fa15fb6b7a2e779
[ "MIT" ]
3
2018-03-11T20:35:34.000Z
2018-04-04T03:26:59.000Z
""""This file manages the postprocessing of the objects in the images""" import numpy as np import cv2 import json def postProcess ( fileNames =None , theDic=None, output_file_name = "output.json" ): """ this function handels the postprocessing of values, :param fileNames: if out put is written to files and funciton is supposed to load them from files this dictionary contains their names in format {"sampleName":"filename"} :param theDic: if output is to be loaded from a dictionary, this is the dictionary in format { "sampleName" : ValueArray } :param output_file_name: name of the file to which the json results should be written """ # validate input: if not( fileNames or theDic ): raise ValueError('One of the values filename or theDic has to be set!') file_name_values_dic ={} if( fileNames ): # if images should be loaded from files do so! for file_name in fileNames: file_name_values_dic[ file_name ] = cv2.imread( fileNames[ file_name], 0) else : file_name_values_dic = theDic final_dic = [] for key in file_name_values_dic : # find connected components x, markers = cv2.connectedComponents( file_name_values_dic[key] ) #convert them to the writeable format temp = [] for i in range (1,x) : temp.append( list( [int(pick[0]),int(pick[1])] for pick in np.argwhere(markers==i) )) # convert lists to dictionaries temp = [ {"coordinates": pick } for pick in temp ] # add sample name info to the dictionary temp_dic = { "dataset": key, "regions": temp } # add to the completed object final_dic.append( temp_dic ) # create json file string json_dump = json.dumps( final_dic, indent=4 ) # save the json file string with open( output_file_name,'w' ) as file: file.write(json_dump)
33.372881
174
0.643982
""""This file manages the postprocessing of the objects in the images""" import numpy as np import cv2 import json def postProcess ( fileNames =None , theDic=None, output_file_name = "output.json" ): """ this function handels the postprocessing of values, :param fileNames: if out put is written to files and funciton is supposed to load them from files this dictionary contains their names in format {"sampleName":"filename"} :param theDic: if output is to be loaded from a dictionary, this is the dictionary in format { "sampleName" : ValueArray } :param output_file_name: name of the file to which the json results should be written """ # validate input: if not( fileNames or theDic ): raise ValueError('One of the values filename or theDic has to be set!') file_name_values_dic ={} if( fileNames ): # if images should be loaded from files do so! for file_name in fileNames: file_name_values_dic[ file_name ] = cv2.imread( fileNames[ file_name], 0) else : file_name_values_dic = theDic final_dic = [] for key in file_name_values_dic : # find connected components x, markers = cv2.connectedComponents( file_name_values_dic[key] ) #convert them to the writeable format temp = [] for i in range (1,x) : temp.append( list( [int(pick[0]),int(pick[1])] for pick in np.argwhere(markers==i) )) # convert lists to dictionaries temp = [ {"coordinates": pick } for pick in temp ] # add sample name info to the dictionary temp_dic = { "dataset": key, "regions": temp } # add to the completed object final_dic.append( temp_dic ) # create json file string json_dump = json.dumps( final_dic, indent=4 ) # save the json file string with open( output_file_name,'w' ) as file: file.write(json_dump)
0
0
0
9ffcb3b878550e16307ff897abc4b060fb20b2e6
194
py
Python
test_autolens/integration/tests/imaging/phase_features/mock_nlo/image_psf_shape.py
PyJedi/PyAutoLens
bcfb2e7b447aa24508fc648d60b6fd9b4fd852e7
[ "MIT" ]
1
2020-04-06T20:07:56.000Z
2020-04-06T20:07:56.000Z
test_autolens/integration/tests/imaging/phase_features/mock_nlo/image_psf_shape.py
PyJedi/PyAutoLens
bcfb2e7b447aa24508fc648d60b6fd9b4fd852e7
[ "MIT" ]
null
null
null
test_autolens/integration/tests/imaging/phase_features/mock_nlo/image_psf_shape.py
PyJedi/PyAutoLens
bcfb2e7b447aa24508fc648d60b6fd9b4fd852e7
[ "MIT" ]
null
null
null
from test import image_psf_shape from test_autolens.integration.tests.imaging.runner import run_a_mock
24.25
69
0.809278
from test import image_psf_shape from test_autolens.integration.tests.imaging.runner import run_a_mock class TestCase: def _test_image_psf_shape(self): run_a_mock(image_psf_shape)
47
-6
49
0ab7979e8b81bd85652a7fbeb67fc1940846c537
9,272
py
Python
lib/streamlit/cli.py
cclauss/streamlit
232f040da0ec88512714ef0b512b558f7079d9a0
[ "Apache-2.0" ]
1
2021-08-25T02:49:23.000Z
2021-08-25T02:49:23.000Z
lib/streamlit/cli.py
Mesica/streamlit
9e486561ccca2e33ee57ca8f7341f52e929a7430
[ "Apache-2.0" ]
null
null
null
lib/streamlit/cli.py
Mesica/streamlit
9e486561ccca2e33ee57ca8f7341f52e929a7430
[ "Apache-2.0" ]
null
null
null
# -*- coding: utf-8 -*- # Copyright 2018-2019 Streamlit Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """This is a script which is run when the Streamlit package is executed.""" # Python 2/3 compatibility from __future__ import print_function, division, absolute_import # Not importing unicode_literals from __future__ because click doesn't like it. from streamlit.compatibility import setup_2_3_shims setup_2_3_shims(globals()) from streamlit import config as _config import os import click import streamlit from streamlit.credentials import Credentials from streamlit import version import streamlit.bootstrap as bootstrap from streamlit.case_converters import to_snake_case LOG_LEVELS = ["error", "warning", "info", "debug"] NEW_VERSION_TEXT = """ %(new_version)s See what's new at https://discuss.streamlit.io/c/announcements Enter the following command to upgrade: %(prompt)s %(command)s """ % { "new_version": click.style( "A new version of Streamlit is available.", fg="blue", bold=True ), "prompt": click.style("$", fg="blue"), "command": click.style("pip install streamlit --upgrade", bold=True), } def _convert_config_option_to_click_option(config_option): """Composes given config option options as options for click lib.""" option = "--{}".format(config_option.key) param = config_option.key.replace(".", "_") description = config_option.description if config_option.deprecated: description += "\n {} - {}".format( config_option.deprecation_text, config_option.deprecation_date ) envvar = "STREAMLIT_{}".format(to_snake_case(param).upper()) return { "param": param, "description": description, "type": config_option.type, "option": option, "envvar": envvar, } def configurator_options(func): """Decorator that adds config param keys to click dynamically.""" for _, value in reversed(_config._config_options.items()): parsed_parameter = _convert_config_option_to_click_option(value) config_option = click.option( parsed_parameter["option"], parsed_parameter["param"], help=parsed_parameter["description"], type=parsed_parameter["type"], show_envvar=True, envvar=parsed_parameter["envvar"], ) func = config_option(func) return func def _apply_config_options_from_cli(kwargs): """The "streamlit run" command supports passing Streamlit's config options as flags. This function reads through all config flags, massage them, and pass them to _set_config() overriding default values and values set via config.toml file """ for config_option in kwargs: if kwargs[config_option] is not None: config_option_def_key = config_option.replace("_", ".") _config._set_option( config_option_def_key, kwargs[config_option], "command-line argument or environment variable", ) # Fetch remote file at url_path to script_path @click.group(context_settings={"auto_envvar_prefix": "STREAMLIT"}) @click.option("--log_level", show_default=True, type=click.Choice(LOG_LEVELS)) @click.version_option(prog_name="Streamlit") @click.pass_context def main(ctx, log_level="info"): """Try out a demo with: $ streamlit hello Or use the line below to run your own script: $ streamlit run your_script.py """ if log_level: import streamlit.logger streamlit.logger.set_log_level(log_level.upper()) @main.command("help") @click.pass_context def help(ctx): """Print this help message.""" # Pretend user typed 'streamlit --help' instead of 'streamlit help'. import sys assert len(sys.argv) == 2 # This is always true, but let's assert anyway. sys.argv[1] = "--help" main() @main.command("version") @click.pass_context def main_version(ctx): """Print Streamlit's version number.""" # Pretend user typed 'streamlit --version' instead of 'streamlit version' import sys assert len(sys.argv) == 2 # This is always true, but let's assert anyway. sys.argv[1] = "--version" main() @main.command("docs") def main_docs(): """Show help in browser.""" print("Showing help page in browser...") from streamlit import util util.open_browser("https://streamlit.io/docs") @main.command("hello") @configurator_options def main_hello(**kwargs): """Runs the Hello World script.""" from streamlit.hello import hello _apply_config_options_from_cli(kwargs) filename = hello.__file__ # For Python 2 when Streamlit is actually installed (make install rather # than make develop). if filename.endswith(".pyc"): filename = "%s.py" % filename[:-4] _main_run(filename) @main.command("run") @configurator_options @click.argument("target", required=True, envvar="STREAMLIT_RUN_TARGET") @click.argument("args", nargs=-1) def main_run(target, args=None, **kwargs): """Run a Python script, piping stderr to Streamlit. The script can be local or it can be an url. In the latter case, Streamlit will download the script to a temporary file and runs this file. """ from validators import url _apply_config_options_from_cli(kwargs) if url(target): from streamlit.temporary_directory import TemporaryDirectory with TemporaryDirectory() as temp_dir: from urllib.parse import urlparse path = urlparse(target).path script_path = os.path.join(temp_dir, path.strip('/').rsplit('/', 1)[-1]) _download_remote(script_path, target) _main_run(script_path, args) else: if not os.path.exists(target): raise click.BadParameter("File does not exist: {}".format(target)) _main_run(target, args) # Utility function to compute the command line as a string # DEPRECATED # TODO: Remove after 2019-09-01 @main.command("clear_cache", deprecated=True, hidden=True) @click.pass_context def main_clear_cache(ctx): """Deprecated.""" click.echo(click.style('Use "cache clear" instead.', fg="red")) ctx.invoke(cache_clear) # TODO: Remove after 2019-09-01 @main.command("show_config", deprecated=True, hidden=True) @click.pass_context def main_show_config(ctx): """Deprecated.""" click.echo(click.style('Use "config show" instead.', fg="red")) ctx.invoke(config_show) # SUBCOMMAND: cache @main.group("cache") def cache(): """Manage the Streamlit cache.""" pass @cache.command("clear") def cache_clear(): """Clear the Streamlit on-disk cache.""" import streamlit.caching result = streamlit.caching.clear_cache() cache_path = streamlit.caching.get_cache_path() if result: print("Cleared directory %s." % cache_path) else: print("Nothing to clear at %s." % cache_path) # SUBCOMMAND: config @main.group("config") def config(): """Manage Streamlit's config settings.""" pass @config.command("show") @configurator_options def config_show(**kwargs): """Show all of Streamlit's config settings.""" _apply_config_options_from_cli(kwargs) _config.show_config() # SUBCOMMAND: activate @main.group("activate", invoke_without_command=True) @click.pass_context def activate(ctx): """Activate Streamlit by entering your email.""" if not ctx.invoked_subcommand: Credentials.get_current().activate() @activate.command("reset") def activate_reset(): """Reset Activation Credentials.""" Credentials.get_current().reset() if __name__ == "__main__": main()
28.182371
85
0.68874
# -*- coding: utf-8 -*- # Copyright 2018-2019 Streamlit Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """This is a script which is run when the Streamlit package is executed.""" # Python 2/3 compatibility from __future__ import print_function, division, absolute_import # Not importing unicode_literals from __future__ because click doesn't like it. from streamlit.compatibility import setup_2_3_shims setup_2_3_shims(globals()) from streamlit import config as _config import os import click import streamlit from streamlit.credentials import Credentials from streamlit import version import streamlit.bootstrap as bootstrap from streamlit.case_converters import to_snake_case LOG_LEVELS = ["error", "warning", "info", "debug"] NEW_VERSION_TEXT = """ %(new_version)s See what's new at https://discuss.streamlit.io/c/announcements Enter the following command to upgrade: %(prompt)s %(command)s """ % { "new_version": click.style( "A new version of Streamlit is available.", fg="blue", bold=True ), "prompt": click.style("$", fg="blue"), "command": click.style("pip install streamlit --upgrade", bold=True), } def _convert_config_option_to_click_option(config_option): """Composes given config option options as options for click lib.""" option = "--{}".format(config_option.key) param = config_option.key.replace(".", "_") description = config_option.description if config_option.deprecated: description += "\n {} - {}".format( config_option.deprecation_text, config_option.deprecation_date ) envvar = "STREAMLIT_{}".format(to_snake_case(param).upper()) return { "param": param, "description": description, "type": config_option.type, "option": option, "envvar": envvar, } def configurator_options(func): """Decorator that adds config param keys to click dynamically.""" for _, value in reversed(_config._config_options.items()): parsed_parameter = _convert_config_option_to_click_option(value) config_option = click.option( parsed_parameter["option"], parsed_parameter["param"], help=parsed_parameter["description"], type=parsed_parameter["type"], show_envvar=True, envvar=parsed_parameter["envvar"], ) func = config_option(func) return func def _apply_config_options_from_cli(kwargs): """The "streamlit run" command supports passing Streamlit's config options as flags. This function reads through all config flags, massage them, and pass them to _set_config() overriding default values and values set via config.toml file """ for config_option in kwargs: if kwargs[config_option] is not None: config_option_def_key = config_option.replace("_", ".") _config._set_option( config_option_def_key, kwargs[config_option], "command-line argument or environment variable", ) # Fetch remote file at url_path to script_path def _download_remote(script_path, url_path): import requests with open(script_path, "wb") as fp: try: resp = requests.get(url_path) resp.raise_for_status() fp.write(resp.content) except requests.exceptions.RequestException as e: raise click.BadParameter(("Unable to fetch {}.\n{}".format(url_path, e))) @click.group(context_settings={"auto_envvar_prefix": "STREAMLIT"}) @click.option("--log_level", show_default=True, type=click.Choice(LOG_LEVELS)) @click.version_option(prog_name="Streamlit") @click.pass_context def main(ctx, log_level="info"): """Try out a demo with: $ streamlit hello Or use the line below to run your own script: $ streamlit run your_script.py """ if log_level: import streamlit.logger streamlit.logger.set_log_level(log_level.upper()) @main.command("help") @click.pass_context def help(ctx): """Print this help message.""" # Pretend user typed 'streamlit --help' instead of 'streamlit help'. import sys assert len(sys.argv) == 2 # This is always true, but let's assert anyway. sys.argv[1] = "--help" main() @main.command("version") @click.pass_context def main_version(ctx): """Print Streamlit's version number.""" # Pretend user typed 'streamlit --version' instead of 'streamlit version' import sys assert len(sys.argv) == 2 # This is always true, but let's assert anyway. sys.argv[1] = "--version" main() @main.command("docs") def main_docs(): """Show help in browser.""" print("Showing help page in browser...") from streamlit import util util.open_browser("https://streamlit.io/docs") @main.command("hello") @configurator_options def main_hello(**kwargs): """Runs the Hello World script.""" from streamlit.hello import hello _apply_config_options_from_cli(kwargs) filename = hello.__file__ # For Python 2 when Streamlit is actually installed (make install rather # than make develop). if filename.endswith(".pyc"): filename = "%s.py" % filename[:-4] _main_run(filename) @main.command("run") @configurator_options @click.argument("target", required=True, envvar="STREAMLIT_RUN_TARGET") @click.argument("args", nargs=-1) def main_run(target, args=None, **kwargs): """Run a Python script, piping stderr to Streamlit. The script can be local or it can be an url. In the latter case, Streamlit will download the script to a temporary file and runs this file. """ from validators import url _apply_config_options_from_cli(kwargs) if url(target): from streamlit.temporary_directory import TemporaryDirectory with TemporaryDirectory() as temp_dir: from urllib.parse import urlparse path = urlparse(target).path script_path = os.path.join(temp_dir, path.strip('/').rsplit('/', 1)[-1]) _download_remote(script_path, target) _main_run(script_path, args) else: if not os.path.exists(target): raise click.BadParameter("File does not exist: {}".format(target)) _main_run(target, args) # Utility function to compute the command line as a string def _get_command_line_as_string(): import subprocess cmd_line_as_list = [click.get_current_context().parent.command_path] cmd_line_as_list.extend(click.get_os_args()) return subprocess.list2cmdline(cmd_line_as_list) def _main_run(file, args=[]): command_line = _get_command_line_as_string() # Set a global flag indicating that we're "within" streamlit. streamlit._is_running_with_streamlit = True # Check credentials. Credentials.get_current().check_activated(auto_resolve=True) # Notify if streamlit is out of date. if version.should_show_new_version_notice(): click.echo(NEW_VERSION_TEXT) bootstrap.run(file, command_line, args) # DEPRECATED # TODO: Remove after 2019-09-01 @main.command("clear_cache", deprecated=True, hidden=True) @click.pass_context def main_clear_cache(ctx): """Deprecated.""" click.echo(click.style('Use "cache clear" instead.', fg="red")) ctx.invoke(cache_clear) # TODO: Remove after 2019-09-01 @main.command("show_config", deprecated=True, hidden=True) @click.pass_context def main_show_config(ctx): """Deprecated.""" click.echo(click.style('Use "config show" instead.', fg="red")) ctx.invoke(config_show) # SUBCOMMAND: cache @main.group("cache") def cache(): """Manage the Streamlit cache.""" pass @cache.command("clear") def cache_clear(): """Clear the Streamlit on-disk cache.""" import streamlit.caching result = streamlit.caching.clear_cache() cache_path = streamlit.caching.get_cache_path() if result: print("Cleared directory %s." % cache_path) else: print("Nothing to clear at %s." % cache_path) # SUBCOMMAND: config @main.group("config") def config(): """Manage Streamlit's config settings.""" pass @config.command("show") @configurator_options def config_show(**kwargs): """Show all of Streamlit's config settings.""" _apply_config_options_from_cli(kwargs) _config.show_config() # SUBCOMMAND: activate @main.group("activate", invoke_without_command=True) @click.pass_context def activate(ctx): """Activate Streamlit by entering your email.""" if not ctx.invoked_subcommand: Credentials.get_current().activate() @activate.command("reset") def activate_reset(): """Reset Activation Credentials.""" Credentials.get_current().reset() if __name__ == "__main__": main()
1,002
0
67
08e4181de948f233776a0f937dd71cb7fa69e382
729
py
Python
Advent of Code 2020/Day 6 - Custom Customs.py
TecKnow/learning
71d1ddf9d580027ecc62a067581da378a9e85f6d
[ "BSD-3-Clause" ]
null
null
null
Advent of Code 2020/Day 6 - Custom Customs.py
TecKnow/learning
71d1ddf9d580027ecc62a067581da378a9e85f6d
[ "BSD-3-Clause" ]
null
null
null
Advent of Code 2020/Day 6 - Custom Customs.py
TecKnow/learning
71d1ddf9d580027ecc62a067581da378a9e85f6d
[ "BSD-3-Clause" ]
null
null
null
from typing import Iterable, Set if __name__ == "__main__": data = open("Day 6 Data.txt").read() data = parse_data(data) data = all_yes_in_group(data) print(sum(len(x) for x in data))
28.038462
77
0.66118
from typing import Iterable, Set def parse_data(data: str) -> list[set[str]]: data = data.split("\n\n") data = [group.split() for group in data] print(data) data = [[set(person) for person in group] for group in data] return data def any_yes_in_group(groups: Iterable[Iterable[Set[str]]]) -> list[set[str]]: groups = [set.union(*group) for group in groups] return groups def all_yes_in_group(groups: Iterable[Iterable[Set[str]]]) -> list[set[str]]: groups = [set.intersection(*group) for group in groups] return groups if __name__ == "__main__": data = open("Day 6 Data.txt").read() data = parse_data(data) data = all_yes_in_group(data) print(sum(len(x) for x in data))
456
0
69
6f1505ad8d2b42dab59273567a81b5fd27b24b08
3,648
py
Python
src/publishment_log_api.py
wnjustdoit/devops-py
54dd722a577c4b3ecda45aa85c067130fd292ab9
[ "Apache-2.0" ]
null
null
null
src/publishment_log_api.py
wnjustdoit/devops-py
54dd722a577c4b3ecda45aa85c067130fd292ab9
[ "Apache-2.0" ]
6
2021-04-08T20:46:56.000Z
2022-01-13T01:52:06.000Z
src/publishment_log_api.py
wnjustdoit/devops-py
54dd722a577c4b3ecda45aa85c067130fd292ab9
[ "Apache-2.0" ]
null
null
null
#!/usr/bin/python3 from flask import Blueprint, request, jsonify, make_response from sqlalchemy import or_ import demjson from datetime import timedelta, datetime from .entities.publishment_log import PublishmentLog, PublishmentLogSchema from .entities.entity import Session publishment_log_api = Blueprint('publishment_log_api', __name__) app = publishment_log_api # 查询发布日志列表 @app.route("/publishmentLog/list") # 获取发布日志详情 @app.route("/publishmentLog/<int:id>")
35.076923
104
0.676261
#!/usr/bin/python3 from flask import Blueprint, request, jsonify, make_response from sqlalchemy import or_ import demjson from datetime import timedelta, datetime from .entities.publishment_log import PublishmentLog, PublishmentLogSchema from .entities.entity import Session publishment_log_api = Blueprint('publishment_log_api', __name__) app = publishment_log_api # 查询发布日志列表 @app.route("/publishmentLog/list") def publishment_list(): publish_log_str = request.args.get('publishLog') current_page = request.args.get('current_page') page_size = int(request.args.get('page_size')) session = Session() try: base_statement = session.query(PublishmentLog).select_from(PublishmentLog) if publish_log_str is not None and publish_log_str != '': publish_log = demjson.decode(publish_log_str) name = publish_log.get('name') content = publish_log.get('content') publish_id = publish_log.get('publish_id') publish_type = publish_log.get('publish_type') publish_way = publish_log.get('publish_way') user_id = publish_log.get('user_id') if name is not None: base_statement = base_statement.filter(PublishmentLog.name.like('%' + name + '%')) if content is not None: base_statement = base_statement.filter(PublishmentLog.content.like('%' + content + '%')) if publish_id is not None and publish_id != '': base_statement = base_statement.filter(PublishmentLog.publish_id == int(publish_id)) if user_id is not None and user_id != '': base_statement = base_statement.filter(PublishmentLog.user_id == int(user_id)) if publish_type is not None: base_statement = base_statement.filter(PublishmentLog.publish_type == publish_type) if publish_way is not None: base_statement = base_statement.filter(PublishmentLog.publish_way == publish_way) base_statement = base_statement.order_by(PublishmentLog.created_at.desc()) publishment_objects = base_statement.limit(page_size).offset( (int(current_page) - 1) * page_size).all() if len(publishment_objects) != 0: publishment_counts = base_statement.count() else: publishment_counts = 0 finally: session.close() result_list = PublishmentLogSchema(many=True).dump(publishment_objects) result = {'data': result_list, 'total': publishment_counts} return jsonify(result) # 获取发布日志详情 @app.route("/publishmentLog/<int:id>") def publishment_detail(id): session = Session() try: result_object = session.query(PublishmentLog).filter(PublishmentLog.id == id).one_or_none() finally: session.close() result = PublishmentLogSchema().dump(result_object) return jsonify(result) def add_publishment_log(publishment_log): publishment_log.created_by = "Method invocation" session = Session() try: session.add(publishment_log) session.commit() session.refresh(publishment_log) session.expunge(publishment_log) finally: session.close() def clear_publishment_log(): delta = timedelta(days=-30) thirty_days_ago = datetime.now() + delta session = Session() try: session.query(PublishmentLog).filter(PublishmentLog.created_at <= thirty_days_ago).delete() session.commit() finally: session.close() def get_parameter(key): if request.get_json() is not None: return request.get_json().get(key) return None
3,063
0
113
367db37b555760269bd422dd3b19024d5d41a59e
883
py
Python
Ago-Dic-2021/castro-torres-maria-guadalupe/practica2/ejercicio-9-13.py
AnhellO/DAS_Sistemas
07b4eca78357d02d225d570033d05748d91383e3
[ "MIT" ]
41
2017-09-26T09:36:32.000Z
2022-03-19T18:05:25.000Z
Ago-Dic-2021/castro-torres-maria-guadalupe/practica2/ejercicio-9-13.py
AnhellO/DAS_Sistemas
07b4eca78357d02d225d570033d05748d91383e3
[ "MIT" ]
67
2017-09-11T05:06:12.000Z
2022-02-14T04:44:04.000Z
Ago-Dic-2021/castro-torres-maria-guadalupe/practica2/ejercicio-9-13.py
AnhellO/DAS_Sistemas
07b4eca78357d02d225d570033d05748d91383e3
[ "MIT" ]
210
2017-09-01T00:10:08.000Z
2022-03-19T18:05:12.000Z
from random import randint #Haga un dado de 6 caras y muestre los resultados de 10 tiradas. d6 = Die() results = [] for roll_num in range(10): result = d6.roll_die() results.append(result) print("\n10 rollos de un dado de 6 caras:") print(results) #Haga un dado de 10 caras y muestre los resultados de 10 tiradas. d10 = Die(sides=10) results = [] for roll_num in range(10): result = d10.roll_die() results.append(result) print("\n10 rollos de un dado de 10 caras:") print(results) #Haga un dado de 20 caras y muestre los resultados de 10 tiradas. d20 = Die(sides=20) results = [] for roll_num in range(10): result = d20.roll_die() results.append(result) print("\n10 rollos de un dado de 20 carase:") print(results)
22.075
65
0.684032
from random import randint class Die(): def __init__(self, sides=6): self.sides = sides def roll_die(self): return randint(1, self.sides) #Haga un dado de 6 caras y muestre los resultados de 10 tiradas. d6 = Die() results = [] for roll_num in range(10): result = d6.roll_die() results.append(result) print("\n10 rollos de un dado de 6 caras:") print(results) #Haga un dado de 10 caras y muestre los resultados de 10 tiradas. d10 = Die(sides=10) results = [] for roll_num in range(10): result = d10.roll_die() results.append(result) print("\n10 rollos de un dado de 10 caras:") print(results) #Haga un dado de 20 caras y muestre los resultados de 10 tiradas. d20 = Die(sides=20) results = [] for roll_num in range(10): result = d20.roll_die() results.append(result) print("\n10 rollos de un dado de 20 carase:") print(results)
70
-9
77
9d6a09b36eabe05c92c94b7622a4cf01a9379245
7,537
py
Python
settings/base.py
seanbradley/Simpletown
d14dffba5030b574be3e01f8792a97ec0c049df4
[ "Apache-2.0" ]
3
2015-10-23T13:00:02.000Z
2020-02-08T11:04:53.000Z
settings/base.py
seanbradley/Simpletown
d14dffba5030b574be3e01f8792a97ec0c049df4
[ "Apache-2.0" ]
null
null
null
settings/base.py
seanbradley/Simpletown
d14dffba5030b574be3e01f8792a97ec0c049df4
[ "Apache-2.0" ]
null
null
null
# DJANGO BASE SETTINGS import os, sys from os import environ from os.path import basename from unipath import Path ########## PATH CONFIGURATION PROJECT_DIR = Path(__file__).ancestor(2) MEDIA_ROOT = PROJECT_DIR.child("media") STATIC_ROOT = PROJECT_DIR.child("static") STATICFILES_DIRS = ( PROJECT_DIR.child("styles"), ) TEMPLATE_DIRS = ( PROJECT_DIR.child("templates"), ) ROOT_URLCONF = 'urls' # Site name... SITE_NAME = basename(PROJECT_DIR) ########## END PATH CONFIGURATION ########## EXCEPTION HANDLING # Normally you should not import ANYTHING from Django directly into your # settings, but ImproperlyConfigured is an exception. from django.core.exceptions import ImproperlyConfigured def get_env_variable(var_name): """ Get the environment setting or return exception """ try: return os.environ[var_name] except KeyError: error_msg = "Set the %s environment variable" % var_name raise ImproperlyConfigured(error_msg) ########## END EXCEPTION HANDLING ########## MEDIA CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#media-url MEDIA_URL = '/media/' #ADMIN_MEDIA_PREFIX = "" ########## END MEDIA CONFIGURATION ########## STATIC FILE CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#static-url STATIC_URL = '/static/' STATICFILES_FINDERS = ( 'django.contrib.staticfiles.finders.FileSystemFinder', 'django.contrib.staticfiles.finders.AppDirectoriesFinder', 'django.contrib.staticfiles.finders.DefaultStorageFinder', ) ########## END STATIC FILE CONFIGURATION ########## TEMPLATE CONFIGURATION TEMPLATE_LOADERS = ( 'django.template.loaders.filesystem.Loader', 'django.template.loaders.app_directories.Loader', # 'django.template.loaders.eggs.Loader', ) TEMPLATE_CONTEXT_PROCESSORS = ( 'django.core.context_processors.request', 'django.contrib.auth.context_processors.auth' ) ########## END TEMPLATE CONFIGURATION ########## DATABASE CONFIGURATION DATABASES = { 'default': { 'ENGINE': 'django.db.backends.postgresql_psycopg2', 'NAME': 'ubuntu', # Or path to database file if using sqlite3 'USER': 'ubuntu', # Change this in the Postgres shell 'PASSWORD': 'ubuntu', # Obviously, use a better password or environ variable for production 'HOST': 'localhost', # Empty for localhost through domain sockets or '127.0.0.1' for localhost through TCP 'PORT': '', # Set to empty string for default. } } ########## END DATABASE CONFIGURATION ########## MIDDLEWARE CONFIGURATION MIDDLEWARE_CLASSES = ( 'django.middleware.common.CommonMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', # Uncomment the next line for simple clickjacking protection: # 'django.middleware.clickjacking.XFrameOptionsMiddleware', ) ########## END MIDDLEWARE CONFIGURATION ########## APPS CONFIGURATION WSGI_APPLICATION = 'wsgi.application' INSTALLED_APPS = ( 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.messages', 'django.contrib.staticfiles', 'django.contrib.admin', 'south', 'registration', 'cities', 'cars' # Some add'l useful apps you might want to install if using SIMPLETOWN'S FAST LANE AMI #'django.contrib.admindocs', #'django-extensions', #to use, just uncomment this line #'djcelery' #to use, uncomment lines in CELERY CONFIGURATION below #'kombu.transport.django' #to use, uncomment lines in CELERY CONFIGURATION below ) ########## END APPS CONFIGURATION ########## CELERY CONFIGURATION #import djcelery #djcelery.setup.loader() #BROKER_URL = "django://" #use celeryd -l info ########## END CELERY CONFIGURATION ########## ADMNISTRATORS ADMINS = ( ('Your Name', 'you@yourdomain.com'), ) MANAGERS = ADMINS ########## END ADMNISTRATORS ########## USER REGISTRATION / ACTIVATION CONFIGURATION ACCOUNT_ACTIVATION_DAYS = 7 DEFAULT_FROM_EMAIL = 'webmaster@localhost' LOGIN_REDIRECT_URL = '/' ########## END USER REGISTRATION / ACTIVATION CONFIGURATION ########## EMAIL CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-backend EMAIL_BACKEND = 'django.core.mail.backends.smtp.EmailBackend' # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-host-password EMAIL_HOST_PASSWORD = environ.get('EMAIL_HOST_PASSWORD', '') # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-host-user EMAIL_HOST_USER = environ.get('EMAIL_HOST_USER', '') # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-subject-prefix EMAIL_SUBJECT_PREFIX = '[%s] ' % SITE_NAME # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-use-tls EMAIL_USE_TLS = True # See: https://docs.djangoproject.com/en/dev/ref/settings/#server-email SERVER_EMAIL = EMAIL_HOST_USER ########## END EMAIL CONFIGURATION ########## MISC SETTINGS # See: https://docs.djangoproject.com/en/dev/ref/settings/#secret-key SECRET_KEY = get_env_variable("SECRET_KEY") # Hosts/domain names that are valid for this site; required if DEBUG is False # See https://docs.djangoproject.com/en/1.5/ref/settings/#allowed-hosts ALLOWED_HOSTS = ["localhost", "127.0.0.1"] # Local time zone for this installation. Choices can be found here: # http://en.wikipedia.org/wiki/List_of_tz_zones_by_name although not all # choices may be available on all operating systems. On Unix systems, a value # of None will cause Django to use the same timezone as the operating system. # If running in a Windows environment this must be set to the same as your # system time zone. TIME_ZONE = 'America/Los_Angeles' # Language code for this installation. All choices can be found here: # http://www.i18nguy.com/unicode/language-identifiers.html. LANGUAGE_CODE = 'en-us' # The ID, as an integer, of the current site in the django_site database table. # This is used so that application data can hook into specific site(s) and a # single database can manage content for multiple sites. SITE_ID = 1 # If you set this to False, Django will make some optimizations so as not # to load the internationalization machinery. USE_I18N = False # If you set this to False, Django will not format dates, numbers and # calendars according to the current locale. USE_L10N = True ########## END MISC SETTINGS ########## DEBUG CONFIGURATION DEBUG = bool(os.environ.get('DEBUG', False)) ########## END DEBUG CONFIGURATION ########## LOG CONFIGURATION # A sample logging configuration. The only tangible logging performed by # this configuration is to send an email to the site admins on every # HTTP 500 error when DEBUG=False. # See http://docs.djangoproject.com/en/dev/topics/logging for more details LOGGING = { 'version': 1, 'disable_existing_loggers': False, 'filters': { 'require_debug_false': { '()': 'django.utils.log.RequireDebugFalse' } }, 'handlers': { 'mail_admins': { 'level': 'ERROR', 'filters': ['require_debug_false'], 'class': 'django.utils.log.AdminEmailHandler' } }, 'loggers': { 'django.request': { 'handlers': ['mail_admins'], 'level': 'ERROR', 'propagate': True, }, } } ########## END LOG CONFIGURATION
31.404167
117
0.69789
# DJANGO BASE SETTINGS import os, sys from os import environ from os.path import basename from unipath import Path ########## PATH CONFIGURATION PROJECT_DIR = Path(__file__).ancestor(2) MEDIA_ROOT = PROJECT_DIR.child("media") STATIC_ROOT = PROJECT_DIR.child("static") STATICFILES_DIRS = ( PROJECT_DIR.child("styles"), ) TEMPLATE_DIRS = ( PROJECT_DIR.child("templates"), ) ROOT_URLCONF = 'urls' # Site name... SITE_NAME = basename(PROJECT_DIR) ########## END PATH CONFIGURATION ########## EXCEPTION HANDLING # Normally you should not import ANYTHING from Django directly into your # settings, but ImproperlyConfigured is an exception. from django.core.exceptions import ImproperlyConfigured def get_env_variable(var_name): """ Get the environment setting or return exception """ try: return os.environ[var_name] except KeyError: error_msg = "Set the %s environment variable" % var_name raise ImproperlyConfigured(error_msg) ########## END EXCEPTION HANDLING ########## MEDIA CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#media-url MEDIA_URL = '/media/' #ADMIN_MEDIA_PREFIX = "" ########## END MEDIA CONFIGURATION ########## STATIC FILE CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#static-url STATIC_URL = '/static/' STATICFILES_FINDERS = ( 'django.contrib.staticfiles.finders.FileSystemFinder', 'django.contrib.staticfiles.finders.AppDirectoriesFinder', 'django.contrib.staticfiles.finders.DefaultStorageFinder', ) ########## END STATIC FILE CONFIGURATION ########## TEMPLATE CONFIGURATION TEMPLATE_LOADERS = ( 'django.template.loaders.filesystem.Loader', 'django.template.loaders.app_directories.Loader', # 'django.template.loaders.eggs.Loader', ) TEMPLATE_CONTEXT_PROCESSORS = ( 'django.core.context_processors.request', 'django.contrib.auth.context_processors.auth' ) ########## END TEMPLATE CONFIGURATION ########## DATABASE CONFIGURATION DATABASES = { 'default': { 'ENGINE': 'django.db.backends.postgresql_psycopg2', 'NAME': 'ubuntu', # Or path to database file if using sqlite3 'USER': 'ubuntu', # Change this in the Postgres shell 'PASSWORD': 'ubuntu', # Obviously, use a better password or environ variable for production 'HOST': 'localhost', # Empty for localhost through domain sockets or '127.0.0.1' for localhost through TCP 'PORT': '', # Set to empty string for default. } } ########## END DATABASE CONFIGURATION ########## MIDDLEWARE CONFIGURATION MIDDLEWARE_CLASSES = ( 'django.middleware.common.CommonMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', # Uncomment the next line for simple clickjacking protection: # 'django.middleware.clickjacking.XFrameOptionsMiddleware', ) ########## END MIDDLEWARE CONFIGURATION ########## APPS CONFIGURATION WSGI_APPLICATION = 'wsgi.application' INSTALLED_APPS = ( 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.messages', 'django.contrib.staticfiles', 'django.contrib.admin', 'south', 'registration', 'cities', 'cars' # Some add'l useful apps you might want to install if using SIMPLETOWN'S FAST LANE AMI #'django.contrib.admindocs', #'django-extensions', #to use, just uncomment this line #'djcelery' #to use, uncomment lines in CELERY CONFIGURATION below #'kombu.transport.django' #to use, uncomment lines in CELERY CONFIGURATION below ) ########## END APPS CONFIGURATION ########## CELERY CONFIGURATION #import djcelery #djcelery.setup.loader() #BROKER_URL = "django://" #use celeryd -l info ########## END CELERY CONFIGURATION ########## ADMNISTRATORS ADMINS = ( ('Your Name', 'you@yourdomain.com'), ) MANAGERS = ADMINS ########## END ADMNISTRATORS ########## USER REGISTRATION / ACTIVATION CONFIGURATION ACCOUNT_ACTIVATION_DAYS = 7 DEFAULT_FROM_EMAIL = 'webmaster@localhost' LOGIN_REDIRECT_URL = '/' ########## END USER REGISTRATION / ACTIVATION CONFIGURATION ########## EMAIL CONFIGURATION # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-backend EMAIL_BACKEND = 'django.core.mail.backends.smtp.EmailBackend' # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-host-password EMAIL_HOST_PASSWORD = environ.get('EMAIL_HOST_PASSWORD', '') # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-host-user EMAIL_HOST_USER = environ.get('EMAIL_HOST_USER', '') # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-subject-prefix EMAIL_SUBJECT_PREFIX = '[%s] ' % SITE_NAME # See: https://docs.djangoproject.com/en/dev/ref/settings/#email-use-tls EMAIL_USE_TLS = True # See: https://docs.djangoproject.com/en/dev/ref/settings/#server-email SERVER_EMAIL = EMAIL_HOST_USER ########## END EMAIL CONFIGURATION ########## MISC SETTINGS # See: https://docs.djangoproject.com/en/dev/ref/settings/#secret-key SECRET_KEY = get_env_variable("SECRET_KEY") # Hosts/domain names that are valid for this site; required if DEBUG is False # See https://docs.djangoproject.com/en/1.5/ref/settings/#allowed-hosts ALLOWED_HOSTS = ["localhost", "127.0.0.1"] # Local time zone for this installation. Choices can be found here: # http://en.wikipedia.org/wiki/List_of_tz_zones_by_name although not all # choices may be available on all operating systems. On Unix systems, a value # of None will cause Django to use the same timezone as the operating system. # If running in a Windows environment this must be set to the same as your # system time zone. TIME_ZONE = 'America/Los_Angeles' # Language code for this installation. All choices can be found here: # http://www.i18nguy.com/unicode/language-identifiers.html. LANGUAGE_CODE = 'en-us' # The ID, as an integer, of the current site in the django_site database table. # This is used so that application data can hook into specific site(s) and a # single database can manage content for multiple sites. SITE_ID = 1 # If you set this to False, Django will make some optimizations so as not # to load the internationalization machinery. USE_I18N = False # If you set this to False, Django will not format dates, numbers and # calendars according to the current locale. USE_L10N = True ########## END MISC SETTINGS ########## DEBUG CONFIGURATION DEBUG = bool(os.environ.get('DEBUG', False)) ########## END DEBUG CONFIGURATION ########## LOG CONFIGURATION # A sample logging configuration. The only tangible logging performed by # this configuration is to send an email to the site admins on every # HTTP 500 error when DEBUG=False. # See http://docs.djangoproject.com/en/dev/topics/logging for more details LOGGING = { 'version': 1, 'disable_existing_loggers': False, 'filters': { 'require_debug_false': { '()': 'django.utils.log.RequireDebugFalse' } }, 'handlers': { 'mail_admins': { 'level': 'ERROR', 'filters': ['require_debug_false'], 'class': 'django.utils.log.AdminEmailHandler' } }, 'loggers': { 'django.request': { 'handlers': ['mail_admins'], 'level': 'ERROR', 'propagate': True, }, } } ########## END LOG CONFIGURATION
0
0
0
6aa290c0076da15ca0764ac7f9ebdca3b87a8188
1,001
py
Python
tests/repository/test_determine_repo_dir_finds_existing_cookiecutter.py
bradleypmartin/cookiecutter
6540d2ad3b0ee3c30d9655171ef59b18d22ab0ed
[ "BSD-3-Clause" ]
1
2021-12-12T12:38:28.000Z
2021-12-12T12:38:28.000Z
tests/repository/test_determine_repo_dir_finds_existing_cookiecutter.py
bradleypmartin/cookiecutter
6540d2ad3b0ee3c30d9655171ef59b18d22ab0ed
[ "BSD-3-Clause" ]
1
2019-05-16T15:45:18.000Z
2019-05-16T15:45:18.000Z
tests/repository/test_determine_repo_dir_finds_existing_cookiecutter.py
bradleypmartin/cookiecutter
6540d2ad3b0ee3c30d9655171ef59b18d22ab0ed
[ "BSD-3-Clause" ]
null
null
null
# -*- coding: utf-8 -*- """Tests around detection whether cookiecutter templates are cached locally.""" import io import os import pytest from cookiecutter import repository @pytest.fixture @pytest.fixture
23.833333
79
0.744256
# -*- coding: utf-8 -*- """Tests around detection whether cookiecutter templates are cached locally.""" import io import os import pytest from cookiecutter import repository @pytest.fixture def template(): return 'cookiecutter-pytest-plugin' @pytest.fixture def cloned_cookiecutter_path(user_config_data, template): cookiecutters_dir = user_config_data['cookiecutters_dir'] cloned_template_path = os.path.join(cookiecutters_dir, template) os.mkdir(cloned_template_path) io.open(os.path.join(cloned_template_path, 'cookiecutter.json'), 'w') return cloned_template_path def test_should_find_existing_cookiecutter( template, user_config_data, cloned_cookiecutter_path): project_dir, cleanup = repository.determine_repo_dir( template, abbreviations={}, clone_to_dir=user_config_data['cookiecutters_dir'], checkout=None, no_input=True, ) assert cloned_cookiecutter_path == project_dir assert not cleanup
719
0
67
1ce81ae4c207ef9b43a665186c1864263af2fc92
787
py
Python
src/leetcode/Coding_Interviews/construct_binary_tree.py
highing666/leaving
c121ee2f61e45472bb71e2770d0697e902279a64
[ "MIT" ]
null
null
null
src/leetcode/Coding_Interviews/construct_binary_tree.py
highing666/leaving
c121ee2f61e45472bb71e2770d0697e902279a64
[ "MIT" ]
null
null
null
src/leetcode/Coding_Interviews/construct_binary_tree.py
highing666/leaving
c121ee2f61e45472bb71e2770d0697e902279a64
[ "MIT" ]
null
null
null
# -*- coding: utf-8 -*-
25.387097
78
0.56798
# -*- coding: utf-8 -*- class TreeNode: def __init__(self, x): super().__init__() self.val = x self.left = None self.right = None class Solution: def build_tree(self, preorder: List[int], inorder: List[int]) -> TreeNode: temp_dic = dict(enumerate(inorder)) self.dic = {v: k for k, v in temp_dic.items()} self.po = preorder return self.recur(0, 0, len(inorder) - 1) def recur(self, pre_root, in_left, in_right): if in_left > in_right: return root = TreeNode(self.po[pre_root]) i = self.dic[self.po[pre_root]] root.left = self.recur(pre_root + 1, in_left, i - 1) root.right = self.recur(i - in_left + pre_root + 1, i + 1, in_right) return root
646
-12
127
2c394234d26ea5e6fac9fa6bd05d0f5cbfa38813
1,299
py
Python
suanfa/quick_sort.py
nciefeiniu/python-test
d81fcfff8cdec724c3010d6b7a77aabad7f90595
[ "Apache-2.0" ]
null
null
null
suanfa/quick_sort.py
nciefeiniu/python-test
d81fcfff8cdec724c3010d6b7a77aabad7f90595
[ "Apache-2.0" ]
null
null
null
suanfa/quick_sort.py
nciefeiniu/python-test
d81fcfff8cdec724c3010d6b7a77aabad7f90595
[ "Apache-2.0" ]
null
null
null
#!/usr/bin/python3 # -*- coding: utf-8 -*- if __name__ == '__main__': # lists = [2,9,5,9,4,7,1,5,4] # quick_sort(lists,0, len(lists) - 1) # print(lists) lists2 = [1,1] quick_sort2(lists2, 0, len(lists2) - 1) print lists2
24.055556
65
0.538876
#!/usr/bin/python3 # -*- coding: utf-8 -*- def quick_sort(array, left, rigth): if left < rigth: q = partition(array, left, rigth) quick_sort(array, left, q - 1) quick_sort(array, q + 1, rigth) def partition(array, l, r): x = array[r] i = l - 1 for j in range(l, r): if array[j] <= x: i += 1 array[i], array[j] = array[j], array[i] print array array[i + 1], array[r] = array[r], array[i + 1] return i + 1 def doit(lists, left, right): _base_num = left _base = lists[_base_num] while right != left: while right != left and lists[right] >= _base: right -= 1 while right != left and lists[left] <= _base: left += 1 # print left, right lists[left], lists[right] = lists[right], lists[left] lists[left], lists[_base_num] = lists[_base_num], lists[left] print lists return left def quick_sort2(inputs, l, r): if l < r: q = doit(inputs, l, r) quick_sort2(inputs, l, q-1) quick_sort(inputs, q+1, r) if __name__ == '__main__': # lists = [2,9,5,9,4,7,1,5,4] # quick_sort(lists,0, len(lists) - 1) # print(lists) lists2 = [1,1] quick_sort2(lists2, 0, len(lists2) - 1) print lists2
956
0
92
cee81baa07bea28d1a6a883ec480a4c0db500333
1,702
py
Python
chapter_8/entry2.py
bimri/programming_python
ba52ccd18b9b4e6c5387bf4032f381ae816b5e77
[ "MIT" ]
null
null
null
chapter_8/entry2.py
bimri/programming_python
ba52ccd18b9b4e6c5387bf4032f381ae816b5e77
[ "MIT" ]
null
null
null
chapter_8/entry2.py
bimri/programming_python
ba52ccd18b9b4e6c5387bf4032f381ae816b5e77
[ "MIT" ]
null
null
null
"Entry" 'Laying Out Input Forms' # Entry widgets are often used to get # field values in form-like displays. # combines labels, entries, and frames to # achieve the multiple-input display """ use Entry widgets directly lay out by rows with fixed-width labels: this and grid are best for forms """ from tkinter import * from quitter import Quitter fields = 'Name', 'Job', 'Pay' if __name__ == '__main__': root = Tk() ents = makeform(root, fields) root.bind('<Return>', (lambda event: fetch(ents))) Button(root, text='Fetch', command= (lambda: fetch(ents))).pack(side=LEFT) Quitter(root).pack(side=RIGHT) root.mainloop() ''' Most of the art in form layout has to do with arranging widgets in a hierarchy. This script builds each label/entry row as a new Frame attached to the window’s current TOP; fixed-width labels are attached to the LEFT of their row, and entries to the RIGHT. Because each row is a distinct Frame, its contents are insulated from other packing going on in this window. The script also arranges for just the entry fields to grow vertically on a resize. '''
32.113208
89
0.648061
"Entry" 'Laying Out Input Forms' # Entry widgets are often used to get # field values in form-like displays. # combines labels, entries, and frames to # achieve the multiple-input display """ use Entry widgets directly lay out by rows with fixed-width labels: this and grid are best for forms """ from tkinter import * from quitter import Quitter fields = 'Name', 'Job', 'Pay' def fetch(entries): for entry in entries: print('Input => "%s"' % entry.get()) # get text def makeform(root, fields): entries = [] for field in fields: row = Frame(root) # make a new row lab = Label(row, width=5, text=field) # add label, entry ent = Entry(row) row.pack(side=TOP, fill=X) # pack row on top lab.pack(side=LEFT) ent.pack(side=RIGHT, expand=YES, fill=X) # grow horizontal entries.append(ent) return entries if __name__ == '__main__': root = Tk() ents = makeform(root, fields) root.bind('<Return>', (lambda event: fetch(ents))) Button(root, text='Fetch', command= (lambda: fetch(ents))).pack(side=LEFT) Quitter(root).pack(side=RIGHT) root.mainloop() ''' Most of the art in form layout has to do with arranging widgets in a hierarchy. This script builds each label/entry row as a new Frame attached to the window’s current TOP; fixed-width labels are attached to the LEFT of their row, and entries to the RIGHT. Because each row is a distinct Frame, its contents are insulated from other packing going on in this window. The script also arranges for just the entry fields to grow vertically on a resize. '''
535
0
46
2de5e47c6f2b0d5cac6777773e978fdad38c3dd3
3,497
py
Python
EtaPyScripts/getHistory.py
kd2eom/shuttletracker
d900055a78fd798f5375bed428cdd68843f5d5c7
[ "MIT" ]
null
null
null
EtaPyScripts/getHistory.py
kd2eom/shuttletracker
d900055a78fd798f5375bed428cdd68843f5d5c7
[ "MIT" ]
null
null
null
EtaPyScripts/getHistory.py
kd2eom/shuttletracker
d900055a78fd798f5375bed428cdd68843f5d5c7
[ "MIT" ]
null
null
null
import urllib.request import datetime as dt import json MAX_TIME_DIFFERENCE_MIN = 10 # function to open the JSON history file # function to load the history data from the JSON def time_in_range(start, end, x): """Return true if x is in the range [start, end]""" if start <= end: return start <= x <= end else: return start <= x or x <= end if __name__ == '__main__': # Get what day of the week it is today targetWeekday = dt.datetime.today().weekday() targetWeekday = 2 # manually hard-coded the day we want # Get what the current time is now targetTime = dt.datetime.now().time() targetTime = dt.time(22, 45, 50) # manually hard-coded the time we want # URL of the JSON file that contains the history of the shuttles. url = "https://shuttles.rpi.edu/history" # open and load the JSON response = response(url) data = loadJSON(response) # print(len(data)) # for i in data: # for j in i: # print(j["time"].split(":")) # print(i) print(getAvgVelocity(data, 1, targetTime, targetWeekday))
38.855556
128
0.612239
import urllib.request import datetime as dt import json MAX_TIME_DIFFERENCE_MIN = 10 # function to open the JSON history file def response(url): return urllib.request.urlopen(url) # function to load the history data from the JSON def loadJSON(response): return json.loads(response.read()) def time_in_range(start, end, x): """Return true if x is in the range [start, end]""" if start <= end: return start <= x <= end else: return start <= x or x <= end def getAvgVelocity(data, route_id, current_time, weekday): totalVelocity = 0 count = 0 for i in data: # each entry in i is a data entry about a shuttle, loop through all of these. for j in i: # extract relevant data from this entry dataArrayTime = j["time"].split(":") dataHour = int(dataArrayTime[0].split("T")[1]) dataMin = int(dataArrayTime[1]) dataTime = dt.time(dataHour, dataMin, 0) dataArrayDay = dataArrayTime[0].split('-') dataYear = int(dataArrayDay[0]) dataMonth = int(dataArrayDay[1]) dataDay = int(dataArrayDay[2].split('T')[0]) # get current weekday to prepare for ETA calculation day = dt.date(dataYear, dataMonth, dataDay) dataWeekday = day.weekday() # Only data from within 10 minutes of the current time should be considered in the ETA calculation. # Calculate start time (10 minutes before current time) and end time (10 minutes after current time). start = dt.time(current_time.hour, current_time.minute, current_time.second) tmp_startDate = dt.datetime.combine(dt.date(1,1,1), start) start = tmp_startDate - dt.timedelta(minutes=MAX_TIME_DIFFERENCE_MIN) start = start.time() end = tmp_startDate + dt.timedelta(minutes=MAX_TIME_DIFFERENCE_MIN) end = end.time() # Determine whether the data we are looking at is within this range inTimeRange = time_in_range(start, end, dataTime) # The ETA calculation only cares about shuttles running on the current weekday and on the specified route_id within # the time range. if this data entry fits these heuristics, consider it in the ETA calculation. If not, skip it. if j["route_id"] == route_id and dataWeekday == weekday and inTimeRange: totalVelocity += j["speed"] count += 1 else: continue # perform final calculation for ETA algorithm and return result. return totalVelocity/count if __name__ == '__main__': # Get what day of the week it is today targetWeekday = dt.datetime.today().weekday() targetWeekday = 2 # manually hard-coded the day we want # Get what the current time is now targetTime = dt.datetime.now().time() targetTime = dt.time(22, 45, 50) # manually hard-coded the time we want # URL of the JSON file that contains the history of the shuttles. url = "https://shuttles.rpi.edu/history" # open and load the JSON response = response(url) data = loadJSON(response) # print(len(data)) # for i in data: # for j in i: # print(j["time"].split(":")) # print(i) print(getAvgVelocity(data, 1, targetTime, targetWeekday))
2,274
0
71
b78bd21e6375a02ca53c446bd963eae360bfd98a
2,245
py
Python
scripts/delay_metrics.py
welvin21/pysimt
6250b33dc518b3195da4fc9cc8d32ba7ada958c0
[ "MIT" ]
34
2020-09-21T10:49:57.000Z
2022-01-08T04:50:42.000Z
scripts/delay_metrics.py
welvin21/pysimt
6250b33dc518b3195da4fc9cc8d32ba7ada958c0
[ "MIT" ]
2
2021-01-08T03:52:51.000Z
2021-09-10T07:45:05.000Z
scripts/delay_metrics.py
welvin21/pysimt
6250b33dc518b3195da4fc9cc8d32ba7ada958c0
[ "MIT" ]
5
2021-04-23T09:30:51.000Z
2022-01-09T08:40:45.000Z
#!/usr/bin/env python import os import sys from pathlib import Path import tabulate import sacrebleu from pysimt.metrics.simnmt import AVPScorer, AVLScorer """This script should be run from within the parent folder where each pysimt experiment resides.""" if __name__ == '__main__': results = {} trglang = sys.argv[1] if trglang not in ('en', 'de', 'fr', 'cs'): print(f'Usage: {sys.argv[0]} <target lang> [action files]') sys.exit(1) scorers = [ AVPScorer(add_trg_eos=False), AVLScorer(add_trg_eos=False), ] act_files = sys.argv[2:] # get test set test_sets = set([a.split('.')[1] for a in act_files]) assert len(test_sets) == 1, "Different test set files given" test_set = list(test_sets)[0] print(f'Test set is {test_set}, target language is {trglang}\n\n') ref_root = Path(__file__).parent / f'../data/multi30k/en-{trglang}' ref_file = ref_root / f'{test_set}.lc.norm.tok.{trglang}.dehyph' if ref_file.exists(): refs = read_lines_from_file(ref_file) else: raise RuntimeError(f'{ref_file} does not exist') for act_file in act_files: # Compute delay metrics scores = [s.compute_from_file(act_file) for s in scorers] results[act_file] = {s.name: s.score for s in scores} # try to reach hypothesis file hyp_file = act_file.replace('.acts', '.gs') if os.path.exists(hyp_file): hyps = read_lines_from_file(hyp_file) bleu = sacrebleu.corpus_bleu( hyps, [refs], tokenize='none', lowercase=False).score else: bleu = -1.0 results[act_file]['BLEU'] = bleu results[act_file]['Q/AVP'] = bleu / scores[0].score if results: headers = ['Name'] + list(next(iter(results.values())).keys()) results = [[name, *[scores[key] for key in headers[1:]]] for name, scores in results.items()] results = sorted(results, key=lambda x: x[headers.index('BLEU')]) print(tabulate.tabulate(results, headers=headers, floatfmt='.2f'))
30.337838
101
0.622717
#!/usr/bin/env python import os import sys from pathlib import Path import tabulate import sacrebleu from pysimt.metrics.simnmt import AVPScorer, AVLScorer """This script should be run from within the parent folder where each pysimt experiment resides.""" def read_lines_from_file(fname): lines = [] with open(fname) as f: for line in f: lines.append(line.strip()) return lines if __name__ == '__main__': results = {} trglang = sys.argv[1] if trglang not in ('en', 'de', 'fr', 'cs'): print(f'Usage: {sys.argv[0]} <target lang> [action files]') sys.exit(1) scorers = [ AVPScorer(add_trg_eos=False), AVLScorer(add_trg_eos=False), ] act_files = sys.argv[2:] # get test set test_sets = set([a.split('.')[1] for a in act_files]) assert len(test_sets) == 1, "Different test set files given" test_set = list(test_sets)[0] print(f'Test set is {test_set}, target language is {trglang}\n\n') ref_root = Path(__file__).parent / f'../data/multi30k/en-{trglang}' ref_file = ref_root / f'{test_set}.lc.norm.tok.{trglang}.dehyph' if ref_file.exists(): refs = read_lines_from_file(ref_file) else: raise RuntimeError(f'{ref_file} does not exist') for act_file in act_files: # Compute delay metrics scores = [s.compute_from_file(act_file) for s in scorers] results[act_file] = {s.name: s.score for s in scores} # try to reach hypothesis file hyp_file = act_file.replace('.acts', '.gs') if os.path.exists(hyp_file): hyps = read_lines_from_file(hyp_file) bleu = sacrebleu.corpus_bleu( hyps, [refs], tokenize='none', lowercase=False).score else: bleu = -1.0 results[act_file]['BLEU'] = bleu results[act_file]['Q/AVP'] = bleu / scores[0].score if results: headers = ['Name'] + list(next(iter(results.values())).keys()) results = [[name, *[scores[key] for key in headers[1:]]] for name, scores in results.items()] results = sorted(results, key=lambda x: x[headers.index('BLEU')]) print(tabulate.tabulate(results, headers=headers, floatfmt='.2f'))
132
0
23
24bfe0be0e8ee1aed884f49c89556868a8cc6a13
1,456
py
Python
API/urls.py
AnonC0DER/JobSearch
f7de8cc36011bf9e7494339c437da5596e745381
[ "Apache-2.0" ]
null
null
null
API/urls.py
AnonC0DER/JobSearch
f7de8cc36011bf9e7494339c437da5596e745381
[ "Apache-2.0" ]
null
null
null
API/urls.py
AnonC0DER/JobSearch
f7de8cc36011bf9e7494339c437da5596e745381
[ "Apache-2.0" ]
null
null
null
from django.urls import path, include from rest_framework.schemas import get_schema_view from rest_framework.documentation import include_docs_urls from API import views urlpatterns = [ path('', views.AllMethods.as_view(), name='all-methods'), path('docs/', include_docs_urls(title='JobSearch-docs')), path('job-search/<str:query>/', views.JobSearchView.as_view(), name='jobsearch'), path('job-search/', views.JobSearchView.as_view(), name='jobsearch'), path('linkedin/<str:query>/', views.LinkedinView.as_view(), name='linkedin'), path('linkedin/', views.LinkedinView.as_view(), name='linkedin'), path('e-estekhdam/<str:query>/', views.EestekhdamView.as_view(), name='e-estekhdam'), path('e-estekhdam/', views.EestekhdamView.as_view(), name='e-estekhdam'), path('yarijob/<str:query>/', views.YarijobView.as_view(), name='yarijob'), path('yarijob/', views.YarijobView.as_view(), name='yarijob'), path('karboom/<str:query>/', views.KarboomView.as_view(), name='karboom'), path('karboom/', views.KarboomView.as_view(), name='karboom'), path('jobinja/<str:query>/', views.JobinjaView.as_view(), name='jobinja'), path('jobinja/', views.JobinjaView.as_view(), name='jobinja'), path('schema/', get_schema_view( title='JobSearch-schema', description='JobSearch-schema', version='1.0.0' ), name='openapi-schema'), path('users/', include('users.urls'), name='users'), ]
50.206897
89
0.686126
from django.urls import path, include from rest_framework.schemas import get_schema_view from rest_framework.documentation import include_docs_urls from API import views urlpatterns = [ path('', views.AllMethods.as_view(), name='all-methods'), path('docs/', include_docs_urls(title='JobSearch-docs')), path('job-search/<str:query>/', views.JobSearchView.as_view(), name='jobsearch'), path('job-search/', views.JobSearchView.as_view(), name='jobsearch'), path('linkedin/<str:query>/', views.LinkedinView.as_view(), name='linkedin'), path('linkedin/', views.LinkedinView.as_view(), name='linkedin'), path('e-estekhdam/<str:query>/', views.EestekhdamView.as_view(), name='e-estekhdam'), path('e-estekhdam/', views.EestekhdamView.as_view(), name='e-estekhdam'), path('yarijob/<str:query>/', views.YarijobView.as_view(), name='yarijob'), path('yarijob/', views.YarijobView.as_view(), name='yarijob'), path('karboom/<str:query>/', views.KarboomView.as_view(), name='karboom'), path('karboom/', views.KarboomView.as_view(), name='karboom'), path('jobinja/<str:query>/', views.JobinjaView.as_view(), name='jobinja'), path('jobinja/', views.JobinjaView.as_view(), name='jobinja'), path('schema/', get_schema_view( title='JobSearch-schema', description='JobSearch-schema', version='1.0.0' ), name='openapi-schema'), path('users/', include('users.urls'), name='users'), ]
0
0
0
d2daa7ae70bee818986e98aee0fb44ecc814683b
1,755
py
Python
source/_cookbook/adaptive-steps.py
danielballan/docs
c6743c92769f76762a29d3fa4684a2dcbbfc6e4f
[ "BSD-2-Clause" ]
null
null
null
source/_cookbook/adaptive-steps.py
danielballan/docs
c6743c92769f76762a29d3fa4684a2dcbbfc6e4f
[ "BSD-2-Clause" ]
null
null
null
source/_cookbook/adaptive-steps.py
danielballan/docs
c6743c92769f76762a29d3fa4684a2dcbbfc6e4f
[ "BSD-2-Clause" ]
null
null
null
""" Use scans with adaptive step sizes ********************************** Problem ======= Concentrate measurement in regions of high variability, taking larger strides through flat regions. Approach ======== The *plans* in bluesky can be fully adaptive, determining one step at a time. A couple built-in plans provide this capability out of the box. Example Solution ================ The :func:`bluesky.plans.adaptive_scan` aims to maintain a certain delta in y between successive steps through x. After each step, it accounts for the local derivative and adjusts it step size accordingly. If it misses by a large margin, it takes a step backward (if allowed). """ import matplotlib.pyplot as plt from bluesky import RunEngine from bluesky.plans import adaptive_scan from bluesky.callbacks import LivePlot from bluesky.examples import motor, det # Do this if running the example interactively; # skip it when building the documentation. import os if 'BUILDING_DOCS' not in os.environ: from bluesky.utils import install_qt_kicker # for notebooks, qt -> nb install_qt_kicker() plt.ion() det.exposure_time = 0.5 # simulate slow exposures RE = RunEngine({}) RE(adaptive_scan([det], 'det', motor, start=-15, stop=10, min_step=0.01, max_step=5, target_delta=.05, backstep=True), LivePlot('det', 'motor', markersize=10, marker='o')) ############################################################################### # Observe how the scan lengthens its stride through the flat regions, oversteps # through the peak, moves back, samples it with smaller steps, and gradually # adopts a larger stride as the peak flattens out again.
30.789474
79
0.658689
""" Use scans with adaptive step sizes ********************************** Problem ======= Concentrate measurement in regions of high variability, taking larger strides through flat regions. Approach ======== The *plans* in bluesky can be fully adaptive, determining one step at a time. A couple built-in plans provide this capability out of the box. Example Solution ================ The :func:`bluesky.plans.adaptive_scan` aims to maintain a certain delta in y between successive steps through x. After each step, it accounts for the local derivative and adjusts it step size accordingly. If it misses by a large margin, it takes a step backward (if allowed). """ import matplotlib.pyplot as plt from bluesky import RunEngine from bluesky.plans import adaptive_scan from bluesky.callbacks import LivePlot from bluesky.examples import motor, det # Do this if running the example interactively; # skip it when building the documentation. import os if 'BUILDING_DOCS' not in os.environ: from bluesky.utils import install_qt_kicker # for notebooks, qt -> nb install_qt_kicker() plt.ion() det.exposure_time = 0.5 # simulate slow exposures RE = RunEngine({}) RE(adaptive_scan([det], 'det', motor, start=-15, stop=10, min_step=0.01, max_step=5, target_delta=.05, backstep=True), LivePlot('det', 'motor', markersize=10, marker='o')) ############################################################################### # Observe how the scan lengthens its stride through the flat regions, oversteps # through the peak, moves back, samples it with smaller steps, and gradually # adopts a larger stride as the peak flattens out again.
0
0
0
4dea91b9cd779b6f10ca196f05d5324b9b5207f4
831
py
Python
omin/tests/test_core.py
dmpio/omin
bedb36eafe681401c11d562f8d7117aad3d758d7
[ "Unlicense" ]
null
null
null
omin/tests/test_core.py
dmpio/omin
bedb36eafe681401c11d562f8d7117aad3d758d7
[ "Unlicense" ]
null
null
null
omin/tests/test_core.py
dmpio/omin
bedb36eafe681401c11d562f8d7117aad3d758d7
[ "Unlicense" ]
1
2021-12-29T16:55:05.000Z
2021-12-29T16:55:05.000Z
import os from glob import glob from ..core import containers from ..core import handles here = os.getcwd() example_data_dir = os.path.join(os.path.split(here)[0], "example_data", "_data") # print(glob(example_data_dir+"/*")) mcd_def_malonylation_file_list = os.path.join(example_data_dir, "mcd_def_malonylation", "*") mcd_def_malonylation_file_list = glob(mcd_def_malonylation_file_list)
25.96875
92
0.777377
import os from glob import glob from ..core import containers from ..core import handles here = os.getcwd() example_data_dir = os.path.join(os.path.split(here)[0], "example_data", "_data") # print(glob(example_data_dir+"/*")) mcd_def_malonylation_file_list = os.path.join(example_data_dir, "mcd_def_malonylation", "*") mcd_def_malonylation_file_list = glob(mcd_def_malonylation_file_list) def test_containers_peptide_groups(): peptide_groups = containers.PeptideGroups(mcd_def_malonylation_file_list[0]) assert type(peptide_groups) != None def test_containers_proteins(): proteins = containers.Proteins(mcd_def_malonylation_file_list[-1]) assert type(proteins) != None def test_handles_process(): process = handles.Process(file_list=mcd_def_malonylation_file_list) assert type(process) != None
363
0
69
bd697495975dc88f527e2bc1be0af1d792673636
8,238
py
Python
scripts/sorno_amazon_reviews_scrape.py
hermantai/sorno-py-scripts
2d2d7e942a799161934f4338bfe12c2ff671ca58
[ "Apache-2.0" ]
null
null
null
scripts/sorno_amazon_reviews_scrape.py
hermantai/sorno-py-scripts
2d2d7e942a799161934f4338bfe12c2ff671ca58
[ "Apache-2.0" ]
null
null
null
scripts/sorno_amazon_reviews_scrape.py
hermantai/sorno-py-scripts
2d2d7e942a799161934f4338bfe12c2ff671ca58
[ "Apache-2.0" ]
null
null
null
#!/usr/bin/env python """A script to scrape Amazon product reviews from the web page. Copyright 2014 Heung Ming Tai Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ from __future__ import print_function from __future__ import absolute_import from __future__ import division from __future__ import unicode_literals import argparse import logging import os import random import sys import time import urllib import urlparse import requests from lxml import html from sorno import loggingutil _log = logging.getLogger() _plain_logger = None # will be created in main() if __name__ == '__main__': main()
31.684615
180
0.617019
#!/usr/bin/env python """A script to scrape Amazon product reviews from the web page. Copyright 2014 Heung Ming Tai Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. """ from __future__ import print_function from __future__ import absolute_import from __future__ import division from __future__ import unicode_literals import argparse import logging import os import random import sys import time import urllib import urlparse import requests from lxml import html from sorno import loggingutil _log = logging.getLogger() _plain_logger = None # will be created in main() class App(object): HEADERS = { 'user-agent': 'Mozilla/5.0 ;Windows NT 6.1; WOW64; Trident/7.0; rv:11.0; like Gecko', } def __init__(self, url, stop_at=-1): self.url = url self.stop_at = stop_at def run(self): _log.info("Given url: %s", self.url) url, cur_page_num = self.get_main_url_and_page_number(self.url) _log.info("Main url: %s", url) if self.stop_at > 0 and self.stop_at < cur_page_num: _log.info("Not fetching page number %s", cur_page_num) return _log.info("Fetch page %d", cur_page_num) initial_page_tree = self.get_tree_from_url(url) prev_page_items = None cur_page_items = self.get_items_from_page_tree(initial_page_tree) all_items = list(cur_page_items) while prev_page_items != cur_page_items: # sleep a little bit to avoid being characterized as a bot time.sleep(random.uniform(0.5, 2)) prev_page_items = cur_page_items cur_page_num += 1 if self.stop_at > 0 and self.stop_at < cur_page_num: _log.info("Not fetching page number %s", cur_page_num) break new_url = url + "?pageNumber=" + str(cur_page_num) _log.info("Fetch page %s", cur_page_num) cur_page_items = self.get_items_from_page_tree( self.get_tree_from_url(new_url) ) _log.debug("%s items fetched", len(cur_page_items)) all_items.extend(cur_page_items) for item in all_items: review_content = item['review'] print(review_content.encode('utf8')) print("-" * 70) def get_main_url_and_page_number(self, url): """Get the product reviews page url and the starting page number. Args: url (str): The url for the product either the product page or the product reviews page. Returns: Returns the product reviews page url and the starting page number. This method will try to get the product reviews page, without all the junk queries. """ url = self._ensure_product_reviews_url(url) n = 1 parsed = urlparse.urlparse(url) query = parsed.query query_list = urlparse.parse_qsl(query) # capture the pageNumber in query, and leave other as is for k, v in query_list: if k == "pageNumber": n = int(v) modified_parsed = urlparse.ParseResult( scheme=parsed.scheme, netloc=parsed.netloc, path=parsed.path, params=parsed.params, # not setting the query since it's really not needed" query=None, fragment=parsed.fragment, ) return modified_parsed.geturl(), n def _ensure_product_reviews_url(self, url): """Ensures the url is a product reviews page. The url maybe referring to the product page not the reviews, so we need to get the product reviews page if necessary. """ if "/product-reviews/" in url: return url else: _log.info( "It's not a \"All customer reviews\" url, will try to fetch" + " the correct one" ) tree = self.get_tree_from_url(url) reviews_anchors = tree.xpath( "//*[@id='revF']/div/a[contains(@href, '/product-reviews/')]" ) product_reviews_url = None for anchor in reviews_anchors: _log.info( "Potential product reviews url: %s", anchor.attrib['href'], ) if not product_reviews_url: product_reviews_url = anchor.attrib['href'] url_query = urlparse.urlparse(product_reviews_url).query if not url_query: product_reviews_url += "?pageNumber=1" return product_reviews_url def get_tree_from_url(self, url): _log.debug("Fetch from url [%s]", url) website_text = requests.get(url, headers=self.HEADERS).text return html.fromstring(website_text) def get_items_from_page_tree(self, tree): """Get all review items for the page Args: tree: The page's dom tree. Returns: A list of items. Each item is a dictionary with the following fields (each key is a str): review (str): the review content """ review_elements = self.get_reviews_from_node(tree) reviews = [] for review_element in review_elements: review = {} review['review'] = self.get_text_from_element(review_element) reviews.append(review) return reviews def get_reviews_from_node(self, node): reviews = node.xpath("//span[@class='a-size-base review-text']") return reviews def get_text_from_element(self, node): """ Return a plain text representation of an html node. """ text_segments = [] self._collect_text_from_element(node, text_segments) return "".join(text_segments) def _collect_text_from_element(self, node, text_segments): """ Collect text from node and all its children recursively and put into text_segments as a list of strings. """ if node.tag.lower() == "br": text_segments.append(os.linesep) if node.text: text_segments.append(node.text) for child in node: self._collect_text_from_element(child, text_segments) if node.tail: text_segments.append(node.tail) def parse_args(cmd_args): description = """ A script to scrape Amazon product reviews """ parser = argparse.ArgumentParser( description=description, # formatter_class=argparse.RawDescriptionHelpFormatter, ) parser.add_argument( "--debug", action="store_true", ) parser.add_argument( "--stop-at", type=int, default=-1, help="Stop fetching more reviews at this page", ) parser.add_argument( "url", help="The url that point to all reviews of an Amazon product. You" + " probably want to single-quote the url when running this" + " script in the command line because the url probably contains" + " shell characters. An example of a url is:" + " http://www.amazon.com/Ito-En-Beverage-Unsweetened-Bottles/product-reviews/B0017T2MWW/ref=cm_cr_dp_see_all_summary?ie=UTF8&showViewpoints=1&sortBy=byRankDescending", ) args = parser.parse_args(cmd_args) return args def main(): global _plain_logger args = parse_args(sys.argv[1:]) loggingutil.setup_logger(_log, debug=args.debug) _plain_logger = loggingutil.create_plain_logger("PLAIN") app = App(args.url, stop_at=args.stop_at) app.run() if __name__ == '__main__': main()
3,047
3,985
69
1a427c8ac3d169c181d0904d196f7f6c4144ad60
12,573
py
Python
packages/main/src/RPA/Desktop/__init__.py
amisol/rpaframework
b1ee8a745a8e4d7bd41fa7765b26ab02b90cfb57
[ "Apache-2.0" ]
518
2020-05-29T11:39:34.000Z
2022-03-31T22:04:08.000Z
packages/main/src/RPA/Desktop/__init__.py
amisol/rpaframework
b1ee8a745a8e4d7bd41fa7765b26ab02b90cfb57
[ "Apache-2.0" ]
316
2020-05-29T06:09:28.000Z
2022-03-31T12:00:33.000Z
packages/main/src/RPA/Desktop/__init__.py
amisol/rpaframework
b1ee8a745a8e4d7bd41fa7765b26ab02b90cfb57
[ "Apache-2.0" ]
99
2020-05-27T20:23:54.000Z
2022-03-26T02:57:35.000Z
import logging import platform import sys import warnings if platform.system() == "Windows": # Configure comtypes to not generate DLL bindings into # current environment, instead keeping them in memory. # Slower, but prevents dirtying environments. import comtypes.client comtypes.client.gen_dir = None # Ignore pywinauto warning about threading mode, # which comtypes initializes to STA instead of MTA on import. with warnings.catch_warnings(): warnings.simplefilter("ignore", category=UserWarning) import pywinauto # pylint: disable=wrong-import-position from robotlibcore import DynamicCore from RPA.Desktop.utils import Buffer, is_windows from RPA.Desktop.keywords import ( ElementNotFound, MultipleElementsFound, TimeoutException, ApplicationKeywords, ClipboardKeywords, FinderKeywords, KeyboardKeywords, MouseKeywords, ScreenKeywords, TextKeywords, ) class Desktop(DynamicCore): """`Desktop` is a cross-platform library for navigating and interacting with desktop environments. It can be used to automate applications through the same interfaces that are available to human users. The library includes the following features: - Mouse and keyboard input emulation - Starting and stopping applications - Finding elements through image template matching - Scraping text from given regions - Taking screenshots - Clipboard management .. warning:: Windows element selectors are not currently supported, and require the use of ``RPA.Desktop.Windows`` **Installation** The basic features such as mouse and keyboard input and application control work with a default ``rpaframework`` install. Advanced computer-vision features such as image template matching and OCR require an additional library called ``rpaframework-recognition``. The dependency can be either added separately or through additional extras with ``rpaframework[cv]``. If installing recognition through ``pip`` instead of ``conda``, the OCR feature also requires ``tesseract``. **Locating elements** To automate actions on the desktop, a robot needs to interact with various graphical elements such as buttons or input fields. The locations of these elements can be found using a feature called `locators`. A locator describes the properties or features of an element. This information can be later used to locate similar elements even when window positions or states change. The currently supported locator types are: =========== ================================================ =========== Name Arguments Description =========== ================================================ =========== alias name (str) A custom named locator from the locator database, the default. image path (str) Image of an element that is matched to current screen content. point x (int), y (int) Pixel coordinates as absolute position. offset x (int), y (int) Pixel coordinates relative to current mouse position. size width (int), height (int) Region of fixed size, around point or screen top-left region left (int), top (int), right (int), bottom (int) Bounding coordinates for a rectangular region. ocr text (str), confidence (float, optional) Text to find from the current screen. =========== ================================================ =========== A locator is defined by its type and arguments, divided by a colon. Some example usages are shown below. Note that the prefix for ``alias`` can be omitted as its the default type. .. code-block:: robotframework Click point:50,100 Click region:20,20,100,30 Move mouse image:%{ROBOT_ROOT}/logo.png Move mouse offset:200,0 Click Click alias:SpareBin.Login Click SpareBin.Login Click ocr:"Create New Account" You can also pass internal ``region`` objects as locators: .. code-block:: robotframework ${region}= Find Element ocr:"Customer name" Click ${region} **Locator chaining** Often it is not enough to have one locator, but instead an element is defined through a relationship of various locators. For this use case the library supports a special syntax, which we will call locator chaining. An example of chaining: .. code-block:: robotframework # Read text from area on the right side of logo Read text image:logo.png + offset:600,0 + size:400,200 The supported operators are: ========== ========================================= Operator Description ========== ========================================= then, + Base locator relative to the previous one and, &&, & Both locators should be found or, ||, | Either of the locators should be found not, ! The locator should not be found ========== ========================================= Further examples: .. code-block:: robotframework # Click below either label Click (image:name.png or image:email.png) then offset:0,300 # Wait until dialog disappears Wait for element not image:cookie.png **Named locators** The library supports storing locators in a database, which contains all of the required fields and various bits of metadata. This enables having one source of truth, which can be updated if a website's or applications's UI changes. Robot Framework scripts can then only contain a reference to a stored locator by name. The main way to create named locators is with `Robocorp Lab`_. .. _Robocorp Lab: https://robocorp.com/docs/product-manuals/robocorp-lab/robocorp-lab-overview **Keyboard and mouse** Keyboard keywords can emulate typing text, but also pressing various function keys. The name of a key is case-insensitive and spaces will be converted to underscores, i.e. the key ``Page Down`` and ``page_down`` are equivalent. The following function keys are supported: =============== =========== Key Description =============== =========== shift A generic Shift key. This is a modifier. shift_l The left Shift key. This is a modifier. shift_r The right Shift key. This is a modifier. ctrl A generic Ctrl key. This is a modifier. ctrl_l he left Ctrl key. This is a modifier. ctrl_r The right Ctrl key. This is a modifier. alt A generic Alt key. This is a modifier. alt_l The left Alt key. This is a modifier. alt_r The right Alt key. This is a modifier. alt_gr The AltGr key. This is a modifier. cmd A generic command button (Windows / Command / Super key). This may be a modifier. cmd_l The left command button (Windows / Command / Super key). This may be a modifier. cmd_r The right command button (Windows / Command / Super key). This may be a modifier. up An up arrow key. down A down arrow key. left A left arrow key. right A right arrow key. enter The Enter or Return key. space The Space key. tab The Tab key. backspace The Backspace key. delete The Delete key. esc The Esc key. home The Home key. end The End key. page_down The Page Down key. page_up The Page Up key. caps_lock The Caps Lock key. f1 to f20 The function keys. insert The Insert key. This may be undefined for some platforms. menu The Menu key. This may be undefined for some platforms. num_lock The Num Lock key. This may be undefined for some platforms. pause The Pause / Break key. This may be undefined for some platforms. print_screen The Print Screen key. This may be undefined for some platforms. scroll_lock The Scroll Lock key. This may be undefined for some platforms. =============== =========== When controlling the mouse, there are different types of actions that can be done. Same formatting rules as function keys apply. They are as follows: ============ =========== Action Description ============ =========== click Click with left mouse button left_click Click with left mouse button double_click Double click with left mouse button triple_click Triple click with left mouse button right_click Click with right mouse button ============ =========== The supported mouse button types are ``left``, ``right``, and ``middle``. **Examples** Both Robot Framework and Python examples follow. The library must be imported first. .. code-block:: robotframework *** Settings *** Library RPA.Desktop .. code-block:: python from RPA.Desktop import Desktop desktop = Desktop() The library can open applications and interact with them through keyboard and mouse events. .. code-block:: robotframework *** Keywords *** Write entry in accounting [Arguments] ${entry} Open application erp_client.exe Click image:%{ROBOT_ROOT}/images/create.png Type text ${entry} Press keys ctrl s Press keys enter .. code-block:: python def write_entry_in_accounting(entry): desktop.open_application("erp_client.exe") desktop.click(f"image:{ROBOT_ROOT}/images/create.png") desktop.type_text(entry) desktop.press_keys("ctrl", "s") desktop.press_keys("enter") Targeting can be currently done using coordinates (absolute or relative), but using template matching is preferred. .. code-block:: robotframework *** Keywords *** Write to field [Arguments] ${text} Move mouse image:input_label.png Move mouse offset:200,0 Click Type text ${text} Press keys enter .. code-block:: python def write_to_field(text): desktop.move_mouse("image:input_label.png") desktop.move_mouse("offset:200,0") desktop.click() desktop.type_text(text) desktop.press_keys("enter") Elements can be found by text too. .. code-block:: robotframework *** Keywords *** Click New Click ocr:New .. code-block:: python def click_new(): desktop.click('ocr:"New"') It is recommended to wait for the elements to be visible before trying any interaction. You can also pass ``region`` objects as locators. .. code-block:: robotframework *** Keywords *** Click New ${region}= Wait For element ocr:New Click ${region} .. code-block:: python def click_new(): region = desktop.wait_for_element("ocr:New") desktop.click(region) Another way to find elements by offsetting from an anchor: .. code-block:: robotframework *** Keywords *** Type Notes [Arguments] ${text} Click With Offset ocr:Notes 500 0 Type Text ${text} .. code-block:: python def type_notes(text): desktop.click_with_offset("ocr:Notes", 500, 0) desktop.type_text(text) """ # noqa: E501 ROBOT_LIBRARY_SCOPE = "GLOBAL" ROBOT_LIBRARY_DOC_FORMAT = "REST"
35.516949
127
0.60447
import logging import platform import sys import warnings if platform.system() == "Windows": # Configure comtypes to not generate DLL bindings into # current environment, instead keeping them in memory. # Slower, but prevents dirtying environments. import comtypes.client comtypes.client.gen_dir = None # Ignore pywinauto warning about threading mode, # which comtypes initializes to STA instead of MTA on import. with warnings.catch_warnings(): warnings.simplefilter("ignore", category=UserWarning) import pywinauto # pylint: disable=wrong-import-position from robotlibcore import DynamicCore from RPA.Desktop.utils import Buffer, is_windows from RPA.Desktop.keywords import ( ElementNotFound, MultipleElementsFound, TimeoutException, ApplicationKeywords, ClipboardKeywords, FinderKeywords, KeyboardKeywords, MouseKeywords, ScreenKeywords, TextKeywords, ) class Desktop(DynamicCore): """`Desktop` is a cross-platform library for navigating and interacting with desktop environments. It can be used to automate applications through the same interfaces that are available to human users. The library includes the following features: - Mouse and keyboard input emulation - Starting and stopping applications - Finding elements through image template matching - Scraping text from given regions - Taking screenshots - Clipboard management .. warning:: Windows element selectors are not currently supported, and require the use of ``RPA.Desktop.Windows`` **Installation** The basic features such as mouse and keyboard input and application control work with a default ``rpaframework`` install. Advanced computer-vision features such as image template matching and OCR require an additional library called ``rpaframework-recognition``. The dependency can be either added separately or through additional extras with ``rpaframework[cv]``. If installing recognition through ``pip`` instead of ``conda``, the OCR feature also requires ``tesseract``. **Locating elements** To automate actions on the desktop, a robot needs to interact with various graphical elements such as buttons or input fields. The locations of these elements can be found using a feature called `locators`. A locator describes the properties or features of an element. This information can be later used to locate similar elements even when window positions or states change. The currently supported locator types are: =========== ================================================ =========== Name Arguments Description =========== ================================================ =========== alias name (str) A custom named locator from the locator database, the default. image path (str) Image of an element that is matched to current screen content. point x (int), y (int) Pixel coordinates as absolute position. offset x (int), y (int) Pixel coordinates relative to current mouse position. size width (int), height (int) Region of fixed size, around point or screen top-left region left (int), top (int), right (int), bottom (int) Bounding coordinates for a rectangular region. ocr text (str), confidence (float, optional) Text to find from the current screen. =========== ================================================ =========== A locator is defined by its type and arguments, divided by a colon. Some example usages are shown below. Note that the prefix for ``alias`` can be omitted as its the default type. .. code-block:: robotframework Click point:50,100 Click region:20,20,100,30 Move mouse image:%{ROBOT_ROOT}/logo.png Move mouse offset:200,0 Click Click alias:SpareBin.Login Click SpareBin.Login Click ocr:"Create New Account" You can also pass internal ``region`` objects as locators: .. code-block:: robotframework ${region}= Find Element ocr:"Customer name" Click ${region} **Locator chaining** Often it is not enough to have one locator, but instead an element is defined through a relationship of various locators. For this use case the library supports a special syntax, which we will call locator chaining. An example of chaining: .. code-block:: robotframework # Read text from area on the right side of logo Read text image:logo.png + offset:600,0 + size:400,200 The supported operators are: ========== ========================================= Operator Description ========== ========================================= then, + Base locator relative to the previous one and, &&, & Both locators should be found or, ||, | Either of the locators should be found not, ! The locator should not be found ========== ========================================= Further examples: .. code-block:: robotframework # Click below either label Click (image:name.png or image:email.png) then offset:0,300 # Wait until dialog disappears Wait for element not image:cookie.png **Named locators** The library supports storing locators in a database, which contains all of the required fields and various bits of metadata. This enables having one source of truth, which can be updated if a website's or applications's UI changes. Robot Framework scripts can then only contain a reference to a stored locator by name. The main way to create named locators is with `Robocorp Lab`_. .. _Robocorp Lab: https://robocorp.com/docs/product-manuals/robocorp-lab/robocorp-lab-overview **Keyboard and mouse** Keyboard keywords can emulate typing text, but also pressing various function keys. The name of a key is case-insensitive and spaces will be converted to underscores, i.e. the key ``Page Down`` and ``page_down`` are equivalent. The following function keys are supported: =============== =========== Key Description =============== =========== shift A generic Shift key. This is a modifier. shift_l The left Shift key. This is a modifier. shift_r The right Shift key. This is a modifier. ctrl A generic Ctrl key. This is a modifier. ctrl_l he left Ctrl key. This is a modifier. ctrl_r The right Ctrl key. This is a modifier. alt A generic Alt key. This is a modifier. alt_l The left Alt key. This is a modifier. alt_r The right Alt key. This is a modifier. alt_gr The AltGr key. This is a modifier. cmd A generic command button (Windows / Command / Super key). This may be a modifier. cmd_l The left command button (Windows / Command / Super key). This may be a modifier. cmd_r The right command button (Windows / Command / Super key). This may be a modifier. up An up arrow key. down A down arrow key. left A left arrow key. right A right arrow key. enter The Enter or Return key. space The Space key. tab The Tab key. backspace The Backspace key. delete The Delete key. esc The Esc key. home The Home key. end The End key. page_down The Page Down key. page_up The Page Up key. caps_lock The Caps Lock key. f1 to f20 The function keys. insert The Insert key. This may be undefined for some platforms. menu The Menu key. This may be undefined for some platforms. num_lock The Num Lock key. This may be undefined for some platforms. pause The Pause / Break key. This may be undefined for some platforms. print_screen The Print Screen key. This may be undefined for some platforms. scroll_lock The Scroll Lock key. This may be undefined for some platforms. =============== =========== When controlling the mouse, there are different types of actions that can be done. Same formatting rules as function keys apply. They are as follows: ============ =========== Action Description ============ =========== click Click with left mouse button left_click Click with left mouse button double_click Double click with left mouse button triple_click Triple click with left mouse button right_click Click with right mouse button ============ =========== The supported mouse button types are ``left``, ``right``, and ``middle``. **Examples** Both Robot Framework and Python examples follow. The library must be imported first. .. code-block:: robotframework *** Settings *** Library RPA.Desktop .. code-block:: python from RPA.Desktop import Desktop desktop = Desktop() The library can open applications and interact with them through keyboard and mouse events. .. code-block:: robotframework *** Keywords *** Write entry in accounting [Arguments] ${entry} Open application erp_client.exe Click image:%{ROBOT_ROOT}/images/create.png Type text ${entry} Press keys ctrl s Press keys enter .. code-block:: python def write_entry_in_accounting(entry): desktop.open_application("erp_client.exe") desktop.click(f"image:{ROBOT_ROOT}/images/create.png") desktop.type_text(entry) desktop.press_keys("ctrl", "s") desktop.press_keys("enter") Targeting can be currently done using coordinates (absolute or relative), but using template matching is preferred. .. code-block:: robotframework *** Keywords *** Write to field [Arguments] ${text} Move mouse image:input_label.png Move mouse offset:200,0 Click Type text ${text} Press keys enter .. code-block:: python def write_to_field(text): desktop.move_mouse("image:input_label.png") desktop.move_mouse("offset:200,0") desktop.click() desktop.type_text(text) desktop.press_keys("enter") Elements can be found by text too. .. code-block:: robotframework *** Keywords *** Click New Click ocr:New .. code-block:: python def click_new(): desktop.click('ocr:"New"') It is recommended to wait for the elements to be visible before trying any interaction. You can also pass ``region`` objects as locators. .. code-block:: robotframework *** Keywords *** Click New ${region}= Wait For element ocr:New Click ${region} .. code-block:: python def click_new(): region = desktop.wait_for_element("ocr:New") desktop.click(region) Another way to find elements by offsetting from an anchor: .. code-block:: robotframework *** Keywords *** Type Notes [Arguments] ${text} Click With Offset ocr:Notes 500 0 Type Text ${text} .. code-block:: python def type_notes(text): desktop.click_with_offset("ocr:Notes", 500, 0) desktop.type_text(text) """ # noqa: E501 ROBOT_LIBRARY_SCOPE = "GLOBAL" ROBOT_LIBRARY_DOC_FORMAT = "REST" def __init__(self): self.logger = logging.getLogger(__name__) self.buffer = Buffer(self.logger) # Register keyword libraries to LibCore libraries = [ ApplicationKeywords(self), ClipboardKeywords(self), FinderKeywords(self), KeyboardKeywords(self), MouseKeywords(self), ScreenKeywords(self), TextKeywords(self), ] super().__init__(libraries)
452
0
27
59b84ef4a9a48883be034dda7e131c71dfb4f73d
2,857
py
Python
pyavd/Models/Components/Payload.py
AVD-2021/PyAVD
a3a45d97199e80bf98560b08bcd09708c1a0513a
[ "Apache-2.0" ]
null
null
null
pyavd/Models/Components/Payload.py
AVD-2021/PyAVD
a3a45d97199e80bf98560b08bcd09708c1a0513a
[ "Apache-2.0" ]
null
null
null
pyavd/Models/Components/Payload.py
AVD-2021/PyAVD
a3a45d97199e80bf98560b08bcd09708c1a0513a
[ "Apache-2.0" ]
null
null
null
from gpkit import Model, Variable, Vectorize, VectorVariable, parse_variables, ureg as u from gpkit.constraints.tight import Tight import numpy as np class Payload(Model): """Payload model Variables --------- M [kg] Total Payload mass M_pax [kg] Total Mass of passengers + crew M_luggage [kg] Total Mass of luggage g 9.81 [m/s^2] Gravitational Acceleration x_cg [m] x Center of Gravity location z_cg [m] z Center of Gravity location """ @parse_variables(__doc__, globals()) ''' xcg of wing = 6.65m 5m #xcg of horizontal tail = 13.5*m #xcg of vertical tail = 13* xcg of nose landing gear = 0.61m xcg of main landing gear = 6.8m #xcg of engine = 11 xcg of engine system = 11m xcg of fuel system = 6m xcg of flight control system = 1m #xcg of hydraulic system = 10.5m #xcg of pneumatic system = 10.5m xcg of instruments = 1.5m xcg of avionics = 1.5m xcg of electronics = 1.5m xcg of aircon = 10m xcg of oxygen = 6.5m xcg of antiicing = 10m xcg of furnishing = 5.9m xcg of luggage = 8m xcg of cleanwatersystem = 9m xcg of wastetank = 9m xcg of passengers = 6.25m xcg of crew = 2.4m xcg of wingfuel = 6.65m xcg of selfsealingfuel = 4.5m #zcg of wing = -0.3m #zcg of horizontal tail = 2.3m #zcg of vertical tail = 2m zcg of nose landing gear = -0.3m zcg of main landing gear = -0.76m #zcg of engine = 1.2m zcg of engine system = 1.2m zcg of fuel system = 0.24m zcg of flight control system = 0.9m #zcg of hydraulic system =0.245m zcg of pneumatic sys0.9te0.2410.5m zcg of instruments = m zcg of avionics = 0.9m zcg of electronics = 0.9m zcg of aircon = 0.69m zcg of oxygen = 1.64m zcg of antiicing = 0.69m zcg of furnishing = 0.48m zcg of luggage = 0.42m zcg of cleanwatersystem = -0.0511m zcg of wastetank = -0.0511m zcg of passengers = 0.6m zcg of crew = 0.6m zcg of wingfuel = 0m zcg of selfsealingfuel = -0.0511m '''
28.858586
89
0.587679
from gpkit import Model, Variable, Vectorize, VectorVariable, parse_variables, ureg as u from gpkit.constraints.tight import Tight import numpy as np class Payload(Model): """Payload model Variables --------- M [kg] Total Payload mass M_pax [kg] Total Mass of passengers + crew M_luggage [kg] Total Mass of luggage g 9.81 [m/s^2] Gravitational Acceleration x_cg [m] x Center of Gravity location z_cg [m] z Center of Gravity location """ @parse_variables(__doc__, globals()) def setup(self, pax=4, crew=2): # Constraints dictionary constraints = {} # Humans m_pax = Variable('m_pax', 100, 'kg', 'Assumed Passenger Weight') constraints.update({"Passengers + Crew Mass" : [ M_pax == m_pax * (pax + crew) ]}) # Luggage m_luggage = Variable('m_luggage', 27, 'kg', 'Assumed Luggage Weight') constraints.update({"Luggage Mass" : [ M_luggage == m_luggage * pax ]}) # Total Payload constraints.update({"Total Payload" : Tight([ M >= M_pax + M_luggage ])}) # Returning all constraints return constraints ''' xcg of wing = 6.65m 5m #xcg of horizontal tail = 13.5*m #xcg of vertical tail = 13* xcg of nose landing gear = 0.61m xcg of main landing gear = 6.8m #xcg of engine = 11 xcg of engine system = 11m xcg of fuel system = 6m xcg of flight control system = 1m #xcg of hydraulic system = 10.5m #xcg of pneumatic system = 10.5m xcg of instruments = 1.5m xcg of avionics = 1.5m xcg of electronics = 1.5m xcg of aircon = 10m xcg of oxygen = 6.5m xcg of antiicing = 10m xcg of furnishing = 5.9m xcg of luggage = 8m xcg of cleanwatersystem = 9m xcg of wastetank = 9m xcg of passengers = 6.25m xcg of crew = 2.4m xcg of wingfuel = 6.65m xcg of selfsealingfuel = 4.5m #zcg of wing = -0.3m #zcg of horizontal tail = 2.3m #zcg of vertical tail = 2m zcg of nose landing gear = -0.3m zcg of main landing gear = -0.76m #zcg of engine = 1.2m zcg of engine system = 1.2m zcg of fuel system = 0.24m zcg of flight control system = 0.9m #zcg of hydraulic system =0.245m zcg of pneumatic sys0.9te0.2410.5m zcg of instruments = m zcg of avionics = 0.9m zcg of electronics = 0.9m zcg of aircon = 0.69m zcg of oxygen = 1.64m zcg of antiicing = 0.69m zcg of furnishing = 0.48m zcg of luggage = 0.42m zcg of cleanwatersystem = -0.0511m zcg of wastetank = -0.0511m zcg of passengers = 0.6m zcg of crew = 0.6m zcg of wingfuel = 0m zcg of selfsealingfuel = -0.0511m '''
772
0
26
26971b88d5c88bf0fce43da725c168b76a99d8f6
924
py
Python
b2style/b2plotstyle.py
anselm-baur/b2style
8d1a49b8169c5bfdc4d74f7574b0ca24a11d530e
[ "MIT" ]
null
null
null
b2style/b2plotstyle.py
anselm-baur/b2style
8d1a49b8169c5bfdc4d74f7574b0ca24a11d530e
[ "MIT" ]
null
null
null
b2style/b2plotstyle.py
anselm-baur/b2style
8d1a49b8169c5bfdc4d74f7574b0ca24a11d530e
[ "MIT" ]
null
null
null
import matplotlib.pyplot as plt def set_default_plot_params(): """ Sets default parameters in the matplotlibrc. :return: None """ xtick = { 'top': True, 'minor.visible': True, 'direction': 'in', 'labelsize': 10 } ytick = { 'right': True, 'minor.visible': True, 'direction': 'in', 'labelsize': 10 } axes = { 'labelsize': 12, #"prop_cycle": tango_color_cycler, 'formatter.limits': (-4, 4), 'formatter.use_mathtext': True, 'titlesize': 'large', 'labelpad': 4.0, } lines = { 'lw': 1.5 } legend = { 'frameon': False } errorbar = { 'capsize': 0 } plt.rc('lines', **lines) plt.rc('axes', **axes) plt.rc('xtick', **xtick) plt.rc('ytick', **ytick) plt.rc('legend', **legend) plt.rc('errorbar', **errorbar)
20.533333
48
0.488095
import matplotlib.pyplot as plt def set_default_plot_params(): """ Sets default parameters in the matplotlibrc. :return: None """ xtick = { 'top': True, 'minor.visible': True, 'direction': 'in', 'labelsize': 10 } ytick = { 'right': True, 'minor.visible': True, 'direction': 'in', 'labelsize': 10 } axes = { 'labelsize': 12, #"prop_cycle": tango_color_cycler, 'formatter.limits': (-4, 4), 'formatter.use_mathtext': True, 'titlesize': 'large', 'labelpad': 4.0, } lines = { 'lw': 1.5 } legend = { 'frameon': False } errorbar = { 'capsize': 0 } plt.rc('lines', **lines) plt.rc('axes', **axes) plt.rc('xtick', **xtick) plt.rc('ytick', **ytick) plt.rc('legend', **legend) plt.rc('errorbar', **errorbar)
0
0
0