RSI*VWAP strategy EA

Spécifications

i looking for someone, who can create EA based on RSI * VWAP calculation and pinescript code:

// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/
// © Xaviz

//@version=4
strategy("RSI-VWAP Indicator %", overlay = false, pyramiding = 5, initial_capital = 100000, default_qty_value = 0, commission_value = 0.04, max_labels_count = 500)

//█ Initial inputs

StartDate           = timestamp(        "01 Jan 2000 00:00 +0000")
Spot                = input(false,      "Spot Trading (no leverage)",   input.bool)
testPeriodStart     = input(StartDate,  "Start of trading",             input.time)
Length              = input(16,         "RSI/VWAP Length",              input.integer,  minval = 1)
OverSold            = input(18,         "RSI/VWAP Oversold",            input.float,    minval = 0,  maxval = 100)
OverBought          = input(80,         "RSI/VWAP Overbought",          input.float,    minval = 0,  maxval = 100)
EquityPercent       = input(25,         "% Equity on Longs",            input.float,    minval = 0,  maxval = 100)
PositionPercent     = input(50,         "% Position on Closings",       input.float,    minval = 0,  maxval = 100)
Risk                = input(15,         "% Drawdown allowed",           input.float,    minval = 0,  maxval = 100)
MarginRate          = input(1.0,        "% Margin Rate",                input.float,    minval = 0) / 100

// RSI with VWAP as source
RsiVwap             = rsi(vwap(close), Length)

//█ Plotting

// Rsi-vwap Line Color
RsiVwapLineColor    = RsiVwap > OverBought ?     color.new(color.red,  50) :
                      RsiVwap < OverSold   ?     color.new(color.lime, 50) :
                                                 color.new(color.blue, 50)
// Rsi-vwap Fill Color
FillColorOverBought = RsiVwap > OverBought ?     color.new(color.red,  75) : na
FillColorOverSold   = RsiVwap < OverSold   ?     color.new(color.lime, 75) : na
                     
// Overbought/Oversold Color
OboughtOsoldColor   =                            color.new(color.gray, 50)

// Rsi-vwap plot                                      
RsiVwapLine         = plot(RsiVwap,     "RSI/VWAP",     RsiVwapLineColor, linewidth = 2)

// Plot of the top line
OverBoughtLine      = plot(OverBought,  "Overbought",   OboughtOsoldColor)

// Plot of the bottom line
OverSoldLine        = plot(OverSold,    "Oversold",     OboughtOsoldColor)

// Fill between plots                                                            
fill(RsiVwapLine,   OverBoughtLine, FillColorOverBought)
fill(RsiVwapLine,   OverSoldLine,   FillColorOverSold)

// Information panel
Equity                  = strategy.equity
Balance                 = strategy.initial_capital + strategy.netprofit
RealizedPnL             = strategy.netprofit
Floating                = strategy.openprofit
PercentFloating         = (Floating / strategy.initial_capital) * 100
PercentRealizedPnL      = (RealizedPnL / strategy.initial_capital) * 100
URealizedPnL            = Floating + RealizedPnL
PercentURealizedPnL     = ((URealizedPnL) / strategy.initial_capital) * 100
PositionSize            = strategy.position_size * strategy.position_avg_price
Cash                    = Spot ? max(0, Balance - PositionSize) : max(0, Balance - (PositionSize * MarginRate))
Leverage                = PositionSize / Balance
Margin                  = Spot ? 0 : PositionSize * MarginRate

var label labelEquity = na
labelEquity := label.new(bar_index, 50, style = label.style_label_left, textcolor = #9598a1, color = #131722, textalign = text.align_left, size = size.normal,
 
 text =  "Position Size: "   + tostring(strategy.position_size, '#.########') + " "  + syminfo.basecurrency + "\n" +
         "Cash: "            + tostring(Cash, '#.##')                         + " "  + syminfo.currency     + "\n" +
         "Margin: "          + tostring(Margin, '#.##')                       + " "  + syminfo.currency     + "\n" +
         "Floating: "        + tostring(Floating, '#.##')                     + " "  + syminfo.currency     + " / "  
                             + tostring(PercentFloating,  '#.##')             + " %" + "\n" +
         "Realized PnL: "    + tostring(RealizedPnL, '#.##')                  + " "  + syminfo.currency     + " / "  
                             + tostring(PercentRealizedPnL,  '#.##')          + " %" + "\n" +
         "Unrealized PnL: "  + tostring(URealizedPnL, '#.##')                 + " "  + syminfo.currency     + " / "  
                             + tostring(PercentURealizedPnL, '#.##')          + " %")
                             
// Deleting previous labels
label.delete(labelEquity[1])

//█ Backtest & Alerts

// Quantities
QuantityOnLong      = Spot ? (EquityPercent / 100) * ((strategy.equity / close) - strategy.position_size) :
                             (EquityPercent / 100) *  (strategy.equity / close)
QuantityOnClose     = (PositionPercent / 100) * strategy.position_size

