Skip to content

Commit 90e690b

Browse files
author
unknown
committed
auto updating files
0 parents  commit 90e690b

27 files changed

+546
-0
lines changed

CoinCap.py

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
import requests
2+
#@Author Ethen Pociask
3+
#DATA API REQUEST CLASS
4+
class CoinCap:
5+
6+
#TAKES COIN NAME AS PARAM
7+
def __init__(self, asset):
8+
9+
self.asset = asset
10+
self.APIURL = "http://api.coincap.io/v2/assets/" + self.asset
11+
12+
# Returns json data from api
13+
def getData(self):
14+
15+
16+
PARAMS = {'limit': 1}
17+
try:
18+
r = requests.get(url = self.APIURL, params = PARAMS)
19+
20+
except:
21+
self.getData()
22+
23+
l = []
24+
25+
dic = {}
26+
data = r.json()
27+
28+
return data

Driver.py

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
from Schedule import *
2+
import multiprocessing as mp
3+
4+
5+
6+
def main():
7+
8+
pool = mp.Pool(mp.cpu_count())
9+
10+
11+
pool.map(Schedule, ["ethereum", "bitcoin", "ripple", "litecoin"])
12+
13+
14+
if __name__ == "__main__":
15+
main()

IndicatorDataHandler.py

+66
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
#!/usr/bin/python
2+
import psycopg2
3+
from config import config
4+
from datetime import datetime
5+
import time, sys, json, datetime
6+
from CoinCap import CoinCap
7+
import keyboard
8+
from Indicators import *
9+
10+
11+
TABLE_NAME = "bitcoin_indicator_data"
12+
13+
class IndicatorDataWriter:
14+
15+
def __init__(self, coin):
16+
self.coin = coin
17+
self.TABLE_NAME = "{}_indicator_data".format(self.coin)
18+
19+
# Returns query string to insert data into db
20+
21+
22+
def runDataInsertions(self, cursor):
23+
try:
24+
25+
print("Time: {} Price: {} 24 hr Volume: {} Market Cap: {}".format(datetime.datetime.now(), price, dayVolume, marketCap))
26+
insertQuery = self.generateQuery(price, marketCap, dayVolume)
27+
cursor.execute(insertQuery)
28+
29+
except(Exception) as error:
30+
print("ERROR INSERTING DATA: ", error)
31+
32+
# Connects to the db via psycopg2 and inserts data
33+
def connect(self):
34+
""" Connect to PGSQL server """
35+
conn = None
36+
37+
try:
38+
params = config()
39+
print("Connecting to postgres database...")
40+
conn = psycopg2.connect(user = "postgres",
41+
password = "1Derekdad1",
42+
host = "localhost",
43+
port = "5433",
44+
database = "coindata")
45+
46+
47+
# create a cursor
48+
cur = conn.cursor()
49+
50+
# Generate and execute insertion query
51+
print("Starting data collection... Press q to quit")
52+
while(True):
53+
if(keyboard.is_pressed('q')):
54+
print("Stopping data collection.")
55+
break
56+
self.runDataInsertions(cur)
57+
conn.commit() # Commits changes to db
58+
59+
cur.close() # Closes communication with db
60+
except(Exception, psycopg2.DatabaseError) as error:
61+
print("ERROR: ", error)
62+
finally:
63+
if conn is not None:
64+
conn.close()
65+
print('Database connection closed.')
66+

IndicatorDataWriter.py

