Category Trend  Published on 22/03/2024

RSI Hourly, Daily Trade Signals

Description

This cBot will send a pop-up to your charts, an Email or a Telegram message when the Daily and the Hourly Relative Strength Index indicators together show a bullish or bearish trend. The Full Source Code is included for educational purposes. It can be used now as a trade signal cBot or modified for additional features. It can also be converted into an automated trading system in a few minutes with no coding skills using the Algo Building Tool.

 

 

cTrader Algo Strategy Builder

You can download the Algo Strategy Builder and start creating your strategies, it can also be used to create a system that will send Telegram signals.

 

Watch Video Demo's

Watch a video demonstration of a multi-timeframe Relative Strength Index Strategy complete with source code, with no coding experience.

 

Need Modifications?

You can contact our development team if you need to add additional indicators or features to this cBot.

If you also would like us to convert your ideas or manual strategy into an automated system, we can help

 

ClickAlgo is a leading supplier of cTrader cBots & indicators.

 

DISCLAIMER

This product is for educational use only and should not be considered financial advice. Trading and Investing Activities are Inherently Risky, and Users of Our Material Should Be Prepared to Incur Losses in Connection with Such Activities.


using System;
using System.Collections.Generic;
using System.Data;
using System.Diagnostics;
using System.IO;
using System.Linq;
using System.Text;
using System.Xml.Linq;
using cAlgo.API;
using cAlgo.API.Collections;
using cAlgo.API.Indicators;
using cAlgo.API.Internals;

/*
   This code was created using the Algo Strategy Building Tool by ClickAlgo Limited
   https://clickalgo.com/strategy-builder
 
   This cBot does not guarantee any particular outcome or
   profit of any kind. Use it at your own risk.

   Created: 22/03/2024
   Name: RSI Hour, Daily

   This stratgey will send trade signals based on two RSI indicators being bullish or bearish on a 1 hour and daily timeframe.
*/

namespace cAlgo.Robots
{
    [Robot(AccessRights = AccessRights.None)]
    public class AlgoBuilderBot : Robot
    {
        // user parameter settings

        [Parameter("Email address", Group = "Email Alert", DefaultValue = "sales@clickalgo.com")]
        public string EmailAddress { get; set; }

        [Parameter("Bot Token", Group = "Telegram Alert", DefaultValue = "JHFVGJY764745GCFg")]
        public string BotToken { get; set; }

        [Parameter("Chat ID", Group = "Telegram Alert", DefaultValue = "353453")]
        public string ChatID { get; set; }

        // Indicator settings for bullish signals

        [Parameter("Timeframe", DefaultValue = "h1", Group = "RSI Buy #1")]
        public TimeFrame RsiTimeFrameBuy1 { get; set; }
        
        [Parameter("RSI Periods", DefaultValue =  14, Group = "RSI Buy #1")]
        public int RsiPeriodsBuy1 { get; set; }
        
        [Parameter("RSI Upper", DefaultValue =  70, Group = "RSI Buy #1")]
        public int RsiUpperBuy1 { get; set; }
        
        [Parameter("RSI Lower", DefaultValue =  30, Group = "RSI Buy #1")]
        public int RsiLowerBuy1 { get; set; }

        [Parameter("Timeframe", DefaultValue = "D1", Group = "RSI Buy #2")]
        public TimeFrame RsiTimeFrameBuy2 { get; set; }
        
        [Parameter("RSI Periods", DefaultValue =  14, Group = "RSI Buy #2")]
        public int RsiPeriodsBuy2 { get; set; }
        
        [Parameter("RSI Upper", DefaultValue =  70, Group = "RSI Buy #2")]
        public int RsiUpperBuy2 { get; set; }
        
        [Parameter("RSI Lower", DefaultValue =  30, Group = "RSI Buy #2")]
        public int RsiLowerBuy2 { get; set; }

        // Indicator settings for bearish signals

        [Parameter("Timeframe", DefaultValue = "h1", Group = "RSI Sell #1")]
        public TimeFrame RsiTimeFrameSell1 { get; set; }
        
        [Parameter("RSI Periods", DefaultValue =  14, Group = "RSI Sell #1")]
        public int RsiPeriodsSell1 { get; set; }
        
        [Parameter("RSI Upper", DefaultValue =  70, Group = "RSI Sell #1")]
        public int RsiUpperSell1 { get; set; }
        
        [Parameter("RSI Lower", DefaultValue =  30, Group = "RSI Sell #1")]
        public int RsiLowerSell1 { get; set; }

        [Parameter("Timeframe", DefaultValue = "D1", Group = "RSI Sell #2")]
        public TimeFrame RsiTimeFrameSell2 { get; set; }
        
        [Parameter("RSI Periods", DefaultValue =  14, Group = "RSI Sell #2")]
        public int RsiPeriodsSell2 { get; set; }
        
        [Parameter("RSI Upper", DefaultValue =  70, Group = "RSI Sell #2")]
        public int RsiUpperSell2 { get; set; }
        
        [Parameter("RSI Lower", DefaultValue =  30, Group = "RSI Sell #2")]
        public int RsiLowerSell2 { get; set; }

        // declaring the standard bullish indicators

        private RelativeStrengthIndex _rsi_Buy1;
        private RelativeStrengthIndex _rsi_Buy2;

        // declaring the standard bearish indicators

        private RelativeStrengthIndex _rsi_Sell1;
        private RelativeStrengthIndex _rsi_Sell2;

