Category Trend  Published on 03/03/2020

Renko Trend Trader

Description

This algo was developed by ForexCove. We would like to highlight some of the interesting opportunities in trading Renko charts, by offering this FREE download from our development team.

The Renko Trend Trader trades on a Renko chart of your choice, making use of two moving averages for signal confirmation, along with an ADX filter to measure trend strength. Additionally, you can enable a multiple-trade functionality, which means that for every time a trade criteria is met, a new position is opened. 

******************************

JUST ANNOUNCED OUR ADAPTIVE GRID BLAZER FOREX ROBOT - INTRO OFFER  - LEARN MORE HERE

******************************

This can prove very profitable in strongly trending markets.

It is an experimental bot, providing programmers interested in Renko trading a viable starting point. 

To see our current cBot library, please click here.


using System;
using System.Linq;
using cAlgo.API;
using cAlgo.API.Indicators;
using cAlgo.API.Internals;
using cAlgo.Indicators;

namespace cAlgo.Robots
{
    [Robot(TimeZone = TimeZones.UTC, AccessRights = AccessRights.None)]
    public class RENKO_TREND_TRADER : Robot
    {

        [Parameter(DefaultValue = "RENKO_TREND_TRADER")]
        public string cBotLabel { get; set; }

        [Parameter("Currency pair", DefaultValue = "EURUSD")]
        public string TradeSymbol { get; set; }

        [Parameter("Lot Size", DefaultValue = 0.5, MinValue = 0.01, Step = 0.01)]
        public double LotSize { get; set; }

        [Parameter("Trade entry - Use green/red candle", DefaultValue = true)]
        public bool UseCandle { get; set; }

        [Parameter("Trade entry - Use candle above/below MAs", DefaultValue = true)]
        public bool UseCandleMAs { get; set; }

        [Parameter("MA01 Type", DefaultValue = MovingAverageType.Simple)]
        public MovingAverageType MAType1 { get; set; }

        [Parameter("MA01 Period", DefaultValue = 16)]
        public int MAPeriod1 { get; set; }

        [Parameter("MA02 Type", DefaultValue = MovingAverageType.Exponential)]
        public MovingAverageType MAType2 { get; set; }

        [Parameter("MA02 Period", DefaultValue = 8)]
        public int MAPeriod2 { get; set; }

        [Parameter("Trade entry - Use ADX", DefaultValue = true)]
        public bool UseADX { get; set; }

        [Parameter("ADX Period", DefaultValue = 6)]
        public int ADXPeriod { get; set; }

        [Parameter("ADX Level", DefaultValue = 32)]
        public int ADXLevel { get; set; }

        [Parameter("Multiply trades", DefaultValue = false)]
        public bool UseMT { get; set; }

        [Parameter("StopLoss in pips", DefaultValue = 40.0)]
        public double StopLoss { get; set; }

        [Parameter("TakeProfit in pips", DefaultValue = 40.0)]
        public double TakeProfit { get; set; }

        [Parameter("Run in backtesting mode", DefaultValue = false)]
        public bool UseBacktesting { get; set; }

        [Parameter("Renko brick in pips", DefaultValue = 10)]
        public double RenkoPips { get; set; }

        [Parameter("Renko bricks to show", DefaultValue = 100)]
        public int BricksToShow { get; set; }

        Symbol CurrentSymbol;
        private MovingAverage MA1;
        private MovingAverage MA2;
        //private DirectionalMovementSystem DMS;
        private MarketSeries TMS;
        private Renko renko;
        private DMS DMS;
        private double renko_bar_close;

        protected override void OnStart()
        {
            //check symbol
            CurrentSymbol = Symbols.GetSymbol(TradeSymbol);

            if (CurrentSymbol == null)
            {
                Print("Currency pair is not supported,please check!");
                OnStop();
            }
            if (UseBacktesting == false)
            {
                TMS = MarketData.GetSeries(TradeSymbol, MarketSeries.TimeFrame);
                MA1 = Indicators.MovingAverage(TMS.Close, MAPeriod1, MAType1);
                MA2 = Indicators.MovingAverage(TMS.Close, MAPeriod2, MAType2);
                DMS = Indicators.GetIndicator<DMS>(TMS.High, TMS.Low, TMS.Close, ADXPeriod, MovingAverageType.WilderSmoothing);
            }
            else
            {
                renko = Indicators.GetIndicator<Renko>(RenkoPips, BricksToShow, 3, "SeaGreen", "Tomato");
                renko_bar_close = renko.Close.Last(1);
                MA1 = Indicators.MovingAverage(renko.Close, MAPeriod1, MAType1);
                MA2 = Indicators.MovingAverage(renko.Close, MAPeriod2, MAType2);
                DMS = Indicators.GetIndicator<DMS>(renko.High, renko.Low, renko.Close, ADXPeriod, MovingAverageType.WilderSmoothing);
            }
        }