+81
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,81 @@
1+
import psycopg2
2+
from config import config
3+
from datetime import datetime
4+
import time, sys, json, datetime
5+
from Time import *
6+
from SMA import *
7+
8+
class IndicatorDataWriter:
9+
10+
def __init__(self, coin, timeLength):
11+
self.coin = coin
12+
self.timeLength = timeLength
13+
self.INDICATOR_TABLE_NAME = "{}_indicators".format(self.coin)
14+
self.PRICE_TABLE_NAME = "{}_price_data".format(self.coin)
15+
self.time = Time()
16+
self.sma = SMA()
17+
18+
#SELECTS TIME_STAMP & PRICE DATA FROM COIN_PRICE_DATA
19+
def SelectQuery(self):
20+
21+
self.timeStep = self.time.calculateTime(self.timeLength)
22+
self.timeRef = self.time.calculateRef(self.timeLength)
23+
24+
return "SELECT time_stamp, price FROM {} ORDER BY time_stamp DESC LIMIT {};".format(self.PRICE_TABLE_NAME, self.timeStep)
25+
26+
27+
def createTableQuery(self):
28+
return "CREATE TABLE {} (time_stamp timestamp without time zone DEFAULT CURRENT_TIMESTAMP PRIMARY KEY NOT NULL, sma_1 numeric , sma_5 numeric , sma_10 numeric , sma_30 numeric , sma_60 numeric , sma_180 numeric , sma_360 numeric , sma_720 numeric , sma_1440 numeric );".format(self.INDICATOR_TABLE_NAME)
29+
#INSERTS CALCULATED SMA VALUE INTO INDICATOR TABLE
30+
def insertionQuery(self, data):
31+
32+
return "INSERT INTO {} (sma_{}) VALUES ({});".format(self.INDICATOR_TABLE_NAME, self.timeRef, data)
33+
34+
def runDataCollection(self, cursor):
35+
try:
36+
37+
Query = self.SelectQuery()
38+
cursor.execute(Query)
39+
x = cursor.fetchall()
40+
count = 0
41+
for i in x:
42+
i = str(i)
43+
x[count] = float((i[i.find("Decimal")+9 : len(i)-3]))
44+
count+=1
45+
print(x)
46+
cursor.execute(self.insertionQuery(self.sma.calculateSMA(x)))
47+
return None
48+
except(Exception) as error:
49+
print("ERROR COLLECTING/INSERTING DATA: ", error)
50+
return error
51+
52+
# Connects to the db via psycopg2 and inserts data
53+
def connect(self):
54+
""" Connect to PGSQL server """
55+
conn = None
56+
57+
try:
58+
params = config()
59+
print("Connecting to postgres database...")
60+
conn = psycopg2.connect(**params)
61+
# create a cursor
62+
cur = conn.cursor()
63+
64+
# Generate and execute insertion quer
65+
err = self.runDataCollection(cur)
66+
conn.commit() # Commits changes to db
67+
cur.close() # Closes communication with db
68+
except(Exception, psycopg2.DatabaseError) as error:
69+
print("ERROR: ", error)
70+
finally:
71+
if err != None:
72+
curr = conn.cursor()
73+
curr.execute(self.createTableQuery())
74+
conn.commit()
75+
conn.close()
76+
self.connect()
77+
78+
cur.close()
79+
print('Database connection closed.')
80+
81+

IndicatorHandler.py

+66
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
#!/usr/bin/python
2+
import psycopg2
3+
from config import config
4+
from datetime import datetime
5+
import time, sys, json, datetime
6+
from CoinCap import CoinCap
7+
import keyboard
8+
from Indicators import *
9+
10+
11+
TABLE_NAME = "bitcoin_indicator_data"
12+
13+
class IndicatorDataWriter:
14+
15+
def __init__(self, coin):
16+
self.coin = coin
17+
self.TABLE_NAME = "{}_indicator_data".format(self.coin)
18+
19+
# Returns query string to insert data into db
20+
21+
22+
def runDataInsertions(self, cursor):
23+
try:
24+
25+
print("Time: {} Price: {} 24 hr Volume: {} Market Cap: {}".format(datetime.datetime.now(), price, dayVolume, marketCap))
26+
insertQuery = self.generateQuery(price, marketCap, dayVolume)
27+
cursor.execute(insertQuery)
28+
29+
except(Exception) as error:
30+
print("ERROR INSERTING DATA: ", error)
31+
32+
# Connects to the db via psycopg2 and inserts data
33+
def connect(self):
34+
""" Connect to PGSQL server """
35+
conn = None
36+
37+
try:
38+
params = config()
39+
print("Connecting to postgres database...")
40+
conn = psycopg2.connect(user = "postgres",
41+
password = "1Derekdad1",
42+
host = "localhost",
43+
port = "5433",
44+
database = "coindata")
45+
46+
47+
# create a cursor
48+
cur = conn.cursor()
49+
50+
# Generate and execute insertion query
51+
print("Starting data collection... Press q to quit")
52+
while(True):
53+
if(keyboard.is_pressed('q')):
54+
print("Stopping data collection.")
55+
break
56+
self.runDataInsertions(cur)
57+
conn.commit() # Commits changes to db
58+
59+
cur.close() # Closes communication with db
60+
except(Exception, psycopg2.DatabaseError) as error:
61+
print("ERROR: ", error)
62+
finally:
63+
if conn is not None:
64+
conn.close()
65+
print('Database connection closed.')
66+

