├── .env.example
├── .gitignore
├── public
├── img
│ ├── m1.png
│ ├── m2.png
│ ├── m3.png
│ ├── m4.png
│ └── m5.png
├── css
│ ├── places-autocomplete.css
│ └── maps.css
├── index.php
└── js
│ ├── app.js
│ └── markercluster.js
├── composer.json
├── resources
├── view
│ ├── index.twig
│ └── map.twig
└── data
│ └── churches.csv
├── console.php
├── src
├── Church.php
└── Command
│ └── ChurchImport.php
└── composer.lock
/.env.example:
--------------------------------------------------------------------------------
1 | GOOGLE_API_KEY=
2 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | .env
2 | /vendor
3 |
--------------------------------------------------------------------------------
/public/img/m1.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/pageon/map-of-belgium/master/public/img/m1.png
--------------------------------------------------------------------------------
/public/img/m2.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/pageon/map-of-belgium/master/public/img/m2.png
--------------------------------------------------------------------------------
/public/img/m3.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/pageon/map-of-belgium/master/public/img/m3.png
--------------------------------------------------------------------------------
/public/img/m4.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/pageon/map-of-belgium/master/public/img/m4.png
--------------------------------------------------------------------------------
/public/img/m5.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/pageon/map-of-belgium/master/public/img/m5.png
--------------------------------------------------------------------------------
/public/css/places-autocomplete.css:
--------------------------------------------------------------------------------
1 | #address {
2 | font-size: 1em;
3 | padding: .5em 7px;
4 | display: block;
5 | margin: 2em auto 0;
6 | width:350px;
7 | }
8 |
--------------------------------------------------------------------------------
/composer.json:
--------------------------------------------------------------------------------
1 | {
2 | "require": {
3 | "vlucas/phpdotenv": "^2.4",
4 | "twig/twig": "^2.4",
5 | "larapack/dd": "^1.1",
6 | "symfony/console": "^3.3"
7 | },
8 | "autoload": {
9 | "psr-4": {
10 | "Pageon\\": "src/"
11 | }
12 | }
13 | }
14 |
--------------------------------------------------------------------------------
/public/css/maps.css:
--------------------------------------------------------------------------------
1 | html, body {
2 | height: 100vh;
3 | margin: auto;
4 | padding: 0;
5 | }
6 |
7 | #map-canvas {
8 | height: 80vh;
9 | max-height: 750px;
10 | box-shadow: 0 0 10px 0 rgba(0,0,0,0.6);
11 | }
12 |
13 | #map-container {
14 | /*border: 2px solid red;*/
15 | position: relative;
16 | }
17 |
--------------------------------------------------------------------------------
/resources/view/index.twig:
--------------------------------------------------------------------------------
1 |
2 |
3 | Map Of Belgium
4 | {% block scripts %}{% endblock %}
5 |
6 |
7 |
8 |
9 |
10 | {% block content %}{% endblock %}
11 |
12 |
13 |
--------------------------------------------------------------------------------
/console.php:
--------------------------------------------------------------------------------
1 | add(new ChurchImport());
15 | }
16 | }
17 |
18 | $console = new Console();
19 | $console->run();
20 |
--------------------------------------------------------------------------------
/public/index.php:
--------------------------------------------------------------------------------
1 | load();
9 |
10 | $churches = file_get_contents(__DIR__.'/../resources/data/churches.json');
11 |
12 | die($twig->render('map.twig', [
13 | 'apiKey' => getenv('GOOGLE_API_KEY'),
14 | 'churches' => $churches
15 | ]));
16 |
--------------------------------------------------------------------------------
/resources/view/map.twig:
--------------------------------------------------------------------------------
1 | {% extends 'index.twig' %}
2 |
3 | {% block scripts %}
4 |
5 |
6 |
9 |
10 | {% endblock %}
11 |
12 | {% block content %}
13 |
14 |
15 |
16 | {% endblock %}
17 |
--------------------------------------------------------------------------------
/src/Church.php:
--------------------------------------------------------------------------------
1 | name = $attributes[0] ?? null;
17 | $this->street = $attributes[1] ?? null;
18 | $this->city = ucfirst(strtolower($attributes[3] ?? ''));
19 | $this->postalCode = $attributes[4] ?? null;
20 |
21 | $address = str_replace(' ', '+', $this->getAddress());
22 | $geocode = file_get_contents('https://maps.google.com/maps/api/geocode/json?address='.$address.'&sensor=false');
23 | $output = json_decode($geocode);
24 |
25 | if (isset($output->results[0])) {
26 | $this->lat = $output->results[0]->geometry->location->lat;
27 | $this->lng = $output->results[0]->geometry->location->lng;
28 | }
29 | }
30 |
31 | public function getAddress(): string
32 | {
33 | return $this->street.' '.$this->postalCode.' '.$this->city;
34 | }
35 |
36 | public function toArray()
37 | {
38 | return [
39 | 'name' => $this->name,
40 | 'street' => $this->street,
41 | 'city' => $this->city,
42 | 'postalCode' => $this->postalCode,
43 | 'lat' => $this->lat,
44 | 'lng' => $this->lng,
45 | ];
46 | }
47 | }
48 |
--------------------------------------------------------------------------------
/src/Command/ChurchImport.php:
--------------------------------------------------------------------------------
1 | inputPath = __DIR__.'/../../resources/data/churches.csv';
20 | $this->outputPath = __DIR__.'/../../resources/data/churches.json';
21 | }
22 |
23 | public function run(InputInterface $input, OutputInterface $output)
24 | {
25 | $count = count(explode("\n", file_get_contents($this->inputPath))) - 1;
26 | $i = 1;
27 |
28 | $read = fopen($this->inputPath, 'r');
29 | $write = fopen($this->outputPath, 'w');
30 |
31 | if (! $read) {
32 | throw new \Exception("Could not open file {$this->inputPath}");
33 | }
34 |
35 | if (! $write) {
36 | throw new \Exception("Could not open file {$this->outputPath}");
37 | }
38 |
39 | $result = [];
40 |
41 | $output->writeln('Starting import');
42 |
43 | fwrite($write, "[\n");
44 |
45 | while (($data = fgetcsv($read, 1000, ",")) !== false) {
46 | $church = new Church($data);
47 | $result[] = $church->toArray();
48 |
49 | fwrite($write, json_encode($church->toArray(), JSON_PRETTY_PRINT) . ",\n");
50 |
51 | $output->writeln("\t- ({$i}/{$count}) {$church->name}");
52 | $i++;
53 | }
54 |
55 | fwrite($write, "{}]\n");
56 | fclose($read);
57 | fclose($write);
58 |
59 | $output->writeln("Done. Saved in {$this->outputPath}");
60 |
61 | return $result;
62 | }
63 | }
64 |
--------------------------------------------------------------------------------
/public/js/app.js:
--------------------------------------------------------------------------------
1 | var center = new google.maps.LatLng(50.8, 4.5);
2 | var zoom = 9;
3 | var mapOptions = {
4 | zoom: zoom,
5 | center: center,
6 | mapTypeId: google.maps.MapTypeId.hybrid,
7 | backgroundColor: '#FFF',
8 | disableDefaultUI: true,
9 | draggable: true,
10 | scaleControl: true,
11 | scrollwheel: true,
12 |
13 | styles: [
14 | {
15 | elementType: 'geometry',
16 | stylers: [
17 | {
18 | color: '#f5f5f5'
19 | }
20 | ]
21 | },
22 | {
23 | elementType: 'labels.icon',
24 | stylers: [
25 | {
26 | visibility: 'off'
27 | }
28 | ]
29 | },
30 | {
31 | elementType: 'labels.text.fill',
32 | stylers: [
33 | {
34 | color: '#616161'
35 | }
36 | ]
37 | },
38 | {
39 | featureType: 'administrative.country',
40 | elementType: 'geometry.stroke',
41 | stylers: [
42 | {
43 | color: '#474747'
44 | }
45 | ]
46 | },
47 | {
48 | elementType: 'labels.text.stroke',
49 | stylers: [
50 | {
51 | color: '#f5f5f5'
52 | }
53 | ]
54 | },
55 | {
56 | featureType: 'administrative.land_parcel',
57 | elementType: 'labels.text.fill',
58 | stylers: [
59 | {
60 | color: '#bdbdbd'
61 | }
62 | ]
63 | },
64 | {
65 | featureType: 'poi',
66 | elementType: 'geometry',
67 | stylers: [
68 | {
69 | color: '#eeeeee'
70 | }
71 | ]
72 | },
73 | {
74 | featureType: 'poi',
75 | elementType: 'labels.text.fill',
76 | stylers: [
77 | {
78 | color: '#757575'
79 | }
80 | ]
81 | },
82 | {
83 | featureType: 'poi.park',
84 | elementType: 'geometry',
85 | stylers: [
86 | {
87 | color: '#e5e5e5'
88 | }
89 | ]
90 | },
91 | {
92 | featureType: 'poi.park',
93 | elementType: 'labels.text.fill',
94 | stylers: [
95 | {
96 | color: '#9e9e9e'
97 | }
98 | ]
99 | },
100 | {
101 | featureType: 'road',
102 | elementType: 'geometry',
103 | stylers: [
104 | {
105 | color: '#ffffff'
106 | }
107 | ]
108 | },
109 | {
110 | featureType: 'road.arterial',
111 | elementType: 'labels.text.fill',
112 | stylers: [
113 | {
114 | color: '#757575'
115 | }
116 | ]
117 | },
118 | {
119 | featureType: 'road.highway',
120 | elementType: 'geometry',
121 | stylers: [
122 | {
123 | color: '#dadada'
124 | }
125 | ]
126 | },
127 | {
128 | featureType: 'road.highway',
129 | elementType: 'labels.text.fill',
130 | stylers: [
131 | {
132 | color: '#616161'
133 | }
134 | ]
135 | },
136 | {
137 | featureType: 'road.local',
138 | elementType: 'labels.text.fill',
139 | stylers: [
140 | {
141 | color: '#9e9e9e'
142 | }
143 | ]
144 | },
145 | {
146 | featureType: 'transit.line',
147 | elementType: 'geometry',
148 | stylers: [
149 | {
150 | color: '#e5e5e5'
151 | }
152 | ]
153 | },
154 | {
155 | featureType: 'transit.station',
156 | elementType: 'geometry',
157 | stylers: [
158 | {
159 | color: '#eeeeee'
160 | }
161 | ]
162 | },
163 | {
164 | featureType: 'water',
165 | elementType: 'geometry',
166 | stylers: [
167 | {
168 | color: '#c9c9c9'
169 | }
170 | ]
171 | },
172 | {
173 | featureType: 'water',
174 | elementType: 'labels.text.fill',
175 | stylers: [
176 | {
177 | color: '#9e9e9e'
178 | }
179 | ]
180 | }
181 | ]
182 | };
183 |
184 | function initialize() {
185 | const map = initializeMaps();
186 |
187 | initializeAutocomplete(map);
188 | }
189 |
190 | function initializeMaps() {
191 | const map = new google.maps.Map(document.getElementById('map-canvas'), mapOptions);
192 | const markers = [];
193 | const infowindows = [];
194 |
195 | function addMarker(church) {
196 | const marker = new google.maps.Marker({
197 | map: map,
198 | position: {'lat': church.lat, 'lng': church.lng}
199 | });
200 |
201 | const contentString = `
202 |
213 | `;
214 |
215 | const infowindow = new google.maps.InfoWindow({
216 | content: contentString
217 | });
218 |
219 | infowindows.push(infowindow);
220 |
221 | marker.addListener('click', function () {
222 | infowindows.forEach(function (closing) {
223 | closing.close();
224 | });
225 |
226 | infowindow.open(map, marker);
227 | })
228 |
229 | markers.push(marker);
230 | }
231 |
232 | for (let church of churches) {
233 | if (!church || !church.lat || !church.lng) {
234 | continue;
235 | }
236 |
237 | addMarker(church);
238 | }
239 |
240 | new MarkerClusterer(map, markers, {
241 | imagePath: '/img/m',
242 | minimumClusterSize: 20
243 | });
244 |
245 | return map;
246 | }
247 |
248 | function initializeAutocomplete(map) {
249 | const address = document.getElementById('address');
250 |
251 | const options = {
252 | componentRestrictions: {country: ['be']}
253 | };
254 |
255 | const autocomplete = new google.maps.places.Autocomplete(address, options);
256 |
257 | autocomplete.addListener('place_changed', function () {
258 | var place = autocomplete.getPlace();
259 |
260 | map.panTo(place.geometry.location);
261 | map.setZoom(12);
262 | });
263 | }
264 |
265 | google.maps.event.addDomListener(window, 'load', initialize);
266 |
--------------------------------------------------------------------------------
/composer.lock:
--------------------------------------------------------------------------------
1 | {
2 | "_readme": [
3 | "This file locks the dependencies of your project to a known state",
4 | "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#composer-lock-the-lock-file",
5 | "This file is @generated automatically"
6 | ],
7 | "content-hash": "20efb4b416fca98112921c1889592429",
8 | "packages": [
9 | {
10 | "name": "larapack/dd",
11 | "version": "1.1",
12 | "source": {
13 | "type": "git",
14 | "url": "https://github.com/larapack/dd.git",
15 | "reference": "561b5111a13d0094b59b5c81b1572489485fb948"
16 | },
17 | "dist": {
18 | "type": "zip",
19 | "url": "https://api.github.com/repos/larapack/dd/zipball/561b5111a13d0094b59b5c81b1572489485fb948",
20 | "reference": "561b5111a13d0094b59b5c81b1572489485fb948",
21 | "shasum": ""
22 | },
23 | "require": {
24 | "symfony/var-dumper": "*"
25 | },
26 | "type": "package",
27 | "autoload": {
28 | "files": [
29 | "src/helper.php"
30 | ]
31 | },
32 | "notification-url": "https://packagist.org/downloads/",
33 | "license": [
34 | "MIT"
35 | ],
36 | "authors": [
37 | {
38 | "name": "Mark Topper",
39 | "email": "hi@webman.io"
40 | }
41 | ],
42 | "description": "`dd` is a helper method in Laravel. This package will add the `dd` to your application.",
43 | "time": "2016-12-15T09:34:34+00:00"
44 | },
45 | {
46 | "name": "psr/log",
47 | "version": "1.0.2",
48 | "source": {
49 | "type": "git",
50 | "url": "https://github.com/php-fig/log.git",
51 | "reference": "4ebe3a8bf773a19edfe0a84b6585ba3d401b724d"
52 | },
53 | "dist": {
54 | "type": "zip",
55 | "url": "https://api.github.com/repos/php-fig/log/zipball/4ebe3a8bf773a19edfe0a84b6585ba3d401b724d",
56 | "reference": "4ebe3a8bf773a19edfe0a84b6585ba3d401b724d",
57 | "shasum": ""
58 | },
59 | "require": {
60 | "php": ">=5.3.0"
61 | },
62 | "type": "library",
63 | "extra": {
64 | "branch-alias": {
65 | "dev-master": "1.0.x-dev"
66 | }
67 | },
68 | "autoload": {
69 | "psr-4": {
70 | "Psr\\Log\\": "Psr/Log/"
71 | }
72 | },
73 | "notification-url": "https://packagist.org/downloads/",
74 | "license": [
75 | "MIT"
76 | ],
77 | "authors": [
78 | {
79 | "name": "PHP-FIG",
80 | "homepage": "http://www.php-fig.org/"
81 | }
82 | ],
83 | "description": "Common interface for logging libraries",
84 | "homepage": "https://github.com/php-fig/log",
85 | "keywords": [
86 | "log",
87 | "psr",
88 | "psr-3"
89 | ],
90 | "time": "2016-10-10T12:19:37+00:00"
91 | },
92 | {
93 | "name": "symfony/console",
94 | "version": "v3.3.10",
95 | "source": {
96 | "type": "git",
97 | "url": "https://github.com/symfony/console.git",
98 | "reference": "116bc56e45a8e5572e51eb43ab58c769a352366c"
99 | },
100 | "dist": {
101 | "type": "zip",
102 | "url": "https://api.github.com/repos/symfony/console/zipball/116bc56e45a8e5572e51eb43ab58c769a352366c",
103 | "reference": "116bc56e45a8e5572e51eb43ab58c769a352366c",
104 | "shasum": ""
105 | },
106 | "require": {
107 | "php": "^5.5.9|>=7.0.8",
108 | "symfony/debug": "~2.8|~3.0",
109 | "symfony/polyfill-mbstring": "~1.0"
110 | },
111 | "conflict": {
112 | "symfony/dependency-injection": "<3.3"
113 | },
114 | "require-dev": {
115 | "psr/log": "~1.0",
116 | "symfony/config": "~3.3",
117 | "symfony/dependency-injection": "~3.3",
118 | "symfony/event-dispatcher": "~2.8|~3.0",
119 | "symfony/filesystem": "~2.8|~3.0",
120 | "symfony/process": "~2.8|~3.0"
121 | },
122 | "suggest": {
123 | "psr/log": "For using the console logger",
124 | "symfony/event-dispatcher": "",
125 | "symfony/filesystem": "",
126 | "symfony/process": ""
127 | },
128 | "type": "library",
129 | "extra": {
130 | "branch-alias": {
131 | "dev-master": "3.3-dev"
132 | }
133 | },
134 | "autoload": {
135 | "psr-4": {
136 | "Symfony\\Component\\Console\\": ""
137 | },
138 | "exclude-from-classmap": [
139 | "/Tests/"
140 | ]
141 | },
142 | "notification-url": "https://packagist.org/downloads/",
143 | "license": [
144 | "MIT"
145 | ],
146 | "authors": [
147 | {
148 | "name": "Fabien Potencier",
149 | "email": "fabien@symfony.com"
150 | },
151 | {
152 | "name": "Symfony Community",
153 | "homepage": "https://symfony.com/contributors"
154 | }
155 | ],
156 | "description": "Symfony Console Component",
157 | "homepage": "https://symfony.com",
158 | "time": "2017-10-02T06:42:24+00:00"
159 | },
160 | {
161 | "name": "symfony/debug",
162 | "version": "v3.3.10",
163 | "source": {
164 | "type": "git",
165 | "url": "https://github.com/symfony/debug.git",
166 | "reference": "eb95d9ce8f18dcc1b3dfff00cb624c402be78ffd"
167 | },
168 | "dist": {
169 | "type": "zip",
170 | "url": "https://api.github.com/repos/symfony/debug/zipball/eb95d9ce8f18dcc1b3dfff00cb624c402be78ffd",
171 | "reference": "eb95d9ce8f18dcc1b3dfff00cb624c402be78ffd",
172 | "shasum": ""
173 | },
174 | "require": {
175 | "php": "^5.5.9|>=7.0.8",
176 | "psr/log": "~1.0"
177 | },
178 | "conflict": {
179 | "symfony/http-kernel": ">=2.3,<2.3.24|~2.4.0|>=2.5,<2.5.9|>=2.6,<2.6.2"
180 | },
181 | "require-dev": {
182 | "symfony/http-kernel": "~2.8|~3.0"
183 | },
184 | "type": "library",
185 | "extra": {
186 | "branch-alias": {
187 | "dev-master": "3.3-dev"
188 | }
189 | },
190 | "autoload": {
191 | "psr-4": {
192 | "Symfony\\Component\\Debug\\": ""
193 | },
194 | "exclude-from-classmap": [
195 | "/Tests/"
196 | ]
197 | },
198 | "notification-url": "https://packagist.org/downloads/",
199 | "license": [
200 | "MIT"
201 | ],
202 | "authors": [
203 | {
204 | "name": "Fabien Potencier",
205 | "email": "fabien@symfony.com"
206 | },
207 | {
208 | "name": "Symfony Community",
209 | "homepage": "https://symfony.com/contributors"
210 | }
211 | ],
212 | "description": "Symfony Debug Component",
213 | "homepage": "https://symfony.com",
214 | "time": "2017-10-02T06:42:24+00:00"
215 | },
216 | {
217 | "name": "symfony/polyfill-mbstring",
218 | "version": "v1.6.0",
219 | "source": {
220 | "type": "git",
221 | "url": "https://github.com/symfony/polyfill-mbstring.git",
222 | "reference": "2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296"
223 | },
224 | "dist": {
225 | "type": "zip",
226 | "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296",
227 | "reference": "2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296",
228 | "shasum": ""
229 | },
230 | "require": {
231 | "php": ">=5.3.3"
232 | },
233 | "suggest": {
234 | "ext-mbstring": "For best performance"
235 | },
236 | "type": "library",
237 | "extra": {
238 | "branch-alias": {
239 | "dev-master": "1.6-dev"
240 | }
241 | },
242 | "autoload": {
243 | "psr-4": {
244 | "Symfony\\Polyfill\\Mbstring\\": ""
245 | },
246 | "files": [
247 | "bootstrap.php"
248 | ]
249 | },
250 | "notification-url": "https://packagist.org/downloads/",
251 | "license": [
252 | "MIT"
253 | ],
254 | "authors": [
255 | {
256 | "name": "Nicolas Grekas",
257 | "email": "p@tchwork.com"
258 | },
259 | {
260 | "name": "Symfony Community",
261 | "homepage": "https://symfony.com/contributors"
262 | }
263 | ],
264 | "description": "Symfony polyfill for the Mbstring extension",
265 | "homepage": "https://symfony.com",
266 | "keywords": [
267 | "compatibility",
268 | "mbstring",
269 | "polyfill",
270 | "portable",
271 | "shim"
272 | ],
273 | "time": "2017-10-11T12:05:26+00:00"
274 | },
275 | {
276 | "name": "symfony/var-dumper",
277 | "version": "v3.3.10",
278 | "source": {
279 | "type": "git",
280 | "url": "https://github.com/symfony/var-dumper.git",
281 | "reference": "03e3693a36701f1c581dd24a6d6eea2eba2113f6"
282 | },
283 | "dist": {
284 | "type": "zip",
285 | "url": "https://api.github.com/repos/symfony/var-dumper/zipball/03e3693a36701f1c581dd24a6d6eea2eba2113f6",
286 | "reference": "03e3693a36701f1c581dd24a6d6eea2eba2113f6",
287 | "shasum": ""
288 | },
289 | "require": {
290 | "php": "^5.5.9|>=7.0.8",
291 | "symfony/polyfill-mbstring": "~1.0"
292 | },
293 | "conflict": {
294 | "phpunit/phpunit": "<4.8.35|<5.4.3,>=5.0"
295 | },
296 | "require-dev": {
297 | "ext-iconv": "*",
298 | "twig/twig": "~1.34|~2.4"
299 | },
300 | "suggest": {
301 | "ext-iconv": "To convert non-UTF-8 strings to UTF-8 (or symfony/polyfill-iconv in case ext-iconv cannot be used).",
302 | "ext-symfony_debug": ""
303 | },
304 | "type": "library",
305 | "extra": {
306 | "branch-alias": {
307 | "dev-master": "3.3-dev"
308 | }
309 | },
310 | "autoload": {
311 | "files": [
312 | "Resources/functions/dump.php"
313 | ],
314 | "psr-4": {
315 | "Symfony\\Component\\VarDumper\\": ""
316 | },
317 | "exclude-from-classmap": [
318 | "/Tests/"
319 | ]
320 | },
321 | "notification-url": "https://packagist.org/downloads/",
322 | "license": [
323 | "MIT"
324 | ],
325 | "authors": [
326 | {
327 | "name": "Nicolas Grekas",
328 | "email": "p@tchwork.com"
329 | },
330 | {
331 | "name": "Symfony Community",
332 | "homepage": "https://symfony.com/contributors"
333 | }
334 | ],
335 | "description": "Symfony mechanism for exploring and dumping PHP variables",
336 | "homepage": "https://symfony.com",
337 | "keywords": [
338 | "debug",
339 | "dump"
340 | ],
341 | "time": "2017-10-02T06:42:24+00:00"
342 | },
343 | {
344 | "name": "twig/twig",
345 | "version": "v2.4.4",
346 | "source": {
347 | "type": "git",
348 | "url": "https://github.com/twigphp/Twig.git",
349 | "reference": "eddb97148ad779f27e670e1e3f19fb323aedafeb"
350 | },
351 | "dist": {
352 | "type": "zip",
353 | "url": "https://api.github.com/repos/twigphp/Twig/zipball/eddb97148ad779f27e670e1e3f19fb323aedafeb",
354 | "reference": "eddb97148ad779f27e670e1e3f19fb323aedafeb",
355 | "shasum": ""
356 | },
357 | "require": {
358 | "php": "^7.0",
359 | "symfony/polyfill-mbstring": "~1.0"
360 | },
361 | "require-dev": {
362 | "psr/container": "^1.0",
363 | "symfony/debug": "~2.7",
364 | "symfony/phpunit-bridge": "~3.3@dev"
365 | },
366 | "type": "library",
367 | "extra": {
368 | "branch-alias": {
369 | "dev-master": "2.4-dev"
370 | }
371 | },
372 | "autoload": {
373 | "psr-0": {
374 | "Twig_": "lib/"
375 | },
376 | "psr-4": {
377 | "Twig\\": "src/"
378 | }
379 | },
380 | "notification-url": "https://packagist.org/downloads/",
381 | "license": [
382 | "BSD-3-Clause"
383 | ],
384 | "authors": [
385 | {
386 | "name": "Fabien Potencier",
387 | "email": "fabien@symfony.com",
388 | "homepage": "http://fabien.potencier.org",
389 | "role": "Lead Developer"
390 | },
391 | {
392 | "name": "Armin Ronacher",
393 | "email": "armin.ronacher@active-4.com",
394 | "role": "Project Founder"
395 | },
396 | {
397 | "name": "Twig Team",
398 | "homepage": "http://twig.sensiolabs.org/contributors",
399 | "role": "Contributors"
400 | }
401 | ],
402 | "description": "Twig, the flexible, fast, and secure template language for PHP",
403 | "homepage": "http://twig.sensiolabs.org",
404 | "keywords": [
405 | "templating"
406 | ],
407 | "time": "2017-09-27T18:10:31+00:00"
408 | },
409 | {
410 | "name": "vlucas/phpdotenv",
411 | "version": "v2.4.0",
412 | "source": {
413 | "type": "git",
414 | "url": "https://github.com/vlucas/phpdotenv.git",
415 | "reference": "3cc116adbe4b11be5ec557bf1d24dc5e3a21d18c"
416 | },
417 | "dist": {
418 | "type": "zip",
419 | "url": "https://api.github.com/repos/vlucas/phpdotenv/zipball/3cc116adbe4b11be5ec557bf1d24dc5e3a21d18c",
420 | "reference": "3cc116adbe4b11be5ec557bf1d24dc5e3a21d18c",
421 | "shasum": ""
422 | },
423 | "require": {
424 | "php": ">=5.3.9"
425 | },
426 | "require-dev": {
427 | "phpunit/phpunit": "^4.8 || ^5.0"
428 | },
429 | "type": "library",
430 | "extra": {
431 | "branch-alias": {
432 | "dev-master": "2.4-dev"
433 | }
434 | },
435 | "autoload": {
436 | "psr-4": {
437 | "Dotenv\\": "src/"
438 | }
439 | },
440 | "notification-url": "https://packagist.org/downloads/",
441 | "license": [
442 | "BSD-3-Clause-Attribution"
443 | ],
444 | "authors": [
445 | {
446 | "name": "Vance Lucas",
447 | "email": "vance@vancelucas.com",
448 | "homepage": "http://www.vancelucas.com"
449 | }
450 | ],
451 | "description": "Loads environment variables from `.env` to `getenv()`, `$_ENV` and `$_SERVER` automagically.",
452 | "keywords": [
453 | "dotenv",
454 | "env",
455 | "environment"
456 | ],
457 | "time": "2016-09-01T10:05:43+00:00"
458 | }
459 | ],
460 | "packages-dev": [],
461 | "aliases": [],
462 | "minimum-stability": "stable",
463 | "stability-flags": [],
464 | "prefer-stable": false,
465 | "prefer-lowest": false,
466 | "platform": [],
467 | "platform-dev": []
468 | }
469 |
--------------------------------------------------------------------------------
/public/js/markercluster.js:
--------------------------------------------------------------------------------
1 | // ==ClosureCompiler==
2 | // @compilation_level ADVANCED_OPTIMIZATIONS
3 | // @externs_url http://closure-compiler.googlecode.com/svn/trunk/contrib/externs/maps/google_maps_api_v3_3.js
4 | // ==/ClosureCompiler==
5 |
6 | /**
7 | * @name MarkerClusterer for Google Maps v3
8 | * @version version 1.0.1
9 | * @author Luke Mahe
10 | * @fileoverview
11 | * The library creates and manages per-zoom-level clusters for large amounts of
12 | * markers.
13 | *
14 | * This is a v3 implementation of the
15 | * v2 MarkerClusterer.
17 | */
18 |
19 | /**
20 | * Licensed under the Apache License, Version 2.0 (the "License");
21 | * you may not use this file except in compliance with the License.
22 | * You may obtain a copy of the License at
23 | *
24 | * http://www.apache.org/licenses/LICENSE-2.0
25 | *
26 | * Unless required by applicable law or agreed to in writing, software
27 | * distributed under the License is distributed on an "AS IS" BASIS,
28 | * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
29 | * See the License for the specific language governing permissions and
30 | * limitations under the License.
31 | */
32 |
33 |
34 | /**
35 | * A Marker Clusterer that clusters markers.
36 | *
37 | * @param {google.maps.Map} map The Google map to attach to.
38 | * @param {Array.=} opt_markers Optional markers to add to
39 | * the cluster.
40 | * @param {Object=} opt_options support the following options:
41 | * 'gridSize': (number) The grid size of a cluster in pixels.
42 | * 'maxZoom': (number) The maximum zoom level that a marker can be part of a
43 | * cluster.
44 | * 'zoomOnClick': (boolean) Whether the default behaviour of clicking on a
45 | * cluster is to zoom into it.
46 | * 'imagePath': (string) The base URL where the images representing
47 | * clusters will be found. The full URL will be:
48 | * {imagePath}[1-5].{imageExtension}
49 | * Default: '../images/m'.
50 | * 'imageExtension': (string) The suffix for images URL representing
51 | * clusters will be found. See _imagePath_ for details.
52 | * Default: 'png'.
53 | * 'averageCenter': (boolean) Whether the center of each cluster should be
54 | * the average of all markers in the cluster.
55 | * 'minimumClusterSize': (number) The minimum number of markers to be in a
56 | * cluster before the markers are hidden and a count
57 | * is shown.
58 | * 'styles': (object) An object that has style properties:
59 | * 'url': (string) The image url.
60 | * 'height': (number) The image height.
61 | * 'width': (number) The image width.
62 | * 'anchor': (Array) The anchor position of the label text.
63 | * 'textColor': (string) The text color.
64 | * 'textSize': (number) The text size.
65 | * 'backgroundPosition': (string) The position of the backgound x, y.
66 | * @constructor
67 | * @extends google.maps.OverlayView
68 | */
69 | function MarkerClusterer(map, opt_markers, opt_options) {
70 | // MarkerClusterer implements google.maps.OverlayView interface. We use the
71 | // extend function to extend MarkerClusterer with google.maps.OverlayView
72 | // because it might not always be available when the code is defined so we
73 | // look for it at the last possible moment. If it doesn't exist now then
74 | // there is no point going ahead :)
75 | this.extend(MarkerClusterer, google.maps.OverlayView);
76 | this.map_ = map;
77 |
78 | /**
79 | * @type {Array.}
80 | * @private
81 | */
82 | this.markers_ = [];
83 |
84 | /**
85 | * @type {Array.}
86 | */
87 | this.clusters_ = [];
88 |
89 | this.sizes = [53, 56, 66, 78, 90];
90 |
91 | /**
92 | * @private
93 | */
94 | this.styles_ = [];
95 |
96 | /**
97 | * @type {boolean}
98 | * @private
99 | */
100 | this.ready_ = false;
101 |
102 | var options = opt_options || {};
103 |
104 | /**
105 | * @type {number}
106 | * @private
107 | */
108 | this.gridSize_ = options['gridSize'] || 60;
109 |
110 | /**
111 | * @private
112 | */
113 | this.minClusterSize_ = options['minimumClusterSize'] || 2;
114 |
115 |
116 | /**
117 | * @type {?number}
118 | * @private
119 | */
120 | this.maxZoom_ = options['maxZoom'] || null;
121 |
122 | this.styles_ = options['styles'] || [];
123 |
124 | /**
125 | * @type {string}
126 | * @private
127 | */
128 | this.imagePath_ = options['imagePath'] ||
129 | this.MARKER_CLUSTER_IMAGE_PATH_;
130 |
131 | /**
132 | * @type {string}
133 | * @private
134 | */
135 | this.imageExtension_ = options['imageExtension'] ||
136 | this.MARKER_CLUSTER_IMAGE_EXTENSION_;
137 |
138 | /**
139 | * @type {boolean}
140 | * @private
141 | */
142 | this.zoomOnClick_ = true;
143 |
144 | if (options['zoomOnClick'] != undefined) {
145 | this.zoomOnClick_ = options['zoomOnClick'];
146 | }
147 |
148 | /**
149 | * @type {boolean}
150 | * @private
151 | */
152 | this.averageCenter_ = false;
153 |
154 | if (options['averageCenter'] != undefined) {
155 | this.averageCenter_ = options['averageCenter'];
156 | }
157 |
158 | this.setupStyles_();
159 |
160 | this.setMap(map);
161 |
162 | /**
163 | * @type {number}
164 | * @private
165 | */
166 | this.prevZoom_ = this.map_.getZoom();
167 |
168 | // Add the map event listeners
169 | var that = this;
170 | google.maps.event.addListener(this.map_, 'zoom_changed', function() {
171 | // Determines map type and prevent illegal zoom levels
172 | var zoom = that.map_.getZoom();
173 | var minZoom = that.map_.minZoom || 0;
174 | var maxZoom = Math.min(that.map_.maxZoom || 100,
175 | that.map_.mapTypes[that.map_.getMapTypeId()].maxZoom);
176 | zoom = Math.min(Math.max(zoom,minZoom),maxZoom);
177 |
178 | if (that.prevZoom_ != zoom) {
179 | that.prevZoom_ = zoom;
180 | that.resetViewport();
181 | }
182 | });
183 |
184 | google.maps.event.addListener(this.map_, 'idle', function() {
185 | that.redraw();
186 | });
187 |
188 | // Finally, add the markers
189 | if (opt_markers && (opt_markers.length || Object.keys(opt_markers).length)) {
190 | this.addMarkers(opt_markers, false);
191 | }
192 | }
193 |
194 |
195 | /**
196 | * The marker cluster image path.
197 | *
198 | * @type {string}
199 | * @private
200 | */
201 | MarkerClusterer.prototype.MARKER_CLUSTER_IMAGE_PATH_ = '../images/m';
202 |
203 |
204 | /**
205 | * The marker cluster image path.
206 | *
207 | * @type {string}
208 | * @private
209 | */
210 | MarkerClusterer.prototype.MARKER_CLUSTER_IMAGE_EXTENSION_ = 'png';
211 |
212 |
213 | /**
214 | * Extends a objects prototype by anothers.
215 | *
216 | * @param {Object} obj1 The object to be extended.
217 | * @param {Object} obj2 The object to extend with.
218 | * @return {Object} The new extended object.
219 | * @ignore
220 | */
221 | MarkerClusterer.prototype.extend = function(obj1, obj2) {
222 | return (function(object) {
223 | for (var property in object.prototype) {
224 | this.prototype[property] = object.prototype[property];
225 | }
226 | return this;
227 | }).apply(obj1, [obj2]);
228 | };
229 |
230 |
231 | /**
232 | * Implementaion of the interface method.
233 | * @ignore
234 | */
235 | MarkerClusterer.prototype.onAdd = function() {
236 | this.setReady_(true);
237 | };
238 |
239 | /**
240 | * Implementaion of the interface method.
241 | * @ignore
242 | */
243 | MarkerClusterer.prototype.draw = function() {};
244 |
245 | /**
246 | * Sets up the styles object.
247 | *
248 | * @private
249 | */
250 | MarkerClusterer.prototype.setupStyles_ = function() {
251 | if (this.styles_.length) {
252 | return;
253 | }
254 |
255 | for (var i = 0, size; size = this.sizes[i]; i++) {
256 | this.styles_.push({
257 | url: this.imagePath_ + (i + 1) + '.' + this.imageExtension_,
258 | height: size,
259 | width: size
260 | });
261 | }
262 | };
263 |
264 | /**
265 | * Fit the map to the bounds of the markers in the clusterer.
266 | */
267 | MarkerClusterer.prototype.fitMapToMarkers = function() {
268 | var markers = this.getMarkers();
269 | var bounds = new google.maps.LatLngBounds();
270 | for (var i = 0, marker; marker = markers[i]; i++) {
271 | bounds.extend(marker.getPosition());
272 | }
273 |
274 | this.map_.fitBounds(bounds);
275 | };
276 |
277 |
278 | /**
279 | * Sets the styles.
280 | *
281 | * @param {Object} styles The style to set.
282 | */
283 | MarkerClusterer.prototype.setStyles = function(styles) {
284 | this.styles_ = styles;
285 | };
286 |
287 |
288 | /**
289 | * Gets the styles.
290 | *
291 | * @return {Object} The styles object.
292 | */
293 | MarkerClusterer.prototype.getStyles = function() {
294 | return this.styles_;
295 | };
296 |
297 |
298 | /**
299 | * Whether zoom on click is set.
300 | *
301 | * @return {boolean} True if zoomOnClick_ is set.
302 | */
303 | MarkerClusterer.prototype.isZoomOnClick = function() {
304 | return this.zoomOnClick_;
305 | };
306 |
307 | /**
308 | * Whether average center is set.
309 | *
310 | * @return {boolean} True if averageCenter_ is set.
311 | */
312 | MarkerClusterer.prototype.isAverageCenter = function() {
313 | return this.averageCenter_;
314 | };
315 |
316 |
317 | /**
318 | * Returns the array of markers in the clusterer.
319 | *
320 | * @return {Array.} The markers.
321 | */
322 | MarkerClusterer.prototype.getMarkers = function() {
323 | return this.markers_;
324 | };
325 |
326 |
327 | /**
328 | * Returns the number of markers in the clusterer
329 | *
330 | * @return {Number} The number of markers.
331 | */
332 | MarkerClusterer.prototype.getTotalMarkers = function() {
333 | return this.markers_.length;
334 | };
335 |
336 |
337 | /**
338 | * Sets the max zoom for the clusterer.
339 | *
340 | * @param {number} maxZoom The max zoom level.
341 | */
342 | MarkerClusterer.prototype.setMaxZoom = function(maxZoom) {
343 | this.maxZoom_ = maxZoom;
344 | };
345 |
346 |
347 | /**
348 | * Gets the max zoom for the clusterer.
349 | *
350 | * @return {number} The max zoom level.
351 | */
352 | MarkerClusterer.prototype.getMaxZoom = function() {
353 | return this.maxZoom_;
354 | };
355 |
356 |
357 | /**
358 | * The function for calculating the cluster icon image.
359 | *
360 | * @param {Array.} markers The markers in the clusterer.
361 | * @param {number} numStyles The number of styles available.
362 | * @return {Object} A object properties: 'text' (string) and 'index' (number).
363 | * @private
364 | */
365 | MarkerClusterer.prototype.calculator_ = function(markers, numStyles) {
366 | var index = 0;
367 | var count = markers.length;
368 | var dv = count;
369 | while (dv !== 0) {
370 | dv = parseInt(dv / 10, 10);
371 | index++;
372 | }
373 |
374 | index = Math.min(index, numStyles);
375 | return {
376 | text: count,
377 | index: index
378 | };
379 | };
380 |
381 |
382 | /**
383 | * Set the calculator function.
384 | *
385 | * @param {function(Array, number)} calculator The function to set as the
386 | * calculator. The function should return a object properties:
387 | * 'text' (string) and 'index' (number).
388 | *
389 | */
390 | MarkerClusterer.prototype.setCalculator = function(calculator) {
391 | this.calculator_ = calculator;
392 | };
393 |
394 |
395 | /**
396 | * Get the calculator function.
397 | *
398 | * @return {function(Array, number)} the calculator function.
399 | */
400 | MarkerClusterer.prototype.getCalculator = function() {
401 | return this.calculator_;
402 | };
403 |
404 |
405 | /**
406 | * Add an array of markers to the clusterer.
407 | *
408 | * @param {Array.} markers The markers to add.
409 | * @param {boolean=} opt_nodraw Whether to redraw the clusters.
410 | */
411 | MarkerClusterer.prototype.addMarkers = function(markers, opt_nodraw) {
412 | if (markers.length) {
413 | for (var i = 0, marker; marker = markers[i]; i++) {
414 | this.pushMarkerTo_(marker);
415 | }
416 | } else if (Object.keys(markers).length) {
417 | for (var marker in markers) {
418 | this.pushMarkerTo_(markers[marker]);
419 | }
420 | }
421 | if (!opt_nodraw) {
422 | this.redraw();
423 | }
424 | };
425 |
426 |
427 | /**
428 | * Pushes a marker to the clusterer.
429 | *
430 | * @param {google.maps.Marker} marker The marker to add.
431 | * @private
432 | */
433 | MarkerClusterer.prototype.pushMarkerTo_ = function(marker) {
434 | marker.isAdded = false;
435 | if (marker['draggable']) {
436 | // If the marker is draggable add a listener so we update the clusters on
437 | // the drag end.
438 | var that = this;
439 | google.maps.event.addListener(marker, 'dragend', function() {
440 | marker.isAdded = false;
441 | that.repaint();
442 | });
443 | }
444 | this.markers_.push(marker);
445 | };
446 |
447 |
448 | /**
449 | * Adds a marker to the clusterer and redraws if needed.
450 | *
451 | * @param {google.maps.Marker} marker The marker to add.
452 | * @param {boolean=} opt_nodraw Whether to redraw the clusters.
453 | */
454 | MarkerClusterer.prototype.addMarker = function(marker, opt_nodraw) {
455 | this.pushMarkerTo_(marker);
456 | if (!opt_nodraw) {
457 | this.redraw();
458 | }
459 | };
460 |
461 |
462 | /**
463 | * Removes a marker and returns true if removed, false if not
464 | *
465 | * @param {google.maps.Marker} marker The marker to remove
466 | * @return {boolean} Whether the marker was removed or not
467 | * @private
468 | */
469 | MarkerClusterer.prototype.removeMarker_ = function(marker) {
470 | var index = -1;
471 | if (this.markers_.indexOf) {
472 | index = this.markers_.indexOf(marker);
473 | } else {
474 | for (var i = 0, m; m = this.markers_[i]; i++) {
475 | if (m == marker) {
476 | index = i;
477 | break;
478 | }
479 | }
480 | }
481 |
482 | if (index == -1) {
483 | // Marker is not in our list of markers.
484 | return false;
485 | }
486 |
487 | marker.setMap(null);
488 |
489 | this.markers_.splice(index, 1);
490 |
491 | return true;
492 | };
493 |
494 |
495 | /**
496 | * Remove a marker from the cluster.
497 | *
498 | * @param {google.maps.Marker} marker The marker to remove.
499 | * @param {boolean=} opt_nodraw Optional boolean to force no redraw.
500 | * @return {boolean} True if the marker was removed.
501 | */
502 | MarkerClusterer.prototype.removeMarker = function(marker, opt_nodraw) {
503 | var removed = this.removeMarker_(marker);
504 |
505 | if (!opt_nodraw && removed) {
506 | this.resetViewport();
507 | this.redraw();
508 | return true;
509 | } else {
510 | return false;
511 | }
512 | };
513 |
514 |
515 | /**
516 | * Removes an array of markers from the cluster.
517 | *
518 | * @param {Array.} markers The markers to remove.
519 | * @param {boolean=} opt_nodraw Optional boolean to force no redraw.
520 | */
521 | MarkerClusterer.prototype.removeMarkers = function(markers, opt_nodraw) {
522 | // create a local copy of markers if required
523 | // (removeMarker_ modifies the getMarkers() array in place)
524 | var markersCopy = markers === this.getMarkers() ? markers.slice() : markers;
525 | var removed = false;
526 |
527 | for (var i = 0, marker; marker = markersCopy[i]; i++) {
528 | var r = this.removeMarker_(marker);
529 | removed = removed || r;
530 | }
531 |
532 | if (!opt_nodraw && removed) {
533 | this.resetViewport();
534 | this.redraw();
535 | return true;
536 | }
537 | };
538 |
539 |
540 | /**
541 | * Sets the clusterer's ready state.
542 | *
543 | * @param {boolean} ready The state.
544 | * @private
545 | */
546 | MarkerClusterer.prototype.setReady_ = function(ready) {
547 | if (!this.ready_) {
548 | this.ready_ = ready;
549 | this.createClusters_();
550 | }
551 | };
552 |
553 |
554 | /**
555 | * Returns the number of clusters in the clusterer.
556 | *
557 | * @return {number} The number of clusters.
558 | */
559 | MarkerClusterer.prototype.getTotalClusters = function() {
560 | return this.clusters_.length;
561 | };
562 |
563 |
564 | /**
565 | * Returns the google map that the clusterer is associated with.
566 | *
567 | * @return {google.maps.Map} The map.
568 | */
569 | MarkerClusterer.prototype.getMap = function() {
570 | return this.map_;
571 | };
572 |
573 |
574 | /**
575 | * Sets the google map that the clusterer is associated with.
576 | *
577 | * @param {google.maps.Map} map The map.
578 | */
579 | MarkerClusterer.prototype.setMap = function(map) {
580 | this.map_ = map;
581 | };
582 |
583 |
584 | /**
585 | * Returns the size of the grid.
586 | *
587 | * @return {number} The grid size.
588 | */
589 | MarkerClusterer.prototype.getGridSize = function() {
590 | return this.gridSize_;
591 | };
592 |
593 |
594 | /**
595 | * Sets the size of the grid.
596 | *
597 | * @param {number} size The grid size.
598 | */
599 | MarkerClusterer.prototype.setGridSize = function(size) {
600 | this.gridSize_ = size;
601 | };
602 |
603 |
604 | /**
605 | * Returns the min cluster size.
606 | *
607 | * @return {number} The grid size.
608 | */
609 | MarkerClusterer.prototype.getMinClusterSize = function() {
610 | return this.minClusterSize_;
611 | };
612 |
613 | /**
614 | * Sets the min cluster size.
615 | *
616 | * @param {number} size The grid size.
617 | */
618 | MarkerClusterer.prototype.setMinClusterSize = function(size) {
619 | this.minClusterSize_ = size;
620 | };
621 |
622 |
623 | /**
624 | * Extends a bounds object by the grid size.
625 | *
626 | * @param {google.maps.LatLngBounds} bounds The bounds to extend.
627 | * @return {google.maps.LatLngBounds} The extended bounds.
628 | */
629 | MarkerClusterer.prototype.getExtendedBounds = function(bounds) {
630 | var projection = this.getProjection();
631 |
632 | // Turn the bounds into latlng.
633 | var tr = new google.maps.LatLng(bounds.getNorthEast().lat(),
634 | bounds.getNorthEast().lng());
635 | var bl = new google.maps.LatLng(bounds.getSouthWest().lat(),
636 | bounds.getSouthWest().lng());
637 |
638 | // Convert the points to pixels and the extend out by the grid size.
639 | var trPix = projection.fromLatLngToDivPixel(tr);
640 | trPix.x += this.gridSize_;
641 | trPix.y -= this.gridSize_;
642 |
643 | var blPix = projection.fromLatLngToDivPixel(bl);
644 | blPix.x -= this.gridSize_;
645 | blPix.y += this.gridSize_;
646 |
647 | // Convert the pixel points back to LatLng
648 | var ne = projection.fromDivPixelToLatLng(trPix);
649 | var sw = projection.fromDivPixelToLatLng(blPix);
650 |
651 | // Extend the bounds to contain the new bounds.
652 | bounds.extend(ne);
653 | bounds.extend(sw);
654 |
655 | return bounds;
656 | };
657 |
658 |
659 | /**
660 | * Determins if a marker is contained in a bounds.
661 | *
662 | * @param {google.maps.Marker} marker The marker to check.
663 | * @param {google.maps.LatLngBounds} bounds The bounds to check against.
664 | * @return {boolean} True if the marker is in the bounds.
665 | * @private
666 | */
667 | MarkerClusterer.prototype.isMarkerInBounds_ = function(marker, bounds) {
668 | return bounds.contains(marker.getPosition());
669 | };
670 |
671 |
672 | /**
673 | * Clears all clusters and markers from the clusterer.
674 | */
675 | MarkerClusterer.prototype.clearMarkers = function() {
676 | this.resetViewport(true);
677 |
678 | // Set the markers a empty array.
679 | this.markers_ = [];
680 | };
681 |
682 |
683 | /**
684 | * Clears all existing clusters and recreates them.
685 | * @param {boolean} opt_hide To also hide the marker.
686 | */
687 | MarkerClusterer.prototype.resetViewport = function(opt_hide) {
688 | // Remove all the clusters
689 | for (var i = 0, cluster; cluster = this.clusters_[i]; i++) {
690 | cluster.remove();
691 | }
692 |
693 | // Reset the markers to not be added and to be invisible.
694 | for (var i = 0, marker; marker = this.markers_[i]; i++) {
695 | marker.isAdded = false;
696 | if (opt_hide) {
697 | marker.setMap(null);
698 | }
699 | }
700 |
701 | this.clusters_ = [];
702 | };
703 |
704 | /**
705 | *
706 | */
707 | MarkerClusterer.prototype.repaint = function() {
708 | var oldClusters = this.clusters_.slice();
709 | this.clusters_.length = 0;
710 | this.resetViewport();
711 | this.redraw();
712 |
713 | // Remove the old clusters.
714 | // Do it in a timeout so the other clusters have been drawn first.
715 | window.setTimeout(function() {
716 | for (var i = 0, cluster; cluster = oldClusters[i]; i++) {
717 | cluster.remove();
718 | }
719 | }, 0);
720 | };
721 |
722 |
723 | /**
724 | * Redraws the clusters.
725 | */
726 | MarkerClusterer.prototype.redraw = function() {
727 | this.createClusters_();
728 | };
729 |
730 |
731 | /**
732 | * Calculates the distance between two latlng locations in km.
733 | * @see http://www.movable-type.co.uk/scripts/latlong.html
734 | *
735 | * @param {google.maps.LatLng} p1 The first lat lng point.
736 | * @param {google.maps.LatLng} p2 The second lat lng point.
737 | * @return {number} The distance between the two points in km.
738 | * @private
739 | */
740 | MarkerClusterer.prototype.distanceBetweenPoints_ = function(p1, p2) {
741 | if (!p1 || !p2) {
742 | return 0;
743 | }
744 |
745 | var R = 6371; // Radius of the Earth in km
746 | var dLat = (p2.lat() - p1.lat()) * Math.PI / 180;
747 | var dLon = (p2.lng() - p1.lng()) * Math.PI / 180;
748 | var a = Math.sin(dLat / 2) * Math.sin(dLat / 2) +
749 | Math.cos(p1.lat() * Math.PI / 180) * Math.cos(p2.lat() * Math.PI / 180) *
750 | Math.sin(dLon / 2) * Math.sin(dLon / 2);
751 | var c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));
752 | var d = R * c;
753 | return d;
754 | };
755 |
756 |
757 | /**
758 | * Add a marker to a cluster, or creates a new cluster.
759 | *
760 | * @param {google.maps.Marker} marker The marker to add.
761 | * @private
762 | */
763 | MarkerClusterer.prototype.addToClosestCluster_ = function(marker) {
764 | var distance = 40000; // Some large number
765 | var clusterToAddTo = null;
766 | var pos = marker.getPosition();
767 | for (var i = 0, cluster; cluster = this.clusters_[i]; i++) {
768 | var center = cluster.getCenter();
769 | if (center) {
770 | var d = this.distanceBetweenPoints_(center, marker.getPosition());
771 | if (d < distance) {
772 | distance = d;
773 | clusterToAddTo = cluster;
774 | }
775 | }
776 | }
777 |
778 | if (clusterToAddTo && clusterToAddTo.isMarkerInClusterBounds(marker)) {
779 | clusterToAddTo.addMarker(marker);
780 | } else {
781 | var cluster = new Cluster(this);
782 | cluster.addMarker(marker);
783 | this.clusters_.push(cluster);
784 | }
785 | };
786 |
787 |
788 | /**
789 | * Creates the clusters.
790 | *
791 | * @private
792 | */
793 | MarkerClusterer.prototype.createClusters_ = function() {
794 | if (!this.ready_) {
795 | return;
796 | }
797 |
798 | // Get our current map view bounds.
799 | // Create a new bounds object so we don't affect the map.
800 | var mapBounds = new google.maps.LatLngBounds(this.map_.getBounds().getSouthWest(),
801 | this.map_.getBounds().getNorthEast());
802 | var bounds = this.getExtendedBounds(mapBounds);
803 |
804 | for (var i = 0, marker; marker = this.markers_[i]; i++) {
805 | if (!marker.isAdded && this.isMarkerInBounds_(marker, bounds)) {
806 | this.addToClosestCluster_(marker);
807 | }
808 | }
809 | };
810 |
811 |
812 | /**
813 | * A cluster that contains markers.
814 | *
815 | * @param {MarkerClusterer} markerClusterer The markerclusterer that this
816 | * cluster is associated with.
817 | * @constructor
818 | * @ignore
819 | */
820 | function Cluster(markerClusterer) {
821 | this.markerClusterer_ = markerClusterer;
822 | this.map_ = markerClusterer.getMap();
823 | this.gridSize_ = markerClusterer.getGridSize();
824 | this.minClusterSize_ = markerClusterer.getMinClusterSize();
825 | this.averageCenter_ = markerClusterer.isAverageCenter();
826 | this.center_ = null;
827 | this.markers_ = [];
828 | this.bounds_ = null;
829 | this.clusterIcon_ = new ClusterIcon(this, markerClusterer.getStyles(),
830 | markerClusterer.getGridSize());
831 | }
832 |
833 | /**
834 | * Determins if a marker is already added to the cluster.
835 | *
836 | * @param {google.maps.Marker} marker The marker to check.
837 | * @return {boolean} True if the marker is already added.
838 | */
839 | Cluster.prototype.isMarkerAlreadyAdded = function(marker) {
840 | if (this.markers_.indexOf) {
841 | return this.markers_.indexOf(marker) != -1;
842 | } else {
843 | for (var i = 0, m; m = this.markers_[i]; i++) {
844 | if (m == marker) {
845 | return true;
846 | }
847 | }
848 | }
849 | return false;
850 | };
851 |
852 |
853 | /**
854 | * Add a marker the cluster.
855 | *
856 | * @param {google.maps.Marker} marker The marker to add.
857 | * @return {boolean} True if the marker was added.
858 | */
859 | Cluster.prototype.addMarker = function(marker) {
860 | if (this.isMarkerAlreadyAdded(marker)) {
861 | return false;
862 | }
863 |
864 | if (!this.center_) {
865 | this.center_ = marker.getPosition();
866 | this.calculateBounds_();
867 | } else {
868 | if (this.averageCenter_) {
869 | var l = this.markers_.length + 1;
870 | var lat = (this.center_.lat() * (l-1) + marker.getPosition().lat()) / l;
871 | var lng = (this.center_.lng() * (l-1) + marker.getPosition().lng()) / l;
872 | this.center_ = new google.maps.LatLng(lat, lng);
873 | this.calculateBounds_();
874 | }
875 | }
876 |
877 | marker.isAdded = true;
878 | this.markers_.push(marker);
879 |
880 | var len = this.markers_.length;
881 | if (len < this.minClusterSize_ && marker.getMap() != this.map_) {
882 | // Min cluster size not reached so show the marker.
883 | marker.setMap(this.map_);
884 | }
885 |
886 | if (len == this.minClusterSize_) {
887 | // Hide the markers that were showing.
888 | for (var i = 0; i < len; i++) {
889 | this.markers_[i].setMap(null);
890 | }
891 | }
892 |
893 | if (len >= this.minClusterSize_) {
894 | marker.setMap(null);
895 | }
896 |
897 | this.updateIcon();
898 | return true;
899 | };
900 |
901 |
902 | /**
903 | * Returns the marker clusterer that the cluster is associated with.
904 | *
905 | * @return {MarkerClusterer} The associated marker clusterer.
906 | */
907 | Cluster.prototype.getMarkerClusterer = function() {
908 | return this.markerClusterer_;
909 | };
910 |
911 |
912 | /**
913 | * Returns the bounds of the cluster.
914 | *
915 | * @return {google.maps.LatLngBounds} the cluster bounds.
916 | */
917 | Cluster.prototype.getBounds = function() {
918 | var bounds = new google.maps.LatLngBounds(this.center_, this.center_);
919 | var markers = this.getMarkers();
920 | for (var i = 0, marker; marker = markers[i]; i++) {
921 | bounds.extend(marker.getPosition());
922 | }
923 | return bounds;
924 | };
925 |
926 |
927 | /**
928 | * Removes the cluster
929 | */
930 | Cluster.prototype.remove = function() {
931 | this.clusterIcon_.remove();
932 | this.markers_.length = 0;
933 | delete this.markers_;
934 | };
935 |
936 |
937 | /**
938 | * Returns the number of markers in the cluster.
939 | *
940 | * @return {number} The number of markers in the cluster.
941 | */
942 | Cluster.prototype.getSize = function() {
943 | return this.markers_.length;
944 | };
945 |
946 |
947 | /**
948 | * Returns a list of the markers in the cluster.
949 | *
950 | * @return {Array.} The markers in the cluster.
951 | */
952 | Cluster.prototype.getMarkers = function() {
953 | return this.markers_;
954 | };
955 |
956 |
957 | /**
958 | * Returns the center of the cluster.
959 | *
960 | * @return {google.maps.LatLng} The cluster center.
961 | */
962 | Cluster.prototype.getCenter = function() {
963 | return this.center_;
964 | };
965 |
966 |
967 | /**
968 | * Calculated the extended bounds of the cluster with the grid.
969 | *
970 | * @private
971 | */
972 | Cluster.prototype.calculateBounds_ = function() {
973 | var bounds = new google.maps.LatLngBounds(this.center_, this.center_);
974 | this.bounds_ = this.markerClusterer_.getExtendedBounds(bounds);
975 | };
976 |
977 |
978 | /**
979 | * Determines if a marker lies in the clusters bounds.
980 | *
981 | * @param {google.maps.Marker} marker The marker to check.
982 | * @return {boolean} True if the marker lies in the bounds.
983 | */
984 | Cluster.prototype.isMarkerInClusterBounds = function(marker) {
985 | return this.bounds_.contains(marker.getPosition());
986 | };
987 |
988 |
989 | /**
990 | * Returns the map that the cluster is associated with.
991 | *
992 | * @return {google.maps.Map} The map.
993 | */
994 | Cluster.prototype.getMap = function() {
995 | return this.map_;
996 | };
997 |
998 |
999 | /**
1000 | * Updates the cluster icon
1001 | */
1002 | Cluster.prototype.updateIcon = function() {
1003 | var zoom = this.map_.getZoom();
1004 | var mz = this.markerClusterer_.getMaxZoom();
1005 |
1006 | if (mz && zoom > mz) {
1007 | // The zoom is greater than our max zoom so show all the markers in cluster.
1008 | for (var i = 0, marker; marker = this.markers_[i]; i++) {
1009 | marker.setMap(this.map_);
1010 | }
1011 | return;
1012 | }
1013 |
1014 | if (this.markers_.length < this.minClusterSize_) {
1015 | // Min cluster size not yet reached.
1016 | this.clusterIcon_.hide();
1017 | return;
1018 | }
1019 |
1020 | var numStyles = this.markerClusterer_.getStyles().length;
1021 | var sums = this.markerClusterer_.getCalculator()(this.markers_, numStyles);
1022 | this.clusterIcon_.setCenter(this.center_);
1023 | this.clusterIcon_.setSums(sums);
1024 | this.clusterIcon_.show();
1025 | };
1026 |
1027 |
1028 | /**
1029 | * A cluster icon
1030 | *
1031 | * @param {Cluster} cluster The cluster to be associated with.
1032 | * @param {Object} styles An object that has style properties:
1033 | * 'url': (string) The image url.
1034 | * 'height': (number) The image height.
1035 | * 'width': (number) The image width.
1036 | * 'anchor': (Array) The anchor position of the label text.
1037 | * 'textColor': (string) The text color.
1038 | * 'textSize': (number) The text size.
1039 | * 'backgroundPosition: (string) The background postition x, y.
1040 | * @param {number=} opt_padding Optional padding to apply to the cluster icon.
1041 | * @constructor
1042 | * @extends google.maps.OverlayView
1043 | * @ignore
1044 | */
1045 | function ClusterIcon(cluster, styles, opt_padding) {
1046 | cluster.getMarkerClusterer().extend(ClusterIcon, google.maps.OverlayView);
1047 |
1048 | this.styles_ = styles;
1049 | this.padding_ = opt_padding || 0;
1050 | this.cluster_ = cluster;
1051 | this.center_ = null;
1052 | this.map_ = cluster.getMap();
1053 | this.div_ = null;
1054 | this.sums_ = null;
1055 | this.visible_ = false;
1056 |
1057 | this.setMap(this.map_);
1058 | }
1059 |
1060 |
1061 | /**
1062 | * Triggers the clusterclick event and zoom's if the option is set.
1063 | */
1064 | ClusterIcon.prototype.triggerClusterClick = function() {
1065 | var markerClusterer = this.cluster_.getMarkerClusterer();
1066 |
1067 | // Trigger the clusterclick event.
1068 | google.maps.event.trigger(markerClusterer.map_, 'clusterclick', this.cluster_);
1069 |
1070 | if (markerClusterer.isZoomOnClick()) {
1071 | // Zoom into the cluster.
1072 | this.map_.fitBounds(this.cluster_.getBounds());
1073 | }
1074 | };
1075 |
1076 |
1077 | /**
1078 | * Adding the cluster icon to the dom.
1079 | * @ignore
1080 | */
1081 | ClusterIcon.prototype.onAdd = function() {
1082 | this.div_ = document.createElement('DIV');
1083 | if (this.visible_) {
1084 | var pos = this.getPosFromLatLng_(this.center_);
1085 | this.div_.style.cssText = this.createCss(pos);
1086 | this.div_.innerHTML = this.sums_.text;
1087 | }
1088 |
1089 | var panes = this.getPanes();
1090 | panes.overlayMouseTarget.appendChild(this.div_);
1091 |
1092 | var that = this;
1093 | google.maps.event.addDomListener(this.div_, 'click', function() {
1094 | that.triggerClusterClick();
1095 | });
1096 | };
1097 |
1098 |
1099 | /**
1100 | * Returns the position to place the div dending on the latlng.
1101 | *
1102 | * @param {google.maps.LatLng} latlng The position in latlng.
1103 | * @return {google.maps.Point} The position in pixels.
1104 | * @private
1105 | */
1106 | ClusterIcon.prototype.getPosFromLatLng_ = function(latlng) {
1107 | var pos = this.getProjection().fromLatLngToDivPixel(latlng);
1108 | pos.x -= parseInt(this.width_ / 2, 10);
1109 | pos.y -= parseInt(this.height_ / 2, 10);
1110 | return pos;
1111 | };
1112 |
1113 |
1114 | /**
1115 | * Draw the icon.
1116 | * @ignore
1117 | */
1118 | ClusterIcon.prototype.draw = function() {
1119 | if (this.visible_) {
1120 | var pos = this.getPosFromLatLng_(this.center_);
1121 | this.div_.style.top = pos.y + 'px';
1122 | this.div_.style.left = pos.x + 'px';
1123 | }
1124 | };
1125 |
1126 |
1127 | /**
1128 | * Hide the icon.
1129 | */
1130 | ClusterIcon.prototype.hide = function() {
1131 | if (this.div_) {
1132 | this.div_.style.display = 'none';
1133 | }
1134 | this.visible_ = false;
1135 | };
1136 |
1137 |
1138 | /**
1139 | * Position and show the icon.
1140 | */
1141 | ClusterIcon.prototype.show = function() {
1142 | if (this.div_) {
1143 | var pos = this.getPosFromLatLng_(this.center_);
1144 | this.div_.style.cssText = this.createCss(pos);
1145 | this.div_.style.display = '';
1146 | }
1147 | this.visible_ = true;
1148 | };
1149 |
1150 |
1151 | /**
1152 | * Remove the icon from the map
1153 | */
1154 | ClusterIcon.prototype.remove = function() {
1155 | this.setMap(null);
1156 | };
1157 |
1158 |
1159 | /**
1160 | * Implementation of the onRemove interface.
1161 | * @ignore
1162 | */
1163 | ClusterIcon.prototype.onRemove = function() {
1164 | if (this.div_ && this.div_.parentNode) {
1165 | this.hide();
1166 | this.div_.parentNode.removeChild(this.div_);
1167 | this.div_ = null;
1168 | }
1169 | };
1170 |
1171 |
1172 | /**
1173 | * Set the sums of the icon.
1174 | *
1175 | * @param {Object} sums The sums containing:
1176 | * 'text': (string) The text to display in the icon.
1177 | * 'index': (number) The style index of the icon.
1178 | */
1179 | ClusterIcon.prototype.setSums = function(sums) {
1180 | this.sums_ = sums;
1181 | this.text_ = sums.text;
1182 | this.index_ = sums.index;
1183 | if (this.div_) {
1184 | this.div_.innerHTML = sums.text;
1185 | }
1186 |
1187 | this.useStyle();
1188 | };
1189 |
1190 |
1191 | /**
1192 | * Sets the icon to the the styles.
1193 | */
1194 | ClusterIcon.prototype.useStyle = function() {
1195 | var index = Math.max(0, this.sums_.index - 1);
1196 | index = Math.min(this.styles_.length - 1, index);
1197 | var style = this.styles_[index];
1198 | this.url_ = style['url'];
1199 | this.height_ = style['height'];
1200 | this.width_ = style['width'];
1201 | this.textColor_ = style['textColor'];
1202 | this.anchor_ = style['anchor'];
1203 | this.textSize_ = style['textSize'];
1204 | this.backgroundPosition_ = style['backgroundPosition'];
1205 | };
1206 |
1207 |
1208 | /**
1209 | * Sets the center of the icon.
1210 | *
1211 | * @param {google.maps.LatLng} center The latlng to set as the center.
1212 | */
1213 | ClusterIcon.prototype.setCenter = function(center) {
1214 | this.center_ = center;
1215 | };
1216 |
1217 |
1218 | /**
1219 | * Create the css text based on the position of the icon.
1220 | *
1221 | * @param {google.maps.Point} pos The position.
1222 | * @return {string} The css style text.
1223 | */
1224 | ClusterIcon.prototype.createCss = function(pos) {
1225 | var style = [];
1226 | style.push('background-image:url(' + this.url_ + ');');
1227 | var backgroundPosition = this.backgroundPosition_ ? this.backgroundPosition_ : '0 0';
1228 | style.push('background-position:' + backgroundPosition + ';');
1229 |
1230 | if (typeof this.anchor_ === 'object') {
1231 | if (typeof this.anchor_[0] === 'number' && this.anchor_[0] > 0 &&
1232 | this.anchor_[0] < this.height_) {
1233 | style.push('height:' + (this.height_ - this.anchor_[0]) +
1234 | 'px; padding-top:' + this.anchor_[0] + 'px;');
1235 | } else {
1236 | style.push('height:' + this.height_ + 'px; line-height:' + this.height_ +
1237 | 'px;');
1238 | }
1239 | if (typeof this.anchor_[1] === 'number' && this.anchor_[1] > 0 &&
1240 | this.anchor_[1] < this.width_) {
1241 | style.push('width:' + (this.width_ - this.anchor_[1]) +
1242 | 'px; padding-left:' + this.anchor_[1] + 'px;');
1243 | } else {
1244 | style.push('width:' + this.width_ + 'px; text-align:center;');
1245 | }
1246 | } else {
1247 | style.push('height:' + this.height_ + 'px; line-height:' +
1248 | this.height_ + 'px; width:' + this.width_ + 'px; text-align:center;');
1249 | }
1250 |
1251 | var txtColor = this.textColor_ ? this.textColor_ : 'black';
1252 | var txtSize = this.textSize_ ? this.textSize_ : 11;
1253 |
1254 | style.push('cursor:pointer; top:' + pos.y + 'px; left:' +
1255 | pos.x + 'px; color:' + txtColor + '; position:absolute; font-size:' +
1256 | txtSize + 'px; font-family:Arial,sans-serif; font-weight:bold');
1257 | return style.join('');
1258 | };
1259 |
1260 |
1261 | // Export Symbols for Closure
1262 | // If you are not going to compile with closure then you can remove the
1263 | // code below.
1264 | window['MarkerClusterer'] = MarkerClusterer;
1265 | MarkerClusterer.prototype['addMarker'] = MarkerClusterer.prototype.addMarker;
1266 | MarkerClusterer.prototype['addMarkers'] = MarkerClusterer.prototype.addMarkers;
1267 | MarkerClusterer.prototype['clearMarkers'] =
1268 | MarkerClusterer.prototype.clearMarkers;
1269 | MarkerClusterer.prototype['fitMapToMarkers'] =
1270 | MarkerClusterer.prototype.fitMapToMarkers;
1271 | MarkerClusterer.prototype['getCalculator'] =
1272 | MarkerClusterer.prototype.getCalculator;
1273 | MarkerClusterer.prototype['getGridSize'] =
1274 | MarkerClusterer.prototype.getGridSize;
1275 | MarkerClusterer.prototype['getExtendedBounds'] =
1276 | MarkerClusterer.prototype.getExtendedBounds;
1277 | MarkerClusterer.prototype['getMap'] = MarkerClusterer.prototype.getMap;
1278 | MarkerClusterer.prototype['getMarkers'] = MarkerClusterer.prototype.getMarkers;
1279 | MarkerClusterer.prototype['getMaxZoom'] = MarkerClusterer.prototype.getMaxZoom;
1280 | MarkerClusterer.prototype['getStyles'] = MarkerClusterer.prototype.getStyles;
1281 | MarkerClusterer.prototype['getTotalClusters'] =
1282 | MarkerClusterer.prototype.getTotalClusters;
1283 | MarkerClusterer.prototype['getTotalMarkers'] =
1284 | MarkerClusterer.prototype.getTotalMarkers;
1285 | MarkerClusterer.prototype['redraw'] = MarkerClusterer.prototype.redraw;
1286 | MarkerClusterer.prototype['removeMarker'] =
1287 | MarkerClusterer.prototype.removeMarker;
1288 | MarkerClusterer.prototype['removeMarkers'] =
1289 | MarkerClusterer.prototype.removeMarkers;
1290 | MarkerClusterer.prototype['resetViewport'] =
1291 | MarkerClusterer.prototype.resetViewport;
1292 | MarkerClusterer.prototype['repaint'] =
1293 | MarkerClusterer.prototype.repaint;
1294 | MarkerClusterer.prototype['setCalculator'] =
1295 | MarkerClusterer.prototype.setCalculator;
1296 | MarkerClusterer.prototype['setGridSize'] =
1297 | MarkerClusterer.prototype.setGridSize;
1298 | MarkerClusterer.prototype['setMaxZoom'] =
1299 | MarkerClusterer.prototype.setMaxZoom;
1300 | MarkerClusterer.prototype['onAdd'] = MarkerClusterer.prototype.onAdd;
1301 | MarkerClusterer.prototype['draw'] = MarkerClusterer.prototype.draw;
1302 |
1303 | Cluster.prototype['getCenter'] = Cluster.prototype.getCenter;
1304 | Cluster.prototype['getSize'] = Cluster.prototype.getSize;
1305 | Cluster.prototype['getMarkers'] = Cluster.prototype.getMarkers;
1306 |
1307 | ClusterIcon.prototype['onAdd'] = ClusterIcon.prototype.onAdd;
1308 | ClusterIcon.prototype['draw'] = ClusterIcon.prototype.draw;
1309 | ClusterIcon.prototype['onRemove'] = ClusterIcon.prototype.onRemove;
1310 |
1311 | Object.keys = Object.keys || function(o) {
1312 | var result = [];
1313 | for(var name in o) {
1314 | if (o.hasOwnProperty(name))
1315 | result.push(name);
1316 | }
1317 | return result;
1318 | };
1319 |
--------------------------------------------------------------------------------
/resources/data/churches.csv:
--------------------------------------------------------------------------------
1 | Parole de Vie,"Rue Robert Scott, 14",1180 BRUSSEL-UKKEL ,BRUSSEL-UKKEL,1180,Réseau Antioche,ARPEE
2 | Evangelische Kerk Aalst,"R.-k. Sint-Jozefskerk, Seringenlaan 7",9470 DENDERLEEUW ,DENDERLEEUW,9470,Mission Evangélique Belge,ARPEE
3 | Volle Evangelie Gemeenschap De Bron,Sint-Jobstraat 60,9300 AALST ,AALST,9300,Verbond van Vlaamse Pinkstergemeenten,ARPEE
4 | Volle Evangelie Gemeenschap De Bron,Sint-Jobstraat 60,9300 AALST ,AALST,9300,Verbond van Vlaamse Pinkstergemeenten,ARPEE
5 | Evangelische Kerk Aarschot,"Kapel Bergvijver, Tieltsebaan 72",3200 AARSCHOT ,AARSCHOT,3200,Vrije Evangelische Gemeenten,ARPEE
6 | Nieuw Leven Christen Gemeente,Wissenstraat 22,3200 AARSCHOT ,AARSCHOT,3200,Verbond van Vlaamse Pinkstergemeenten,ARPEE
7 | Evangeliecentrum,Daalstraat 71,1790 AFFLIGEM ,AFFLIGEM,1790,Overleg van Autonome Evangelische Gemeenten,ARPEE
8 | Eglise protestante unie de Belgique,"Rue de l'Industrie, 42",4540 AMAY ,AMAY,4540,Eglise Protestante Unie de Belgique,ARPEE
9 | Eglise protestante unie de Belgique,"Rue de la Station, 8",5300 ANDENNE ,ANDENNE,5300,Eglise Protestante Unie de Belgique,ARPEE
10 | Assemblée protestante évangélique,"Place de la Résistance, 19",6560 ERQUELINNES ,ERQUELINNES,6560,Assemblées Protestantes Évangéliques de Belgique,ARPEE
11 | Eglise protestante unie de Belgique,"Rue François Ennot, 91",4432 ANS ,ANS,4432,Eglise Protestante Unie de Belgique,ARPEE
12 | Antwerp International Protestant Church,Veltwijcklaan 180,2180 ANTWERPEN ,ANTWERPEN,2180,Eglises en entente administrative avec l'EPUB,ARPEE
13 | Eglise Evangélique de Plein Réveil,"School Het Keerpunt, Prins Leopoldstraat 51",2140 ANTWERPEN ,ANTWERPEN,2140,Réseau Antioche,ARPEE
14 | Deutschsprachige evangelische Gemeinde in der Provinz Antwerpen (DEGPA),"Kapel van het T.P.C., Groenenborgerlaan 149",2020 ANTWERPEN ,ANTWERPEN,2020,Eglises affilié à l'EPUB,ARPEE
15 | Biserica Creștină Română Elim,Sint-Bernardsesteenweg 770,2660 ANTWERPEN ,ANTWERPEN,2660,Réseau Antioche,ARPEE
16 | Eglise Corps de Christ,Klapdorp 68,2000 ANTWERPEN ,ANTWERPEN,2000,Réseau Antioche,ARPEE
17 | Fraternité évangélique de Pentecôte en Afrique et en Belgique - Paroisse d'Anvers,Tweemontstraat 407,2100 ANTWERPEN ,ANTWERPEN,2100,Réseau Antioche,ARPEE
18 | Église internationale Source de Bénédiction,"Place de la Gare, 1",1082 BRUSSEL-BERCHEM-SAINTE-AGATHE ,BRUSSEL-BERCHEM-SAINTE-AGATHE,1082,Réseau Antioche,ARPEE
19 | Iglesia Cristiana de Amberes,Vliegenstraat 39-41,2060 ANTWERPEN ,ANTWERPEN,2060,Concertation des Églises Indépendantes,ARPEE
20 | L'Arche de l'Eternel,Lange Beeldekensstraat 35,2060 ANTWERPEN ,ANTWERPEN,2060,Église de Dieu en Belgique,ARPEE
21 | La Nouvelle Jérusalem,Lange Leemstraat 383,2018 ANTWERPEN ,ANTWERPEN,2018,Église de Dieu en Belgique,ARPEE
22 | Eglise protestante unie de Belgique,Bexstraat 13,2018 ANTWERPEN ,ANTWERPEN,2018,Eglise Protestante Unie de Belgique,ARPEE
23 | Evangelische Christengemeente Berchem,Sint-Lambertusstraat 38,2600 ANTWERPEN ,ANTWERPEN,2600,Evangelische Christengemeenten Vlaanderen,ARPEE
24 | Adventkerk,Lange Lozanastraat 36,2000 ANTWERPEN ,ANTWERPEN,2000,Fédération des Eglises adventistes,ARPEE
25 | Christelijke Gereformeerde Kerk - Evangelisch Centrum,Boterlaarbaan 19-21,2100 ANTWERPEN ,ANTWERPEN,2100,Gereformeerd Overleg Vlaanderen,ARPEE
26 | Gereformeerde Gemeente - Christelijk Centrum De Bron,Jaak De Boeckstraat 21-23,2170 ANTWERPEN ,ANTWERPEN,2170,Gereformeerd Overleg Vlaanderen,ARPEE
27 | Leger des Heils,Aalmoezenierstraat 54,2000 ANTWERPEN ,ANTWERPEN,2000,Armée du Salut,ARPEE
28 | Evangelische Kerk Antwerpen,Karel Rogierstraat 8,2000 ANTWERPEN ,ANTWERPEN,2000,Evangelische Christengemeenten Vlaanderen,ARPEE
29 | International Baptist Church (IBC),Onderwijsstraat 28,2060 ANTWERPEN ,ANTWERPEN,2060,Overleg van Autonome Evangelische Gemeenten,ARPEE
30 | Wereldwijde Kerk van God,"Zaal 't Spieke, Hanegraefstraat 5",2050 ANTWERPEN-LINKEROEVER ,ANTWERPEN-LINKEROEVER,2050,Overleg van Autonome Evangelische Gemeenten,ARPEE
31 | Evangelisch-Lutherse Kerk,Tabakvest 59,2000 ANTWERPEN ,ANTWERPEN,2000,Eglises Luthériennes,ARPEE
32 | Antwerp Christian Fellowship,Lange Lozanastraat 36,2018 ANTWERPEN ,ANTWERPEN,2018,Eglises en entente administrative avec l'EPUB,ARPEE
33 | Antwerp Truth Church,Lange Beeldekensstraat 24,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
34 | De Wijngaard Christengemeenschap,Duinstraat 84,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
35 | Endtime Outreach International Ministry,Duinstraat 84,2060 ANTWERPEN ,ANTWERPEN,2060,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
36 | Evangelische Kerk Philadelphia,Sint-Bernardsesteenweg 505,2660 ANTWERPEN ,ANTWERPEN,2660,Verbond van Vlaamse Pinkstergemeenten,ARPEE
37 | Light of the World Ministry International - House of Glory,"Zaal 't Capucientje, Capucienenlaan 99",9300 AALST ,AALST,9300,Verbond van Vlaamse Pinkstergemeenten,ARPEE
38 | Centro Cristiano Pentecostal Vida Nueva,"Rue Gheude, 54 (salle à droite)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
39 | The Redeemed Christian Church of God - New Life Assembly,Statiestraat 149,2600 ANTWERPEN ,ANTWERPEN,2600,Redeemed Christian Church of God,ARPEE
40 | Universele Kerk van Gods Rijk,Carnotstraat 15,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
41 | Christusgemeente,Bexstraat 13,2018 ANTWERPEN ,ANTWERPEN,2018,Eglise Protestante Unie de Belgique,ARPEE
42 | De Brabantse Olijfberg,Lange Winkelstraat 5,2000 ANTWERPEN ,ANTWERPEN,2000,Eglise Protestante Unie de Belgique,ARPEE
43 | Protestantse kerk De Wijngaard,Sanderusstraat 77,2018 ANTWERPEN ,ANTWERPEN,2018,Eglise Protestante Unie de Belgique,ARPEE
44 | Eglise Protestante Luthérienne Belge de la Confession d'Augsbourg - Eglise Protestante Luthérienne du Pays d'Arlon,"Quartier Callemeyn, Avenue du Dixième de Ligne",6700 ARLON ,ARLON,6700,Eglises Luthériennes,ARPEE
45 | Eglise protestante évangélique,"Rue du Temple, 1",6700 ARLON ,ARLON,6700,Mission Evangélique Belge,ARPEE
46 | Eglise protestante unie de Belgique,"Rue des Ecriniers, 6 A",7800 AAT ,AAT,7800,Eglise Protestante Unie de Belgique,ARPEE
47 | Eglise Evangélique Protestante,"Rue du Fort, 16",7800 AAT ,AAT,7800,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
48 | Eglise Protestante Baptiste Centre Martin Luther King,"Rue du Halage, 40",4920 AYWAILLE ,AYWAILLE,4920,Eglises en entente administrative avec l'EPUB,ARPEE
49 | Evangelische Kerk Pniël,Kolfstraat 9,2490 BALEN ,BALEN,2490,Eglises affilié à l'EPUB,ARPEE
50 | Christengemeente Kempen,Rijkevorselseweg 42,2340 BEERSE ,BEERSE,2340,Evangelische Christengemeenten Vlaanderen,ARPEE
51 | Korean Mission Church,Alsembergsesteenweg 1131,1650 BEERSEL ,BEERSEL,1650,Concertation des Églises Indépendantes,ARPEE
52 | Evangelische Kerk De Graankorrel,Leemstraat 89,3582 BERINGEN ,BERINGEN,3582,Evangelische Christengemeenten Vlaanderen,ARPEE
53 | Evangelische Kerk Bilzen,Spurkerweg 25,3740 BILZEN ,BILZEN,3740,Evangelische Christengemeenten Vlaanderen,ARPEE
54 | Assemblée de Dieu,"Chaussée Brunehault, 281",7134 BINCHE ,BINCHE,7134,Assemblées de Dieu Francophones de Belgique,ARPEE
55 | Eglise Protestante Evangélique de Binche,"Maison Communale de Waudrez, Place de l'Europe 7",7131 BINCHE ,BINCHE,7131,Mission Evangélique Belge,ARPEE
56 | Eglise protestante unie de Belgique,"Rue de la Station, 54",4670 BLEGNY ,BLEGNY,4670,Eglise Protestante Unie de Belgique,ARPEE
57 | Verenigde Protestantse Kerk in België,Onze Lieve Vrouweplein 2,2530 BOECHOUT ,BOECHOUT,2530,Eglise Protestante Unie de Belgique,ARPEE
58 | Christelijk Centrum,Beukenlaan 54,2850 BOOM ,BOOM,2850,Evangelische Christengemeenten Vlaanderen,ARPEE
59 | Evangelische kerk Klein-Brabant,Kardinaal Cardijnplein 8,2880 BORNEM ,BORNEM,2880,Verbond van Vlaamse Pinkstergemeenten,ARPEE
60 | Eglise protestante unie de Belgique (Boussu-Bois),"Rue Alfred Dendal, 86",7300 BOUSSU ,BOUSSU,7300,Eglise Protestante Unie de Belgique,ARPEE
61 | Eglise protestante unie de Belgique,"Rue de la Chapelle, 75",7301 BOUSSU ,BOUSSU,7301,Eglise Protestante Unie de Belgique,ARPEE
62 | Assemblée protestante évangélique,"Place Sainte-Anne, 6",1420 BRAINE-L'ALLEUD,BRAINE-L'ALLEUD,1420,Assemblées Protestantes Évangéliques de Belgique,ARPEE
63 | Eglise Réformée de l'Alliance,"Centre Pluraliste, Avenue Général Ruquoy, 54",1420 BRAINE-L'ALLEUD ,BRAINE-L'ALLEUD,1420,Eglise Protestante Unie de Belgique,ARPEE
64 | Eglise adventiste,"Rue Vallée Bailly, 62",1420 S-GRAVENBRAKEL ,S-GRAVENBRAKEL,1420,Fédération des Eglises adventistes,ARPEE
65 | Eglise Protestante Evangélique,"Rue Louis Gheude, 12",1440 KASTEELBRAKEL ,KASTEELBRAKEL,1440,Assemblées Protestantes Évangéliques de Belgique,ARPEE
66 | La Nouvelle Jérusalem,"Rue de Mons, 30",7090 SOIGNIES ,SOIGNIES,7090,Église de Dieu en Belgique,ARPEE
67 | Evangelische Kerk,"Kleine turnzaal van G.O. “De Rijdtmeersen”, ingang langs poort Wielendaalstraat",9660 BRAKEL ,BRAKEL,9660,Mission Evangélique Belge,ARPEE
68 | Eglise missionnaire Assemblée de Dieu,"Shopping Center, Bredabaan 486, winkel n° 18",2170 ANTWERPEN ,ANTWERPEN,2170,Réseau Antioche,ARPEE
69 | Evangelische Kerk,Lage Kaart 324,2930 BRASSCHAAT ,BRASSCHAAT,2930,Mission Evangélique Belge,ARPEE
70 | De Olijftak,Leopoldslei 35,2930 BRASSCHAAT ,BRASSCHAAT,2930,Eglise Protestante Unie de Belgique,ARPEE
71 | Adventkerk,Freren Fonteinstraat 9,8000 BRUGGE ,BRUGGE,8000,Fédération des Eglises adventistes,ARPEE
72 | Pinkstergemeente De Kruispoort,Dampoortstraat 168,8310 BRUGGE ,BRUGGE,8310,Verbond van Vlaamse Pinkstergemeenten,ARPEE
73 | Protestantse kerk Brugge - 't Keerske,"Sint-Pieterskapel, Keersstraat 1",8000 BRUGGE ,BRUGGE,8000,Eglise Protestante Unie de Belgique,ARPEE
74 | Vrije Evangelische Gemeente,Naaldenstraat 18,8000 BRUGGE ,BRUGGE,8000,Vrije Evangelische Gemeenten,ARPEE
75 | Eglise protestante unie de Belgique,"Rue du Temple, 21",7623 BRUNEHAUT ,BRUNEHAUT,7623,Eglise Protestante Unie de Belgique,ARPEE
76 | Armée du Salut,"Place du Nouveau Marché aux Grains, 33",1000 BRUSSEL ,BRUSSEL,1000,Armée du Salut,ARPEE
77 | Eglise Protestante Evangélique du Heysel,"Rue du Sansonnet, 8",1020 BRUSSEL ,BRUSSEL,1020,Assemblées Protestantes Évangéliques de Belgique,ARPEE
78 | Centre Evangélique Pain de Vie,"Chaussée d'Anvers, 324-326",1000 BRUSSEL ,BRUSSEL,1000,Concertation des Églises Indépendantes,ARPEE
79 | Communauté Chrétienne de Jette,"Chaussée de Jette, 448",1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Concertation des Églises Indépendantes,ARPEE
80 | Communauté Chrétienne du Catalpa,Berkendallaan 195,1800 VILVORDE ,VILVORDE,1800,Concertation des Églises Indépendantes,ARPEE
81 | Communauté des Frères chrétiens de Belgique,"Rue Gustave Schildknecht, 19",1020 BRUSSEL ,BRUSSEL,1020,Concertation des Églises Indépendantes,ARPEE
82 | Eglise de Dieu de la Prophétie,"Rue de la Roue, 7",1000 BRUSSEL ,BRUSSEL,1000,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
83 | Eglise évangélique arménienne,"Rue du Heysel, 20",1020 BRUSSEL ,BRUSSEL,1020,Concertation des Églises Indépendantes,ARPEE
84 | Eglise protestante,"Rue Steyls, 120",1020 BRUSSEL ,BRUSSEL,1020,Concertation des Églises Indépendantes,ARPEE
85 | Mission évangélique internationale Arche de Noé,rue Heyvaert 187,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Concertation des Églises Indépendantes,ARPEE
86 | Praise Center - Eglise philippine,Statiestraat 69,2600 ANTWERPEN ,ANTWERPEN,2600,Concertation des Églises Indépendantes,ARPEE
87 | Église Protestante de Bruxelles-Musée - Chapelle Royale,"Place du Musée, 2 / Coudenberg, 5",1000 BRUSSEL ,BRUSSEL,1000,Eglise Protestante Unie de Belgique,ARPEE
88 | Eglise Protestante de Bruxelles-Botanique (EPBB),"Boulevard Bischoffsheim, 40",1000 BRUSSEL ,BRUSSEL,1000,Eglise Protestante Unie de Belgique,ARPEE
89 | Eglise évangélique de Bruxelles-Est,"Rue Ernest Allard, 11-13 (2ème étage)",1000 BRUSSEL ,BRUSSEL,1000,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
90 | Eglise protestante évangélique,"Rue du Moniteur, 7",1000 BRUSSEL ,BRUSSEL,1000,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
91 | Vlaamse Adventkerk,"Ernest Allardstraat, 11",1000 BRUSSEL ,BRUSSEL,1000,Fédération des Eglises adventistes,ARPEE
92 | Eglise adventiste francophone,"Rue Ernest Allard, 11",1000 BRUSSEL ,BRUSSEL,1000,Fédération des Eglises adventistes,ARPEE
93 | Eglise adventiste lusophone,"Boulevard Jamar, 37",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Fédération des Eglises adventistes,ARPEE
94 | Eglise adventiste roumaine,"Rue Ernest Allard, 11",1000 BRUSSEL ,BRUSSEL,1000,Fédération des Eglises adventistes,ARPEE
95 | International Adventist Church,"Rue Ernest Allard, 11",1000 BRUSSEL ,BRUSSEL,1000,Fédération des Eglises adventistes,ARPEE
96 | Eglise arabe,"Rue Léopold Ier, 117",1020 BRUSSEL ,BRUSSEL,1020,Union des Baptistes en Belgique,ARPEE
97 | Eglise vietnamienne,"Rue du Moniteur, 7",1000 BRUSSEL ,BRUSSEL,1000,Mission Evangélique Belge,ARPEE
98 | Assemblée les Messagers,"Chaussée de Haecht, 296",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Réseau Antioche,ARPEE
99 | Biserica Creștină Română Elim,"Rue Stéphanie, 107",1020 BRUSSEL ,BRUSSEL,1020,Réseau Antioche,ARPEE
100 | Les Ambassadeurs,"Rue Gheude, 54",1070 BRUSSEL ,BRUSSEL,1070,Réseau Antioche,ARPEE
101 | Eglise pentecôtiste Source du Salut,"Boulevard de l'Abattoir, 26",1000 BRUSSEL ,BRUSSEL,1000,Réseau Antioche,ARPEE
102 | Living Stone World Worship Centre International,"Chaussée de Louvain, 1064",1140 BRUSSEL-EVERE ,BRUSSEL-EVERE,1140,Réseau Antioche,ARPEE
103 | Ministère de la Résurrection,"Boulevard Louis Mettewie 46, Bte 84",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
104 | Centre Baptiste Oasis,"Place Joseph Benoît Willems, 8",1020 BRUSSEL ,BRUSSEL,1020,Union des Baptistes en Belgique,ARPEE
105 | Protestantse Kerk Brussel,Nieuwe Graanmarkt 8,1000 BRUSSEL ,BRUSSEL,1000,Eglise Protestante Unie de Belgique,ARPEE
106 | Eglise Protestante Libérale,"Rue Charles Quint, 117",1000 BRUSSEL ,BRUSSEL,1000,Eglise Protestante Libérale,ARPEE
107 | Arche de la gloire de l'Eternel,"Rue de Birmingham, 222",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
108 | Ministère Médicinal et Guérison - La Parole de Vie,Hof ter Lo 7 bus 18,2140 ANTWERPEN ,ANTWERPEN,2140,Verbond van Vlaamse Pinkstergemeenten,ARPEE
109 | Centro Evangelístico Internacional,"Rue Charles Parenté, 3 A",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
110 | The Lighthouse Centre,"Rue Van Lint, 26",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
111 | Eglise évangélique de la Vaillance,"Rue d'Aumale, 11",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
112 | Eglise Evangélique Internationale La Providence,"Rue Gheude, 54 (salle principale)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
113 | Eglise évangélique Le Phare,Chaussée d'Alsemberg 207,1420 BRAINE-L'ALLEUD ,BRAINE-L'ALLEUD,1420,Concertation des Églises Indépendantes,ARPEE
114 | Praise Center,"Rue Gheude, 54",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
115 | Communauté Protestante Évangélique Anderlecht,"Boulevard Maurice Herbette, 24",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Église Apostolique,ARPEE
116 | Mission évangélique de Pentecôte Arche de l'Eternel,"rue Heyvaert, 187",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
117 | Eglise protestante unie de Belgique - Eglise francophone,"Rue Walcourt, 103",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Eglise Protestante Unie de Belgique,ARPEE
118 | Eglise Vie et Lumière,"Route de Lennik, 300",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Mission Tzigane Vie et Lumière,ARPEE
119 | Comunidade Cristã Brasileira (CCBr),"Rue des Deux Gares, 91",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
120 | Fraternité évangélique de Pentecôte en Afrique et en Belgique,"Rue Brialmont, 7",1210 BRUSSEL-SINT-JOOST-TEN-NODE ,BRUSSEL-SINT-JOOST-TEN-NODE,1210,Réseau Antioche,ARPEE
121 | Mission évangélique La Bonne Nouvelle du Salut,"Rue Birmingham, 222",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
122 | Mission évangélique Tabernacle de Jésus-Christ,"Rue Brogniez, 21",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
123 | Mission Internationale du Plein Evangile,"Rue de l'Instruction, 112",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
124 | Comunidade Renascer em Cristo (Renaître en Christ),"Rue Gheude, 21-25 (1er étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
125 | Zion Temple Celebration Centre Bruxelles (Ministère de la Parole Authentique),Rue des Ateliers 19,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
126 | Bethlehemkerk (Nederlandstalige kerk),Walcourtstraat 103,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Eglise Protestante Unie de Belgique,ARPEE
127 | Iglesia Adventista del 7° Día Hispana de Bruselas (Bizet),"Rue Walcourt, 103",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fédération des Eglises adventistes,ARPEE
128 | Eglise Universelle de Dieu - Le monde à venir,"Salle Sainte-Anne, Chaussée de Tervueren, 131",1160 BRUSSEL-OUDERGEM ,BRUSSEL-OUDERGEM,1160,Concertation des Églises Indépendantes,ARPEE
129 | Assembleia de Deus,"Boulevard du Souverain, 220",1160 BRUSSEL-OUDERGEM ,BRUSSEL-OUDERGEM,1160,Assemblées de Dieu Francophones de Belgique,ARPEE
130 | Eglise évangélique,"Chaussée de Wavre, 880",1040 BRUSSEL-ETTERBEEK ,BRUSSEL-ETTERBEEK,1040,Assemblées Protestantes Évangéliques de Belgique,ARPEE
131 | Eglise Evangélique Arabe de Belgique / Arabische Evangelische Kerk van België,Lange Molenstraat 58,1800 VILVORDE ,VILVORDE,1800,Concertation des Églises Indépendantes,ARPEE
132 | Eglise Baptiste de la Grâce,"Chaussée de Haecht, 982",1140 BRUSSEL-EVERE ,BRUSSEL-EVERE,1140,Concertation des Églises Indépendantes,ARPEE
133 | Eglise protestante évangélique d'Evere,"Rue Godfroid Kurth, 65",1140 BRUSSEL-EVERE ,BRUSSEL-EVERE,1140,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
134 | Schekina Cathédrale,"Rue du Bateau, 12A",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Concertation des Églises Indépendantes,ARPEE
135 | Vineyard Brussels (ex: International Christian Fellowship),"Boulevard du Souverain, 220",1160 BRUSSEL-OUDERGEM ,BRUSSEL-OUDERGEM,1160,Réseau Antioche,ARPEE
136 | Centre Evangélique,"Avenue Van Volxem, 194",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Assemblées de Dieu Francophones de Belgique,ARPEE
137 | Centre de Réveil Fleuves d'Eau Vive,"Rue du Feu, 55 A",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Concertation des Églises Indépendantes,ARPEE
138 | Assemblée Messianique Beth Yeshoua,"Rue de Baume, 239",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Concertation des Églises Indépendantes,ARPEE
139 | Iglesia Adventista del 7° Día Hispana de Bruselas (Bethel),"Chaussée d'Anvers, 324-326",1000 BRUSSEL ,BRUSSEL,1000,Fédération des Eglises adventistes,ARPEE
140 | Eglise Baptiste de Bruxelles,"Rue Jef Devos, 26",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Union des Baptistes en Belgique,ARPEE
141 | Communauté chrétienne de Ganshoren Le Cépage,"Rue Jean de Greef, 10-12",1083 BRUSSEL-GANSHOREN ,BRUSSEL-GANSHOREN,1083,Concertation des Églises Indépendantes,ARPEE
142 | Armée du Salut,"Rue Tenbosch, 122 A",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Armée du Salut,ARPEE
143 | Cristo para as Nações,"Rue de la Cuve, 16 A",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
144 | Centro de Adoração,"Rue Van Lint, 37",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
145 | Eglise protestante unie de Belgique,"Rue du Champ de Mars, 5",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Eglise Protestante Unie de Belgique,ARPEE
146 | Saint Andrew's Church of Scotland,"Chaussée de Vleurgat, 181",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Eglise Protestante Unie de Belgique,ARPEE
147 | La Nouvelle Jérusalem,"Rue Picard, 174-176-178",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Église de Dieu en Belgique,ARPEE
148 | Eglise La Louange,Rue Général Eenens 81,1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Réseau Antioche,ARPEE
149 | Eglise protestante baptiste La Fraternité,"Rue Ulens, 55",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Union des Baptistes en Belgique,ARPEE
150 | Centro Evangélico Hispanoamérico Emanuel,"Rue Conraets, 11",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Assemblées de Dieu Francophones de Belgique,ARPEE
151 | Assemblée de Dieu - Ministério Restauração,"Rue Berthelot, 106-108",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
152 | Mission évangélique Eben-Ezer,"Rue Joseph Claes, 41",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Concertation des Églises Indépendantes,ARPEE
153 | La Nouvelle Jérusalem,"Rue de Mérode, 210 B",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Église de Dieu en Belgique,ARPEE
154 | Assemblée du Plein Evangile,"Rue Scailquin, 36",1210 BRUSSEL-SINT-JOOST-TEN-NODE ,BRUSSEL-SINT-JOOST-TEN-NODE,1210,Concertation des Églises Indépendantes,ARPEE
155 | Philadelphia Church,"Rue Emile Wauters, 110",1020 BRUSSEL ,BRUSSEL,1020,Overleg van Autonome Evangelische Gemeenten,ARPEE
156 | Association évangélique baptiste - Eglise protestante baptiste de Schaerbeek,Boulevard de la Cambre 46,1000 BRUSSEL ,BRUSSEL,1000,Concertation des Églises Indépendantes,ARPEE
157 | Christengemeente De Smalle Weg,Laconiastraat 8,8000 BRUGGE ,BRUGGE,8000,Overleg van Autonome Evangelische Gemeenten,ARPEE
158 | Destiny Christian Center,"Protestant Church, Place du Nouveau Marché aux Grains, 8",1000 BRUSSEL ,BRUSSEL,1000,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
159 | La Nouvelle Jérusalem,"Chaussée de Haecht, 296",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Église de Dieu en Belgique,ARPEE
160 | Eglise Méthodiste Libre,"Avenue de Roodebeek, 151",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Free Methodist Church,ARPEE
161 | Mission mondiale Evangile du Christ,Rue de Bonne 59 (2° étage),1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
162 | Evangelische Kerk Bethel,Haachtsesteenweg 403,1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Vrije Evangelische Gemeenten,ARPEE
163 | Eglise apostolique évangélique,"Chaussée d'Alsemberg, 990",1180 BRUSSEL-UKKEL ,BRUSSEL-UKKEL,1180,Église Apostolique,ARPEE
164 | Eglise Méthodiste Libre,"Chaussée d'Alsemberg, 877",1180 BRUSSEL-UKKEL ,BRUSSEL-UKKEL,1180,Free Methodist Church,ARPEE
165 | Eglise Evangélique d'Uccle,"Chaussée d'Alsemberg, 877",1180 BRUSSEL-UKKEL ,BRUSSEL-UKKEL,1180,Eglise Protestante Unie de Belgique,ARPEE
166 | Eglise protestante unie de Belgique,"Avenue des Cailles, 131",1170 BRUSSEL-WATERMAAL-BOSVOORDE ,BRUSSEL-WATERMAAL-BOSVOORDE,1170,Eglise Protestante Unie de Belgique,ARPEE
167 | International Protestant Church,"Eglise Notre Dame du Blankedelle, Avenue des Héros, 40",1160 BRUSSEL-OUDERGEM ,BRUSSEL-OUDERGEM,1160,Eglise Protestante Unie de Belgique,ARPEE
168 | Eglise Evangélique Arménienne,"Avenue des Iles d'Or, 15",1200 BRUSSEL-SINT-LAMBRECHTS-WOLUWE ,BRUSSEL-SINT-LAMBRECHTS-WOLUWE,1200,Concertation des Églises Indépendantes,ARPEE
169 | Église Protestante Évangélique de Bruxelles-Woluwe,"Avenue A.J. Slegers, 96",1200 BRUSSEL-SINT-LAMBRECHTS-WOLUWE ,BRUSSEL-SINT-LAMBRECHTS-WOLUWE,1200,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
170 | Eglise adventiste,"Avenue des Iles d'Or, 15",1200 BRUSSEL-SINT-LAMBRECHTS-WOLUWE ,BRUSSEL-SINT-LAMBRECHTS-WOLUWE,1200,Fédération des Eglises adventistes,ARPEE
171 | Communauté Chrétienne de Stockel,"Avenue Edmond Parmentier, 250",1150 BRUSSEL-SINT-PIETERS-WOLUWE ,BRUSSEL-SINT-PIETERS-WOLUWE,1150,Concertation des Églises Indépendantes,ARPEE
172 | Deutschsprachige evangelische Gemeinde,"Avenue Salomé, 7",1150 BRUSSEL-SINT-PIETERS-WOLUWE ,BRUSSEL-SINT-PIETERS-WOLUWE,1150,Eglises affilié à l'EPUB,ARPEE
173 | Communauté Chrétienne de Bruxelles-Est,"Fraternités du Bon Pasteur, Rue au Bois, 365 B",1150 BRUSSEL-SINT-PIETERS-WOLUWE ,BRUSSEL-SINT-PIETERS-WOLUWE,1150,Réseau Antioche,ARPEE
174 | All Lutheran Church of Brussels,"Avenue Salomé, 7",1150 BRUSSEL-SINT-PIETERS-WOLUWE ,BRUSSEL-SINT-PIETERS-WOLUWE,1150,Eglises Luthériennes,ARPEE
175 | Eglise protestante évangélique,"Rue Émile Vandervelde, 59",7160 CHAPELLE-LEZ-HERLAIMONT ,CHAPELLE-LEZ-HERLAIMONT,7160,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
176 | Armée du Salut,"Rue Louis Biernaux, 111-113",6040 CHARLEROI ,CHARLEROI,6040,Armée du Salut,ARPEE
177 | Assemblée de Dieu,"Avenue de l'Europe, 44",6000 CHARLEROI ,CHARLEROI,6000,Assemblées de Dieu Francophones de Belgique,ARPEE
178 | Assemblée de Dieu - Mission Evangélique La Bonne Nouvelle,"Avenue de l'Europe, 44",6000 CHARLEROI ,CHARLEROI,6000,Assemblées de Dieu Francophones de Belgique,ARPEE
179 | Centre évangélique Vie Nouvelle,"Rue du Vigneron, 142",6043 CHARLEROI ,CHARLEROI,6043,Assemblées de Dieu Francophones de Belgique,ARPEE
180 | Assemblée évangélique de Réveil,"Rue Sainte-Agnès, 1",6060 CHARLEROI ,CHARLEROI,6060,Assemblées de Dieu Francophones de Belgique,ARPEE
181 | Centre évangélique,"Rue des Nutons, 256",6060 CHARLEROI ,CHARLEROI,6060,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
182 | La Voix de l'Evangile,"Rue Léon Dubois, 299",6030 CHARLEROI ,CHARLEROI,6030,Assemblées de Dieu Francophones de Belgique,ARPEE
183 | Mission évangélique de Réveil « Foi et Lumière »,"Rue Napoléon Lejong, 46",6032 CHARLEROI ,CHARLEROI,6032,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
184 | Dynamic Faith Ministry International,Hogeweg,2140 ANTWERPEN ,ANTWERPEN,2140,Redeemed Christian Church of God,ARPEE
185 | Assemblée protestante évangélique,"Rue de Bayemont, 35",6040 CHARLEROI ,CHARLEROI,6040,Assemblées Protestantes Évangéliques de Belgique,ARPEE
186 | Assemblée protestante évangélique,"Rue Séraphin Antoine, 89",6032 CHARLEROI ,CHARLEROI,6032,Assemblées Protestantes Évangéliques de Belgique,ARPEE
187 | La Nouvelle Jérusalem,"Rue de Jumet, 328",6030 CHARLEROI ,CHARLEROI,6030,Église de Dieu en Belgique,ARPEE
188 | Deutschsprachige evangelische Gemeinde,"Rue Charbonnel, 121",6043 CHARLEROI ,CHARLEROI,6043,Eglises affilié à l'EPUB,ARPEE
189 | Eglise protestante unie de Belgique,"Boulevard Audent, 20",6000 CHARLEROI ,CHARLEROI,6000,Eglise Protestante Unie de Belgique,ARPEE
190 | Eglise protestante unie de Belgique,"Rue du Marabout, 71",6060 CHARLEROI ,CHARLEROI,6060,Eglise Protestante Unie de Belgique,ARPEE
191 | Eglise protestante unie de Belgique,"Rue François Dewiest, 42",6040 CHARLEROI ,CHARLEROI,6040,Eglise Protestante Unie de Belgique,ARPEE
192 | Eglise protestante unie de Belgique,"Rue de Beaumont, 206",6030 CHARLEROI ,CHARLEROI,6030,Eglise Protestante Unie de Belgique,ARPEE
193 | Eglise protestante unie de Belgique,"Rue du Temple, 38",6001 CHARLEROI ,CHARLEROI,6001,Eglise Protestante Unie de Belgique,ARPEE
194 | Eglise réformée de Ransart,"Rue Charbonnel, 121",6043 CHARLEROI ,CHARLEROI,6043,Eglise Protestante Unie de Belgique,ARPEE
195 | Eglise protestante évangélique (Charleroi-Nord),"Rue Emile Vandervelde, 11",6000 CHARLEROI ,CHARLEROI,6000,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
196 | Eglise protestante évangélique,"Rue Emile Vandervelde, 13",6010 CHARLEROI ,CHARLEROI,6010,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
197 | Eglise protestante évangélique,"Rue des Cayats, 190",6001 CHARLEROI ,CHARLEROI,6001,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
198 | Eglise adventiste,"Rue Émile Vandervelde, 16",6040 CHARLEROI ,CHARLEROI,6040,Fédération des Eglises adventistes,ARPEE
199 | Temple Evangélique Baptiste,"Rue de la Tombe, 110",6032 CHARLEROI ,CHARLEROI,6032,Union des Baptistes en Belgique,ARPEE
200 | Diffusion de l'Evangile,"Rue de Mons, 106",6031 CHARLEROI ,CHARLEROI,6031,Union des Églises Évangéliques de Réveil,ARPEE
201 | Église Évangelique de Reveil,"Rue Joseph Wauters, 15-17",6020 CHARLEROI ,CHARLEROI,6020,Assemblées de Dieu Francophones de Belgique,ARPEE
202 | Eglise protestante évangélique,"Rue des Gaux, 19",6200 CHÂTELET ,CHÂTELET,6200,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
203 | Eglise apostolique,"Rue de la Station, 7",7950 CHIEVRES ,CHIEVRES,7950,Église Apostolique,ARPEE
204 | Eglise protestante unie de Belgique,"Rue du Château, 8",6460 CHIMAY ,CHIMAY,6460,Eglise Protestante Unie de Belgique,ARPEE
205 | Centre évangélique,"Rue du Centre, 46",5590 CINEY ,CINEY,5590,Assemblées de Dieu Francophones de Belgique,ARPEE
206 | Assemblée protestante évangélique,"Rue des Frères Defuisseaux, 41",7340 COLFONTAINE ,COLFONTAINE,7340,Assemblées Protestantes Évangéliques de Belgique,ARPEE
207 | Jours-Chrétiens,"Rue de la Louise, 15",7340 COLFONTAINE ,COLFONTAINE,7340,Concertation des Églises Indépendantes,ARPEE
208 | Eglise Protestante Evangélique,"Rue des Brasseries, 3-5",7340 COLFONTAINE ,COLFONTAINE,7340,Concertation des Églises Indépendantes,ARPEE
209 | Eglise apostolique,"Rue du Pont d'Arcole, 62",7340 COLFONTAINE ,COLFONTAINE,7340,Église Apostolique,ARPEE
210 | Eglise protestante unie de Belgique,"Rue Jean-Baptiste Clément, 2",7340 COLFONTAINE ,COLFONTAINE,7340,Eglise Protestante Unie de Belgique,ARPEE
211 | Eglise protestante unie de Belgique (Grand-Wasmes),"Rue Saint-Pierre, 31",7340 COLFONTAINE ,COLFONTAINE,7340,Eglise Protestante Unie de Belgique,ARPEE
212 | Eglise protestante unie de Belgique (Petit-Wasmes),"Rue Pasteur L'Host, 1",7340 COLFONTAINE ,COLFONTAINE,7340,Eglise Protestante Unie de Belgique,ARPEE
213 | Eglise protestante évangélique,"Pavé de Warquignies, 152",7340 COLFONTAINE ,COLFONTAINE,7340,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
214 | Eglise protestante unie de Belgique,"Rue de Wervicq, 111",7780 COMINES-WARNETON ,COMINES-WARNETON,7780,Eglise Protestante Unie de Belgique,ARPEE
215 | Armée du Salut,"Rue Général de Gaulle, 145",6180 COURCELLES ,COURCELLES,6180,Armée du Salut,ARPEE
216 | Assemblée Chrétienne,"Rue de Forrière, 321",6180 COURCELLES ,COURCELLES,6180,Concertation des Églises Indépendantes,ARPEE
217 | Eglise protestante unie de Belgique,"Rue du Temple, 62",6180 COURCELLES ,COURCELLES,6180,Eglise Protestante Unie de Belgique,ARPEE
218 | Baptistengemeente Brugge (Brugge Baptist Church),Bruggesteenweg 3,8430 DAMME ,DAMME,8430,Association des Baptistes indépendants,ARPEE
219 | Adventkerk,Brouwerstraat 100,8660 DE PANNE ,DE PANNE,8660,Fédération des Eglises adventistes,ARPEE
220 | Verenigde Protestantse Kerk in België,Brouwersstraat 100,8660 DE PANNE ,DE PANNE,8660,Eglise Protestante Unie de Belgique,ARPEE
221 | Evangelische Kerk Eben-Haezer,Ambachtstraat 35,8660 DE PANNE ,DE PANNE,8660,Vrije Evangelische Gemeenten,ARPEE
222 | Belgische Evangelische Zending,"O.C.M.W.-Dienstencentrum Elfdorpen, Ghesquièrestraat 15",9800 DEINZE ,DEINZE,9800,Mission Evangélique Belge,ARPEE
223 | Verenigde Protestantse Kerk in België,Koningin Astridstraat 25,9470 DENDERLEEUW ,DENDERLEEUW,9470,Eglise Protestante Unie de Belgique,ARPEE
224 | Adventkerk,Krekelhoek 9,9200 DENDERMONDE ,DENDERMONDE,9200,Fédération des Eglises adventistes,ARPEE
225 | Verenigde Protestantse Kerk in België,Lindanusstraat 2,9200 DENDERMONDE ,DENDERMONDE,9200,Eglise Protestante Unie de Belgique,ARPEE
226 | Vrije Evangelische Gemeente,Kempenstraat 70,3590 DIEPENBEEK ,DIEPENBEEK,3590,Vrije Evangelische Gemeenten,ARPEE
227 | Christengemeente De Ark,"Diocesane Middenschool, Mariëndaalstraat 44",3290 DIEST ,DIEST,3290,Verbond van Vlaamse Pinkstergemeenten,ARPEE
228 | Evangelische Kerk,Vredestraat 9 A,8600 DIKSMUIDE ,DIKSMUIDE,8600,Mission Evangélique Belge,ARPEE
229 | Evangelische Christenen Dilbeek en omstreken,"Ontmoetingscentrum Westrand, lokaal 304, Kamerijklaan 1",1700 DILBEEK ,DILBEEK,1700,Vrije Evangelische Gemeenten,ARPEE
230 | Levend Woord Maasland,Vlessersweg 54,3650 DILSEN-STOKKEM ,DILSEN-STOKKEM,3650,Overleg van Autonome Evangelische Gemeenten,ARPEE
231 | Centre Evangélique,"Rue de Philippeville, 151",5500 DINANT ,DINANT,5500,Assemblées de Dieu Francophones de Belgique,ARPEE
232 | Eglise protestante unie de Belgique,"Eglise Saint-Georges, Rue Gustave Poncelet, 20",5500 DINANT ,DINANT,5500,Eglise Protestante Unie de Belgique,ARPEE
233 | Temple de Dour et des Hauts Pays,"Rue du Roi Albert, 56",7370 DOUR ,DOUR,7370,Eglise Protestante Unie de Belgique,ARPEE
234 | Eglise protestante évangélique,"Rue de Boussu, 53",7370 DOUR ,DOUR,7370,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
235 | Eglise adventiste,"Rue de la Fontaine, 46 B",7370 DOUR ,DOUR,7370,Fédération des Eglises adventistes,ARPEE
236 | Eglise protestante unie de Belgique,"Rue de la Haie, 33",7190 ECAUSSINNES ,ECAUSSINNES,7190,Eglise Protestante Unie de Belgique,ARPEE
237 | Evangelische kerk De Ark,Zeelaan 22,9900 EEKLO ,EEKLO,9900,Evangelische Christengemeenten Vlaanderen,ARPEE
238 | Eglise protestante évangélique,"Route de Cortil Wodon, 76",5310 EGHEZEE ,EGHEZEE,5310,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
239 | Eglise protestante unie de Belgique,Chapelle de la Dodane,7850 ENGHIEN ,ENGHIEN,7850,Eglise Protestante Unie de Belgique,ARPEE
240 | Freie evangelische Gemeinde,Malmedyer Straße 25,4700 EUPEN ,EUPEN,4700,Mission Evangélique Belge,ARPEE
241 | Friedenskirche,Klötzerbahn,4700 EUPEN ,EUPEN,4700,Eglise Protestante Unie de Belgique,ARPEE
242 | Eglise protestante La Bonne Nouvelle,"Rue des Marais, 41",6240 FARCIENNES ,FARCIENNES,6240,Assemblées de Dieu Francophones de Belgique,ARPEE
243 | Eglise protestante unie de Belgique,"Rue Carlo Hénin, 98",6240 FARCIENNES ,FARCIENNES,6240,Eglise Protestante Unie de Belgique,ARPEE
244 | Eglise protestante unie de Belgique,"Rue de la Fontaine, 256",4400 FLEMALLE ,FLEMALLE,4400,Eglise Protestante Unie de Belgique,ARPEE
245 | Assemblée Protestante Baptiste,"Rue Arsène Falla, 6",4621 FLERON ,FLERON,4621,Eglises en entente administrative avec l'EPUB,ARPEE
246 | Centre évangélique Vie et Paix,"Rue Joseph Lefèbvre, 11",6220 FLEURUS ,FLEURUS,6220,Assemblées de Dieu Francophones de Belgique,ARPEE
247 | La Nouvelle Jérusalem,"Rue de la Station, 62",6220 FLEURUS ,FLEURUS,6220,Église de Dieu en Belgique,ARPEE
248 | Eglise protestante unie de Belgique,"Rue de Soulme, 100",5620 FLORENNES ,FLORENNES,5620,Eglise Protestante Unie de Belgique,ARPEE
249 | Eglise Evangélique de Flavion,"Se renseigner chez Richard Libert, Rue Bourgmestre Octave Targez, 1",5600 PHILIPPEVILLE ,PHILIPPEVILLE,5600,Églises Mennonites,ARPEE
250 | Armée du Salut,"Rue Emile Vandervelde, 83",6141 FONTAINE-L'EVÊQUE ,FONTAINE-L'EVÊQUE,6141,Armée du Salut,ARPEE
251 | Assemblée de Dieu,"Rue Louis Delattre, 23",6140 FONTAINE-L'EVÊQUE ,FONTAINE-L'EVÊQUE,6140,Assemblées de Dieu Francophones de Belgique,ARPEE
252 | Eglise protestante unie de Belgique,"Place Charles Brogniez, 22",6140 FONTAINE-L'EVÊQUE ,FONTAINE-L'EVÊQUE,6140,Eglise Protestante Unie de Belgique,ARPEE
253 | Igreja Presbiteriana Renovada,"Rue Van Lint, 47 (1er étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
254 | Eglise protestante unie de Belgique,"Rue Joseph Dufrane, 15",7080 FRAMERIES ,FRAMERIES,7080,Eglise Protestante Unie de Belgique,ARPEE
255 | Eglise protestante unie de Belgique,"Rue de la Régence, 1",7080 FRAMERIES ,FRAMERIES,7080,Eglise Protestante Unie de Belgique,ARPEE
256 | Eglise Protestante Evangélique Christ Vie Nouvelle,"Salle La Fraternité, Terre à Cailloux, 38",7080 FRAMERIES ,FRAMERIES,7080,Union des Baptistes en Belgique,ARPEE
257 | Eglise évangélique de Réveil,"Rue des Ecluses, 38",7080 FRAMERIES ,FRAMERIES,7080,Union des Églises Évangéliques de Réveil,ARPEE
258 | Christelijk Centrum Levend Water,Holven 19,2440 GEEL ,GEEL,2440,Verbond van Vlaamse Pinkstergemeenten,ARPEE
259 | Eglise évangélique de Pentecôte La Pierre Vivante,"Ciné Royal, Rue du Moulin, 55 B",5030 GEMBLOUX ,GEMBLOUX,5030,Assemblées de Dieu Francophones de Belgique,ARPEE
260 | Eglise protestante unie de Belgique,"Rue Paul Tournay, 23",5030 GEMBLOUX ,GEMBLOUX,5030,Eglise Protestante Unie de Belgique,ARPEE
261 | Assemblée chrétienne évangélique,"Rue de Charleroi, 17 A",1470 GENAPPE ,GENAPPE,1470,Concertation des Églises Indépendantes,ARPEE
262 | Christengemeente Zwartberg,Arbeidsstraat 56,3600 GENK ,GENK,3600,Evangelische Christengemeenten Vlaanderen,ARPEE
263 | Pinkstergemeente Elim,Flikbergstraat 79,3600 GENK ,GENK,3600,Verbond van Vlaamse Pinkstergemeenten,ARPEE
264 | Protestantse Johanneskerk,Laatgoedstraat 60,3600 GENK ,GENK,3600,Eglise Protestante Unie de Belgique,ARPEE
265 | Evangelische Gemeente Paulus,Evence Coppéelaan 31,3600 GENK ,GENK,3600,Vrije Evangelische Gemeenten,ARPEE
266 | Eglise Mont Horeb,Ledebergplein 21,9050 GAND ,GAND,9050,Église de Dieu en Belgique,ARPEE
267 | Evangelische Kerk Bourgoyen,Brugsesteenweg 325,9000 GAND ,GAND,9000,Evangelische Christengemeenten Vlaanderen,ARPEE
268 | Adventkerk,Kortrijksepoortstraat 158,9000 GAND ,GAND,9000,Fédération des Eglises adventistes,ARPEE
269 | Christelijke Gereformeerde Kerk - Evangelisch Centrum Rehobôth,Bij Sint-Jozef 5,9000 GAND ,GAND,9000,Gereformeerd Overleg Vlaanderen,ARPEE
270 | Gereformeerd Kerkcentrum Kerk aan de Leie,Gordunakaai 28-30,9000 GAND ,GAND,9000,Gereformeerd Overleg Vlaanderen,ARPEE
271 | Evangelische Gemeente De Rots,Vierweegsestraat 54,9032 GAND ,GAND,9032,Evangelische Christengemeenten Vlaanderen,ARPEE
272 | Christelijke Gemeenschap Elim,Acaciastraat 2-4,9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
273 | Vineyard Ganda (voorheen: Goed Nieuws Christengemeenschap),"OCMW-Cultuurkapel Sint-Vincent, Sint-Antoniuskaai 10-12",9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
274 | Strong Tower Ministries,Harelbekestraat 64,9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
275 | Tabernacle de Victoire,Harelbekestraat 64,9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
276 | VPKB (Brabantdam),Sint-Kristoffelstraat 1,9000 GAND ,GAND,9000,Eglise Protestante Unie de Belgique,ARPEE
277 | VPKB (Rabot),Begijnhoflaan 31,9000 GAND ,GAND,9000,Eglise Protestante Unie de Belgique,ARPEE
278 | Evangelische kerk De Bron,Nederzwijnaarde 23,9052 GAND ,GAND,9052,Vrije Evangelische Gemeenten,ARPEE
279 | Vrije Evangelische Gemeente De Burg,Burgstraat 13,9000 GAND ,GAND,9000,Vrije Evangelische Gemeenten,ARPEE
280 | Verenigde Protestantse Kerk in België,Adamstraat 26-28,9500 GRAMMONT ,GRAMMONT,9500,Eglise Protestante Unie de Belgique,ARPEE
281 | Evangelisch Centrum De Levensbron,Boelarestraat 52,9500 GRAMMONT ,GRAMMONT,9500,Vrije Evangelische Gemeenten,ARPEE
282 | Evangelische Gemeenschap Gistel,Koolaardstraat 20 B,8470 GISTEL ,GISTEL,8470,Mission Evangélique Belge,ARPEE
283 | Eglise Protestante Baptiste Bethel,"Rue Simon Paque, 23-25",4460 GRACE-HOLLOGNE ,GRACE-HOLLOGNE,4460,Union des Baptistes en Belgique,ARPEE
284 | Centre liégeois d'Evangélisation,"Rue Grégoire Chapuis, 43",4460 GRACE-HOLLOGNE ,GRACE-HOLLOGNE,4460,Union des Églises Évangéliques de Réveil,ARPEE
285 | Christengemeente Emmanuel,Markt 10,3150 HAACHT ,HAACHT,3150,Verbond van Vlaamse Pinkstergemeenten,ARPEE
286 | Evangelische Gemeente Halle en Omstreken,Rodenemweg 165,1500 HAL ,HAL,1500,Vrije Evangelische Gemeenten,ARPEE
287 | Evangelische Christengemeente Vlaanderen,Roerdompstraat 6,3945 HAM ,HAM,3945,Evangelische Christengemeenten Vlaanderen,ARPEE
288 | Nouvelle Cité Charismatique Ministries,"Square de l'Aviation, 15 (2ème étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
289 | Christelijk Centrum Hamont,Transistorstraat 1,3930 HAMONT-ACHEL ,HAMONT-ACHEL,3930,Verbond van Vlaamse Pinkstergemeenten,ARPEE
290 | La Nouvelle Jérusalem,Veldstraat 60,3500 HASSELT ,HASSELT,3500,Église de Dieu en Belgique,ARPEE
291 | Adventkerk,Genkersteenweg 26,3500 HASSELT ,HASSELT,3500,Fédération des Eglises adventistes,ARPEE
292 | Verenigde Protestantse Kerk in België,Kuringersteenweg 81,3500 HASSELT ,HASSELT,3500,Eglise Protestante Unie de Belgique,ARPEE
293 | Evangelische Gemeente De Zaaier,Runkstersteenweg 303 - hoek Fazantenstraat,3500 HASSELT ,HASSELT,3500,Vrije Evangelische Gemeenten,ARPEE
294 | Evangelische Kerk,Sint-Bernardsesteenweg 30,2620 HEMIKSEM ,HEMIKSEM,2620,Vrije Evangelische Gemeenten,ARPEE
295 | Eglise protestante baptiste Le Saron,Rue Ulens 55,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Union des Baptistes en Belgique,ARPEE
296 | Evangelisch Centrum Levende Hoop,Markgravenstraat 82,2200 HERENTALS ,HERENTALS,2200,Vrije Evangelische Gemeenten,ARPEE
297 | Eglise protestante unie de Belgique,"Rue du Temple, 15",4040 HERSTAL ,HERSTAL,4040,Eglise Protestante Unie de Belgique,ARPEE
298 | Mission évangélique belge,"Rue Nadet, 19",4040 HERSTAL ,HERSTAL,4040,Mission Evangélique Belge,ARPEE
299 | Belgische Evangelische Zending,Karel Boomstraat 44,2320 HOOGSTRATEN ,HOOGSTRATEN,2320,Mission Evangélique Belge,ARPEE
300 | Verenigde Protestantse Kerk in België,Korsele 39,9667 HOREBEKE ,HOREBEKE,9667,Eglise Protestante Unie de Belgique,ARPEE
301 | Evangelische Christengemeente Vlaanderen,Guldensporenlaan 24 B,3530 HOUTHALEN-HELCHTEREN ,HOUTHALEN-HELCHTEREN,3530,Evangelische Christengemeenten Vlaanderen,ARPEE
302 | Vrije Evangelische Gemeente Immanuel,Seringenstraat 4-6,3530 HOUTHALEN-HELCHTEREN ,HOUTHALEN-HELCHTEREN,3530,Vrije Evangelische Gemeenten,ARPEE
303 | La Nouvelle Jérusalem,"Rue de Statte, 9",4500 HUY ,HUY,4500,Église de Dieu en Belgique,ARPEE
304 | Eglise protestante évangélique,"Avenue Albert 1er, 21",4500 HUY ,HUY,4500,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
305 | Vrije Evangelische Gemeente Marcus,Schoolstraat 40 B,8480 ICHTEGEM ,ICHTEGEM,8480,Vrije Evangelische Gemeenten,ARPEE
306 | Evangelische Kerk De Hoeksteen,Potyzestraat 69,8900 YPRES ,YPRES,8900,Evangelische Christengemeenten Vlaanderen,ARPEE
307 | Adventkerk,Beluikstraat 19,8900 YPRES ,YPRES,8900,Fédération des Eglises adventistes,ARPEE
308 | Christengemeente Peniël,Boezingsestraat 103,8906 YPRES ,YPRES,8906,Overleg van Autonome Evangelische Gemeenten,ARPEE
309 | Christian Center Emmanuel,Sint-Catharinastraat 1,8900 YPRES ,YPRES,8900,Verbond van Vlaamse Pinkstergemeenten,ARPEE
310 | Verenigde Protestantse Kerk in België,Beluikstraat 19,8900 YPRES ,YPRES,8900,Eglise Protestante Unie de Belgique,ARPEE
311 | Eglise Internationale de Jodoigne,"Salle Porte ouverte, Rue Saint-Médard, 54",1370 JODOIGNE ,JODOIGNE,1370,Union des Églises Évangéliques de Réveil,ARPEE
312 | Eglise protestante unie de Belgique,"Rue du Temple, 13",7050 JURBISE ,JURBISE,7050,Eglise Protestante Unie de Belgique,ARPEE
313 | First Baptist Church,"Chemin du Prince, 284",7050 JURBISE ,JURBISE,7050,Eglises en entente administrative avec l'EPUB,ARPEE
314 | Evangelische Gemeente Kalmthout,"p/a Daniel Van de Velde, Putsesteenweg 70",2920 KALMTHOUT ,KALMTHOUT,2920,Verbond van Vlaamse Pinkstergemeenten,ARPEE
315 | Johanneskirche,Hasardstrasse 8,4721 LA CALAMINE ,LA CALAMINE,4721,Eglise Protestante Unie de Belgique,ARPEE
316 | Protestantse gemeente De Hoeksteen,Zoutelaan 84,8300 KNOKKE-HEIST ,KNOKKE-HEIST,8300,Eglise Protestante Unie de Belgique,ARPEE
317 | Evangelische Gemeente Knokke-Heist,"CM-gebouw, Hermans-Lybaertstraat 39",8301 KNOKKE-HEIST ,KNOKKE-HEIST,8301,Vrije Evangelische Gemeenten,ARPEE
318 | Vrije Evangelische Gemeente van Koekelare,Bisschophoekstraat 31,8680 KOEKELARE ,KOEKELARE,8680,Vrije Evangelische Gemeenten,ARPEE
319 | Evangelische Kerk,"Cultureel Centrum Mozaïek, Kerkplein 14",3720 KORTESSEM ,KORTESSEM,3720,Mission Evangélique Belge,ARPEE
320 | Adventkerk,"Oud Gemeentehuis, Heulsekasteelstraat 1",8501 COURTRAI ,COURTRAI,8501,Fédération des Eglises adventistes,ARPEE
321 | Christengemeente Ichthus,Brugsesteenweg 259,8500 COURTRAI ,COURTRAI,8500,Verbond van Vlaamse Pinkstergemeenten,ARPEE
322 | Jezus Levend Water voor alle natiën,Sint-Denijsestraat 208 A,8500 COURTRAI ,COURTRAI,8500,Overleg van Autonome Evangelische Gemeenten,ARPEE
323 | Verenigde Protestantse Kerk in België,Bloemistenstraat 2 A,8500 COURTRAI ,COURTRAI,8500,Eglise Protestante Unie de Belgique,ARPEE
324 | Evangelische Kerk De Pottenbakker,Meensestraat 83,8500 COURTRAI ,COURTRAI,8500,Vrije Evangelische Gemeenten,ARPEE
325 | Evangelische Christengemeente Vlaanderen,Kattestraat 27,8520 KUURNE ,KUURNE,8520,Evangelische Christengemeenten Vlaanderen,ARPEE
326 | Centre Evangélique Protestant,"Rue Florentine Joos-Lambert, 23",7110 LA LOUVIÈRE ,LA LOUVIÈRE,7110,Concertation des Églises Indépendantes,ARPEE
327 | Presbyterian Church of Ghana,Zandpoortvest 27,2800 MECHELEN ,MECHELEN,2800,Eglises affilié à l'EPUB,ARPEE
328 | La Nouvelle Jérusalem,"Rue du Thiriau du Luc, 10",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Église de Dieu en Belgique,ARPEE
329 | Eglise protestante unie de Belgique,"Rue Henri Aubry, 19",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Eglise Protestante Unie de Belgique,ARPEE
330 | Eglise protestante unie de Belgique,"Rue du Temple, 29-31",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Eglise Protestante Unie de Belgique,ARPEE
331 | Eglise protestante évangélique,"Rue Anatole France, 3-5",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
332 | Eglise adventiste,"Chaussée Paul Houtart, 10",7110 LA LOUVIÈRE ,LA LOUVIÈRE,7110,Fédération des Eglises adventistes,ARPEE
333 | Eglise Baptiste,"Rue Saint-Alexandre, 38",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Union des Baptistes en Belgique,ARPEE
334 | Gemeente van Christus,"Residentie Capricornus, Steenweg 243",3620 LANAKEN ,LANAKEN,3620,Overleg van Autonome Evangelische Gemeenten,ARPEE
335 | Evangelische Baptistengemeente De Bron,Kerkstraat 19,3400 LANDEN ,LANDEN,3400,Union des Baptistes en Belgique,ARPEE
336 | Protestants-Evangelische kerk,Hannuitsesteenweg 76,3400 LANDEN ,LANDEN,3400,Eglises affilié à l'EPUB,ARPEE
337 | Assemblée protestante évangélique,"Place de Ransbeck, 8",1380 LASNE ,LASNE,1380,Assemblées Protestantes Évangéliques de Belgique,ARPEE
338 | Assemblée protestante évangélique,"Chemin de Chièvres, 37 B",7860 LESSINES ,LESSINES,7860,Assemblées Protestantes Évangéliques de Belgique,ARPEE
339 | La Nouvelle Jérusalem,Tiensesteenweg 388,3000 LOUVAIN ,LOUVAIN,3000,Église de Dieu en Belgique,ARPEE
340 | Gods Ambassade,Bergstraat 156,3010 LOUVAIN ,LOUVAIN,3010,Overleg van Autonome Evangelische Gemeenten,ARPEE
341 | International Church of Evangelicals Leuven (ICEL),"Pauscollege, Hogeschoolplein 3",3000 LOUVAIN ,LOUVAIN,3000,Overleg van Autonome Evangelische Gemeenten,ARPEE
342 | Christ Centered Church,"Alma 3, Zaal De Koelisse",3001 LOUVAIN ,LOUVAIN,3001,Verbond van Vlaamse Pinkstergemeenten,ARPEE
343 | "Christengemeente ""Focus on Christ""",Andreas Vesaliusstraat 2,3000 LOUVAIN ,LOUVAIN,3000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
344 | Igreja Pentecostal Deus é Fiel,Van Arteveldestraat 7,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
345 | Verenigde Protestantse Kerk in België,Matadilaan 6,3001 LOUVAIN ,LOUVAIN,3001,Eglise Protestante Unie de Belgique,ARPEE
346 | Evangelische Gemeente Leuven,Sint-Jansbergsesteenweg 97,3001 LOUVAIN ,LOUVAIN,3001,Vrije Evangelische Gemeenten,ARPEE
347 | Mission évangélique belge,"Rue de la Cité, 1A",6800 LIBRAMONT-CHEVIGNY ,LIBRAMONT-CHEVIGNY,6800,Mission Evangélique Belge,ARPEE
348 | Armée du Salut,"Quai Bonaparte, 6",4020 LIEGE ,LIEGE,4020,Armée du Salut,ARPEE
349 | Assemblée de Dieu - Eglise Nouvel Impact,"Rue Saint-Hubert, 3",4000 LIEGE ,LIEGE,4000,Assemblées de Dieu Francophones de Belgique,ARPEE
350 | Eglise Belgo-slave,"Rue Lambert-le-Bègue, 6-8",4000 LIEGE ,LIEGE,4000,Assemblées de Dieu Francophones de Belgique,ARPEE
351 | Eglise Chrétienne Evangélique de Liège,"Rue Louis Jamme, 51",4020 LIEGE ,LIEGE,4020,Concertation des Églises Indépendantes,ARPEE
352 | Eglise évangélique arménienne,"Eglise de Saint-Pierre et Paul, Rue Ernest Marneffe",4020 LIEGE ,LIEGE,4020,Concertation des Églises Indépendantes,ARPEE
353 | La Nouvelle Jérusalem,"Rue Winston Churchill, 369",4000 LIEGE ,LIEGE,4000,Église de Dieu en Belgique,ARPEE
354 | Deutschsprachige evangelische Gemeinde,"Quai Godefroid-Kurth, 1",4000 LIEGE ,LIEGE,4000,Eglises affilié à l'EPUB,ARPEE
355 | Eglise protestante unie de Belgique (Marcellis),"Quai Marcellis, 22",4020 LIEGE ,LIEGE,4020,Eglise Protestante Unie de Belgique,ARPEE
356 | Eglise protestante unie de Belgique (Lambert-le-Bègue),"Rue Lambert-le-Bègue, 6-8",4000 LIEGE ,LIEGE,4000,Eglise Protestante Unie de Belgique,ARPEE
357 | Eglise protestante unie de Belgique (Rédemption),"Quai Godefroid-Kurth, 1",4020 LIEGE ,LIEGE,4020,Eglise Protestante Unie de Belgique,ARPEE
358 | Eglise protestante évangélique,"Rue des Croisiers, 12",4000 LIEGE ,LIEGE,4000,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
359 | Eglise adventiste,"Boulevard Frère Orban, 29",4000 LIEGE ,LIEGE,4000,Fédération des Eglises adventistes,ARPEE
360 | Assemblée Protestante Baptiste,"Rue d'Amercoeur, 43",4020 LIEGE ,LIEGE,4020,Union des Baptistes en Belgique,ARPEE
361 | Eglise baptiste italienne La Parole de la Grâce,"Rue Grétry, 97",4020 LIEGE ,LIEGE,4020,Eglises en entente administrative avec l'EPUB,ARPEE
362 | Eglise Protestante Baptiste de Liège Académie,"Rue de l'Académie, 51",4000 LIEGE ,LIEGE,4000,Eglises en entente administrative avec l'EPUB,ARPEE
363 | Eglise Protestante Baptiste de Glain,"Rue Félix Vandersnoeck, 34",4000 LIEGE ,LIEGE,4000,Eglises en entente administrative avec l'EPUB,ARPEE
364 | Pinkstergemeente Jezus Leeft,Leopoldplein 24,2500 LIERRE ,LIERRE,2500,Verbond van Vlaamse Pinkstergemeenten,ARPEE
365 | Evangelisch Centrum De Brug,Kouter 30,9160 LOKEREN ,LOKEREN,9160,Vrije Evangelische Gemeenten,ARPEE
366 | Christengemeente,Meerstraat 36/1,1840 LONDERZEEL ,LONDERZEEL,1840,Verbond van Vlaamse Pinkstergemeenten,ARPEE
367 | Christengemeente,Ringlaan 410,3630 MAASMECHELEN ,MAASMECHELEN,3630,Verbond van Vlaamse Pinkstergemeenten,ARPEE
368 | Heartbeat Church,Bedrijfsgebouwen Stillemans - Jan Tieboutstraat 21,1730 ASSE ,ASSE,1730,Verbond van Vlaamse Pinkstergemeenten,ARPEE
369 | Evangelische Christengemeente Vlaanderen,Karrewegel 47,9990 MALDEGEM ,MALDEGEM,9990,Evangelische Christengemeenten Vlaanderen,ARPEE
370 | Eglise de Dieu,Rue Monbijou 43 c,4960 MALMEDY ,MALMEDY,4960,Église de Dieu en Belgique,ARPEE
371 | Eglise Protestante Baptiste,"Rue de la Warchenne, 62",4960 MALMEDY ,MALMEDY,4960,Eglises en entente administrative avec l'EPUB,ARPEE
372 | Vereinigte protestantische Kirche in Belgien,"Rue Abbé Péters, 42",4960 MALMEDY ,MALMEDY,4960,Eglise Protestante Unie de Belgique,ARPEE
373 | Eglise Evangélique Sentinelle,"Rue Théophile Massart, 19",7170 MANAGE ,MANAGE,7170,Concertation des Églises Indépendantes,ARPEE
374 | Communauté Chrétienne de la Famenne,"Salle « Les échos de la Wamme », Rue Félix Lefèvre, 7",6900 MARCHE-EN-FAMENNE ,MARCHE-EN-FAMENNE,6900,Union des Églises Évangéliques de Réveil,ARPEE
375 | Eglise protestante baptiste,"Rue de l'Académie, 51",4000 LIEGE ,LIEGE,4000,Eglises en entente administrative avec l'EPUB,ARPEE
376 | Adventkerk,Wagonstraat 20,2800 MECHELEN ,MECHELEN,2800,Fédération des Eglises adventistes,ARPEE
377 | Christengemeenschap 't Lichtpunt,Lakenmakersstraat 233,2800 MECHELEN ,MECHELEN,2800,Overleg van Autonome Evangelische Gemeenten,ARPEE
378 | LEEF! Mechelen,Stuivenbergbaan 137,2800 MECHELEN ,MECHELEN,2800,Verbond van Vlaamse Pinkstergemeenten,ARPEE
379 | VPKB (Mechelen-Noord),Keizerstraat 26-28,2800 MECHELEN ,MECHELEN,2800,Eglise Protestante Unie de Belgique,ARPEE
380 | PKB (Mechelen-Zuid),Zandpoortvest 27,2800 MECHELEN ,MECHELEN,2800,Eglise Protestante Unie de Belgique,ARPEE
381 | Evangelische Christengemeente Vlaanderen,"Buurthuis Wijshagen, Dennenstraat 35",3670 MEEUWEN-GRUITRODE ,MEEUWEN-GRUITRODE,3670,Evangelische Christengemeenten Vlaanderen,ARPEE
382 | Evangelische Kerk De Rank,Vrouwstraat 12,8940 GELUWE ,GELUWE,8940,Evangelische Christengemeenten Vlaanderen,ARPEE
383 | Verenigde Protestantse Kerk in België,Stationsstraat 86,8930 MENIN ,MENIN,8930,Eglise Protestante Unie de Belgique,ARPEE
384 | Movimento Missionário Jesus a Única Esperança (MMJUE),Statiestraat 158,2600 ANTWERPEN ,ANTWERPEN,2600,Verbond van Vlaamse Pinkstergemeenten,ARPEE
385 | Nehemia Ministries - Levend Water,"De Vierhoekhoeve, Brielstraat 71",9860 OOSTERZELE ,OOSTERZELE,9860,Verbond van Vlaamse Pinkstergemeenten,ARPEE
386 | Protestantse Baptistenkerk Bethel,Dorpsplein 40,8434 MIDDELKERKE ,MIDDELKERKE,8434,Union des Baptistes en Belgique,ARPEE
387 | Christelijk Centrum De Regenboog,"Parochiecentrum, Kapellestraat 90",2400 MOL ,MOL,2400,Verbond van Vlaamse Pinkstergemeenten,ARPEE
388 | Deutschsprachige evangelische Gemeinde in der Provinz Antwerpen (DEGPA),"Kapel van de Sint-Odradakerk, Lindeplein 2",2400 MOL ,MOL,2400,Eglises affilié à l'EPUB,ARPEE
389 | Centre Evangélique Viens et Vois,"Rue David, 1",7012 MONS ,MONS,7012,Assemblées de Dieu Francophones de Belgique,ARPEE
390 | Eglise évangélique protestante Chrétiens en Action,"Rue du Delta, 3",7000 MONS ,MONS,7000,Concertation des Églises Indépendantes,ARPEE
391 | Eglise Evangélique Protestante,"Chemin de la Procession, 235",7000 MONS ,MONS,7000,Concertation des Églises Indépendantes,ARPEE
392 | Korean Mission Church,Chapel Center S.H.A.P.E.,7010 MONS ,MONS,7010,Concertation des Églises Indépendantes,ARPEE
393 | Communauté chrétienne de Jemappes,"Rue des Veuves, 1",7012 MONS ,MONS,7012,Concertation des Églises Indépendantes,ARPEE
394 | La Nouvelle Jérusalem,"Rue du Delta, 3",7000 MONS ,MONS,7000,Église de Dieu en Belgique,ARPEE
395 | Eglise protestante unie de Belgique,"Rue du Cerisier, 2",7033 MONS ,MONS,7033,Eglise Protestante Unie de Belgique,ARPEE
396 | Eglise protestante unie de Belgique,"Rue du Temple, 8",7011 MONS ,MONS,7011,Eglise Protestante Unie de Belgique,ARPEE
397 | Eglise protestante unie de Belgique,"Avenue du Maréchal Foch, 826",7012 MONS ,MONS,7012,Eglise Protestante Unie de Belgique,ARPEE
398 | Eglise protestante unie de Belgique,"Boulevard Dolez, 17",7000 MONS ,MONS,7000,Eglise Protestante Unie de Belgique,ARPEE
399 | Assemblée chrétienne évangélique,Rue des Ecoliers,7000 MONS ,MONS,7000,Eglises en entente administrative avec l'EPUB,ARPEE
400 | Eglise Protestante Baptiste La Colombe,"Chaussée du Roeulx, 34",7000 MONS ,MONS,7000,Union des Baptistes en Belgique,ARPEE
401 | Centre Vie Nouvelle,"Quai des Otages, 1 (lieu dit : Pont-Canal)",7000 MONS ,MONS,7000,Union des Églises Évangéliques de Réveil,ARPEE
402 | Assemblée protestante évangélique,"Rue Emile Vandervelde, 30",6110 MONTIGNY-LE-TILLEUL ,MONTIGNY-LE-TILLEUL,6110,Assemblées Protestantes Évangéliques de Belgique,ARPEE
403 | Assemblée protestante évangélique,"Rue Ernest Solvay, 113",7141 MORLANWELZ ,MORLANWELZ,7141,Assemblées Protestantes Évangéliques de Belgique,ARPEE
404 | Christengemeente,Hendrik Kuijpersstraat 60,2640 MORTSEL ,MORTSEL,2640,Verbond van Vlaamse Pinkstergemeenten,ARPEE
405 | Volle Evangelie Gemeente,Eggestraat 27,2640 MORTSEL ,MORTSEL,2640,Verbond van Vlaamse Pinkstergemeenten,ARPEE
406 | Zigeunerzending Leven en Licht,Gasthuishoeven,2640 MORTSEL ,MORTSEL,2640,Mission Tzigane Vie et Lumière,ARPEE
407 | Eglise protestante évangélique,"Avenue Jean Jaurès, 126-128",7700 MOUSCRON ,MOUSCRON,7700,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
408 | Eglise adventiste,"Rue de Menin, 48",7700 MOUSCRON ,MOUSCRON,7700,Fédération des Eglises adventistes,ARPEE
409 | Eglise Protestante évangélique charismatique Centre Vie Chrétienne,"Rue de Roubaix, 98",7700 MOUSCRON ,MOUSCRON,7700,Union des Églises Évangéliques de Réveil,ARPEE
410 | Assemblée protestante évangélique,"Rue de Fernelmont, 52",5020 NAMUR ,NAMUR,5020,Assemblées Protestantes Évangéliques de Belgique,ARPEE
411 | Eglise Evangélique Baptiste,"Rue de Dave, 26",5100 NAMUR ,NAMUR,5100,Association des Baptistes indépendants,ARPEE
412 | emple Protestant Evangélique du Namurois,"Rue Denis-Georges Bayar, 50",5000 NAMUR ,NAMUR,5000,Concertation des Églises Indépendantes,ARPEE
413 | La Nouvelle Jérusalem,"Rue Marie-Henriette, 37",5000 NAMUR ,NAMUR,5000,Église de Dieu en Belgique,ARPEE
414 | Eglise protestante unie de Belgique,"Boulevard d'Herbatte, 33",5000 NAMUR ,NAMUR,5000,Eglise Protestante Unie de Belgique,ARPEE
415 | Eglise adventiste,"Rue Haut de Bomel, 1",5003 NAMUR ,NAMUR,5003,Fédération des Eglises adventistes,ARPEE
416 | Eglise Protestante Baptiste La Colombe,"Rue Léopold De Hulster, 67 A",5002 NAMUR ,NAMUR,5002,Union des Baptistes en Belgique,ARPEE
417 | Belgische Evangelische Zending,"Sint-Tarcisiusinstituut, Predikherenstraat 1 B",3440 LÉAU ,LÉAU,3440,Mission Evangélique Belge,ARPEE
418 | Christengemeente,Rector De Ramstraat 14,2560 NIJLEN ,NIJLEN,2560,Verbond van Vlaamse Pinkstergemeenten,ARPEE
419 | Eglise Evangélique Assemblée de Dieu,"Rue de Namur, 176",1400 NIVELLES ,NIVELLES,1400,Assemblées de Dieu Francophones de Belgique,ARPEE
420 | La Nouvelle Jérusalem,"Boulevard des Archers, 12",1400 NIVELLES ,NIVELLES,1400,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
421 | Eglise protestante unie de Belgique,"Boulevard des Archers, 63",1400 NIVELLES ,NIVELLES,1400,Eglise Protestante Unie de Belgique,ARPEE
422 | Eglise adventiste,"Boulevard des Archers, 63",1400 NIVELLES ,NIVELLES,1400,Fédération des Eglises adventistes,ARPEE
423 | Adventkerk,Nijverheidsstraat 98,8400 OSTENDE ,OSTENDE,8400,Fédération des Eglises adventistes,ARPEE
424 | Evangelical Christian Fellowship,Overvloedstraat 2,8400 OSTENDE ,OSTENDE,8400,Free Methodist Church,ARPEE
425 | Pinkstergemeente De Bron,Bronstraat 8,8400 OSTENDE ,OSTENDE,8400,Verbond van Vlaamse Pinkstergemeenten,ARPEE
426 | Verenigde Protestantse Kerk in België,Velodroomstraat 26-28,8400 OSTENDE ,OSTENDE,8400,Eglise Protestante Unie de Belgique,ARPEE
427 | Evangelische Kerk,Stuiverstraat 196,8400 OSTENDE ,OSTENDE,8400,Vrije Evangelische Gemeenten,ARPEE
428 | Evangelische Kerk,Leegstraat 208,8780 OOSTROZEBEKE ,OOSTROZEBEKE,8780,Vrije Evangelische Gemeenten,ARPEE
429 | Eglise protestante unie de Belgique,"Chapelle des Bruyères, Avenue de la Palette, 11/003",1348 OTTIGNIES-LOUVAIN-LA-NEUVE ,OTTIGNIES-LOUVAIN-LA-NEUVE,1348,Eglise Protestante Unie de Belgique,ARPEE
430 | Eglise protestante évangélique,"Rue des Fusillés, 37",1340 OTTIGNIES-LOUVAIN-LA-NEUVE ,OTTIGNIES-LOUVAIN-LA-NEUVE,1340,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
431 | Eglise Protestante Baptiste,"Rue des Sports, 2",1348 OTTIGNIES-LOUVAIN-LA-NEUVE ,OTTIGNIES-LOUVAIN-LA-NEUVE,1348,Union des Baptistes en Belgique,ARPEE
432 | Christelijke Gemeenschap Oudenaarde,Blekerijstraat 15,9700 AUDENARDE ,AUDENARDE,9700,Vrije Evangelische Gemeenten,ARPEE
433 | Protestantse Gemeente 'W.O.T.O.',"Kapel Zavelenborre, Frans Verbeekstraat 158 A",3090 OVERIJSE ,OVERIJSE,3090,Eglise Protestante Unie de Belgique,ARPEE
434 | Evangelische Christengemeente Vlaanderen,"Cultureel Centrum Palethe, Jeugdlaan 2",3900 OVERPELT ,OVERPELT,3900,Evangelische Christengemeenten Vlaanderen,ARPEE
435 | Evangelische Christengemeente Vlaanderen,"Cultureel Centrum 't Poorthuis, Zuidervest 2 A",3990 POIRE ,POIRE,3990,Evangelische Christengemeenten Vlaanderen,ARPEE
436 | Evangelische Christengemeente Vlaanderen,Achterstraat 108,3990 POIRE ,POIRE,3990,Evangelische Christengemeenten Vlaanderen,ARPEE
437 | Eglise Protestante Baptiste,"Boulevard Léopold III, 90",7600 PERUWELZ ,PERUWELZ,7600,Union des Baptistes en Belgique,ARPEE
438 | Mission évangélique belge,"Rue de Neuville, 33",6340 PHILIPPEVILLE ,PHILIPPEVILLE,6340,Mission Evangélique Belge,ARPEE
439 | Temple Evangélique,"Rue Objou, 10 A",6230 PONT-A-CELLES ,PONT-A-CELLES,6230,Concertation des Églises Indépendantes,ARPEE
440 | Evangelische Kerk,Grote Markt 35,8970 POPERINGE ,POPERINGE,8970,Vrije Evangelische Gemeenten,ARPEE
441 | Armée du Salut,"Rue de Monsville, 47",7390 QUAREGNON ,QUAREGNON,7390,Armée du Salut,ARPEE
442 | Eglise Evangélique de Pentecôte La Bonne Nouvelle,"Rue de Picquery, 110",7390 QUAREGNON ,QUAREGNON,7390,Assemblées de Dieu Francophones de Belgique,ARPEE
443 | Eglise protestante unie de Belgique,"Rue Paul Pastur, 100",7390 QUAREGNON ,QUAREGNON,7390,Eglise Protestante Unie de Belgique,ARPEE
444 | Eglise protestante évangélique,"Rue de la Gare, 5",7380 QUIEVRAIN ,QUIEVRAIN,7380,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
445 | Communauté chrétienne l'Eau Vive,"Rue de Valenciennes, 28",7380 QUIEVRAIN ,QUIEVRAIN,7380,Réseau Antioche,ARPEE
446 | Adventkerk,Laarstraat 25,2520 RANST ,RANST,2520,Fédération des Eglises adventistes,ARPEE
447 | Assemblée protestante évangélique,"Rue du Bois Pirart, 127",1332 RIXENSART ,RIXENSART,1332,Assemblées Protestantes Évangéliques de Belgique,ARPEE
448 | Eglise protestante unie de Belgique,"Rue Haute, 26 A",1330 RIXENSART ,RIXENSART,1330,Eglise Protestante Unie de Belgique,ARPEE
449 | House Church,"Avenue Gevaert, 254",1332 RIXENSART ,RIXENSART,1332,Réseau Antioche,ARPEE
450 | Association des Baptistes Indépendants - Eglise Baptiste Biblique,"Avenue de Merode, 2",1330 RIXENSART ,RIXENSART,1330,Association des Baptistes indépendants,ARPEE
451 | Eglise protestante évangélique,"Avenue de Ninove, 152",5580 ROCHEFORT ,ROCHEFORT,5580,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
452 | Evangelische Kerk,Henri Horriestraat 38,8800 ROULERS ,ROULERS,8800,Evangelische Christengemeenten Vlaanderen,ARPEE
453 | Pinkstergemeente De Roepstem,Bollenstraat 21 B,8800 ROULERS ,ROULERS,8800,Verbond van Vlaamse Pinkstergemeenten,ARPEE
454 | Verenigde Protestantse Kerk in België,Jan Mahieustraat 21,8800 ROULERS ,ROULERS,8800,Eglise Protestante Unie de Belgique,ARPEE
455 | Praise Center,Politiekegevangenenstraat 31,9600 RENAIX ,RENAIX,9600,Concertation des Églises Indépendantes,ARPEE
456 | Protestantse Kerk Ronse - Hemelvaartskerk,Bredestraat 82,9600 RENAIX ,RENAIX,9600,Eglise Protestante Unie de Belgique,ARPEE
457 | Eglise protestante unie de Belgique,Rue du Temple s/n,7618 RUMES ,RUMES,7618,Eglise Protestante Unie de Belgique,ARPEE
458 | Eglise protestante évangélique,"Rue Basse Marquet, 72",4470 SAINT-GEORGES-SUR-MEUSE ,SAINT-GEORGES-SUR-MEUSE,4470,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
459 | Eglise protestante unie de Belgique,"Rue des Juifs, 124",7331 SAINT-GHISLAIN ,SAINT-GHISLAIN,7331,Eglise Protestante Unie de Belgique,ARPEE
460 | Eglise protestante unie de Belgique,"Rue du Port, 38",7330 SAINT-GHISLAIN ,SAINT-GHISLAIN,7330,Eglise Protestante Unie de Belgique,ARPEE
461 | Eglise protestante évangélique,"Avenue du Cimetière, 19",5060 SAMBREVILLE ,SAMBREVILLE,5060,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
462 | Freie evangelische Gemeinde,Malmedyer Straße 97 A,4780 SAINT VITH ,SAINT VITH,4780,Vrije Evangelische Gemeenten,ARPEE
463 | Armée du Salut,"Rue du Canal, 15",4100 SERAING ,SERAING,4100,Armée du Salut,ARPEE
464 | La Nouvelle Jérusalem,"Rue Gustave Baivy, 139",4101 SERAING ,SERAING,4101,Église de Dieu en Belgique,ARPEE
465 | Eglise protestante unie de Belgique (Seraing-Centre),"Rue Ferrer, 100",4100 SERAING ,SERAING,4100,Eglise Protestante Unie de Belgique,ARPEE
466 | Eglise protestante unie de Belgique (Seraing-Haut),"Rue du Chêne, 384",4100 SERAING ,SERAING,4100,Eglise Protestante Unie de Belgique,ARPEE
467 | Chapelle Protestante Baptiste,"Rue de Montegnée, 40-42",4101 SERAING ,SERAING,4101,Eglises en entente administrative avec l'EPUB,ARPEE
468 | Christian Center,Steenweg op Waterloo 47,1640 RHODE-SAINT-GENÈSE ,RHODE-SAINT-GENÈSE,1640,Verbond van Vlaamse Pinkstergemeenten,ARPEE
469 | La Nouvelle Jérusalem,Antwerpsesteenweg 98 B,9100 SAINT-NICOLAS ,SAINT-NICOLAS,9100,Église de Dieu en Belgique,ARPEE
470 | Christengemeente De Regenboog,Kokkelbeekstraat 57,9100 SAINT-NICOLAS ,SAINT-NICOLAS,9100,Verbond van Vlaamse Pinkstergemeenten,ARPEE
471 | Vrije Evangelische Gemeente,Stationsstraat 27,9100 SAINT-NICOLAS ,SAINT-NICOLAS,9100,Vrije Evangelische Gemeenten,ARPEE
472 | Evangelische Gemeenschap De Rots,Leopold II straat 15,3800 SAINT-TROND ,SAINT-TROND,3800,Overleg van Autonome Evangelische Gemeenten,ARPEE
473 | Eglise protestante évangélique,"Rue Félix-Joseph Clerbois, 71",7060 SOIGNIES ,SOIGNIES,7060,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
474 | Centre Chrétien Emmanuel,"Rue de la Sauvenière, 16",4900 SPA ,SPA,4900,Concertation des Églises Indépendantes,ARPEE
475 | Eglise protestante unie de Belgique,"Rue Brixhe, 24",4900 SPA ,SPA,4900,Eglise Protestante Unie de Belgique,ARPEE
476 | Evangelische Kerk Effatha,Marktplaats 5+,8840 STADEN ,STADEN,8840,Verbond van Vlaamse Pinkstergemeenten,ARPEE
477 | Evangelische Christengemeente Vlaanderen,"Zaal Kraanhof, Geelsebaan",3980 TESSENDERLO ,TESSENDERLO,3980,Evangelische Christengemeenten Vlaanderen,ARPEE
478 | Protestantse Kerk De Goede Herder,Rutterweg 32,3700 TONGRES ,TONGRES,3700,Gereformeerd Overleg Vlaanderen,ARPEE
479 | Evangelische Gemeente Maranatha,Zagerijstraat 11,3700 TONGRES ,TONGRES,3700,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
480 | Christengemeente Het Levende Brood,Bakvoordestraat 19,8820 TORHOUT ,TORHOUT,8820,Verbond van Vlaamse Pinkstergemeenten,ARPEE
481 | Centre Vie Chrétienne,"Rue du Nord, 89",7500 TOURNAI ,TOURNAI,7500,Concertation des Églises Indépendantes,ARPEE
482 | La Nouvelle Jérusalem,"Rue de Marvis, 8",7500 TOURNAI ,TOURNAI,7500,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
483 | Eglise protestante unie de Belgique,"Rue Barre Saint-Brice, 14",7500 TOURNAI ,TOURNAI,7500,Eglise Protestante Unie de Belgique,ARPEE
484 | Eglise Protestante Baptiste,"Chaussée de Bruxelles, 192",7500 TOURNAI ,TOURNAI,7500,Union des Baptistes en Belgique,ARPEE
485 | The Redeemed Christian Church of God - House of Prayer,Konigin Astridlann 2,8020 BRUGGE ,BRUGGE,8020,Redeemed Christian Church of God,ARPEE
486 | Eglise protestante évangélique,"Rue des Forges, 147",1480 TUBIZE ,TUBIZE,1480,Assemblées de Dieu Francophones de Belgique,ARPEE
487 | Eglise protestante unie de Belgique,"Rue Saint-Jean, 62",1480 TUBIZE ,TUBIZE,1480,Eglise Protestante Unie de Belgique,ARPEE
488 | Christelijk Centrum Turnhout,Gildenstraat 54,2300 TURNHOUT ,TURNHOUT,2300,Verbond van Vlaamse Pinkstergemeenten,ARPEE
489 | Protestantse Kerk van Turnhout,Steenweg op Gierle 188,2300 TURNHOUT ,TURNHOUT,2300,Eglise Protestante Unie de Belgique,ARPEE
490 | Evangelisch Centrum Turnhout,Guldensporenlei 27,2300 TURNHOUT ,TURNHOUT,2300,Vrije Evangelische Gemeenten,ARPEE
491 | Armée du Salut,"Rue Thil Lorrain, 11",4800 VERVIERS ,VERVIERS,4800,Armée du Salut,ARPEE
492 | Eglise évangélique de Verviers-Harmonie,"Rue Lucien Defays, 12",4800 VERVIERS ,VERVIERS,4800,Assemblées de Dieu Francophones de Belgique,ARPEE
493 | Eglise de la Nouvelle Alliance,"Rue de Hodimont, 27",4800 VERVIERS ,VERVIERS,4800,Concertation des Églises Indépendantes,ARPEE
494 | Eglise protestante unie de Belgique (Hodimont),"Rue de la Montagne de l'Invasion, 8",4800 VERVIERS ,VERVIERS,4800,Eglise Protestante Unie de Belgique,ARPEE
495 | Eglise protestante unie de Belgique (Laoureux),"Rue Laoureux, 33-35",4800 VERVIERS ,VERVIERS,4800,Eglise Protestante Unie de Belgique,ARPEE
496 | Eglise adventiste,"Rue des Déportés, 74",4800 VERVIERS ,VERVIERS,4800,Fédération des Eglises adventistes,ARPEE
497 | Christelijke Kerk Bethanië,Rollewagenstraat 76 A,1800 VILVORDE ,VILVORDE,1800,Overleg van Autonome Evangelische Gemeenten,ARPEE
498 | William Tyndale-Silo Kerk,Rondeweg 3/01,1800 VILVORDE ,VILVORDE,1800,Eglise Protestante Unie de Belgique,ARPEE
499 | Mission évangélique belge,"Rue du Temple, 1",6762 VIRTON ,VIRTON,6762,Mission Evangélique Belge,ARPEE
500 | Eglise protestante unie de Belgique,"Rue Vieille-Voie, 14",4602 VISÉ ,VISÉ,4602,Eglise Protestante Unie de Belgique,ARPEE
501 | Eglise Vie et Lumière,Rue Fernand Piette,4520 WANZE ,WANZE,4520,Mission Tzigane Vie et Lumière,ARPEE
502 | Christen Centrum Waregem,"Parochiaal Centrum De Ark, Zuiderlaan 44 A",8790 WAREGEM ,WAREGEM,8790,Verbond van Vlaamse Pinkstergemeenten,ARPEE
503 | Eglise adventiste roumaine,"Chaussée d'Alsemberg, 207",1420 BRAINE-L'ALLEUD ,BRAINE-L'ALLEUD,1420,Fédération des Eglises adventistes,ARPEE
504 | La Nouvelle Jérusalem,Rue de la Station 135,1410 WATERLOO ,WATERLOO,1410,Église de Dieu en Belgique,ARPEE
505 | Eglise protestante évangélique de Wavre,"Rue Provinciale, 243",1301 WAVRE ,WAVRE,1301,Concertation des Églises Indépendantes,ARPEE
506 | La Nouvelle Jérusalem,"Rue de Nivelles, 57-63",1300 WAVRE ,WAVRE,1300,Église de Dieu en Belgique,ARPEE
507 | Eglise protestante unie de Belgique,"Avenue de la Belle Voie, 15",1300 WAVRE ,WAVRE,1300,Eglise Protestante Unie de Belgique,ARPEE
508 | Verenigde Protestantse Kerk in België,Spoorwegstraat 18,8560 WEVELGEM ,WEVELGEM,8560,Eglise Protestante Unie de Belgique,ARPEE
509 | Eglise Protestante Evangélique de Kraainem et de Wezembeek-Oppem,Arthur Dezangrélaan 3,1950 KRAAINEM ,KRAAINEM,1950,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
510 | International Baptist Church (IBC),Lange Eikstraat 76-78,1970 WEZEMBEEK-OPPEM ,WEZEMBEEK-OPPEM,1970,Eglises en entente administrative avec l'EPUB,ARPEE
511 | Korean Church of Brussels,Museumlaan 2,1970 WEZEMBEEK-OPPEM ,WEZEMBEEK-OPPEM,1970,Eglises affilié à l'EPUB,ARPEE
512 | Vrije Evangelische Gemeente,Dr. Persoonslaan 22,2830 WILLEBROEK ,WILLEBROEK,2830,Vrije Evangelische Gemeenten,ARPEE
513 | Vrije Evangelische Gemeente,Fabriekstraat 63,1930 ZAVENTEM ,ZAVENTEM,1930,Vrije Evangelische Gemeenten,ARPEE
514 | Christengemeente,Zavelstraat 71 A,3520 ZONHOVEN ,ZONHOVEN,3520,Verbond van Vlaamse Pinkstergemeenten,ARPEE
515 | Christengemeente De Hoeksteen,Bijlokestraat 72,9620 ZOTTEGEM ,ZOTTEGEM,9620,Verbond van Vlaamse Pinkstergemeenten,ARPEE
516 | Volle Evangeliekerk De Herberg,Avelgemstraat 78 A,8550 ZWEVEGEM ,ZWEVEGEM,8550,Verbond van Vlaamse Pinkstergemeenten,ARPEE
517 | Baptistenkerk Antwerpen,Heer van Bergenstraat 1,2050 ANTWERPEN ,ANTWERPEN,2050,Association des Baptistes indépendants,ARPEE
518 | Freedom Ministries,Alfons Schneiderlaan 211,2100 ANTWERPEN ,ANTWERPEN,2100,Verbond van Vlaamse Pinkstergemeenten,ARPEE
519 | The Redeemed Christian Church of God - Christ's Love Assembly,Rue de l'Instruction 112 (3ème étage),1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Redeemed Christian Church of God,ARPEE
520 | The Redeemed Christian Church of God - Faith Tabernacle,Adolphe Baeyensstraat 56,9040 GAND ,GAND,9040,Redeemed Christian Church of God,ARPEE
521 | Assembléia de Deus Missionária,"Rue Théodore Verhaegen, 9",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Réseau Antioche,ARPEE
522 | Eglise St.-Luc,"Chaussée de Mons, 614",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
523 | Christian Associates International - The Well,"Bouche à Oreille, Place Van Meyel 15 A",1040 BRUSSEL-ETTERBEEK ,BRUSSEL-ETTERBEEK,1040,Réseau Antioche,ARPEE
524 | Word Communication Ministries,"Rue Uyttenhove, 51 (côté droit)",1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Verbond van Vlaamse Pinkstergemeenten,ARPEE
525 | Igreja Pentecostal Deus é Fiel,"Rue Charles Parenté, 28 A (2° étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Verbond van Vlaamse Pinkstergemeenten,ARPEE
526 | Communauté Chrétienne de Maisons,"Eglise catholique romaine Notre-Dame du Bon Secours, Les Marnières, 2",4400 FLEMALLE ,FLEMALLE,4400,Concertation des Églises Indépendantes,ARPEE
527 | Eglise Evangélique Mamré,"Rue Léon Dosimont, 7",5170 PROFONDEVILLE ,PROFONDEVILLE,5170,Assemblées de Dieu Francophones de Belgique,ARPEE
528 | Assembléia de Deus - Nova Geração,Statiestraat 35,2600 ANTWERPEN ,ANTWERPEN,2600,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
529 | Eglise de Dieu polonaise,"Chaussée de Haecht, 296",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
530 | Église du Centre,"Chaussée de Bruxelles, 282b",6040 CHARLEROI ,CHARLEROI,6040,Église de Dieu en Belgique,ARPEE
531 | La Nouvelle Jérusalem à Ans,"Chaussée de Tongres, 353",4000 ANS,ANS,4000,Église de Dieu en Belgique,ARPEE
532 | Église évangélique Assemblée de Dieu internationale,"Rue Théodore Verhaegen, 85",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Concertation des Églises Indépendantes,ARPEE
533 | Brüsszeli Magyar Protestáns Egyházközég / Eglise Hongroise Protestante de Belgique,"Eglise de Musée: Place du Musée, 2 / Coudenberg, 5",1000 BRUSSEL ,BRUSSEL,1000,Eglise Protestante Unie de Belgique,ARPEE
534 | Mission évangélique des Assemblées Les Vases d'Honneur,Rue Charles Parenté 28 A,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
535 | Église Sion de Belgique,Rue Stephenson 8,1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Réseau Antioche,ARPEE
536 | Centre international chrétien Sang Précieux,Hogeweg 16,2140 ANTWERPEN ,ANTWERPEN,2140,Réseau Antioche,ARPEE
537 | The Church of the Living God International - Salvation Center (SCCLGI),"Galerie de la Porte de Namur, 7/4",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Réseau Antioche,ARPEE
538 | Assemblée de l'Éternel Christ Vainqueur (AECV),"Rue Merceny, 6 A",6600 BASTOGNE ,BASTOGNE,6600,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
539 | Centre évangélique Mission Maranatha,,1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Assemblées de Dieu Francophones de Belgique,ARPEE
540 | Assemblée de l'Eternel Christ Vainqueur (AECV),Rue Scheut 56,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
541 | Centre Évangélique Temple de l'Éternel (anciennement: Cité Bethel),Rue Uyttenhove 49,1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Réseau Antioche,ARPEE
542 | Antwerpse Koreaanse Kerk / Antwerp Korean Church,Lange Winkelstraat 5,2000 ANTWERPEN ,ANTWERPEN,2000,Eglises en entente administrative avec l'EPUB,ARPEE
543 | The Redeemed Christian Church of God - Resurrection Parish,Pothoekstraat 104,2060 ANTWERPEN ,ANTWERPEN,2060,Redeemed Christian Church of God,ARPEE
544 | Association fraternelle de La Bouverie,"Rue Jules Cousin, 1",7080 FRAMERIES ,FRAMERIES,7080,Concertation des Églises Indépendantes,ARPEE
545 | Gospel Faith Mission International (Gofamint),Turnhoutsebaan 4,2100 ANTWERPEN ,ANTWERPEN,2100,Verbond van Vlaamse Pinkstergemeenten,ARPEE
546 | Greater Love Assembly - Divine Glory Center (ex: Grace of God Mission),"Rue Doyen Fierens, 19 B",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Verbond van Vlaamse Pinkstergemeenten,ARPEE
547 | Eglise Vie et Lumière,"Chemin du Cimetière, 40",6220 FLEURUS ,FLEURUS,6220,Mission Tzigane Vie et Lumière,ARPEE
548 | Communauté Evangélique Philadelphie (CEP),"Brussels Event Brewery, Rue Delaunoy, 58 (1° étage)",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Verbond van Vlaamse Pinkstergemeenten,ARPEE
549 | Internationale Presbyteriaanse Kerk (IPC),"Gereformeerd Kerkcentrum, Gordunakaai 28-30",9000 GENT,GENT,9000,Gereformeerd Overleg Vlaanderen,ARPEE
550 | Eglise de Dieu d'expression portugaise Kairos Ministry,"Rue Picard, 174-178",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Église de Dieu en Belgique,ARPEE
551 | Eglise Protestante Japonaise de Bruxelles,"Avenue A.J. Slegers, 96",1200 BRUSSEL-SINT-LAMBRECHTS-WOLUWE ,BRUSSEL-SINT-LAMBRECHTS-WOLUWE,1200,Mission Evangélique Belge,ARPEE
552 | Iraanse Kerk van Brussel,"Chaussée de Jette, 448",1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Vrije Evangelische Gemeenten,ARPEE
553 | Evangelische Gemeente,"CC Oud Gasthuis, Gemeenteplein 26",1730 ASSE ,ASSE,1730,Mission Evangélique Belge,ARPEE
554 | Comunidade Cristã Brasileira (CCBr),Eggestraat 27,2640 MORTSEL ,MORTSEL,2640,Réseau Antioche,ARPEE
555 | Eglise Internationale de la Flandre Orientale (E.I.F.O.),Ninovesteenweg 84 A,9320 AALST ,AALST,9320,Concertation des Églises Indépendantes,ARPEE
556 | Light of Salvation Christian Centre,Lakenmakersstraat 79,2800 MECHELEN ,MECHELEN,2800,Overleg van Autonome Evangelische Gemeenten,ARPEE
557 | The Redeemed Christian Church of God - Grace and Truth Arena,Rue de la tulipe 32,1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Redeemed Christian Church of God,ARPEE
558 | The city of the living God,Hendrik Consciencestraat 26,2300 TURNHOUT ,TURNHOUT,2300,Redeemed Christian Church of God,ARPEE
559 | The Redeemed Christian Church of God - Victory House,"Rue Verheyden, 27",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Redeemed Christian Church of God,ARPEE
560 | Communauté chrétienne intégrale,"Place de la Reine, 13",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Réseau Antioche,ARPEE
561 | Eglise Pentecôtiste Evangélique de Belgique,"Rue Heyvaert, 187",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Concertation des Églises Indépendantes,ARPEE
562 | Videira - Igreja em Células,"Rue Charles Parenté, 3 A",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
563 | The River Church,Meerlestraat 32,3560 LUMMEN ,LUMMEN,3560,Verbond van Vlaamse Pinkstergemeenten,ARPEE
564 | Assembléia de Deus Missões (ex: Nova Vida),"Rue Gheude, 21-25 (3ème étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Concertation des Églises Indépendantes,ARPEE
565 | Armeense Evangelische Kerk,Zandpoortvest 27,2800 MECHELEN ,MECHELEN,2800,Concertation des Églises Indépendantes,ARPEE
566 | Assyrische Evangelische Kerk,Zandpoortvest 27,2800 MECHELEN ,MECHELEN,2800,Concertation des Églises Indépendantes,ARPEE
567 | Armeense Evangelische Kerk,"Sint-Franciscus Xaveriuskerk, Collegelaan 32",2140 ANTWERPEN ,ANTWERPEN,2140,Concertation des Églises Indépendantes,ARPEE
568 | Armeense Evangelische Kerk,Runkstersteenweg 303,3500 HASSELT ,HASSELT,3500,Concertation des Églises Indépendantes,ARPEE
569 | Centre évangélique,"Place Warocqué, 12",7000 MONS ,MONS,7000,Concertation des Églises Indépendantes,ARPEE
570 | Eglise Chrétienne Evangélique Vie Nouvelle,"Avenue Van Volxem, 479",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Chiese Cristiane Italiane nel Nord Europa,ARPEE
571 | Eglise Evangélique,"Rue de la Justice, 11",5300 ANDENNE ,ANDENNE,5300,Chiese Cristiane Italiane nel Nord Europa,ARPEE
572 | Chiesa Cristiana Evangelica Pentecostale Italiana,"Rue de Couillet, 338",6200 CHÂTELET ,CHÂTELET,6200,Chiese Cristiane Italiane nel Nord Europa,ARPEE
573 | Chiesa Cristiana Evangelica Italiana,Risstraat 18,3600 GENK ,GENK,3600,Chiese Cristiane Italiane nel Nord Europa,ARPEE
574 | Chiesa Evangelica,"Rue du Calvaire, 83",6060 CHARLEROI ,CHARLEROI,6060,Chiese Cristiane Italiane nel Nord Europa,ARPEE
575 | Eglise Chrétienne Evangélique,"Rue Lloyd George, 6 A",7012 MONS ,MONS,7012,Chiese Cristiane Italiane nel Nord Europa,ARPEE
576 | Eglise Chrétienne Evangélique,"Rue Théophile Massart, 22",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Chiese Cristiane Italiane nel Nord Europa,ARPEE
577 | Eglise Chrétienne Evangélique,"Avenue Max Buset, 8 A",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Chiese Cristiane Italiane nel Nord Europa,ARPEE
578 | Eglise Chrétienne Evangélique Italienne,"Rue de Hesbaye, 236",4000 LIEGE ,LIEGE,4000,Chiese Cristiane Italiane nel Nord Europa,ARPEE
579 | Chiesa Evangelica Italiana,Oude Baan 141,3630 MAASMECHELEN ,MAASMECHELEN,3630,Chiese Cristiane Italiane nel Nord Europa,ARPEE
580 | Eglise Chretienne Italienne,"Avenue Eugène Mascaux, 293 A",6001 CHARLEROI ,CHARLEROI,6001,Chiese Cristiane Italiane nel Nord Europa,ARPEE
581 | Eglise Chrétienne Evangélique,"Rue de la Grattine, 29",7140 MORLANWELZ ,MORLANWELZ,7140,Chiese Cristiane Italiane nel Nord Europa,ARPEE
582 | Eglise Chrétienne Evangélique,"Rue de Monsville, 159-161",7390 QUAREGNON ,QUAREGNON,7390,Chiese Cristiane Italiane nel Nord Europa,ARPEE
583 | Eglise Chrétienne Evangélique,"Rue Trieu Gossiaux, 25",6224 FLEURUS ,FLEURUS,6224,Chiese Cristiane Italiane nel Nord Europa,ARPEE
584 | Christelijk Centrum Het Lichthuis,Pastorijstraat 42,3582 BERINGEN ,BERINGEN,3582,Overleg van Autonome Evangelische Gemeenten,ARPEE
585 | Word Alive International Ministry,"Place Masui, 27",1000 BRUSSEL ,BRUSSEL,1000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
586 | International Christian Ministries,Muizenstraat 3,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
587 | Word Communication Ministries,Bredabaan 425,2170 ANTWERPEN ,ANTWERPEN,2170,Verbond van Vlaamse Pinkstergemeenten,ARPEE
588 | Communauté Chrétienne de Seneffe,"Studio Silver Ray, Rue du Long Tri, 48 C",7180 SENEFFE ,SENEFFE,7180,Assemblées Protestantes Évangéliques de Belgique,ARPEE
589 | Communauté protestante de Fraire,"Rue de Rocroi, 39",5650 WALCOURT ,WALCOURT,5650,Assemblées Protestantes Évangéliques de Belgique,ARPEE
590 | Rhema Pinksterkerk,Capucijnenstraat 8,3800 SAINT-TROND ,SAINT-TROND,3800,Verbond van Vlaamse Pinkstergemeenten,ARPEE
591 | Assemblée Protestante Evangélique de Jodoigne (APEJ),"Maison de Village, Rue de Basse Hollande, 4",1370 JODOIGNE ,JODOIGNE,1370,Assemblées Protestantes Évangéliques de Belgique,ARPEE
592 | Eglise chrétienne protestante,"Rue Emile Muraille, 226",4040 HERSTAL ,HERSTAL,4040,Eglises en entente administrative avec l'EPUB,ARPEE
593 | Het Huis van God,Afrikalaan 180+,9000 GENT,GENT,9000,Overleg van Autonome Evangelische Gemeenten,ARPEE
594 | Igreja Universal do Reino de Deus,"Rue Crickx Lambert, 3",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Verbond van Vlaamse Pinkstergemeenten,ARPEE
595 | Universele Kerk van Gods Rijk,Dendermondsesteenweg 57a,9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
596 | "Assembléia de Deus, Ministério Madureira - Gurupi TO (Projet Un Million d'Ailes)","Rue Théodore Verhaegen, 202",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Réseau Antioche,ARPEE
597 | Eglise La Bonne Semence,Noordersingel 17 B5,2060 ANTWERPEN ,ANTWERPEN,2060,Réseau Antioche,ARPEE
598 | Assemblée chrétienne de Kinshasa,Noorderlaan 115 (2e verdieping),2030 ANTWERPEN ,ANTWERPEN,2030,Réseau Antioche,ARPEE
599 | Assemblée du Mont Sion,Sint-Bernardsesteenweg 770,2660 ANTWERPEN ,ANTWERPEN,2660,Réseau Antioche,ARPEE
600 | L'Ami fidèle,Franklin Rooseveltlaan 109,1800 VILVORDE ,VILVORDE,1800,Réseau Antioche,ARPEE
601 | Communautés chrétiennes évangéliques,"Avenue d'Hyon, 70",7000 MONS ,MONS,7000,Réseau Antioche,ARPEE
602 | Eglise évangélique Source de Vie,"Rue Gheude, 21-25 (1° étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
603 | Evangelische Gemeente Oase,Hayenhoek 15 B,3910 NEERPELT ,NEERPELT,3910,Evangelische Christengemeenten Vlaanderen,ARPEE
604 | Prayer Centre for All Nations,Papaverstraat 5,2170 ANTWERPEN ,ANTWERPEN,2170,Verbond van Vlaamse Pinkstergemeenten,ARPEE
605 | Wesley Methodist Church,Frans Erlingerstraat 12,2100 ANTWERPEN ,ANTWERPEN,2100,Eglises en entente administrative avec l'EPUB,ARPEE
606 | Wesley Methodist Church,"Rue du Champ de Mars, 5",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Eglises en entente administrative avec l'EPUB,ARPEE
607 | Église internationale pentecôtiste de sainteté de Belgique (IPHC) - Logos Church,"Rue Brogniez, 41 (1° étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
608 | Assemblée missionnaire Rhéma,"Rue Gheude, 21-25 (3ème étage)",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
609 | Go Generation - De l'Espoir pour tous,Rue Rogivaux 21,4040 HERSTAL ,HERSTAL,4040,Réseau Antioche,ARPEE
610 | Centre chrétien Lumière des Nations,"Rue Van Ysendyck, 48-50",1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Eglises en entente administrative avec l'EPUB,ARPEE
611 | Vergadering van Evangelische Christenen,Elisabethlaan 200,9400 NINOVE ,NINOVE,9400,Evangelische Christengemeenten Vlaanderen,ARPEE
612 | Eglise chrétienne évangélique,"Rue du Feureu, 13",7100 LA LOUVIÈRE ,LA LOUVIÈRE,7100,Onder de directe verantwoordelijkheid van de Uitvoerende Raad van de Federale Synode,ARPEE
613 | La Nouvelle Jérusalem,Ledebaan 39,9300 AALST ,AALST,9300,Église de Dieu en Belgique,ARPEE
614 | La Nouvelle Jérusalem,Lakenmakersstraat 233,2800 MECHELEN ,MECHELEN,2800,Église de Dieu en Belgique,ARPEE
615 | La Nouvelle Jérusalem,"Rue des Capucins, 5",7850 ENGHIEN ,ENGHIEN,7850,Église de Dieu en Belgique,ARPEE
616 | Genesis International,Hendrik Kuijpersstraat 60,2640 MORTSEL ,MORTSEL,2640,Overleg van Autonome Evangelische Gemeenten,ARPEE
617 | Mission Adriel,"Rue des Protestants, 35",6040 CHARLEROI ,CHARLEROI,6040,Assemblées Protestantes Évangéliques de Belgique,ARPEE
618 | La Colonne et l'Appui de la Vérité,"Chaussée de Bruxelles, 265",6020 CHARLEROI ,CHARLEROI,6020,Réseau Antioche,ARPEE
619 | World Mission Agency (ex-Winners Chapel Int.),"Avenue Docteur Zamenhof, 35",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
620 | Eglise Evangélique Arabophone de Belgique,"Eglise Saint-Antoine, Place Saint-Antoine",1040 BRUSSEL-ETTERBEEK ,BRUSSEL-ETTERBEEK,1040,Eglises en entente administrative avec l'EPUB,ARPEE
621 | Christengemeente Maaseik,"Parochiecentrum, Mgr. Koningsstraat 8 B",3680 MAASEIK ,MAASEIK,3680,Verbond van Vlaamse Pinkstergemeenten,ARPEE
622 | L'Autre Rive,"Salle La Sapinière, Rue Chapelle Marion, 11",5030 GEMBLOUX ,GEMBLOUX,5030,Mission Evangélique Belge,ARPEE
623 | Eglise Mission Pentecôtiste,Rue Brogniez 21,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
624 | "Eglise baptiste Renascer, Catedral da Adoração","Rue Brogniez, 21",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
625 | Mission ecclésiastique de Restauration Exode,"R.-k. Sint-Lukaskerk, Ernest Claesstraat 5",2050 ANTWERPEN ,ANTWERPEN,2050,Réseau Antioche,ARPEE
626 | Eglise évangélique Sion Y.O.R.,"Galérie de la Porte de Namur, 7/4",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Réseau Antioche,ARPEE
627 | Eglise des Missionnaires du Reveil - Revival Missionaries Ministry (R.M.M.),"Rue de Bomel, 82",5000 NAMUR ,NAMUR,5000,Réseau Antioche,ARPEE
628 | Mission La Paix du Seigneur,Rue des ailes 60,1030 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1030,Réseau Antioche,ARPEE
629 | Fraternité évangélique de Pentecôte en Afrique et en Belgique - Paroisse de Charleroi,"Boulevard Audent, 58",6000 CHARLEROI ,CHARLEROI,6000,Réseau Antioche,ARPEE
630 | Eglise évangélique roumaine Espérance,"Rue de Beaumont, 206",6030 CHARLEROI-MARCHIENNE-AU-PONT ,CHARLEROI-MARCHIENNE-AU-PONT,6030,Réseau Antioche,ARPEE
631 | Centre évangélique Le Tabernacle,Rue Eloy 8,7060 SOIGNIES ,SOIGNIES,7060,Réseau Antioche,ARPEE
632 | Eglise Apostolique Béthel,Rue Saint-hubert 45 a,7170 MANAGE ,MANAGE,7170,Église Apostolique,ARPEE
633 | Internationale Kerkgemeenschap Gent (ICCG),"R.-k. Maria Goretti-kerk, Blaisantvest 39",9000 GAND ,GAND,9000,Gereformeerd Overleg Vlaanderen,ARPEE
634 | Assemblée de Jésus-Christ - Mission Evangélique (AJC),Beigemsesteenweg 79,1850 GRIMBERGEN ,GRIMBERGEN,1850,Réseau Antioche,ARPEE
635 | Centre International Espérance et Vie,"Rue des Bollandistes, 40",1040 BRUSSEL-ETTERBEEK ,BRUSSEL-ETTERBEEK,1040,Réseau Antioche,ARPEE
636 | Assemblée Evangélique Pain de Vie,Chaussée de Bertrix 2,6840 NEUFCHÂTEAU ,NEUFCHÂTEAU,6840,Réseau Antioche,ARPEE
637 | Eglise de Jésus la Grâce par la Foi en Jésus-Christ (La Grafoi),"Rue Potagère, 9",1210 BRUSSEL-SINT-JOOST-TEN-NODE ,BRUSSEL-SINT-JOOST-TEN-NODE,1210,Réseau Antioche,ARPEE
638 | Assemblée des Saints,"Rue de Birmingham, 54",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
639 | La Maison du Potier,Rue des matériaux 71,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
640 | Eglise de Pentecôte Alpha Oméga,"Rue Jean Jaurès, 244",6020 CHARLEROI ,CHARLEROI,6020,Réseau Antioche,ARPEE
641 | Jesus is Lord Church,Avenue Monplaisirlaan 77-89,1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Réseau Antioche,ARPEE
642 | Grace Family Church,Steenstraat 1,8640 VLETEREN ,VLETEREN,8640,Evangelische Christengemeenten Vlaanderen,ARPEE
643 | The Redeemed Christian Church of God - Christ's Ambassadors,"Place Masui, 27",1000 BRUSSEL ,BRUSSEL,1000,Redeemed Christian Church of God,ARPEE
644 | The Redeemed Christian Church of God - Winners Assembly,Diestsesteenweg 56,3010 LOUVAIN ,LOUVAIN,3010,Redeemed Christian Church of God,ARPEE
645 | The Redeemed Christian Church of God - House of Praise,Voorhavenlaan 31,8400 OSTENDE ,OSTENDE,8400,Redeemed Christian Church of God,ARPEE
646 | The Redeemed Christian Church of God - Jesus House,Bollebergen 7,9052 GAND ,GAND,9052,Redeemed Christian Church of God,ARPEE
647 | Iglesia Adventista del 7° Día Hispana de Amberes,Bexstraat 13 (contact: Charles de Costerlaan 19/E14),2050 ANTWERPEN ,ANTWERPEN,2050,Fédération des Eglises adventistes,ARPEE
648 | Eglise Que Ton Règne Vienne,"Rue Flament, 12",7600 PERUWELZ ,PERUWELZ,7600,Union des Églises Évangéliques de Réveil,ARPEE
649 | Assyrische Christelijke Gemeenschap (ACG) Beth-El,Ter Hertstraat 1,2800 MECHELEN ,MECHELEN,2800,Gereformeerd Overleg Vlaanderen,ARPEE
650 | Impact Centre chrétien - Campus de Bruxelles,Rue des Lutins 8,1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Réseau Antioche,ARPEE
651 | Awakening souls international ministries,"W.Z.C TEMPELHOF, Sint Margrietstraat 36",9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
652 | Every Nation Church,Sint-Jansvest 28 A,9000 GAND ,GAND,9000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
653 | Chapelle de l'Evangile,"Place Raymond Blyckaerts, 4",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Assemblées de Dieu Francophones de Belgique,ARPEE
654 | La Borne,"Chaussée de Roodebeek, 128",1200 BRUSSEL-SINT-LAMBRECHTS-WOLUWE ,BRUSSEL-SINT-LAMBRECHTS-WOLUWE,1200,Assemblées de Dieu Francophones de Belgique,ARPEE
655 | Greater Love Assembly (Divine Empowerment Center),"Rue Van Lint, 53",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Verbond van Vlaamse Pinkstergemeenten,ARPEE
656 | Église évangélique baptiste Le Cèdre,RUE Longtin Honoré 44,1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Union des Baptistes en Belgique,ARPEE
657 | Assemblée Chrétienne Shamma,"Rue Jenart, 21",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
658 | Eglise de Jesus-Christ de verite la grace de Dieu,"Chaussée de Mons, 180",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
659 | Faith international mission,"Rue Heyvaert, 187",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
660 | Saint Paul Church,"Boulevard Emile Jacqmain, 60",1000 BRUSSEL ,BRUSSEL,1000,Réseau Antioche,ARPEE
661 | The Bridge,Leuvensesteenweg 50 ,1932 St. Stevens Woluwe,St. Stevens Woluwe,1932,Réseau Antioche,ARPEE
662 | Assemblée Chrétienne The Bridge,"Rue du Vivier, 180",6600 BASTOGNE ,BASTOGNE,6600,Réseau Antioche,ARPEE
663 | Tabernacle nouvelle alliance,"Rue Joseph Claes, 48",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Réseau Antioche,ARPEE
664 | Eglise Evangelique des temoins du Christ,"Rue de Berghes, 22",4020 LIEGE ,LIEGE,4020,Réseau Antioche,ARPEE
665 | The Lighthouse Centre,Stationsstraat 13,9300 AALST ,AALST,9300,Réseau Antioche,ARPEE
666 | God is Able Ministry,"Avenue van Volxem, 400",1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Verbond van Vlaamse Pinkstergemeenten,ARPEE
667 | Lighthouse fellowship,Leeuwlantstraat 92,2100 ANTWERPEN ,ANTWERPEN,2100,Verbond van Vlaamse Pinkstergemeenten,ARPEE
668 | The Lord's chosen church,"Rue Van Lint, 51",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Verbond van Vlaamse Pinkstergemeenten,ARPEE
669 | Divine Grace redemption gospel ministries (more grace center),Statiestraat 16,2600 ANTWERPEN ,ANTWERPEN,2600,Verbond van Vlaamse Pinkstergemeenten,ARPEE
670 | "Mission Evangélique ""Jésus t'aime""","Chaussée de Gilly, 8",6040 CHARLEROI ,CHARLEROI,6040,Assemblées de Dieu Francophones de Belgique,ARPEE
671 | Universele Kerk van het Koninkrijk Gods,Dendermondsesteenweg 52,9300 AALST ,AALST,9300,Verbond van Vlaamse Pinkstergemeenten,ARPEE
672 | Universele Kerk van het Koninkrijk Gods,Lange Winkelhaakstraat 23,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
673 | Eglise Universelle du Royaume de Dieu,"Boulevard Joseph Tirou, 25",6020 CHARLEROI ,CHARLEROI,6020,Verbond van Vlaamse Pinkstergemeenten,ARPEE
674 | Eglise Universelle du Royaume de Dieu,"Chaussée de Wavre, 31a",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Verbond van Vlaamse Pinkstergemeenten,ARPEE
675 | Eglise Universelle du Royaume de Dieu,"Boulevard de la Sauvenière, 107",4000 LIEGE ,LIEGE,4000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
676 | Eglise La Belle,Statiestraat 33,2600 ANTWERPEN ,ANTWERPEN,2600,Verbond van Vlaamse Pinkstergemeenten,ARPEE
677 | Christ ambassadors chapel,Emanuel Hielstraat 68,9050 GAND ,GAND,9050,Redeemed Christian Church of God,ARPEE
678 | Eglise Evangélique - Bethleem,"Rue de Birmingham, 54",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
679 | Réveil de la Foi,"Avenue Docteur Zamenhof, 31b",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Église de Dieu en Belgique,ARPEE
680 | Ministère de la foi du Dieu-vivant,"Rue Ransfort, 50",1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Réseau Antioche,ARPEE
681 | Foi Audacieuse International,"Square de l’Aviation, 15",1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
682 | Eglise Pentecôtiste de la Victoire,"Square de l’Aviation, 15, boite 2",1060 BRUSSEL-SINT-GILLIS ,BRUSSEL-SINT-GILLIS,1060,Réseau Antioche,ARPEE
683 | "Redeemed Christian Church of God, Bethel House",Nieuwstraat 25,9100 SAINT-NICOLAS ,SAINT-NICOLAS,9100,Redeemed Christian Church of God,ARPEE
684 | Eglise Vaincre,Rue du Chimiste 58-60,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Fraternité des Églises du Réveil en Belgique,ARPEE
685 | Eglise Le Sanctuaire de Jésus,Rue de la Vérité 1,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
686 | Assemblée de Dieu Logos-Communion,Rue Eloy 81,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
687 | Eglise Chapelle de la Victoire,Rue du Chimiste 58-60,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Fraternité des Églises du Réveil en Belgique,ARPEE
688 | Eglise La Cité de la Foi,Rue Brialmont 7,1210 BRUSSEL-SINT-JOOST-TEN-NODE ,BRUSSEL-SINT-JOOST-TEN-NODE,1210,Fraternité des Églises du Réveil en Belgique,ARPEE
689 | Eglise Montagne de Transfiguration,Rue de l'Instruction 112,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
690 | Ministère International pour le Salut des Ames,Avenue de l'Arbre Ballon 12,1090 BRUSSEL-JETTE ,BRUSSEL-JETTE,1090,Fraternité des Églises du Réveil en Belgique,ARPEE
691 | Assemblée de Dieu La Nouvelle Bergerie,Rue Birmingham 349,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Fraternité des Églises du Réveil en Belgique,ARPEE
692 | MINISTERE POUR LA GUERISON DES NATIONS,Rue Moulin Lavigne 1 B,5002 NAMUR ,NAMUR,5002,Concertation des Églises Indépendantes,ARPEE
693 | Lifepoint Church,Rue Colonel Bourg 123,1140 BRUSSEL-EVERE ,BRUSSEL-EVERE,1140,Overleg van Autonome Evangelische Gemeenten,ARPEE
694 | L'Arche pour la Terre Promise,"Galerie Porte de Namur 23, boîte 01",1050 BRUSSEL-ELSENE ,BRUSSEL-ELSENE,1050,Concertation des Églises Indépendantes,ARPEE
695 | Op Weg Geloofsgemeenschap,Jan Van Aelbroecklaan 33,9050 GAND ,GAND,9050,Overleg van Autonome Evangelische Gemeenten,ARPEE
696 | Eglise Protestante Evangélique “La Trinité”,Rue Delaunoy 58,1080 BRUSSEL-SINT-JANS-MOLENBEEK ,BRUSSEL-SINT-JANS-MOLENBEEK,1080,Assemblées de Dieu Francophones de Belgique,ARPEE
697 | La Nouvelle Jérusalem à Courcelles,Rue de la Glacerie 122,6180 COURCELLES ,COURCELLES,6180,Église de Dieu en Belgique,ARPEE
698 | Working With The Lord Ministry,Onderwijsstraat 28,2060 ANTWERPEN ,ANTWERPEN,2060,Redeemed Christian Church of God,ARPEE
699 | Vineyard-Antwerpen,Lambermondstraat 12,2000 ANTWERPEN ,ANTWERPEN,2000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
700 | Winners International Ministry,August De Boeckstraat 2B,9100 SAINT-NICOLAS ,SAINT-NICOLAS,9100,Verbond van Vlaamse Pinkstergemeenten,ARPEE
701 | Centre Evangelique La Restauration,Edmond Blockstraat 12 B,9050 GAND ,GAND,9050,Verbond van Vlaamse Pinkstergemeenten,ARPEE
702 | Greater Love Assembly / Tribe of praise,Rue Leopold 20,7000 MONS ,MONS,7000,Verbond van Vlaamse Pinkstergemeenten,ARPEE
703 | The Door Christian Fellowship Church Antwerp,Provinciestraat 209,2018 ANTWERPEN ,ANTWERPEN,2018,Verbond van Vlaamse Pinkstergemeenten,ARPEE
704 | Assemblée Chrétienne Evangélique de Pentecôte L'arche de Noé,Rue du Bailli 5,6220 FLEURUS ,FLEURUS,6220,Réseau Antioche,ARPEE
705 | Bethel Assemblée Evangélique Foi Vivante Paix en Christ,Rue des Cannoniers 26,7000 MONS ,MONS,7000,Réseau Antioche,ARPEE
706 | Bethesda Church,Rue de l'Eléphant 19,9600 RENAIX ,RENAIX,9600,Réseau Antioche,ARPEE
707 | Communauté du Salut Christ est Vivant,Rue des Alliés 274,1190 BRUSSEL-VORST ,BRUSSEL-VORST,1190,Réseau Antioche,ARPEE
708 | Eglise Evangélique Christ-Vivant,Lakborslei 108 bus 9,2100 ANTWERPEN ,ANTWERPEN,2100,Réseau Antioche,ARPEE
709 | Eglise Pentecôte Arche de Dieu,Rue Emile Vandervelde 44 B,6030 CHARLEROI-MARCHIENNE-AU-PONT ,CHARLEROI-MARCHIENNE-AU-PONT,6030,Réseau Antioche,ARPEE
710 | Fontaine Tabernacle,Hamerstraat 21-25,2800 MECHELEN ,MECHELEN,2800,Réseau Antioche,ARPEE
711 | "Fraternité Évangélique de Pentecôte en Afrique & en Belgique, Paroisse de Namur",Rue Bathasar-Florence 31,5000 NAMUR ,NAMUR,5000,Réseau Antioche,ARPEE
712 | Godly Peace Pentecostal Church,Rue Gheude 21-25,1070 BRUSSEL-ANDERLECHT ,BRUSSEL-ANDERLECHT,1070,Réseau Antioche,ARPEE
713 | Jesus is Lord Church Gent,Phoenixstraat 59,9000 GAND ,GAND,9000,Réseau Antioche,ARPEE
714 | Jesus is Lord Church Antwerpen,Van Arteveldestraat 7,2060 ANTWERPEN ,ANTWERPEN,2060,Réseau Antioche,ARPEE
715 | Alive Kerk,"Gebouwen van het Heilig Hartinstituut, Naamsesteenweg 355",3001 LOUVAIN ,LOUVAIN,3001,Overleg van Autonome Evangelische Gemeenten,ARPEE
716 | Het Huis van God,Langemeersstraat 6,8500 COURTRAI ,COURTRAI,8500,Overleg van Autonome Evangelische Gemeenten,ARPEE
717 | Cité Béthel Flandre,Schakelstraat 8,8790 WAREGEM ,WAREGEM,8790,Fraternité des Églises du Réveil en Belgique,ARPEE
718 | La Colonne de Feu Connexion,Rue Général Eeenens 62,1030 BRUSSEL-SCHAARBEEK ,BRUSSEL-SCHAARBEEK,1030,Fraternité des Églises du Réveil en Belgique,ARPEE
719 | Centre Evangélique et Missionnaire Amis de Christ,Rue Lloyd-Georges 45,7012 MONS ,MONS,7012,Fraternité des Églises du Réveil en Belgique,ARPEE
720 | Due Season Ministries,Kersbeekstraat 13,2060 ANTWERPEN ,ANTWERPEN,2060,Verbond van Vlaamse Pinkstergemeenten,ARPEE
721 | Gloriepoort,Hendrik Kuijpersstraat 60,2640 MORTSEL ,MORTSEL,2640,Verbond van Vlaamse Pinkstergemeenten,ARPEE
722 | Evangelische Levendwater Gemeente,Sint-Jozefsweg 2,8540 COURTRAI ,COURTRAI,8540,Overleg van Autonome Evangelische Gemeenten,ARPEE
723 | Impact Centre Chrétien - Campus Liège,Rue du Sewage 3/1,4100 SERAING ,SERAING,4100,Réseau Antioche,ARPEE
724 | Eglise Emmanuel Etterbeek,"l'Arrière-Scène, Rue de Chambéry 32",1040 BRUSSEL-ETTERBEEK ,BRUSSEL-ETTERBEEK,1040,Association des Églises Protestantes Évangéliques de Belgique,ARPEE
725 | Believers Emblem Ministries,Lovelingstraat 8,2000 Antwerpen,Antwerpen,2000,,EAV
726 | Christ Fellowship Bible Ministries ,Lange Van Sterbeeckstraat 323,2060 Antwerpen,Antwerpen,2060,,EAV
727 | Church Of Pentecost P.I.W.C.,Langescholierstraat 17,2060 Antwerpen,Antwerpen,2060,,EAV
728 | End Time Harvesters International Ministries,Gasstraat 31/11,2060 Antwerpen,Antwerpen,2060,,EAV
729 | Eglise Grace de Dieu ,Van Arteveldestraat 25,2060 Antwerpen,Antwerpen,2060,,EAV
730 | Eglise Vie Comblée ,Lindeboom 2,2060 Antwerpen,Antwerpen,2060,,EAV
731 | Assembleia De Deus Nova Vida,Italiëlei 90,2060 Antwerpen,Antwerpen,2060,,EAV
732 | Grace Communion International,Hanegraafstraat,3050 Antwerpen,Antwerpen,3050,,EAV
733 | Le Rocher du Salut,Trapstraat 16,2060 Antwerpen,Antwerpen,2060,,EAV
734 | Outreach Internat. Ministry,Dambruggestraat 281,2060 Antwerpen,Antwerpen,2060,,EAV
735 | The Redeemed Christian Church of God - Calvary Parish ,Carnotstraat 78,2060 Antwerpen,Antwerpen,2060,,EAV
736 | Revelation of God Ministry,Dambruggestraat 55,2060 Antwerpen,Antwerpen,2060,,EAV
737 | Vergadering Van Gelovigen,Lamorinièrestraat 223,2018 Antwerpen,Antwerpen,2018,,EAV
738 | Apostleship Faith Ministry,Lange Pastoorstraat 13-15,2600 Antwerpen-Berchem,Antwerpen-Berchem,2600,,ARPEE
739 | Eglise Vie Nouvelle ,Hogeweg 14,2140 Antwerpen-Borgerhout,Antwerpen-Borgerhout,2140,,EAV
740 | Jesus The Light Mission,Stenenbrug 11,2140 Antwerpen-Borgerhout,Antwerpen-Borgerhout,2140,,EAV
741 | Le Trône de L'Eternel ,Albrecht Rodenbachlaan 15,2140 Antwerpen-Borgerhout,Antwerpen-Borgerhout,2140,,EAV
742 | Vergadering Van Gelovigen,Fonteinstraat 4a,2140 Antwerpen-Borgerhout,Antwerpen-Borgerhout,2140,,EAV
743 | Christian Center Bethel,Schotensesteenweg 33,2100 Antwerpen-Deurne,Antwerpen-Deurne,2100,,EAV
744 | Gospel Faith Kingdom Outreach,Ten Eekhovelei 292,2100 Antwerpen-Deurne,Antwerpen-Deurne,2100,,EAV
745 | Pinkstergemeente 'op De Rots',Oudenaardsesteenweg 111,8580 Avelgem,Avelgem,8580,,EAV
746 | Church Of Pentecost,Jan Boninstraat 20,8000 Brugge,Brugge,8000,,EAV
747 |
--------------------------------------------------------------------------------