This repository was archived by the owner on Nov 9, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathimplexus.py
executable file
·124 lines (101 loc) · 6.05 KB
/
implexus.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
#!/usr/bin/env python3
"""
File: implexus
Description: Generate WireGuard configs based on a network outline
MIT License: Copyright (c) 2024 Eryk J.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
"""
APP = 'implexus'
VERSION = 'v0.1.1'
import argparse, os, subprocess, yaml
def sh(command, arguments='', inp=''):
res = subprocess.run([command, arguments], stdout=subprocess.PIPE, stderr=subprocess.PIPE, input=inp.encode('utf-8'))
if res.stderr.decode('utf-8'):
print(res.stderr.decode('utf-8'))
exit()
return res.stdout.decode('utf-8')
def create_deploy_script(name, port):
if port:
note = f'echo "You may need to add a rule to your firewall to allow traffic to the WireGuard interface\'s port:"\necho "sudo ufw allow {port}/udp"\necho "sudo ufw reload"\n\n'
else:
note = ''
return f'#!/bin/bash\n\nsystemctl stop wg-quick@{name}\nsystemctl disable wg-quick@{name}\n\ncp --remove-destination {name}.conf /etc/wireguard/\nchown root:root /etc/wireguard/{name}.conf\nchmod 600 /etc/wireguard/{name}.conf\n\nsystemctl enable wg-quick@{name}\nsystemctl start wg-quick@{name}\n\nwg show {name}\n\n{note}exit 0'
def create_remove_script(name):
return f'#!/bin/bash\n\nsystemctl stop wg-quick@{name}\nsystemctl disable wg-quick@{name}\n\nrm /etc/wireguard/{name}.conf\n\nwg show\n\necho "You may also need to check your firewall rules"\n\nexit 0'
def process_config(config, dir):
with open(config) as f:
mesh = yaml.load(f, Loader=yaml.loader.SafeLoader)
dir += '/' + mesh['NetworkName']
os.makedirs(dir, exist_ok=True)
for device in mesh.keys():
if device == 'NetworkName':
continue
os.makedirs(dir + '/' + device, exist_ok=True)
if 'PrivateKey' not in mesh[device].keys():
mesh[device]['PrivateKey'] = sh('wg', 'genkey').rstrip('\n')
mesh[device]['PublicKey'] = sh('wg', 'pubkey', mesh[device]['PrivateKey']).rstrip('\n')
for device in mesh.keys():
if device == 'NetworkName':
continue
if 'AllowedIPs' in mesh[device].keys():
subnet = '/24'
routing = f"\n\n# IP forwarding\nPreUp = sysctl -w net.ipv4.ip_forward=1\n\n# IP masquerading\nPreUp = iptables -t mangle -A PREROUTING -i {mesh['NetworkName']} -j MARK --set-mark 0x30\nPreUp = iptables -t nat -A POSTROUTING ! -o {mesh['NetworkName']} -m mark --mark 0x30 -j MASQUERADE\nPostDown = iptables -t mangle -D PREROUTING -i {mesh['NetworkName']} -j MARK --set-mark 0x30\nPostDown = iptables -t nat -D POSTROUTING ! -o {mesh['NetworkName']} -m mark --mark 0x30 -j MASQUERADE"
else:
subnet = '/32'
routing = ''
conf = f"[Interface]\n# Name: {device}\nAddress = {mesh[device]['Address']}{subnet}\nPrivateKey = {mesh[device]['PrivateKey']}"
if 'ListenPort' in mesh[device].keys():
conf += f"\nListenPort = {mesh[device]['ListenPort']}{routing}"
else:
mesh[device]['ListenPort'] = False
if 'DNS' in mesh[device].keys():
conf += f"\nDNS = {mesh[device]['DNS']}"
for peer in mesh.keys():
if peer == 'NetworkName' or peer == device:
continue
if 'Endpoint' not in mesh[peer].keys() and 'AllowedIPs' not in mesh[device].keys():
continue
conf += f"\n\n[Peer]\n# Name: {peer}\nPublicKey = {mesh[peer]['PublicKey']}"
if 'Endpoint' in mesh[peer].keys():
conf += f"\nEndpoint = {mesh[peer]['Endpoint']}:{mesh[peer]['ListenPort']}"
if 'AllowedIPs' in mesh[peer].keys():
conf += f"\nAllowedIPs = {mesh[peer]['AllowedIPs']}"
else:
conf += f"\nAllowedIPs = {mesh[peer]['Address']}/32"
if 'PersistentKeepalive' in mesh[device].keys():
conf += f"\nPersistentKeepalive = {mesh[device]['PersistentKeepalive']}"
file_dir = f"{dir}/{device}/"
with open(f"{file_dir}{mesh['NetworkName']}.conf", 'w', encoding='UTF-8') as f:
f.write(conf)
os.chmod(f"{file_dir}{mesh['NetworkName']}.conf", mode=0o600)
with open(file_dir + f"deploy_{device}.sh", 'w', encoding='UTF-8') as f:
f.write(create_deploy_script(mesh['NetworkName'], mesh[device]['ListenPort']))
os.chmod(f'{file_dir}deploy_{device}.sh', mode=0o740)
with open(file_dir + f"remove_{device}.sh", 'w', encoding='UTF-8') as f:
f.write(create_remove_script(mesh['NetworkName']))
os.chmod(f'{file_dir}remove_{device}.sh', mode=0o740)
print(f'Generated config and scripts for {device}')
parser = argparse.ArgumentParser(description="Generate WireGuard configs based on a network outline")
parser.add_argument('-v', '--version', action='version', version=f"{APP} {VERSION}")
parser.add_argument("Outline", help='Network outline (YAML format)')
parser.add_argument('-o', metavar='directory', help='Output directory (working dir if not provided)')
args = vars(parser.parse_args())
if args['o']:
dir = args['o'].rstrip('/')
else:
dir = '.'
process_config(args['Outline'], dir)