Python Automated Trading Development, Finding Moving Averages

The automated trading system is a program that can automatically make trading decisions in financial markets, and it helps many investors make financial decisions. In this article, we will calculate moving averages using Python and implement a simple automated trading strategy based on them. Starting with the basic concepts of automated trading, we will explain it with actual code.

Table of Contents

  1. Understanding Moving Averages
  2. Setting Up Python Environment
  3. Calculating Moving Averages
  4. Implementing Automated Trading Strategy
  5. Conclusion

Understanding Moving Averages

Moving averages are statistical tools used to smooth out price movements of stocks or other assets and to confirm trends. The most commonly used moving averages are the Simple Moving Average (SMA) and the Exponential Moving Average (EMA).

  • Simple Moving Average (SMA): Calculated by averaging the closing prices over a specific period. For example, the 5-day SMA is the sum of the closing prices over the last 5 days divided by 5.
  • Exponential Moving Average (EMA): Places more weight on recent prices, allowing the system to respond more sensitively to price changes.

Importance of Moving Averages

Moving averages play a significant role in generating business and trading signals in stock trading. Many investors tend to make buy and sell decisions when the price crosses the moving average.

Setting Up Python Environment

Based on the previous steps, setting up the Python environment is the first step. Let’s install the required packages: pandas, numpy, matplotlib, and yfinance. Use the command below to install them.

pip install pandas numpy matplotlib yfinance

Calculating Moving Averages

Now, let’s calculate moving averages using actual data. We will download stock data from Yahoo Finance using yfinance and calculate moving averages using pandas. Let’s use the code below to calculate the moving averages for a specific stock.

import yfinance as yf
import pandas as pd
import matplotlib.pyplot as plt

# Downloading data for a specific stock
stock_symbol = 'AAPL'  # Apple stock symbol
start_date = '2020-01-01'
end_date = '2023-01-01'
data = yf.download(stock_symbol, start=start_date, end=end_date)

# Calculating moving averages
data['SMA_20'] = data['Close'].rolling(window=20).mean()
data['SMA_50'] = data['Close'].rolling(window=50).mean()

# Visualizing moving averages
plt.figure(figsize=(12,6))
plt.plot(data['Close'], label='Close Price', linewidth=1)
plt.plot(data['SMA_20'], label='20-Day SMA', linestyle='--', linewidth=1)
plt.plot(data['SMA_50'], label='50-Day SMA', linestyle='--', linewidth=1)
plt.title(f'{stock_symbol} Price and Moving Averages')
plt.xlabel('Date')
plt.ylabel('Price')
plt.legend()
plt.show()

The above code fetches the closing prices of Apple (AAPL) stock, calculates the 20-day and 50-day simple moving averages, and visualizes them so we can see the price and moving averages at a glance.

Implementing Automated Trading Strategy

Now, let’s implement a simple automated trading strategy using moving averages. This strategy generates buy and sell signals based on the crossover of moving averages.

Strategy Explanation

  • Buy Signal: When the short-term moving average (SMA_20) crosses the long-term moving average (SMA_50) from below to above.
  • Sell Signal: When the short-term moving average (SMA_20) crosses the long-term moving average (SMA_50) from above to below.

Automated Trading Implementation Code

def generate_signals(data):
    signals = pd.DataFrame(index=data.index)
    signals['price'] = data['Close']
    signals['SMA_20'] = data['SMA_20']
    signals['SMA_50'] = data['SMA_50']
    
    # Initialize signals
    signals['signal'] = 0.0
    signals['signal'][20:] = np.where(signals['SMA_20'][20:] > signals['SMA_50'][20:], 1.0, 0.0)
    
    # Extract positions
    signals['positions'] = signals['signal'].diff()
    
    return signals

signals = generate_signals(data)

# Visualizing signals
plt.figure(figsize=(12,6))
plt.plot(data['Close'], label='Close Price', alpha=0.5)
plt.plot(data['SMA_20'], label='20-Day SMA', linestyle='--', alpha=0.7)
plt.plot(data['SMA_50'], label='50-Day SMA', linestyle='--', alpha=0.7)

# Buy signals
plt.plot(signals[signals['positions'] == 1].index, 
         signals['SMA_20'][signals['positions'] == 1],
         '^', markersize=10, color='g', lw=0, label='Buy Signal')

# Sell signals
plt.plot(signals[signals['positions'] == -1].index, 
         signals['SMA_20'][signals['positions'] == -1],
         'v', markersize=10, color='r', lw=0, label='Sell Signal')

plt.title(f'{stock_symbol} Trading Signals')
plt.xlabel('Date')
plt.ylabel('Price')
plt.legend()
plt.show()

The above code generates buy and sell signals and visualizes them on a graph. Buy signals are indicated by green arrows, and sell signals by red arrows.

Conclusion

In this article, we calculated moving averages using Python and implemented a simple automated trading strategy based on them. Moving averages are an important tool for understanding price trends and can be leveraged to capture business opportunities. Automated trading can help reduce individual investor risks and save time and effort. We can say that we have laid the foundation for building more complex and advanced automated trading systems in the future.

Continuously learning and experimenting will help you develop more sophisticated trading strategies. The stock market is complex and volatile, but systematic strategies and algorithms can increase the likelihood of success.

© 2023 Automated Trading Development Blog