-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathstring_utils.py
187 lines (148 loc) · 4.88 KB
/
string_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
from __future__ import annotations
import hashlib
import re
import unicodedata
from uuid import UUID
def levenshtein_distance(word1: str, word2: str) -> int:
"""
Calculates the Levenshtein distance between two strings.
>>> levenshtein_distance('planet', 'planetary')
3
>>> levenshtein_distance('book', 'back')
2
>>> levenshtein_distance('book', 'book')
0
"""
if len(word1) < len(word2):
return levenshtein_distance(word2, word1)
if len(word2) == 0:
return len(word1)
previous_row = range(len(word2) + 1)
for i, c1 in enumerate(word1):
current_row = [i + 1]
for j, c2 in enumerate(word2):
insertions = previous_row[j + 1] + 1
deletions = current_row[j] + 1
substitutions = previous_row[j] + (c1 != c2)
current_row.append(min(insertions, deletions, substitutions))
previous_row = current_row
return previous_row[-1]
def get_words(text, min_word_length=0, ignore_words=(), to_lower=True):
"""
Extract words from a text. With filter functionality.
>>> get_words('test Äöüß!')
['test', 'äöüß']
>>> get_words('12 123 1234', min_word_length=3)
['123', '1234']
>>> get_words('A AB cd EfG hij', min_word_length=2, ignore_words=('ab', 'efg'))
['cd', 'hij']
"""
if to_lower:
text = text.lower()
text = unicodedata.normalize('NFKC', text)
text = re.sub(r'[^\w\s-]', '', text).strip()
words = text.split(' ')
if min_word_length > 0:
words = [word for word in words if len(word) >= min_word_length]
if ignore_words:
words = [word for word in words if word not in ignore_words]
return words
def compare_sentences(text1, text2, min_word_length=4, ignore_words=(), compare_lower=True) -> None | int:
"""
Calculates the Levenshtein distance between text1 and text2. With filter functionality.
But split to words and ignore special characters.
>>> compare_sentences('planet', 'planetary')
3
>>> compare_sentences('orchestration', 'container')
10
>>> compare_sentences('This is the SAME!', 'this is the same')
0
"""
if text1 and text2 and text1 == text2:
return 0
text1 = ' '.join(get_words(text1, min_word_length, ignore_words, to_lower=compare_lower))
text2 = ' '.join(get_words(text2, min_word_length, ignore_words, to_lower=compare_lower))
if not text1 or not text2:
return None
return levenshtein_distance(text1, text2)
def uuid_from_text(text: str) -> UUID:
"""
Generate a UUID instance from the given text in a determinism may via SHA224 hash.
>>> uuid_from_text('foo')
UUID('0808f64e-60d5-8979-fcb6-76c96ec93827')
"""
assert isinstance(text, str)
hexdigest = hashlib.sha224(bytes(text, encoding='utf-8')).hexdigest()
uuid = UUID(hexdigest[:32])
return uuid
def is_uuid(text: str) -> bool:
"""
Returns True if text is a valid UUID (https://www.rfc-editor.org/rfc/rfc9562#name-uuid-format).
>>> is_uuid('0808f64e-60d5-8979-fcb6-76c96ec93827')
True
>>> is_uuid('00000000-0000-0000-0000-000000000000')
True
>>> is_uuid('foo')
False
>>> is_uuid('42')
False
>>> is_uuid('')
False
"""
assert isinstance(text, str)
try:
UUID(text)
except ValueError:
return False
else:
return True
def ensure_lf(text: str | None) -> str | None:
"""
Replace line endings to unix-style.
>>> ensure_lf('foo\\r\\nbar\\rbaz')
'foo\\nbar\\nbaz'
"""
if text and '\r' in text:
text = text.replace('\r\n', '\n')
text = text.replace('\r', '\n')
return text
def startswith_prefixes(text: str | None, prefixes: tuple[str, ...]) -> bool:
"""
>>> startswith_prefixes('foobar', prefixes=('foo','bar'))
True
>>> startswith_prefixes('barfoo', prefixes=('foo','bar'))
True
>>> startswith_prefixes(' barfoo', prefixes=('foo','bar'))
True
>>> startswith_prefixes('no match', prefixes=('foo','bar'))
False
"""
if text:
text = text.lstrip()
for prefix in prefixes:
if text.startswith(prefix):
return True
return False
def truncate(value: str, length: int) -> str:
"""
Truncates the given string to the given length
>>> truncate('foo bar', 3)
'fo…'
>>> truncate('foo bar', 100)
'foo bar'
>>> truncate('foo bar', 1)
'…'
>>> truncate('foo bar', 0)
Traceback (most recent call last):
...
ValueError: length must be greater than 0
>>> truncate('foo bar', -1)
Traceback (most recent call last):
...
ValueError: length must be greater than 0
"""
assert isinstance(value, str)
assert isinstance(length, int)
if length <= 0:
raise ValueError('length must be greater than 0')
return value if len(value) <= length else f'{value[:length - 1]}…'