forked from RoliSoft/WSL-Distribution-Switcher
-
Notifications
You must be signed in to change notification settings - Fork 2
/
utils.py
executable file
·605 lines (425 loc) · 14.6 KB
/
utils.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
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
#!/usr/bin/env python3
# coding=utf-8
import io
import os
import re
import sys
import ssl
import glob
import platform
import time
import shlex
import signal
import subprocess
has_filter = False
has_progress = False
has_winreg = False
has_certifi = False
is_cygwin = sys.platform == 'cygwin'
is_win32 = sys.platform == 'win32'
is_conemu = False
last_progress = 0
# try importing the optional dependencies
try:
import winreg
has_winreg = True
except ImportError:
pass
try:
import certifi
has_certifi = True
except ImportError:
pass
if is_win32:
try:
from colorama import init
init()
has_filter = True
except ImportError:
pass
import ctypes
class ConsoleCursorInfo(ctypes.Structure):
_fields_ = [("size", ctypes.c_int), ("visible", ctypes.c_byte)]
if not is_win32 or has_filter:
class Fore:
RED = '\x1B[91m'
GREEN = '\x1B[92m'
BLUE = '\x1B[94m'
YELLOW = '\x1B[93m'
RESET = '\x1B[39m'
else:
class Fore:
RED = ''
GREEN = ''
BLUE = ''
YELLOW = ''
RESET = ''
# registers for the interrupt signal in order to gracefully exit when Ctrl-C is hit
def handle_sigint():
def signal_handler(signal, frame):
clear_progress()
show_cursor()
print('%s[!]%s Terminating early due to interruption.' % (Fore.RED, Fore.RESET))
sys.exit(-1)
signal.signal(signal.SIGINT, signal_handler)
# check if any CA bundles were loaded or fallback to certifi otherwise
def ensure_ca_load():
if ssl.create_default_context().cert_store_stats()['x509_ca'] == 0:
if has_certifi:
def create_certifi_context(purpose = ssl.Purpose.SERVER_AUTH, *, cafile = None, capath = None, cadata = None):
return ssl.create_default_context(purpose, cafile = certifi.where())
ssl._create_default_https_context = create_certifi_context
else:
print('%s[!]%s Python was unable to load any CA bundles. Additionally, the fallback %scertifi%s module is not available. Install it with %spip3 install certifi%s for TLS connection support.' % (Fore.RED, Fore.RESET, Fore.GREEN, Fore.RESET, Fore.GREEN, Fore.RESET))
sys.exit(-1)
# parse image[:tag] | archive argument
def parse_image_arg(argv, can_be_file = False):
"""
Parses the image[:tag] argument passed to the script. When can_be_file is True,
the argument can also be a filename, _and_ if it is not, the generated image:tag
should have a corresponding rootfs archive available.
:param argv: Passed argument.
:param can_be_file: Whether argument can be a file and image:tag should also resolve to a file.
:return: Name of the image, tag, name of the file, label.
"""
exts = ['.tar', '.sfs', '.squashfs']
argvl = argv.lower()
image = argv
tag = 'latest'
fname = ''
label = ''
if not can_be_file or all(ext not in argvl for ext in exts):
# handle image:tag
if ':' in image:
idx = image.find(':')
tag = image[idx + 1:]
image = image[:idx]
if can_be_file:
fname = 'rootfs_%s_%s.tar*' % (image.replace('/', '_'), tag)
names = glob.glob(fname)
if len(names) > 0:
fname = names[0]
else:
print('%s[!]%s No files found matching %s%s%s.' % (Fore.RED, Fore.RESET, Fore.BLUE, fname, Fore.RESET))
sys.exit(-1)
else:
fname = 'rootfs_%s_%s' % (image.replace('/', '_'), tag)
label = '%s_%s' % (image.replace('/', '_'), tag)
else:
# handle file name
fname = argv
if not os.path.isfile(fname):
print('%s[!]%s %s%s%s is not an existing file.' % (Fore.RED, Fore.RESET, Fore.BLUE, fname, Fore.RESET))
sys.exit(-1)
idx = -1
for ext in exts:
idx = argvl.find(ext)
if idx != -1:
break
label = os.path.basename(argvl[:idx])
if label.startswith('rootfs_'):
label = label[len('rootfs_'):]
if label.find('_') == -1:
label += '_' + tag
return image, tag, fname, label
# sanity check WSL installation
def probe_wsl(silent = False):
"""
Checks whether the WSL is installed and not running.
:type silent: Whether to print an error message or just return an empty string on failure.
:return: Paths to the WSL directory and lxrun/bash executables.
"""
global is_cygwin
if not is_cygwin:
packagesSubFolder = os.path.join(os.getenv('LocalAppData'), 'Packages')
basedir = os.path.join(packagesSubFolder, 'TheDebianProject.DebianGNULinux_76v4gfsz19hv4')
localStateDir = os.path.join(basedir, 'LocalState')
else:
print('JPST: not yet fixed when running this process via cygwin, sorry!')
sys.exit(-1)
basedir = subprocess.check_output('/usr/bin/cygpath -F 0x001c', shell = True, universal_newlines = True)
basedir = os.path.join(basedir.strip(), 'lxss')
if not os.path.isdir(basedir):
if silent:
return None, None, None
print('%s[!]%s The Linux subsystem is not installed. Please go through the standard installation procedure first.' % (Fore.RED, Fore.RESET))
sys.exit(-1)
# new temp is in basedir/LocalState/temp
if os.path.exists(os.path.join(localStateDir, 'temp')) and os.listdir(os.path.join(localStateDir, 'temp')):
if silent:
return None, None, None
print('%s[!]%s The Linux subsystem is currently running. Please kill all instances before continuing.' % (Fore.RED, Fore.RESET))
sys.exit(-1)
if not is_cygwin:
syspath = os.getenv('SystemRoot')
else:
syspath = subprocess.check_output('/usr/bin/cygpath -W', shell = True, universal_newlines = True).strip()
lxpath = ''
#methinks location in System32 is from legacy installer
lxpaths = [os.path.join(syspath, 'WinSxS\\amd64_microsoft-windows-lxss-installer_31bf3856ad364e35_10.0.17134.1_none_e9926368b80f9a59'), os.path.join(syspath, 'System32')]
for path in lxpaths:
if os.path.exists(os.path.join(path, 'LxRun.exe')):
lxpath = path
break
if not lxpath and not silent:
print('%s[!]%s Unable to find %slxrun.exe%s in the expected locations.' % (Fore.RED, Fore.RESET, Fore.BLUE, Fore.RESET))
rs_version = platform.version()
rs_version = rs_version.split(".")
if (float(rs_version[-1])<17741):
sys.exit(-1)
bashpath = ''
#new iteration of WSL splitted all linux related resources in seperate folders inside C:\Windows\WinSxS\*
bashpaths = [os.path.join(syspath, 'WinSxS', 'amd64_microsoft-windows-lxss-bash_31bf3856ad364e35_10.0.17134.1_none_251beae725bc7de5'), os.path.join(syspath, 'System32')]
for path in bashpaths:
if os.path.exists(os.path.join(path, 'bash.exe')):
bashpath = path
break
if not bashpath and not silent:
print('%s[!]%s Unable to find %sbash.exe%s in the expected locations.' % (Fore.RED, Fore.RESET, Fore.BLUE, Fore.RESET))
sys.exit(-1)
return basedir, lxpath, bashpath
# translate the path between Windows and Cygwin
def path_trans(path):
"""
Translate the path, if required.
Under the native Windows installation of Python, this function does nothing.
Under the Cygwin version, the provided path is translated to a Windows-native path.
:param path: Path to be translated.
:return: Translated path.
"""
global is_cygwin
if not is_cygwin or not path.startswith('/cygdrive/'):
return path
# too slow:
# subprocess.check_output('/usr/bin/cygpath -w ' + shlex.quote(path), shell = True, universal_newlines = True).strip()
path = path[10] + ':\\' + path[12:].replace('/', '\\')
return path
# get label of rootfs
def get_label(path):
"""
Gets the label for the specified rootfs. If the .switch_label file is not present,
but the OS was identified, the file will be created for future use.
:param path: Path to the rootfs.
:return: Label of the rootfs.
"""
# see if .switch_label exists
if os.path.isfile(os.path.join(path, '.switch_label')):
try:
with open(os.path.join(path, '.switch_label')) as f:
label = f.readline().strip()
if len(label) > 0:
return label
except OSError:
pass
# check if the directory name has any stuff appended to it
dirname = os.path.basename(path)
if dirname.startswith('rootfs_'):
label = dirname[len('rootfs_'):]
if len(label) > 0:
# save label for next occasion
try:
with open(os.path.join(path, '.switch_label'), 'w') as f:
f.write(label + '\n')
except OSError:
pass
return label
# see if any *release files exist in /etc/
rlsfiles = glob.glob(os.path.join(path, 'etc', '*release')) + glob.glob(os.path.join(path, 'usr', 'lib', 'os-release*'))
if len(rlsfiles) > 0:
rlslines = []
for file in rlsfiles:
try:
with open(file) as f:
rlslines += f.readlines()
except OSError:
pass
name = ['', '', ''] # ID || DISTRIB_ID || NAME
vers = ['', '', ''] # DISTRIB_CODENAME || DISTRIB_RELEASE || VERSION_ID
for line in rlslines:
kv = line.split('=', 1)
if len(kv) < 2:
continue
key = kv[0].strip().strip('"\'').lower()
val = kv[1].strip().strip('"\'').lower()
if len(val) == 0:
continue
if key == 'id':
name[0] = val
elif key == 'distrib_id':
name[1] = val
elif key == 'name':
name[2] = val
if key == 'distrib_codename':
vers[0] = val
elif key == 'distrib_release':
vers[1] = val
elif key == 'version_id':
vers[2] = val
name = list(filter(None, name))
vers = list(filter(None, vers))
if len(name) > 0:
label = name[0] + ('_' + vers[0] if len(vers) > 0 else '')
# save label for next occasion
try:
with open(os.path.join(path, '.switch_label'), 'w') as f:
f.write(label + '\n')
except OSError:
pass
return label
# oh well
return ''
# toggle cursor visibility in the terminal
def show_cursor():
"""
Turns the cursor back on in the terminal.
"""
if not sys.platform == 'win32':
sys.stdout.write('\033[?25h')
else:
ci = ConsoleCursorInfo()
handle = ctypes.windll.kernel32.GetStdHandle(-11)
ctypes.windll.kernel32.GetConsoleCursorInfo(handle, ctypes.byref(ci))
ci.visible = True
ctypes.windll.kernel32.SetConsoleCursorInfo(handle, ctypes.byref(ci))
def hide_cursor():
"""
Turns the cursor off in the terminal.
"""
global is_conemu
if not sys.platform == 'win32':
sys.stdout.write('\033[?25l')
is_conemu = False
else:
ci = ConsoleCursorInfo()
handle = ctypes.windll.kernel32.GetStdHandle(-11)
ctypes.windll.kernel32.GetConsoleCursorInfo(handle, ctypes.byref(ci))
ci.visible = False
ctypes.windll.kernel32.SetConsoleCursorInfo(handle, ctypes.byref(ci))
is_conemu = os.environ.get('ConEmuANSI') == 'ON'
# some characters are forbidden in NTFS, but are not in ext4. the most popular of these characters
# seems to be the colon character. LXSS solves this issue by escaping the character on NTFS.
# while this seems like a dumb implementation, it will be called a lot of times inside the
# decompression loop, so it has to be fast: http://stackoverflow.com/a/27086669/156626
def escape_ntfs_invalid(name):
"""
Escapes characters which are forbidden in NTFS, but are not in ext4.
:param name: Path potentially containing forbidden NTFS characters.
:return: Path with forbidden NTFS characters escaped.
"""
return name.replace('*', '#002A').replace('|', '#007C').replace(':', '#003A').replace('>', '#003E').replace('<', '#003C').replace('?', '#003F').replace('"', '#0022')
# stream copier with progress bar
def chunked_copy(name, source, dest):
"""
Copies one stream into another, with progress bar.
:param name: Name of the file to display.
:param source: Source stream.
:param dest: Destination stream.
:return: Number of bytes copied.
"""
global is_conemu
size = int(source.info()['Content-Length'].strip())
recv = 0
if len(name) > 23:
name = name[0:20] + '...'
hide_cursor()
while True:
chunk = source.read(8192)
recv += len(chunk)
if not chunk:
break
dest.write(chunk)
draw_progress(recv, size, name)
show_cursor()
return recv
# FileIO wrapper with progress bar
class ProgressFileObject(io.FileIO):
def __init__(self, path, *args, **kwargs):
self._total_size = os.path.getsize(path)
self.current_extraction = ''
io.FileIO.__init__(self, path, *args, **kwargs)
hide_cursor()
def read(self, length):
"""
Read at most size bytes, returned as bytes.
Only makes one system call, so less data may be returned than requested.
In non-blocking mode, returns None if no data is available.
Return an empty bytes object at EOF.
"""
draw_progress(self.tell(), self._total_size, self.current_extraction)
return io.FileIO.read(self, length)
def __del__(self):
show_cursor()
# standalone function to draw an interactive progressbar
def draw_progress(recv, size, name):
"""
Draws an interactive progressbar based on the specified information.
:param recv: Number of bytes received.
:param size: Total size of the file.
:param name: Name of the file to display.
"""
global is_conemu, has_progress, last_progress
if recv > size:
recv = size
if recv == size:
clear_progress()
return
if time.time() - last_progress < 0.05:
return
has_progress = True
last_progress = time.time()
if len(name) > 23:
name = name[0:20] + '...'
else:
name = name.ljust(23, ' ')
pct = round(recv / size * 100, 2)
bar = int(50 * recv / size)
sys.stdout.write('\r %s [%s>%s] %0.2f%%' % (name, '=' * bar, ' ' * (50 - bar), pct))
if is_conemu:
sys.stdout.write('\033]9;4;1;%0.0f\033\\\033[39m' % pct)
sys.stdout.flush()
def clear_progress():
"""
Clears the progress bar.
"""
global is_conemu, has_progress
if not has_progress:
return
has_progress = False
sys.stdout.write('\r%s\r' % (' ' * (66 + 23)))
if is_conemu:
sys.stdout.write('\033]9;4;0\033\\\033[39m')
sys.stdout.flush()
# functions to interact with the registry
def get_lxss_user():
"""
Gets the active user inside WSL.
:return: Tuple of UID, GID and the name of the user.
"""
#gets
user = subprocess.check_output(['cmd', '/c', 'debian.exe run whoami'], universal_newlines = True).strip()
default_user_output = subprocess.check_output(['cmd', '/c', 'debian.exe run id'], universal_newlines = True).strip()
#splits
default_user_output = default_user_output.split(' ')
uidoutput = default_user_output[0]
gidoutput = default_user_output[1]
groupsoutput = default_user_output[2]
#uid
uidoutput = uidoutput.split('=')
uidoutput = uidoutput[1]
uid = uidoutput.replace('('+user+')','')
#gid
gidoutput = gidoutput.split('=')
gidoutput = gidoutput[1]
gid = gidoutput.replace('('+user+')','')
return uid, gid, user
def set_default_user(user):
"""
Switches the active user inside WSL to the requested one.
:param user: Name of the new user.
"""
try:
subprocess.check_call(['cmd', '/C', 'debian.exe config --default-user %s' % (user)])
except subprocess.CalledProcessError as err:
print('%s[!]%s Failed to roll back to old %srootfs%s: %s' % (Fore.RED, Fore.RESET, Fore.BLUE, Fore.RESET, err))
print('%s[!]%s You are now the proud owner of one broken Linux subsystem! To fix it, run %slxrun /uninstall%s and %slxrun /install%s from the command prompt.' % (Fore.RED, Fore.RESET, Fore.GREEN, Fore.RESET, Fore.GREEN, Fore.RESET))
sys.exit(-1)