// Buy/Long shapes
var bool long = na
if crossover(RsiVwap[1], OverSold) and (time > testPeriodStart)
    label.new(bar_index, OverSold, tostring(Leverage, "#.#") + "X", textcolor = Spot ? na : #9598a1, color = color.new(color.lime, 25), style = label.style_diamond, size = size.tiny)
    long := true
   
// Sell/Closing shapes
if crossunder(RsiVwap[1], OverBought) and (time > testPeriodStart) and not na(long)
    label.new(bar_index, OverBought, color = color.new(color.red, 25),  style = label.style_diamond, size = size.tiny)
   
// Alerts
string BuyMessage   = "q=" + tostring(EquityPercent)   + "% t=market"
string SellMessage  = "q=" + tostring(PositionPercent) + "% t=market"

// (copy and paste on the alert window a message similar to this)
// {{strategy.order.action}} @ {{strategy.order.price}} | e={{exchange}} a=account s={{ticker}} b={{strategy.order.action}} {{strategy.order.alert_message}}

// Market orders on long
if crossover(RsiVwap, OverSold) and (time > testPeriodStart)
    strategy.entry("LONG", strategy.long, qty = QuantityOnLong, alert_message = BuyMessage)

// Market orders on close  
if crossunder(RsiVwap, OverBought)
    strategy.close("LONG", qty_percent = PositionPercent, comment = "CLOSE", alert_message = SellMessage)

// Max Drawdown allowed percent
strategy.risk.max_drawdown(Risk, strategy.percent_of_equity)

// by XaviZ





Dossiers :

Répondu

1
Développeur 1
Évaluation
(22)
Projets
21
10%
Arbitrage
4
25% / 75%
En retard
0
Gratuit
2
Développeur 2
Évaluation
(15)
Projets
19
16%
Arbitrage
5
40% / 40%
En retard
0
Gratuit
3
Développeur 3
Évaluation
(6)
Projets
8
0%
Arbitrage
8
13% / 88%
En retard
0
Gratuit
4
Développeur 4
Évaluation
Projets
0
0%
Arbitrage
1
0% / 0%
En retard
0
Travail
Publié : 27 articles
5
Développeur 5
Évaluation
(37)
Projets
59
27%
Arbitrage
26
19% / 54%
En retard
10
17%
Travail
Publié : 1 code
6
Développeur 6
Évaluation
(295)
Projets
474
39%
Arbitrage
103
41% / 23%
En retard
79
17%
Occupé
Publié : 2 codes
Commandes similaires
TORUNZ 😎 30+ USD
The robot should use different indicators for a example smart money indicator and market structure structure and break indicators in order for it to enter the market, it should also be able to tell false breakouts is the Bollinger indicator, and if the market is confirmed to be profitable,the robot should rebuy or resell the market according to the predictions made, it should execute the trades if the market reverses
I need an advisor created that opens a position with 0.10 lot size when a bull cross arrow appears on the m5 time frame and closes the trade after exactly one candle stick, the ea does the same thing over and over, a bull cross appear on m5 timeframe, and it opens 1 position with 0.10 lot size, and closes it after one candlestick on m5... If possible, provide a demo version
Description I am looking for an experienced MQL5 developer to investigate and fix a suspected memory or resource usage issue in my MT5 Expert Advisor. The EA itself works correctly from a strategy and trading logic perspective . The trading model must remain exactly as it currently operates. I am not looking for any changes or optimisation to the strategy . The goal of this job is purely to identify and fix a
Cash Flow EA 30+ USD
I want a trading robot with proper risk management and good trading strategies it must make money ,place stop loss below the entry and place a take profit no loss only wins mostly trade major
Busco un robot para trading de scalping en oro o forex, el robot debe ser rentable en esos mercados, podemos automatizar mi estrategia basada en medias móviles con estrategia de scalping o bien si él desarollador tiene uno que funcione así y sea rentable podemos ver la opción de un demo o cuenta de lectura para estar seguros de la rentabilidad en el robot
MT4 EA TO TAKE TRADES FROM (A) HYDRA TREND RIDER AND (B) IQ GOLD GANN LEVELS ON MQL5.COM The MT4 version of these two indicators can be found on the mql5.com website with the following links: Hydra Trend Rider: https://www.mql5.com/en/market/product/111010?source=Site +Profile+Seller IQ Gold Gann Levels: https://www.mql5.com/en/market/product/134335?source=Site +Profile+Seller (1) ENTRY (a) Hydra Trend Rider
I have a strategy for US100 where I want a bot to trade according to my strategy, contact me who have proven experience in making bots for MT4 or MT5
Job Description We are looking for an experienced MQL5 developer to build a professional Expert Advisor (EA) for MetaTrader 5 based on a detailed quantitative trading model. The EA will trade XAUUSD (Gold) on the M5 timeframe using a Session Breakout + Fibonacci Retracement strategy with advanced institutional-level filters. The system includes volatility filters, liquidity sweep detection, London session
I need an experienced MQL5 developer to modify my existing MT5 EA by replacing the current entry logic with a new breakout strategy and implementing strict prop-firm safety protections. The EA must behave exactly as specified below. If the final EA does not match the logic described, I will request revisions until it does. SYMBOL AND TIMEFRAME Symbol: USDJPY Timeframe: M15 only TRADING SESSION Trades may only open
I am looking to purchase an existing and profitable Expert Advisor (EA) designed for Gold (XAUUSD) scalping. This is not a request to develop a new EA . I am only interested in a ready system that is already trading profitably on a live account . Requirements • Designed for Gold / XAUUSD • Compatible with MetaTrader 5 (MT5) • Scalping strategy (preferably M1 or M5) • Verified live trading performance (preferably 6

Informations sur le projet

Budget
30 - 50 USD