Volatility Traders Minds Strategy ( VTM Strategy)

MQL5 전문가

작업 종료됨

실행 시간 10 일
고객의 피드백
super code writer. will send different sample lines until you have achieved what you wanted. I strongly recommend
피고용인의 피드백
Great customer. Sociability at the highest level, often online. Nice to work with him. Thanks for your order

명시

 Traders Minds Strategy ( Strategy)

    Conditions for entry:
1 - Candles must to be above or bellow the 48 MA (Yellow line)
2 - Candles must to break the middle of  bollinger bands
3 -  Macd must to be above or bellow zero level;

4 -  ADX must to be above 25 level




For Buys:
1. Price must be above 48 Ema
2. Candle must close above middle bollinger band
3. Macd must be above 0 at the time candle closed above middle band OR can wait until 2nd candle to close above 0 if it’s below 0 at the time candle closed above middle band. (Otherwise don’t take trade)
4. ADX must be above 25 level

-Close trade when candle closes above upper band (TP)
-Close trade when candle closes below middle band (SL)

For Sells:
1. Price must be below 48 Ema
2. Candle must close below middle bollinger band
3. Macd must be below 0 at the time candle closed Below middle band OR can wait until 2nd candle to close below 0 if it’s above 0 at the time candle closed below middle band. (Otherwise don’t take trade)
4. ADX must be above 25 level
-Close trade when candle closes below lower band (TP)
-Close trade when candle closes above middle band (SL)





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

// © 03.freeman

//Volatility Traders Minds Strategy (VTM Strategy)

//I found this startegy on internet, with a video explaingin how it works.

//Conditions for entry:

//1 - Candles must to be above or bellow the 48 MA (Yellow line)

//2 - Candles must to break the middle of bollinger bands

//3 - Macd must to be above or bellow zero level;

//4 - ADX must to be above 25 level

//@version=4

strategy("Volatility Traders Minds Strategy (VTM Strategy)", shorttitle="VTM",overlay=true)

source = input(close)

//MA

ma48 = sma(source,48)

//MACD

fastLength = input(7)

slowlength = input(9)

MACDLength = input(7)


MACD = ema(source, fastLength) - ema(source, slowlength)

aMACD = ema(MACD, MACDLength)

delta = MACD - aMACD


//BB


length = input(20, minval=1)

mult = input(2.0, minval=0.001, maxval=50)


basis = sma(source, length)

dev = mult * stdev(source, length)


upper = basis + dev

lower = basis - dev


//ADX

adxThreshold = input(title="ADX Threshold", type=input.integer, defval=25, minval=1)

adxlen = input(14, title="ADX Smoothing")

dilen = input(14, title="DI Length")

dirmov(len) =>

up = change(high)

down = -change(low)

plusDM = na(up) ? na : (up > down and up > 0 ? up : 0)

    minusDM = na(down) ? na : (down > up and down > 0 ? down : 0)

truerange = rma(tr, len)

plus = fixnan(100 * rma(plusDM, len) / truerange)

minus = fixnan(100 * rma(minusDM, len) / truerange)

[plus, minus]


adx(dilen, adxlen) =>

[plus, minus] = dirmov(dilen)

sum = plus + minus

adx = 100 * rma(abs(plus - minus) / (sum == 0 ? 1 : sum), adxlen)


sig = adx(dilen, adxlen)


//  Strategy: (Thanks to JayRogers)

// === STRATEGY RELATED INPUTS ===

//tradeInvert     = input(defval = false, title = "Invert Trade Direction?")

// the risk management inputs

inpTakeProfit   = input(defval = 0, title = "Take Profit Points", minval = 0)

inpStopLoss     = input(defval = 0, title = "Stop Loss Points", minval = 0)

inpTrailStop    = input(defval = 0, title = "Trailing Stop Loss Points", minval = 0)

inpTrailOffset  = input(defval = 0, title = "Trailing Stop Loss Offset Points", minval = 0)


// === RISK MANAGEMENT VALUE PREP ===

// if an input is less than 1, assuming not wanted so we assign 'na' value to disable it.

useTakeProfit   = inpTakeProfit  >= 1 ? inpTakeProfit  : na

useStopLoss     = inpStopLoss    >= 1 ? inpStopLoss    : na

useTrailStop    = inpTrailStop   >= 1 ? inpTrailStop   : na

useTrailOffset  = inpTrailOffset >= 1 ? inpTrailOffset : na


// === STRATEGY - LONG POSITION EXECUTION ===

enterLong() => close>ma48 and close>basis and delta>0 and sig>adxThreshold  // functions can be used to wrap up and work out complex conditions

//exitLong() => jaw>teeth or jaw>lips or teeth>lips

strategy.entry(id = "Buy", long = true, when = enterLong() )    // use function or simple condition to decide when to get in

//strategy.close(id = "Buy", when = exitLong() )                  // ...and when to get out


// === STRATEGY - SHORT POSITION EXECUTION ===

enterShort() => close<ma48 and close<basis and delta<0 and sig>adxThreshold

//exitShort() => jaw<teeth or jaw<lips or teeth<lips

strategy.entry(id = "Sell", long = false, when = enterShort())

//strategy.close(id = "Sell", when = exitShort() )


// === STRATEGY RISK MANAGEMENT EXECUTION ===

// finally, make use of all the earlier values we got prepped

strategy.exit("Exit Buy", from_entry = "Buy", profit = useTakeProfit, loss = useStopLoss, trail_points = useTrailStop, trail_offset = useTrailOffset)

