-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtun-tunnel-fs.py
executable file
·290 lines (229 loc) · 9.05 KB
/
tun-tunnel-fs.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
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
#!/usr/bin/python3
from dataclasses import dataclass
from fcntl import ioctl
import argparse
import asyncio
import logging
import os
import signal
import struct
import subprocess
import threading
import time
import types
import typing
def runcmd(
cmd: list[str], check: bool = True, capture_output: bool = False
) -> typing.Any:
logging.info("Running command: %s", str(cmd))
return subprocess.run(cmd, check=check, capture_output=capture_output)
def parse_args() -> argparse.Namespace:
parser = argparse.ArgumentParser(
prog="tun-tunnel-fs",
description="Demo project tunneling network traffic over the filesystem as physical layer (using a TUN device).",
)
group = parser.add_mutually_exclusive_group(required=True)
group.add_argument(
"--server", action="store_true", dest="server", help="Run in server mode"
)
group.add_argument(
"--client", action="store_false", dest="server", help="Run in client mode"
)
parser.add_argument(
"--ifname",
help="TUN: Name of the tun interface that should be created",
default="tun0",
)
parser.add_argument(
"--ip",
help="TUN: IP address of this program instance in CIDR notation (example: 192.0.2.1/24)",
required=True,
)
parser.add_argument(
"--dirpath",
help="FS: path to the directory that should be used for the actual data exchange as physical layer",
required=True,
)
parser.add_argument(
"-v",
"--verbose",
action="store_const",
const=logging.DEBUG,
default=logging.INFO,
dest="loglevel",
)
args = parser.parse_args()
logging.basicConfig(
encoding="utf8",
level=args.loglevel,
format="%(asctime)s %(levelname)s %(message)s",
)
if not os.path.isdir(args.dirpath):
logging.info(
'Specified directory path "%s" doesn\'t exist. Creating it...', args.dirpath
)
if (
runcmd(
["ip", "link", "show", "dev", args.ifname], check=False, capture_output=True
).returncode
== 0
):
parser.error(
f"Specified tun interface name {args.ifname} already exists. "
+ "In case it is a left-over from a previous run of this program (this shouldn't usually happen), "
+ "it can be deleted with \n\n sudo ip link delete tun0\n\n"
+ "Otherwise, specify another interface name."
)
return args
# Used for capturing and restoring the network configuration of the system
# before starting this program.
@dataclass
class NetConfig:
ip_forward: str # state of /proc/sys/net/ipv4/ip_forward
default_route: str
def get_netconfig() -> NetConfig:
with open("/proc/sys/net/ipv4/ip_forward", "r") as f:
ip_forward = f.read()
default_route = (
runcmd("ip route show default".split(), capture_output=True)
.stdout.decode("utf8")
.strip()
)
return NetConfig(ip_forward, default_route)
def tun_teardown(ifname: str, server: bool, ipcidr: str, netconfig: NetConfig) -> None:
if server:
logging.info("Restoring ip_forward to %s", netconfig.ip_forward.strip())
with open("/proc/sys/net/ipv4/ip_forward", "w") as f:
f.write(netconfig.ip_forward)
# fmt: off
runcmd(["iptables", "-t", "nat", "-D", "POSTROUTING", "-s", ipcidr, "-j", "MASQUERADE"])
runcmd(["iptables", "-D", "FORWARD", "-i", ifname, "-s", ipcidr, "-j", "ACCEPT"])
runcmd(["iptables", "-D", "FORWARD", "-o", ifname, "-d", ipcidr, "-j", "ACCEPT"])
# fmt: on
else:
if netconfig.default_route != "":
runcmd(["ip", "route", "replace"] + netconfig.default_route.split())
runcmd(["ip", "link", "delete", "dev", ifname])
def signal_handler(
name: str, server: bool, ipcidr: str, netconfig: NetConfig
) -> typing.Any:
def handler(_sig: int, _frame: types.FrameType) -> None:
print()
logging.info("You pressed Ctrl+C! Cleaning up and exiting...")
stop_event.set()
for task in asyncio.all_tasks():
task.cancel()
tun_teardown(name, server, ipcidr, netconfig)
return handler
def tun_setup(ifname: str, ipcidr: str, server: bool) -> typing.IO[bytes]:
ip = ipcidr.split("/")[0]
runcmd(["ip", "tuntap", "add", "name", ifname, "mode", "tun"])
runcmd(["ip", "addr", "add", ipcidr, "broadcast", "+", "dev", ifname])
runcmd(["ip", "link", "set", "dev", ifname, "up"])
if server:
logging.info("Setting ip_forward to 1")
with open("/proc/sys/net/ipv4/ip_forward", "w") as f:
f.write("1")
# fmt: off
runcmd(["iptables", "-t", "nat", "-A", "POSTROUTING", "-s", ipcidr, "-j", "MASQUERADE"])
runcmd(["iptables", "-A", "FORWARD", "-i", ifname, "-s", ipcidr, "-j", "ACCEPT"])
runcmd(["iptables", "-A", "FORWARD", "-o", ifname, "-d", ipcidr, "-j", "ACCEPT"])
# fmt: on
else:
runcmd(["ip", "route", "replace", "default", "via", ip, "dev", ifname])
print()
tun = open("/dev/net/tun", "r+b", buffering=0)
# see linux/if.h and linux/if_tun.h
LINUX_IFF_TUN = 0x0001
LINUX_IFF_NO_PI = 0x1000
LINUX_TUNSETIFF = 0x400454CA
flags = LINUX_IFF_TUN | LINUX_IFF_NO_PI
ifreq = struct.pack("16sH22s", ifname.encode("utf8"), flags, b"") # struct ifreq
ioctl(tun, LINUX_TUNSETIFF, ifreq)
return tun
def isprintable(c: int) -> bool:
return 0x20 <= c and c <= 0x7E
def hexdump(bs: bytes) -> str:
res: list[str] = []
chunksize = 0x10
chunks = [bs[i : i + chunksize] for i in range(0, len(bs), chunksize)]
for chunk in chunks:
res += " "
for i in range(chunksize):
if i < len(chunk):
res += f"{chunk[i]:02x} "
else:
res += " "
res += " "
for b in chunk:
res += chr(b) if isprintable(b) else "."
res += "\n"
return "".join(res)
def getfilename(s: str) -> str:
return "".join((c if c.isalnum() else "-") for c in s)
# Note: since one of the two transport ways (tun / fs) is not a file descriptor,
# we can't just use poll for both. We could use poll for tun and not for the fs,
# but here I just wrapped both coroutines into their own threads and directly
# used the blocking functions, even for the tun device. The filesystem part of
# the communication is simply done synchronously, because it shouldn't take
# that long.
MAX_SIZE = 0x10000
stop_event = threading.Event()
async def from_tun(dirpath: str, ipcidr: str, tun: typing.IO[bytes]) -> None:
loop = asyncio.get_event_loop()
while not stop_event.is_set():
buf = await loop.run_in_executor(None, tun.read, MAX_SIZE)
logging.info("From TUN: received %10d bytes", len(buf))
logging.debug("Hexdump:\n%s", hexdump(buf))
filename = getfilename(ipcidr) + "-" + str(time.time_ns())
with open(os.path.join(dirpath, "_" + filename), "wb") as f:
f.write(buf)
# Write-then-rename to hopefully make sure that the receiving side
# always sees either no new data, or *all* new data (no partial reads).
os.rename(
os.path.join(dirpath, "_" + filename), os.path.join(dirpath, filename)
)
async def from_fs(dirpath: str, ipcidr: str, tun: typing.IO[bytes]) -> None:
loop = asyncio.get_event_loop()
while not stop_event.is_set():
files = [
f for f in os.listdir(dirpath) if os.path.isfile(os.path.join(dirpath, f))
]
for file in files:
if file.startswith(getfilename(ipcidr)):
# Ignore own data / data written by this program instance.
continue
if file.startswith("_"):
# Ignore temporary files.
continue
with open(os.path.join(dirpath, file), "rb") as f:
buf = f.read()
logging.info("From FS: received %10d bytes", len(buf))
logging.debug("Hexdump:\n%s", hexdump(buf))
if len(buf) >= MAX_SIZE:
raise Exception(
f"Buffer has {len(buf)} bytes which is larger than "
+ f"the maximum transmission unit / physical paket size {MAX_SIZE}"
)
await loop.run_in_executor(None, tun.write, buf)
try:
os.unlink(os.path.join(dirpath, file))
except OSError as e:
logging.warning("ERROR %s", e)
await asyncio.sleep(0.1) # Prevent busy looping
async def main() -> None:
args = parse_args()
netconfig = get_netconfig()
signal.signal(
signal.SIGINT, signal_handler(args.ifname, args.server, args.ip, netconfig)
)
tun = tun_setup(args.ifname, args.ip, args.server)
try:
await asyncio.gather(
asyncio.create_task(from_tun(args.dirpath, args.ip, tun)),
asyncio.create_task(from_fs(args.dirpath, args.ip, tun)),
)
except asyncio.CancelledError:
pass
if __name__ == "__main__":
asyncio.run(main())