Python
Google Cloud
Trade Finder Bot - Advanced Technical Analysis
This is the follow-on project to my previous trading bot that uses more advanced technical analysis to identify trade setups and send an alert to an app on my phone called Pushover when one has been found.
I will explain the code by focussing on 3 separate parts: the technical analysis, sending notifications when trades have been found, and logging.
I have set up a Google Cloud Virtual Machine to run the code 24/7.
- Technical Analysis The code uses the Yahoo Finnance API to pull weekly charts for the past 3 years for all tickers contained in tickerList. The Pandas and Numpy modules are then used to create 6-month linear regerssion lines on the chart to be used as trend channels, and to plot the 10-period Exponential Moving Average (EMA). The setup that it looks for requires the following conditons to be met:
- Notifications The notifications are sent and received using an app called Pushover. It is a free-to-use app and gives you an API Key and User Key that are entered at the start of the script. You an copy the 'def pushoverNotification(message)' function to easily send notifications to a phone, where 'message' is the string you want to send to the phone with information about what the notification is for. In my case, it indicates the ticker, buy/sell signal, stop loss and take profit price for the trade setup it has identified. I considered using automated emails as the means to notify me that a trade has been found, though I had already tried this in the Gmail Price Alerts project (see left hand bar for this old project) and I already had a working module to achieve this which wouldn't have been much fun.
- Logging I also wanted a way to be able to quickly determine if the code was still running. I achieved this by creating a log file eventlog.log, and prints information to this file with information such as the code start time, when the code loops, when trades are found, and for certain errors/exceptions. It can be painful to access this file on a phone, though, so I have also used the google.cloud.logging module to print information to the 'log'. This makes it very easy to check the phone in the Google Cloud app every few days, in the Observability -> Logs section, and if I can see a 'Looping' message I can be sure the code is still running fine.
- Must be in an uptrend, determined by the linear regression channels pointing up
- The previous candle touched on the lower trend channel AND was a green candle
- Then the current candle rises above the lower trend channel AND the EMA
- Enter a long position, where the stop loss is set as the last pivot low and take profit set at the linear regression midpoint
This is obviously all true for entering a long position, and the opposite is true for shorting. The code also prints all the data to csv files in a 'pricedata' folder, which can be useful as you can download all of these sheets to print the price charts or to check if some or all of the conditions were met over the past 3 years.
The code can be found below:
import pandas as pd import numpy as np import statsmodels.api as sm import yfinance as yf import time import datetime import logging import http.client, urllib import google.cloud.logging # Add all stocks, currencies, indices you want to check into this list tickerList = ["AUDJPY=X", "AUDNZD=X", "AUDUSD=X", "EURAUD=X", "EURCAD=X", "EURGBP=X", "EURUSD=X", "GBPJPY=X", "GBPUSD=X", "NZDCAD=X", "NZDJPY=X", "USDCAD=X", "USDCHF=X", "USDHKD=X", "USDMXN=X", "USDNOK=X", "USDSEK=X", "NQ=F", "BZ=F", "GC=F", "SPY" ] # sets the number of weeks for the Linear Regression trend channels, 6 months window_size = 26 # Location to save the price data spreadsheets, in Windows format #folder_location = "C:\\Users\\nasanbot\\OneDrive\\Desktop\\Code\\PriceData\\" # and in Unix format for Google Cloud Console folder_location = "/home/nasanbot/pricedata/" # API Token and User Key for Pushover Notification service. Sends notifiations to a phone when a trade has been found pushoverAPIToken = "XXXX" pushoverUserKey = "XXXX" # Send notification to phone through Pushover Notification app def pushoverNotification(messageToSend): conn = http.client.HTTPSConnection("api.pushover.net:443") conn.request("POST", "/1/messages.json", urllib.parse.urlencode({ "token": pushoverAPIToken, "user": pushoverUserKey, "message": messageToSend, }), { "Content-type": "application/x-www-form-urlencoded" }) conn.getresponse() # This function writes to the event log def writeToLog(tickerSignalled ,signalType, stopLoss, takeProfit): timestamp = datetime.datetime.now().strftime("%d-%m-%Y %H:%M:%S") message = f"{timestamp} - {tickerSignalled} {signalType} signal | Stop Loss: {stopLoss} | Take Profit: {takeProfit}" logging.info(message) pushoverNotification(message) def main(ticker): # Download data. Enter the Ticker, period and intervals. Make sure the period is longer than the window_size set above priceData = yf.download(ticker, period="3y", interval="1wk", multi_level_index=False, progress=False) # Define the file path- Ticker_Pricedata.csv file_path = folder_location + ticker + '_PriceData.csv' # Save it to a CSV file priceData.to_csv(file_path) # Load price data priceData = pd.read_csv(file_path, parse_dates=['Date'], index_col='Date') priceData = priceData.sort_index() # Ensure column names are clean priceData.columns = priceData.columns.str.strip() # Calculate 10-period EMA priceData['EMA_10'] = priceData['Close'].ewm(span=10, adjust=False).mean() # Initialize columns for trendline and channels priceData['Trendline'] = np.nan priceData['Upper_Channel'] = np.nan priceData['Lower_Channel'] = np.nan # Iterate over the rolling window for i in range(len(priceData) - window_size + 1): window_data = priceData.iloc[i : i + window_size] prices = window_data['Close'] # Check for NaNs before performing regression if prices.isna().any(): continue # Perform linear regression x = np.arange(len(prices)) x = sm.add_constant(x) # Adds intercept model = sm.OLS(prices.values, x).fit() trend = model.predict(x) # Calculate standard deviation for channel bands std_dev = np.std(prices - trend) upper_channel = trend + std_dev * 2 lower_channel = trend - std_dev * 2 # Assign values for all rows in the window priceData.loc[window_data.index, 'Trendline'] = trend priceData.loc[window_data.index, 'Upper_Channel'] = upper_channel priceData.loc[window_data.index, 'Lower_Channel'] = lower_channel # Determine if the trend is up or down priceData['Trend_Slope'] = priceData['Trendline'] - priceData['Trendline'].shift(window_size) # If the slope is positive, it's an uptrend; otherwise, it's a downtrend priceData['Trend_Direction'] = np.where(priceData['Trend_Slope'] > 0, 'Uptrend', 'Downtrend') # Set a FLAG if in Uptrend (1 = Uptrend, 0 = Downtrend), High for Uptred, Low for Downtrend priceData['Flag_High'] = np.where(priceData['Trend_Direction'] == 'Uptrend', 1, 0) priceData['Flag_Low'] = np.where(priceData['Trend_Direction'] == 'Downtrend', 1, 0) # Print the last 10 weeks and if they are in up/down trend #print(priceData[['Trendline', 'Trend_Slope', 'Trend_Direction', 'Flag_High']].tail(10)) # High if trendline is up, low if trendline is down # If yahoo finance is down or if I've exceeded the daily request limit an exception # will be thrown when this line is run. So print an error to the log and move to the next ticker try: uptrend_flag = priceData['Flag_High'].iloc[-1] except IndexError: timestamp = datetime.datetime.now().strftime("%d-%m-%Y %H:%M:%S") logging.info(f"{timestamp} - {ticker} - error with the data for this ticker") return # Strategy evaluation - Buy Signals # Check for touch on lower trend channel priceData['Touched_Lower_Channel_Check'] = (priceData['Low'] <= priceData['Lower_Channel']) & (priceData['High'] >= priceData['Lower_Channel']) # If candle closed higher than it opened, it's a green candle priceData['Green_Candle'] = priceData['Close'] > priceData['Open'] # If next high is above the Lower Trend Channel and above the EMA, it's a good indication priceData['Next_High_Valid'] = (priceData['High'].shift(-1) > priceData['Lower_Channel'].shift(-1)) & (priceData['High'].shift(-1) > priceData['EMA_10'].shift(-1)) priceData['Buy_Signal'] = priceData['Touched_Lower_Channel_Check'] & priceData['Green_Candle'] & priceData['Next_High_Valid'] & priceData['Flag_High'] # Strategy evaluation - Sell/Short Signals # Check for touch on upper trend channel priceData['Touched_Upper_Channel_Check'] = (priceData['High'] >= priceData['Upper_Channel']) & (priceData['Low'] <= priceData['Upper_Channel']) # If candle closed lower than it opened, it's a red candle priceData['Red_Candle'] = priceData['Close'] < priceData['Open'] # If next low is below the Lower Trend Channel and below the EMA, it's a good indication priceData['Next_Low_Valid'] = (priceData['Low'].shift(-1) < priceData['Lower_Channel'].shift(-1)) & (priceData['Low'].shift(-1) < priceData['EMA_10'].shift(-1)) priceData['Sell_Signal'] = priceData['Touched_Upper_Channel_Check'] & priceData['Red_Candle'] & priceData['Next_Low_Valid'] & priceData['Flag_Low'] # Check and print trend direction and determine stop loss if the trend buy/sell signal match direction if (uptrend_flag == True) and priceData['Buy_Signal'].iloc[-1]: print("In an uptrend and Buy Signal!") priceData['Stop_Loss'] = priceData['Low'].rolling(window=10).min() elif (uptrend_flag == False) and priceData['Sell_Signal'].iloc[-1]: print("In a downtrend and Sell Signal!") priceData['Stop_Loss'] = priceData['High'].rolling(window=10).min() # Define take profit and stop loss conditions # Take profit at the mid way line between the upper and lower trend channels priceData['Take_Profit'] = priceData['Trendline'] # Stop loss set at the 10 period low point (this is probably too simple) # Simulate trades trades = [] # Runs if there is uptrend and a buy signal if (uptrend_flag == True) and priceData['Buy_Signal'].iloc[-1]: for i in range(1, len(priceData)): if priceData['Buy_Signal'].iloc[i]: entry_price = priceData['Close'].iloc[i] stop_loss = priceData['Stop_Loss'].iloc[i] take_profit = priceData['Take_Profit'].iloc[i] if pd.notna(stop_loss) and pd.notna(take_profit): outcome = None for j in range(i+1, len(priceData)): if priceData['Low'].iloc[j] <= stop_loss: outcome = 'Loss' break if priceData['High'].iloc[j] >= take_profit: outcome = 'Win' break trades.append(outcome) # Write to the log so i can check the trades later writeToLog(ticker,"Buy", stop_loss, take_profit) # Runs if there is downtrend and a sell signal if (uptrend_flag == False) and priceData['Sell_Signal'].iloc[-1]: for i in range(1, len(priceData)): if priceData['Sell_Signal'].iloc[i]: entry_price = priceData['Close'].iloc[i] stop_loss = priceData['Stop_Loss'].iloc[i] take_profit = priceData['Take_Profit'].iloc[i] if pd.notna(stop_loss) and pd.notna(take_profit): outcome = None for j in range(i+1, len(priceData)): if priceData['High'].iloc[j] >= stop_loss: outcome = 'Loss' break if priceData['Low'].iloc[j] <= take_profit: outcome = 'Win' break trades.append(outcome) writeToLog(ticker,"Short", stop_loss, take_profit) # Calculate win rate wins = trades.count('Win') losses = trades.count('Loss') win_rate = (wins / (wins + losses) * 100) if (wins + losses) > 0 else 0 # Save updated dataset. Can comment this out to not create the CSV priceData.to_csv(file_path) # Display win/loss results, for backtesting #print(priceData.tail(10)) #print(f"Win Rate: {win_rate:.2f}%") #print(f"Total Trades: {len(trades)}") if __name__ == "__main__": # Create the log file and put a code start time logging.basicConfig(filename='eventlog.log', level=logging.INFO) # Instantiates a client for logging in Google Cloud. If it doesnt work just raise exception try: client = google.cloud.logging.Client() client.setup_logging() except: logging.info("Error with Google Cloud Logging. Will ignore this and just print to log file.") timestamp = datetime.datetime.now().strftime("%d-%m-%Y %H:%M:%S") logging.info(f"{timestamp} - Code Started") print(f"{timestamp} - Code Started") # Main Code while True: for tickers in tickerList: #print("Checking " + tickers + '\n') main(tickers) # This wait isnt really needed, but can help when debugging time.sleep(1) # Only run once per hour, to not exceed Yahoo request limit time.sleep(3600) # Print to console so it can be checked if the code is still running timestamp = datetime.datetime.now().strftime("%d-%m-%Y %H:%M:%S") logging.info(f"{timestamp} - Looping") print(f"{timestamp} - Looping")
There is one known flaw with the code, as since the code loops every hour, multiple notifications may be sent a day (or week) for a single trade, which can be annoying.