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
(297)
Projets
476
40%
Arbitrage
105
40% / 24%
En retard
81
17%
Occupé
Publié : 2 codes
Commandes similaires
I need a mt5 expert advisor as shown in the youtube video. The expert advisor need to work with three digit broker i.e. exness also with two digit broker i.e. vantage. Please specify the settings for both type of brokers. I need same result as shown in the youtube video. Video link is https://www.youtube.com/watch?v=ndVQD7iS1-A
You can control via Telegram: /start - enable bot, begin trading, /stop - end trading, disable bot /status - trade status Bot requirements: • Automated trading throughout the day until 00:00 UTC (Moscow time) (I do not want to trade or turn the bot on 100 times a day). • Auto shutdown of the bot in Telegram at 00:00 UTC (Moscow time) and manual restart when convenient. • Market analysis 24/5 using 20 EMA, RSI, and
I am seeking an alert-only EA. An EA that will follow all the rules but not execute a trade. As this is a repeat posting I am seeking the successful technician - Xiro from Vietnam. Thanks Karl
Looking for a trading bot / Expert Advisor that wont make dozens of small successful trades and then one or two unsuccessful trades that wipes out your account Requirements: - MT4 capable - Use on the major currency pairs - although open to other currency pairs - Be successful in monetary terms not necessarily in how many successful trades
I need a MT5 Prop firm challenge passing EA with strict prop firm rules compliance. Any strategy can be used but win rate should be above 70%. It should have high impact news filter and a dashboard panel to monitor daily drawdown, target profit, current balance, etc. It should not have martingale, grid, hedging, etc
Hello Developers I have a Project to get done! i have a simple strategy can you please create the automated forex ea to execute my trading strategy? i need custom ea for tradingview and mt4/mt5 correction: i need a tradingview indicator created that tells me when to buy or sell. and ea in mt4/mt5
Mam kody EA Bot. Chciałbym je dokończyć, dopracować i ukończyć projekty. Chciałbym otrzymać pliki SET po ukończeniu EA. Jeśli jesteś zainteresowany, skontaktuj się ze mną. Szukam doświadczonego programisty do stworzenia dedykowanego doradcy eksperckiego (EA) do tradingu. Programista powinien posiadać solidną wiedzę z zakresu MT5, logiki strategii, wskaźników, zarządzania ryzykiem i backtestingu. Doświadczenie w
I am looking for an experienced developer to create a custom Expert Advisor (EA) for trading. The developer should have strong knowledge of MT4/MT5, strategy logic, indicators, risk management, and backtesting. Experience in building reliable and professional trading robots is preferred. Please contact me if you have done similar projects before. 9817724000
I need a skilled MQL5 developer to build a fully functional Expert Advisor (EA) for MetaTrader 5 based on a simple but strict trading strategy. The EA will use EMA 50/200 trend detection combined with breakout and retest logic for entries. It must operate only during London and New York sessions and include solid risk management (fixed % risk, SL/TP, trade limits, and basic protection rules). APPLY ONLY IF YOU HAVE
VWAP BB Sniper EA Quantum VWAP Scalper SmartFlow FX Bot Institutional Edge EA 🧠 PRODUCT OVERVIEW VWAP + Bollinger Bands Auto Trading System A high-precision forex scalping bot designed to capture institutional price movements using: VWAP (fair value tracking) Bollinger Bands (volatility & entry timing) 👉 Built for fast, consistent intraday profits

Informations sur le projet

Budget
30 - 50 USD