-
Notifications
You must be signed in to change notification settings - Fork 1
/
full_populate.py
410 lines (337 loc) · 16.2 KB
/
full_populate.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
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
import happybase
import time
import yfinance as yf
import datetime
import csv
import random
import time
import json
from passlib.context import CryptContext
import math
import sys
import struct
from passlib.context import CryptContext
pwd_context = CryptContext(schemes=["bcrypt"], deprecated="auto")
MAX_LONG = 2 ** 63 - 1
default_password = "1234"
HASHED_DEFAULT_PASSWORD = pwd_context.hash(default_password)
def get_password_hash(password: str) -> str:
"""
Hash a password.
Args:
password: The password to hash
Returns:
str: The hashed password
"""
return pwd_context.hash(password)
def number_to_java_long(number):
java_long = struct.pack('>q', number)
return java_long
def java_long_to_number(java_long):
# Unpack the Java long to a signed 64-bit integer
number = struct.unpack('>q', java_long)[0]
return number
def wait_for_hbase():
while True:
try:
connection = happybase.Connection(host='localhost', port=9090)
connection.close()
break
except:
print("HBase is still initializing. Retrying in 5 seconds...")
time.sleep(5)
def get_symbol_info(ticker):
return ticker.info['currency'], ticker.info['longName'], ticker.info['website']
def get_historical_data_daily(ticker):
symbol_historical = ticker.history(period='max', interval='1d', start='1970-01-01')
return symbol_historical
def get_historical_data_hourly(ticker):
current_date = datetime.datetime.now().date()
one_year_ago = current_date - datetime.timedelta(days=365)
symbol_historical = ticker.history(start=one_year_ago, end=current_date, interval='1h')
return symbol_historical
def populate_table(connection, table_name, data):
table = connection.table(table_name)
print(f"Opened table {table_name}")
with table.batch() as batch:
for row, columns in data.items():
if (row != ''):
batch.put(row, columns)
def populate_user_posts(connection, data):
table = connection.table('user_posts')
print(f"Opened table user_posts")
for row, columns in data.items():
if (row != ''):
for date, value in columns.items():
date_ms = MAX_LONG - java_long_to_number(date[len('posts:'):])
table.put(row, {date: value}, timestamp=date_ms)
def convert_yfinance_symbol_info_to_hbase_dict(connection,symbol,currency,longName, website):
data = dict()
data[symbol.encode("utf-8")] = {
b'info:name': longName.encode('utf-8'),
b'info:currency': currency.encode('utf-8'),
b'info:image': f'https://logo.clearbit.com/{website}'.encode('utf-8'),
}
table = connection.table('financial_instruments')
table.counter_set(symbol.encode('utf-8'), b'info:popularity', 0)
return data
def convert_yfinance_price_history_to_hbase_dict(symbol,yahoo_df):
data = dict()
for row in yahoo_df.iterrows():
ticker_timestamp ,(high, low, close, volume, dividends, stock_splits, name) = row
ticker_datetime = ticker_timestamp.to_pydatetime()
ticker_datetime_str = ticker_datetime.strftime('%Y-%m-%d %H:%M:%S')
ticker_datetime_ms = convert_ymd_to_milliseconds(ticker_datetime_str)
ticker_datetime_ms = number_to_java_long(ticker_datetime_ms)
row_key = f"{symbol}_".encode('utf-8') + ticker_datetime_ms
data[row_key] = {
b'series:val': str(close).encode('utf-8'),
}
return data
def delete_trades_from_user(connection, symbol, user):
table = connection.table('user')
trades = table.row(user, columns=[b'trades'])
for date, trade in trades.items():
trade = json.loads(trade.decode('utf-8'))
if trade['symbol'] == symbol:
table.delete(user, columns=[f'trades:{date}'.encode('utf-8')])
def populate_users(connection):
data = dict()
for row in csv.DictReader(open("datasets/users.csv")):
username = row['username']
data[username.encode("utf-8")] = {
b'info:name': row['name'].encode('utf-8'),
b'info:password': HASHED_DEFAULT_PASSWORD.encode('utf-8'),
b'info:email': row['email'].encode('utf-8'),
}
table = connection.table('user')
table.counter_set(username.encode('utf-8'), b'info:following', 0)
table.counter_set(username.encode('utf-8'), b'info:followers', 0)
populate_table(connection, 'user', data)
def populate_following(connection):
table = connection.table('user')
users = list(table.scan())
data = dict()
for user, columns in users:
other_users = [u for u in users if u[0] != user]
following = random.sample(other_users, random.randint(0, 100))
following = [(followed_user.decode('utf-8'), _) for followed_user, _ in following]
data[user] = {f'following:{followed_user}'.encode('utf-8'): b'1' for followed_user, _ in following}
table.counter_set(user, b'info:following', len(following))
for followed_user, _ in following:
if followed_user not in data:
data[followed_user] = {}
user_following = user.decode('utf-8')
data[followed_user][f'followers:{user_following}'.encode('utf-8')] = b'1'
table.counter_inc(followed_user.encode('utf-8'), b'info:followers')
populate_table(connection, 'user', data)
def populate_posts(connection):
#get posts from the datasets/stock_tweets.csv Tweet column
users = list(connection.table('user').scan())
data_users = dict()
data_symbols = dict()
data_posts_by_symbol = dict()
data_posts_by_user = dict()
letters = dict()
post_id = 0
rows = []
with open("datasets/stock_tweets.csv", "r") as csvfile:
reader = csv.DictReader(csvfile)
for row in reader:
rows.append(row)
# Shuffle the rows to randomize their order set with seed
random.seed(42)
random.shuffle(rows)
for row in rows[:25000]:
username = random.choice(users)[0].decode('utf-8')
post = row['Tweet']
symbol = row['Stock Name']
date = row['Date'].split("+")[0]
date = MAX_LONG - convert_ymd_to_milliseconds(date)
date = number_to_java_long(date)
if username not in data_users:
data_users[username] = {}
user_posts_json = json.dumps({"symbol": symbol, "post": post, "post_id": post_id})
data_users[username][b'posts:' + date] = user_posts_json.encode('utf-8')
if symbol not in data_symbols:
data_symbols[symbol] = {}
symbol_posts_json = json.dumps({"username": username, "post": post, "post_id": post_id})
data_symbols[symbol][b'posts:' + date] = symbol_posts_json.encode('utf-8')
if f"{symbol}_{post_id}" not in data_posts_by_symbol:
data_posts_by_symbol[f"{symbol}_{post_id}"] = {}
data_posts_by_symbol[f"{symbol}_{post_id}"][b'posts:' + date] = symbol_posts_json.encode('utf-8')
if f"{username}_{post_id}" not in data_posts_by_user:
data_posts_by_user[f"{username}_{post_id}"] = {}
data_posts_by_user[f"{username}_{post_id}"][b'posts:' + date] = user_posts_json.encode('utf-8')
#split the post into words and populate the letters table
post = post.split()
#remove pontuantion
post = [word.strip('.,!?') for word in post]
#remove enters
post = [word.replace('\n','') for word in post]
#lower case the post
post = [word.lower() for word in post]
for word in post:
if word not in letters:
letters[word] = {}
letters[word][f'posts:{symbol}_{post_id}'] = b'1'
letters[word][f'posts:{username}_{post_id}'] = b'1'
post_id += 1
#create a counter in the symbol_posts table to store the last post_id use the counter_set method
symbol_table = connection.table('symbol_posts')
symbol_table.counter_set(b'info', b'info:post_id', post_id)
populate_table(connection, 'user', data_users)
populate_table(connection, 'financial_instruments', data_symbols)
populate_table(connection, 'symbol_posts', data_posts_by_symbol)
populate_user_posts(connection, data_posts_by_user)
populate_table(connection, 'letters', letters)
def populate_financial_instruments(connection,symbols):
for symbol in symbols:
print(symbol)
try:
ticker = yf.Ticker(symbol)
currency, longName, website = get_symbol_info(ticker)
symbol_info = convert_yfinance_symbol_info_to_hbase_dict(connection, symbol,currency,longName, website)
table = connection.table('financial_instruments')
table.counter_set(symbol.encode('utf-8'), b'info:popularity', MAX_LONG)
populate_table(connection, 'financial_instruments', symbol_info)
symbol_historical = get_historical_data_daily(ticker)
symbol_historical_dict = convert_yfinance_price_history_to_hbase_dict(symbol,symbol_historical)
populate_table(connection, 'instrument_prices', symbol_historical_dict)
symbol_historical = get_historical_data_hourly(ticker)
symbol_historical_dict = convert_yfinance_price_history_to_hbase_dict(symbol,symbol_historical)
populate_table(connection, 'instrument_prices', symbol_historical_dict)
except Exception as e:
print(e)
def populate_trades(connection):
users = list(connection.table('user').scan())
symbols = set([key[0].decode('utf-8') for key in connection.table('financial_instruments').scan(columns=[])])
data_trades = dict()
for row in csv.DictReader(open("datasets/trades.csv")):
username = random.choice(users)[0].decode('utf-8')
symbol = row['Ticker']
if (symbol not in symbols):
continue
type = row['Transaction Type'].split(" ")[0]
if type == "P":
type = "S"
else:
type = "P"
quantity = int(row['Quantity'])
if quantity < 0:
quantity = -quantity
price_per_item = row['Price']
time_offered = row['Trade Date']
time_offered = time_offered + " " + str(random.randint(0,23)) + ":" + str(random.randint(0,59))
time_executed = row['Filing Date']
time_executed = MAX_LONG - convert_dmy_to_milliseconds(time_executed)
time_executed = number_to_java_long(time_executed)
time_offered = convert_dmy_to_milliseconds(time_offered)
time_offered = number_to_java_long(time_offered)
trade_json = json.dumps({ "type": type, "symbol": symbol, "quantity": int(float(quantity)), "price_per_item": int(float(price_per_item)* 100), "time_offered": str(time_offered)})
if username not in data_trades:
data_trades[username] = {}
data_trades[username][b'trades:' + time_executed] = trade_json.encode('utf-8')
populate_table(connection, 'user', data_trades)
def populate_portfolio(connection):
users_table = connection.table('user').scan(columns=[b'trades'])
users = list(users_table)
for user, trades in users:
user_stocks = {}
for _, trade in trades.items():
trade = json.loads(trade.decode('utf-8'))
symbol = trade['symbol']
quantity = int(trade['quantity'])
type = trade['type']
price_per_item = int(float(trade['price_per_item']))
if symbol not in user_stocks:
user_stocks[symbol] = tuple([0,0])
if type == "P":
user_stocks[symbol] = tuple([user_stocks[symbol][0] + quantity, user_stocks[symbol][1] + quantity*price_per_item])
else:
user_stocks[symbol] = tuple([user_stocks[symbol][0] - quantity, user_stocks[symbol][1] - quantity*price_per_item])
for symbol, (quantity, money_invested) in list(user_stocks.items()):
if quantity < 0 or money_invested < 0:
delete_trades_from_user(connection, symbol, user)
del user_stocks[symbol]
table = connection.table('portfolio')
username = user.decode('utf-8')
row_key = f'{username}_{symbol}'
table.counter_set(row_key.encode('utf-8'), b'positions:quantity', quantity)
table.counter_set(row_key.encode('utf-8'), b'positions:money_invested', money_invested)
def delete_old_score(connection, symbol, old_score):
table = connection.table('popularity_to_instrument')
table.delete(f"{old_score}_{symbol}".encode('utf-8'))
def populate_popularity_to_instrument(connection):
#populate with INT_MAX popularity in every symbol
table = connection.table('financial_instruments')
symbols = set([key[0].decode('utf-8') for key in table.scan(columns=[])])
for symbol in symbols:
table.counter_set(symbol.encode('utf-8'), b'info:popularity', MAX_LONG)
users_table = connection.table('user').scan(columns=[b'trades'])
users = list(users_table)
reference_date = datetime.datetime.strptime("2020-01-01 00:00", '%Y-%m-%d %H:%M')
for user, trades in users:
for date, trade in trades.items():
data = dict()
time_executed_reverse_ms = java_long_to_number(date[len("trades:"):])
time_executed_ms = MAX_LONG-time_executed_reverse_ms
date_time_obj = datetime.datetime.fromtimestamp(int(time_executed_ms/1000))
#get the trade information
trade = json.loads(trade.decode('utf-8'))
symbol, quantity = trade['symbol'], int(trade['quantity'])
price = int(float(trade['price_per_item']))
cost_of_trade = quantity * price / 100
# double the score every 30 days and one for each order of maginute of cost_of_trade increase the order of magnitude of the score
timestamp = ((date_time_obj - reference_date).total_seconds()) / (3600*24*30)
score = int((cost_of_trade * 2 ** timestamp) / 1000000000)
"""
timestamp = ((date_time_obj - reference_date).total_seconds()) / (3600*24*12)
score = int(((cost_of_trade ** 0.5 * timestamp ** 20) ** 0.5) / 1000000000000)
"""
table = connection.table('financial_instruments')
new_reverse_score = table.counter_inc(symbol.encode('utf-8'), b'info:popularity', -score)
old_reverse_score = new_reverse_score + score
delete_old_score(connection, symbol, old_reverse_score)
#get the symbol information
symbol_info = table.row(symbol.encode('utf-8'))
row_key = f"{new_reverse_score}_{symbol}"
data[row_key.encode("utf-8")] = {
b'info:name': symbol_info[b'info:name'],
b'info:currency': symbol_info[b'info:currency'],
b'info:image': symbol_info[b'info:image'],
}
populate_table(connection, 'popularity_to_instrument', data)
def read_symbols_from_csv(file_name,column_name):
symbols = []
with open(file_name, 'r') as csvfile:
csvreader = csv.DictReader(csvfile)
for row in csvreader:
symbols.append(row[column_name])
return symbols
def convert_dmy_to_milliseconds(date):
return int(datetime.datetime.strptime(date, '%d/%m/%Y %H:%M').timestamp() * 1000)
def convert_ymd_to_milliseconds(date):
return int(datetime.datetime.strptime(date, '%Y-%m-%d %H:%M:%S').timestamp() * 1000)
def populate_tables():
wait_for_hbase()
print("HBase is ready!")
# Connect to HBase
connection = happybase.Connection(host='localhost', port=9090)
print("Connected to HBase")
#symbols = ['^GSPC', 'AAPL', 'GOOGL', 'MSFT', 'GME', 'NVDA' , 'KO', 'EDR', 'EDP.LS','FCP.LS']
#symbols = read_symbols_from_csv("datasets/symbols.csv","Ticker")
#shuffle to avoid hotspots
#random.shuffle(symbols)
#get unique Stock Name from the datasets/stock_tweets.csv
symbols = read_symbols_from_csv("datasets/symbols.csv","Ticker")
symbols = list(set(symbols))
populate_financial_instruments(connection,symbols)
populate_users(connection)
populate_following(connection)
populate_posts(connection)
populate_trades(connection)
populate_portfolio(connection)
populate_popularity_to_instrument(connection)
if __name__ == "__main__":
populate_tables()