-
Notifications
You must be signed in to change notification settings - Fork 0
/
run_length_encoding.py
57 lines (51 loc) · 1.65 KB
/
run_length_encoding.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
# Homework problem from university on Algorithms and Programming on Run-Length Encoding
def decode(s: str) -> str:
if not s:
return ''
else:
seq = ''
number = ''
for i in s:
if not i.isnumeric(): # was if i.isalpha(), then remembered that spaces are also encoded
if not number:
seq += i
else:
seq += i * int(number)
number = ''
else:
number += i
return seq
def encode(s: str) -> str:
if not s:
return ''
else:
seq = ''
count = 0
i_prev = s[0]
for i in s:
if i == i_prev:
count += 1
else:
if count == 1:
seq = seq + i_prev
else:
seq = seq + str(count) + i_prev
i_prev = i
count = 1
if count == 1:
seq = seq + i_prev
else:
seq = seq + str(count) + i_prev
return seq
# вышло немного по-франкенштейнски на мой взгляд, но фурычит\
# обошлось без костылей
# начинал с кодирования, чтобы разобрать как это работает,\
# с декодированием вышло попроще
# if __name__ == '__main__':
#
# s = 'WWWWWWWWWWWWBBBWWWWWWWWWWWWWWWWWWWWWWWWBWWWWWWWWWWWWWW'
# print(encode(s))
# print(decode(s))
#
# print(decode("2 hs2q q2w2 "))
# print(encode("zzz ZZ zZ"))