strategy.exit("Exit Sell", from_entry = "Sell", profit = useTakeProfit, loss = useStopLoss, trail_points = useTrailStop, trail_offset = useTrailOffset)


// === Backtesting Dates === thanks to Trost


testPeriodSwitch = input(false, "Custom Backtesting Dates")

testStartYear = input(2020, "Backtest Start Year")

testStartMonth = input(1, "Backtest Start Month")

testStartDay = input(1, "Backtest Start Day")

testStartHour = input(0, "Backtest Start Hour")

testPeriodStart = timestamp(testStartYear,testStartMonth,testStartDay,testStartHour,0)

testStopYear = input(2020, "Backtest Stop Year")

testStopMonth = input(12, "Backtest Stop Month")

testStopDay = input(31, "Backtest Stop Day")

testStopHour = input(23, "Backtest Stop Hour")

testPeriodStop = timestamp(testStopYear,testStopMonth,testStopDay,testStopHour,0)

testPeriod() =>

    time >= testPeriodStart and time <= testPeriodStop ? true : false

isPeriod = testPeriodSwitch == true ? testPeriod() : true

// === /END


if not isPeriod

    strategy.cancel_all()

    strategy.close_all()

응답함

1
개발자 1
등급
(199)
프로젝트
287
52%
중재
0
기한 초과
1
0%
무료
2
개발자 2
등급
(137)
프로젝트
167
35%
중재
11
91% / 0%
기한 초과
0
무료
3
개발자 3
등급
(563)
프로젝트
932
47%
중재
302
59% / 25%
기한 초과
124
13%
로드됨
4
개발자 4
등급
(463)
프로젝트
523
33%
중재
29
38% / 41%
기한 초과
7
1%
바쁜
5
개발자 5
등급
(20)
프로젝트
29
55%
중재
0
기한 초과
0
무료
6
개발자 6
등급
프로젝트
0
0%
중재
2
0% / 100%
기한 초과
0
무료
비슷한 주문
Profitable EA HFT 50 - 300 USD
From a long time i am searching for a profitable EA i have lost a lot , and now i have only 300$ to buy a profitable EA , i wish to say with 0 losses but some or most traders they don't want to hear this i am really tired of searching for a programmer to just create me a profitable EA with the least losses or zero losses maybe nearly 1 year i am searching i just need an HFT EA that can work very well on MT4,MT5
I need help fixing my EA for MT5. It’s a very simple EA, and I currently cannot solve an issue where webrequest communicates with OpenAi API without error. Please only apply if you can help solve this issue
Hello The EA will work on particular zone choose by the user and can mark it on any TF and with some rules can open trades and mange the trade by some unique rules. the EA need to check the difference by RSI as well and with some extra rules . developer should have good attitude and good communication (englsih) with high performence and knowledge with coding EA. # MANUAL ZONE MARKING # THREE TYPES OF ENTRIES (
p.p1 {margin: 0.0px 0.0px 12.0px 0.0px; font: 14.0px 'Trebuchet MS'; color: #313131} p.p1 {margin: 0.0px 0.0px 12.0px 0.0px; font: 14.0px 'Trebuchet MS'; color: #313131} li.li1 {margin: 0.0px 0.0px 12.0px 0.0px; font: 14.0px 'Trebuchet MS'; color: #313131} ol.ol1 {list-style-type: decimal} I have an EA that open trades when my entry conditions are met. It usually executes one trade per day. I'd like to add an option
у нас есть стратегия, нам нужно написать mql5-код ​​для тестера стратегий МТ5,Цена договорная. Мой контакт @abbosaliyev из Telegram Программист должен знать РУССКИЙ ИЛИ УЗБЕКСКИЙ язык. Задание: разработать тестер, который использует шаблон условий на открытие и проверит весь исторический график на всех доступных таймфреймах. Остальная информация будет предоставлена ​​после согласования цены
a coder is required to add an indicator to existing ea The new indicator will work as 1. option to combine with exiting indicator to open trade 2. it will be used as alternative BE point 3. It can also be used to close order or combine with other to close trade The second Job is telegram bot to get alert fr news trade and others Details when you apply i will test the ea work on live market and all bug is fixed before
Hello, I want to make an EA based on SMC and a developer that is familiar with the concept and full understanding of this. Must have done similar jobs before and be able show it. I only want to work with developer that has good track record and is precise. Further information will be handed when contact is made. Developers that has zero rating will not be considered. Listed price is a base point. The project can also
EA DEJA FABRIQUE ? MODIFIER QUELQUE LIGNE POUR LE RENDRE RENTABLE /////////////////////++++++++++++++++++++++++++++++++++ EA AVEC UN SYTEME SIMPLE ; SEULEMENT A MODIFIER %%%%%%%%%%%%%%%%%% SI PERSONNE SACHANT CODER CORRECTEMENT , CE TRAVAIL EST POUR TOI
Trade methodology based on Red and Green lines entering Overbought / Oversold zone. Using confluence of Higher time frame, Moving Average a trade can enter when there is a strong slope angle. Market Base Line is used to determine overall market sentiment. This is designed to be an established trend scalping strategy on lower time frames. To be used initially on demo then real account when settings have been fine
:::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::::: function (A) Add Transform combine the 4 Expert Advisors into just 1 Expert Advisor, maintaining the individuality of each one Leave in extern (false) or (true)

프로젝트 정보

예산
50+ USD
VAT (22%): 11 USD
총: 61 USD
개발자에게
45 USD
기한
 31 일