        protected override void OnBar()
        {
            if (UseBacktesting == false)
            {
                DoTrade(TMS.Open.Last(1), TMS.Close.Last(1));
            }
        }

        protected override void OnTick()
        {
            if (UseBacktesting == true)
            {
                if (renko.Close.Last(1) != renko_bar_close)
                {
                    renko_bar_close = renko.Close.Last(1);
                    Print("Renko last bar close = {0}", renko_bar_close);
                    DoTrade(renko.Open.Last(1), renko.Close.Last(1));
                }
            }
        }

        private void DoTrade(double lastBarOpen, double lastBarClose)
        {
            if (IsTradePossible() == true && ((UseMT == false && Positions.FindAll(cBotLabel, TradeSymbol).Length == 0) || (UseMT == true)))
            {
                if (((UseCandle == true && lastBarClose > lastBarOpen) || UseCandle == false) && ((UseCandleMAs == true && lastBarClose > MA1.Result.Last(1) && lastBarClose > MA2.Result.Last(1)) || (UseCandleMAs == false)))
                {
                    OpenMarketOrder(TradeType.Buy, LotSize);
                }
                else if (((UseCandle == true && lastBarClose < lastBarOpen) || UseCandle == false) && ((UseCandleMAs == true && lastBarClose < MA1.Result.Last(1) && lastBarClose < MA2.Result.Last(1)) || (UseCandleMAs == false)))
                {
                    OpenMarketOrder(TradeType.Sell, LotSize);
                }
            }
            if (lastBarClose < lastBarOpen)
                ClosePositions(TradeType.Buy);
            else if (lastBarClose > lastBarOpen)
                ClosePositions(TradeType.Sell);

        }

        private void ClosePositions(TradeType tradeType)
        {
            foreach (var position in Positions.FindAll(cBotLabel, TradeSymbol, tradeType))
            {
                var result = ClosePosition(position);
                if (!result.IsSuccessful)
                {
                    Print("Closing market order error: {0}", result.Error);
                    OnStop();
                }
            }
        }

        private void OpenMarketOrder(TradeType tradeType, double dLots)
        {
            var volumeInUnits = CurrentSymbol.QuantityToVolumeInUnits(dLots);
            volumeInUnits = CurrentSymbol.NormalizeVolumeInUnits(volumeInUnits, RoundingMode.Down);

            //in final version need add attempts counter
            var result = ExecuteMarketOrder(tradeType, CurrentSymbol.Name, volumeInUnits, cBotLabel, StopLoss, TakeProfit);
            if (!result.IsSuccessful)
            {
                Print("Execute Market Order Error: {0}", result.Error.Value);
                OnStop();
            }
        }

        private bool IsTradePossible()
        {

            if (UseADX == true && DMS.ADX.Last(0) < ADXLevel)
            {
                Print("No trade - ADX is low - {0}", DMS.ADX.Last(0));
                return false;
            }

                        /*
            if (DMS.ADX.Last(1) > DMS.ADX.Last(0))
            {
                Print("No trade - ADX is go down - current {0} previous - ", DMS.ADX.Last(0), DMS.ADX.Last(1));
                return false;
            }
            */

return true;
        }

        protected override void OnStop()
        {

        }
    }
}


CT
ctid1731325

Joined on 10.01.2020 Blocked

  • Distribution: Free
  • Language: C#
  • Trading platform: cTrader Automate
  • File name: RENKO_TREND_TRADER.algo
  • Rating: 5
  • Installs: 3530
Comments
Log in to add a comment.
ER
erwann.pannerec · 2 years ago

Additionnal question.

It seems a DMS specific indicator is used instead of classical DirectionnalMouvementSystem of cTrader.

Where this specific version could be found ?

Thanks !

ER
erwann.pannerec · 2 years ago

Hello,

From my side when I try to compile the cBot I have this error :

"Error : Project C:\Users\Erwann\Documents\cAlgo\Sources\Indicators\Renko\Renko\Renko.csproj doesn't exist."

How can I solve this issue please ?

Regards,

S.
s.singh.au · 3 years ago

Hi, How can I get in touch.  Your 'Contact Us' from your website looks like does not get to you, as I raised a query or two regarding your products, but no response.

It Sales & set up query.

ES
eslamgtuey1212 · 3 years ago

Welcome

Where is the code

Do not follow this file to modify it

DirectionalMovementSystem

Which is my assignment in the DMS code

TR
traderfxmaster007 · 4 years ago

I love the concept of having a Cbot for renko charts. I have a simple request, can you please add money management on it. Let's say I only want to risk 1% of my balance in every trade. And close the position if opposite signals appear.

 

Thanks.

 

 

RE
Renegade · 4 years ago

I backtested this from Jan 2018 to Jan 2019 using 0.1 lots and the bot incurred more losses than wins.

Which of your paid cbots works best

TE
Terzys · 4 years ago

I am trading with the exact same way, using renkos and ADX.

 

Can you guys shoot a quick tutorial video on how to use this cBot?