Indicators/EMA.py

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
2+
class EMA:
3+
4+
def __init__(self):
5+
pass
6+
7+
def calculate(self, priceList, period):
8+
9+
priceList = array(priceList)
10+
ema = []
11+
j = 1
12+
13+
#CALCULATES SMA FIRST
14+
sma = sum(priceList[:period]) / period
15+
16+
multiplier = 2 / float(1 + n)
17+
18+
19+
ema.append(sma)
20+
# CURRENT EMA = ((Price(Current) - EMA(Previous)) * Multiplier) + EMA(Previous)
21+
ema.append((s[j] - sma) * multiplier + sma)
22+
23+
for i in s[n + 1:]:
24+
temp = ( (i - ema[j]) * multiplier) + ema[j]
25+
j++
26+
ema.append(temp)
27+
28+
29+
return ema

Indicators/RSI.py

+20
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
import pandas as pd
2+
import numpy as np
3+
class RSI:
4+
5+
def __init__(self):
6+
pass
7+
8+
def calculate(self, series, period):
9+
delta = series.diff().dropna()
10+
u = delta * 0
11+
d = u.copy()
12+
u[delta > 0] = delta[delta > 0]
13+
d[delta < 0] = -delta[delta < 0]
14+
u[u.index[period-1]] = np.mean( u[:period] ) #first value is sum of avg gains
15+
u = u.drop(u.index[:(period-1)])
16+
d[d.index[period-1]] = np.mean( d[:period] ) #first value is sum of avg losses
17+
d = d.drop(d.index[:(period-1)])
18+
rs = pd.stats.moments.ewma(u, com=period-1, adjust=False) / \
19+
pd.stats.moments.ewma(d, com=period-1, adjust=False)
20+
return 100 - 100 / (1 + rs)

Indicators/SMA.py

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
#Property of TrendSellers LLC
2+
#@author Ethen Pociask
3+
4+
class SMA:
5+
6+
def __init__(self):
7+
pass
8+
9+
def calculateSMA(self, priceSet):
10+
priceTotal = 0
11+
12+
for price in priceSet:
13+
priceTotal = priceTotal + float(price)
14+
15+
16+
17+
return priceTotal/len(priceSet)
18+
19+
20+
21+

Indicators/Time.py

+28
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,28 @@
1+
class Time:
2+
3+
def __init__(self):
4+
pass
5+
6+
def calculateTime(self, timePeriod):
7+
8+
step, ref = 0
9+
if timePeriod == "one-minute":
10+
step = 12
11+
ref = 1
12+
13+
elif timePeriod == "five-minute":
14+
step = 60
15+
ref = 5
16+
elif timePeriod == "ten-minute":
17+
step = 120
18+
ref = 10
19+
elif timePeriod == "thirty-minute":
20+
step = 360
21+
ref = 30
22+
elif timePeriod == "one-hour":
23+
step = 720
24+
ref = 60
25+
26+
return step, ref
27+
28+

Indicators/__init__.py

Whitespace-only changes.
626 Bytes
Binary file not shown.
805 Bytes
Binary file not shown.
169 Bytes
Binary file not shown.

0 commit comments

Comments
 (0)