커뮤니티

예스랭귀지 Q&A

글쓰기
답변완료

적용가능하도록 부탁드립니다.

import HeWhoMustNotBeNamed/ta/1 indicator("포인트 CCI", format=format.price, precision=2, explicit_plot_zorder=true) const string version = "v2.2" const string groupSettings = "Settings "+ version var bullcol = input.color(#E91E63, 'Cold Color', group=groupSettings, inline="col") var bearcol = input.color(#00BCD4, 'Hot Color', group=groupSettings, inline="col") var invisible = color.rgb(0, 0, 0, 100) var bullcol_xlight = color.new(bullcol, 80) var bearcol_xlight = color.new(bearcol, 80) var bullcol_light = color.new(bullcol, 70) var bearcol_light = color.new(bearcol, 70) var bullcol_medium = color.new(bullcol, 60) var bearcol_medium = color.new(bearcol, 60) var shortcol = chart.fg_color var longcol = color.rgb(255,220,100) var pivotcol = color.white const int bull_signal_loc = -107 const int bear_signal_loc = 5 const string mode1 = "1 Oscillator Mode" const string mode2 = "2 Overlay Mode (top and bottom no oscillator)" const string mode3 = "3 Candle Mode" mode = input.string(mode1, "Display Mode", options=[mode1, mode2, mode3], tooltip="Modes 2 & 3 are more advanced and expect that you most likely overlay the indicator on top of price action itself or another indiciator using TradingView's object tree panel.", group=groupSettings) compact = mode == mode2 formula1 = "Standard (2 Period)" formula2 = "Average" formula = input.string(formula1, "Formula", options=[formula1, formula2], group=groupSettings) use_average = formula == formula2 src = input.source(close, "Source", group=groupSettings) threshold = input.int(20, title="Exhaustion Threshold", minval=1, maxval=50, group=groupSettings, tooltip="Sets the overbought/oversold zone size and offset. Lower values will produce less results, higher values towards 50 will produce many results.") smoothType = input.string('ema', title="Smoothing Type", options=['sma', 'ema', 'hma', 'rma', 'wma', 'vwma', 'swma', 'highlow', 'linreg', 'median', 'mom', 'percentrank'], group=groupSettings) average_ma = input.int(3, "Average Formula MA", group=groupSettings) plot_shading = input.bool(true, title="Fill Gradients in OB/OS Zone", group=groupSettings) plot_crosses = input.bool(false, title="Highlight Crossovers", group=groupSettings, tooltip="Experimental idea for plotting crossovers with attempted bull/bear coloring. This needs to be combined with other TA but typically crossover condition results in interesting price action during or after.") plot_zero_crosses = input.bool(false, title="Plot Zero Line Crosses", group=groupSettings, tooltip="Experimental idea for plotting crosses") const string lookbackGroupName = "Dual Signal Setup (Fast/Slow Lookback)" shortLength = input.int(title="Fast Length", defval=30, group=lookbackGroupName) shortSmoothingLength = input.int(7, title="Fast Smoothing Length", group=lookbackGroupName) longLength = input.int(112, title="Slow Length", minval=1, group=lookbackGroupName) longSmoothingLength = input.int(3, title="Slow Smoothing Length", group=lookbackGroupName) _pr(length) => float max = ta.highest(length) float min = ta.lowest(length) 100 * (src - max) / (max - min) float s_percentR = _pr(shortLength) float l_percentR = _pr(longLength) float avg_percentR = math.avg(s_percentR, l_percentR) if shortSmoothingLength > 1 s_percentR := ta.ma(s_percentR, smoothType, shortSmoothingLength) if longSmoothingLength > 1 l_percentR := ta.ma(l_percentR, smoothType, longSmoothingLength) if average_ma > 1 avg_percentR := ta.ma(avg_percentR, smoothType, average_ma) var was_ob = false var was_os = false bool overbought = s_percentR >= -threshold and l_percentR >= -threshold bool oversold = s_percentR <= -100+threshold and l_percentR <= -100+threshold bool ob_reversal = not overbought and overbought[1] bool os_reversal = not oversold and oversold[1] bool ob_trend_start = overbought and not overbought[1] bool os_trend_start = oversold and not oversold[1] bool bool_cross_long1 = ta.crossover(s_percentR, -50) bool bool_cross_long2 = ta.crossover(l_percentR, -50) bool cross_zero_long = bool_cross_long1 or bool_cross_long2 bool bool_cross_short1 = ta.crossunder(s_percentR, -50) bool bool_cross_short2 = ta.crossunder(l_percentR, -50) bool cross_zero_short = bool_cross_short1 or bool_cross_short2 bool zero_long = (s_percentR > -50 and l_percentR > -50) and cross_zero_long bool zero_short = (s_percentR < -50 and l_percentR < -50) and cross_zero_short if use_average // use average overbought := avg_percentR >= -threshold oversold := avg_percentR <= -100+threshold ob_reversal := not overbought and overbought[1] os_reversal := not oversold and oversold[1] ob_trend_start := overbought and not overbought[1] os_trend_start := oversold and not oversold[1] bool cross_bear = ta.crossover(l_percentR, s_percentR) bool cross_bull = ta.crossunder(l_percentR, s_percentR) middle = hline(mode == mode1 ? -50 : na, 'Middle Line', color.orange, hline.style_solid) band1 = hline(mode == mode1 ? -20 : na, 'Overbought Line', color.white, hline.style_solid) band0 = hline(mode == mode1 ? -80 : na, 'Oversold Line', color.white, hline.style_solid) p_fastr = plot(mode == mode1 and not use_average ? s_percentR : na, "Fast Period %R", color=shortcol, linewidth=1) p_slowr = plot(mode == mode1 and not use_average ? l_percentR : na, "Slow Period %R", color=longcol, linewidth=1) p_avgr = plot(mode == mode1 and use_average ? avg_percentR : na, "Average Formula %R", color=shortcol, linewidth=1) gradientBullColor = plot_shading ? color.new(bullcol, 100) : invisible gradientBearColor = plot_shading ? color.new(bearcol, 100) : invisible fill(p_fastr, p_slowr, 0, -30, top_color = color.new(gradientBearColor, 0), bottom_color = gradientBearColor, title = "Overbought Gradient Fill") fill(p_fastr, p_slowr, -70, -100, top_color = gradientBullColor, bottom_color = color.new(gradientBullColor, 0), title = "Oversold Gradient Fill") plotshape(ob_reversal ? bear_signal_loc : na, title="Overbought Trend Reversal ▼", style=shape.triangledown, location=mode == mode1 ? location.absolute : mode == mode3 ? location.abovebar : location.top, color=bullcol, text='', textcolor=invisible, size=size.tiny) plotshape(os_reversal ? bull_signal_loc : na, title="Oversold Trend Reversal ▲", style=shape.triangleup, location=mode == mode1 ? location.absolute : mode == mode3 ? location.belowbar : location.bottom, color=bearcol, text='', textcolor=invisible, size=size.tiny) plotshape(overbought ? bear_signal_loc : na, title="Overbought Trend Warning ■", style=shape.square, location=mode == mode1 ? location.absolute : mode == mode3 ? location.abovebar : location.top, color=bearcol_medium, text='', textcolor=invisible, size=size.tiny) plotshape(oversold ? bull_signal_loc : na, title="Oversold Trend Warning ■", style=shape.square, location=mode == mode1 ? location.absolute : mode == mode3 ? location.belowbar : location.bottom, color=bullcol_medium, text='', textcolor=invisible, size=size.tiny) plotshape(zero_long and plot_zero_crosses ? bear_signal_loc : na, title="Zero Cross Long", style=shape.triangleup, location=mode == mode1 ? location.absolute : mode == mode3 ? location.abovebar : location.top, color=color.yellow, text='', textcolor=invisible, size=size.tiny) plotshape(zero_short and plot_zero_crosses ? bull_signal_loc : na, title="Zero Cross Short", style=shape.triangledown, location=mode == mode1 ? location.absolute : mode == mode3 ? location.belowbar : location.bottom, color=color.yellow, text='', textcolor=invisible, size=size.tiny) plot(not compact and plot_crosses and (cross_bull or cross_bear) ? l_percentR : na, "Crossover Dot (small)", style=plot.style_circles, color=pivotcol, linewidth=4) plot(not compact and plot_crosses and (cross_bull or cross_bear) ? l_percentR : na, "Crossover Dot (big)", style=plot.style_circles, color=cross_bull ? bullcol_light : bearcol_light, linewidth=12) plotchar(ob_trend_start ? bear_signal_loc : na, char="&#9697;", color=bearcol, location=mode == mode1 ? location.absolute : mode == mode3 ? location.abovebar : location.top) plotchar(os_trend_start ? bull_signal_loc : na, char="&#9696;", color=bullcol, location=mode == mode1 ? location.absolute : mode == mode3 ? location.belowbar : location.bottom) varip groupAlerts = "Alerts" bullStartOn = input.bool(true, "Bull trend start &#9209;", group=groupAlerts, inline="bullStart") bullStartTxt = input.string("%RTE bull trend start &#9209;", "", group=groupAlerts, inline="bullStart") bearStartOn = input.bool(true, "Bear trend start &#9209;", group=groupAlerts, inline="bearStart") bearStartTxt = input.string("%RTE bear trend start &#9209;", "", group=groupAlerts, inline="bearStart") bullReversalOn = input.bool(true, "Bull trend break ▼", group=groupAlerts, inline="bullReversal") bullReversalTxt = input.string("%RTE bull trend break ▼", "", group=groupAlerts, inline="bullReversal") bearReversalOn = input.bool(true, "Bear trend break ▲", group=groupAlerts, inline="bearReversal") bearReversalTxt = input.string("%RTE bear trend break ▲", "", group=groupAlerts, inline="bearReversal") bullCrossOn = input.bool(false, "Bull cross &#9210;", group=groupAlerts, inline="bullCross") bullCrossTxt = input.string("Bullish crossover", "", group=groupAlerts, inline="bullCross") bearCrossOn = input.bool(false, "Bear cross &#9210;", group=groupAlerts, inline="bearCross") bearCrossTxt = input.string("Bearish crossover", "", group=groupAlerts, inline="bearCross") if (bullReversalOn and ob_reversal) alert(message="하락전환", freq=alert.freq_once_per_bar_close) else if (bearReversalOn and os_reversal) alert(message="상승전환", freq=alert.freq_once_per_bar_close) const string group_strategy = "Strategy (send external signal to TTS backtester)" bool longDealsEnabled = input.bool(true, "Enable Long Deals", group=group_strategy) bool shortDealsEnabled = input.bool(true, "Enable Short Deals", group=group_strategy) strategy1 = "1 Trend Following @ Square" strategy2 = "2 Reversal @ Square" strategy3 = "3 Reversal Trade @ Triangle" strategy4 = "4 Re-enter Trend Trade @ Triangle" strategy5 = "5 Pings" strategy6 = "6 Zero Line Cross" strategyEntry = input.string(strategy1, "Strategy Entry", options=[strategy1, strategy2, strategy3, strategy4, strategy5, strategy6], group=group_strategy) bool startLongDeal = false bool startShortDeal = false bool endLongDeal = false bool endShortDeal = false switch strategyEntry strategy1 => if ob_trend_start and longDealsEnabled startLongDeal := true else if os_trend_start and shortDealsEnabled startShortDeal := true strategy2 => if os_trend_start and longDealsEnabled startLongDeal := true else if ob_trend_start and shortDealsEnabled startShortDeal := true strategy3 => if ob_reversal and shortDealsEnabled startShortDeal := true else if os_reversal and longDealsEnabled startLongDeal := true strategy4 => if os_reversal and shortDealsEnabled startShortDeal := true else if ob_reversal and longDealsEnabled startLongDeal := true strategy5 => if cross_bull and longDealsEnabled startLongDeal := true else if cross_bear and shortDealsEnabled startShortDeal := true strategy6 => if zero_long and longDealsEnabled startLongDeal := true else if zero_short and shortDealsEnabled startShortDeal := true import jason5480/external_input_utils/6 as exiu float longChannelComp = 10.0 * (startLongDeal ? 2.0 : 0.0) float shortChannelComp = startShortDeal ? 2.0 : 0.0 float signal = longChannelComp + shortChannelComp bool startLongDealDec = exiu.eval_cond(signal, '/10==', 2.0) bool startShortDealDec = exiu.eval_cond(signal, 'mod10==', 2.0) plot(series = signal, title = '&#128268;Signal', color = color.olive, display = display.data_window + display.status_line) showTF = input.bool(true, 'show time frame', inline = '24') showpf = input.bool(true, 'show prefix', inline = '24') showchange = input.bool(false, 'show change %', inline = '24') string i_tableYpos = input.string('top', 'Position', inline = '12', options = ['top', 'middle', 'bottom']) string i_tableXpos = input.string('right', '', inline = '12', options = ['left', 'center', 'right']) size1 = input.string('normal', 'title', inline = '14', options = ['tiny', 'small', 'normal', 'large', 'huge', 'auto']) size3 = input.string('normal', 'change', inline = '14', options = ['tiny', 'small', 'normal', 'large', 'huge', 'auto']) size2 = input.string('normal', 'signature', inline = '14', options = ['tiny', 'small', 'normal', 'large', 'huge', 'auto']) color = input.color(color.rgb(255, 255, 255, 12), 'color') string = input.string('&#129421;차트고릴라', 'your signature') seperator = input.string('/', 'seperator') cahngeClose = request.security(syminfo.tickerid, timeframe.period, close) cur = syminfo.currency base = syminfo.basecurrency exchange = syminfo.prefix getTimeFrame() => tf = timeframe.multiplier tfstr = '' if timeframe.isseconds tfstr := 's' tfstr if timeframe.isminutes if tf >= 60 tf := tf / 60 tfstr := 'h' tfstr else tfstr := 'm' tfstr if timeframe.isdaily tfstr := 'D' tfstr if timeframe.isweekly tfstr := 'W' tfstr if timeframe.ismonthly tfstr := 'M' tfstr [tfstr, str.tostring(tf)] var table table1 = table.new(i_tableYpos + '_' + i_tableXpos, 4, 1) if barstate.islast str1 = base != '' ? base + seperator + cur : syminfo.ticker [tf, period] = getTimeFrame() change = math.round((cahngeClose[0] / cahngeClose[1] - 1) * 100, 2) changeStr = '' if change > 0 changeStr := '▲' + str.tostring(math.abs(change)) + '%' changeStr else changeStr := '▼' + str.tostring(math.abs(change)) + '%' changeStr table.cell(table1, 0, 0, showpf ? exchange : '', text_color = color, width = 0, text_size = size2) table.cell(table1, 1, 0, str1 + (showTF ? ' ' + period + tf : ''), width = 0, text_color = color, text_size = size1) table.cell(table1, 3, 0, showchange ? changeStr : '', width = 0, text_color = change > 0 ? color.green : color.red, text_size = size3) table.cell(table1, 2, 0, string, text_color = color, width = 0, text_size = size3)
프로필 이미지
다올
2025-07-02
369
글번호 192241
지표
답변완료

변환 부탁드립니다.

적용가능하도록 부탁드립니다. -------------아래부터 복사하세요------------- //@version=6 indicator('TVM CCI', overlay = false, precision = 2) // ───── Input Parameters ───── length_low = input.int(72, "Slow CCI Length") length_high = input.int(36, "Fast CCI Length") refit_interval = input.int(50, "Volatility Refit Interval") vol_period = input.int(20, "Current Volatility Period") vol_smooth_len = input.int(5, "Volatility Smoothing Length") bull_col = input.color(color.green, title="Bullish Color") bear_col = input.color(color.red, title="Bearish Color") // ───── CCI-based Oscillator with Clipping ───── cci_oscillator(src, length) => raw = ta.cci(src, length) clipped = math.max(math.min(raw, 100), -100) normalized = clipped / 200 + 0.5 normalized // ───── Volatility Calculations ───── returns = close / close[1] - 1 vol_current_raw = ta.stdev(returns, vol_period) vol_current_smoothed = ta.sma(vol_current_raw, vol_smooth_len) // ───── Volatility History Management ───── var array<float> vola = array.new<float>() if not na(vol_current_raw) array.push(vola, vol_current_raw) if array.size(vola) > 150 array.shift(vola) // ───── Volatility Clustering ───── cluster(arr) => if array.size(arr) < 10 [na, na] else median = array.median(arr) sum_low = 0.0 count_low = 0 sum_high = 0.0 count_high = 0 for i = 0 to array.size(arr) - 1 val = array.get(arr, i) if val < median sum_low += val count_low += 1 else sum_high += val count_high += 1 low_avg = count_low > 0 ? sum_low / count_low : na high_avg = count_high > 0 ? sum_high / count_high : na [low_avg, high_avg] // ───── Volatility Regime Variables (with type) ───── var float cluster_1 = na var float cluster_2 = na var float last_refit_bar = na var int vol_regime = na if bar_index - last_refit_bar >= refit_interval and array.size(vola) >= 150 [c1, c2] = cluster(vola) if not na(c1) and not na(c2) cluster_1 := na(cluster_1) ? c1 : cluster_1 + 0.1 * (c1 - cluster_1) cluster_2 := na(cluster_2) ? c2 : cluster_2 + 0.1 * (c2 - cluster_2) last_refit_bar := bar_index if cluster_1 > cluster_2 temp = cluster_1 cluster_1 := cluster_2 cluster_2 := temp if not na(vol_current_smoothed) and not na(cluster_1) and not na(cluster_2) mid = (cluster_1 + cluster_2) / 2 vol_regime := vol_current_smoothed < mid ? 0 : 1 // ───── Oscillator S e l e c t i o n ───── osc_low = cci_oscillator(close, length_low) osc_high = cci_oscillator(close, length_high) relevant_osc = vol_regime == 1 ? osc_high : osc_low // ───── Trend Regime Detection ───── var int trend_regime = na trend_regime := relevant_osc > 0.75 ? 1 : relevant_osc < 0.25 ? -1 : 0 // ───── Plots ───── hline(0.5, "Mid", color=color.gray, linestyle=hline.style_dashed) zero = plot(-0.2, display=display.none) top = plot(1.2, display=display.none) plot_osc_low = plot(osc_low, title="Slow CCI", color=osc_low >= 0.5 ? bull_col : bear_col, linewidth=1) plot_osc_high = plot(osc_high, title="Fast CCI", color=osc_high >= 0.5 ? bull_col : bear_col, linewidth=1) fill(plot_osc_low, plot_osc_high, color=osc_low >= 0.5 ? color.new(bull_col, 85) : color.new(bear_col, 85)) bullish_shift = trend_regime == 1 and trend_regime[1] != 1 bearish_shift = trend_regime == -1 and trend_regime[1] != -1 plotshape(bullish_shift ? 1.2 : na, title="Bullish Shift", location=location.absolute, color=color.new(bull_col, 0), style=shape.triangleup, size=size.tiny, offset=-1) plotshape(bearish_shift ? -0.2 : na, title="Bearish Shift", location=location.absolute, color=color.new(bear_col, 0), style=shape.triangledown, size=size.tiny, offset=-1) bg = trend_regime == 1 ? color.new(bull_col, 90) : trend_regime == -1 ? color.new(bear_col, 90) : na fill(top, zero, color=bg) // ───── Trend Table ───── var table regimeTable = table.new(position.top_right, 1, 1) if barstate.islast txt = trend_regime == 1 ? "semi-line" : trend_regime == -1 ? "semi-line" : "Neutral" bgc = trend_regime == 1 ? color.new(bull_col, 20) : trend_regime == -1 ? color.new(bear_col, 20) : color.new(color.gray, 20) table.cell(regimeTable, 0, 0, txt, bgcolor=bgc, text_color=color.white, text_size=size.small)
프로필 이미지
다올
2025-07-02
284
글번호 192240
지표
답변완료

93403 재문의

안녕하세요? 스윙하이들 또는 스윙로우들이 너무 따닥따닥 붙어서 발생하는 것은 무시하기 위해서 input: n(10)봉 이상의 간격을 두고 스윙들이 발생하는 것만 인정하고 싶은데, 이 부분은 아직 수식에 반영되지 않은 것 같습니다. 감사합니다.
프로필 이미지
에구머니
2025-07-02
186
글번호 192239
지표
답변완료

검색식 부탁 드려요

어제보다 상승한 종목(일봉) 검색식 부탁드려요.
프로필 이미지
일지매7
2025-07-02
212
글번호 192238
종목검색
답변완료

체결강도 갭보정 수식

수고가 많으십니다 아침 장개시 할때 아래의 수식(체결강도) 갭보정 수식 부탁드립니다. input : P1(5),p2(20),p3(60); var : mav1(0),mav2(0),mav3(0); var1 = AccumN(Upvol,DayIndex+1)/accumn(downvol,DayIndex+1)*100; mav1 = ma(var1,p1); mav2 = ma(var1,p2); mav3 = ma(var1,p3); Plot1(mav1,"이평1",IFf(mav1>mav1[1],Magenta,Lime)); Plot2(mav2,"이평2",IFf(mav2>mav2[1],Red,Blue)); Plot3(mav3,"이평3",IFf(mav3>mav3[1],Red,Blue)); PlotBaseLine2(100, "기준선"); PlotBaseLine1(105, "기준선105"); PlotBaseLine3(95, "기준선95"); 수고하세요.
프로필 이미지
나도부자1
2025-07-02
233
글번호 192237
지표
답변완료

문의드립니다.

아래의 트레이딩뷰 수식을 변경 부탁드립니다. =================== indicator(shorttitle="[-_-] VCATR", title="[-_-] Volatility Calibrated ATR", overlay=true) src = input.source(close, "Source") atr_factor = input.float(5.0, "ATR Factor", minval=0.25, step=0.25) // For standard deviation d = 20 n = 20 // Volatility function vol_f() => x = math.exp(ta.stdev(math.log(close / close[1]), n) * d) y = src * math.pow(x, 2) z = src / math.pow(x, 2) ta.stoch(close, y, z, n) // ATR atr_f(length) => sum = 0.0 tr = math.max(high - low, math.abs(high - close[1]), math.abs(low - close[1])) sum := (tr + (length - 1) * nz(sum[1])) / length sum // Calibrator function main_f(source, atr_factor) => var bool uptrend = true var float max = src var float min = src var float stop = 0.0 vol = vol_f() len = math.max(1, math.min(2000, math.abs(int(106 * (na(vol) ? 1 : vol / 100))))) atr = atr_f(len) atrM = ta.wma(atr, len) * atr_factor - ta.stdev(atr, len) max := math.max(max, src) min := math.min(min, src) stop := nz(uptrend ? math.max(stop, max - atrM) : math.min(stop, min + atrM), src) uptrend := src - stop >= 0.0 if uptrend != nz(uptrend[1], true) max := src min := src stop := uptrend ? max - atrM : min + atrM [stop, uptrend] // Request Heikin Ashi data [stop, uptrend] = request.security(ticker.heikinashi(syminfo.tickerid), timeframe.period, main_f(src, atr_factor)) // Conditions down = uptrend != uptrend[1] and not uptrend up = uptrend != uptrend[1] and uptrend // Drawings plotshape(down, style=shape.square, color=color.red, size=size.tiny, title="Downtrend begins") plotshape(up, style=shape.square, color=color.green, size=size.tiny, location=location.belowbar, title="Uptrend begins") plot(stop, color=uptrend ? color.new(color.green, 50) : color.new(color.red, 50), linewidth=2, title="Volatility Calibrated ATR") ==================== 항상 감사드립니다. 수고하세요!!!
프로필 이미지
해암
2025-07-02
257
글번호 192232
지표
답변완료

부탁합니다.

입력값은 기간 : 5 , 중심 : ma(C,10) 수식은 M=eavg(C,기간); if(중심 <M , M, 중심); 1.지표수식으로 2.종목검색식으로 종가가 위의 수식 상향 돌파시 검색할 수 있도록 부탁드립니다.
프로필 이미지
bw
2025-07-02
233
글번호 192231
종목검색
답변완료

문의 드립니다.

아래식에서 20이평을 기준으로 하고자 합니다. 20이평 위이면 매수 적용 20이평 아래면 매도 적용 부탁드립니다. if c > o Then Buy(); if c < o Then ExitLong(); if c < o Then Sell(); if c > o Then ExitShort();
프로필 이미지
선물대장
2025-07-02
213
글번호 192226
시스템
답변완료

문의드립니다

안녕하세요? 현재발생하는 신호위치에서 1봉이전에 발생하도록 부탁드립니다 감사합니다 input : length(15); input : show_levl(true); var : up(0),dn(0),A(0),emaValue(0),correction(0),zlma(0); var : signalUp(False),signalDn(False),zlma_color(0),ema_col(0); var : TOP(0),BTM(0),box(0),tx(0),tx1(0),check_signals(False); up = Green; dn = Blue; #var box1 = box(na) // Variable to store the box a = atr(200); emaValue = ema(close, length); correction = close + (close - emaValue); zlma = ema(correction, length); signalUp = CrossUp(zlma, emaValue); signalDn = CrossDown(zlma, emaValue); zlma_color = iff(zlma > zlma[3] , up , iff(zlma < zlma[3] , dn , Nan)); ema_col = iff(emaValue < zlma , up , dn); //plot1(zlma, "ZLMA",zlma_color); // Plot ZLMA /// if signalUp Then { Top = zlma; BTM = zlma-A; // box = box_new(sDate,sTime,Top,NextBarSdate,NextBarStime,BTM); //Box_SetColor(box,up); //Box_SetFill(box,true); var3 = (Top+BTM)/2; // tx = Text_New(NextBarSdate,NextBarStime,var3,NumToStr(C,2)); Text_SetStyle(tx,1,2); } else if signalDn Then { Top = zlma+A; BTM = zlma; // box = box_new(sDate,sTime,Top,NextBarSdate,NextBarStime,BTM); // Box_SetColor(box,dn); //Box_SetFill(box,true); var3 = (Top+BTM)/2; // tx = Text_New(NextBarSdate,NextBarStime,var3,NumToStr(C,2)); Text_SetStyle(tx,1,2); } Else { // Box_SetEnd(box,sDate,sTime,BTM); // Text_SetLocation(tx,sDate,sTime,var3); } check_signals = signalUp or signalDn; if CrossUp(low, Top) and emaValue < zlma Then buy(); if CrossDown(high, BTM) and emaValue > zlma Then Sell();
프로필 이미지
새벽에
2025-07-02
226
글번호 192223
시스템
답변완료

지표수식값

안녕 하십닌까 .. macd 수식을 키움과 예스트레이더에 아래 수식값을 넣으려 하는데 어떻게 변경하면 될까요 macd + 200ema //@version=5 indicator(title=macd+200ema",timeframe="",timeframe_gaps=true) // getting inputs fast_length = input(title = "fast length", defval =12) slow_length = input(title = "slow length", defval =26) src = input(title = "source" , defval =close) signal_length = input.int(title ="signal smoothing",minval=1,maxval=50, defval = 9 , display = display.data_windows) sma_source = input.string(title=:oscillator ma type",defval= "ema", options = [ "sma", "ema"],display = display.data_windows) sma_signal=input.string(title = "signal line ma type",defval = "ema", option=[ "sma", "ema"],display = display.data_windows) // calculating
프로필 이미지
bori
2025-07-02
235
글번호 192222
사용자 함수