        // declaring the market data variables for bullish signals.

        private Bars _rsiBars_Buy1;
        private Bars _rsiBars_Buy2;

        // declaring the market data variables for bearish signals.

        private Bars _rsiBars_Sell1;
        private Bars _rsiBars_Sell2;

        // Private fields.

        private string StrategyName { get; set; }

        // makes sure only 1 trade opens per signal
        bool IsBullish { get; set; }
        bool IsBearish { get; set; }    

        // Initialise variables when the cBot starts.

        protected override void OnStart()
        {
            StrategyName = "RSI Hour, Daily";

            // constructing the market data for the bullish indicators
            _rsiBars_Buy1 = MarketData.GetBars(RsiTimeFrameBuy1);
            _rsiBars_Buy2 = MarketData.GetBars(RsiTimeFrameBuy2);

            // constructing the market data for the bearish indicators
            _rsiBars_Sell1 = MarketData.GetBars(RsiTimeFrameSell1);
            _rsiBars_Sell2 = MarketData.GetBars(RsiTimeFrameSell2);

            // constructing the BULLISH indicators
            _rsi_Buy1 = Indicators.RelativeStrengthIndex(_rsiBars_Buy1.ClosePrices, RsiPeriodsBuy1);
            _rsi_Buy2 = Indicators.RelativeStrengthIndex(_rsiBars_Buy2.ClosePrices, RsiPeriodsBuy2);

            // constructing the BEARISH indicators
            _rsi_Sell1 = Indicators.RelativeStrengthIndex(_rsiBars_Sell1.ClosePrices, RsiPeriodsSell1);
            _rsi_Sell2 = Indicators.RelativeStrengthIndex(_rsiBars_Sell2.ClosePrices, RsiPeriodsSell2);
        }

        // The onTick method is called on each price change.
        protected override void OnTick()
        {
          
        }

         // this method is called when the candle closes and is used to check the trade signals, execute trades and send alerts.
        protected override void OnBarClosed()
        {
            TradeRulesBullish();            
            TradeRulesBearish();
        }

        // parent method to check rules and open bullish trade or send signal.
        private void TradeRulesBullish()
        {
            // flag to open a trade if all rules true.
            bool OpenBuyTrade = false;

            if (IsBullishSignal())
            {
                OpenBuyTrade = true;
            }
 
            if (OpenBuyTrade)
            {
                if (!IsBullish)
                {
                    // no open buy trades logic

                    SendTradeAlerts(TradeType.Buy);
                }

                IsBullish = true;
            }
            else
            {
                IsBullish = false;
            }
        }


        // parent method to check rules and open bearish trade or send signal.
        private void TradeRulesBearish()
        {
            // flag to open a trade if all rules true.
            bool OpenSellTrade = false;

           if (IsBearishSignal())
            {
                OpenSellTrade = true;
            }

            if (OpenSellTrade)
            {
                if (!IsBearish)
                {
                    // no open buy trades logic

                    SendTradeAlerts(TradeType.Sell);
                }

                IsBearish = true;
            }
            else
            {
                IsBearish = false;
            }
        }

        // returns true if all signals are bullish
        private bool IsBullishSignal() 
        {
            if (_rsi_Buy1.Result.LastValue > RsiLowerBuy1)
            {
                return false;
            }

            if (_rsi_Buy2.Result.LastValue > RsiLowerBuy2)
            {
                return false;
            }

            return true;
        }

        // returns true if all signals are bearish
        private bool IsBearishSignal() 
        {
            if (_rsi_Sell1.Result.LastValue < RsiUpperSell1)
            {
                return false;
            }

            if (_rsi_Sell2.Result.LastValue < RsiUpperSell2)
            {
                return false;
            }

            return true;
        }

        // this method manages sending trade alerts
        private void SendTradeAlerts(TradeType type)
        {
            if (IsBacktesting)
            {
                return;
            }

            string direction = "Bullish";

            if (type == TradeType.Sell)
            {
                direction = "Bearish";
            }
            
            // send email
            Notifications.SendEmail("sales@clickalgo.com", "sales@clickalgo.com", StrategyName, direction + " alert on " + SymbolName + " with " + TimeFrame.ToString());

            // send Telegram
            var Token = BotToken;
            var message = direction + " alert on " + SymbolName + " with " + TimeFrame.ToString();

            var result = Http.Get($"https://api.telegram.org/bot{Token}/sendMessage?chat_id={ChatID}&text={message}");

            // the following error codes may be incorrect and need updating.
            switch (result.StatusCode)
            {
                case 0:
                    Print("Telegram bot sleeping, wake it up.");
                    break;

                case 200:
                    Print("Telegram sent");
                    break;

                case 400:
                    Print("The chat id is incorrect.");
                    break;

                case 401:
                    Print("The bot token is incorrect.");
                    break;

                case 404:
                    Print("The bot token or chat id is missing or incorrect.");
                    break;

                default:
                    Print("unknown error code: " + result.StatusCode);
                    break;
            }

            // show popup
            MessageBox.Show(direction + " alert on " + SymbolName + " with " + TimeFrame.ToString(), StrategyName);
        }
    }
}

ClickAlgo's avatar
ClickAlgo

Joined on 05.02.2015

  • Distribution: Free
  • Language: C#
  • Trading platform: cTrader Automate
  • File name: RSI Hourly, Daily Trade Signals.algo
  • Rating: 0
  • Installs: 168
Comments
Log in to add a comment.
No comments found.