-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathVoucherHelper.py
209 lines (183 loc) · 8.71 KB
/
VoucherHelper.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
import re
import sys
import pyclip
""" Alte Klasse, die ich mal für eine kleine Automatisierung genutzt hatte. """
PATTERN_VOUCHER = "(?:[A-Za-z0-9]{3}-[A-Za-z0-9]{3}-[A-Za-z0-9]{3}|[A-Za-z0-9]{9})"
class Voucher:
code = None
valueCents = 0
errorMsg = None
def setValue(self, valueCents: int):
self.valueCents = valueCents
def setErrorMsg(self, errorMsg: str):
self.errorMsg = errorMsg
def getCode(self):
return self.code
def getCodeCleaned(self):
return self.code.replace('-', '')
def getValueCents(self) -> int:
return self.valueCents
def getValueEuros(self):
return self.valueCents / 100
def getValueFormatted(self) -> str:
return "%0.2f" % (self.valueCents / 100)
def getErrorMsg(self):
return self.errorMsg
def getStatus(self):
if self.errorMsg is not None:
return self.errorMsg
else:
return self.getValueFormatted()
def __init__(self, code):
self.code = code
def __str__(self):
return self.code + '\t' + self.getStatus()
@staticmethod
def parseVouchers(text: str, filterDuplicates: bool) -> list:
""" Parses vouchers from within given text. """
ret = []
lines = text.split(sep='\n')
dupes = []
for line in lines:
line = line.strip()
voucherInfoRegEx = re.compile("^(" + PATTERN_VOUCHER + ")([ \t]*(.+))?").search(line)
if not voucherInfoRegEx:
# We cannot process lines that do not contain any vouchers
continue
voucherCode = voucherInfoRegEx.group(1)
moneyValueOrErrormessage = voucherInfoRegEx.group(3)
voucher = Voucher(voucherCode)
if moneyValueOrErrormessage is not None:
if moneyValueOrErrormessage.replace(',', '').isdecimal():
if ',' in moneyValueOrErrormessage:
voucher.setValue(int(float(moneyValueOrErrormessage.replace(',', '.')) * 100))
else:
voucher.setValue(int(moneyValueOrErrormessage) * 100)
else:
voucher.setErrorMsg(moneyValueOrErrormessage)
# Skip dupes if needed
voucherCodeCleaned = voucher.getCodeCleaned()
if filterDuplicates and voucherCodeCleaned in dupes:
continue
else:
ret.append(voucher)
dupes.append(voucherCodeCleaned)
return ret
def getVoucherCodes() -> list:
results = []
counter_lines_of_input = 0
while len(results) == 0:
# Multi line input: https://stackoverflow.com/questions/30239092/how-to-get-multiline-input-from-user
voucherSource = ''
counter_lines_of_input = 0
currInput = ' '
while currInput != '' and counter_lines_of_input <= 500:
currInput = input()
voucherSource += currInput + '\n'
if currInput == '':
break
elif counter_lines_of_input >= 500:
break
else:
counter_lines_of_input += 1
results = Voucher.parseVouchers(voucherSource, filterDuplicates=False)
if len(results) == 0:
print("Ungueltige Eingabe!")
dupeCheckList = []
dupes = []
resultWithoutDuplicates = []
for voucher in results:
if voucher.getCodeCleaned() in dupeCheckList:
dupeCheckList.append(voucher.getCodeCleaned())
dupes.append(voucher.getCode())
else:
resultWithoutDuplicates.append(voucher)
dupeCheckList.append(voucher.getCodeCleaned())
if len(dupes) > 0:
print("Achtung! " + str(len(dupes)) + " Duplikate wurden entfernt:")
for dupe in dupes:
print(dupe)
input("Bestätige mit ENTER, um ohne Duplikate mit " + str(len(resultWithoutDuplicates)) + "/" + str(len(results)) + " Codes fortzufahren")
if counter_lines_of_input != len(resultWithoutDuplicates):
print("Warnung! " + str(counter_lines_of_input) + " Zeilen aber nur " + str(len(resultWithoutDuplicates)) + " Codes!!")
input("Fortfahren?")
return resultWithoutDuplicates
def getVoucherResultText(vouchers: list) -> str:
""" Combines the initially added list with the list containing the results in order to return that list in original order. """
totalAmount = 0
text = ''
for voucher in vouchers:
if len(text) > 0:
text += '\n'
text += voucher.__str__()
totalAmount += voucher.getValueEuros()
text += "\n---"
text += "\n" + str(totalAmount)
return text
class VoucherHelper:
if __name__ == '__main__':
print("Gib alle WGs zeilengetrennt ein:")
useOldURLHandling = False
if useOldURLHandling:
voucherCodes = getVoucherCodes()
allVouchersAsURLsText = ""
for voucher in voucherCodes:
allVouchersAsURLsText += "\nhttps://www.meinshoppingkonto.de/transaction/employeevoucherdeposit/?vouchercode=" + voucher
print(allVouchersAsURLsText)
pyclip.copy(allVouchersAsURLsText)
print(str(len(voucherCodes)) + " GS gefunden und alle Links in die Zwischenablage kopiert!")
while True:
print("Gib dieselbe Liste von Codes mit Ergebnis am Ende ein z.B.: 'aaa-b5f-cgh Fehler: bla' oder 'aaa-b5f-cgh 25,00':")
voucherCodesNew = getVoucherCodes()
voucherCodesWithResultsSorted = []
notfoundCodes = []
totalAmount = 0
for voucherCode in voucherCodes:
voucherWithResult = None
for voucherWithResultTmp in voucherCodesNew:
if voucherWithResultTmp.startswith(voucherCode):
voucherWithResult = voucherWithResultTmp
break
if voucherWithResult is not None:
moneyRegex = re.compile(PATTERN_VOUCHER + r'[ \t]+(\d+(,\d{1,2})?)').search(voucherWithResult)
if moneyRegex:
amount = moneyRegex.group(1).replace(",", ".")
totalAmount += float(amount)
voucherCodesWithResultsSorted.append(voucherWithResult)
else:
notfoundCodes.append(voucherCode)
if len(notfoundCodes) > 0:
print("Achtung! Einige Codes der ursprünglichen Codes konnten nicht gefunden werden:")
print(str(notfoundCodes))
amountText = "---"
amountText += "\n" + str(totalAmount)
sortedVouchersWithResultsAsText = ""
for voucherCodeWithResult in voucherCodesWithResultsSorted:
sortedVouchersWithResultsAsText += "\n" + voucherCodeWithResult
sortedVouchersWithResultsAsText += "\n" + amountText
print("********************************************************************************")
print(sortedVouchersWithResultsAsText)
pyclip.copy(sortedVouchersWithResultsAsText)
print("********************************************************************************")
if len(voucherCodesWithResultsSorted) == len(voucherCodes):
print("Es wurden alle " + str(len(voucherCodes)) + " Codes gefunden/sortiert :)")
print("Das sortierte Ergebnis wurde in die Zwischenablage kopiert!")
break
else:
print("ACHTUNG: Es wurden nur " + str(len(voucherCodesWithResultsSorted)) + " von " + str(
len(voucherCodes)) + " anfangs eingefügten Codes zugeordnet/sortiert werden!")
print("Das sortierte Ergebnis wurde in die Zwischenablage kopiert!")
input("Drücke ENTER um nochmals Codes mit Ergebnis zum Sortieren einzugeben oder beende das Script.")
else:
print("Gib die Liste von Codes mit Ergebnis am Ende ein z.B.: 'aaa-b5f-cgh Fehler: bla' oder 'aaa-b5f-cgh 25,00':")
voucherCodes = getVoucherCodes()
text = getVoucherResultText(voucherCodes)
print("********************************************************************************")
print(text)
pyclip.copy(text)
print("********************************************************************************")
print("Es wurden " + str(len(voucherCodes)) + " Codes gefunden :)")
print("Das Ergebnis wurde in die Zwischenablage kopiert.")
# input("Drücke ENTER zum Beenden")
print("Ende")
sys.exit()