-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfunctional_shit.py
362 lines (312 loc) · 12.1 KB
/
functional_shit.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
import csv
import os
from pprint import pprint
import hashlib
from datetime import datetime
from dateutil import parser
class Transaction:
def __init__(
self,
time=None,
transaction=None,
asset=None,
share_price=None,
amount=None,
source_currency=None,
target_currency=None,
exchange_rate=None,
fee=None,
total=None,
comment=None
):
self.time = parser.parse(time).isoformat()
self.transaction = transaction
self.asset = asset
self.share_price = share_price
self.amount = amount
self.source_currency = source_currency
self.target_currency = target_currency
self.exchange_rate = exchange_rate
self.fee = fee
self.total = total
self.comment = comment
if self.share_price and self.amount:
self.total_unconverted = round(
float(self.share_price) * float(self.amount), 2
)
else:
self.total_unconverted = None
if self.transaction.lower() in ["dividend", "interest on cash", "interest"]:
self.asset = "$CASH"
self.type = "CASH"
elif self.transaction.lower() in ["deposit", "deposit (share sale)", "monthly deposit"]:
self.asset = "$CASH"
self.type = "CASH"
elif self.transaction.lower() in ["withdrawal", "withdrawal (share purchase)", "fee"]:
self.asset = "$CASH"
self.type = "CASH"
self.total = -float(self.total)
else:
if self.transaction.lower() in ["market buy", "purchase"]:
self.type = "BUY"
elif self.transaction.lower() in ["market sell", "sale"]:
self.type = "SELL"
else:
self.type = "Undefined"
self.compute_id()
def compute_id(self):
data = f"{self.time}{self.asset}{self.total}{self.transaction}"
self.id = hashlib.md5(data.encode()).hexdigest()
return self.id
def compute_fee(self, *fees):
self.fee = 0
for fee_arg in fees:
if fee_arg:
self.fee += float(fee_arg)
return self.fee
# Create a list to store all transactions
all_transactions = []
# Define the input folder path
input_folder = "/Users/jakub/Development/portfolio-tracker/input"
# List all CSV files in the input folder that start with "TRADING212"
csv_files = [
filename
for filename in os.listdir(input_folder)
if filename.startswith("TRADING212") and filename.endswith(".csv")
]
# Iterate through the CSV files and append their transactions to the list
for csv_file in csv_files:
file_path = os.path.join(input_folder, csv_file)
with open(file_path, newline="") as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
time = row["Time"]
asset = (
"$CASH"
if row["Action"].lower()
in ["dividend", "deposit", "interest on cash", "withdrawal"]
else row["Ticker"]
)
if row["Action"].lower() == "withdrawal":
print(row["Total"])
try:
share_price = float(row["Price / share"])
num_shares = float(row["No. of shares"])
except ValueError:
share_price = 0.0
num_shares = 0.0
currency_conversion_fee = row["Currency conversion fee"]
transaction = Transaction(
time=time,
transaction=row["Action"],
asset=asset,
share_price=share_price,
amount=num_shares,
source_currency=row["Currency (Price / share)"],
target_currency=row["Currency (Total)"],
exchange_rate=row["Exchange rate"],
total=row["Total"],
)
transaction.compute_fee(currency_conversion_fee)
all_transactions.append(transaction)
print(f"{len(all_transactions)} total Trading212 transactions")
cash_balances =[]
for transaction in all_transactions:
if transaction.type == "BUY":
cash_balances.append(Transaction(
time=transaction.time,
transaction="Withdrawal (share purchase)",
asset="$CASH",
share_price=1,
amount=float(transaction.total),
source_currency="GBP",
target_currency="GBP",
total=float(transaction.total),
comment=f"{transaction.type} {transaction.amount} {transaction.asset} @ {transaction.share_price} on {transaction.time} ({transaction.id})"
))
elif transaction.type == "SELL":
cash_balances.append(Transaction(
time=transaction.time,
transaction="Deposit (share sale)",
asset="$CASH",
share_price=1,
amount=float(transaction.total),
source_currency="GBP",
target_currency="GBP",
total=float(transaction.total),
comment=f"{transaction.type} {transaction.amount} {transaction.asset} @ {transaction.share_price} ({transaction.id})"
))
for item in cash_balances:
all_transactions.append(item)
all_transactions.sort(key=lambda transaction: parser.parse(transaction.time))
# Define the output CSV file path
output_csv_file = "/Users/jakub/Development/portfolio-tracker/output/trading212.csv"
yahoo_csv_file = "/Users/jakub/Development/portfolio-tracker/output/yahoo.csv"
# Write the repeated transactions to the output CSV file
with open(output_csv_file, "w", newline="") as csvfile:
fieldnames = vars(all_transactions[0])
writer = csv.DictWriter(csvfile, fieldnames=fieldnames)
writer.writeheader()
for transaction in all_transactions:
writer.writerow(vars(transaction))
us_stocks = ["AAPL", "MRNA", "BB", "GME", "BYND", "KODK"]
# Write the repeated transactions to the output CSV file
with open(yahoo_csv_file, "w", newline="") as csvfile:
fieldnames = [
"Symbol",
"Date",
"Time",
"Trade Date",
"Purchase Price",
"Quantity",
"Comment",
]
writer = csv.DictWriter(csvfile, fieldnames=fieldnames)
writer.writeheader()
for transaction in all_transactions:
# if not transaction.type in ["BUY", "SELL"]:
# continue
item = {}
if transaction.asset == "$CASH":
item["Symbol"] = "$$CASH"
item["Purchase Price"] = 1
item["Quantity"] = transaction.total
elif (
not transaction.source_currency == "GBP"
or transaction.target_currency == "GBP"
) and transaction.asset not in us_stocks:
item["Symbol"] = transaction.asset + ".L"
item["Purchase Price"] = round(float(transaction.share_price), 2)
if transaction.type == "BUY":
item["Quantity"] = transaction.amount
elif transaction.type == "SELL":
item["Quantity"] = -transaction.amount
else:
item["Symbol"] = transaction.asset
item["Purchase Price"] = transaction.share_price
if transaction.type == "BUY":
item["Quantity"] = transaction.amount
elif transaction.type == "SELL":
item["Quantity"] = -transaction.amount
item["Date"] = datetime.fromisoformat(transaction.time).strftime("%d/%m/%Y")
item["Time"] = (
datetime.fromisoformat(transaction.time).strftime("%H:%M") + " BST"
)
item["Trade Date"] = datetime.fromisoformat(transaction.time).strftime("%Y%m%d")
if transaction.comment:
item["Comment"] = f"{transaction.transaction} - {transaction.comment}"
else:
item["Comment"] = f"{transaction.transaction}"
writer.writerow(item)
print("---------------- NUTMEG ------------------")
all_transactions = []
csv_files = [
filename
for filename in os.listdir(input_folder)
if filename.startswith("NUTMEG_In") and filename.endswith(".csv")
]
# Iterate through the CSV files and append their transactions to the list
for csv_file in csv_files:
file_path = os.path.join(input_folder, csv_file)
with open(file_path, newline="") as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
time = row["Date"]
asset = (
"$CASH"
if row["Description"].lower()
in ["dividend", "deposit", "interest on cash", "withdrawal"]
else row["Investment"]
)
try:
share_price = float(row["Share Price"])
num_shares = float(row["No. Shares"])
except ValueError:
share_price = 0.0
num_shares = 0.0
transaction = Transaction(
time=time,
transaction=row["Description"],
asset=asset,
share_price=share_price,
amount=num_shares,
source_currency="GBP",
target_currency="GBP",
total=row["Total Value"],
)
all_transactions.append(transaction)
csv_files = [
filename
for filename in os.listdir(input_folder)
if filename.startswith("NUTMEG_Tr") and filename.endswith(".csv")
]
for csv_file in csv_files:
file_path = os.path.join(input_folder, csv_file)
with open(file_path, newline="") as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
time = row["Date"]
asset = "$CASH"
transaction = Transaction(
time=time,
transaction=row["Description"],
asset=asset,
source_currency="GBP",
target_currency="GBP",
total=row["Amount"],
)
all_transactions.append(transaction)
print(f"{len(all_transactions)} total Nutmeg transactions")
# Define the output CSV file path
yahoo_nutmeg_csv_file = (
"/Users/jakub/Development/portfolio-tracker/output/yahoo_nutmeg.csv"
)
GBP_stocks = ["UESD", "GIL5", "DHYG", "JPSG"]
with open(yahoo_nutmeg_csv_file, "w", newline="") as csvfile:
fieldnames = [
"Symbol",
"Date",
"Time",
"Trade Date",
"Purchase Price",
"Quantity",
"Comment",
]
writer = csv.DictWriter(csvfile, fieldnames=fieldnames)
writer.writeheader()
for transaction in all_transactions:
if not transaction.type in ["BUY", "SELL"]:
continue
item = {}
if transaction.asset == "$CASH":
item["Symbol"] = "$$CASH"
item["Purchase Price"] = 1
item["Quantity"] = transaction.total
elif (
not transaction.source_currency == "GBP"
or transaction.target_currency == "GBP"
) and transaction.asset not in us_stocks:
item["Symbol"] = transaction.asset + ".L"
item["Purchase Price"] = (
round(float(transaction.share_price) * 100, 2)
if transaction.asset not in GBP_stocks
else round(float(transaction.share_price), 2)
)
if transaction.type == "BUY":
item["Quantity"] = transaction.amount
elif transaction.type == "SELL":
item["Quantity"] = -transaction.amount
else:
item["Symbol"] = transaction.asset
item["Purchase Price"] = transaction.share_price
if transaction.type == "BUY":
item["Quantity"] = transaction.amount
elif transaction.type == "SELL":
item["Quantity"] = -transaction.amount
item["Date"] = datetime.fromisoformat(transaction.time).strftime("%d/%m/%Y")
item["Time"] = (
datetime.fromisoformat(transaction.time).strftime("%H:%M") + " BST"
)
item["Trade Date"] = datetime.fromisoformat(transaction.time).strftime("%Y%m%d")
item["Comment"] = transaction.transaction
writer.writerow(item)