]> git.ipfire.org Git - location/libloc.git/blame - src/python/location-importer.in
database: Always require SSL
[location/libloc.git] / src / python / location-importer.in
CommitLineData
78ff0cf2
MT
1#!/usr/bin/python3
2###############################################################################
3# #
4# libloc - A library to determine the location of someone on the Internet #
5# #
6# Copyright (C) 2020 IPFire Development Team <info@ipfire.org> #
7# #
8# This library is free software; you can redistribute it and/or #
9# modify it under the terms of the GNU Lesser General Public #
10# License as published by the Free Software Foundation; either #
11# version 2.1 of the License, or (at your option) any later version. #
12# #
13# This library is distributed in the hope that it will be useful, #
14# but WITHOUT ANY WARRANTY; without even the implied warranty of #
15# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU #
16# Lesser General Public License for more details. #
17# #
18###############################################################################
19
20import argparse
6ffd06b5 21import ipaddress
78ff0cf2 22import logging
6ffd06b5
MT
23import math
24import re
78ff0cf2 25import sys
83d61c46 26import telnetlib
78ff0cf2
MT
27
28# Load our location module
29import location
29c6fa22 30import location.database
3192b66c 31import location.importer
78ff0cf2
MT
32from location.i18n import _
33
34# Initialise logging
35log = logging.getLogger("location.importer")
36log.propagate = 1
37
38class CLI(object):
39 def parse_cli(self):
40 parser = argparse.ArgumentParser(
41 description=_("Location Importer Command Line Interface"),
42 )
6ffd06b5 43 subparsers = parser.add_subparsers()
78ff0cf2
MT
44
45 # Global configuration flags
46 parser.add_argument("--debug", action="store_true",
47 help=_("Enable debug output"))
bc1f5f53
MT
48 parser.add_argument("--quiet", action="store_true",
49 help=_("Enable quiet mode"))
78ff0cf2
MT
50
51 # version
52 parser.add_argument("--version", action="version",
53 version="%(prog)s @VERSION@")
54
29c6fa22
MT
55 # Database
56 parser.add_argument("--database-host", required=True,
57 help=_("Database Hostname"), metavar=_("HOST"))
58 parser.add_argument("--database-name", required=True,
59 help=_("Database Name"), metavar=_("NAME"))
60 parser.add_argument("--database-username", required=True,
61 help=_("Database Username"), metavar=_("USERNAME"))
62 parser.add_argument("--database-password", required=True,
63 help=_("Database Password"), metavar=_("PASSWORD"))
64
0983f3dd
MT
65 # Write Database
66 write = subparsers.add_parser("write", help=_("Write database to file"))
67 write.set_defaults(func=self.handle_write)
68 write.add_argument("file", nargs=1, help=_("Database File"))
69 write.add_argument("--signing-key", nargs="?", type=open, help=_("Signing Key"))
1164d876 70 write.add_argument("--backup-signing-key", nargs="?", type=open, help=_("Backup Signing Key"))
0983f3dd
MT
71 write.add_argument("--vendor", nargs="?", help=_("Sets the vendor"))
72 write.add_argument("--description", nargs="?", help=_("Sets a description"))
73 write.add_argument("--license", nargs="?", help=_("Sets the license"))
b904896a 74 write.add_argument("--version", type=int, help=_("Database Format Version"))
0983f3dd 75
6ffd06b5
MT
76 # Update WHOIS
77 update_whois = subparsers.add_parser("update-whois", help=_("Update WHOIS Information"))
78 update_whois.set_defaults(func=self.handle_update_whois)
79
83d61c46
MT
80 # Update announcements
81 update_announcements = subparsers.add_parser("update-announcements",
82 help=_("Update BGP Annoucements"))
83 update_announcements.set_defaults(func=self.handle_update_announcements)
84 update_announcements.add_argument("server", nargs=1,
85 help=_("Route Server to connect to"), metavar=_("SERVER"))
86
d7fc3057
MT
87 # Update overrides
88 update_overrides = subparsers.add_parser("update-overrides",
89 help=_("Update overrides"),
90 )
91 update_overrides.add_argument(
92 "files", nargs="+", help=_("Files to import"),
93 )
94 update_overrides.set_defaults(func=self.handle_update_overrides)
95
8084b33a
MT
96 # Import countries
97 import_countries = subparsers.add_parser("import-countries",
98 help=_("Import countries"),
99 )
100 import_countries.add_argument("file", nargs=1, type=argparse.FileType("r"),
101 help=_("File to import"))
102 import_countries.set_defaults(func=self.handle_import_countries)
103
78ff0cf2
MT
104 args = parser.parse_args()
105
bc1f5f53 106 # Configure logging
78ff0cf2 107 if args.debug:
f9de5e61 108 location.logger.set_level(logging.DEBUG)
bc1f5f53
MT
109 elif args.quiet:
110 location.logger.set_level(logging.WARNING)
78ff0cf2 111
6ffd06b5
MT
112 # Print usage if no action was given
113 if not "func" in args:
114 parser.print_usage()
115 sys.exit(2)
116
78ff0cf2
MT
117 return args
118
119 def run(self):
120 # Parse command line arguments
121 args = self.parse_cli()
122
29c6fa22 123 # Initialise database
6ffd06b5 124 self.db = self._setup_database(args)
29c6fa22 125
78ff0cf2 126 # Call function
6ffd06b5 127 ret = args.func(args)
78ff0cf2
MT
128
129 # Return with exit code
130 if ret:
131 sys.exit(ret)
132
133 # Otherwise just exit
134 sys.exit(0)
135
29c6fa22
MT
136 def _setup_database(self, ns):
137 """
138 Initialise the database
139 """
140 # Connect to database
141 db = location.database.Connection(
142 host=ns.database_host, database=ns.database_name,
143 user=ns.database_username, password=ns.database_password,
144 )
145
146 with db.transaction():
147 db.execute("""
83d61c46
MT
148 -- announcements
149 CREATE TABLE IF NOT EXISTS announcements(network inet, autnum bigint,
150 first_seen_at timestamp without time zone DEFAULT CURRENT_TIMESTAMP,
151 last_seen_at timestamp without time zone DEFAULT CURRENT_TIMESTAMP);
152 CREATE UNIQUE INDEX IF NOT EXISTS announcements_networks ON announcements(network);
153 CREATE INDEX IF NOT EXISTS announcements_family ON announcements(family(network));
154
6ffd06b5 155 -- autnums
0983f3dd 156 CREATE TABLE IF NOT EXISTS autnums(number bigint, name text NOT NULL);
6ffd06b5
MT
157 CREATE UNIQUE INDEX IF NOT EXISTS autnums_number ON autnums(number);
158
8084b33a
MT
159 -- countries
160 CREATE TABLE IF NOT EXISTS countries(
161 country_code text NOT NULL, name text NOT NULL, continent_code text NOT NULL);
162 CREATE UNIQUE INDEX IF NOT EXISTS countries_country_code ON countries(country_code);
163
429a43d1 164 -- networks
83d61c46 165 CREATE TABLE IF NOT EXISTS networks(network inet, country text);
429a43d1 166 CREATE UNIQUE INDEX IF NOT EXISTS networks_network ON networks(network);
83d61c46 167 CREATE INDEX IF NOT EXISTS networks_search ON networks USING GIST(network inet_ops);
d7fc3057
MT
168
169 -- overrides
170 CREATE TABLE IF NOT EXISTS autnum_overrides(
171 number bigint NOT NULL,
172 name text,
bd1aa6a1 173 country text,
d7fc3057
MT
174 is_anonymous_proxy boolean DEFAULT FALSE,
175 is_satellite_provider boolean DEFAULT FALSE,
176 is_anycast boolean DEFAULT FALSE
177 );
178 CREATE UNIQUE INDEX IF NOT EXISTS autnum_overrides_number
179 ON autnum_overrides(number);
180
181 CREATE TABLE IF NOT EXISTS network_overrides(
182 network inet NOT NULL,
183 country text,
184 is_anonymous_proxy boolean DEFAULT FALSE,
185 is_satellite_provider boolean DEFAULT FALSE,
186 is_anycast boolean DEFAULT FALSE
187 );
188 CREATE UNIQUE INDEX IF NOT EXISTS network_overrides_network
189 ON network_overrides(network);
29c6fa22
MT
190 """)
191
192 return db
193
0983f3dd
MT
194 def handle_write(self, ns):
195 """
196 Compiles a database in libloc format out of what is in the database
197 """
0983f3dd 198 # Allocate a writer
1164d876 199 writer = location.Writer(ns.signing_key, ns.backup_signing_key)
0983f3dd
MT
200
201 # Set all metadata
202 if ns.vendor:
203 writer.vendor = ns.vendor
204
205 if ns.description:
206 writer.description = ns.description
207
208 if ns.license:
209 writer.license = ns.license
210
211 # Add all Autonomous Systems
212 log.info("Writing Autonomous Systems...")
213
214 # Select all ASes with a name
6e97c44b
MT
215 rows = self.db.query("""
216 SELECT
217 autnums.number AS number,
218 COALESCE(
219 (SELECT overrides.name FROM autnum_overrides overrides
220 WHERE overrides.number = autnums.number),
221 autnums.name
222 ) AS name
223 FROM autnums
224 WHERE name <> %s ORDER BY number
225 """, "")
0983f3dd
MT
226
227 for row in rows:
228 a = writer.add_as(row.number)
229 a.name = row.name
230
231 # Add all networks
232 log.info("Writing networks...")
233
234 # Select all known networks
235 rows = self.db.query("""
236 SELECT
8e8555bb 237 DISTINCT ON (announcements.network)
0983f3dd
MT
238 announcements.network AS network,
239 announcements.autnum AS autnum,
bd1aa6a1
MT
240
241 -- Country
242 COALESCE(
243 (
244 SELECT country FROM network_overrides overrides
245 WHERE announcements.network <<= overrides.network
246 ORDER BY masklen(overrides.network) DESC
247 LIMIT 1
248 ),
249 (
250 SELECT country FROM autnum_overrides overrides
251 WHERE announcements.autnum = overrides.number
252 ),
253 networks.country
254 ) AS country,
8e8555bb
MT
255
256 -- Must be part of returned values for ORDER BY clause
257 masklen(networks.network) AS sort,
0983f3dd
MT
258
259 -- Flags
1422b5d4
MT
260 COALESCE(
261 (
262 SELECT is_anonymous_proxy FROM network_overrides overrides
263 WHERE announcements.network <<= overrides.network
264 ORDER BY masklen(overrides.network) DESC
265 LIMIT 1
266 ),
267 (
268 SELECT is_anonymous_proxy FROM autnum_overrides overrides
269 WHERE announcements.autnum = overrides.number
270 )
271 ) AS is_anonymous_proxy,
272 COALESCE(
273 (
274 SELECT is_satellite_provider FROM network_overrides overrides
275 WHERE announcements.network <<= overrides.network
276 ORDER BY masklen(overrides.network) DESC
277 LIMIT 1
278 ),
279 (
280 SELECT is_satellite_provider FROM autnum_overrides overrides
281 WHERE announcements.autnum = overrides.number
282 )
283 ) AS is_satellite_provider,
284 COALESCE(
285 (
286 SELECT is_anycast FROM network_overrides overrides
287 WHERE announcements.network <<= overrides.network
288 ORDER BY masklen(overrides.network) DESC
289 LIMIT 1
290 ),
291 (
292 SELECT is_anycast FROM autnum_overrides overrides
293 WHERE announcements.autnum = overrides.number
294 )
295 ) AS is_anycast
0983f3dd 296 FROM announcements
8e8555bb
MT
297 LEFT JOIN networks ON announcements.network <<= networks.network
298 ORDER BY announcements.network, sort DESC
0983f3dd
MT
299 """)
300
301 for row in rows:
302 network = writer.add_network(row.network)
303
304 # Save AS & country
305 network.asn, network.country_code = row.autnum, row.country
306
307 # Set flags
308 if row.is_anonymous_proxy:
309 network.set_flag(location.NETWORK_FLAG_ANONYMOUS_PROXY)
310
311 if row.is_satellite_provider:
312 network.set_flag(location.NETWORK_FLAG_SATELLITE_PROVIDER)
313
314 if row.is_anycast:
315 network.set_flag(location.NETWORK_FLAG_ANYCAST)
316
8084b33a
MT
317 # Add all countries
318 log.info("Writing countries...")
319 rows = self.db.query("SELECT * FROM countries ORDER BY country_code")
320
321 for row in rows:
322 c = writer.add_country(row.country_code)
323 c.continent_code = row.continent_code
324 c.name = row.name
325
0983f3dd
MT
326 # Write everything to file
327 log.info("Writing database to file...")
328 for file in ns.file:
329 writer.write(file)
330
6ffd06b5
MT
331 def handle_update_whois(self, ns):
332 downloader = location.importer.Downloader()
333
334 # Download all sources
0365119d
MT
335 with self.db.transaction():
336 # Create some temporary tables to store parsed data
337 self.db.execute("""
338 CREATE TEMPORARY TABLE _autnums(number integer, organization text)
339 ON COMMIT DROP;
340 CREATE UNIQUE INDEX _autnums_number ON _autnums(number);
341
342 CREATE TEMPORARY TABLE _organizations(handle text, name text)
343 ON COMMIT DROP;
344 CREATE UNIQUE INDEX _organizations_handle ON _organizations(handle);
345 """)
346
347 for source in location.importer.WHOIS_SOURCES:
6ffd06b5
MT
348 with downloader.request(source, return_blocks=True) as f:
349 for block in f:
350 self._parse_block(block)
351
0365119d
MT
352 self.db.execute("""
353 INSERT INTO autnums(number, name)
354 SELECT _autnums.number, _organizations.name FROM _autnums
355 LEFT JOIN _organizations ON _autnums.organization = _organizations.handle
356 ON CONFLICT (number) DO UPDATE SET name = excluded.name;
357 """)
358
429a43d1
MT
359 # Download all extended sources
360 for source in location.importer.EXTENDED_SOURCES:
361 with self.db.transaction():
429a43d1
MT
362 # Download data
363 with downloader.request(source) as f:
364 for line in f:
365 self._parse_line(line)
366
6ffd06b5
MT
367 def _parse_block(self, block):
368 # Get first line to find out what type of block this is
369 line = block[0]
370
6ffd06b5 371 # aut-num
429a43d1 372 if line.startswith("aut-num:"):
6ffd06b5
MT
373 return self._parse_autnum_block(block)
374
375 # organisation
376 elif line.startswith("organisation:"):
377 return self._parse_org_block(block)
378
6ffd06b5 379 def _parse_autnum_block(self, block):
6ffd06b5
MT
380 autnum = {}
381 for line in block:
382 # Split line
383 key, val = split_line(line)
384
385 if key == "aut-num":
386 m = re.match(r"^(AS|as)(\d+)", val)
387 if m:
388 autnum["asn"] = m.group(2)
389
0365119d 390 elif key == "org":
6ffd06b5
MT
391 autnum[key] = val
392
393 # Skip empty objects
394 if not autnum:
395 return
396
397 # Insert into database
0365119d
MT
398 self.db.execute("INSERT INTO _autnums(number, organization) \
399 VALUES(%s, %s) ON CONFLICT (number) DO UPDATE SET \
400 organization = excluded.organization",
401 autnum.get("asn"), autnum.get("org"),
6ffd06b5
MT
402 )
403
6ffd06b5
MT
404 def _parse_org_block(self, block):
405 org = {}
406 for line in block:
407 # Split line
408 key, val = split_line(line)
409
0365119d 410 if key in ("organisation", "org-name"):
6ffd06b5
MT
411 org[key] = val
412
413 # Skip empty objects
414 if not org:
415 return
416
0365119d
MT
417 self.db.execute("INSERT INTO _organizations(handle, name) \
418 VALUES(%s, %s) ON CONFLICT (handle) DO \
419 UPDATE SET name = excluded.name",
420 org.get("organisation"), org.get("org-name"),
6ffd06b5
MT
421 )
422
429a43d1
MT
423 def _parse_line(self, line):
424 # Skip version line
425 if line.startswith("2"):
426 return
6ffd06b5 427
429a43d1
MT
428 # Skip comments
429 if line.startswith("#"):
430 return
6ffd06b5 431
429a43d1
MT
432 try:
433 registry, country_code, type, line = line.split("|", 3)
434 except:
435 log.warning("Could not parse line: %s" % line)
436 return
6ffd06b5 437
429a43d1
MT
438 # Skip any lines that are for stats only
439 if country_code == "*":
6ffd06b5
MT
440 return
441
429a43d1
MT
442 if type in ("ipv6", "ipv4"):
443 return self._parse_ip_line(country_code, type, line)
444
429a43d1
MT
445 def _parse_ip_line(self, country, type, line):
446 try:
447 address, prefix, date, status, organization = line.split("|")
448 except ValueError:
449 organization = None
450
451 # Try parsing the line without organization
452 try:
453 address, prefix, date, status = line.split("|")
454 except ValueError:
455 log.warning("Unhandled line format: %s" % line)
456 return
457
458 # Skip anything that isn't properly assigned
459 if not status in ("assigned", "allocated"):
460 return
461
462 # Cast prefix into an integer
463 try:
464 prefix = int(prefix)
465 except:
466 log.warning("Invalid prefix: %s" % prefix)
7177031f 467 return
429a43d1
MT
468
469 # Fix prefix length for IPv4
470 if type == "ipv4":
471 prefix = 32 - int(math.log(prefix, 2))
472
473 # Try to parse the address
474 try:
475 network = ipaddress.ip_network("%s/%s" % (address, prefix), strict=False)
476 except ValueError:
477 log.warning("Invalid IP address: %s" % address)
478 return
479
87b3e102
MT
480 self.db.execute("INSERT INTO networks(network, country) \
481 VALUES(%s, %s) ON CONFLICT (network) DO \
482 UPDATE SET country = excluded.country",
483 "%s" % network, country,
6ffd06b5
MT
484 )
485
83d61c46
MT
486 def handle_update_announcements(self, ns):
487 server = ns.server[0]
488
489 # Pre-compile regular expression for routes
83d61c46
MT
490 route = re.compile(b"^\*[\s\>]i([^\s]+).+?(\d+)\si\r\n", re.MULTILINE|re.DOTALL)
491
492 with telnetlib.Telnet(server) as t:
493 # Enable debug mode
494 #if ns.debug:
495 # t.set_debuglevel(10)
496
497 # Wait for console greeting
fcd5b8b2
MT
498 greeting = t.read_until(b"> ", timeout=30)
499 if not greeting:
500 log.error("Could not get a console prompt")
501 return 1
83d61c46
MT
502
503 # Disable pagination
504 t.write(b"terminal length 0\n")
505
506 # Wait for the prompt to return
507 t.read_until(b"> ")
508
509 # Fetch the routing tables
510 with self.db.transaction():
511 for protocol in ("ipv6", "ipv4"):
512 log.info("Requesting %s routing table" % protocol)
513
514 # Request the full unicast routing table
515 t.write(b"show bgp %s unicast\n" % protocol.encode())
516
517 # Read entire header which ends with "Path"
518 t.read_until(b"Path\r\n")
519
520 while True:
521 # Try reading a full entry
522 # Those might be broken across multiple lines but ends with i
523 line = t.read_until(b"i\r\n", timeout=5)
524 if not line:
525 break
526
527 # Show line for debugging
528 #log.debug(repr(line))
529
530 # Try finding a route in here
531 m = route.match(line)
532 if m:
533 network, autnum = m.groups()
534
535 # Convert network to string
536 network = network.decode()
537
d773c1bc
MT
538 # Append /24 for IPv4 addresses
539 if not "/" in network and not ":" in network:
540 network = "%s/24" % network
541
83d61c46
MT
542 # Convert AS number to integer
543 autnum = int(autnum)
544
545 log.info("Found announcement for %s by %s" % (network, autnum))
546
547 self.db.execute("INSERT INTO announcements(network, autnum) \
548 VALUES(%s, %s) ON CONFLICT (network) DO \
549 UPDATE SET autnum = excluded.autnum, last_seen_at = CURRENT_TIMESTAMP",
550 network, autnum,
551 )
552
553 log.info("Finished reading the %s routing table" % protocol)
554
555 # Purge anything we never want here
556 self.db.execute("""
557 -- Delete default routes
558 DELETE FROM announcements WHERE network = '::/0' OR network = '0.0.0.0/0';
559
560 -- Delete anything that is not global unicast address space
561 DELETE FROM announcements WHERE family(network) = 6 AND NOT network <<= '2000::/3';
562
1d4e4e8f
PM
563 -- DELETE "current network" address space
564 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '0.0.0.0/8';
565
cedee656
PM
566 -- DELETE local loopback address space
567 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '127.0.0.0/8';
568
1d4e4e8f 569 -- DELETE RFC 1918 address space
83d61c46
MT
570 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '10.0.0.0/8';
571 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '172.16.0.0/12';
572 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '192.168.0.0/16';
573
209c04b6
PM
574 -- DELETE test, benchmark and documentation address space
575 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '192.0.0.0/24';
576 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '192.0.2.0/24';
577 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '198.18.0.0/15';
578 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '198.51.100.0/24';
579 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '203.0.113.0/24';
580
581 -- DELETE CGNAT address space (RFC 6598)
582 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '100.64.0.0/10';
583
584 -- DELETE link local address space
585 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '169.254.0.0/16';
586
587 -- DELETE IPv6 to IPv4 (6to4) address space
588 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '192.88.99.0/24';
589
b89cee80
PM
590 -- DELETE multicast and reserved address space
591 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '224.0.0.0/4';
592 DELETE FROM announcements WHERE family(network) = 4 AND network <<= '240.0.0.0/4';
593
83d61c46
MT
594 -- Delete networks that are too small to be in the global routing table
595 DELETE FROM announcements WHERE family(network) = 6 AND masklen(network) > 48;
596 DELETE FROM announcements WHERE family(network) = 4 AND masklen(network) > 24;
597
598 -- Delete any non-public or reserved ASNs
599 DELETE FROM announcements WHERE NOT (
600 (autnum >= 1 AND autnum <= 23455)
601 OR
602 (autnum >= 23457 AND autnum <= 64495)
603 OR
604 (autnum >= 131072 AND autnum <= 4199999999)
605 );
606
607 -- Delete everything that we have not seen for 14 days
608 DELETE FROM announcements WHERE last_seen_at <= CURRENT_TIMESTAMP - INTERVAL '14 days';
609 """)
610
d7fc3057
MT
611 def handle_update_overrides(self, ns):
612 with self.db.transaction():
613 # Drop all data that we have
614 self.db.execute("""
615 TRUNCATE TABLE autnum_overrides;
616 TRUNCATE TABLE network_overrides;
617 """)
618
619 for file in ns.files:
620 log.info("Reading %s..." % file)
621
622 with open(file, "rb") as f:
623 for type, block in location.importer.read_blocks(f):
624 if type == "net":
625 network = block.get("net")
626 # Try to parse and normalise the network
627 try:
628 network = ipaddress.ip_network(network, strict=False)
629 except ValueError as e:
630 log.warning("Invalid IP network: %s: %s" % (network, e))
631 continue
632
94dfab8c
MT
633 # Prevent that we overwrite all networks
634 if network.prefixlen == 0:
635 log.warning("Skipping %s: You cannot overwrite default" % network)
636 continue
637
d7fc3057
MT
638 self.db.execute("""
639 INSERT INTO network_overrides(
640 network,
641 country,
642 is_anonymous_proxy,
643 is_satellite_provider,
644 is_anycast
56f6587a 645 ) VALUES (%s, %s, %s, %s, %s)
d7fc3057
MT
646 ON CONFLICT (network) DO NOTHING""",
647 "%s" % network,
648 block.get("country"),
649 block.get("is-anonymous-proxy") == "yes",
650 block.get("is-satellite-provider") == "yes",
651 block.get("is-anycast") == "yes",
652 )
653
f476cdfd
MT
654 elif type == "aut-num":
655 autnum = block.get("aut-num")
d7fc3057
MT
656
657 # Check if AS number begins with "AS"
658 if not autnum.startswith("AS"):
659 log.warning("Invalid AS number: %s" % autnum)
660 continue
661
662 # Strip "AS"
663 autnum = autnum[2:]
664
665 self.db.execute("""
666 INSERT INTO autnum_overrides(
667 number,
668 name,
bd1aa6a1 669 country,
d7fc3057
MT
670 is_anonymous_proxy,
671 is_satellite_provider,
672 is_anycast
bd1aa6a1 673 ) VALUES(%s, %s, %s, %s, %s, %s)
d7fc3057 674 ON CONFLICT DO NOTHING""",
bd1aa6a1
MT
675 autnum,
676 block.get("name"),
677 block.get("country"),
d7fc3057
MT
678 block.get("is-anonymous-proxy") == "yes",
679 block.get("is-satellite-provider") == "yes",
680 block.get("is-anycast") == "yes",
681 )
682
683 else:
684 log.warning("Unsupport type: %s" % type)
685
8084b33a
MT
686 def handle_import_countries(self, ns):
687 with self.db.transaction():
688 # Drop all data that we have
689 self.db.execute("TRUNCATE TABLE countries")
690
691 for file in ns.file:
692 for line in file:
693 line = line.rstrip()
694
695 # Ignore any comments
696 if line.startswith("#"):
697 continue
698
699 try:
700 country_code, continent_code, name = line.split(maxsplit=2)
701 except:
702 log.warning("Could not parse line: %s" % line)
703 continue
704
705 self.db.execute("INSERT INTO countries(country_code, name, continent_code) \
706 VALUES(%s, %s, %s) ON CONFLICT DO NOTHING", country_code, name, continent_code)
707
6ffd06b5
MT
708
709def split_line(line):
710 key, colon, val = line.partition(":")
711
712 # Strip any excess space
713 key = key.strip()
714 val = val.strip()
78ff0cf2 715
6ffd06b5 716 return key, val
78ff0cf2
MT
717
718def main():
719 # Run the command line interface
720 c = CLI()
721 c.run()
722
723main()