blob: 015c80e92f20ec8b2168639ccc40cde867dc0998 (
plain)
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
|
#!/usr/bin/env python3
import sys
sys.argv.pop(0)
verbose = False
if sys.argv and sys.argv[0] == '-v':
verbose = True
sys.argv.pop(0)
if len(sys.argv) < 2:
print('Usage: xor_compress.py [-v] file... files.xor', file=sys.stderr)
exit(1)
out_filename = sys.argv.pop()
data = bytearray()
for filename in sys.argv:
with open(filename, 'rb') as f:
data.extend(f.read())
n = len(data)
output = bytearray()
v = 0x00
i = 0
runs = 0
while i < n:
byte = data[i]
i += 1
runs += 1
if data[i] == v:
# Alternating (>= 0x80)
# Run stops at 0x80 bytes or when the values stop alternating
size = 0
while i < n and size < 0x80 and data[i] == (byte if size % 2 else v):
size += 1
i += 1
output.append(size + 0x7f)
output.append(v ^ byte)
if not size % 2:
v = byte
else:
# Sequential (< 0x80)
# Run stops at 0x80 bytes or when the value two ahead is equal to v
buffer = [v ^ byte]
while i < n:
v = byte
if len(buffer) > 0x7f or (i + 1 < n and data[i + 1] == v):
break
byte = data[i]
buffer.append(v ^ byte)
i += 1
output.append(len(buffer) - 1)
output.extend(buffer)
with open(out_filename, 'wb') as f:
f.write(output)
if verbose:
print('%s: ld bc, $%x' % (out_filename, runs))
|