name
stringlengths
1
64
url
stringlengths
44
135
author
stringlengths
3
30
author_url
stringlengths
34
61
likes_count
int64
0
33.2k
kind
stringclasses
3 values
pine_version
int64
1
5
license
stringclasses
3 values
source
stringlengths
177
279k
CVD - Cumulative Volume Delta Candles (old version)
https://www.tradingview.com/script/HXiW4npt-CVD-Cumulative-Volume-Delta-Candles-old-version/
Binh_Vu
https://www.tradingview.com/u/Binh_Vu/
30
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© TradingView //@version=5 indicator("CVD - Cumulative Volume Delta Candles", "CVD Candles", format = format.volume) // CVD - Cumulative Volume Delta Candles // v6, 2022.11.19 // This code was written using the recommendations from the Pine Scriptβ„’ User Manual's Style Guide: // https://www.tradingview.com/pine-script-docs/en/v5/writing/Style_guide.html import PineCoders/Time/2 as PCtime import PineCoders/lower_tf/3 as PCltf import TradingView/ta/4 as TVta // β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€” Constants and Inputs { // β€”β€”β€”β€”β€” Constants int MS_IN_MIN = 60 * 1000 int MS_IN_HOUR = MS_IN_MIN * 60 int MS_IN_DAY = MS_IN_HOUR * 24 // Default colors color GRAY = #808080ff color LIME = #00FF00ff color MAROON = #800000ff color ORANGE = #FF8000ff color PINK = #FF0080ff color TEAL = #008080ff color BG_DIV = color.new(ORANGE, 90) color BG_RESETS = color.new(GRAY, 90) // Reset conditions string RST1 = "None" string RST2 = "On a stepped higher timeframe" string RST3 = "On a fixed higher timeframe..." string RST4 = "At a fixed time..." string RST5 = "At the beginning of the regular session" string RST6 = "At the first visible chart bar" string RST7 = "On trend changes..." // Trends string TR01 = "Supertrend" string TR02 = "Aroon" string TR03 = "Parabolic SAR" // Volume Delta calculation mode string VD01 = "Volume Delta" string VD02 = "Volume Delta Percent" // Realtime calculation modes string RT1 = "Intrabars (same as on historical bars)" string RT2 = "Chart updates" // Intrabar precisions string LTF1 = "Covering most chart bars (least precise)" string LTF2 = "Covering some chart bars (less precise)" string LTF3 = "Covering less chart bars (more precise)" string LTF4 = "Very precise (2min intrabars)" string LTF5 = "Most precise (1min intrabars)" string LTF6 = "~12 intrabars per chart bar" string LTF7 = "~24 intrabars per chart bar" string LTF8 = "~50 intrabars per chart bar" string LTF9 = "~100 intrabars per chart bar" string LTF10 = "~250 intrabars per chart bar" // Tooltips string TT_RST = "This is where you specify how you want the cumulative volume delta to reset. If you select one of the last three choices, you must also specify the relevant additional information below." string TT_RST_HTF = "This value only matters when '" + RST3 +"' is selected." string TT_RST_TIME = "Hour: 0-23\nMinute: 0-59\nThese values only matter when '" + RST4 +"' is selected. A reset will occur when the time is greater or equal to the bar's open time, and less than its close time." string TT_RST_TREND = "These values only matter when '" + RST7 +"' is selected.\n For Supertrend, the first value is the length of ATR, the second is the factor. For Aroon, the first value is the lookback length." string TT_TOTVOL = "Total volume can only be displayed when '" + VD01 +"' is selected as the Volume Delta Calculation mode.\n\n The 'Bodies' value is the transparency of the total volume candle bodies. Zero is opaque, 100 is transparent." string TT_LINE = "This plots a line at the `close` values of the CVD candles. You can use it instead of the CVD candles." string TT_LTF = "Your selection here controls how many intrabars will be analyzed for each chart bar. The more intrabars you analyze, the less chart bars will be covered by the indicator's calculations because a maximum of 100K intrabars can be analyzed.\n\n With the first four choices the quantity of intrabars is determined from the type of chart bar coverage you want. The last four choices allow you to select approximately how many intrabars you want analyzed per chart bar." string TT_MA = "This plots the running average of CVD from its last reset. The 'Length' period only applies when CVD does not reset, i.e., the reset is 'None'." // β€”β€”β€”β€”β€” Inputs string resetInput = input.string(RST2, "CVD Resets", inline = "00", options = [RST1, RST2, RST5, RST6, RST3, RST4, RST7], tooltip = TT_RST) string fixedTfInput = input.timeframe("D", "  Fixed higher timeframe:", tooltip = TT_RST_HTF) int hourInput = input.int(9, "  Fixed time: Hour", inline = "01", minval = 0, maxval = 23) int minuteInput = input.int(30, "Minute", inline = "01", minval = 0, maxval = 59, tooltip = TT_RST_TIME) string trendInput = input.string(TR01, "  Trend: ", inline = "02", options = [TR02, TR03, TR01]) int trendPeriodInput = input.int(14, " Length", inline = "02", minval = 2) float trendValue2Input = input.float(3.0, "", inline = "02", minval = 0.25, step = 0.25, tooltip = TT_RST_TREND) string ltfModeInput = input.string(LTF3, "Intrabar precision", inline = "03", options = [LTF1, LTF2, LTF3, LTF4, LTF5, LTF6, LTF7, LTF8, LTF9, LTF10], tooltip = TT_LTF) string vdCalcModeInput = input.string(VD01, "Volume Delta Calculation", inline = "04", options = [VD01, VD02]) string GRP1 = "Visuals" bool showCandlesInput = input.bool(true, "CVD candles", inline = "11", group = GRP1) color upColorInput = input.color(LIME, "β€ƒπŸ‘‘", inline = "11", group = GRP1) color dnColorInput = input.color(PINK, "πŸ‘“", inline = "11", group = GRP1) bool colorDivBodiesInput = input.bool(true, "Color CVD bodies on divergences ", inline = "12", group = GRP1) color upDivColorInput = input.color(TEAL, "πŸ‘‘", inline = "12", group = GRP1) color dnDivColorInput = input.color(MAROON, "πŸ‘“", inline = "12", group = GRP1) bool showTotVolInput = input.bool(false, "Total volume candle borders", inline = "13", group = GRP1) color upTotVolColorInput = input.color(TEAL, "πŸ‘‘", inline = "13", group = GRP1) color dnTotVolColorInput = input.color(MAROON, "πŸ‘“", inline = "13", group = GRP1) int totVolBodyTranspInput = input.int(80, "bodies", inline = "13", group = GRP1, minval = 0, maxval = 100, tooltip = TT_TOTVOL) bool showLineInput = input.bool(false, "CVD line", inline = "14", group = GRP1) color lineUpColorInput = input.color(LIME, "β€ƒπŸ‘‘", inline = "14", group = GRP1) color lineDnColorInput = input.color(PINK, "πŸ‘“", inline = "14", group = GRP1, tooltip = TT_LINE) bool showMaInput = input.bool(false, "CVD MA", inline = "15", group = GRP1) color maUpColorInput = input.color(TEAL, "β€ƒβ€‡πŸ‘‘", inline = "15", group = GRP1) color maDnColorInput = input.color(MAROON, "πŸ‘“", inline = "15", group = GRP1) int maPeriodInput = input.int(20, " Length", inline = "15", group = GRP1, minval = 2, tooltip = TT_MA) bool bgDivInput = input.bool(false, "Color background on divergences ", inline = "16", group = GRP1) color bgDivColorInput = input.color(BG_DIV, "", inline = "16", group = GRP1) bool bgResetInput = input.bool(true, "Color background on resets ", inline = "17", group = GRP1) color bgResetColorInput = input.color(BG_RESETS, "", inline = "17", group = GRP1) bool showZeroLineInput = input.bool(true, "Zero line", inline = "18", group = GRP1) bool showInfoBoxInput = input.bool(true, "Show information box ", group = GRP1) string infoBoxSizeInput = input.string("small", "Size ", inline = "19", group = GRP1, options = ["tiny", "small", "normal", "large", "huge", "auto"]) string infoBoxYPosInput = input.string("bottom", "↕", inline = "19", group = GRP1, options = ["top", "middle", "bottom"]) string infoBoxXPosInput = input.string("left", "↔", inline = "19", group = GRP1, options = ["left", "center", "right"]) color infoBoxColorInput = input.color(color.gray, "", inline = "19", group = GRP1) color infoBoxTxtColorInput = input.color(color.white, "T", inline = "19", group = GRP1) // } // β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€” Functions { // @function Determines if the volume for an intrabar is up or down. // @returns ([float, float]) A tuple of two values, one of which contains the bar's volume. `upVol` is the volume of up bars. `dnVol` is the volume of down bars. // Note that when this function is called with `request.security_lower_tf()` a tuple of float[] arrays will be returned by `request.security_lower_tf()`. upDnIntrabarVolumes() => float upVol = 0.0 float dnVol = 0.0 switch // Bar polarity can be determined. close > open => upVol += volume close < open => dnVol -= volume // If not, use price movement since last bar. close > nz(close[1]) => upVol += volume close < nz(close[1]) => dnVol -= volume // If not, use previously known polarity. nz(upVol[1]) > 0 => upVol += volume nz(dnVol[1]) < 0 => dnVol -= volume [upVol, dnVol] // @function Selects a HTF from the chart's TF. // @returns (simple string) A timeframe string. htfStep() => int tfInMs = timeframe.in_seconds() * 1000 string result = switch tfInMs < MS_IN_MIN => "60" tfInMs < MS_IN_HOUR * 3 => "D" tfInMs <= MS_IN_HOUR * 12 => "W" tfInMs < MS_IN_DAY * 7 => "M" => "12M" // @function Determines when a bar opens at a given time. // @param hours (series int) "Hour" part of the time we are looking for. // @param minutes (series int) "Minute" part of the time we are looking for. // @returns (series bool) `true` when the bar opens at `hours`:`minutes`, false otherwise. timeReset(int hours, int minutes) => int openTime = timestamp(year, month, dayofmonth, hours, minutes, 0) bool timeInBar = time <= openTime and time_close > openTime bool result = timeframe.isintraday and not timeInBar[1] and timeInBar // } // β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€” Calculations { // Lower timeframe (LTF) used to mine intrabars. var string ltfString = PCltf.ltf(ltfModeInput, LTF1, LTF2, LTF3, LTF4, LTF5, LTF6, LTF7, LTF8, LTF9, LTF10) // Get two arrays, one each for up and dn volumes. [upVolumes, dnVolumes] = request.security_lower_tf(syminfo.tickerid, ltfString, upDnIntrabarVolumes()) // β€”β€”β€”β€”β€” Select between historical and realtime DV calcs. In rt, use user selection. float totalUpVolume = nz(array.sum(upVolumes)) float totalDnVolume = nz(array.sum(dnVolumes)) float totalVolume = totalUpVolume - totalDnVolume float maxUpVolume = nz(array.max(upVolumes)) float maxDnVolume = nz(array.min(dnVolumes)) float delta = totalUpVolume + totalDnVolume float deltaPct = delta / totalVolume // Track cumulative volume. var float cvd = 0.0 [reset, trendIsUp, resetDescription] = switch resetInput RST1 => [false, na, "No resets"] RST2 => [timeframe.change(htfStep()), na, "Resets every " + htfStep()] RST3 => [timeframe.change(fixedTfInput), na, "Resets every " + fixedTfInput] RST4 => [timeReset(hourInput, minuteInput), na, str.format("Resets at {0,number,00}:{1,number,00}", hourInput, minuteInput)] RST5 => [session.isfirstbar_regular, na, "Resets at the beginning of the session"] RST6 => [time == chart.left_visible_bar_time, na, "Resets at the beginning of visible bars"] RST7 => switch trendInput TR01 => [_, direction] = ta.supertrend(trendValue2Input, trendPeriodInput) [ta.change(direction, 1) != 0, direction == -1, "Resets on Supertrend changes"] TR02 => [up, dn] = TVta.aroon(trendPeriodInput) [ta.cross(up, dn), ta.crossover(up, dn), "Resets on Aroon changes"] TR03 => float psar = ta.sar(0.02, 0.02, 0.2) [ta.cross(psar, close), ta.crossunder(psar, close), "Resets on PSAR changes"] => [na, na, na] if reset cvd := 0 // Build OHLC values for CVD candles. bool useVdPct = vdCalcModeInput == VD02 float barDelta = useVdPct ? deltaPct : delta float cvdO = cvd float cvdC = cvdO + barDelta float cvdH = useVdPct ? math.max(cvdO, cvdC) : cvdO + maxUpVolume float cvdL = useVdPct ? math.min(cvdO, cvdC) : cvdO + maxDnVolume cvd += barDelta // MA of CVD var float ma = cvd var cvdValues = array.new<float>() if resetInput == RST1 ma := ta.sma(cvdC, maPeriodInput) else if reset array.clear(cvdValues) array.push(cvdValues, cvd) else array.push(cvdValues, cvd) ma := array.avg(cvdValues) // Total volume level relative to CVD. float totalVolumeLevel = cvdO + (totalVolume * math.sign(barDelta)) // β€”β€”β€”β€” Intrabar stats [intrabars, chartBarsCovered, avgIntrabars] = PCltf.ltfStats(upVolumes) int chartBars = bar_index + 1 // Detect errors. if resetInput == RST3 and timeframe.in_seconds(fixedTfInput) <= timeframe.in_seconds() runtime.error("The higher timeframe for resets must be greater than the chart's timeframe.") else if resetInput == RST4 and not timeframe.isintraday runtime.error("Resets at a fixed time work on intraday charts only.") else if ta.cum(totalVolume) == 0 and barstate.islast runtime.error("No volume is provided by the data vendor.") else if ta.cum(intrabars) == 0 and barstate.islast runtime.error("No intrabar information exists at the '" + ltfString + "' timeframe.") else if timeframe.in_seconds() < 60 * 2 runtime.error("The indicator cannot work on chart timeframes < 2min.") // Detect divergences between volume delta and the bar's polarity. bool divergence = delta != 0 and math.sign(delta) != math.sign(close - open) // } // β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€” Visuals { color candleColor = delta > 0 ? colorDivBodiesInput and divergence ? upDivColorInput : upColorInput : colorDivBodiesInput and divergence ? dnDivColorInput : dnColorInput color totVolCandleColor = delta > 0 ? upTotVolColorInput : dnTotVolColorInput // Display key values in indicator values and Data Window. displayLocation = display.data_window plot(delta, "Volume delta for the bar", candleColor, display = displayLocation) plot(totalUpVolume, "Up volume for the bar", upColorInput, display = displayLocation) plot(totalDnVolume, "Dn volume for the bar", dnColorInput, display = displayLocation) plot(totalVolume, "Total volume", display = displayLocation) plot(na, "═════════════════", display = displayLocation) plot(cvdO, "CVD before this bar", display = displayLocation) plot(cvdC, "CVD after this bar", display = displayLocation) plot(maxUpVolume, "Max intrabar up volume", upColorInput, display = displayLocation) plot(maxDnVolume, "Max intrabar dn volume", dnColorInput, display = displayLocation) plot(intrabars, "Intrabars in this bar", display = displayLocation) plot(avgIntrabars, "Average intrabars", display = displayLocation) plot(chartBarsCovered, "Chart bars covered", display = displayLocation) plot(bar_index + 1, "Chart bars", display = displayLocation) plot(na, "═════════════════", display = displayLocation) // Total volume boxes. [totalVolO, totalVolH, totalVolL, totalVolC] = if showTotVolInput and not useVdPct [cvdO, math.max(cvdO, totalVolumeLevel), math.min(cvdO, totalVolumeLevel), totalVolumeLevel] else [na, na, na, na] plotcandle(totalVolO, totalVolH, totalVolL, totalVolC, "CVD", color = color.new(totVolCandleColor, totVolBodyTranspInput), wickcolor = totVolCandleColor, bordercolor = totVolCandleColor) // CVD candles. plotcandle(showCandlesInput ? cvdO : na, cvdH, cvdL, cvdC, "CVD", color = candleColor, wickcolor = candleColor, bordercolor = candleColor) // CVD line. plot(showLineInput ? cvdC : na, "CVD line", cvdC > 0 ? lineUpColorInput : lineDnColorInput) // CVD MA. plot(showMaInput ? ma : na, "CVD MA", reset ? na : ma > 0 ? maUpColorInput : maDnColorInput) // Zero line. hline(showZeroLineInput ? 0 : na, "Zero", GRAY, hline.style_dotted) // Up/Dn arrow used when resets occur on trend changes. plotchar(reset and not na(trendIsUp) ? trendIsUp : na, "Up trend", "β–²", location.top, upColorInput) plotchar(reset and not na(trendIsUp) ? not trendIsUp : na, "Dn trend", "β–Ό", location.top, dnColorInput) // Background on resets and divergences. bgcolor(bgResetInput and reset ? bgResetColorInput : bgDivInput and divergence ? bgDivColorInput : na) // Display information box only once on the last historical bar, instead of on all realtime updates, as when `barstate.islast` is used. if showInfoBoxInput and barstate.islastconfirmedhistory var table infoBox = table.new(infoBoxYPosInput + "_" + infoBoxXPosInput, 1, 1) color infoBoxBgColor = infoBoxColorInput string txt = str.format("{0}\nUses intrabars at {1}\nAvg intrabars per chart bar: {2,number,#.##}\nChart bars covered: {3}β€Š/β€Š{4} ({5,number,percent})", resetDescription, PCtime.formattedNoOfPeriods(timeframe.in_seconds(ltfString) * 1000), avgIntrabars, chartBarsCovered, bar_index + 1, chartBarsCovered / (bar_index + 1)) if avgIntrabars < 5 txt += "\nThis quantity of intrabars is dangerously small.\nResults will not be as reliable with so few." infoBoxBgColor := color.red table.cell(infoBox, 0, 0, txt, text_color = infoBoxTxtColorInput, text_size = infoBoxSizeInput, bgcolor = infoBoxBgColor) // }
Market Relative Candle Ratio Comparator
https://www.tradingview.com/script/LsG3xL5l-Market-Relative-Candle-Ratio-Comparator/
NoaTrader
https://www.tradingview.com/u/NoaTrader/
28
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© NoaTrader //@version=5 indicator("Market Relative Candle Ratio Comparator","MRCRC",overlay = false) var source = input.symbol("TVC:DXY","Source of comparision") var reverse = input.bool(true,"Reverse? (set checked for DXY)","If the comparision source going up should make the current symbol go down, mark this checked") var avg_len = input.int(1000,"Avg Len",0,tooltip = "This is for comparing each symbol's candle to it's average movement to have a common base for comparision between the two") var ma_len = input.int(9,"Moving Average's Length",0) var show_acuumulated = input.bool(true,"Show Accumulated Divergence") var show_acuumulated_ma = input.bool(true,"Show Accumulated Divergence MA") var accumulation_lookback = input.int(9,"Accumulation Sum Lookback",tooltip = "How many past candle's divergence should be considered for showing the divergence") btc_co = math.abs((close/open)-1) btc_co_ma_1000 = ta.sma(btc_co,avg_len) btc_sign = close >= open ? 1 : -1 dxy_c = request.security(source,"",close,barmerge.gaps_on) dxy_o = request.security(source,"",open,barmerge.gaps_on) dxy_co = math.abs((dxy_c/dxy_o)-1) dxy_sign = dxy_c >= dxy_o ? 1 : -1 dxy_co_ma_1000 = request.security(source,"",ta.sma(math.abs((close-open)/open),avg_len),barmerge.gaps_on) btc_var = btc_co/btc_co_ma_1000*btc_sign dxy_var = dxy_co/dxy_co_ma_1000*dxy_sign * (reverse?-1:1) plot(btc_var,color = color.orange,style = plot.style_stepline) plot(dxy_var,color = color.blue,style = plot.style_stepline) bdrs = btc_var - dxy_var plot(bdrs ,"Realtive Strength",color = bdrs > 0 ? color.rgb(88, 255, 66) : color.rgb(255, 61, 61),style = plot.style_columns) sum_acc = 0.0 for i = 1 to accumulation_lookback sum_acc := sum_acc + (not na(bdrs[i-1]) ? bdrs[i-1] : 0) sum_ma = ta.hma(sum_acc,ma_len) plot(sum_acc ,"Accumulated",color = sum_acc > 0 ? color.rgb(76, 175, 79, 50) : color.rgb(255, 82, 82, 50),style = plot.style_columns,display = show_acuumulated ? display.all : display.none) plot(sum_ma ,"Accumulated MA",color = sum_ma > 0 ? color.green : color.red,linewidth = 2,display = show_acuumulated_ma ? display.all : display.none) if bar_index == last_bar_index label.new(bar_index+5,0,source,textcolor = color.white,style = label.style_label_left)
Bullish Bat Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/50fFgTd8-Bullish-Bat-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
32
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bullish Bat Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPriceOne - trough) / (shPriceOne - slPriceTwo) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bullishBat = slPrice and returnLineDowntrend and uptrend[1] and downtrend and slRangeRatioOne >= 38.2 - abLowerTolerance and slRangeRatioOne <= 50.0 + abUpperTolerance and shRangeRatioZero >= 38.2 - bcLowerTolerance and shRangeRatioZero <= 88.6 + bcUpperTolerance and slRangeRatio >= 161.8 - cdLowerTolerance and slRangeRatio <= 261.8 + cdUpperTolerance and adRangeRatio >= 88.6 - adLowerTolerance and adRangeRatio <= 88.6 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bullishBat lineOne = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineTwo = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineThree = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineFour = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) lineFive = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor, style = line.style_dashed) labelOne = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'X', textcolor = labelColor) labelTwo = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A', textcolor = labelColor) labelThree = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'B (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'C (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'D (' + str.tostring(math.round(slRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bullishBat line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) alert('Bullish Bat')
Bearish Crab Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/ndRD8D0x-Bearish-Crab-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
35
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bearish Crab Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPrice - slPriceOne) / (shPriceTwo - slPriceOne) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bearishCrab = shPrice and returnLineUptrend and downtrend[1] and uptrend and shRangeRatioOne >= 38.2 - abLowerTolerance and shRangeRatioOne <= 61.8 + abUpperTolerance and slRangeRatioZero >= 38.2 - bcLowerTolerance and slRangeRatioZero <= 88.6 + bcUpperTolerance and shRangeRatio >= 261.8 - cdLowerTolerance and shRangeRatio <= 361.8 + cdUpperTolerance and adRangeRatio >= 161.8 - adLowerTolerance and adRangeRatio <= 161.8 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bearishCrab lineOne = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexOne, slPriceOne, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexOne, shPriceOne, troughBarIndex, trough, color = patternColor, width = 2) lineFour = line.new(troughBarIndex, trough, shPriceBarIndex, shPrice, color = patternColor, width = 2) lineFive = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor, style = line.style_dashed) labelOne = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'X', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'A', textcolor = labelColor) labelThree = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(troughBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'C (' + str.tostring(math.round(slRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'D (' + str.tostring(math.round(shRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bearishCrab line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) alert('Bearish Crab')
Bearish Bat Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/URD6UfKW-Bearish-Bat-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
26
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bearish Bat Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPrice - slPriceOne) / (shPriceTwo - slPriceOne) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bearishBat = shPrice and returnLineUptrend and downtrend[1] and uptrend and shRangeRatioOne >= 38.2 - abLowerTolerance and shRangeRatioOne <= 50.0 + abUpperTolerance and slRangeRatioZero >= 38.2 - bcLowerTolerance and slRangeRatioZero <= 88.6 + bcUpperTolerance and shRangeRatio >= 161.8 - cdLowerTolerance and shRangeRatio <= 261.8 + cdUpperTolerance and adRangeRatio >= 88.6 - adLowerTolerance and adRangeRatio <= 88.6 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bearishBat lineOne = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexOne, slPriceOne, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexOne, shPriceOne, troughBarIndex, trough, color = patternColor, width = 2) lineFour = line.new(troughBarIndex, trough, shPriceBarIndex, shPrice, color = patternColor, width = 2) lineFive = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor, style = line.style_dashed) labelOne = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'X', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'A', textcolor = labelColor) labelThree = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(troughBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'C (' + str.tostring(math.round(slRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'D (' + str.tostring(math.round(shRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bearishBat line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) alert('Bearish Bat')
Bullish Crab Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/cAW6H6cv-Bullish-Crab-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
49
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bullish Crab Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPriceOne - trough) / (shPriceOne - slPriceTwo) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bullishCrab = slPrice and returnLineDowntrend and uptrend[1] and downtrend and slRangeRatioOne >= 38.2 - abLowerTolerance and slRangeRatioOne <= 61.8 + abUpperTolerance and shRangeRatioZero >= 38.2 - bcLowerTolerance and shRangeRatioZero <= 88.6 + bcUpperTolerance and slRangeRatio >= 261.8 - cdLowerTolerance and slRangeRatio <= 361.8 + cdUpperTolerance and adRangeRatio >= 161.8 - adLowerTolerance and adRangeRatio <= 161.8 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bullishCrab lineOne = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineTwo = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineThree = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineFour = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) lineFive = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor, style = line.style_dashed) labelOne = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'X', textcolor = labelColor) labelTwo = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A', textcolor = labelColor) labelThree = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'B (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'C (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'D (' + str.tostring(math.round(slRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bullishCrab line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) alert('Bullish Crab')
Bearish Butterfly Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/T6XH2GHV-Bearish-Butterfly-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
36
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bearish Butterfly Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPrice - slPriceOne) / (shPriceTwo - slPriceOne) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bearishButterfly = shPrice and returnLineUptrend and downtrend[1] and uptrend and shRangeRatioOne >= 78.6 - abLowerTolerance and shRangeRatioOne <= 78.6 + abUpperTolerance and slRangeRatioZero >= 38.2 - bcLowerTolerance and slRangeRatioZero <= 88.6 + bcUpperTolerance and shRangeRatio >= 161.8 - cdLowerTolerance and shRangeRatio <= 261.8 + cdUpperTolerance and adRangeRatio >= 127.0 - adLowerTolerance and adRangeRatio <= 127.0 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bearishButterfly lineOne = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexOne, slPriceOne, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexOne, shPriceOne, troughBarIndex, trough, color = patternColor, width = 2) lineFour = line.new(troughBarIndex, trough, shPriceBarIndex, shPrice, color = patternColor, width = 2) lineFive = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor, style = line.style_dashed) labelOne = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'X', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'A', textcolor = labelColor) labelThree = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(troughBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'C (' + str.tostring(math.round(slRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'D (' + str.tostring(math.round(shRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bearishButterfly line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) alert('Bearish Butterfly')
Bullish Three-Drive Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/2ulknHVD-Bullish-Three-Drive-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
47
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bullish Three-Drive Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) onePartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) twoPartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) < ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) < ta.valuewhen(slPrice, slPrice, 2) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) slRangeRatioTwo = ta.valuewhen(slPrice, slRangeRatio, 2) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) shRangeRatioTwo = ta.valuewhen(shPrice, shRangeRatio, 2) x1LowerTolerance = input(defval = 20, title = 'X1 Lower Tolerance (%)', group = 'Tolerances') lowerTolerance1a = input(defval = 20, title = '1A Lower Tolerance (%)', group = 'Tolerances') upperTolerance1a = input(defval = 20, title = '1A Upper Tolerance (%)', group = 'Tolerances') a2LowerTolerance = input(defval = 20, title = 'A2 Lower Tolerance (%)', group = 'Tolerances') a2UpperTolerance = input(defval = 20, title = 'A2 Upper Tolerance (%)', group = 'Tolerances') lowerTolerance2b = input(defval = 20, title = '2B Lower Tolerance (%)', group = 'Tolerances') upperTolerance2b = input(defval = 20, title = '2B Upper Tolerance (%)', group = 'Tolerances') b3LowerTolerance = input(defval = 20, title = 'B3 Lower Tolerance (%)', group = 'Tolerances') b3UpperTolerance = input(defval = 20, title = 'B3 Upper Tolerance (%)', group = 'Tolerances') bullishThreeDrive = slPrice and returnLineDowntrend and twoPartTroughPeakDoubleDowntrend and slRangeRatioTwo >= 127.2 - x1LowerTolerance and shRangeRatioOne >= 61.8 - lowerTolerance1a and shRangeRatioOne <= 61.8 + upperTolerance1a and slRangeRatioOne >= 127.2 - a2LowerTolerance and slRangeRatioOne <= 161.8 + a2UpperTolerance and shRangeRatioZero >= 61.8 - lowerTolerance2b and shRangeRatioZero <= 61.8 + upperTolerance2b and slRangeRatio >= 127.2 - b3LowerTolerance and slRangeRatio <= 161.8 + b3UpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bullishThreeDrive lineOne = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexTwo, slPriceTwo, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineFour = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineFive = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) lineSix = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, style = line.style_dashed) lineSeven = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, style = line.style_dashed) lineEight = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineNine = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor, style = line.style_dashed) labelOne = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'X', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '1 (' + str.tostring(math.round(slRangeRatioTwo, 2)) + ')', textcolor = labelColor) labelThree = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '2 (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFive = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelSix = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '3 (' + str.tostring(math.round(slRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceTwo) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceTwo) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, lineNine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) array.push(myLabelArray, labelSix) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bullishThreeDrive line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceTwo) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceTwo) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceTwo) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceTwo) : na) alert('Bullish Three-Drive')
Bullish Butterfly Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/RU18xQcC-Bullish-Butterfly-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
33
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bullish Butterfly Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPriceOne - trough) / (shPriceOne - slPriceTwo) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bullishButterfly = slPrice and returnLineDowntrend and uptrend[1] and downtrend and slRangeRatioOne >= 78.6 - abLowerTolerance and slRangeRatioOne <= 78.6 + abUpperTolerance and shRangeRatioZero >= 38.2 - bcLowerTolerance and shRangeRatioZero <= 88.6 + bcUpperTolerance and slRangeRatio >= 161.8 - cdLowerTolerance and slRangeRatio <= 261.8 + cdUpperTolerance and adRangeRatio >= 127.0 - adLowerTolerance and adRangeRatio <= 127.0 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bullishButterfly lineOne = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineTwo = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineThree = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineFour = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) lineFive = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor, style = line.style_dashed) labelOne = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'X', textcolor = labelColor) labelTwo = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A', textcolor = labelColor) labelThree = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'B (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'C (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'D (' + str.tostring(math.round(slRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bullishButterfly line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) alert('Bullish Butterfly')
Financial Plus
https://www.tradingview.com/script/dgbGEIrJ-Financial-Plus/
faiyaz7283
https://www.tradingview.com/u/faiyaz7283/
7
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© faiyaz7283 //@version=5 indicator(title="Financial Plus", shorttitle="Fin-Plus", overlay=true) // ::Imports:: { import faiyaz7283/tools/9 as tools import faiyaz7283/printer/6 as prnt import faiyaz7283/multidata/7 as mltd // } // ::Inputs:: { var section01 = 'POSITION, SIZE & COLORS' //---------------------: var displayLoc = input.string(defval = position.top_right, title = 'Display Location', options = [position.top_left, position.top_center, position.top_right, position.middle_left, position.middle_center, position.middle_right, position.bottom_left, position.bottom_center, position.bottom_right], group = section01) var cellPad = input.int(defval=2, title='Cell Spacing', minval=0, maxval=5, group=section01) var orientation = input.string(defval = 'horizontal', title = 'Orientation', options = ['horizontal', 'vertical'], group = section01) == 'vertical' ? false : true var theme = input.string(defval='gray', title = 'Color Theme', options = ['gray', 'blue', 'green', 'orange', 'pink', 'purple', 'red', 'white', 'yellow'], inline='theme', group = section01) var themeTip = 'Select this option to apply a pre-selected color theme. Deselect it to choose custom colors from the options below.' var useTheme = input.bool(defval=true, title = 'Use Theme Colors', tooltip=themeTip, inline='theme', group=section01) var headerBgColor = input.color(defval=#d5d9e0, title = 'Header:\tBG', inline = 'hdrCl', group = section01) var headerColor = input.color(defval=#000000, title = 'Text', inline = 'hdrCl', group = section01) var headerSize = input.string(defval='hide', title = 'Size', options = ['hide', size.auto, size.tiny, size.small, size.normal, size.large, size.huge], inline = 'hdrCl', group = section01) var headerAlign = input.string(defval=text.align_center, title = 'Align', options = [text.align_left, text.align_center, text.align_right], inline = 'hdrCl', group = section01) var titleBgColor = input.color(defval=#bfff7b, title = 'Title:\tBG', inline = 'ttlCl', group = section01) var titleColor = input.color(defval=#000000, title = 'Text', inline = 'ttlCl', group = section01) var titleSize = input.string(defval=size.normal, title = 'Size', options = ['hide', size.auto, size.tiny, size.small, size.normal, size.large, size.huge], inline = 'ttlCl', group = section01) var titleAlign = input.string(defval=text.align_center, title = 'Align', options = [text.align_left, text.align_center, text.align_right], inline = 'ttlCl', group = section01) var keyBgColor = input.color(defval=#2a2e39, title = 'Key:\tBG', inline = 'keyCl', group = section01) var keyColor = input.color(defval=#bfff7b, title = 'Text', inline = 'keyCl', group = section01) var keySize = input.string(defval=size.normal, title = 'Size', options = [size.auto, size.tiny, size.small, size.normal, size.large, size.huge], inline = 'keyCl', group = section01) var keyAlign = input.string(defval=text.align_left, title = 'Align', options = [text.align_left, text.align_center, text.align_right], inline = 'keyCl', group = section01) var textBgColor = input.color(defval=#ece8cd, title = 'Value:\tBG', inline = 'txtCl', group = section01) var textColor = input.color(defval=#000000, title = 'Text', inline = 'txtCl', group = section01) var textSize = input.string(defval=size.normal, title = 'Size', options = [size.auto, size.tiny, size.small, size.normal, size.large, size.huge], inline = 'txtCl', group = section01) var textAlign = input.string(defval=text.align_right, title = 'Align', options = [text.align_left, text.align_center, text.align_right], inline = 'txtCl', group = section01) var section02 = 'DATA DISPLAY' //----------------------------: var showStatistics = input.bool(defval = true, title = 'Statistics', inline='dk', group = section02) var showIncomeStatements = input.bool(defval = true, title = 'Income Statements', inline='dk', group = section02) var showBalanceSheets = input.bool(defval = true, title = 'Balance Sheets', inline='dk', group = section02) var showCashFlow = input.bool(defval = true, title = 'Cash Flow', inline='dk', group = section02) var prdTip1 = 'NOTE: Not all periods are available for all metrics.\n\n' var prdTip2 = prdTip1 + 'FQ - quarterly\nFY - yearly\nFH - Semiannual\n-TTM - trailing twelve months' var period = input.string(defval='FY', title='Period', options=['FQ', 'FY', 'FH', 'TTM'], tooltip=prdTip2, inline='period', group=section02) var section03 = 'STATISTICS' //----------------------------: var statistic_id_01 = input.string(defval='ACCRUALS_RATIO', title='01. Financial ID', options=['ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_01', group=section03) var statistic_id_02 = input.string(defval='---', title='02. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_02', group=section03) var statistic_id_03 = input.string(defval='---', title='03. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_03', group=section03) var statistic_id_04 = input.string(defval='---', title='04. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_04', group=section03) var statistic_id_05 = input.string(defval='---', title='05. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_05', group=section03) var statistic_id_06 = input.string(defval='---', title='06. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_06', group=section03) var statistic_id_07 = input.string(defval='---', title='07. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_07', group=section03) var statistic_id_08 = input.string(defval='---', title='08. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_08', group=section03) var statistic_id_09 = input.string(defval='---', title='09. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_09', group=section03) var statistic_id_10 = input.string(defval='---', title='10. Financial ID', options=['---', 'ACCRUALS_RATIO', 'ALTMAN_Z_SCORE', 'ASSET_TURNOVER', 'BENEISH_M_SCORE', 'BUYBACK_YIELD', 'CASH_CONVERSION_CYCLE', 'CASH_TO_DEBT', 'COGS_TO_REVENUE', 'CURRENT_RATIO', 'DAY_SALES_OUT', 'DAYS_INVENT', 'DAYS_PAY', 'DEBT_TO_ASSET', 'DEBT_TO_EBITDA', 'DEBT_TO_EQUITY', 'DEBT_TO_REVENUE', 'DIVIDEND_PAYOUT_RATIO', 'DIVIDENDS_YIELD', 'DPS_COMMON_STOCK_PRIM_ISSUE', 'EARNINGS_ESTIMATE', 'EARNINGS_PER_SHARE_BASIC_ONE_YEAR_GROWTH', 'EARNINGS_PER_SHARE_DILUTED_ONE_YEAR_GROWTH', 'EBITDA_MARGIN', 'EARNINGS_YIELD', 'EFFECTIVE_INTEREST_RATE_ON_DEBT', 'ENTERPRISE_VALUE_EBITDA', 'ENTERPRISE_VALUE', 'EQUITY_TO_ASSET', 'EV_EBIT', 'EV_REVENUE', 'FLOAT_SHARES_OUTSTANDING', 'FREE_CASH_FLOW_MARGIN', 'FULMER_H_FACTOR', 'GOODWILL_TO_ASSET', 'GRAHAM_NUMBERS', 'GROSS_MARGIN', 'GROSS_PROFIT_TO_ASSET', 'INTERST_COVER', 'INVENT_TO_REVENUE', 'INVENT_TURNOVER', 'KZ_INDEX', 'LONG_TERM_DEBT_TO_ASSETS', 'MARKET_CAP', 'NCAVPS_RATIO', 'NET_INCOME_PER_EMPLOYEE', 'NET_MARGIN', 'NUMBER_OF_EMPLOYEES', 'OPERATING_EARNINGS_YIELD', 'OPERATING_MARGIN', 'PEG_RATIO', 'PIOTROSKI_F_SCORE', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_FORWARD', 'PRICE_EARNINGS_RATIO', 'PRICE_SALES_FORWARD', 'PRICE_TO_FREE_CASH_FLOW', 'PRICE_TO_TANGIBLE_BOOK', 'QUALITY_RATIO', 'QUICK_RATIO', 'RESEARCH_AND_DEVELOP_TO_REVENUE', 'RETURN_ON_ASSETS', 'RETURN_ON_EQUITY_ADJUST_TO_BOOK', 'RETURN_ON_EQUITY', 'RETURN_ON_INVESTED_CAPITAL', 'RETURN_ON_TANG_ASSETS', 'RETURN_ON_TANG_EQUITY', 'REVENUE_ONE_YEAR_GROWTH', 'REVENUE_PER_EMPLOYEE', 'SALES_ESTIMATES', 'SHARE_BUYBACK_RATIO', 'SLOAN_RATIO', 'SPRINGATE_SCORE', 'SUSTAINABLE_GROWTH_RATE', 'TANGIBLE_COMMON_EQUITY_RATIO', 'TOBIN_Q_RATIO', 'TOTAL_SHARES_OUTSTANDING', 'ZMIJEWSKI_SCORE'], inline='st_10', group=section03) var section04 = 'INCOME STATEMENTS' //----------------------------: var income_statement_id_01 = input.string(defval='AFTER_TAX_OTHER_INCOME', title='01. Financial ID', options=['AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_01', group=section04) var income_statement_id_02 = input.string(defval='---', title='02. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_02', group=section04) var income_statement_id_03 = input.string(defval='---', title='03. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_03', group=section04) var income_statement_id_04 = input.string(defval='---', title='04. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_04', group=section04) var income_statement_id_05 = input.string(defval='---', title='05. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_05', group=section04) var income_statement_id_06 = input.string(defval='---', title='06. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_06', group=section04) var income_statement_id_07 = input.string(defval='---', title='07. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_07', group=section04) var income_statement_id_08 = input.string(defval='---', title='08. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_08', group=section04) var income_statement_id_09 = input.string(defval='---', title='09. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_09', group=section04) var income_statement_id_10 = input.string(defval='---', title='10. Financial ID', options=['---', 'AFTER_TAX_OTHER_INCOME', 'BASIC_SHARES_OUTSTANDING', 'COST_OF_GOODS_EXCL_DEP_AMORT', 'COST_OF_GOODS', 'DEP_AMORT_EXP_INCOME_S', 'DILUTED_NET_INCOME', 'DILUTED_SHARES_OUTSTANDING', 'DILUTION_ADJUSTMENT', 'DISCONTINUED_OPERATIONS', 'EARNINGS_PER_SHARE_BASIC', 'EARNINGS_PER_SHARE_DILUTED', 'EBIT', 'EBITDA', 'EQUITY_IN_EARNINGS', 'GROSS_PROFIT', 'INCOME_TAX', 'INTEREST_CAPITALIZED', 'INTEREST_EXPENSE_ON_DEBT', 'MINORITY_INTEREST_EXP', 'NET_INCOME_BEF_DISC_OPE', 'NET_INCOME', 'NON_OPER_INCOME', 'NON_OPER_INTEREST_EXP', 'NON_OPER_INTEREST_INCOME', 'OPER_INCOME', 'OPERATING_EXPENSES', 'OTHER_INCOME', 'OTHER_OPER_EXPENSE_TOTAL', 'PREFERRED_DIVIDENDS', 'PRETAX_EQUITY_IN_EARNINGS', 'PRETAX_INCOME', 'RESEARCH_AND_DEV', 'SELL_GEN_ADMIN_EXP_OTHER', 'SELL_GEN_ADMIN_EXP_TOTAL', 'TOTAL_NON_OPER_INCOME', 'TOTAL_OPER_EXPENSE', 'TOTAL_REVENUE', 'UNUSUAL_EXPENSE_INC'], inline='is_10', group=section04) var section05 = 'BALANCE SHEET' //----------------------------: var balance_sheet_id_01 = input.string(defval='ACCOUNTS_PAYABLE', title='01. Financial ID', options=['ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_01', group=section05) var balance_sheet_id_02 = input.string(defval='---', title='02. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_02', group=section05) var balance_sheet_id_03 = input.string(defval='---', title='03. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_03', group=section05) var balance_sheet_id_04 = input.string(defval='---', title='04. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_04', group=section05) var balance_sheet_id_05 = input.string(defval='---', title='05. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_05', group=section05) var balance_sheet_id_06 = input.string(defval='---', title='06. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_06', group=section05) var balance_sheet_id_07 = input.string(defval='---', title='07. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_07', group=section05) var balance_sheet_id_08 = input.string(defval='---', title='08. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_08', group=section05) var balance_sheet_id_09 = input.string(defval='---', title='09. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_09', group=section05) var balance_sheet_id_10 = input.string(defval='---', title='10. Financial ID', options=['---', 'ACCOUNTS_PAYABLE', 'ACCOUNTS_RECEIVABLES_NET', 'ACCRUED_PAYROLL', 'ACCUM_DEPREC_TOTAL', 'ADDITIONAL_PAID_IN_CAPITAL', 'BOOK_TANGIBLE_PER_SHARE', 'BOOK_VALUE_PER_SHARE', 'CAPITAL_LEASE_OBLIGATIONS', 'CAPITAL_OPERATING_LEASE_OBLIGATIONS', 'CASH_N_EQUIVALENTS', 'CASH_N_SHORT_TERM_INVEST', 'COMMON_EQUITY_TOTAL', 'COMMON_STOCK_PAR', 'CURRENT_PORT_DEBT_CAPITAL_LEASES', 'DEFERRED_INCOME_CURRENT', 'DEFERRED_INCOME_NON_CURRENT', 'DEFERRED_TAX_ASSESTS', 'DEFERRED_TAX_LIABILITIES', 'DIVIDENDS_PAYABLE', 'GOODWILL', 'INCOME_TAX_PAYABLE', 'INTANGIBLES_NET', 'INVENTORY_FINISHED_GOODS', 'INVENTORY_PROGRESS_PAYMENTS', 'INVENTORY_RAW_MATERIALS', 'INVENTORY_WORK_IN_PROGRESS', 'INVESTMENTS_IN_UNCONCSOLIDATE', 'LONG_TERM_DEBT_EXCL_CAPITAL_LEASE', 'LONG_TERM_DEBT', 'LONG_TERM_INVESTMENTS', 'LONG_TERM_NOTE_RECEIVABLE', 'LONG_TERM_OTHER_ASSETS_TOTAL', 'MINORITY_INTEREST', 'NOTES_PAYABLE_SHORT_TERM_DEBT', 'OPERATING_LEASE_LIABILITIES', 'OTHER_COMMON_EQUITY', 'OTHER_CURRENT_ASSETS_TOTAL', 'OTHER_CURRENT_LIABILITIES', 'OTHER_INTANGIBLES_NET', 'OTHER_INVESTMENTS', 'OTHER_LIABILITIES_TOTAL', 'OTHER_RECEIVABLES', 'OTHER_SHORT_TERM_DEBT', 'PAID_IN_CAPITAL', 'PPE_TOTAL_GROSS', 'PPE_TOTAL_NET', 'PREFERRED_STOCK_CARRYING_VALUE', 'PREPAID_EXPENSES', 'PROVISION_F_RISKS', 'RETAINED_EARNINGS', 'SHORT_TERM_DEBT_EXCL_CURRENT_PORT', 'SHORT_TERM_DEBT', 'SHORT_TERM_INVEST', 'SHRHLDRS_EQUITY', 'TOTAL_ASSETS', 'TOTAL_CURRENT_ASSETS', 'TOTAL_CURRENT_LIABILITIES', 'TOTAL_DEBT', 'TOTAL_EQUITY', 'TOTAL_INVENTORY', 'TOTAL_LIABILITIES', 'TOTAL_LIABILITIES_SHRHLDRS_EQUITY', 'TOTAL_NON_CURRENT_ASSETS', 'TOTAL_NON_CURRENT_LIABILITIES', 'TOTAL_RECEIVABLES_NET', 'TREASURY_STOCK_COMMON'], inline='bs_10', group=section05) var section06 = 'CASH FLOW' //----------------------------: var cash_flow_id_01 = input.string(defval='AMORTIZATION', title='01. Financial ID', options=['AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_01', group=section06) var cash_flow_id_02 = input.string(defval='---', title='02. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_02', group=section06) var cash_flow_id_03 = input.string(defval='---', title='03. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_03', group=section06) var cash_flow_id_04 = input.string(defval='---', title='04. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_04', group=section06) var cash_flow_id_05 = input.string(defval='---', title='05. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_05', group=section06) var cash_flow_id_06 = input.string(defval='---', title='06. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_06', group=section06) var cash_flow_id_07 = input.string(defval='---', title='07. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_07', group=section06) var cash_flow_id_08 = input.string(defval='---', title='08. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_08', group=section06) var cash_flow_id_09 = input.string(defval='---', title='09. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_09', group=section06) var cash_flow_id_10 = input.string(defval='---', title='10. Financial ID', options=['---', 'AMORTIZATION', 'CAPITAL_EXPENDITURES_FIXED_ASSETS', 'CAPITAL_EXPENDITURES', 'CAPITAL_EXPENDITURES_OTHER_ASSETS', 'CASH_F_FINANCING_ACTIVITIES', 'CASH_F_INVESTING_ACTIVITIES', 'CASH_F_OPERATING_ACTIVITIES', 'CASH_FLOW_DEFERRED_TAXES', 'CASH_FLOW_DEPRECATION_N_AMORTIZATION', 'CHANGE_IN_ACCOUNTS_PAYABLE', 'CHANGE_IN_ACCOUNTS_RECEIVABLE', 'CHANGE_IN_ACCRUED_EXPENSES', 'CHANGE_IN_INVENTORIES', 'CHANGE_IN_OTHER_ASSETS', 'CHANGE_IN_TAXES_PAYABLE', 'CHANGES_IN_WORKING_CAPITAL', 'COMMON_DIVIDENDS_CASH_FLOW', 'DEPRECIATION_DEPLETION', 'FREE_CASH_FLOW', 'FUNDS_F_OPERATIONS', 'ISSUANCE_OF_DEBT_NET', 'ISSUANCE_OF_LONG_TERM_DEBT', 'ISSUANCE_OF_OTHER_DEBT', 'ISSUANCE_OF_SHORT_TERM_DEBT', 'ISSUANCE_OF_STOCK_NET', 'NET_INCOME_STARTING_LINE', 'NON_CASH_ITEMS', 'OTHER_FINANCING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_FINANCING_CASH_FLOW_SOURCES', 'OTHER_FINANCING_CASH_FLOW_USES', 'OTHER_INVESTING_CASH_FLOW_ITEMS_TOTAL', 'OTHER_INVESTING_CASH_FLOW_SOURCES', 'OTHER_INVESTING_CASH_FLOW_USES', 'PREFERRED_DIVIDENDS_CASH_FLOW', 'PURCHASE_OF_BUSINESS', 'PURCHASE_OF_INVESTMENTS', 'PURCHASE_OF_STOCK', 'PURCHASE_SALE_BUSINESS', 'PURCHASE_SALE_INVESTMENTS', 'REDUCTION_OF_LONG_TERM_DEBT', 'SALE_OF_STOCK', 'SALES_OF_BUSINESS', 'SALES_OF_INVESTMENTS', 'SUPPLYING_OF_LONG_TERM_DEBT', 'TOTAL_CASH_DIVIDENDS_PAID'], inline='cf_10', group=section06) // ::Functions:: { // 'MARKET_CAP', 'EARNINGS_YIELD', 'PRICE_BOOK_RATIO', 'PRICE_EARNINGS_RATIO' getPeriod() => switch period 'FQ' => 'Quaterly' 'FY' => 'Yearly' 'FH' => 'Semiannual' 'TTM' => 'Trailing 12 Months' getFinKv(financial_id, period, stats=false) => _fID = switch financial_id 'MARKET_CAP' => 'TOTAL_SHARES_OUTSTANDING' 'EARNINGS_YIELD' => 'EARNINGS_PER_SHARE' 'PRICE_BOOK_RATIO' => 'BOOK_VALUE_PER_SHARE' 'PRICE_EARNINGS_RATIO' => 'EARNINGS_PER_SHARE' => financial_id data = request.financial(syminfo.tickerid, _fID, period, ignore_invalid_symbol=true, currency=syminfo.currency) data := switch financial_id 'MARKET_CAP' => data * close 'EARNINGS_YIELD' => (data / close) * 100 'PRICE_BOOK_RATIO' => close / data 'PRICE_EARNINGS_RATIO' => close / data => data format = na(data) ? '-' : (data != 0 ? tools.numCompact(data) : na) if stats and not na(data) format := switch financial_id 'ACCRUALS_RATIO' => tools.numCompact(data) 'ENTERPRISE_VALUE' => tools.numCompact(data) 'FLOAT_SHARES_OUTSTANDING' => tools.numCompact(data) 'MARKET_CAP' => tools.numCompact(data) 'NET_INCOME_PER_EMPLOYEE' => tools.numCompact(data) 'NUMBER_OF_EMPLOYEES' => tools.numCompact(data) 'REVENUE_PER_EMPLOYEE' => tools.numCompact(data) 'SALES_ESTIMATES' => tools.numCompact(data) 'TOTAL_SHARES_OUTSTANDING' => tools.numCompact(data) => '{0,number,#.###}' mltd.kv(str.replace_all(financial_id, '_', ' '), data, format=format) // } if barstate.islast tbs = prnt.tableStyle.new(borderWidth=cellPad) // Initialize the printer header = headerSize != 'hide' ? 'Financial Plus' + (titleSize == 'hide' ? str.format(' - {0}',getPeriod()) : na) : na printer = prnt.printer(header=header, tableStyle=tbs, stack=orientation, loc=displayLoc, theme=(useTheme ? theme : na), gutterStyle=prnt.gutterStyle.new(true)) printer.tableStyle.frameColor := na // Styles printer.headerStyle.textHalign := headerAlign printer.headerStyle.textSize := headerSize printer.titleStyle.textHalign := titleAlign printer.titleStyle.textSize := titleSize printer.keyCellStyle.textHalign := keyAlign printer.keyCellStyle.textSize := keySize printer.cellStyle.textHalign := textAlign printer.cellStyle.textSize := textSize if not useTheme printer.headerStyle.bgColor := headerBgColor printer.headerStyle.textColor := headerColor printer.titleStyle.bgColor := titleBgColor printer.titleStyle.textColor := titleColor printer.cellStyle.bgColor := textBgColor printer.cellStyle.textColor := textColor printer.keyCellStyle.bgColor := keyBgColor printer.keyCellStyle.textColor := keyColor // ::Data:: { statistics = array.new<mltd.kv>() incomeStatements = array.new<mltd.kv>() balanceSheet = array.new<mltd.kv>() cashFlow = array.new<mltd.kv>() // Statistics if tools._bool(showStatistics) statistics.push(getFinKv(statistic_id_01, period, true)) if statistic_id_02 != '---' statistics.push(getFinKv(statistic_id_02, period, true)) if statistic_id_03 != '---' statistics.push(getFinKv(statistic_id_03, period, true)) if statistic_id_04 != '---' statistics.push(getFinKv(statistic_id_04, period, true)) if statistic_id_05 != '---' statistics.push(getFinKv(statistic_id_05, period, true)) if statistic_id_06 != '---' statistics.push(getFinKv(statistic_id_06, period, true)) if statistic_id_07 != '---' statistics.push(getFinKv(statistic_id_07, period, true)) if statistic_id_08 != '---' statistics.push(getFinKv(statistic_id_08, period, true)) if statistic_id_09 != '---' statistics.push(getFinKv(statistic_id_09, period, true)) if statistic_id_10 != '---' statistics.push(getFinKv(statistic_id_10, period, true)) if statistics.size() > 0 d2dStatistics = mltd.data2d(statistics) printer.print(d2dStatistics, title=(titleSize != 'hide' ? getPeriod() + ' Statistics' : na)) // Income Statements if tools._bool(showIncomeStatements) incomeStatements.push(getFinKv(income_statement_id_01, period)) if income_statement_id_02 != '---' incomeStatements.push(getFinKv(income_statement_id_02, period)) if income_statement_id_03 != '---' incomeStatements.push(getFinKv(income_statement_id_03, period)) if income_statement_id_04 != '---' incomeStatements.push(getFinKv(income_statement_id_04, period)) if income_statement_id_05 != '---' incomeStatements.push(getFinKv(income_statement_id_05, period)) if income_statement_id_06 != '---' incomeStatements.push(getFinKv(income_statement_id_06, period)) if income_statement_id_07 != '---' incomeStatements.push(getFinKv(income_statement_id_07, period)) if income_statement_id_08 != '---' incomeStatements.push(getFinKv(income_statement_id_08, period)) if income_statement_id_09 != '---' incomeStatements.push(getFinKv(income_statement_id_09, period)) if income_statement_id_10 != '---' incomeStatements.push(getFinKv(income_statement_id_10, period)) if incomeStatements.size() > 0 d2dIncomeStatements = mltd.data2d(incomeStatements) printer.print(d2dIncomeStatements, title=(titleSize != 'hide' ? getPeriod() + ' Income Statements' : na)) // Balance Sheet if tools._bool(showBalanceSheets) balanceSheet.push(getFinKv(balance_sheet_id_01, period)) if balance_sheet_id_02 != '---' balanceSheet.push(getFinKv(balance_sheet_id_02, period)) if balance_sheet_id_03 != '---' balanceSheet.push(getFinKv(balance_sheet_id_03, period)) if balance_sheet_id_04 != '---' balanceSheet.push(getFinKv(balance_sheet_id_04, period)) if balance_sheet_id_05 != '---' balanceSheet.push(getFinKv(balance_sheet_id_05, period)) if balance_sheet_id_06 != '---' balanceSheet.push(getFinKv(balance_sheet_id_06, period)) if balance_sheet_id_07 != '---' balanceSheet.push(getFinKv(balance_sheet_id_07, period)) if balance_sheet_id_08 != '---' balanceSheet.push(getFinKv(balance_sheet_id_08, period)) if balance_sheet_id_09 != '---' balanceSheet.push(getFinKv(balance_sheet_id_09, period)) if balance_sheet_id_10 != '---' balanceSheet.push(getFinKv(balance_sheet_id_10, period)) if balanceSheet.size() > 0 d2dBalanceSheet = mltd.data2d(balanceSheet) printer.print(d2dBalanceSheet, title=(titleSize != 'hide' ? getPeriod() + ' Balance Sheet' : na)) // Cash Flow if tools._bool(showCashFlow) cashFlow.push(getFinKv(cash_flow_id_01, period)) if cash_flow_id_02 != '---' cashFlow.push(getFinKv(cash_flow_id_02, period)) if cash_flow_id_03 != '---' cashFlow.push(getFinKv(cash_flow_id_03, period)) if cash_flow_id_04 != '---' cashFlow.push(getFinKv(cash_flow_id_04, period)) if cash_flow_id_05 != '---' cashFlow.push(getFinKv(cash_flow_id_05, period)) if cash_flow_id_06 != '---' cashFlow.push(getFinKv(cash_flow_id_06, period)) if cash_flow_id_07 != '---' cashFlow.push(getFinKv(cash_flow_id_07, period)) if cash_flow_id_08 != '---' cashFlow.push(getFinKv(cash_flow_id_08, period)) if cash_flow_id_09 != '---' cashFlow.push(getFinKv(cash_flow_id_09, period)) if cash_flow_id_10 != '---' cashFlow.push(getFinKv(cash_flow_id_10, period)) if cashFlow.size() > 0 d2dCashFlow = mltd.data2d(cashFlow) printer.print(d2dCashFlow, title=(titleSize != 'hide' ? getPeriod() + ' Cash Flow' : na))
Anchored Moving Averages - Interactive
https://www.tradingview.com/script/4RV2uQwh-Anchored-Moving-Averages-Interactive/
FractalTrade15
https://www.tradingview.com/u/FractalTrade15/
97
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© FractalTrade15 //@version=5 indicator("Anchored MA", overlay = true) // --- functions --- getBarIndexForTime(t) => // Obtain the bar index from the timestamp. The function is adopted from // the script published by TradingView: // https://www.tradingview.com/script/SkmMrMe0-CAGR-Custom-Range/ // Input: // t :: timestamp // Outup :: integer, bar index var int barindex_t = na if time[1] <= t and time >= t and na(barindex_t) barindex_t := bar_index barindex_t anchored_ma(start, source) => startBar = ta.barssince(time == start) sumClose = ta.cum(source) - ta.cum(source)[startBar + 1] barsFromAnchor = math.min(startBar, bar_index) ama = sumClose / (barsFromAnchor + 1) // --- constants --- int DEAFAULT_TIME1 = timestamp("2021-09") int DEAFAULT_TIME2 = timestamp("2021-10") int DEAFAULT_TIME3 = timestamp("2021-11") int startTimeInput1 = input.time(title = "Start Time 1", defval = DEAFAULT_TIME1, confirm = true) int startTimeInput2 = input.time(title = "Start Time 2", defval = DEAFAULT_TIME2, confirm = true) int startTimeInput3 = input.time(title = "Start Time 3", defval = DEAFAULT_TIME3, confirm = true) srcinput = input(title='Source', defval=hlc3) bullc = input.color(color.green, title = "Bullish Color") bearc = input.color(color.red, title = "Bearish Color") // Initialize time intervals int startTime1 = startTimeInput1 int startTime2 = startTimeInput2 int startTime3 = startTimeInput3 // Calculate the AMAs ama1 = anchored_ma(startTime1, srcinput) ama2 = anchored_ma(startTime2, srcinput) ama3 = anchored_ma(startTime3, srcinput) col1 = ama1 > ama1[2]? bullc : bearc col2 = ama2 > ama2[2]? bullc : bearc col3 = ama3 > ama3[2]? bullc : bearc // Plot the AMAs plot(ama1, color=color.new(color.silver,90), linewidth=6, title="Anchored Moving Average Shadow 1") plot(ama1, color=col1, linewidth=1, title="Anchored Moving Average 1") plot(ama2, color=color.new(color.silver,90), linewidth=6, title="Anchored Moving Average Shadow 2") plot(ama2, color=col2, linewidth=1, title="Anchored Moving Average 2") plot(ama3, color=color.new(color.silver,90), linewidth=6, title="Anchored Moving Average Shadow 3") plot(ama3, color=col3, linewidth=1, title="Anchored Moving Average 3")
Bullish Gartley Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/y3U1ENZB-Bullish-Gartley-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
77
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bullish Gartley Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPriceOne - trough) / (shPriceOne - slPriceTwo) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bullishGartley = slPrice and returnLineDowntrend and uptrend[1] and downtrend and slRangeRatioOne >= 61.8 - abLowerTolerance and slRangeRatioOne <= 61.8 + abUpperTolerance and shRangeRatioZero >= 38.2 - bcLowerTolerance and shRangeRatioZero <= 88.6 + bcUpperTolerance and slRangeRatio >= 127.2 - cdLowerTolerance and slRangeRatio <= 161.8 + cdUpperTolerance and adRangeRatio >= 78.6 - adLowerTolerance and adRangeRatio <= 78.6 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bullishGartley lineOne = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineTwo = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineThree = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineFour = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) lineFive = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor, style = line.style_dashed) labelOne = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'X', textcolor = labelColor) labelTwo = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A', textcolor = labelColor) labelThree = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'B (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'C (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'D (' + str.tostring(math.round(slRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bullishGartley line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceTwo) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceTwo) : na) alert('Bullish Gartley')
FX Sessions & Killzones EDT [Spring/Summer]
https://www.tradingview.com/script/GzDeS3iv-FX-Sessions-Killzones-EDT-Spring-Summer/
skullp
https://www.tradingview.com/u/skullp/
63
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© skullp //@version=5 indicator("FX Sessions & Killzones ET", overlay = true) // Custom Session Box customBoxSwitch = input.bool(defval = true, title = "", inline = "custom", group = "Custom Session Box") customBoxBgColor = input.color(defval = #ec407a1a, title = "", inline = "custom", group = "Custom Session Box") customBoxBorderColor = input.color(defval = #ec407980, title = "", inline = "custom", group = "Custom Session Box") string customBoxHours = input.session(defval = "0000-0829", title = "", inline = "custom", group = "Custom Session Box", display = display.all - display.status_line) string customBoxDays = input.string(defval = "23456", title = "", inline = "custom", group = "Custom Session Box", display = display.all - display.status_line) string customBoxTime = customBoxHours + ":" + customBoxDays customSessionActive = time(timeframe.period, customBoxTime, "America/New_York") and timeframe.isintraday customSessionStart = customSessionActive and not customSessionActive[1] var customSessionHigh = 0.0 var customSessionLow = 0.0 if customSessionStart customSessionHigh := high customSessionLow := low else if customSessionActive customSessionHigh := math.max(customSessionHigh, high) customSessionLow := math.min(customSessionLow, low) var box customSessionBox = na if customSessionStart and customBoxSwitch customSessionBox := box.new(left = bar_index, top = na, right = na, bottom = na, border_color = customBoxBorderColor, border_width = 1, border_style=line.style_dotted, bgcolor = customBoxBgColor) if customSessionActive and customBoxSwitch box.set_top(customSessionBox, customSessionHigh) box.set_bottom(customSessionBox, customSessionLow) box.set_right(customSessionBox, bar_index + 1) // Sydney Session sydneySwitch = input.bool(defval = false, title = "", inline = "sydney", group = "Sydney Session") sydneyColor = input.color(defval = #2962ff1a, title = "", inline = "sydney", group = "Sydney Session") string sydneyHours = input.session(defval = "1700-0200", title = "", inline = "sydney", group = "Sydney Session", display = display.all - display.status_line) string sydneyDays = input.string(defval = "23456", title = "", inline = "sydney", group = "Sydney Session", tooltip = "1 = Sunday, 7 = Saturday", display = display.all - display.status_line) string sydneyTime = sydneyHours + ":" + sydneyDays sydneySession = time(timeframe.period, sydneyTime, "America/New_York") and timeframe.isintraday // Asia Session asiaSwitch = input.bool(defval = false, title = "", inline = "asia", group = "Asia Session") asiaColor = input.color(defval = #673ab71a, title = "", inline = "asia", group = "Asia Session") string asiaHours = input.session(defval = "1900-0400", title = "", inline = "asia", group = "Asia Session", display = display.all - display.status_line) string asiaDays = input.string(defval = "23456", title = "", inline = "asia", group = "Asia Session", display = display.all - display.status_line) string asiaTime = asiaHours + ":" + asiaDays asiaSession = time(timeframe.period, asiaTime, "America/New_York") and timeframe.isintraday // Tokyo Session tokyoSwitch = input.bool(defval = false, title = "", inline = "tokyo", group = "Tokyo Session") tokyoColor = input.color(defval = #9c27b01a, title = "", inline = "tokyo", group = "Tokyo Session") string tokyoHours = input.session(defval = "2000-0500", title = "", inline = "tokyo", group = "Tokyo Session", display = display.all - display.status_line) string tokyoDays = input.string(defval = "23456", title = "", inline = "tokyo", group = "Tokyo Session", display = display.all - display.status_line) string tokyoTime = tokyoHours + ":" + tokyoDays tokyoSession = time(timeframe.period, tokyoTime, "America/New_York") and timeframe.isintraday // Frankfurt Session frankfurtSwitch = input.bool(defval = false, title = "", inline = "frankfurt", group = "Frankfurt Session") frankfurtColor = input.color(defval = #e91e631a, title = "", inline = "frankfurt", group = "Frankfurt Session") string frankfurtHours = input.session(defval = "0200-1100", title = "", inline = "frankfurt", group = "Frankfurt Session", display = display.all - display.status_line) string frankfurtDays = input.string(defval = "23456", title = "", inline = "frankfurt", group = "Frankfurt Session", display = display.all - display.status_line) string frankfurtTime = frankfurtHours + ":" + frankfurtDays frankfurtSession = time(timeframe.period, frankfurtTime, "America/New_York") and timeframe.isintraday // London Session londonSwitch = input.bool(defval = false, title = "", inline = "london", group = "London Session") londonColor = input.color(defval = #f236451a, title = "", inline = "london", group = "London Session") string londonHours = input.session(defval = "0300-1200", title = "", inline = "london", group = "London Session", display = display.all - display.status_line) string londonDays = input.string(defval = "23456", title = "", inline = "london", group = "London Session", display = display.all - display.status_line) string londonTime = londonHours + ":" + londonDays londonSession = time(timeframe.period, londonTime, "America/New_York") and timeframe.isintraday // New York / US Session newyorkSwitch = input.bool(defval = false, title = "", inline = "newyork", group = "New York / US Session") newyorkColor = input.color(defval = #ff98001a, title = "", inline = "newyork", group = "New York / US Session") string newyorkHours = input.session(defval = "0800-1700", title = "", inline = "newyork", group = "New York / US Session", display = display.all - display.status_line) string newyorkDays = input.string(defval = "23456", title = "", inline = "newyork", group = "New York / US Session", display = display.all - display.status_line) string newyorkTime = newyorkHours + ":" + newyorkDays newyorkSession = time(timeframe.period, newyorkTime, "America/New_York") and timeframe.isintraday // Asian Range asiaRangeSwitch = input.bool(defval = true, title = "", inline = "asiaRange", group = "Asian Range") asiaRangeColor = input.color(defval = #7e57c21a, title = "", inline = "asiaRange", group = "Asian Range") string asiaRangeHours = input.session(defval = "1900-0000", title = "", inline = "asiaRange", group = "Asian Range", display = display.all - display.status_line) string asiaRangeDays = input.string(defval = "12345", title = "", inline = "asiaRange", group = "Asian Range", display = display.all - display.status_line) string asiaRangeTime = asiaRangeHours + ":" + asiaRangeDays asiaRangeSession = time(timeframe.period, asiaRangeTime, "America/New_York") and timeframe.isintraday // Asian Open Killzone asiaOpenSwitch = input.bool(defval = false, title = "", inline = "asiaOpen", group = "Asian Open Killzone") asiaOpenColor = input.color(defval = #9575cd1a, title = "", inline = "asiaOpen", group = "Asian Open Killzone") string asiaOpenHours = input.session(defval = "1900-2100", title = "", inline = "asiaOpen", group = "Asian Open Killzone", display = display.all - display.status_line) string asiaOpenDays = input.string(defval = "12345", title = "", inline = "asiaOpen", group = "Asian Open Killzone", display = display.all - display.status_line) string asiaOpenTime = asiaOpenHours + ":" + asiaOpenDays asiaOpenSession = time(timeframe.period, asiaOpenTime, "America/New_York") and timeframe.isintraday // London Open Killzone londonOpenSwitch = input.bool(defval = true, title = "", inline = "londonOpen", group = "London Open Killzone") londonOpenColor = input.color(defval = #f7525f1a, title = "", inline = "londonOpen", group = "London Open Killzone") string londonOpenHours = input.session(defval = "0200-0500", title = "", inline = "londonOpen", group = "London Open Killzone", display = display.all - display.status_line) string londonOpenDays = input.string(defval = "23456", title = "", inline = "londonOpen", group = "London Open Killzone", display = display.all - display.status_line) string londonOpenTime = londonOpenHours + ":" + londonOpenDays londonOpenSession = time(timeframe.period, londonOpenTime, "America/New_York") and timeframe.isintraday // London Close Killzone londonCloseSwitch = input.bool(defval = false, title = "", inline = "londonClose", group = "London Close Killzone") londonCloseColor = input.color(defval = #f77c801a, title = "", inline = "londonClose", group = "London Close Killzone") string londonCloseHours = input.session(defval = "1000-1200", title = "", inline = "londonClose", group = "London Close Killzone", display = display.all - display.status_line) string londonCloseDays = input.string(defval = "23456", title = "", inline = "londonClose", group = "London Close Killzone", display = display.all - display.status_line) string londonCloseTime = londonCloseHours + ":" + londonCloseDays londonCloseSession = time(timeframe.period, londonCloseTime, "America/New_York") and timeframe.isintraday // New York / US Open Killzone newyorkOpenSwitch = input.bool(defval = true, title = "", inline = "newyorkOpen", group = "New York / US Open Killzone") newyorkOpenColor = input.color(defval = #f57c001a, title = "", inline = "newyorkOpen", group = "New York / US Open Killzone") string newyorkOpenHours = input.session(defval = "0700-1000", title = "", inline = "newyorkOpen", group = "New York / US Open Killzone", display = display.all - display.status_line) string newyorkOpenDays = input.string(defval = "23456", title = "", inline = "newyorkOpen", group = "New York / US Open Killzone", display = display.all - display.status_line) string newyorkOpenTime = newyorkOpenHours + ":" + newyorkOpenDays newyorkOpenSession = time(timeframe.period, newyorkOpenTime, "America/New_York") and timeframe.isintraday // Indices indicesSwitch = input.bool(defval = false, title = "", inline = "indices", group = "Indices") indicesColor = input.color(defval = #4caf501a, title = "", inline = "indices", group = "Indices") string indicesHours = input.session(defval = "0930-1600", title = "", inline = "indices", group = "Indices", display = display.all - display.status_line) string indicesDays = input.string(defval = "23456", title = "", inline = "indices", group = "Indices", display = display.all - display.status_line) string indicesTime = indicesHours + ":" + indicesDays indicesSession = time(timeframe.period, indicesTime, "America/New_York") and timeframe.isintraday // Indices Closing / Power Hour indicesCloseSwitch = input.bool(defval = false, title = "", inline = "indicesClose", group = "Indices Closing / Power Hour") indicesCloseColor = input.color(defval = #66bb6a1a, title = "", inline = "indicesClose", group = "Indices Closing / Power Hour") string indicesCloseHours = input.session(defval = "1500-1600", title = "", inline = "indicesClose", group = "Indices Closing / Power Hour", display = display.all - display.status_line) string indicesCloseDays = input.string(defval = "23456", title = "", inline = "indicesClose", group = "Indices Closing / Power Hour", display = display.all - display.status_line) string indicesCloseTime = indicesCloseHours + ":" + indicesCloseDays indicesCloseSession = time(timeframe.period, indicesCloseTime, "America/New_York") and timeframe.isintraday // Silver Bullet London AM silverLondonSwitch = input.bool(defval = false, title = "", inline = "silverLondon", group = "Silver Bullet London AM") silverLondonColor = input.color(defval = #4dd0e11a, title = "", inline = "silverLondon", group = "Silver Bullet London AM") string silverLondonHours = input.session(defval = "0300-0400", title = "", inline = "silverLondon", group = "Silver Bullet London AM", display = display.all - display.status_line) string silverLondonDays = input.string(defval = "23456", title = "", inline = "silverLondon", group = "Silver Bullet London AM", display = display.all - display.status_line) string silverLondonTime = silverLondonHours + ":" + silverLondonDays silverLondonSession = time(timeframe.period, silverLondonTime, "America/New_York") and timeframe.isintraday // Silver Bullet New York / US AM silverNYAMSwitch = input.bool(defval = false, title = "", inline = "silverNYAM", group = "Silver Bullet New York / US AM") silverNYAMColor = input.color(defval = #4dd0e11a, title = "", inline = "silverNYAM", group = "Silver Bullet New York / US AM") string silverNYAMHours = input.session(defval = "1000-1100", title = "", inline = "silverNYAM", group = "Silver Bullet New York / US AM", display = display.all - display.status_line) string silverNYAMDays = input.string(defval = "23456", title = "", inline = "silverNYAM", group = "Silver Bullet New York / US AM", display = display.all - display.status_line) string silverNYAMTime = silverNYAMHours + ":" + silverNYAMDays silverNYAMSession = time(timeframe.period, silverNYAMTime, "America/New_York") and timeframe.isintraday // Silver Bullet New York / US PM silverNYPMSwitch = input.bool(defval = false, title = "", inline = "silverNYPM", group = "Silver Bullet New York / US PM") silverNYPMColor = input.color(defval = #4dd0e11a, title = "", inline = "silverNYPM", group = "Silver Bullet New York / US PM") string silverNYPMHours = input.session(defval = "1400-1500", title = "", inline = "silverNYPM", group = "Silver Bullet New York / US PM", display = display.all - display.status_line) string silverNYPMDays = input.string(defval = "23456", title = "", inline = "silverNYPM", group = "Silver Bullet New York / US PM", display = display.all - display.status_line) string silverNYPMTime = silverNYPMHours + ":" + silverNYPMDays silverNYPMSession = time(timeframe.period, silverNYPMTime, "America/New_York") and timeframe.isintraday // Warning if on higher time frames f_print(_text) => var table _t = table.new(position.top_right, 1, 1) table.cell(_t, 0, 0, _text, text_color = #2a2e39, text_size = size.small, bgcolor = #b2b5be) var chartIsMoreThan120Min = timeframe.isseconds or (timeframe.isintraday and timeframe.multiplier >= 120) if chartIsMoreThan120Min f_print("Some of the sessions may require lower time frames to appear.") // Plot color noColor = color(na) bgcolor(sydneySwitch and sydneySession ? sydneyColor : noColor) bgcolor(asiaSwitch and asiaSession ? asiaColor : noColor) bgcolor(tokyoSwitch and tokyoSession ? tokyoColor : noColor) bgcolor(frankfurtSwitch and frankfurtSession ? frankfurtColor : noColor) bgcolor(londonSwitch and londonSession ? londonColor : noColor) bgcolor(newyorkSwitch and newyorkSession ? newyorkColor : noColor) bgcolor(asiaRangeSwitch and asiaRangeSession ? asiaRangeColor : noColor) bgcolor(asiaOpenSwitch and asiaOpenSession ? asiaOpenColor : noColor) bgcolor(londonOpenSwitch and londonOpenSession ? londonOpenColor : noColor) bgcolor(londonCloseSwitch and londonCloseSession ? londonCloseColor : noColor) bgcolor(newyorkOpenSwitch and newyorkOpenSession ? newyorkOpenColor : noColor) bgcolor(indicesSwitch and indicesSession ? indicesColor : noColor) bgcolor(indicesCloseSwitch and indicesCloseSession ? indicesCloseColor : noColor) bgcolor(silverLondonSwitch and silverLondonSession ? silverLondonColor : noColor) bgcolor(silverNYAMSwitch and silverNYAMSession ? silverNYAMColor : noColor) bgcolor(silverNYPMSwitch and silverNYPMSession ? silverNYPMColor : noColor)
Automated Option Price - Black-Scholes model
https://www.tradingview.com/script/MQhYiDW5-Automated-Option-Price-Black-Scholes-model/
TonioVolcano
https://www.tradingview.com/u/TonioVolcano/
73
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© TonioVolcano //@version=5 indicator("Automated Option Price - Black-Scholes model", shorttitle = 'Op.Pr', overlay = true) // User Input for Strike Price auto_strike = input.bool(defval = true, title = "Automatically Set Strike Price") manual_strike_price = input.float(defval = 100.0, title = "Manual Strike Price") // User input for Time to Expiration auto_expiration = input.bool(defval = true, title = "Automatically Set Time to Expiration") expiration_date = input.time(defval = timestamp("21 Jul 2023 00:00 +0300"), title = "Expiration Date") // User input for Volatility volatility_periods = input.int(defval = 14, title = "Volatility Periods") // User Input for Interest Rate risk_free_rate = input.float(defval = 0.0427, title = "Risk-Free Interest Rate (e.g. 0.02 for 2%)") //Other Inputs color1 = input.color(color.new(#d1d4dc, 10), title='Color1 Table') color2 = input.color(color.new(color.gray, 10), title='Color2 Table') // Strike Price Calculation var float strike_price_calls = na var float strike_price_puts = na if auto_strike if close >= 1 and close <= 60 strike_price_calls := math.ceil(close) strike_price_puts := math.floor(close) else if close > 60 and close <= 90 strike_price_calls := math.ceil(close) + 1 strike_price_puts := math.floor(close) - 1 else if close > 90 and close <= 120 strike_price_calls := math.ceil(close) + 2 strike_price_puts := math.floor(close) - 2 else if close > 120 strike_price_calls := math.ceil(close / 5) * 5 strike_price_puts := math.floor(close / 5) * 5 else strike_price_calls := manual_strike_price strike_price_puts := manual_strike_price // Time to Expiration // Calculate the weekday of the current bar (0 = Sunday, 1 = Monday, ..., 6 = Saturday) weekday_today = dayofweek(time) // If it's Monday (2), set expiration date to this week's Friday // If it's Tuesday (3) or later, set expiration date to next week's Friday days_to_next_friday = (weekday_today == 2) ? 4 : (13 - weekday_today) // Calculate the automatic expiration date auto_expiration_date = time + (days_to_next_friday * 24 * 60 * 60 * 1000) // Use the automatic expiration date if auto_expiration is true, otherwise use the manual expiration date input selected_expiration_date = auto_expiration ? auto_expiration_date : expiration_date // Calculate the time to expiration in years time_to_expiration = (selected_expiration_date - time) / 365.0 / (24 * 60 * 60 * 1000) // Calculate the expiration date expiration_date_str = str.format_time(auto_expiration_date, "dd-MMM") //Volatility // Calculate daily returns daily_returns = (close - close[1]) / close[1] daily_std_dev = ta.stdev(daily_returns, volatility_periods) annualized_volatility = daily_std_dev * math.sqrt(252) // Calculate the ATR atr = ta.atr(volatility_periods) annualized_volatility_atr = atr / close * math.sqrt(252) // Black S. Model // Cumulative distribution function of the standard normal distribution phi(input_z) => a1 = 0.254829592 a2 = -0.284496736 a3 = 1.421413741 a4 = -1.453152027 a5 = 1.061405429 p = 0.3275911 sign = input_z < 0.0 ? -1.0 : 1.0 z_abs = math.abs(input_z) / math.sqrt(2.0) t = 1.0 / (1.0 + p * z_abs) y = 1.0 - (((((a5 * t + a4) * t) + a3) * t + a2) * t + a1) * t * math.exp(-z_abs * z_abs) 0.5 * (1.0 + sign * y) // Black-Scholes model for call option price black_scholes_call(S, K, T, r, sigma) => d1 = (math.log(S / K) + (r + 0.5 * sigma * sigma) * T) / (sigma * math.sqrt(T)) d2 = d1 - sigma * math.sqrt(T) S * phi(d1) - K * math.exp(-r * T) * phi(d2) // Black-Scholes model for put option price black_scholes_put(S, K, T, r, sigma) => d1 = (math.log(S / K) + (r + 0.5 * sigma * sigma) * T) / (sigma * math.sqrt(T)) d2 = d1 - sigma * math.sqrt(T) K * math.exp(-r * T) * phi(-d2) - S * phi(-d1) // Calculate the call and put option price call_option_price = black_scholes_call(close, strike_price_calls, time_to_expiration, risk_free_rate, annualized_volatility) put_option_price = black_scholes_put(close, strike_price_puts, time_to_expiration, risk_free_rate, annualized_volatility) // Calculate the call and put option price for ATR volatility call_option_price1 = black_scholes_call(close, strike_price_calls, time_to_expiration, risk_free_rate, annualized_volatility_atr) put_option_price1 = black_scholes_put(close, strike_price_puts, time_to_expiration, risk_free_rate, annualized_volatility_atr) // Calculate the call and put option price at alternative price Hcall_option_price = black_scholes_call(hl2, strike_price_calls, time_to_expiration, risk_free_rate, annualized_volatility) Hput_option_price = black_scholes_put(hl2, strike_price_puts, time_to_expiration, risk_free_rate, annualized_volatility) // Calculate the call and put option price for ATR volatility at alternative price Hcall_option_price1 = black_scholes_call(hl2, strike_price_calls, time_to_expiration, risk_free_rate, annualized_volatility_atr) Hput_option_price1 = black_scholes_put(hl2, strike_price_puts, time_to_expiration, risk_free_rate, annualized_volatility_atr) //Blending mid points call_option_priceF = ((2.0 / (1.0 / call_option_price + 1.0 / call_option_price1)) + ((call_option_price + call_option_price1) / 2) ) / 2 put_option_priceF = ((2.0 / (1.0 / put_option_price + 1.0 / put_option_price1)) + ((put_option_price + put_option_price1) / 2)) / 2 Hcall_option_priceF = ((2.0 / (1.0 / Hcall_option_price + 1.0 / Hcall_option_price1)) + ((Hcall_option_price + Hcall_option_price1) / 2) ) / 2 Hput_option_priceF = ((2.0 / (1.0 / Hput_option_price + 1.0 / Hput_option_price1)) + ((Hput_option_price + Hput_option_price1) / 2)) / 2 // Draw the table rows = 5 cols = 3 tbl = table.new(position="top_right", rows=rows, columns=cols, bgcolor=color2, border_width=1, border_color=color2) table.cell(tbl, row=0, column=0, text="S/Exp:", bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=0, column=1, text=expiration_date_str, bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=0, column=2, text="Price", bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=1, column=0, text=str.tostring(strike_price_calls, "###"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=1, column=1, text="C @ " + str.tostring(close, "##.00"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=1, column=2, text=str.tostring(call_option_priceF, "##.00"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=2, column=0, text=str.tostring(strike_price_calls,"###"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=2, column=1, text="C @ " + str.tostring(hl2, "##.00"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=2, column=2, text=str.tostring(Hcall_option_priceF, "##.00"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=3, column=0, text=str.tostring(strike_price_puts,"###"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=3, column=1, text="P @ " + str.tostring(close, "##.00"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=3, column=2, text=str.tostring(put_option_priceF, "##.00"), bgcolor=color1, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=4, column=0, text=str.tostring(strike_price_puts,"###"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=4, column=1, text="P @ " + str.tostring(hl2, "##.00"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) table.cell(tbl, row=4, column=2, text=str.tostring(Hput_option_priceF, "##.00"), bgcolor=color2, text_color=color.new(#000000, 0), text_size = size.small) //End
Bearish Gartley Harmonic Patterns [theEccentricTrader]
https://www.tradingview.com/script/AeKurVDy-Bearish-Gartley-Harmonic-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
38
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Bearish Gartley Harmonic Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 250) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) adRangeRatio = (shPrice - slPriceOne) / (shPriceTwo - slPriceOne) * 100 abLowerTolerance = input(defval = 10, title = 'AB Lower Tolerance (%)', group = 'Tolerances') abUpperTolerance = input(defval = 10, title = 'AB Upper Tolerance (%)', group = 'Tolerances') bcLowerTolerance = input(defval = 10, title = 'BC Lower Tolerance (%)', group = 'Tolerances') bcUpperTolerance = input(defval = 10, title = 'BC Upper Tolerance (%)', group = 'Tolerances') cdLowerTolerance = input(defval = 10, title = 'CD Lower Tolerance (%)', group = 'Tolerances') cdUpperTolerance = input(defval = 10, title = 'CD Upper Tolerance (%)', group = 'Tolerances') adLowerTolerance = input(defval = 10, title = 'AD Lower Tolerance (%)', group = 'Tolerances') adUpperTolerance = input(defval = 10, title = 'AD Upper Tolerance (%)', group = 'Tolerances') bearishGartley = shPrice and returnLineUptrend and downtrend[1] and uptrend and shRangeRatioOne >= 61.8 - abLowerTolerance and shRangeRatioOne <= 61.8 + abUpperTolerance and slRangeRatioZero >= 38.2 - bcLowerTolerance and slRangeRatioZero <= 88.6 + bcUpperTolerance and shRangeRatio >= 127.2 - cdLowerTolerance and shRangeRatio <= 161.8 + cdUpperTolerance and adRangeRatio >= 78.6 - adLowerTolerance and adRangeRatio <= 78.6 + adUpperTolerance //////////// lines //////////// patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if bearishGartley lineOne = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexOne, slPriceOne, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexOne, shPriceOne, troughBarIndex, trough, color = patternColor, width = 2) lineFour = line.new(troughBarIndex, trough, shPriceBarIndex, shPrice, color = patternColor, width = 2) lineFive = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, style = line.style_dashed) lineSix = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineSeven = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, style = line.style_dashed) lineEight = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor, style = line.style_dashed) labelOne = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'X', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'A', textcolor = labelColor) labelThree = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFour = label.new(troughBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'C (' + str.tostring(math.round(slRangeRatioZero, 2)) + ')', textcolor = labelColor) labelFive = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'D (' + str.tostring(math.round(shRangeRatio, 2)) + ')\n(' + str.tostring(math.round(adRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, lineEight) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if bearishGartley line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceTwo - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceTwo - slPriceOne) : na) alert('Bearish Gartley')
Golden Level Predictions v1.0
https://www.tradingview.com/script/pi0dl3i6-Golden-Level-Predictions-v1-0/
gggoaaat
https://www.tradingview.com/u/gggoaaat/
40
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Golden Level Predictions (GLP) Trading Indicator // This script is a custom trading indicator named "GLP" designed for the TradingView platform. It provides various price levels based on Fibonacci calculations and other mathematical formulas to help traders identify potential overpriced and discounted price levels. // Key Features: // User Inputs: Allows users to select their preferred timeframe from options like Weekly, Daily, Monthly, etc. Users can also choose to display Fibonacci lines and their corresponding prices within the levels. // Price Level Calculations: // Uses constants like the Golden Ratio (PHI) and Pi (PI) to derive various multipliers and factors. // Determines if the current asset is a cryptocurrency and adjusts calculations accordingly. // Calculates overpriced and discounted price levels based on the current open price and historical data. // Fibonacci Levels: // For each overpriced and discounted level, the script calculates intermediate Fibonacci levels like 23.6%, 38.2%, 50%, 61.8%, and 78.6%. // These levels are plotted on the chart, providing traders with more granular price targets. // Visual Elements: // Draws horizontal lines to the next day for each calculated price level. // Displays percentage gains or losses at each level, indicating how much the price would change if it reached that level. // Uses different colors to represent overpriced (green) and discounted (red) levels. A neutral price is shown in yellow. // anticipatedcipated Close Calculation: Provides an estimated closing price for the current timeframe based on various factors. //You will see various numbers and formulas and wonder why I chose them. First through research and studying other indicators I found some commonalities //1 - Need I say more? //2 - It is the natural number following 1 and preceding 3. It is the smallest and only even prime number. //3 - It is the second and only prime triangular number, and Gauss proved that every integer is the sum of at most 3 triangular numbers //4 - It is a square number, the smallest semiprime and composite number //5 - It is the first safe prime,[3] the first good prime,[4] the first balanced prime,[5] and the first of three known Wilson primes //6 - It is therefore considered β€œperfect.” In mathematics, a perfect number is one that equals the sum of its divisors (excluding itself), and 6 is the first perfect number in this sense because its divisors are 1, 2, and 3. //7 - Seven is considered by some to be the most 'prime' number within the first 10 numbers as you cannot multiply it within the group, making it a kind of optimal-prime //9 - In mathematics, the number 9 has some unique properties as well. It is the highest single-digit number, and any number multiplied by 9 will always result in a number whose digits add up to 9 //11 - Number 11 is a prime number, meaning it is only divisible by 1 and itself. Its prime status contributes to its uniqueness and mathematical significance //33 - The number of deities in the Vedic Religion is 33 //36 - The square of six and a triangular number, making it a square, triangular number. It is the smallest square, a triangular number other than one, and it is also the only triangular number other than the one whose square root is also a triangular number //100- Need I say less // Β© gggoaaat //@version=5 indicator("GLP", overlay=true) //CORE CODE START timeframeOptions = input.string("W", "Select Timeframe", options=["W", "D", "M", "12h", "8h", "4h", "2h", "1h", "30m", "15m", "5m"], tooltip = "Higher Time frames more reliable. Preferred D, W, M") showFibLines = input.bool(true, "Show Fib Lines inside levels?", tooltip = "You can display all the fib lines between the levels.") showFibPrices = input.bool(false, "Show Fib Lines Prices?", tooltip = "You can toggle the display of all the fib lines between the levels.") // Function to convert timeframe convertTimeframe(tf) => tf == "12h" ? "720" : tf == "8h" ? "480" : tf == "4h" ? "240" : tf == "2h" ? "120" : tf == "1h" ? "60" : tf == "30m" ? "30" : tf == "15m" ? "15" : tf == "5m" ? "5" : tf // Use the function to get the converted timeframe timeframeOptions := convertTimeframe(timeframeOptions) //#region COMMON CODE for Pricing /////////////////////////////////////////////////////// /////////////////////////////////////////////////////// /////////////////////////////////////////////////////// // Constants PI = 3.141592653589793 PHI = +(1 + math.sqrt(5)) / 2 isCrypto = syminfo.type == "crypto" upMagicNo = input.float(1 + (((PI*4)-PHI*(PHI+1))/100), "Overprice Magic #", display = display.none ) downMagicNo = input.float(1 + (((PI*2)-(PHI*0.36))/100), "Discount Magic #", display = display.none) baseWeekOffset = 0.007 timeFrameOffset = timeframeOptions == "M" ? baseWeekOffset*52/12 : //1 Month timeframeOptions == "W" ? baseWeekOffset : //1 Week timeframeOptions == "D" ? 0 : //1 Day timeframeOptions == "720" ? -(baseWeekOffset/7/24)*2 : //12 Hour timeframeOptions == "480" ? -(baseWeekOffset/7/24)*3 : //8 Hour timeframeOptions == "240" ? -(baseWeekOffset/7/24)*6 : //4 Hour timeframeOptions == "120" ? -(baseWeekOffset/7/24)*12 : //2 Hour timeframeOptions == "60" ? -(baseWeekOffset/7/24)*24 : //1 Hour timeframeOptions == "30" ? -(baseWeekOffset/7/24)*((isCrypto ? 48 : 12)*PI) : //30 Min timeframeOptions == "15" ? -(baseWeekOffset/7/24)*((isCrypto ? 96 : 36)*PI) : //15 Min timeframeOptions == "5" ? -(baseWeekOffset/7/24)*((isCrypto ? 288 : 108)*(1+ (PHI/5))) : //5 Min 0 timeFrameLabel = timeframeOptions == "M" ? "Month" : timeframeOptions == "W" ? "Week" : timeframeOptions == "D" ? "Day" : timeframeOptions == "720"? "12 Hour" : timeframeOptions == "480"? "8 Hour" : timeframeOptions == "240"? "4 Hour" : timeframeOptions == "120"? "2 Hour" : timeframeOptions == "60" ? "1 Hour" : timeframeOptions == "30" ? "30 Min" : timeframeOptions == "15" ? "15 Min" : timeframeOptions == "5" ? "5 Min" : timeframeOptions upMagicNo += timeFrameOffset downMagicNo -= timeFrameOffset stocksOffset = input.float((PHI/100/2), "Stocks Offset", tooltip = "Only change when using stocks. Does not apply to crypto.", display = display.none) o_overpriced_multiplier = (isCrypto ? upMagicNo : upMagicNo-stocksOffset) o_discounted_multiplier = (isCrypto ? downMagicNo : downMagicNo+stocksOffset) scaler = 100000000000 piFifth = PI * 5/100 neutral_color = color.yellow discounted_color = color.red overpriced_color = color.green // fibOpacity = showFibLines ? 0 : 100 // hotShort = color.rgb(178, 34, 34, fibOpacity) // lukeWarmShort = color.rgb(240, 128, 128, fibOpacity) // lukeWarmLong = color.rgb(144, 238, 144, fibOpacity) // hotLong = color.rgb(50, 205, 50, fibOpacity) // neutralColor = color.rgb(120, 123, 134, fibOpacity) //fibPlotStyle = plot.style_line fibPlotDisplay = showFibLines and showFibPrices ? display.data_window+display.pane+display.price_scale : showFibLines ? display.pane : showFibPrices ? display.price_scale : display.none //Magic Math magicNumber = (math.abs(PHI - PI) - (PHI / PI)) - (PI * ((PI * 6 / 10000) + (math.abs(PHI - PI) / 100000))) indicatorMath = (PHI * 2) - piFifth moveMulti = (PI /indicatorMath) - 1 moveMulti := (isCrypto ? moveMulti : moveMulti/2) moveMulti2 = ((PI /indicatorMath)*(1+((math.pow(PHI,PI)+(PHI/PI))/100))) - 1 moveMulti2 := (isCrypto ? moveMulti2 : moveMulti2/2) moveMulti3 = ((PI /indicatorMath)*(1+((math.pow(PHI,PI)+(PHI/PI))/(math.pow(PI, 3))))) - 1 moveMulti3 := (isCrypto ? moveMulti3 : moveMulti3/2) moveNominal = PI / 16 moveSmall = PI / 32 //#region Functions ExpRM(base, exponent) => var float result = 1 for i = 0 to exponent - 1 result := result * base result // Function to draw a horizontal line to the next day drawLineToNextDay(level, title, color) => var line lineID = na // Calculate the time of the next day nextDay = timestamp(year, month, dayofmonth + 14, 0, 0) if (na(lineID)) lineID := line.new(x1=time, y1=level, x2=nextDay, y2=level, width=4, color=color, xloc=xloc.bar_time, extend=extend.none) line.set_xy1(lineID, time, level) line.set_xy2(lineID, nextDay, level) // Function to find the start time of the current bar based on the selected interval findStartTime(interval) => var int startTimeYear = na var int startTimeMonth = na var int startTimeDayOfMonth = na var int startTimeHour = na var int startTimeMinute = na startTime = time // Calculate the start time based on the selected interval if interval == "W" startTimeYear := year startTimeMonth := month startTimeDayOfMonth := dayofmonth // Calculate the start time for the current week startTime := timestamp(startTimeYear, startTimeMonth, startTimeDayOfMonth, 0, 0) // Find the day of the week for the current bar's date var int dayOfWeek = dayofweek(startTime) log.info("dayOfWeek:" + str.tostring(dayOfWeek)) // Calculate the difference between the current day of the week and Sunday (0) var int daysToSunday = dayOfWeek == 0 ? 0 : 7 - dayOfWeek // Adjust the start time based on the days to Sunday startTime := startTime - daysToSunday * 86400 // 86400 seconds in a day else if interval == "D" startTimeYear := year startTimeMonth := month startTimeDayOfMonth := dayofmonth startTimeHour := hour startTimeMinute := minute // Calculate the start time for the current day startTime := timestamp(startTimeYear, startTimeMonth, startTimeDayOfMonth, 0, 0) else if interval == "H" startTimeHour := hour startTimeMinute := minute // Calculate the start time for the current hour startTime := timestamp(year, month, dayofmonth, startTimeHour, startTimeMinute) // Return the calculated start time startTime drawLineToCurrentGLP(level, title, color) => var line lineID = na // Calculate the time of the next day nextDay = findStartTime(timeframeOptions) //timestamp(year, month, dayofmonth, 0, 00) if (na(lineID)) lineID := line.new(x1=time, y1=level, x2=nextDay, y2=level, width=4, color=color, xloc=xloc.bar_time, extend=extend.none) line.set_xy1(lineID, time, level) line.set_xy2(lineID, nextDay, level) // var line lineID = na // GLPStart = time // GLPEnd = int(na(time[1]) ? na : time[1] + timeframe.multiplier * 60) // str.tostring("This Level") // if (na(lineID)) // lineID := line.new(x1=bar_index[0], y1=level, x2=bar_index[100], y2=level, width=2, color=color, xloc=xloc.bar_time, extend=extend.right) // line.set_xy1(lineID, GLPStart, level) // line.set_xy2(lineID, GLPEnd, level) //label.new(x=bar_index + 3, y=level, text="(" + timeFrameLabel + ") " + title, style=label.style_label_left, color=color) // Grab data from previousious daily candle and scale fetchData(field) => request.security(syminfo.tickerid, timeframeOptions, field, lookahead=barmerge.lookahead_on) * scaler calculateFibLevels(start, end) => diff = end - start fib_236 = start + diff * 0.236 fib_382 = start + diff * 0.382 fib_5 = start + diff * 0.5 fib_618 = start + diff * 0.618 fib_786 = start + diff * 0.786 [fib_236, fib_382, fib_5, fib_618, fib_786] //#endregion // Data Fetching previous_iclose = fetchData(close[1]) previous_iopen = fetchData(open[1]) previous_ihigh = fetchData(high[1]) previous_ilow = fetchData(low[1]) previous_ivolume = na(fetchData(volume[1])) ? 1 : fetchData(volume[1]) current_open = fetchData(open) current_low = fetchData(low) current_high = fetchData(high) // Calculations avg_previous = math.avg(current_open, previous_iclose, previous_iopen, previous_ihigh, previous_ilow) adjusted_open = current_open * magicNumber neutral_target = math.avg(avg_previous, adjusted_open) neutral = neutral_target / scaler // Daily Overpriced Level III Targets Plot // Overpriced & Discounted Targets overpriceLowMultiplier = -((PI+3.0)*PI/100) previousOpenMultiplier = (PI+(PHI/2)+(0.09))*PI/100 previousHighMultiplier = -(((PI*11)-(PHI*6))/100) discountLowMultiplier = ((PI*6)-(PHI))/100 currentOpenMultiplied = current_open * o_overpriced_multiplier previousIntervalLowMultiplied = previous_ilow * overpriceLowMultiplier previousIntervalOpenMultiplied = previous_iopen * previousOpenMultiplier previousVolumeRegulated = previous_ivolume * (currentOpenMultiplied / ExpRM(10, 20)) overpriceIScaled = (currentOpenMultiplied + previousIntervalLowMultiplied + previousIntervalOpenMultiplied + previousVolumeRegulated) - moveMulti overpriceIIScaled = overpriceIScaled + (overpriceIScaled * moveMulti) overpriceIIIScaled = overpriceIIScaled + (overpriceIIScaled * moveMulti2) overpriceIVScaled = overpriceIIScaled + (overpriceIIIScaled * moveMulti3) overpriceI = overpriceIScaled / scaler overpriceII = overpriceIIScaled / scaler overpriceIII = overpriceIIIScaled / scaler overpriceIV = overpriceIVScaled / scaler // Discounted Targets currentOpenMultiplied := current_open * o_discounted_multiplier previousHighMultiplied = previous_ihigh * previousHighMultiplier previousLowMultiplied = previous_ilow * discountLowMultiplier discountIScaled = (currentOpenMultiplied + previousHighMultiplied + previousLowMultiplied) + moveNominal discountIIScaled = discountIScaled - (discountIScaled * moveMulti) discountIIIScaled = discountIIScaled - (discountIIScaled * moveMulti2) discountIVScaled = discountIIIScaled - (discountIIIScaled * moveMulti3) discountedI = discountIScaled / scaler discountedII = discountIIScaled / scaler discountedIII = discountIIIScaled / scaler discountedIV = discountIVScaled / scaler anticipatedCurrentHighMultiplier = ((PI*33)+(PHI*11))/100 //1.214 anticipatedPreviousHighMultiplier = -(PI*(5.09))/100 //-0.160 anticipatedCurrentOpenMultiplier = -((PI*6)+(PHI*1))/100 //-0.209 anticipatedCurrentLowMultiplier = ((PI*PI)+(PHI*2))/100 //0.130 // anticipatedcipated Close Calculation currentHighMultiplied = current_high * anticipatedCurrentHighMultiplier overpriceIScaled := previous_ihigh * anticipatedPreviousHighMultiplier currentOpenMultiplied := current_open * anticipatedCurrentOpenMultiplier previousIntervalLowMultiplied := current_low * anticipatedCurrentLowMultiplier closeguess = ((currentHighMultiplied + overpriceIScaled + currentOpenMultiplied + previousIntervalLowMultiplied) + moveSmall)/ scaler //CORE CODE END /////////////////////////////////////////////////////// /////////////////////////////////////////////////////// /////////////////////////////////////////////////////// //#endregion //#region Fib Plotting [discounted1_fib_236, discounted1_fib_382, discounted1_fib_500, discounted1_fib_618, discounted1_fib_786] = calculateFibLevels(neutral, discountedI) [discounted2_fib_236, discounted2_fib_382, discounted2_fib_500, discounted2_fib_618, discounted2_fib_786] = calculateFibLevels(discountedI, discountedII) [discounted3_fib_236, discounted3_fib_382, discounted3_fib_500, discounted3_fib_618, discounted3_fib_786] = calculateFibLevels(discountedII, discountedIII) [discounted4_fib_236, discounted4_fib_382, discounted4_fib_500, discounted4_fib_618, discounted4_fib_786] = calculateFibLevels(discountedIII, discountedIV) [overpriced1_fib_236, overpriced1_fib_382, overpriced1_fib_500, overpriced1_fib_618, overpriced1_fib_786] = calculateFibLevels(neutral, overpriceI) [overpriced2_fib_236, overpriced2_fib_382, overpriced2_fib_500, overpriced2_fib_618, overpriced2_fib_786] = calculateFibLevels(overpriceI, overpriceII) [overpriced3_fib_236, overpriced3_fib_382, overpriced3_fib_500, overpriced3_fib_618, overpriced3_fib_786] = calculateFibLevels(overpriceII, overpriceIII) [overpriced4_fib_236, overpriced4_fib_382, overpriced4_fib_500, overpriced4_fib_618, overpriced4_fib_786] = calculateFibLevels(overpriceIII, overpriceIV) //discountedIV // Plotting the Fibonacci levels //drawLineToCurrentGLP(overpriced3_fib_786, "O3 78.6%", color.blue) plot(overpriced4_fib_786, "O4 78.6%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bull" plot(overpriced4_fib_618, "O4 61.8%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bull" plot(overpriced4_fib_500, "O4 50% ", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bull" plot(overpriced4_fib_382, "O4 38.2%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bull" plot(overpriced4_fib_236, "O4 23.6%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bull" plot(overpriced3_fib_786, "O3 78.6%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bull" plot(overpriced3_fib_618, "O3 61.8%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bull" plot(overpriced3_fib_500, "O3 50% ", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bull" plot(overpriced3_fib_382, "O3 38.2%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bull" plot(overpriced3_fib_236, "O3 23.6%", color=color.rgb(178, 34, 34, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bull" plot(overpriced2_fib_786, "O2 78.6%", color=color.rgb(240, 128, 128, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bull" plot(overpriced2_fib_618, "O2 61.8%", color=color.rgb(240, 128, 128, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bull" plot(overpriced2_fib_500, "O2 50% ", color=color.rgb(240, 128, 128, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bull" plot(overpriced2_fib_382, "O2 38.2%", color=color.rgb(240, 128, 128, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bull" plot(overpriced2_fib_236, "O2 23.6%", color=color.rgb(240, 128, 128, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bull" plot(overpriced1_fib_786, "O1 78.6%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bull" plot(overpriced1_fib_618, "O1 61.8%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bull" plot(overpriced1_fib_500, "O1 50% ", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bull" plot(overpriced1_fib_382, "O1 38.2%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bull" plot(overpriced1_fib_236, "O1 23.6%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bull" plot(discounted1_fib_236, "D1 23.6%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bear" plot(discounted1_fib_382, "D1 38.2%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bear" plot(discounted1_fib_500, "D1 50% ", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bear" plot(discounted1_fib_618, "D1 61.8%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bear" plot(discounted1_fib_786, "D1 78.6%", color=color.rgb(120, 123, 134, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bear" plot(discounted2_fib_236, "D2 23.6%", color=color.rgb(144, 238, 144, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bear" plot(discounted2_fib_382, "D2 38.2%", color=color.rgb(144, 238, 144, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bear" plot(discounted2_fib_500, "D2 50% ", color=color.rgb(144, 238, 144, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bear" plot(discounted2_fib_618, "D2 61.8%", color=color.rgb(144, 238, 144, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bear" plot(discounted2_fib_786, "D2 78.6%", color=color.rgb(144, 238, 144, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bear" plot(discounted3_fib_236, "D3 23.6%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bear" plot(discounted3_fib_382, "D3 38.2%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bear" plot(discounted3_fib_500, "D3 50% ", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bear" plot(discounted3_fib_618, "D3 61.8%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bear" plot(discounted3_fib_786, "D3 78.6%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bear" plot(discounted4_fib_236, "D4 23.6%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 23.6% Bear" plot(discounted4_fib_382, "D4 38.2%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 38.2% Bear" plot(discounted4_fib_500, "D4 50% ", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 50% Bear" plot(discounted4_fib_618, "D4 61.8%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 61.8% Bear" plot(discounted4_fib_786, "D4 78.6%", color=color.rgb(50, 205, 50, 50), linewidth=1, style=plot.style_line, display = fibPlotDisplay) //"Fib 78.6% Bear" //drawLineToCurrentGLP(discounted3_fib_786, "D3 78.6%", color.blue) //#endregion //#region Plotting // Draw a line from the current bar to the end of the day at the level of max1 pctGain1 = ((overpriceI - neutral) / neutral) * 100 pctGain2 = ((overpriceII - overpriceI) / neutral) * 100 pctGain3 = ((overpriceIII - overpriceII) / neutral) * 100 pctGain4 = ((overpriceIV - overpriceIII) / neutral) * 100 pctLoss1 = ((discountedI -neutral) / neutral) * 100 pctLoss2 = ((discountedII - discountedI) / neutral) * 100 pctLoss3 = ((discountedIII - discountedII) / neutral) * 100 pctLoss4 = ((discountedIV - discountedIII) / neutral) * 100 pctGainRndUp1 = math.ceil(pctGain1 * 100) / 100 pctGainRndUp2 = math.ceil(pctGain2 * 100) / 100 pctGainRndUp3 = math.ceil(pctGain3 * 100) / 100 pctGainRndUp4 = math.ceil(pctGain4 * 100) / 100 pctLossRndUp1 = math.ceil(pctLoss1 * 100) / 100 pctLossRndUp2 = math.ceil(pctLoss2 * 100) / 100 pctLossRndUp3 = math.ceil(pctLoss3 * 100) / 100 pctLossRndUp4 = math.ceil(pctLoss4 * 100) / 100 fontColor = color.white labelStyle = label.style_label_left //SECTION Labels var label timeframeLabel = na if (barstate.islast) label.new(x=bar_index + 3, y=overpriceIV, text="(" + timeFrameLabel + ") " + str.tostring(pctGainRndUp2+pctGainRndUp1+pctGainRndUp3+pctGainRndUp4) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=overpriceIII, text="(" + timeFrameLabel + ") " + str.tostring(pctGainRndUp2+pctGainRndUp1+pctGainRndUp3) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=overpriceII, text="(" + timeFrameLabel + ") " + str.tostring(pctGainRndUp2+pctGainRndUp1) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=overpriceI, text="(" + timeFrameLabel + ") " + str.tostring(pctGainRndUp1) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=discountedI, text="(" + timeFrameLabel + ") " + str.tostring(pctLossRndUp1) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=discountedII, text="(" + timeFrameLabel + ") " + str.tostring(pctLossRndUp2+pctLossRndUp1) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=discountedIII, text="(" + timeFrameLabel + ") " + str.tostring(pctLossRndUp2+pctLossRndUp1+pctLossRndUp3) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=discountedIV, text="(" + timeFrameLabel + ") " + str.tostring(pctLossRndUp2+pctLossRndUp1+pctLossRndUp3+pctLossRndUp4) + "%", style=labelStyle, color=fontColor) label.new(x=bar_index + 3, y=neutral, text="(" + timeFrameLabel + ") Neutral", style=labelStyle, color=fontColor) drawLineToNextDay(overpriceIV, "Overprice Level IV", overpriced_color) drawLineToNextDay(overpriceIII, "Overprice Level III", overpriced_color) drawLineToNextDay(overpriceII, "Overpriced Level II", overpriced_color) drawLineToNextDay(overpriceI, "Overpriced Level I", overpriced_color) drawLineToNextDay(discountedI, "Discount Level I", discounted_color) drawLineToNextDay(discountedII, "Discount Level II", discounted_color) drawLineToNextDay(discountedIII, "Discount Level III", discounted_color) drawLineToNextDay(discountedIV, "Discount Level IV", discounted_color) drawLineToNextDay(neutral, "Neutral Price", neutral_color) plot(overpriceIV, "Overpriced Level IV", overpriced_color, 4, plot.style_line) plot(overpriceIII, "Overpriced Level III", overpriced_color, 4, plot.style_line) plot(overpriceII, "Overpriced Level II", overpriced_color, 4, plot.style_line) plot(overpriceI, "Overpriced Level I", overpriced_color, 4, plot.style_line) plot(neutral, "Neutral Price", neutral_color, 4, plot.style_line) plot(discountedI, "Discount Level I", discounted_color, 4, plot.style_line) plot(discountedII, "Discount Level II", discounted_color, 4, plot.style_line) plot(discountedIII, "Discount Level III", discounted_color, 4, plot.style_line) plot(discountedIV, "Discount Level IV", discounted_color, 4, plot.style_line) plot(closeguess, "Hit Marks", color.purple, 2, style=plot.style_circles) //#endregion
Rounded Forex Levels: Big-Figure, Mid-Figure, 80-20 levels, BFRN
https://www.tradingview.com/script/bXVycKTr-Rounded-Forex-Levels-Big-Figure-Mid-Figure-80-20-levels-BFRN/
twingall
https://www.tradingview.com/u/twingall/
94
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ //13th April 2023 // Β© twingall //@version=5 indicator("Rounded Levels: Big-Figure, Mid-Figure, 80-20 levels", shorttitle = 'Rounded FX Levels', overlay = true) tickInput = input.int(10, "pips spacing", options = [5, 10, 20, 25, 50, 100]) numLines = input.int(10, "number of lines above/below", options = [1,2,3,5,7,10]) x1offset = input.int(5, "Start line offset:", inline = '1') x2offset = input.int(44, "End line offset:", inline = '1') show5 = input.bool(true, "", inline ='1', group = "formatting") lineCol5 = input.color(color.black, "5pip", inline ='1', group = "formatting") style1 = input.string("Dotted", "Style", options =["Dashed", "Dotted", "Solid"], inline ='1', group = "formatting") width1 = input.int (1, "width", minval =1, maxval =5, inline ='1', group = "formatting") show10 = input.bool(true, "", inline ='2', group = "formatting") lineCol10 = input.color(color.blue, "10pip", inline ='2', group = "formatting") style2 = input.string("Dotted", "Style", options =["Dashed", "Dotted", "Solid"], inline ='2', group = "formatting") width2 = input.int (1, "width", minval =1, maxval =5, inline ='2', group = "formatting") show20_80 = input.bool(true, "", inline ='3', group = "formatting") lineCol20_80 = input.color(color.orange, "20_80", inline ='3', group = "formatting") style3 = input.string("Dashed", "Style", options =["Dashed", "Dotted", "Solid"], inline ='3', group = "formatting") width3 = input.int (1, "width", minval =1, maxval =5, inline ='3', group = "formatting") showMF = input.bool(true, "", inline ='4', group = "formatting") lineColMF = input.color(color.green, "Mid-figure", inline ='4', group = "formatting") style4 = input.string("Dashed", "Style", options =["Dashed", "Dotted", "Solid"], inline ='4', group = "formatting") width4 = input.int (2, "width", minval =1, maxval =5, inline ='4', group = "formatting") showBF = input.bool(true, "", inline ='5', group = "formatting") lineColBF = input.color(color.red, "Big-figure", inline ='5', group = "formatting") style5 = input.string("Solid", "Style", options =["Dashed", "Dotted", "Solid"], inline ='5', group = "formatting") width5 = input.int (2, "width", minval =1, maxval =5, inline ='5', group = "formatting") colorNone = color.new(color.white,100) string lineStyle1 = switch style1 "Dotted" => line.style_dotted "Dashed" => line.style_dashed "Solid" => line.style_solid string lineStyle2 = switch style2 "Dotted" => line.style_dotted "Dashed" => line.style_dashed "Solid" => line.style_solid string lineStyle3 = switch style3 "Dotted" => line.style_dotted "Dashed" => line.style_dashed "Solid" => line.style_solid string lineStyle4 = switch style4 "Dotted" => line.style_dotted "Dashed" => line.style_dashed "Solid" => line.style_solid string lineStyle5 = switch style5 "Dotted" => line.style_dotted "Dashed" => line.style_dashed "Solid" => line.style_solid float ticksInUSD = tickInput*10*syminfo.mintick roundToCustomMintick(float val, float minTick)=> float roundVal = na float stdVal = math.round_to_mintick(val) rem = stdVal%minTick invRem = minTick-rem if rem < (minTick/2) roundVal:= stdVal-rem else roundVal:= stdVal+invRem roundVal roundCl = roundToCustomMintick(close[1], ticksInUSD) //functions ... conversion of floats to integers via scaling them up is needed to make the modulo (%) operator work properly getColor(float price)=> color col = na int priceM = math.round(price*10000) int pricePlus8 = math.round(priceM + 80) int pricePlus2 = math.round(priceM + 20) int pricePlus5 = math.round(priceM + 50) if priceM%100==0 col:=showBF?lineColBF:colorNone else if pricePlus5%100==0 col:=showMF?lineColMF:colorNone else if pricePlus8%100==0 or pricePlus2%100==0 col:=show20_80?lineCol20_80:colorNone else if priceM%10==0 col:= show10?lineCol10:colorNone else if priceM%5==0 col:= show5?lineCol5:colorNone else col:= color.lime col getStyle(float price)=> string style = na int priceM = math.round(price*10000) int pricePlus8 = math.round(priceM + 80) int pricePlus2 = math.round(priceM + 20) int pricePlus5 = math.round(priceM + 50) if priceM%100==0 style:=lineStyle5 else if pricePlus5%100==0 style:=lineStyle4 else if pricePlus8%100==0 or pricePlus2%100==0 style:=lineStyle3 else if priceM%10==0 style:= lineStyle2 else if priceM%5==0 style:= lineStyle1 else style:= line.style_dotted style getWidth(float price)=> int width = na int priceM = math.round(price*10000) int pricePlus8 = math.round(priceM + 80) int pricePlus2 = math.round(priceM + 20) int pricePlus5 = math.round(priceM + 50) if priceM%100==0 width:=width5 else if pricePlus5%100==0 width:=width4 else if pricePlus8%100==0 or pricePlus2%100==0 width:=width3 else if priceM%10==0 width:= width2 else if priceM%5==0 width:= width1 else width:= 1 width var line l_up = na, var array<line> lineUpArr = array.new<line>(0) var line l_dn = na, var array<line> lineDnArr = array.new<line>(0) var float pr_up =na, var float pr_dn =na for i = 0 to numLines pr_up:=(i>0?1:i)*roundCl+ i*ticksInUSD l_up:=line.new(last_bar_index+x1offset, pr_up, last_bar_index+x2offset, pr_up, color = getColor(pr_up), style = getStyle(pr_up), width = getWidth(pr_up)) array.push(lineUpArr,l_up) pr_dn:= roundCl- i*ticksInUSD l_dn:=line.new(last_bar_index+x1offset, pr_dn, last_bar_index+x2offset, pr_dn, color = getColor(pr_dn), style = getStyle(pr_dn), width = getWidth(pr_dn)) array.push(lineDnArr,l_dn) if array.size (lineDnArr)> numLines and numLines==1 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) if array.size (lineDnArr)> numLines and numLines==2 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) if array.size (lineDnArr)> numLines and numLines==3 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) if array.size (lineDnArr)> numLines and numLines==5 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) if array.size (lineDnArr)> numLines and numLines==7 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) if array.size (lineDnArr)> numLines and numLines==10 line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineUpArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1]) line.delete(array.shift(lineDnArr)[1])
Initial Balance |ASE|
https://www.tradingview.com/script/4JF43BmU-Initial-Balance-ASE/
AseAlgo
https://www.tradingview.com/u/AseAlgo/
165
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© AseAlgo //@version=5 indicator("Initial Balance |ASE|", "IB |ASE|", overlay = true) updatethis = " " showIB = input(true, 'Show Initial Balance', group = "Main IB Settings", inline="1") showFill = input(true, 'Fill IB Range', group = "Main IB Settings", inline="2") extendlvls = input(false, "Extend IB Level's", group = "Main IB Settings", inline="2") showExtension_1 = input(true, "Show 1x Extensions", group = "Main IB Settings", inline="3") showExtension_2 = input(true, "Show 2x Extensions", group = "Main IB Settings", inline="3") showExtension_3 = input(true, "Show 3x Extensions", group = "Main IB Settings", inline="4") showExtension_4 = input(true, "Show 4x Extensions", group = "Main IB Settings", inline="4") showMidlevels = input(false, "Show Middle Levels", group = "Main IB Settings") deletePrevDay = input(false, "Delete Previous Day's Levels", group = "Main IB Settings") session = input.session("0930-1030", "Session", group = "Main IB Settings") hoursOffsetInput = input.int(-4, "Timezone offset (in UTC)", minval = -12, maxval = 14, step = 1) IBHColor = input.color(color.green, "IB High Color", inline="1", group = "Line Settings") IBHEColor = input.color(color.green, "Extension Lvls Color",inline="1", group = "Line Settings" ) IBLColor = input.color(color.red, "IB Low Color", inline="2", group = "Line Settings") IBLEColor = input.color(color.red, "Extension Lvls Color", inline="2", group = "Line Settings") IBFillColor = input.color(color.orange, "IB Fill Color", inline="3", group = "Line Settings") IBMidColor = input.color(color.orange, "IB Mid Level Colors", inline="3", group = "Line Settings") MS_IN_1H = 1000 * 60 * 60 msOffsetInput = hoursOffsetInput * MS_IN_1H inSession = time(timeframe.period, session, hoursOffsetInput >= 0 ? "UTC+" + str.tostring(hoursOffsetInput) : "UTC" + str.tostring(hoursOffsetInput)) //"America/New_York" int IBLineWidth = input.int(1, "IBH/IBL Line Width", group = "Line Settings") int EXTLineWidth = input.int(1, "Ext. Line Width", group = "Line Settings") int MIDLineWidth = input.int(1, "Mid Line Width", group = "Line Settings") string ext_level_style = input.string("β€’β€’β€’β€’β€’β€’β€’β€’", "Mid Line Style", options=["β€’β€’β€’β€’β€’β€’β€’β€’","- - - - - -","Solid"], group = "Line Settings") mainColor = input.color(color.gray, "Text Color", group = "General Settings") var float IB_High = 0 var float IB_Low = 0 var float IB_Ext_Val = 0 var line IBh = na var line IBl = na var line IBhextend = na var line IBlextend = na var line IBm = na var line IBh_5 = na var line IBh_10 = na var line IBl_5 = na var line IBl_10 = na var line IBh_15 = na var line IBh_20 = na var line IBl_15 = na var line IBl_20 = na var line IBh_25 = na var line IBh_30 = na var line IBl_25 = na var line IBl_30 = na var line IBh_35 = na var line IBh_40 = na var line IBl_35 = na var line IBl_40 = na var linefill IB_Fill = na var label IBh_label = na var label IBl_label = na var label IBh_10_label = na var label IBl_10_label = na var label IBh_20_label = na var label IBl_20_label = na var label IBh_30_label = na var label IBl_30_label = na var label IBh_40_label = na var label IBl_40_label = na var mls = ext_level_style == "β€’β€’β€’β€’β€’β€’β€’β€’" ? line.style_dotted : ext_level_style == "- - - - - -" ? line.style_dashed : line.style_solid //Set session High & Low if not inSession[1] and inSession IB_High := 0 IB_Low := 0 IB_Ext_Val := 0 if inSession and timeframe.in_seconds(timeframe.period) <= timeframe.in_seconds('30') if high > IB_High IB_High := high if IB_Low == 0 IB_Low := low else if low < IB_Low IB_Low := low IB_Ext_Val := (IB_High - IB_Low) if not inSession[1] and inSession and showIB IBh := line.new(time, IB_High, time, IB_High, style = line.style_dotted, width= IBLineWidth, color=IBHColor, xloc=xloc.bar_time) IBh_label := label.new(time, IB_High,"IBH - " + str.tostring(IB_High),xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) IBl := line.new(time, IB_Low, time, IB_Low, style = line.style_dotted, width= IBLineWidth, color=IBLColor, xloc=xloc.bar_time) IBl_label := label.new(time, IB_Low, "IBL - " + str.tostring(IB_Low),xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor =mainColor) IBm := line.new(time, IB_High-(IB_Ext_Val/2), time, IB_High-(IB_Ext_Val/2), style = line.style_dotted, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) if showExtension_1 IBh_10 := line.new(time, IB_High + IB_Ext_Val, time, IB_High + IB_Ext_Val, style=line.style_dotted, width= EXTLineWidth , color=IBHEColor, xloc=xloc.bar_time) IBh_10_label := label.new(time, IB_High + IB_Ext_Val,"1x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) IBl_10 := line.new(time, IB_Low - IB_Ext_Val, time, IB_Low - IB_Ext_Val, style=line.style_dotted, width= EXTLineWidth, color=IBLEColor, xloc=xloc.bar_time) IBl_10_label := label.new(time, IB_Low - IB_Ext_Val,"1x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) if showMidlevels IBh_5 := line.new(time, IB_High + (IB_Ext_Val/2), time, IB_High + (IB_Ext_Val/2), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) IBl_5 := line.new(time, IB_Low - (IB_Ext_Val/2), time, IB_Low - (IB_Ext_Val/2), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) if showExtension_2 IBh_20 := line.new(time, IB_High + 2*(IB_Ext_Val), time, IB_High + 2*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBHEColor, xloc=xloc.bar_time) IBh_20_label := label.new(time, IB_High + 2*(IB_Ext_Val),"2x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) IBl_20 := line.new(time, IB_Low - 2*(IB_Ext_Val), time, IB_Low - 2*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBLEColor, xloc=xloc.bar_time) IBl_20_label := label.new(time, IB_Low - 2*(IB_Ext_Val),"2x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) if showMidlevels IBh_15 := line.new(time, IB_High + 1.5*(IB_Ext_Val), time, IB_High + 1.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) IBl_15 := line.new(time, IB_Low - 1.5*(IB_Ext_Val), time, IB_Low - 1.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) if showExtension_3 IBh_30 := line.new(time, IB_High + 3*(IB_Ext_Val), time, IB_High + 3*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBHEColor, xloc=xloc.bar_time) IBh_30_label := label.new(time, IB_High + 3*(IB_Ext_Val),"3x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) IBl_30 := line.new(time, IB_Low - 3*(IB_Ext_Val), time, IB_Low - 3*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBLEColor, xloc=xloc.bar_time) IBl_30_label := label.new(time, IB_Low - 3*(IB_Ext_Val),"3x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) if showMidlevels IBh_25 := line.new(time, IB_High + 2.5*(IB_Ext_Val), time, IB_High + 2.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) IBl_25 := line.new(time, IB_Low - 2.5*(IB_Ext_Val), time, IB_Low - 2.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) if showExtension_4 IBh_40 := line.new(time, IB_High + 4*(IB_Ext_Val), time, IB_High + 4*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBHEColor, xloc=xloc.bar_time) IBh_40_label := label.new(time, IB_High + 4*(IB_Ext_Val),"4x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) IBl_40 := line.new(time, IB_Low - 4*(IB_Ext_Val), time, IB_Low - 4*(IB_Ext_Val), style=line.style_dotted, width= EXTLineWidth, color=IBLEColor, xloc=xloc.bar_time) IBl_40_label := label.new(time, IB_Low - 4*(IB_Ext_Val),"4x",xloc = xloc.bar_time, style = label.style_none, size = size.small, textcolor = mainColor) if showMidlevels IBh_35 := line.new(time, IB_High + 3.5*(IB_Ext_Val), time, IB_High + 3.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) IBl_35 := line.new(time, IB_Low - 3.5*(IB_Ext_Val), time, IB_Low - 3.5*(IB_Ext_Val), style =mls, width= MIDLineWidth, color=IBMidColor, xloc=xloc.bar_time) else if showIB line.set_x2(IBh, time) line.set_y1(IBh, IB_High) line.set_y2(IBh, IB_High) line.set_x2(IBl, time) line.set_y1(IBl, IB_Low) line.set_y2(IBl, IB_Low) line.set_x2(IBm, time) line.set_y1(IBm, IB_High-(IB_Ext_Val/2)) line.set_y2(IBm, IB_High-(IB_Ext_Val/2)) label.set_y(IBh_label,IB_High) label.set_y(IBl_label,IB_Low) label.set_text(IBh_label, "IBH - " + str.tostring(IB_High)) label.set_text(IBl_label, "IBL - " + str.tostring(IB_Low)) if showExtension_1 line.set_x2(IBh_10, time) line.set_y1(IBh_10, IB_High + IB_Ext_Val) line.set_y2(IBh_10, IB_High + IB_Ext_Val) line.set_x2(IBl_10, time) line.set_y1(IBl_10, IB_Low - IB_Ext_Val) line.set_y2(IBl_10, IB_Low - IB_Ext_Val) label.set_y(IBh_10_label,IB_High + IB_Ext_Val) label.set_y(IBl_10_label,IB_Low - IB_Ext_Val) if showMidlevels and showExtension_1 line.set_x2(IBh_5, time) line.set_y1(IBh_5, IB_High + (IB_Ext_Val/2)) line.set_y2(IBh_5, IB_High + (IB_Ext_Val/2)) line.set_x2(IBl_5, time) line.set_y1(IBl_5, IB_Low - (IB_Ext_Val/2)) line.set_y2(IBl_5, IB_Low - (IB_Ext_Val/2)) if showExtension_2 line.set_x2(IBh_20, time) line.set_y1(IBh_20, IB_High + 2*(IB_Ext_Val)) line.set_y2(IBh_20, IB_High + 2*(IB_Ext_Val)) line.set_x2(IBl_20, time) line.set_y1(IBl_20, IB_Low - 2*(IB_Ext_Val)) line.set_y2(IBl_20, IB_Low - 2*(IB_Ext_Val)) label.set_y(IBh_20_label,IB_High + 2*(IB_Ext_Val)) label.set_y(IBl_20_label,IB_Low - 2*(IB_Ext_Val)) if showMidlevels and showExtension_2 line.set_x2(IBh_15, time) line.set_y1(IBh_15, IB_High + 1.5*(IB_Ext_Val)) line.set_y2(IBh_15, IB_High + 1.5*(IB_Ext_Val)) line.set_x2(IBl_15, time) line.set_y1(IBl_15, IB_Low - 1.5*(IB_Ext_Val)) line.set_y2(IBl_15, IB_Low - 1.5*(IB_Ext_Val)) if showExtension_3 line.set_x2(IBh_30, time) line.set_y1(IBh_30, IB_High + 3*(IB_Ext_Val)) line.set_y2(IBh_30, IB_High + 3*(IB_Ext_Val)) line.set_x2(IBl_30, time) line.set_y1(IBl_30, IB_Low - 3*(IB_Ext_Val)) line.set_y2(IBl_30, IB_Low - 3*(IB_Ext_Val)) label.set_y(IBh_30_label,IB_High + 3*(IB_Ext_Val)) label.set_y(IBl_30_label,IB_Low - 3*(IB_Ext_Val)) if showMidlevels and showExtension_3 line.set_x2(IBh_25, time) line.set_y1(IBh_25, IB_High + 2.5*(IB_Ext_Val)) line.set_y2(IBh_25, IB_High + 2.5*(IB_Ext_Val)) line.set_x2(IBl_25, time) line.set_y1(IBl_25, IB_Low - 2.5*(IB_Ext_Val)) line.set_y2(IBl_25, IB_Low - 2.5*(IB_Ext_Val)) if showExtension_4 line.set_x2(IBh_40, time) line.set_y1(IBh_40, IB_High + 4*(IB_Ext_Val)) line.set_y2(IBh_40, IB_High + 4*(IB_Ext_Val)) line.set_x2(IBl_40, time) line.set_y1(IBl_40, IB_Low - 4*(IB_Ext_Val)) line.set_y2(IBl_40, IB_Low - 4*(IB_Ext_Val)) label.set_y(IBh_40_label,IB_High + 4*(IB_Ext_Val)) label.set_y(IBl_40_label,IB_Low - 4*(IB_Ext_Val)) if showMidlevels and showExtension_4 line.set_x2(IBh_35, time) line.set_y1(IBh_35, IB_High + 3.5*(IB_Ext_Val)) line.set_y2(IBh_35, IB_High + 3.5*(IB_Ext_Val)) line.set_x2(IBl_35, time) line.set_y1(IBl_35, IB_Low - 3.5*(IB_Ext_Val)) line.set_y2(IBl_35, IB_Low - 3.5*(IB_Ext_Val)) // after IB Close if inSession[1] and not inSession and showIB line.set_style(IBh, line.style_solid) line.set_style(IBl, line.style_solid) line.set_style(IBh_10, line.style_solid) line.set_style(IBl_10, line.style_solid) line.set_style(IBh_20, line.style_solid) line.set_style(IBl_20, line.style_solid) line.set_style(IBh_30, line.style_solid) line.set_style(IBl_30, line.style_solid) line.set_style(IBh_40, line.style_solid) line.set_style(IBl_40, line.style_solid) if showFill IB_Fill := linefill.new(IBh,IBl,color.new(IBFillColor, 85)) //Extension Level extend and set solid if extendlvls line.set_x2(IBm, time_close("D")) line.set_x2(IBh_5, time_close("D")) line.set_x2(IBl_5, time_close("D")) line.set_x2(IBh_10, time_close("D")) line.set_x2(IBl_10, time_close("D")) line.set_x2(IBh_15, time_close("D")) line.set_x2(IBl_15, time_close("D")) line.set_x2(IBh_20, time_close("D")) line.set_x2(IBl_20, time_close("D")) line.set_x2(IBh_25, time_close("D")) line.set_x2(IBl_25, time_close("D")) line.set_x2(IBh_30, time_close("D")) line.set_x2(IBl_30, time_close("D")) line.set_x2(IBh_35, time_close("D")) line.set_x2(IBl_35, time_close("D")) line.set_x2(IBh_40, time_close("D")) line.set_x2(IBl_40, time_close("D")) IBhextend := line.new(time, IB_High, time_close("D"), IB_High, style = line.style_solid, width= IBLineWidth, color=IBHColor, xloc=xloc.bar_time) IBlextend := line.new(time, IB_Low, time_close("D"), IB_Low, style = line.style_solid, width= IBLineWidth, color=IBLColor, xloc=xloc.bar_time) if deletePrevDay and ta.change(time("D")) line.delete(IBh) line.delete(IBl) if extendlvls line.delete(IBhextend) line.delete(IBlextend) line.delete(IBm) line.delete(IBh_5) line.delete(IBh_10) line.delete(IBl_5) line.delete(IBl_10) line.delete(IBh_15) line.delete(IBh_20) line.delete(IBl_15) line.delete(IBl_20) line.delete(IBh_25) line.delete(IBh_30) line.delete(IBl_25) line.delete(IBl_30) line.delete(IBh_35) line.delete(IBh_40) line.delete(IBl_35) line.delete(IBl_40) label.delete(IBh_label) label.delete(IBl_label) label.delete(IBh_10_label) label.delete(IBl_10_label) label.delete(IBh_20_label) label.delete(IBl_20_label) label.delete(IBh_30_label) label.delete(IBl_30_label) label.delete(IBh_40_label) label.delete(IBl_40_label) // last bar of session - inSession[1] and not inSession // first bar session - not inSession[1] and inSession
SAR MACD
https://www.tradingview.com/script/uXB6f9Y5-SAR-MACD/
traderharikrishna
https://www.tradingview.com/u/traderharikrishna/
238
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© traderharikrishna //@version=5 indicator("SARMACD") // This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© traderharikrishna stats=input.bool(true,'Status Table') [m,s,h]=ta.macd(close,12,26,9) sw=input.int(5,'sideways') sel=input.string('MACD',title = 'Graph Type',options=['MACD','HIST']) plot(0, title='Zero line', linewidth=1, color=color.new(color.gray, 0)) sar=ta.sar(0.02,0.02,0.2) sa=ta.valuewhen(ta.cross(close,sar),close[0],0) dir = sar < close ? 1 : -1 sarcol=dir == 1?color.rgb(2, 80, 90):color.rgb(255, 0, 128) bc=dir==1 and close>sa and m>0?color.rgb(1, 185, 7):dir==-1 and close<sa and m<0?color.rgb(224, 4, 4):color.yellow hc=dir==1 and close>sa and h>0?color.rgb(1, 185, 7):dir==-1 and close<sa and h<0?color.rgb(224, 4, 4):color.yellow plot(sel=='MACD'?m:h,color=sel=='MACD'?bc:hc,style = plot.style_columns,linewidth = 3) plot(sel=='HIST'?m:na,color=color.rgb(255, 255, 255),style = plot.style_line,linewidth = 2) plot(s,color=sarcol,style = sel=='MACD'?plot.style_circles:plot.style_line,linewidth = 2) barcolor(bc) if stats status = table.new(position.top_right, 11, 20, border_width=1) txtcol=color.white mcol=m>0?color.green:color.red hcol=h>0?color.green:color.red macx=m>s?color.green:color.red macxtime=ta.barssince(ta.cross(m,s)) candlecol=open<close?color.green:open>close?color.red:color.yellow table.cell(status, 0, 1, text='Candle', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 2, text='MACD Trend', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 3, text='Hist is', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 4, text='MA Crossed', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 5, text='PSAR direction', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 1, text='', bgcolor=candlecol,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 2, text=' ', bgcolor=mcol,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 3, text=' ', bgcolor=hcol,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 4, text=str.tostring(macxtime), bgcolor=macx,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 5, text=' ', bgcolor=bc,text_color=txtcol, text_size=size.small,text_halign=text.align_left) plot(syminfo.mintick*sw,color = color.rgb(255, 255, 255),title = 'Sideways Up') plot(syminfo.mintick*-sw,color = color.rgb(255, 255, 255),title = 'Sideways Dn') buy=h>0 and dir==1 and dir[1]==-1 sell=h<0 and dir==-1 and dir[1]==1 alertcondition(buy,'MACD SAR Buy','MACD SAR Buy Signal') alertcondition(sell,'MACD SAR Sell','MACD SAR Sell Signal') alertcondition(buy or sell,'MACD SAR Buy/Sell','MACD SAR Buy/Sell Signal')
ADX Trend Filter
https://www.tradingview.com/script/LVbxjCkg-ADX-Trend-Filter/
traderharikrishna
https://www.tradingview.com/u/traderharikrishna/
331
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© traderharikrishna //@version=5 indicator("ADX Trend Filter") txtcol=input.color(color.gray,'Text Color') [p,m,a]=ta.dmi(14,14) plot(a,style = plot.style_area,color=color.red) m1=ta.ema(close,12) m2=ta.ema(close,50) mcolor=m1>m2?color.rgb(79, 163, 81):color.rgb(77, 23, 28) plot(p,color=color.rgb(4, 104, 1),style = plot.style_columns,title='Buy') plot(m,color=color.rgb(163, 2, 2),style = plot.style_columns,title='Sell') barcolor(p>m and a>20?color.rgb(4, 104, 1):p<m and a>20?color.rgb(163, 2, 2):color.rgb(247, 222, 4)) plot(20,style = plot.style_area,color=mcolor,title='MA BAND') plotshape(ta.crossover(p,m) and p>m?2:na,title = 'ADX up',color=color.rgb(3, 136, 8),location=location.absolute,style = shape.triangleup,size=size.tiny) plotshape(ta.crossunder(p,m) and p<m?18:na,title = 'ADX Down',color=color.rgb(243, 38, 11),location=location.absolute,style = shape.triangledown,size=size.tiny) alertcondition(ta.crossover(p,m) and p>m,title='ADX Up',message = 'ADX Crossed Up') alertcondition(ta.crossunder(p,m) and p<m,title='ADX Down',message = 'ADX Crossed Down') status = table.new(position.top_right, 11, 20, border_width=1) emtrend=m1>m2?color.green:color.red adxdir=p>m?color.green:color.red adxstren=p>m and a>20?color.rgb(4, 104, 1):p<m and a>20?color.rgb(163, 2, 2):color.rgb(247, 222, 4) candle=open<close?color.green:color.red adxcx=ta.barssince(ta.cross(p,m)) table.cell(status, 0, 1, text='', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 2, text='Candle is', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 3, text='ADX Direction is', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 4, text='ADX Strength is', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 0, 5, text='EMA Trend is', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 1, text='', bgcolor=na,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 2, text=' ', bgcolor=candle,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 3, text=str.tostring(adxcx), bgcolor=adxdir,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 4, text=' ', bgcolor=adxstren,text_color=txtcol, text_size=size.small,text_halign=text.align_left) table.cell(status, 1, 5, text=' ', bgcolor=emtrend,text_color=txtcol, text_size=size.small,text_halign=text.align_left)
Volume Profile Fixed Range Support and Resistance Levels
https://www.tradingview.com/script/YqgKRNtQ-Volume-Profile-Fixed-Range-Support-and-Resistance-Levels/
vranabanana
https://www.tradingview.com/u/vranabanana/
205
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // origianl script Β© LonesomeTheBlue // additions @ vranabanana // to use the script as a support and resistance tool just untick "Boxes" and "Labels" in the "Style" section //@version=5 indicator('VPFR Support and Resistance Levels', overlay=true, max_boxes_count=200, max_bars_back=1000) bbars = input.int(title='Number of Bars', defval=30, minval=1, maxval=1000) cnum = input.int(title='Row Size', defval=24, minval=5, maxval=100) percent = input.float(70., title='Value Area Volume %', minval=0, maxval=100) poc_color = input(defval=color.new(color.red, 80), title='POC Color', inline='poc') poc_width = input.int(defval=2, title='Width', minval=1, maxval=5, inline='poc') vup_color = input(defval=color.new(color.blue, 50), title='Value Area Up') vdown_color = input(defval=color.new(color.orange, 50), title='Value Area Down') up_color = input(defval=color.new(color.blue, 80), title='UP Volume') down_color = input(defval=color.new(color.orange, 80), title='Down Volume') show_poc = input.bool(defval = true, title = "Show POC Label") show_va_lines = input.bool(defval = true, title = "Show VA Start/End Lines") va_start_color = input.color(defval=color.new(#46b7c9e6, 1), title='VA Start Line Color') va_end_color = input.color(defval=color.new(#46b7c9e6, 1), title='VA End Line Color') top = ta.highest(bbars) bot = ta.lowest(bbars) dist = (top - bot) / 500 step = (top - bot) / cnum // calculate/keep channel levels levels = array.new_float(cnum + 1) for x = 0 to cnum by 1 array.set(levels, x, bot + step * x) // get the volume if there is intersection get_vol(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) if barstate.islast // calculate/get volume for each channel and candle volumes = array.new_float(cnum * 2, 0.) for bars = 0 to bbars - 1 by 1 body_top = math.max(close[bars], open[bars]) body_bot = math.min(close[bars], open[bars]) itsgreen = close[bars] >= open[bars] topwick = high[bars] - body_top bottomwick = body_bot - low[bars] body = body_top - body_bot bodyvol = body * volume[bars] / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) for x = 0 to cnum - 1 by 1 array.set(volumes, x, array.get(volumes, x) + (itsgreen ? get_vol(array.get(levels, x), array.get(levels, x + 1), body_bot, body_top, body, bodyvol) : 0) + get_vol(array.get(levels, x), array.get(levels, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol(array.get(levels, x), array.get(levels, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) array.set(volumes, x + cnum, array.get(volumes, x + cnum) + (itsgreen ? 0 : get_vol(array.get(levels, x), array.get(levels, x + 1), body_bot, body_top, body, bodyvol)) + get_vol(array.get(levels, x), array.get(levels, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol(array.get(levels, x), array.get(levels, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) totalvols = array.new_float(cnum, 0.) for x = 0 to cnum - 1 by 1 array.set(totalvols, x, array.get(volumes, x) + array.get(volumes, x + cnum)) int poc = array.indexof(totalvols, array.max(totalvols)) // calculate value area totalmax = array.sum(totalvols) * percent / 100. va_total = array.get(totalvols, poc) int up = poc int down = poc for x = 0 to cnum - 1 by 1 if va_total >= totalmax break uppervol = up < cnum - 1 ? array.get(totalvols, up + 1) : 0. lowervol = down > 0 ? array.get(totalvols, down - 1) : 0. if uppervol == 0 and lowervol == 0 break if uppervol >= lowervol va_total += uppervol up += 1 up else va_total += lowervol down -= 1 down maxvol = array.max(totalvols) for x = 0 to cnum * 2 - 1 by 1 array.set(volumes, x, array.get(volumes, x) * bbars / (3 * maxvol)) // Draw VP rows var vol_bars = array.new_box(cnum * 2, na) for x = 0 to cnum - 1 by 1 box.delete(array.get(vol_bars, x)) box.delete(array.get(vol_bars, x + cnum)) array.set(vol_bars, x, box.new(bar_index - bbars + 1, array.get(levels, x + 1) - dist, bar_index - bbars + 1 + math.round(array.get(volumes, x)), array.get(levels, x) + dist, border_width=0, bgcolor=x >= down and x <= up ? vup_color : up_color)) array.set(vol_bars, x + cnum, box.new(bar_index - bbars + 1 + math.round(array.get(volumes, x)), array.get(levels, x + 1) - dist, bar_index - bbars + 1 + math.round(array.get(volumes, x)) + math.round(array.get(volumes, x + cnum)), array.get(levels, x) + dist, border_width=0, bgcolor=x >= down and x <= up ? vdown_color : down_color)) // Draw POC line and label poc_level = (array.get(levels, poc) + array.get(levels, poc + 1)) / 2 var line poc_line = na line.delete(poc_line) poc_line := line.new(bar_index - bbars + 1, poc_level, bar_index - bbars + 2, poc_level, extend=extend.right, style= line.style_dashed, color=poc_color, width=poc_width) if show_poc var label poc_label = na label.delete(poc_label) poc_label := label.new(bar_index + 15, poc_level, text = "POC: " + str.tostring(math.round_to_mintick(poc_level)), style = close >= poc_level ? label.style_label_up : label.style_label_down) var line va_start_line = na var line va_end_line = na line.delete(va_start_line) line.delete(va_end_line) va_start_line := line.new(bar_index - bbars + 1, array.get(levels, down), bar_index - bbars + 2, array.get(levels, down), extend=extend.right, color=va_start_color) va_end_line := line.new(bar_index - bbars + 1, array.get(levels, up + 1), bar_index - bbars + 2, array.get(levels, up + 1), extend=extend.right, color=va_end_color) //------------------------------------------- // Second VPFR indicator bbars1 = input.int(title='Number of Bars 1', defval=60, minval=1, maxval=1000) cnum1 = input.int(title='Row Size 1', defval=24, minval=5, maxval=100) percent1 = input.float(70., title='Value Area Volume % 1', minval=0, maxval=100) poc_color1 = input(defval=color.new(color.red, 80), title='POC Color 1', inline='poc1') poc_width1 = input.int(defval=2, title='Width 1', minval=1, maxval=5, inline='poc1') vup_color1 = input(defval=color.new(color.blue, 50), title='Value Area Up 1') vdown_color1 = input(defval=color.new(color.orange, 50), title='Value Area Down 1') up_color1 = input(defval=color.new(color.blue, 80), title='UP Volume 1') down_color1 = input(defval=color.new(color.orange, 80), title='Down Volume 1') show_poc1 = input.bool(defval = true, title = "Show POC Label 1") show_va_lines1 = input.bool(defval = true, title = "Show VA Start/End Lines 1") va_start_color1 = input.color(defval=color.new(#c442d2, 1), title='VA Start Line Color 1') va_end_color1 = input.color(defval=color.new(#c442d2, 1), title='VA End Line Color 1') top1 = ta.highest(bbars1) bot1 = ta.lowest(bbars1) dist1 = (top1 - bot1) / 500 step1 = (top1 - bot1) / cnum1 // calculate/keep channel levels levels1 = array.new_float(cnum1 + 1) for x = 0 to cnum1 by 1 array.set(levels1, x, bot1 + step1 * x) // get the volume if there is intersection get_vol1(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) if barstate.islast volumes1 = array.new_float(cnum1 * 2, 0.) for bars = 0 to bbars1 - 1 by 1 body_top = math.max(close[bars], open[bars]) body_bot = math.min(close[bars], open[bars]) itsgreen = close[bars] >= open[bars] topwick = high[bars] - body_top bottomwick = body_bot - low[bars] body = body_top - body_bot bodyvol = body * volume[bars] / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) for x = 0 to cnum1 - 1 by 1 array.set(volumes1, x, array.get(volumes1, x) + (itsgreen ? get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_bot, body_top, body, bodyvol) : 0) + get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) array.set(volumes1, x + cnum1, array.get(volumes1, x + cnum1) + (itsgreen ? 0 : get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_bot, body_top, body, bodyvol)) + get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol1(array.get(levels1, x), array.get(levels1, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) totalvols1 = array.new_float(cnum1, 0.) for x = 0 to cnum1 - 1 by 1 array.set(totalvols1, x, array.get(volumes1, x) + array.get(volumes1, x + cnum1)) int poc1 = array.indexof(totalvols1, array.max(totalvols1)) // calculate value area totalmax1 = array.sum(totalvols1) * percent1 / 100. va_total1 = array.get(totalvols1, poc1) int up1 = poc1 int down1 = poc1 for x = 0 to cnum1 - 1 by 1 if va_total1 >= totalmax1 break uppervol1 = up1 < cnum1 - 1 ? array.get(totalvols1, up1 + 1) : 0. lowervol1 = down1 > 0 ? array.get(totalvols1, down1 - 1) : 0. if uppervol1 == 0 and lowervol1 == 0 break if uppervol1 >= lowervol1 va_total1 += uppervol1 up1 += 1 up1 else va_total1 += lowervol1 down1 -= 1 down1 maxvol1 = array.max(totalvols1) for x = 0 to cnum1 * 2 - 1 by 1 array.set(volumes1, x, array.get(volumes1, x) * bbars1 / (3 * maxvol1)) // Draw VP rows var vol_bars1 = array.new_box(cnum1 * 2, na) for x = 0 to cnum1 - 1 by 1 box.delete(array.get(vol_bars1, x)) box.delete(array.get(vol_bars1, x + cnum1)) array.set(vol_bars1, x, box.new(bar_index - bbars1 + 1, array.get(levels1, x + 1) - dist1, bar_index - bbars1 + 1 + math.round(array.get(volumes1, x)), array.get(levels1, x) + dist1, border_width=0, bgcolor=x >= down1 and x <= up1 ? vup_color1 : up_color1)) array.set(vol_bars1, x + cnum1, box.new(bar_index - bbars1 + 1 + math.round(array.get(volumes1, x)), array.get(levels1, x + 1) - dist1, bar_index - bbars1 + 1 + math.round(array.get(volumes1, x)) + math.round(array.get(volumes1, x + cnum1)), array.get(levels1, x) + dist1, border_width=0, bgcolor=x >= down1 and x <= up1 ? vdown_color1 : down_color1)) // Draw POC line and label poc_level1 = (array.get(levels1, poc1) + array.get(levels1, poc1 + 1)) / 2 var line poc_line1 = na line.delete(poc_line1) poc_line1 := line.new(bar_index - bbars1 + 1, poc_level1, bar_index - bbars1 + 2, poc_level1, extend=extend.right, style= line.style_dashed, color=poc_color1, width=poc_width1) if show_poc1 var label poc_label1 = na label.delete(poc_label1) poc_label1 := label.new(bar_index + 15, poc_level1, text = "POC: " + str.tostring(math.round_to_mintick(poc_level1)), style = close >= poc_level1 ? label.style_label_up : label.style_label_down) var line va_start_line1 = na var line va_end_line1 = na line.delete(va_start_line1) line.delete(va_end_line1) va_start_line1 := line.new(bar_index - bbars1 + 1, array.get(levels1, down1), bar_index - bbars1 + 2, array.get(levels1, down1), extend=extend.right, color=va_start_color1) va_end_line1 := line.new(bar_index - bbars1 + 1, array.get(levels1, up1 + 1), bar_index - bbars1 + 2, array.get(levels1, up1 + 1), extend=extend.right, color=va_end_color1) // Third VPFR indicator bbars2 = input.int(title='Number of Bars 2', defval=180, minval=1, maxval=1000) cnum2 = input.int(title='Row Size 2', defval=24, minval=5, maxval=100) percent2 = input.float(70., title='Value Area Volume % 2', minval=0, maxval=100) poc_color2 = input(defval=color.new(color.red, 80), title='POC Color 2', inline='poc2') poc_width2 = input.int(defval=2, title='Width 2', minval=1, maxval=5, inline='poc2') vup_color2 = input(defval=color.new(color.blue, 50), title='Value Area Up 2') vdown_color2 = input(defval=color.new(color.orange, 50), title='Value Area Down 2') up_color2 = input(defval=color.new(color.blue, 80), title='UP Volume 2') down_color2 = input(defval=color.new(color.orange, 80), title='Down Volume 2') show_poc2 = input.bool(defval = true, title = "Show POC Label 2") show_va_lines2 = input.bool(defval = true, title = "Show VA Start/End Lines 2") va_start_color2 = input.color(defval=color.new(#b7552c, 1), title='VA Start Line Color 2') va_end_color2 = input.color(defval=color.new(#b7552c, 1), title='VA End Line Color 2') top2 = ta.highest(bbars2) bot2 = ta.lowest(bbars2) dist2 = (top2 - bot2) / 500 step2 = (top2 - bot2) / cnum2 // calculate/keep channel levels levels2 = array.new_float(cnum2 + 1) for x = 0 to cnum2 by 1 array.set(levels2, x, bot2 + step2 * x) // get the volume if there is intersection get_vol12(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) if barstate.islast volumes2 = array.new_float(cnum2 * 2, 0.) for bars = 0 to bbars2 - 1 by 1 body_top = math.max(close[bars], open[bars]) body_bot = math.min(close[bars], open[bars]) itsgreen = close[bars] >= open[bars] topwick = high[bars] - body_top bottomwick = body_bot - low[bars] body = body_top - body_bot bodyvol = body * volume[bars] / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) for x = 0 to cnum2 - 1 by 1 array.set(volumes2, x, array.get(volumes2, x) + (itsgreen ? get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_bot, body_top, body, bodyvol) : 0) + get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) array.set(volumes2, x + cnum2, array.get(volumes2, x + cnum2) + (itsgreen ? 0 : get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_bot, body_top, body, bodyvol)) + get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol1(array.get(levels2, x), array.get(levels2, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) totalvols2 = array.new_float(cnum2, 0.) for x = 0 to cnum2 - 1 by 1 array.set(totalvols2, x, array.get(volumes2, x) + array.get(volumes2, x + cnum2)) int poc2 = array.indexof(totalvols2, array.max(totalvols2)) // calculate value area totalmax2 = array.sum(totalvols2) * percent2 / 100. va_total2 = array.get(totalvols2, poc2) int up2 = poc2 int down2 = poc2 for x = 0 to cnum2 - 1 by 1 if va_total2 >= totalmax2 break uppervol2 = up2 < cnum2 - 1 ? array.get(totalvols2, up2 + 1) : 0. lowervol2 = down2 > 0 ? array.get(totalvols2, down2 - 1) : 0. if uppervol2 == 0 and lowervol2 == 0 break if uppervol2 >= lowervol2 va_total2 += uppervol2 up2 += 1 up2 else va_total2 += lowervol2 down2 -= 1 down2 maxvol2 = array.max(totalvols2) for x = 0 to cnum2 * 2 - 1 by 1 array.set(volumes2, x, array.get(volumes2, x) * bbars2 / (3 * maxvol2)) // Draw VP rows var vol_bars2 = array.new_box(cnum2 * 2, na) for x = 0 to cnum2 - 1 by 1 box.delete(array.get(vol_bars2, x)) box.delete(array.get(vol_bars2, x + cnum2)) array.set(vol_bars2, x, box.new(bar_index - bbars2 + 1, array.get(levels2, x + 1) - dist2, bar_index - bbars2 + 1 + math.round(array.get(volumes2, x)), array.get(levels2, x) + dist2, border_width=0, bgcolor=x >= down2 and x <= up2 ? vup_color2 : up_color2)) array.set(vol_bars2, x + cnum2, box.new(bar_index - bbars2 + 1 + math.round(array.get(volumes2, x)), array.get(levels2, x + 1) - dist2, bar_index - bbars2 + 1 + math.round(array.get(volumes2, x)) + math.round(array.get(volumes2, x + cnum2)), array.get(levels2, x) + dist2, border_width=0, bgcolor=x >= down2 and x <= up2 ? vdown_color2 : down_color2)) // Draw POC line and label poc_level2 = (array.get(levels2, poc2) + array.get(levels2, poc2 + 1)) / 2 var line poc_line2 = na line.delete(poc_line2) poc_line2 := line.new(bar_index - bbars2 + 1, poc_level2, bar_index - bbars2 + 2, poc_level2, extend=extend.right, style= line.style_dashed, color=poc_color2, width=poc_width2) if show_poc2 var label poc_label2 = na label.delete(poc_label2) poc_label2 := label.new(bar_index + 15, poc_level2, text = "POC: " + str.tostring(math.round_to_mintick(poc_level2)), style = close >= poc_level2 ? label.style_label_up : label.style_label_down) var line va_start_line2 = na var line va_end_line2 = na line.delete(va_start_line2) line.delete(va_end_line2) va_start_line2 := line.new(bar_index - bbars2 + 1, array.get(levels2, down2), bar_index - bbars2 + 2, array.get(levels2, down2), extend=extend.right, color=va_start_color2) va_end_line2 := line.new(bar_index - bbars2 + 1, array.get(levels2, up2 + 1), bar_index - bbars2 + 2, array.get(levels2, up2 + 1), extend=extend.right, color=va_end_color2) // Third VPFR indicator bbars3 = input.int(title='Number of Bars 3', defval=7, minval=1, maxval=1000) cnum3 = input.int(title='Row Size 3', defval=24, minval=5, maxval=100) percent3 = input.float(70., title='Value Area Volume % 3', minval=0, maxval=100) poc_color3 = input(defval=color.new(color.red, 80), title='POC Color 3', inline='poc3') poc_width3 = input.int(defval=2, title='Width 3', minval=1, maxval=5, inline='poc3') vup_color3 = input(defval=color.new(color.blue, 50), title='Value Area Up 3') vdown_color3 = input(defval=color.new(color.orange, 50), title='Value Area Down 3') up_color3 = input(defval=color.new(color.blue, 80), title='UP Volume 3') down_color3 = input(defval=color.new(color.orange, 80), title='Down Volume 3') show_poc3 = input.bool(defval = true, title = "Show POC Label 3") show_va_lines3 = input.bool(defval = true, title = "Show VA Start/End Lines 3") va_start_color3 = input.color(defval=color.new(#2eb72c, 1), title='VA Start Line Color 3') va_end_color3 = input.color(defval=color.new(#2eb72c, 1), title='VA End Line Color 3') top3 = ta.highest(bbars3) bot3 = ta.lowest(bbars3) dist3 = (top3 - bot3) / 500 step3 = (top3 - bot3) / cnum3 // calculate/keep channel levels levels3 = array.new_float(cnum3 + 1) for x = 0 to cnum3 by 1 array.set(levels3, x, bot3 + step3 * x) // get the volume if there is intersection get_vol13(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) if barstate.islast volumes3 = array.new_float(cnum3 * 2, 0.) for bars = 0 to bbars3 - 1 by 1 body_top = math.max(close[bars], open[bars]) body_bot = math.min(close[bars], open[bars]) itsgreen = close[bars] >= open[bars] topwick = high[bars] - body_top bottomwick = body_bot - low[bars] body = body_top - body_bot bodyvol = body * volume[bars] / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) for x = 0 to cnum3 - 1 by 1 array.set(volumes3, x, array.get(volumes3, x) + (itsgreen ? get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_bot, body_top, body, bodyvol) : 0) + get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) array.set(volumes3, x + cnum3, array.get(volumes3, x + cnum3) + (itsgreen ? 0 : get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_bot, body_top, body, bodyvol)) + get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol13(array.get(levels3, x), array.get(levels3, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) totalvols3 = array.new_float(cnum3, 0.) for x = 0 to cnum3 - 1 by 1 array.set(totalvols3, x, array.get(volumes3, x) + array.get(volumes3, x + cnum3)) int poc3 = array.indexof(totalvols3, array.max(totalvols3)) // calculate value area totalmax3 = array.sum(totalvols3) * percent3 / 100. va_total3 = array.get(totalvols3, poc3) int up3 = poc3 int down3 = poc3 for x = 0 to cnum3 - 1 by 1 if va_total3 >= totalmax3 break uppervol3 = up3 < cnum3 - 1 ? array.get(totalvols3, up3 + 1) : 0. lowervol3 = down3 > 0 ? array.get(totalvols3, down3 - 1) : 0. if uppervol3 == 0 and lowervol3 == 0 break if uppervol3 >= lowervol3 va_total3 += uppervol3 up3 += 1 up3 else va_total3 += lowervol3 down3 -= 1 down3 maxvol3 = array.max(totalvols3) for x = 0 to cnum3 * 2 - 1 by 1 array.set(volumes3, x, array.get(volumes3, x) * bbars3 / (3 * maxvol3)) // Draw VP rows var vol_bars3 = array.new_box(cnum3 * 2, na) for x = 0 to cnum3 - 1 by 1 box.delete(array.get(vol_bars3, x)) box.delete(array.get(vol_bars3, x + cnum3)) array.set(vol_bars3, x, box.new(bar_index - bbars3 + 1, array.get(levels3, x + 1) - dist3, bar_index - bbars3 + 1 + math.round(array.get(volumes3, x)), array.get(levels3, x) + dist3, border_width=0, bgcolor=x >= down3 and x <= up3 ? vup_color3 : up_color3)) array.set(vol_bars3, x + cnum3, box.new(bar_index - bbars3 + 1 + math.round(array.get(volumes3, x)), array.get(levels3, x + 1) - dist3, bar_index - bbars3 + 1 + math.round(array.get(volumes3, x)) + math.round(array.get(volumes3, x + cnum3)), array.get(levels3, x) + dist3, border_width=0, bgcolor=x >= down3 and x <= up3 ? vdown_color3 : down_color3)) // Draw POC line and label poc_level3 = (array.get(levels3, poc3) + array.get(levels3, poc3 + 1)) / 2 var line poc_line3 = na line.delete(poc_line3) poc_line3 := line.new(bar_index - bbars3 + 1, poc_level3, bar_index - bbars3 + 2, poc_level3, extend=extend.right, style= line.style_dashed, color=poc_color3, width=poc_width3) if show_poc3 var label poc_label3 = na label.delete(poc_label3) poc_label3 := label.new(bar_index + 15, poc_level3, text = "POC: " + str.tostring(math.round_to_mintick(poc_level3)), style = close >= poc_level3 ? label.style_label_up : label.style_label_down) var line va_start_line3 = na var line va_end_line3 = na line.delete(va_start_line3) line.delete(va_end_line3) va_start_line3 := line.new(bar_index - bbars3 + 1, array.get(levels3, down3), bar_index - bbars3 + 2, array.get(levels3, down3), extend=extend.right, color=va_start_color3) va_end_line3 := line.new(bar_index - bbars3 + 1, array.get(levels3, up3 + 1), bar_index - bbars3 + 2, array.get(levels3, up3 + 1), extend=extend.right, color=va_end_color3) // Fourth VPFR indicator bbars4 = input.int(title='Number of Bars 4', defval=365, minval=1, maxval=1000) cnum4 = input.int(title='Row Size 4', defval=24, minval=5, maxval=100) percent4 = input.float(70., title='Value Area Volume % 4', minval=0, maxval=100) poc_color4 = input(defval=color.new(color.red, 80), title='POC Color 4', inline='poc4') poc_width4 = input.int(defval=2, title='Width 4', minval=1, maxval=5, inline='poc4') vup_color4 = input(defval=color.new(color.blue, 50), title='Value Area Up 4') vdown_color4 = input(defval=color.new(color.orange, 50), title='Value Area Down 4') up_color4 = input(defval=color.new(color.blue, 80), title='UP Volume 4') down_color4 = input(defval=color.new(color.orange, 80), title='Down Volume 4') show_poc4 = input.bool(defval = true, title = "Show POC Label 4") show_va_lines4 = input.bool(defval = true, title = "Show VA Start/End Lines 4") va_start_color4 = input.color(defval=color.new(color.white, 20), title='VA Start Line Color 4') va_end_color4 = input.color(defval=color.new(color.white, 20), title='VA End Line Color 4') top4 = ta.highest(bbars4) bot4 = ta.lowest(bbars4) dist4 = (top4 - bot4) / 500 step4 = (top4 - bot4) / cnum4 // calculate/keep channel levels levels4 = array.new_float(cnum4 + 1) for x = 0 to cnum4 by 1 array.set(levels4, x, bot4 + step4 * x) // get the volume if there is intersection get_vol14(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) if barstate.islast volumes4 = array.new_float(cnum4 * 2, 0.) for bars = 0 to bbars4 - 1 by 1 body_top = math.max(close[bars], open[bars]) body_bot = math.min(close[bars], open[bars]) itsgreen = close[bars] >= open[bars] topwick = high[bars] - body_top bottomwick = body_bot - low[bars] body = body_top - body_bot bodyvol = body * volume[bars] / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * volume[bars] / (2 * topwick + 2 * bottomwick + body) for x = 0 to cnum4 - 1 by 1 array.set(volumes4, x, array.get(volumes4, x) + (itsgreen ? get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_bot, body_top, body, bodyvol) : 0) + get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) array.set(volumes4, x + cnum4, array.get(volumes4, x + cnum4) + (itsgreen ? 0 : get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_bot, body_top, body, bodyvol)) + get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_top, high[bars], topwick, topwickvol) / 2 + get_vol14(array.get(levels4, x), array.get(levels4, x + 1), body_bot, low[bars], bottomwick, bottomwickvol) / 2) totalvols4 = array.new_float(cnum4, 0.) for x = 0 to cnum4 - 1 by 1 array.set(totalvols4, x, array.get(volumes4, x) + array.get(volumes4, x + cnum4)) int poc4 = array.indexof(totalvols4, array.max(totalvols4)) // calculate value area totalmax4 = array.sum(totalvols4) * percent4 / 100. va_total4 = array.get(totalvols4, poc4) int up4 = poc4 int down4 = poc4 for x = 0 to cnum4 - 1 by 1 if va_total4 >= totalmax4 break uppervol4 = up4 < cnum4 - 1 ? array.get(totalvols4, up4 + 1) : 0. lowervol4 = down4 > 0 ? array.get(totalvols4, down4 - 1) : 0. if uppervol4 == 0 and lowervol4 == 0 break if uppervol4 >= lowervol4 va_total4 += uppervol4 up4 += 1 up4 else va_total4 += lowervol4 down4 -= 1 down4 maxvol4 = array.max(totalvols4) for x = 0 to cnum4 * 2 - 1 by 1 array.set(volumes4, x, array.get(volumes4, x) * bbars4 / (3 * maxvol4)) // Draw VP rows var vol_bars4 = array.new_box(cnum4 * 2, na) for x = 0 to cnum4 - 1 by 1 box.delete(array.get(vol_bars4, x)) box.delete(array.get(vol_bars4, x + cnum4)) array.set(vol_bars4, x, box.new(bar_index - bbars4 + 1, array.get(levels4, x + 1) - dist4, bar_index - bbars4 + 1 + math.round(array.get(volumes4, x)), array.get(levels4, x) + dist4, border_width=0, bgcolor=x >= down4 and x <= up4 ? vup_color4 : up_color4)) array.set(vol_bars4, x + cnum4, box.new(bar_index - bbars4 + 1 + math.round(array.get(volumes4, x)), array.get(levels4, x + 1) - dist4, bar_index - bbars4 + 1 + math.round(array.get(volumes4, x)) + math.round(array.get(volumes4, x + cnum4)), array.get(levels4, x) + dist4, border_width=0, bgcolor=x >= down4 and x <= up4 ? vdown_color4 : down_color4)) // Draw POC line and label poc_level4 = (array.get(levels4, poc4) + array.get(levels4, poc4 + 1)) / 2 var line poc_line4 = na line.delete(poc_line4) poc_line4 := line.new(bar_index - bbars4 + 1, poc_level4, bar_index - bbars4 + 2, poc_level4, extend=extend.right,style= line.style_dashed, color=poc_color4, width=poc_width4) if show_poc4 var label poc_label4 = na label.delete(poc_label4) poc_label4 := label.new(bar_index + 15, poc_level4, text = "POC: " + str.tostring(math.round_to_mintick(poc_level4)), style = close >= poc_level4 ? label.style_label_up : label.style_label_down) var line va_start_line4 = na var line va_end_line4 = na line.delete(va_start_line4) line.delete(va_end_line4) va_start_line4 := line.new(bar_index - bbars4 + 1, array.get(levels4, down4), bar_index - bbars4 + 2, array.get(levels4, down4), extend=extend.right, color=va_start_color4) va_end_line4 := line.new(bar_index - bbars4 + 1, array.get(levels4, up4 + 1), bar_index - bbars4 + 2, array.get(levels4, up4 + 1), extend=extend.right, color=va_end_color4)
Arbitrage Spread
https://www.tradingview.com/script/wu8L9eln-arbitrage-spread/
I_Leo_I
https://www.tradingview.com/u/I_Leo_I/
67
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© I_Leo_I //@version=5 indicator(title="Arbitrage Spread") symbol1 = input.symbol(defval="BINANCE:BTCUSDT.P" , title="Symbol 1", group = "chart") symbol2 = input.symbol(defval ="BINANCE:ETHUSDT.P", title="Symbol 2") is_period = input.bool(defval=true, title = "use period?") period = input.timeframe(defval="1D", title="Period") para1 = request.security(symbol1, timeframe.period, close) para2 = request.security(symbol2, timeframe.period, close) timeFlag = timeframe.change(period) var session = timeframe.in_seconds(period)/timeframe.in_seconds(timeframe.period) var index_bar = 1 if(is_period) if(timeFlag) index_bar := 1 else index_bar := index_bar+1 else index_bar := bar_index para1_procent = (para1-para1[index_bar])*100/para1[index_bar] para2_procent = (para2-para2[index_bar])*100/para2[index_bar] plot(para1_procent, title="para1", color=color.new(#FF8C00, 0), linewidth=2) plot(para2_procent, title="para2", color=color.new(#00CED1, 0), linewidth=2) spread = math.abs(para1_procent - para2_procent) corr = ta.correlation(para1_procent, para2_procent, index_bar) // new chart strart // multiplier = input.int(defval = 1, title="multiplier", minval = 1, group = "new chart") new_symbol = symbol1+"/"+symbol2+"*"+str.tostring(multiplier) [o, c, h, l] = request.security(new_symbol, timeframe.period, [open, close, high, low]) new_symbol_procent = (c - c[index_bar])*100/c[index_bar] plot(new_symbol_procent, title="new chart procent", color=color.red, linewidth=2) // new chart end // // z score start // Length = input.int(defval=20, title="Length", group="z score") basis = ta.sma(c, Length) zscore = (c - basis) / ta.stdev(c, Length) // z score end // // atr z score start // atrlen = input.int(10, minval=1, title='ATR Length', group = "atr z score") lookback = input.int(100, minval=1, title='Longterm Average Lookback') pine_atr(length, h ,l, c) => trueRange = na(h[1])? h-l : math.max(math.max(h - l, math.abs(h - c[1])), math.abs(l - c[1])) ta.rma(trueRange, length) atrAvg = pine_atr(atrlen, h ,l, c) atrStdDev = (atrAvg - pine_atr(lookback, h ,l, c)) / ta.stdev(atrAvg, lookback) // atr z score end // plotchar(corr, "corr", "", location = location.top) plotchar(zscore, "z score", "", location = location.top) plotchar(spread, "spread", "", location = location.top) plotchar(atrStdDev, "atr z score", "", location = location.top) //plotchar(ta.cross(corr_alert, corr), "test", "", location = location.top) // alert start // corr_alert = input.float(defval=0, title="corr", group="Alert") z_score_alert = input.float(defval=0, title="z score") spread_alert = input.float(defval=0, title="spread") atr_z_score_alert = input.float(defval=0, title="atr z score") alertcondition(corr_alert != 0 ? ta.cross(corr_alert, corr) : true and z_score_alert != 0 ? ta.cross(z_score_alert, zscore) or ta.cross((z_score_alert*-1), zscore) : true and spread_alert != 0 ? ta.cross(spread_alert, spread) : true and atr_z_score_alert != 0 ? ta.cross(atr_z_score_alert, atrStdDev) or ta.cross((atr_z_score_alert*-1), atrStdDev) : true, title="Arbitrage Spread") // alert end //
Sushi Trend [HG]
https://www.tradingview.com/script/dfVzbU6r-Sushi-Trend-HG/
HoanGhetti
https://www.tradingview.com/u/HoanGhetti/
363
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© HoanGhetti //@version=5 indicator("Sushi Trend [HG]", overlay = true) factor = input.int(defval = 5, title = 'Engulfing Factor') bullC = input.color(defval = color.green, title = 'Bull') bearC = input.color(defval = color.red, title = 'Bear') var stMatrix = matrix.new<float>(4, factor) setMinMax(float value, int row, bool set = false) => bool result = na for i = 0 to factor - 1 if set int j = factor + i stMatrix.set(0, i, high[i]) stMatrix.set(1, i, low[i]) stMatrix.set(2, i, high[j]) stMatrix.set(3, i, low[j]) if value == stMatrix.get(row, i) result := true break result setMinMax(na, na, true) bool max = setMinMax(stMatrix.max(), 0) bool min = setMinMax(stMatrix.min(), 1) bool valid = min and max and (stMatrix.min() == stMatrix.get(1, factor - 1) or stMatrix.max() == stMatrix.get(0, factor - 1)) bool sushi = valid and ta.barssince(valid[1]) >= factor and barstate.isconfirmed float lastMax = fixnan(ta.change(sushi) and sushi and max ? stMatrix.max() : na) float lastMin = fixnan(ta.change(sushi) and sushi ? stMatrix.min() : na) var int direction = na if ta.crossover(close, lastMax) direction := 1 if ta.crossunder(close, lastMin) direction := 0 float sushiTrend = switch direction 1 => lastMin 0 => lastMax color dirColor = direction == 1 ? bullC : bearC stPlot = plot(sushiTrend, title = 'Sushi Trend', color = not ta.change(direction) ? dirColor : na, linewidth = 3, style = plot.style_linebr) hlPlot = plot(hl2, display = display.none, editable = false) fill(stPlot, hlPlot, color.new(dirColor, 90)) plotshape(ta.change(direction) and direction == 1 ? sushiTrend : na, title = 'Bull', style = shape.labelup, color = dirColor, location = location.absolute, text = 'Bull', textcolor = color.white, size = size.tiny) plotshape(ta.change(direction) and direction == 0 ? sushiTrend : na, title = 'Bear', style = shape.labeldown, color = dirColor, location = location.absolute, text = 'Bear', textcolor = color.white, size = size.tiny)
Papercuts Price Distance Travelled
https://www.tradingview.com/script/00lcD5Pn-Papercuts-Price-Distance-Travelled/
joelly3d
https://www.tradingview.com/u/joelly3d/
15
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© joelly3d // //@version=5 indicator("Papercuts Price Distance Travelled") grpin = 'βš™=====-----' grpout = '-----=====βš™' colorGroup = grpin + 'Color Options' + grpout colorDayPlus = input.color(defval=#2196F3, title='Bullish Color: ', inline='line2',group=colorGroup) //Light Blue colorDayPlusAvg = input.color(defval=#dbdbdb, title='Wait Color', inline='line2',group=colorGroup) //light grey grprsvaema = grpin + 'RSVAEMA Options' + grpout calc_RSVAEMA = input.bool(true, title='RSVAEMA Calculation?', group=grprsvaema) int periods = input.int(9, 'EMA Length1:', minval=1, group=grprsvaema) int pds = input.int(9, 'VS Length1:', minval=1, group=grprsvaema) float mltp = input.int(5, 'VS Multiplier1:', minval=0, group=grprsvaema) rsvaema(float source = close, simple int emaPeriod = 50, simple int vsPeriod = 50, float multiplier = 10.0 ) => var float mltp1 = 2.0 / (emaPeriod + 1.0) var float coef1 = 2.0 / (vsPeriod + 1.0) var float coef2 = 1.0 - coef1 float pv = source > source[1] ? volume : 0.0 float nv = source < source[1] ? volume : 0.0 float apv = na, apv := coef1 * pv + coef2 * nz(apv[1]) float anv = na, anv := coef1 * nv + coef2 * nz(anv[1]) float vs = math.abs(apv - anv) / (apv + anv) float rate = mltp1 * (1.0 + nz(vs, 0.00001) * multiplier) float rsma = na rsma := rate * source + (1.0 - rate) * nz(rsma[1],source) rsma float rsvaema = rsvaema(hlcc4, periods, pds, mltp) //------------------------------------------------------------------------Daily Distance Travelled //------------------------------------------------------------------------Daily Distance Travelled //------------------------------------------------------------------------Daily Distance Travelled daysBack = input.int(20,title='Days Back To Average: ') var float[] dayMaxArray = array.new_float() var float[] dayPlusMaxArray = array.new_float() var PriceDistanceDay = 0.0 var PriceDistanceDayPlus = 0.0 float distanceTraveled = math.abs(rsvaema[1] - rsvaema[2]) //aggregate PriceDistanceDayPlus := distanceTraveled + PriceDistanceDayPlus[1] //reset if dayofweek != dayofweek[1] dayPlusMaxArray.unshift(PriceDistanceDayPlus[1]) if dayPlusMaxArray.size() > daysBack dayPlusMaxArray.pop() PriceDistanceDay := 0 PriceDistanceDayPlus := 0 PriceDistanceDayAverage = array.avg(dayPlusMaxArray) //------------------------------------------------------------------------Daily Distance Travelled //------------------------------------------------------------------------Daily Distance Travelled //------------------------------------------------------------------------Daily Distance Travelled var labelResults = label.new(bar_index, 0, color=colorDayPlus, yloc=yloc.price, textcolor=color.black, size=size.small, style=label.style_label_left, textalign=text.align_left) if barstate.islast label.set_text( labelResults, str.tostring(daysBack)+" Day Avg: "+str.tostring(math.round(PriceDistanceDayAverage,2))+"\nCurrent Day: "+str.tostring(math.round(PriceDistanceDayPlus,2))) label.set_y( labelResults, PriceDistanceDayPlus) label.set_x(labelResults, bar_index+4) plot(PriceDistanceDayAverage, color=colorDayPlusAvg, linewidth=2, style=plot.style_stepline) plot(PriceDistanceDayPlus,color=colorDayPlus, linewidth=1, style=plot.style_histogram)
Fundamental Screener
https://www.tradingview.com/script/GlMZM1Fx-Fundamental-Screener/
Amphibiantrading
https://www.tradingview.com/u/Amphibiantrading/
76
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Amphibiantrading //@version=5 indicator("Fundamental Screener", overlay = true, shorttitle = 'FS') //inputs numOfSyms = input.bool(false, 'Compare 10 Symbols', inline = '0', tooltip = 'Choose between comparing 5 or 10 symbols') var g1 = 'Symbols' sym1 = input.symbol('TSLA', 'Symbol 1', inline = '1', group = g1) sym2 = input.symbol('NVDA', 'Symbol 2', inline = '1', group = g1) sym3 = input.symbol('MELI', 'Symbol 3', inline = '2', group = g1) sym4 = input.symbol('ABNB', 'Symbol 4', inline = '2', group = g1) sym5 = input.symbol('FOUR', 'Symbol 5', inline = '3', group = g1) sym6 = input.symbol('AAPL', 'Symbol 6', inline = '3', group = g1) sym7 = input.symbol('ON', 'Symbol 7', inline = '4', group = g1) sym8 = input.symbol('ANET', 'Symbol 8', inline = '4', group = g1) sym9 = input.symbol('ELF', 'Symbol 9', inline = '5', group = g1) sym10 = input.symbol('AMD', 'Symbol 10', inline = '5', group = g1) var g2 = 'Table Options' tableYPos = input.string("Top", "Table Position", options = ["Top", "Middle", "Bottom"], inline = '1', group = g2) tableXPos = input.string("Right", " ", options = ["Right","Center", "Left"], inline = '1', group = g2) tableSize = input.string('Normal', 'Table Size', options = ["Tiny", "Small", "Normal", "Large"], inline = '2', group = g2) tableBg = input.color(color.rgb(230, 230, 230), 'Backgrond Color', inline = '2', group = g2) headerText = input.color(color.white, 'Header Text Color', inline = '3', group = g2) headerBg = input.color(color.rgb(0, 2, 126), 'Header Background Color', inline = '3', group = g2) //Table var table screener = table.new(str.lower(tableYPos) + '_' + str.lower(tableXPos), 5, 11, tableBg, color.black, 1, color.gray, 1) //eps arrays var yoyeps1 = array.new_float(5) var yoyeps2 = array.new_float(5) var yoyeps3 = array.new_float(5) var yoyeps4 = array.new_float(5) var yoyeps5 = array.new_float(5) var yoyeps6 = array.new_float(5) var yoyeps7 = array.new_float(5) var yoyeps8 = array.new_float(5) var yoyeps9 = array.new_float(5) var yoyeps10 = array.new_float(5) //sales arrays var yoyrev1 = array.new_float(5) var yoyrev2 = array.new_float(5) var yoyrev3 = array.new_float(5) var yoyrev4 = array.new_float(5) var yoyrev5 = array.new_float(5) var yoyrev6 = array.new_float(5) var yoyrev7 = array.new_float(5) var yoyrev8 = array.new_float(5) var yoyrev9 = array.new_float(5) var yoyrev10 = array.new_float(5) // methods method yoychg(array<float> _arrayid, _index, _index2) => chg = (array.get(_arrayid, _index) - array.get(_arrayid, _index2)) / math.abs(array.get(_arrayid, _index2)) * 100 epspchg = nz(chg) method splitter(string sym, splitat = ':') => array.get(str.split(sym, ':'),1) method shifter(array<float> arr, value) => arr.unshift(value) arr.pop() method getData(string symbol) => eps = request.earnings(symbol, earnings.actual) rev = request.financial(symbol, 'TOTAL_REVENUE', 'FQ') epsTTM = request.financial(symbol, 'EARNINGS_PER_SHARE', 'TTM', ignore_invalid_symbol = true) price = request.security(symbol, 'D', close) priceToEarnings = price / epsTTM [eps, rev, priceToEarnings] method tableSizer(string this) => switch this 'Normal' => size.normal 'Small' => size.small 'Large' => size.large 'Tiny' => size.tiny //get data [sym1Eps, sym1Rev, sym1PE] = sym1.getData() [sym2Eps, sym2Rev, sym2PE] = sym2.getData() [sym3Eps, sym3Rev, sym3PE] = sym3.getData() [sym4Eps, sym4Rev, sym4PE] = sym4.getData() [sym5Eps, sym5Rev, sym5PE] = sym5.getData() [sym6Eps, sym6Rev, sym6PE] = sym6.getData() [sym7Eps, sym7Rev, sym7PE] = sym7.getData() [sym8Eps, sym8Rev, sym8PE] = sym8.getData() [sym9Eps, sym9Rev, sym9PE] = sym9.getData() [sym10Eps, sym10Rev, sym10PE] = sym10.getData() //eps change epsChange1 = ta.barssince(sym1Eps != sym1Eps[1]) == 0 epsChange2 = ta.barssince(sym2Eps != sym2Eps[1]) == 0 epsChange3 = ta.barssince(sym3Eps != sym3Eps[1]) == 0 epsChange4 = ta.barssince(sym4Eps != sym4Eps[1]) == 0 epsChange5 = ta.barssince(sym5Eps != sym5Eps[1]) == 0 epsChange6 = ta.barssince(sym6Eps != sym6Eps[1]) == 0 epsChange7 = ta.barssince(sym7Eps != sym7Eps[1]) == 0 epsChange8 = ta.barssince(sym8Eps != sym8Eps[1]) == 0 epsChange9 = ta.barssince(sym9Eps != sym9Eps[1]) == 0 epsChange10 = ta.barssince(sym10Eps != sym10Eps[1]) == 0 // put earnings data into arrays if epsChange1 yoyeps1.shifter(sym1Eps) yoyrev1.shifter(sym1Rev) if epsChange2 yoyeps2.shifter(sym2Eps) yoyrev2.shifter(sym2Rev) if epsChange3 yoyeps3.shifter(sym3Eps) yoyrev3.shifter(sym3Rev) if epsChange4 yoyeps4.shifter(sym4Eps) yoyrev4.shifter(sym4Rev) if epsChange5 yoyeps5.shifter(sym5Eps) yoyrev5.shifter(sym5Rev) if epsChange6 yoyeps6.shifter(sym6Eps) yoyrev6.shifter(sym6Rev) if epsChange7 yoyeps7.shifter(sym7Eps) yoyrev7.shifter(sym7Rev) if epsChange8 yoyeps8.shifter(sym8Eps) yoyrev8.shifter(sym8Rev) if epsChange9 yoyeps9.shifter(sym9Eps) yoyrev9.shifter(sym9Rev) if epsChange10 yoyeps10.shifter(sym10Eps) yoyrev10.shifter(sym10Rev) // calculate yoy change yoyepschng1 = yoyeps1.yoychg(0,4) yoyepschng2 = yoyeps2.yoychg(0,4) yoyepschng3 = yoyeps3.yoychg(0,4) yoyepschng4 = yoyeps4.yoychg(0,4) yoyepschng5 = yoyeps5.yoychg(0,4) yoyepschng6 = yoyeps6.yoychg(0,4) yoyepschng7 = yoyeps7.yoychg(0,4) yoyepschng8 = yoyeps8.yoychg(0,4) yoyepschng9 = yoyeps9.yoychg(0,4) yoyepschng10 = yoyeps10.yoychg(0,4) yoyrevchng1 = yoyrev1.yoychg(0,4) yoyrevchng2 = yoyrev2.yoychg(0,4) yoyrevchng3 = yoyrev3.yoychg(0,4) yoyrevchng4 = yoyrev4.yoychg(0,4) yoyrevchng5 = yoyrev5.yoychg(0,4) yoyrevchng6 = yoyrev6.yoychg(0,4) yoyrevchng7 = yoyrev7.yoychg(0,4) yoyrevchng8 = yoyrev8.yoychg(0,4) yoyrevchng9 = yoyrev9.yoychg(0,4) yoyrevchng10 = yoyrev10.yoychg(0,4) // plot the table if barstate.islast //headers table.cell(screener, 0, 0, 'Symbol', bgcolor = headerBg, text_color = headerText, text_size = tableSize.tableSizer()) table.cell(screener, 1, 0, 'EPS % Chg', bgcolor = headerBg, text_color = headerText, text_size = tableSize.tableSizer(), tooltip = 'Earnings growth year over year compared to the value of the same quarter last year') table.cell(screener, 2, 0, 'Rev % Chg', bgcolor = headerBg, text_color = headerText, text_size = tableSize.tableSizer(), tooltip = 'Sales growth year over year compared to the value of the same quarter last year') table.cell(screener, 3, 0, 'PE', bgcolor = headerBg, text_color = headerText, text_size = tableSize.tableSizer()) //symbols table.cell(screener, 0, 1, str.tostring(sym1.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 2, str.tostring(sym2.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 3, str.tostring(sym3.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 4, str.tostring(sym4.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 5, str.tostring(sym5.splitter()), text_size = tableSize.tableSizer()) if numOfSyms table.cell(screener, 0, 6, str.tostring(sym6.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 7, str.tostring(sym7.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 8, str.tostring(sym8.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 9, str.tostring(sym9.splitter()), text_size = tableSize.tableSizer()) table.cell(screener, 0, 10, str.tostring(sym10.splitter()), text_size = tableSize.tableSizer()) // eps change table.cell(screener, 1, 1, str.tostring(yoyepschng1, '#') + '%', text_color = yoyepschng1 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 2, str.tostring(yoyepschng2, '#') + '%', text_color = yoyepschng2 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 3, str.tostring(yoyepschng3, '#') + '%', text_color = yoyepschng3 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 4, str.tostring(yoyepschng4, '#') + '%', text_color = yoyepschng4 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 5, str.tostring(yoyepschng5, '#') + '%', text_color = yoyepschng5 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) if numOfSyms table.cell(screener, 1, 6, str.tostring(yoyepschng6, '#') + '%', text_color = yoyepschng6 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 7, str.tostring(yoyepschng7, '#') + '%', text_color = yoyepschng7 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 8, str.tostring(yoyepschng8, '#') + '%', text_color = yoyepschng8 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 9, str.tostring(yoyepschng9, '#') + '%', text_color = yoyepschng9 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 1, 10, str.tostring(yoyepschng10, '#') + '%', text_color = yoyepschng10 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) // rev change table.cell(screener, 2, 1, str.tostring(yoyrevchng1, '#') + '%', text_color = yoyrevchng1 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 2, str.tostring(yoyrevchng2, '#') + '%', text_color = yoyrevchng2 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 3, str.tostring(yoyrevchng3, '#') + '%', text_color = yoyrevchng3 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 4, str.tostring(yoyrevchng4, '#') + '%', text_color = yoyrevchng4 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 5, str.tostring(yoyrevchng5, '#') + '%', text_color = yoyrevchng5 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) if numOfSyms table.cell(screener, 2, 6, str.tostring(yoyrevchng6, '#') + '%', text_color = yoyrevchng6 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 7, str.tostring(yoyrevchng7, '#') + '%', text_color = yoyrevchng7 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 8, str.tostring(yoyrevchng8, '#') + '%', text_color = yoyrevchng8 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 9, str.tostring(yoyrevchng9, '#') + '%', text_color = yoyrevchng9 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 2, 10, str.tostring(yoyrevchng10, '#') + '%', text_color = yoyrevchng10 > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) // return on equity table.cell(screener, 3, 1, sym1PE > 0 ? str.tostring(sym1PE, "#") : 'N/A', text_color = sym1PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 2, sym2PE > 0 ? str.tostring(sym2PE, "#") : 'N/A', text_color = sym2PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 3, sym3PE > 0 ? str.tostring(sym3PE, "#") : 'N/A', text_color = sym3PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 4, sym4PE > 0 ? str.tostring(sym4PE, "#") : 'N/A', text_color = sym4PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 5, sym5PE > 0 ? str.tostring(sym5PE, "#") : 'N/A', text_color = sym5PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) if numOfSyms table.cell(screener, 3, 6, sym6PE > 0 ? str.tostring(sym6PE, "#") : 'N/A', text_color = sym6PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 7, sym7PE > 0 ? str.tostring(sym7PE, "#") : 'N/A', text_color = sym7PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 8, sym8PE > 0 ? str.tostring(sym8PE, "#") : 'N/A', text_color = sym8PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 9, sym9PE > 0 ? str.tostring(sym9PE, "#") : 'N/A', text_color = sym9PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer()) table.cell(screener, 3, 10, sym10PE > 0 ? str.tostring(sym10PE, "#") : 'N/A', text_color = sym10PE > 0 ? color.blue : color.red, text_size = tableSize.tableSizer())
Crypto Daily WatchList And Screener [M]
https://www.tradingview.com/script/V0nyJ99d-Crypto-Daily-WatchList-And-Screener-M/
Milvetti
https://www.tradingview.com/u/Milvetti/
52
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Milvetti //@version=5 indicator("Crypto Daily WatchList And Screener [M]",overlay = true) gI = "Indices" openIndices = input(true,"Show Table",inline = "Ind",group = gI) indPos = input.string("Top Right","",["Top Left","Top Center","Top Right","Middle Left","Middle Center","Middle Right","Bottom Left","Bottom Center","Bottom Right"],inline = "Ind",group = gI) // a01 = input.bool(true, title = "", group = gI, inline = 'i01') // a02 = input.bool(true, title = "", group = gI, inline = 'i02') a03 = input.bool(true, title = "", group = gI, inline = 'i03') a04 = input.bool(true, title = "", group = gI, inline = 'i04') a05 = input.bool(true, title = "", group = gI, inline = 'i05') a06 = input.bool(true, title = "", group = gI, inline = 'i06') a07 = input.bool(true, title = "", group = gI, inline = 'i07') a08 = input.bool(true, title = "", group = gI, inline = 'i08') a09 = input.bool(true, title = "", group = gI, inline = 'i09') a10 = input.bool(true, title = "", group = gI, inline = 'i10') a11 = input.bool(true, title = "", group = gI, inline = 'i11') a12 = input.bool(true, title = "", group = gI, inline = 'i12') // i01 = input.symbol('BINANCE:BTCUSDT', "",group = gI, inline = 'i01') // i02 = input.symbol('BINANCE:ETHUSDT', "",group = gI, inline = 'i02') i03 = input.symbol('BINANCE:ETHBTC', "",group = gI, inline = 'i03') i04 = input.symbol("BTCUSDT/XAUUSD","", group = gI, inline = 'i04') i05 = input.symbol('TOTAL', "",group = gI, inline = 'i05') i06 = input.symbol('TOTAL2', "", group = gI, inline = 'i06') i07 = input.symbol('TOTAL3',"", group = gI, inline = 'i07') i08 = input.symbol('BTC.D', "", group = gI, inline = 'i08') i09 = input.symbol('ETH.D', "", group = gI, inline = 'i09') i10 = input.symbol('USDT.D', "", group = gI, inline = 'i10') i11 = input.symbol('BUSDUSDT', "", group = gI, inline = 'i11') i12 = input.symbol('DXY', "", group = gI, inline = 'i12') gS = 'Symbols' openSymbols = input(true,"Show Symbol Table",inline = "Sym",group = gS) symPos = input.string("Bottom Right","",["Top Left","Top Center","Top Right","Middle Left","Middle Center","Middle Right","Bottom Left","Bottom Center","Bottom Right"],inline = "Sym",group = gS) u01 = input.bool(true, title = "", group = gS, inline = 's01') u02 = input.bool(true, title = "", group = gS, inline = 's02') u03 = input.bool(true, title = "", group = gS, inline = 's03') u04 = input.bool(true, title = "", group = gS, inline = 's04') u05 = input.bool(true, title = "", group = gS, inline = 's05') u06 = input.bool(true, title = "", group = gS, inline = 's06') u07 = input.bool(true, title = "", group = gS, inline = 's07') u08 = input.bool(false, title = "", group = gS, inline = 's08') u09 = input.bool(true, title = "", group = gS, inline = 's09') u10 = input.bool(true, title = "", group = gS, inline = 's10') u11 = input.bool(false, title = "", group = gS, inline = 's11') u12 = input.bool(true, title = "", group = gS, inline = 's12') u13 = input.bool(false, title = "", group = gS, inline = 's13') u14 = input.bool(false, title = "", group = gS, inline = 's14') u15 = input.bool(false, title = "", group = gS, inline = 's15') u16 = input.bool(false, title = "", group = gS, inline = 's16') u17 = input.bool(true, title = "", group = gS, inline = 's17') u18 = input.bool(true, title = "", group = gS, inline = 's18') u19 = input.bool(true, title = "", group = gS, inline = 's19') u20 = input.bool(false, title = "", group = gS, inline = 's20') s01 = input.symbol('BTCUSDT', "",group = gS, inline = 's01') s02 = input.symbol('ETHUSDT', "",group = gS, inline = 's02') s03 = input.symbol('SOLUSDT', "",group = gS, inline = 's03') s04 = input.symbol('ADAUSDT',"", group = gS, inline = 's04') s05 = input.symbol('DOGEUSDT', "",group = gS, inline = 's05') s06 = input.symbol('XRPUSDT', "", group = gS, inline = 's06') s07 = input.symbol('MATICUSDT',"", group = gS, inline = 's07') s08 = input.symbol('LTCUSDT', "", group = gS, inline = 's08') s09 = input.symbol('LINKUSDT', "", group = gS, inline = 's09') s10 = input.symbol('AVAXUSDT', "", group = gS, inline = 's10') s11 = input.symbol('SHIBUSDT', "", group = gS, inline = 's11') s12 = input.symbol('BNBUSDT', "", group = gS, inline = 's12') s13 = input.symbol('XLMUSDT', "", group = gS, inline = 's13') s14 = input.symbol('XMRUSDT', "", group = gS, inline = 's14') s15 = input.symbol('ATOMUSDT', "",group = gS, inline = 's15') s16 = input.symbol('UNIUSDT', "", group = gS, inline = 's16') s17 = input.symbol('ETCUSDT', "", group = gS, inline = 's17') s18 = input.symbol('FilUSDT', "",group = gS, inline = 's18') s19 = input.symbol('ALGOUSDT', "",group = gS, inline = 's19') s20 = input.symbol('AAVEUSDT', "",group = gS, inline = 's20') getDataI()=> prePrice = close-ta.change(close) change = ta.change(close)/prePrice*100 trend = close>ta.sma(close,50) ? "Up" : "Down" stoch = math.round(ta.stoch(close,high,low,30),2) price = close>1000000 ? str.tostring(close,format.volume) : str.tostring(close,format.mintick) [price,change,trend,stoch] StochSrc = input.source(close,"Source",inline="Stoch",group = "Stochastic") stochLen = input.int(30,"Length",inline="Stoch",group = "Stochastic") rsiSrc = input.source(close,"Source",inline="RSI",group = "RSI") rsiLen = input.int(14,"Length",inline="RSI",group = "RSI") movSrc = input.source(close,"Source",inline="MOV",group = "Trend(Mov)") movLen = input.int(50,"Length",inline="MOV",group = "Trend(Mov)") corLen = input.int(20,"Correlation Length",group = "Correlation") macdSrc = input.source(close,"Source",group = "MACD") macdFlen = input.int(12,"Fast Length",group = "MACD") macdSlen = input.int(26,"Slow Length",group = "MACD") macdSmooth = input.int(9,"Signal Smoothing",group = "MACD") getMacd()=> [macd,sig,hist] = ta.macd(macdSrc,macdFlen,macdSlen,macdSmooth) sigText = hist>=0 ? (hist[1] < hist ? "Strong\nBullish" : "Bullish") : (hist[1] < hist ? "Strong\nBearish" : "Bearish") sigText getDataS()=> price = str.tostring(close) vol = str.tostring(volume,format.volume) prePrice = close-ta.change(close) change = ta.change(close)/prePrice*100 btcPrice = request.security("BINANCE:BTCUSDT","1D",close) corr = ta.correlation(close,btcPrice,corLen) //close>ta.sma(movSrc,movLen) ? "Up" : "Down" macdText = getMacd() rsi = math.round(ta.rsi(rsiSrc,rsiLen),2) stoch = math.round(ta.stoch(StochSrc,high,low,stochLen),2) [price,vol,change,corr,stoch,rsi,macdText] getPos(x)=> pos = switch x "Top Right" => position.top_right "Top Center" => position.top_center "Top Left" => position.top_left "Middle Right" => position.middle_right "Middle Center" => position.middle_center "Middle Left" => position.middle_left "Bottom Right" => position.bottom_right "Bottom Center" => position.bottom_center "Bottom Left" => position.bottom_left pos getSize(x)=> oPut = switch x "Tiny" => size.tiny "Small" => size.small "Medium" => size.normal "Large" => size.large "Huge" => size.huge "Auto" => size.auto oPut // [prI1,chI1,trendI1,stochI1] = request.security(i01,"1D",getDataI(),lookahead = barmerge.lookahead_on) // [prI2,chI2, trendI2, stochI2] = request.security(i02, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI3,chI3, trendI3, stochI3] = request.security(i03, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI4,chI4, trendI4, stochI4] = request.security(i04, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI5,chI5, trendI5, stochI5] = request.security(i05, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI6,chI6, trendI6, stochI6] = request.security(i06, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI7,chI7, trendI7, stochI7] = request.security(i07, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI8,chI8, trendI8, stochI8] = request.security(i08, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI9,chI9, trendI9, stochI9] = request.security(i09, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI10,chI10, trendI10, stochI10] = request.security(i10, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI11,chI11, trendI11, stochI11] = request.security(i11, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prI12,chI12, trendI12, stochI12] = request.security(i12, "1D", getDataI(), lookahead=barmerge.lookahead_on) [prS1, volS1, chS1, trendS1, stochS1, rsiS1, macdS1] = request.security(s01, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS2, volS2, chS2, trendS2, stochS2, rsiS2, macdS2] = request.security(s02, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS3, volS3, chS3, trendS3, stochS3, rsiS3, macdS3] = request.security(s03, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS4, volS4, chS4, trendS4, stochS4, rsiS4, macdS4] = request.security(s04, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS5, volS5, chS5, trendS5, stochS5, rsiS5, macdS5] = request.security(s05, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS6, volS6, chS6, trendS6, stochS6, rsiS6, macdS6] = request.security(s06, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS7, volS7, chS7, trendS7, stochS7, rsiS7, macdS7] = request.security(s07, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS8, volS8, chS8, trendS8, stochS8, rsiS8, macdS8] = request.security(s08, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS9, volS9, chS9, trendS9, stochS9, rsiS9, macdS9] = request.security(s09, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS10, volS10, chS10, trendS10, stochS10, rsiS10, macdS10] = request.security(s10, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS11, volS11, chS11, trendS11, stochS11, rsiS11, macdS11] = request.security(s11, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS12, volS12, chS12, trendS12, stochS12, rsiS12, macdS12] = request.security(s12, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS13, volS13, chS13, trendS13, stochS13, rsiS13, macdS13] = request.security(s13, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS14, volS14, chS14, trendS14, stochS14, rsiS14, macdS14] = request.security(s14, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS15, volS15, chS15, trendS15, stochS15, rsiS15, macdS15] = request.security(s15, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS16, volS16, chS16, trendS16, stochS16, rsiS16, macdS16] = request.security(s16, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS17, volS17, chS17, trendS17, stochS17, rsiS17, macdS17] = request.security(s17, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS18, volS18, chS18, trendS18, stochS18, rsiS18, macdS18] = request.security(s18, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS19, volS19, chS19, trendS19, stochS19, rsiS19, macdS19] = request.security(s19, "1D", getDataS(), lookahead = barmerge.lookahead_on) [prS20, volS20, chS20, trendS20, stochS20, rsiS20, macdS20] = request.security(s20, "1D", getDataS(), lookahead = barmerge.lookahead_on) var checkIndArray = array.new_bool() priceIndArray = array.new_string() var symbolIndArray = array.new_string() changeIndArray = array.new_float() trendIndArray = array.new_string() stochIndArray = array.new_float() var checkSArray = array.new_bool() priceSArray = array.new_string() volSArray = array.new_string() var symbolSArray = array.new_string() changeSArray = array.new_float() corrSArray = array.new_float() stochSArray = array.new_float() rsiSArray = array.new_float() macdSArray = array.new_string() if barstate.isfirst // array.push(checkIndArray, a01) // array.push(checkIndArray, a02) array.push(checkIndArray, a03) array.push(checkIndArray, a04) array.push(checkIndArray, a05) array.push(checkIndArray, a06) array.push(checkIndArray, a07) array.push(checkIndArray, a08) array.push(checkIndArray, a09) array.push(checkIndArray, a10) array.push(checkIndArray, a11) array.push(checkIndArray, a12) // array.push(symbolIndArray, i01) // array.push(symbolIndArray, i02) array.push(symbolIndArray, i03) array.push(symbolIndArray, i04) array.push(symbolIndArray, i05) array.push(symbolIndArray, i06) array.push(symbolIndArray, i07) array.push(symbolIndArray, i08) array.push(symbolIndArray, i09) array.push(symbolIndArray, i10) array.push(symbolIndArray, i11) array.push(symbolIndArray, i12) array.push(checkSArray, u01) array.push(checkSArray, u02) array.push(checkSArray, u03) array.push(checkSArray, u04) array.push(checkSArray, u05) array.push(checkSArray, u06) array.push(checkSArray, u07) array.push(checkSArray, u08) array.push(checkSArray, u09) array.push(checkSArray, u10) array.push(checkSArray, u11) array.push(checkSArray, u12) array.push(checkSArray, u13) array.push(checkSArray, u14) array.push(checkSArray, u15) array.push(checkSArray, u16) array.push(checkSArray, u17) array.push(checkSArray, u18) array.push(checkSArray, u19) array.push(checkSArray, u20) array.push(symbolSArray, s01) array.push(symbolSArray, s02) array.push(symbolSArray, s03) array.push(symbolSArray, s04) array.push(symbolSArray, s05) array.push(symbolSArray, s06) array.push(symbolSArray, s07) array.push(symbolSArray, s08) array.push(symbolSArray, s09) array.push(symbolSArray, s10) array.push(symbolSArray, s11) array.push(symbolSArray, s12) array.push(symbolSArray, s13) array.push(symbolSArray, s14) array.push(symbolSArray, s15) array.push(symbolSArray, s16) array.push(symbolSArray, s17) array.push(symbolSArray, s18) array.push(symbolSArray, s19) array.push(symbolSArray, s20) // array.push(priceIndArray, prI1) // array.push(priceIndArray, prI2) array.push(priceIndArray, prI3) array.push(priceIndArray, prI4) array.push(priceIndArray, prI5) array.push(priceIndArray, prI6) array.push(priceIndArray, prI7) array.push(priceIndArray, prI8) array.push(priceIndArray, prI9) array.push(priceIndArray, prI10) array.push(priceIndArray, prI11) array.push(priceIndArray, prI12) // array.push(changeIndArray,chI1) // array.push(changeIndArray, chI2) array.push(changeIndArray, chI3) array.push(changeIndArray, chI4) array.push(changeIndArray, chI5) array.push(changeIndArray, chI6) array.push(changeIndArray, chI7) array.push(changeIndArray, chI8) array.push(changeIndArray, chI9) array.push(changeIndArray, chI10) array.push(changeIndArray, chI11) array.push(changeIndArray, chI12) // array.push(trendIndArray,trendI1) // array.push(trendIndArray, trendI2) array.push(trendIndArray, trendI3) array.push(trendIndArray, trendI4) array.push(trendIndArray, trendI5) array.push(trendIndArray, trendI6) array.push(trendIndArray, trendI7) array.push(trendIndArray, trendI8) array.push(trendIndArray, trendI9) array.push(trendIndArray, trendI10) array.push(trendIndArray, trendI11) array.push(trendIndArray, trendI12) // array.push(stochIndArray,stochI1) // array.push(stochIndArray, stochI2) array.push(stochIndArray, stochI3) array.push(stochIndArray, stochI4) array.push(stochIndArray, stochI5) array.push(stochIndArray, stochI6) array.push(stochIndArray, stochI7) array.push(stochIndArray, stochI8) array.push(stochIndArray, stochI9) array.push(stochIndArray, stochI10) array.push(stochIndArray, stochI11) array.push(stochIndArray, stochI12) array.push(priceSArray, prS1) array.push(priceSArray, prS2) array.push(priceSArray, prS3) array.push(priceSArray, prS4) array.push(priceSArray, prS5) array.push(priceSArray, prS6) array.push(priceSArray, prS7) array.push(priceSArray, prS8) array.push(priceSArray, prS9) array.push(priceSArray, prS10) array.push(priceSArray, prS11) array.push(priceSArray, prS12) array.push(priceSArray, prS13) array.push(priceSArray, prS14) array.push(priceSArray, prS15) array.push(priceSArray, prS16) array.push(priceSArray, prS17) array.push(priceSArray, prS18) array.push(priceSArray, prS19) array.push(priceSArray, prS20) array.push(volSArray, volS1) array.push(volSArray, volS2) array.push(volSArray, volS3) array.push(volSArray, volS4) array.push(volSArray, volS5) array.push(volSArray, volS6) array.push(volSArray, volS7) array.push(volSArray, volS8) array.push(volSArray, volS9) array.push(volSArray, volS10) array.push(volSArray, volS11) array.push(volSArray, volS12) array.push(volSArray, volS13) array.push(volSArray, volS14) array.push(volSArray, volS15) array.push(volSArray, volS16) array.push(volSArray, volS17) array.push(volSArray, volS18) array.push(volSArray, volS19) array.push(volSArray, volS20) array.push(changeSArray,chS1) array.push(changeSArray, chS2) array.push(changeSArray, chS3) array.push(changeSArray, chS4) array.push(changeSArray, chS5) array.push(changeSArray, chS6) array.push(changeSArray, chS7) array.push(changeSArray, chS8) array.push(changeSArray, chS9) array.push(changeSArray, chS10) array.push(changeSArray, chS11) array.push(changeSArray, chS12) array.push(changeSArray, chS13) array.push(changeSArray, chS14) array.push(changeSArray, chS15) array.push(changeSArray, chS16) array.push(changeSArray, chS17) array.push(changeSArray, chS18) array.push(changeSArray, chS19) array.push(changeSArray, chS20) array.push(corrSArray,trendS1) array.push(corrSArray, trendS2) array.push(corrSArray, trendS3) array.push(corrSArray, trendS4) array.push(corrSArray, trendS5) array.push(corrSArray, trendS6) array.push(corrSArray, trendS7) array.push(corrSArray, trendS8) array.push(corrSArray, trendS9) array.push(corrSArray, trendS10) array.push(corrSArray, trendS11) array.push(corrSArray, trendS12) array.push(corrSArray, trendS13) array.push(corrSArray, trendS14) array.push(corrSArray, trendS15) array.push(corrSArray, trendS16) array.push(corrSArray, trendS17) array.push(corrSArray, trendS18) array.push(corrSArray, trendS19) array.push(corrSArray, trendS20) array.push(stochSArray,stochS1) array.push(stochSArray, stochS2) array.push(stochSArray, stochS3) array.push(stochSArray, stochS4) array.push(stochSArray, stochS5) array.push(stochSArray, stochS6) array.push(stochSArray, stochS7) array.push(stochSArray, stochS8) array.push(stochSArray, stochS9) array.push(stochSArray, stochS10) array.push(stochSArray, stochS11) array.push(stochSArray, stochS12) array.push(stochSArray, stochS13) array.push(stochSArray, stochS14) array.push(stochSArray, stochS15) array.push(stochSArray, stochS16) array.push(stochSArray, stochS17) array.push(stochSArray, stochS18) array.push(stochSArray, stochS19) array.push(stochSArray, stochS20) array.push(rsiSArray, rsiS1) array.push(rsiSArray, rsiS2) array.push(rsiSArray, rsiS3) array.push(rsiSArray, rsiS4) array.push(rsiSArray, rsiS5) array.push(rsiSArray, rsiS6) array.push(rsiSArray, rsiS7) array.push(rsiSArray, rsiS8) array.push(rsiSArray, rsiS9) array.push(rsiSArray, rsiS10) array.push(rsiSArray, rsiS11) array.push(rsiSArray, rsiS12) array.push(rsiSArray, rsiS13) array.push(rsiSArray, rsiS14) array.push(rsiSArray, rsiS15) array.push(rsiSArray, rsiS16) array.push(rsiSArray, rsiS17) array.push(rsiSArray, rsiS18) array.push(rsiSArray, rsiS19) array.push(rsiSArray, rsiS20) array.push(macdSArray, macdS1) array.push(macdSArray, macdS2) array.push(macdSArray, macdS3) array.push(macdSArray, macdS4) array.push(macdSArray, macdS5) array.push(macdSArray, macdS6) array.push(macdSArray, macdS7) array.push(macdSArray, macdS8) array.push(macdSArray, macdS9) array.push(macdSArray, macdS10) array.push(macdSArray, macdS11) array.push(macdSArray, macdS12) array.push(macdSArray, macdS13) array.push(macdSArray, macdS14) array.push(macdSArray, macdS15) array.push(macdSArray, macdS16) array.push(macdSArray, macdS17) array.push(macdSArray, macdS18) array.push(macdSArray, macdS19) array.push(macdSArray, macdS20) selectSize = input.string("Small","Size",["Tiny","Small","Medium","Large","Huge","Auto"],group = "Customize") titleTextColor =input.color(color.white,"Title Text Color",group = "Customize") titleColor =input.color(#0b183d,"Title Background Color",group = "Customize") textColor =input.color(color.white,"Text Color",group = "Customize") backColor = input.color(#131722,"Background Color",group = "Customize") borderColor = input.color(color.new(color.white,88),"Border Color",group = "Customize") frameColor = input.color(#aaaaaa,"Frame Color",group = "Customize") positiveColor = input.color(color.new(color.green,60),"Positive Color",group = "Customize") neutralColor = input.color(#131722,"Neutral Color",group = "Customize") negativeColor = input.color(color.new(color.red,60),"Negative Color",group = "Customize") var indTab = table.new(getPos(indPos),5,15,bgcolor = backColor,frame_color = frameColor,border_color = borderColor,frame_width = 1,border_width = 1 ) var symTab = table.new(getPos(symPos),8,21,bgcolor = backColor,frame_color = frameColor,border_color = borderColor,frame_width = 1,border_width = 1 ) if barstate.isfirst if openIndices table.cell(indTab,0,0,"Pair",text_color = titleTextColor,bgcolor = titleColor) table.cell(indTab,1,0,"Price",text_color = titleTextColor,bgcolor = titleColor) table.cell(indTab,2,0,"Change",text_color = titleTextColor,bgcolor = titleColor,tooltip="Daily Change(%)") table.cell(indTab,3,0,"Stoch",text_color = titleTextColor,bgcolor = titleColor) table.cell(indTab,4,0,"Trend",text_color = titleTextColor,bgcolor = titleColor) //Symbol Table if openSymbols table.cell(symTab,0,0,"Pair",text_color = titleTextColor,bgcolor = titleColor) table.cell(symTab,1,0,"Price",text_color = titleTextColor,bgcolor = titleColor) table.cell(symTab,2,0,"Volume",text_color = titleTextColor,bgcolor = titleColor) table.cell(symTab,3,0,"Change",text_color = titleTextColor,bgcolor = titleColor,tooltip="Daily Change(%)") table.cell(symTab,4,0,"Stoch",text_color = titleTextColor,bgcolor = titleColor) table.cell(symTab,5,0,"Rsi",text_color = titleTextColor,bgcolor = titleColor,tooltip = "Daily RSI") table.cell(symTab,6,0,"Corr",text_color = titleTextColor,bgcolor = titleColor,tooltip = "The correlation coefficient between Bitcoin and assets") table.cell(symTab,7,0,"Macd",text_color = titleTextColor,bgcolor = titleColor) for i=0 to array.size(checkSArray)-1 if i+1<=array.size(checkIndArray) and openIndices check = array.get(checkIndArray,i) if check sym = syminfo.ticker(array.get(symbolIndArray,i)) sym := sym=="BTCUSDT/OANDA:XAUUSD" ? "BTC/XAU" : sym price = array.get(priceIndArray,i) change = array.get(changeIndArray,i) trend = array.get(trendIndArray,i) stoch = array.get(stochIndArray,i) changeColor = change>0 ? positiveColor : negativeColor trendColor = trend=="Up" ? positiveColor : negativeColor stochColor = stoch<=25 ? positiveColor : stoch>75 ? negativeColor : neutralColor table.cell(indTab,0,i+1,sym,text_color = textColor,text_size =getSize(selectSize)) table.cell(indTab,1,i+1,price,text_color = textColor,text_size =getSize(selectSize)) table.cell(indTab,2,i+1,str.tostring(change,format.percent),text_color = textColor,text_size =getSize(selectSize),bgcolor = changeColor) table.cell(indTab,3,i+1,str.tostring(stoch),text_color = textColor,text_size =getSize(selectSize),bgcolor = stochColor) table.cell(indTab,4,i+1,trend,text_color = textColor,text_size =getSize(selectSize),bgcolor = trendColor) if i+1<=array.size(checkSArray) and openSymbols check = array.get(checkSArray,i) if check sym = syminfo.ticker(array.get(symbolSArray,i)) price = array.get(priceSArray,i) vol = array.get(volSArray,i) change = array.get(changeSArray,i) corr = array.get(corrSArray,i) stoch = array.get(stochSArray,i) rsi = array.get(rsiSArray,i) macd = array.get(macdSArray,i) // if sym=="TOTAL" or sym=="TOTAL2" or sym=="TOTAL3" // price:= changeColor = change>0 ? positiveColor : negativeColor corrColor = corr>0.5 ? positiveColor : corr<=0.5 and corr>0 ? color.new(positiveColor,50) : corr>-0.5 and corr<=0 ? color.new(negativeColor,50) : negativeColor stochColor = stoch<=25 ? positiveColor : stoch>75 ? negativeColor : neutralColor rsiColor = rsi<=35 ? positiveColor : rsi>=65 ? negativeColor : neutralColor macdColor = macd=="Strong\nBullish" ? positiveColor : macd=="Bullish" ? color.new(positiveColor,50) : macd=="Strong\nBearish" ? negativeColor : macd=="Bearish" ? color.new(negativeColor,50) : neutralColor table.cell(symTab,0,i+1,sym,text_color = textColor,text_size =getSize(selectSize)) table.cell(symTab,1,i+1,price,text_color = textColor,text_size =getSize(selectSize)) table.cell(symTab,2,i+1,vol,text_color = changeColor,text_size =getSize(selectSize)) table.cell(symTab,3,i+1,str.tostring(change,format.percent),text_color = textColor,text_size =getSize(selectSize),bgcolor = changeColor) table.cell(symTab,4,i+1,str.tostring(stoch),text_color = textColor,text_size =getSize(selectSize),bgcolor = stochColor) table.cell(symTab,5,i+1,str.tostring(rsi),text_color = textColor,text_size =getSize(selectSize),bgcolor = rsiColor) table.cell(symTab,6,i+1,str.tostring( math.round(corr,2)),text_color = textColor,text_size =getSize(selectSize),bgcolor = corrColor) table.cell(symTab,7,i+1,macd,text_color = textColor,text_size =getSize(selectSize),bgcolor = macdColor)
Descending Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/ojfFXVMC-Descending-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
29
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Descending Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) descendingHeadShoulders = downtrend and returnLineUptrend[1] and returnLineDowntrend and shPrice < shPriceTwo //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and descendingHeadShoulders and showHistoric lineOne = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, extend = extend.none) lineTwo = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? troughBarIndex : na, showNecklines ? trough : na, showNecklines ? bar_index : na, showNecklines ? trough : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na, color = necklineColor, extend = extend.none) peakLabel = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), text = "DSC. HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na, showProjections ? bar_index : na, showProjections ? shPriceOne : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() var myArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myArray, neckline) array.push(myArray, dynamicNeckline) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and descendingHeadShoulders line.set_xy1(currentPatternLineOne, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternLineOne, shPriceBarIndex, shPrice) line.set_xy1(currentPatternLineTwo, shPriceBarIndexTwo, shPriceTwo) line.set_xy2(currentPatternLineTwo, shPriceBarIndexOne, shPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? troughBarIndex : na, showNecklines ? trough : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? trough : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? shPriceOne : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Descending Head and Shoulders')
Polynomial Regression Slope [QTL]
https://www.tradingview.com/script/0abB8v07-Polynomial-Regression-Slope-QTL/
henryph24
https://www.tradingview.com/u/henryph24/
36
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© henryph24 //@version=5 indicator(title='Polynomial Regression Slope', shorttitle='PRS', overlay=false) //CUSTOM RS(y, t, o, degree) => if degree == 1 var x = 1 x += 1 b0 = math.sum(x, t) b1 = math.sum(math.pow(x, 2), t) c0 = math.sum(y, t) c1 = math.sum(x * y, t) a0 = (c0 * b1 - c1 * b0) / (t * b1 - math.pow(b0, 2)) a1 = (t * c1 - b0 * c0) / (t * b1 - math.pow(b0, 2)) lr = a0 + a1 * (x + o) LRS = lr - (na(lr[1]) ? lr : nz(lr[1])) LRS else if degree ==2 var x = 1 x += 1 b0 = math.sum(x, t) b1 = math.sum(math.pow(x, 2), t) b2 = math.sum(math.pow(x, 3), t) b3 = math.sum(math.pow(x, 4), t) c0 = math.sum(y, t) c1 = math.sum(x * y, t) c2 = math.sum(math.pow(x, 2) * y, t) a0 = ((b1 * b3 - math.pow(b2, 2)) * (c0 * b2 - c1 * b1) - (b0 * b2 - math.pow(b1, 2)) * (c1 * b3 - c2 * b2)) / ((b1 * b3 - math.pow(b2, 2)) * (t * b2 - b0 * b1) - (b0 * b2 - math.pow(b1, 2)) * (b0 * b3 - b1 * b2)) a1 = (c0 * b2 - c1 * b1 - (t * b2 - b0 * b1) * a0) / (b0 * b2 - math.pow(b1, 2)) a2 = (c0 - t * a0 - b0 * a1) / b1 qr = a0 + a1 * (x + o) + a2 * math.pow(x + o, 2) QRS = qr - (na(qr[1]) ? qr : nz(qr[1])) QRS else if degree == 3 x = 1 x += 1 b0 = math.sum(x, t) b1 = math.sum(math.pow(x, 2), t) b2 = math.sum(math.pow(x, 3), t) b3 = math.sum(math.pow(x, 4), t) b4 = math.sum(math.pow(x, 5), t) b5 = math.sum(math.pow(x, 6), t) c0 = math.sum(y, t) c1 = math.sum(x * y, t) c2 = math.sum(math.pow(x, 2) * y, t) c3 = math.sum(math.pow(x, 3) * y, t) det = b0 * (b2 * b4 * b5 - b3 * b4 * b4) + b1 * (b3 * b3 * b5 - b2 * b4 * b5) + b2 * (b1 * b4 * b4 - b2 * b3 * b4) - b0 * b0 * b5 * b5 - b1 * b1 * b4 * b4 - b2 * b2 * b3 * b3 a0 = (c0 * (b2 * b4 * b5 - b3 * b4 * b4) + c1 * (b3 * b3 * b5 - b2 * b4 * b5) + c2 * (b1 * b4 * b4 - b2 * b3 * b4) - c3 * (b0 * b4 * b4 - b1 * b3 * b4)) / det a1 = (c1 * (b0 * b4 * b5 - b2 * b3 * b5) + c2 * (b0 * b3 * b4 - b1 * b4 * b5) + c3 * (b0 * b2 * b4 - b1 * b3 * b4) - c0 * (b1 * b4 * b5 - b2 * b3 * b5)) / det a2 = (c2 * (b0 * b3 * b5 - b1 * b4 * b5) + c3 * (b0 * b1 * b4 - b0 * b2 * b3) + c0 * (b1 * b3 * b3 - b2 * b2 * b5) - c1 * (b0 * b2 * b4 - b1 * b3 * b4)) / det a3 = (c3 * (b0 * b1 * b5 - b0 * b2 * b4) + c0 * (b1 * b2 * b3 - b1 * b1 * b5) + c1 * (b0 * b2 * b2 - b1 * b1 * b4) - c2 * (b0 * b1 * b3 - b0 * b0 * b5)) / det cr = a0 + a1 * (x + o) + a2 * math.pow(x + o, 2) + a3 * math.pow(x + o, 3) CRS = cr - (na(cr[1]) ? cr : nz(cr[1])) CRS //TOGGLE isLinearSlope = input.bool(defval=true, title="Show Linear Regression") isQuadraticSlope = input.bool(defval=true, title="Show Quadratic Regression") isCubicSlope = input.bool(defval=true, title="Show Cubic Regression") //UI src = input(defval=close, title='Source') per = input.int(defval=60, minval=1, title='Sample Size') //INV lrs = RS(src,per,0,1) qrs = RS(src, per, 0,2) crs = RS(src,per,0,3) //PLOT l_col = lrs > 0 ? color.rgb(25, 0, 255) : color.red q_col = qrs > 0 ? color.rgb(0, 250, 8) : color.rgb(255, 0, 0) c_col = crs > 0 ? color.rgb(0, 220, 254) : color.rgb(241, 0, 253) plot(isLinearSlope ? lrs : na, color = l_col, linewidth=2, style = plot.style_columns) plot(isQuadraticSlope ? qrs : na, color = q_col, linewidth=2, style = plot.style_columns) plot(isCubicSlope ? crs : na, color = c_col, linewidth=2, style = plot.style_columns)
ICT Concepts [LuxAlgo]
https://www.tradingview.com/script/ib4uqBJx-ICT-Concepts-LuxAlgo/
LuxAlgo
https://www.tradingview.com/u/LuxAlgo/
7,233
study
5
CC-BY-NC-SA-4.0
// This work is licensed under a Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) https://creativecommons.org/licenses/by-nc-sa/4.0/ // Β© LuxAlgo //@version=5 indicator("ICT Concepts [LuxAlgo]", max_lines_count=500, max_boxes_count=500, max_labels_count=500, max_bars_back=3000, overlay=true) //-----------------------------------------------------------------------------} //Strings //-----------------------------------------------------------------------------{ o = 'Options' sp1 = 'Β Β Β Β Β Β Β ' sp2 = 'Β Β Β Β Β Β Β Β Β Β Β Β Β Β ' hl = 'High / LowΒ Β Β Β ' + sp1 ny_ = 'New York' + sp1 lo_ = 'London Open' lc_ = 'London Close' as_ = 'Asian' //-----------------------------------------------------------------------------} //Settings //-----------------------------------------------------------------------------{ i_mode = input.string( 'Present' , title = 'Mode' , options =['Present', 'Historical'] ) //Market Structure Shift showMS = input.bool ( true , title = '' , group = 'Market Structures', inline = 'MS' ) len = input.int ( 5 , title = 'Β Β Β Β Β LengthΒ Β Β ' +sp2 , group = 'Market Structures', inline = 'MS' , minval = 3, maxval = 10 ) iMSS = input.bool ( true , title = 'Β Β Β Β Β Β Β MSS' +sp1 , group = 'Market Structures', inline = 'M1' ) cMSSbl = input.color (color.new(#00e6a1, 0), title = 'bullish' , group = 'Market Structures', inline = 'M1' ) cMSSbr = input.color (color.new(#e60400, 0), title = 'bearish' , group = 'Market Structures', inline = 'M1' ) iBOS = input.bool ( true , title = 'Β Β Β Β Β Β Β BOS' +sp1 , group = 'Market Structures', inline = 'BS' ) cBOSbl = input.color (color.new(#00e6a1, 0), title = 'bullish' , group = 'Market Structures', inline = 'BS' ) cBOSbr = input.color (color.new(#e60400, 0), title = 'bearish' , group = 'Market Structures', inline = 'BS' ) //Displacement sDispl = input.bool ( false , title = 'Show Displacement' , group = 'Displacement' ) perc_Body = 0.36 // input.int( 36, minval=1, maxval=36) / 100 bxBack = 10 // input.int( 10, minval=0, maxval=10) sVimbl = input.bool ( true , title = '' , group = 'Volume Imbalance' , inline = 'VI' ) visVim = input.int ( 2 , title = "Β Β Β # Visible VI'sΒ Β "+sp1, group = 'Volume Imbalance' , inline = 'VI' , minval = 2, maxval = 100 ) cVimbl = input.color (color.new(#06b2d0, 0), title = '' , group = 'Volume Imbalance' , inline = 'VI' ) //Order Blocks showOB = input.bool ( true , title = 'Show Order Blocks' , group = 'Order Blocks' ) length = input.int ( 10 , title = 'Swing Lookback' , group = 'Order Blocks' , minval = 3 ) showBull = input.int ( 1 , title = 'Show Last Bullish OB' , group = 'Order Blocks' , minval = 0 ) showBear = input.int ( 1 , title = 'Show Last Bearish OB' , group = 'Order Blocks' , minval = 0 ) useBody = input.bool ( true , title = 'Use Candle Body' ) //OB Style bullCss = input.color (color.new(#3e89fa, 0), title = 'Bullish OBΒ Β ' , group = 'Order Blocks' , inline = 'bullcss' ) bullBrkCss = input.color (color.new(#4785f9, 85), title = 'Bullish BreakΒ Β ' , group = 'Order Blocks' , inline = 'bullcss' ) bearCss = input.color (color.new(#FF3131, 0), title = 'Bearish OB' , group = 'Order Blocks' , inline = 'bearcss' ) bearBrkCss = input.color (color.new(#f9ff57, 85), title = 'Bearish Break' , group = 'Order Blocks' , inline = 'bearcss' ) showLabels = input.bool ( false, title = 'Show Historical Polarity Changes', group = 'Order Blocks' ) //Liquidity showLq = input.bool ( true , title = 'Show Liquidity' , group = 'Liquidity' ) a = 10 / input.float ( 4 , title = 'margin' , group = 'Liquidity' , step = 0.1, minval = 2, maxval = 7 ) visLiq = input.int ( 2 , title = '# Visible Liq. boxes' , group = 'Liquidity' , minval = 1 , maxval = 50 , tooltip = 'In the same direction' ) cLIQ_B = input.color (color.new(#fa451c, 0), title = 'Buyside LiquidityΒ Β ' , group = 'Liquidity' ) cLIQ_S = input.color (color.new(#1ce4fa, 0), title = 'Sellside Liquidity' , group = 'Liquidity' ) //FVG shwFVG = input.bool ( true , title = 'Show FVGs' , group = 'Fair Value Gaps' ) i_BPR = input.bool ( false , title = 'Balance Price Range' , group = 'Fair Value Gaps' ) i_FVG = input.string( 'FVG' , title = o , group = 'Fair Value Gaps' , options=['FVG', 'IFVG'] , tooltip = 'Fair Value Gaps\nor\nImplied Fair Value Gaps' ) visBxs = input.int ( 2 , title = '# Visible FVG\'s' , group = 'Fair Value Gaps' , minval = 1 , maxval = 20 , tooltip = 'In the same direction' ) //FVG Style cFVGbl = input.color (color.new(#00e676, 0), title = 'Bullish FVGΒ Β ' , group = 'Fair Value Gaps' , inline = 'FVGbl' ) cFVGblBR = input.color (color.new(#808000, 0), title = 'Break' , group = 'Fair Value Gaps' , inline = 'FVGbl' ) cFVGbr = input.color (color.new(#ff5252, 0), title = 'Bearish FVGΒ ' , group = 'Fair Value Gaps' , inline = 'FVGbr' ) cFVGbrBR = input.color (color.new(#FF0000, 0), title = 'Break' , group = 'Fair Value Gaps' , inline = 'FVGbr' ) //NWOG/NDOG iNWOG = input.bool ( true , title = '' , inline='NWOG', group = 'NWOG/NDOG' ) cNWOG1 = input.color (color.new(#ff5252, 28), title = 'NWOGΒ Β Β Β ', inline='NWOG', group = 'NWOG/NDOG' ) cNWOG2 = input.color (color.new(#b2b5be, 50), title = '' , inline='NWOG', group = 'NWOG/NDOG' ) maxNWOG = input.int ( 3 , title = 'Show max', inline='NWOG', group = 'NWOG/NDOG' , minval = 0, maxval = 50 ) iNDOG = input.bool ( false , title = '' , inline='NDOG', group = 'NWOG/NDOG' ) cNDOG1 = input.color (color.new(#ff9800, 20), title = 'NDOGΒ Β Β Β ', inline='NDOG', group = 'NWOG/NDOG' ) cNDOG2 = input.color (color.new(#4dd0e1, 65), title = '' , inline='NDOG', group = 'NWOG/NDOG' ) maxNDOG = input.int ( 1 , title = 'Show max', inline='NDOG', group = 'NWOG/NDOG' , minval = 0, maxval = 50 ) //Fibonacci iFib = input.string( 'NONE' , title = 'Fibonacci between last: ', group = 'Fibonacci', options=['FVG', 'BPR', 'OB', 'Liq', 'VI', 'NWOG', 'NONE']) iExt = input.bool ( false , title = 'Extend lines' , group = 'Fibonacci' ) //Killzones showKZ = input.bool ( false , title = 'Show Killzones' , group = 'Killzones' ) //New York showNy = input.bool ( true , title = ny_ , inline = 'ny' , group = 'Killzones' ) and showKZ nyCss = input.color (color.new(#ff5d00, 93), title = '' , inline = 'ny' , group = 'Killzones' ) //London Open showLdno = input.bool ( true , title = lo_ , inline = 'lo' , group = 'Killzones' ) and showKZ ldnoCss = input.color (color.new(#00bcd4, 93), title = '' , inline = 'lo' , group = 'Killzones' ) //London Close showLdnc = input.bool ( true , title = lc_ , inline = 'lc' , group = 'Killzones' ) and showKZ ldncCss = input.color (color.new(#2157f3, 93), title = '' , inline = 'lc' , group = 'Killzones' ) //Asian showAsia = input.bool ( true , title = as_ + sp2, inline = 'as' , group = 'Killzones' ) and showKZ asiaCss = input.color (color.new(#e91e63, 93), title = '' , inline = 'as' , group = 'Killzones' ) //-----------------------------------------------------------------------------} //General Calculations //-----------------------------------------------------------------------------{ n = bar_index hi = high lo = low tf_msec = timeframe.in_seconds(timeframe.period) * 1000 maxSize = 50 atr = ta.atr(10) per = i_mode == 'Present' ? last_bar_index - bar_index <= 500 : true perB = last_bar_index - bar_index <= 1000 ? true : false xloc = iFib == 'OB' ? xloc.bar_time : xloc.bar_index ext = iExt ? extend.right : extend.none plus = iFib == 'OB' ? tf_msec * 50 : 50 mx = math.max(close , open) mn = math.min(close , open) body = math.abs(close - open) meanBody = ta.sma (body , len) max = useBody ? mx : high min = useBody ? mn : low blBrkConf = 0 brBrkConf = 0 r = color.r(chart.bg_color) g = color.g(chart.bg_color) b = color.b(chart.bg_color) isDark = r < 80 and g < 80 and b < 80 //-----------------------------------------------------------------------------} //User Defined Types //-----------------------------------------------------------------------------{ type ZZ int [] d int [] x float [] y bool [] b type ln_d line l int d type _2ln_lb line l1 line l2 label lb type bx_ln box b line l type bx_ln_lb box bx line ln label lb type mss int dir line [] l_mssBl line [] l_mssBr line [] l_bosBl line [] l_bosBr label[] lbMssBl label[] lbMssBr label[] lbBosBl label[] lbBosBr type liq box bx bool broken bool brokenTop bool brokenBtm line ln type ob float top = na float btm = na int loc = bar_index bool breaker = false int break_loc = na type swing float y = na int x = na bool crossed = false type FVG box box bool active int pos var mss MSS = mss.new( 0 , array.new < line >() , array.new < line >() , array.new < line >() , array.new < line >() , array.new < label >() , array.new < label >() , array.new < label >() , array.new < label >() ) //-----------------------------------------------------------------------------} //Variables //-----------------------------------------------------------------------------{ maxVimb = 2 var float friCp = na, var int friCi = na // Friday Close price/index var float monOp = na, var int monOi = na // Monday Open price/index var float prDCp = na, var int prDCi = na // Previous Day Open price/index var float cuDOp = na, var int cuDOi = na // Current Day Open price/index var _2ln_lb [] Vimbal = array.new< _2ln_lb >() var liq [] b_liq_B = array.new< liq >(1, liq.new(box(na), false, false, false, line(na))) var liq [] b_liq_S = array.new< liq >(1, liq.new(box(na), false, false, false, line(na))) var ob [] bullish_ob = array.new< ob >() var ob [] bearish_ob = array.new< ob >() var bx_ln [] bl_NWOG = array.new< bx_ln >() var bx_ln [] bl_NDOG = array.new< bx_ln >() var bx_ln_lb[] a_bx_ln_lb = array.new< bx_ln_lb >() var FVG [] bFVG_UP = array.new< FVG >() var FVG [] bFVG_DN = array.new< FVG >() var FVG [] bBPR_UP = array.new< FVG >() var FVG [] bBPR_DN = array.new< FVG >() var ZZ aZZ = ZZ.new( array.new < int >(maxSize, 0), array.new < int >(maxSize, 0), array.new < float >(maxSize, na), array.new < bool >(maxSize, na)) var line _diag = line.new(na, na, na, na, color=color.new(color.silver, 50), style=line.style_dashed, xloc= xloc ) var line _vert = line.new(na, na, na, na, color=color.new(color.silver, 50), style=line.style_dotted, xloc= xloc ) var line _zero = line.new(na, na, na, na, color=color.new(color.silver, 5), style=line.style_solid , xloc= xloc, extend=ext) var line _0236 = line.new(na, na, na, na, color=color.new(color.orange, 25), style=line.style_solid , xloc= xloc, extend=ext) var line _0382 = line.new(na, na, na, na, color=color.new(color.yellow, 25), style=line.style_solid , xloc= xloc, extend=ext) var line _0500 = line.new(na, na, na, na, color=color.new(color.green , 25), style=line.style_solid , xloc= xloc, extend=ext) var line _0618 = line.new(na, na, na, na, color=color.new(color.yellow, 25), style=line.style_solid , xloc= xloc, extend=ext) var line _0786 = line.new(na, na, na, na, color=color.new(color.orange, 25), style=line.style_solid , xloc= xloc, extend=ext) var line _one_ = line.new(na, na, na, na, color=color.new(color.silver, 5), style=line.style_solid , xloc= xloc, extend=ext) var line _1618 = line.new(na, na, na, na, color=color.new(color.yellow, 25), style=line.style_solid , xloc= xloc, extend=ext) //-----------------------------------------------------------------------------} //Functions/methods //-----------------------------------------------------------------------------{ method in_out(ZZ aZZ, int d, int x1, float y1, int x2, float y2, color col, bool b) => aZZ.d.unshift(d), aZZ.x.unshift(x2), aZZ.y.unshift(y2), aZZ.b.unshift(b), aZZ.d.pop(), aZZ.x.pop(), aZZ.y.pop(), aZZ.b.pop() method timeinrange(string res, string sess) => not na(time(timeframe.period, res, sess)) method setLine(line ln, int x1, float y1, int x2, float y2) => ln.set_xy1(x1, y1), ln.set_xy2(x2, y2) method clear_aLine(line[] l) => if l.size() > 0 for i = l.size() -1 to 0 l.pop().delete() method clear_aLabLin(label[] l) => if l.size() > 0 for i = l.size() -1 to 0 l.pop().delete() method clear_aLabLin(line[] l) => if l.size() > 0 for i = l.size() -1 to 0 l.pop().delete() method notransp(color css) => color.rgb(color.r(css), color.g(css), color.b(css)) method display(ob id, css, break_css, str)=> if showOB if id.breaker a_bx_ln_lb.unshift( bx_ln_lb.new( box.new(id.loc, id.top, timenow + (tf_msec * 10), id.btm, na , bgcolor = break_css , extend = extend.none , xloc = xloc.bar_time) , line (na) , label(na)) ) else y = str == 'bl' ? id.btm : id.top s = str == 'bl' ? label.style_label_up : label.style_label_down a_bx_ln_lb.unshift( bx_ln_lb.new( box(na) , line.new(id.loc, y , id.loc + (tf_msec * 10), y , xloc = xloc.bar_time, color=css, width=2) , label.new( id.loc + (tf_msec * 10), y , text = str == 'bl' ? '+OB' : '-OB' , xloc = xloc.bar_time , style = s , color = color(na) , textcolor=css, size = size.small)) ) swings(len)=> var os = 0 var swing top = swing.new(na, na) var swing btm = swing.new(na, na) upper = ta.highest(len) lower = ta.lowest(len) os := high[len] > upper ? 0 : low [len] < lower ? 1 : os if os == 0 and os[1] != 0 top := swing.new(high[length], bar_index[length]) if os == 1 and os[1] != 1 btm := swing.new(low[length], bar_index[length]) [top, btm] set_lab(i, str) => style = str == 'Bl' ? label.style_label_down : label.style_label_up txcol = str == 'Bl' ? color.lime : color.red label.new(math.round(math.avg(aZZ.x.get(i), n)), aZZ.y.get(i), text='BOS' , style=style, color=color(na), textcolor=txcol, size=size.tiny) set_lin(i, str) => color = str == 'Bl' ? color.lime : color.red line.new(aZZ.x.get(i), aZZ.y.get(i), n, aZZ.y.get(i), color=color, style=line.style_dotted) draw(left, col) => // max_bars_back(time, 1000) var int dir= na, var int x1= na, var float y1= na, var int x2= na, var float y2= na // sz = aZZ.d.size( ) x2 := bar_index -1 ph = ta.pivothigh(hi, left, 1) pl = ta.pivotlow (lo, left, 1) if ph dir := aZZ.d.get (0) x1 := aZZ.x.get (0) y1 := aZZ.y.get (0) y2 := nz(hi[1]) // if dir < 1 // if previous point was a pl, add, and change direction ( 1) aZZ.in_out( 1, x1, y1, x2, y2, col, true) else if dir == 1 and ph > y1 aZZ.x.set(0, x2), aZZ.y.set(0, y2) // // liquidity if showLq and per and sz > 0 count = 0 st_P = 0. st_B = 0 minP = 0. maxP = 10e6 for i = 0 to math.min(sz, 50) -1 if aZZ.d.get(i) == 1 if aZZ.y.get(i) > ph + (atr/a) break else if aZZ.y.get(i) > ph - (atr/a) and aZZ.y.get(i) < ph + (atr/a) count += 1 st_B := aZZ.x.get(i) st_P := aZZ.y.get(i) if aZZ.y.get(i) > minP minP := aZZ.y.get(i) if aZZ.y.get(i) < maxP maxP := aZZ.y.get(i) if count > 2 getB = b_liq_B.get(0) if st_B == getB.bx.get_left() getB.bx.set_top(math.avg(minP, maxP) + (atr/a)) getB.bx.set_rightbottom(n +10, math.avg(minP, maxP) - (atr/a)) else b_liq_B.unshift(liq.new( box.new( st_B, math.avg(minP, maxP) + (atr/a), n +10, math.avg(minP, maxP) - (atr/a) , text = 'Buyside liquidity', text_size = size.tiny, text_halign = text.align_left , text_valign = text.align_bottom, text_color = color.new(cLIQ_B, 25) , bgcolor=color(na), border_color=color(na) ) , false , false , false , line.new(st_B, st_P, n -1, st_P, color = color.new(cLIQ_B, 0)) ) ) if b_liq_B.size() > visLiq getLast = b_liq_B.pop() getLast.bx.delete() getLast.ln.delete() // if pl dir := aZZ.d.get (0) x1 := aZZ.x.get (0) y1 := aZZ.y.get (0) y2 := nz(lo[1]) // if dir > -1 // if previous point was a ph, add, and change direction (-1) aZZ.in_out(-1, x1, y1, x2, y2, col, true) else if dir == -1 and pl < y1 aZZ.x.set(0, x2), aZZ.y.set(0, y2) // //Liquidity if showLq and per and sz > 0 count = 0 st_P = 0. st_B = 0 minP = 0. maxP = 10e6 for i = 0 to math.min(sz, 50) -1 if aZZ.d.get(i) == -1 if aZZ.y.get(i) < pl - (atr/a) break else if aZZ.y.get(i) > pl - (atr/a) and aZZ.y.get(i) < pl + (atr/a) count += 1 st_B := aZZ.x.get(i) st_P := aZZ.y.get(i) if aZZ.y.get(i) > minP minP := aZZ.y.get(i) if aZZ.y.get(i) < maxP maxP := aZZ.y.get(i) if count > 2 getB = b_liq_S.get(0) if st_B == getB.bx.get_left() getB.bx.set_top(math.avg(minP, maxP) + (atr/a)) getB.bx.set_rightbottom(n +10, math.avg(minP, maxP) - (atr/a)) else b_liq_S.unshift(liq.new( box.new( st_B, math.avg(minP, maxP) + (atr/a), n +10, math.avg(minP, maxP) - (atr/a) , text = 'Sellside liquidity', text_size = size.tiny, text_halign = text.align_left , text_valign = text.align_bottom, text_color = color.new(cLIQ_S, 25) , bgcolor=color(na), border_color=color(na) ) , false , false , false , line.new(st_B, st_P, n -1, st_P, color = color.new(cLIQ_S, 0)) ) ) if b_liq_S.size() > visLiq getLast = b_liq_S.pop() getLast.bx.delete() getLast.ln.delete() // //Market Structure Shift if showMS // iH = aZZ.d.get(2) == 1 ? 2 : 1 iL = aZZ.d.get(2) == -1 ? 2 : 1 // switch // MSS Bullish close > aZZ.y.get(iH) and aZZ.d.get(iH) == 1 and MSS.dir < 1 => MSS.dir := 1 if i_mode == 'Present' MSS.l_bosBl.clear_aLabLin(), MSS.l_bosBr.clear_aLabLin() MSS.lbBosBl.clear_aLabLin(), MSS.lbBosBr.clear_aLabLin() MSS.l_mssBl.clear_aLabLin(), MSS.l_mssBr.clear_aLabLin() MSS.lbMssBl.clear_aLabLin(), MSS.lbMssBr.clear_aLabLin() // MSS.l_mssBl.unshift(line.new ( aZZ.x.get(iH), aZZ.y.get(iH), n, aZZ.y.get(iH), color=cMSSbl)) MSS.lbMssBl.unshift(label.new( math.round(math.avg(aZZ.x.get(iH), n)), aZZ.y.get(iH), text ='MSS' , style=label.style_label_down, size=size.tiny, color=color(na), textcolor=cMSSbl)) // MSS Bearish close < aZZ.y.get(iL) and aZZ.d.get(iL) == -1 and MSS.dir > -1 => MSS.dir := -1 if i_mode == 'Present' MSS.l_bosBl.clear_aLabLin(), MSS.l_bosBr.clear_aLabLin() MSS.lbBosBl.clear_aLabLin(), MSS.lbBosBr.clear_aLabLin() MSS.l_mssBl.clear_aLabLin(), MSS.l_mssBr.clear_aLabLin() MSS.lbMssBl.clear_aLabLin(), MSS.lbMssBr.clear_aLabLin() // MSS.l_mssBr.unshift(line.new ( aZZ.x.get(iL), aZZ.y.get(iL), n, aZZ.y.get(iL), color=cMSSbr)) MSS.lbMssBr.unshift(label.new( math.round(math.avg(aZZ.x.get(iL), n)), aZZ.y.get(iL), text ='MSS' , style=label.style_label_up , size=size.tiny, color=color(na), textcolor=cMSSbr)) // BOS Bullish MSS.dir == 1 and close > aZZ.y.get(iH) and iBOS => if MSS.l_bosBl.size() > 0 if aZZ.y.get(iH) != MSS.l_bosBl.get(0).get_y2() and aZZ.y.get(iH) != MSS.l_mssBl.get(0).get_y2() MSS.l_bosBl.unshift(set_lin(iH, 'Bl')), MSS.lbBosBl.unshift(set_lab(iH, 'Bl')) else if aZZ.y.get(iH) != MSS.l_mssBl.get(0).get_y2() MSS.l_bosBl.unshift(set_lin(iH, 'Bl')), MSS.lbBosBl.unshift(set_lab(iH, 'Bl')) // BOS Bearish MSS.dir == -1 and close < aZZ.y.get(iL) and iBOS => if MSS.l_bosBr.size() > 0 if aZZ.y.get(iL) != MSS.l_bosBr.get(0).get_y2() and aZZ.y.get(iL) != MSS.l_mssBr.get(0).get_y2() MSS.l_bosBr.unshift(set_lin(iL, 'Br')), MSS.lbBosBr.unshift(set_lab(iL, 'Br')) else if aZZ.y.get(iL) != MSS.l_mssBr.get(0).get_y2() MSS.l_bosBr.unshift(set_lin(iL, 'Br')), MSS.lbBosBr.unshift(set_lab(iL, 'Br')) if not iMSS MSS.l_mssBl.get(0).set_color(color(na)), MSS.lbMssBl.get(0).set_textcolor(color(na)) MSS.l_mssBr.get(0).set_color(color(na)), MSS.lbMssBr.get(0).set_textcolor(color(na)) //-----------------------------------------------------------------------------} //Calculations //-----------------------------------------------------------------------------{ draw(len, color.yellow) if MSS.l_bosBl.size() > 200 MSS.l_bosBl.pop().delete() MSS.lbBosBl.pop().delete() if MSS.l_bosBr.size() > 200 MSS.l_bosBr.pop().delete() MSS.lbBosBr.pop().delete() //Killzones ny = time(timeframe.period, input.session('0700-0900', '', inline = 'ny', group = 'Killzones'), 'America/New_York') and showNy ldn_open = time(timeframe.period, input.session('0700-1000', '', inline = 'lo', group = 'Killzones'), 'Europe/London' ) and showLdno // 0200-0500 UTC-5 ldn_close = time(timeframe.period, input.session('1500-1700', '', inline = 'lc', group = 'Killzones'), 'Europe/London' ) and showLdnc // 1000-1200 UTC-5 asian = time(timeframe.period, input.session('1000-1400', '', inline = 'as', group = 'Killzones'), 'Asia/Tokyo' ) and showAsia // 2000-0000 UTC-5 //Pivotpoints ph = ta.pivothigh(3, 1), lPh = fixnan(ph) pl = ta.pivotlow (3, 1), lPl = fixnan(pl) //Candles L_body = high - mx < body * perc_Body and mn - low < body * perc_Body L_bodyUP = body > meanBody and L_body and close > open L_bodyDN = body > meanBody and L_body and close < open bsNOTbodyUP = ta.barssince(not L_bodyUP) bsNOTbodyDN = ta.barssince(not L_bodyDN) bsIs_bodyUP = ta.barssince( L_bodyUP) bsIs_bodyDN = ta.barssince( L_bodyDN) lwst = math.min(lPh [bsNOTbodyUP[1]], low[bsNOTbodyUP[1]]) hgst = math.max(high[bsNOTbodyDN[1]], lPl[bsNOTbodyDN[1]]) //Imbalance imbalanceUP = L_bodyUP[1] and (i_FVG == 'FVG' ? low > high[2] : low < high[2]) imbalanceDN = L_bodyDN[1] and (i_FVG == 'FVG' ? high < low [2] : high > low [2]) //Volume Imbalance vImb_Bl = open > close[1] and high[1] > low and close > close[1] and open > open[1] and high[1] < mn vImb_Br = open < close[1] and low [1] < high and close < close[1] and open < open[1] and low [1] > mx if sVimbl if vImb_Bl Vimbal.unshift( _2ln_lb.new( line.new (n -1, mx[1], n +3, mx[1], color=cVimbl) , line.new (n , mn , n +3, mn , color=cVimbl) , label.new(n +3, math.avg (mx[1], mn), text='VI' , color=color(na) , textcolor=cVimbl, style=label.style_label_left) ) ) if vImb_Br Vimbal.unshift( _2ln_lb.new( line.new (n -1, mn[1], n +3, mn[1], color=cVimbl) , line.new (n , mx , n +3, mx , color=cVimbl) , label.new(n +3, math.avg (mn[1], mx), text='VI' , color=color(na) , textcolor=cVimbl, style=label.style_label_left) ) ) if Vimbal.size() > visVim pop = Vimbal.pop() pop.l1.delete() pop.l2.delete() pop.lb.delete() //Fair Value Gap if barstate.isfirst for i = 0 to visBxs -1 bFVG_UP.unshift(FVG.new(box(na), false)) bFVG_DN.unshift(FVG.new(box(na), false)) if i_BPR bBPR_UP.unshift(FVG.new(box(na), false)) bBPR_DN.unshift(FVG.new(box(na), false)) if imbalanceUP and per and shwFVG if imbalanceUP[1] bFVG_UP.get(0).box.set_lefttop (n -2, low ) bFVG_UP.get(0).box.set_rightbottom(n +8, high[2]) else bFVG_UP.unshift(FVG.new( box.new( n -2 , i_FVG == 'FVG' ? low : high[2] , n, i_FVG == 'FVG' ? high[2] : low , bgcolor = i_BPR ? color(na) : color.new(cFVGbl, 90) , border_color= i_BPR ? color(na) : color.new(cFVGbl, 65) , text_color = i_BPR ? color(na) : color.new(cFVGbl, 65) , text_size=size.small , text=i_FVG ) , true) ) bFVG_UP.pop().box.delete() if imbalanceDN and per and shwFVG if imbalanceDN[1] bFVG_DN.get(0).box.set_lefttop (n -2, low[2]) bFVG_DN.get(0).box.set_rightbottom(n +8, high ) else bFVG_DN.unshift(FVG.new( box.new( n -2 , i_FVG == 'FVG' ? low[2] : high , n, i_FVG == 'FVG' ? high : low[2] , bgcolor = i_BPR ? color(na) : color.new(cFVGbr, 90) , border_color= i_BPR ? color(na) : color.new(cFVGbr, 65) , text_color = i_BPR ? color(na) : color.new(cFVGbr, 65) , text_size=size.small , text=i_FVG ) , true) ) bFVG_DN.pop().box.delete() //Balance Price Range (overlap of 2 latest FVG bull/bear) if i_BPR and bFVG_UP.size() > 0 and bFVG_DN.size() > 0 bxUP = bFVG_UP.get(0) bxDN = bFVG_DN.get(0) bxUPbtm = bxUP.box.get_bottom() bxDNbtm = bxDN.box.get_bottom() bxUPtop = bxUP.box.get_top() bxDNtop = bxDN.box.get_top() left = math.min(bxUP.box.get_left (), bxDN.box.get_left ()) right = math.max(bxUP.box.get_right(), bxDN.box.get_right()) // if bxUPbtm < bxDNtop and bxDNbtm < bxUPbtm if left == bBPR_UP.get(0).box.get_left() if bBPR_UP.get(0).active bBPR_UP.get(0).box.set_right(right) else bBPR_UP.unshift(FVG.new( box.new( left, bxDNtop, right, bxUPbtm , bgcolor = i_BPR ? color.new(cFVGbl, 90) : color(na) , border_color= i_BPR ? color.new(cFVGbl, 65) : color(na) , text_color = i_BPR ? color.new(cFVGbl, 65) : color(na) , text_size=size.small , text= 'BPR' ) , true , close > bxUPbtm ? 1 : close < bxDNtop ? -1 : 0 ) ) bBPR_UP.pop().box.delete() // if bxDNbtm < bxUPtop and bxUPbtm < bxDNbtm if left == bBPR_DN.get(0).box.get_left() if bBPR_DN.get(0).active bBPR_DN.get(0).box.set_right(right) else bBPR_DN.unshift(FVG.new( box.new( left, bxUPtop, right, bxDNbtm , bgcolor = i_BPR ? color.new(cFVGbr, 90) : color(na) , border_color= i_BPR ? color.new(cFVGbr, 65) : color(na) , text_color = i_BPR ? color.new(cFVGbr, 65) : color(na) , text_size=size.small , text= 'BPR' ) , true , close > bxDNbtm ? 1 : close < bxUPtop ? -1 : 0 ) ) bBPR_DN.pop().box.delete() //FVG's breaks for i = 0 to math.min(bxBack, bFVG_UP.size() -1) getUPi = bFVG_UP.get(i) if getUPi.active getUPi.box.set_right(bar_index +8) if low < getUPi.box.get_top() and not i_BPR getUPi.box.set_border_style(line.style_dashed) if low < getUPi.box.get_bottom() if not i_BPR getUPi.box.set_bgcolor(color.new(cFVGblBR, 95)) getUPi.box.set_border_style(line.style_dotted) getUPi.box.set_right(bar_index) getUPi.active := false for i = 0 to math.min(bxBack, bFVG_DN.size() -1) getDNi = bFVG_DN.get(i) if getDNi.active getDNi.box.set_right(bar_index +8) if high > getDNi.box.get_bottom() and not i_BPR getDNi.box.set_border_style(line.style_dashed) if high > getDNi.box.get_top() if not i_BPR getDNi.box.set_bgcolor(color.new(cFVGbrBR, 95)) getDNi.box.set_border_style(line.style_dotted) getDNi.box.set_right(bar_index) getDNi.active := false if i_BPR for i = 0 to math.min(bxBack, bBPR_UP.size() -1) getUPi = bBPR_UP.get(i) if getUPi.active getUPi.box.set_right(bar_index +8) switch getUPi.pos -1 => if high > getUPi.box.get_bottom() getUPi.box.set_border_style(line.style_dashed) if high > getUPi.box.get_top () getUPi.box.set_bgcolor(color.new(cFVGblBR, 95)) getUPi.box.set_border_style(line.style_dotted) getUPi.box.set_right(bar_index) getUPi.active := false 1 => if low < getUPi.box.get_top () getUPi.box.set_border_style(line.style_dashed) if low < getUPi.box.get_bottom() getUPi.box.set_bgcolor(color.new(cFVGblBR, 95)) getUPi.box.set_border_style(line.style_dotted) getUPi.box.set_right(bar_index) getUPi.active := false for i = 0 to math.min(bxBack, bBPR_DN.size() -1) getDNi = bBPR_DN.get(i) if getDNi.active getDNi.box.set_right(bar_index +8) switch getDNi.pos -1 => if high > getDNi.box.get_bottom() getDNi.box.set_border_style(line.style_dashed) if high > getDNi.box.get_top () getDNi.box.set_bgcolor(color.new(cFVGbrBR, 95)) getDNi.box.set_border_style(line.style_dotted) getDNi.box.set_right(bar_index) getDNi.active := false 1 => if low < getDNi.box.get_top () getDNi.box.set_border_style(line.style_dashed) if low < getDNi.box.get_bottom() getDNi.box.set_bgcolor(color.new(cFVGbrBR, 95)) getDNi.box.set_border_style(line.style_dotted) getDNi.box.set_right(bar_index) getDNi.active := false //NWOG/NDOG if barstate.isfirst for i = 0 to maxNWOG -1 bl_NWOG.unshift(bx_ln.new(box(na), line(na))) for i = 0 to maxNDOG -1 bl_NDOG.unshift(bx_ln.new(box(na), line(na))) if dayofweek == dayofweek.friday friCp := close, friCi := n if ta.change(dayofweek) if dayofweek == dayofweek.monday and iNWOG monOp := open , monOi := n bl_NWOG.unshift(bx_ln.new( box.new( friCi , math.max (friCp , monOp ) , monOi , math.min (friCp , monOp ) , bgcolor = color ( na ) , border_color = cNWOG2 , extend = extend.right ) , line.new( monOi , math.avg (friCp , monOp ) , monOi +1 , math.avg (friCp , monOp ) , color = cNWOG1 , style = line.style_dotted , extend = extend.right ) )) bl = bl_NWOG.pop(), bl.b.delete(), bl.l.delete() if iNDOG cuDOp := open , cuDOi := n prDCp := close[1], prDCi := n -1 // bl_NDOG.unshift(bx_ln.new( box.new( prDCi , math.max (prDCp , cuDOp ) , cuDOi , math.min (prDCp , cuDOp ) , bgcolor = color ( na ) , border_color = cNDOG2 , extend = extend.right ) , line.new( cuDOi , math.avg (prDCp , cuDOp ) , cuDOi +1 , math.avg (prDCp , cuDOp ) , color = cNDOG1 , style = line.style_dotted , extend = extend.right ) )) bl = bl_NDOG.pop(), bl.b.delete(), bl.l.delete() //Liquidity for i = 0 to b_liq_B.size() -1 x = b_liq_B.get(i) if not x.broken x.bx.set_right(n +3) x.ln.set_x2 (n +3) if not x.brokenTop if close > x.bx.get_top () x.brokenTop := true if not x.brokenBtm if close > x.bx.get_bottom() x.brokenBtm := true if x.brokenBtm x.bx.set_bgcolor(color.new(cLIQ_B, 90)) x.ln.delete() if x.brokenTop x.broken := true x.bx.set_right(n) for i = 0 to b_liq_S.size() -1 x = b_liq_S.get(i) if not x.broken x.bx.set_right(n +3) x.ln.set_x2 (n +3) if not x.brokenTop if close < x.bx.get_top () x.brokenTop := true if not x.brokenBtm if close < x.bx.get_bottom() x.brokenBtm := true if x.brokenTop x.bx.set_bgcolor(color.new(cLIQ_S, 90)) x.ln.delete() if x.brokenBtm x.broken := true x.bx.set_right(n) //Order Blocks [top, btm] = swings(length) if showOB and per if close > top.y and not top.crossed top.crossed := true minima = max[1] maxima = min[1] loc = time[1] for i = 1 to (n - top.x)-1 minima := math.min(min[i], minima) maxima := minima == min[i] ? max[i] : maxima loc := minima == min[i] ? time[i] : loc bullish_ob.unshift(ob.new(maxima, minima, loc)) if bullish_ob.size() > 0 for i = bullish_ob.size()-1 to 0 element = bullish_ob.get(i) if not element.breaker if math.min(close, open) < element.btm element.breaker := true element.break_loc := time else if close > element.top bullish_ob.remove(i) else if i < showBull and top.y < element.top and top.y > element.btm blBrkConf := 1 //Set label if blBrkConf > blBrkConf[1] and showLabels label.new(top.x, top.y, 'β–Ό', color = na , textcolor = bearCss.notransp() , style = label.style_label_down , size = size.tiny) if showOB and per if close < btm.y and not btm.crossed btm.crossed := true minima = min[1] maxima = max[1] loc = time[1] for i = 1 to (n - btm.x)-1 maxima := math.max(max[i], maxima) minima := maxima == max[i] ? min[i] : minima loc := maxima == max[i] ? time[i] : loc bearish_ob.unshift(ob.new(maxima, minima, loc)) if bearish_ob.size() > 0 for i = bearish_ob.size()-1 to 0 element = bearish_ob.get(i) if not element.breaker if math.max(close, open) > element.top element.breaker := true element.break_loc := time else if close < element.btm bearish_ob.remove(i) else if i < showBear and btm.y > element.btm and btm.y < element.top brBrkConf := 1 //Set label if brBrkConf > brBrkConf[1] and showLabels label.new(btm.x, btm.y, 'β–²', color = na , textcolor = bullCss.notransp() , style = label.style_label_up , size = size.tiny) //-----------------------------------------------------------------------------} //Set Order Blocks //-----------------------------------------------------------------------------{ if barstate.islast and showOB if a_bx_ln_lb.size() > 0 for i = a_bx_ln_lb.size() -1 to 0 item = a_bx_ln_lb.remove(i) item.bx.delete() item.ln.delete() item.lb.delete() //Bullish if showBull > 0 blSz = bullish_ob.size() if blSz > 0 for i = 0 to math.min(showBull, bullish_ob.size()) -1 get_ob = bullish_ob.get(i) get_ob.display(bullCss, bullBrkCss, 'bl') //Bearish if showBear > 0 brSz = bearish_ob.size() if brSz > 0 for i = 0 to math.min(showBear, bearish_ob.size()) -1 get_ob = bearish_ob.get(i) get_ob.display(bearCss, bearBrkCss, 'br') //-----------------------------------------------------------------------------} //Fibonacci //-----------------------------------------------------------------------------{ if barstate.islast x1 = 0, y1 = 0., x2 = 0, y2 = 0., box up = na, box dn = na switch iFib 'FVG' => if bFVG_UP.size() > 0 and bFVG_DN.size() > 0 up := bFVG_UP.get(0).box dn := bFVG_DN.get(0).box dnFirst = up.get_left() > dn.get_left() dnBottm = up.get_top () > dn.get_top () x1 := dnFirst ? dn.get_left () : up.get_left () x2 := dnFirst ? up.get_right () : dn.get_right () y1 := dnFirst ? dnBottm ? dn.get_bottom() : dn.get_top () : dnBottm ? up.get_top () : up.get_bottom() y2 := dnFirst ? dnBottm ? up.get_top () : up.get_bottom() : dnBottm ? dn.get_bottom() : dn.get_top () 'BPR' => if bBPR_UP.size() > 0 and bBPR_DN.size() > 0 up := bBPR_UP.get(0).box dn := bBPR_DN.get(0).box dnFirst = up.get_left() > dn.get_left() dnBottm = up.get_top () > dn.get_top () x1 := dnFirst ? dn.get_left () : up.get_left () x2 := dnFirst ? up.get_right () : dn.get_right () y1 := dnFirst ? dnBottm ? dn.get_bottom() : dn.get_top () : dnBottm ? up.get_top () : up.get_bottom() y2 := dnFirst ? dnBottm ? up.get_top () : up.get_bottom() : dnBottm ? dn.get_bottom() : dn.get_top () 'OB' => oSz = a_bx_ln_lb.size() if oSz > 1 xA = nz( a_bx_ln_lb.get(oSz -1).ln.get_x1 () , a_bx_ln_lb.get(oSz -1).bx.get_left () ) xB = nz( a_bx_ln_lb.get(oSz -2).ln.get_x1 () , a_bx_ln_lb.get(oSz -2).bx.get_left () ) AFirst = xB > xA // yAT = nz( a_bx_ln_lb.get(oSz -1).ln.get_y1 () , a_bx_ln_lb.get(oSz -1).bx.get_top () ) yAB = nz( a_bx_ln_lb.get(oSz -1).ln.get_y1 () , a_bx_ln_lb.get(oSz -1).bx.get_bottom() ) yBT = nz( a_bx_ln_lb.get(oSz -2).ln.get_y1 () , a_bx_ln_lb.get(oSz -2).bx.get_top () ) yBB = nz( a_bx_ln_lb.get(oSz -2).ln.get_y1 () , a_bx_ln_lb.get(oSz -2).bx.get_bottom() ) ABottom = yAB < yBB // x1 := AFirst ? xA : xB x2 := AFirst ? xB : xA y1 := AFirst ? ABottom ? yAB : yAT : ABottom ? yBT : yBB y2 := AFirst ? ABottom ? yBT : yBB : ABottom ? yAB : yAT 'Liq' => if b_liq_B.size() > 0 and b_liq_S.size() > 0 xA = nz( b_liq_B.get(0).ln.get_x1 () , b_liq_B.get(0).bx.get_left () ) xB = nz( b_liq_S.get(0).ln.get_x1 () , b_liq_S.get(0).bx.get_left () ) AFirst = xB > xA // yAT = nz( b_liq_B.get(0).ln.get_y1 () , b_liq_B.get(0).bx.get_top () ) yAB = nz( b_liq_B.get(0).ln.get_y1 () , b_liq_B.get(0).bx.get_bottom() ) yBT = nz( b_liq_S.get(0).ln.get_y1 () , b_liq_S.get(0).bx.get_top () ) yBB = nz( b_liq_S.get(0).ln.get_y1 () , b_liq_S.get(0).bx.get_bottom() ) ABottom = yAB < yBB // x1 := AFirst ? xA : xB x2 := AFirst ? xB : xA y1 := AFirst ? ABottom ? yAB : yAT : ABottom ? yBT : yBB y2 := AFirst ? ABottom ? yBT : yBB : ABottom ? yAB : yAT 'VI' => if Vimbal.size() > 1 AxA = Vimbal.get(1).l2.get_x1(), AxB = Vimbal.get(1).l1.get_x1() BxA = Vimbal.get(0).l2.get_x1(), BxB = Vimbal.get(0).l1.get_x1() AyA = Vimbal.get(1).l2.get_y1(), AyB = Vimbal.get(1).l1.get_y1() ByA = Vimbal.get(0).l2.get_y1(), ByB = Vimbal.get(0).l1.get_y1() ABt = math.min(ByA, ByB) > math.min(AyA, AyB) x1 := math.max(AxA, AxB) x2 := math.max(BxA, BxB) y1 := ABt ? math.min(AyA, AyB) : math.max(AyA, AyB) y2 := ABt ? math.max(ByA, ByB) : math.min(ByA, ByB) 'NWOG' => if bl_NWOG.size() > 1 up := bl_NWOG.get(0).b dn := bl_NWOG.get(1).b dnFirst = up.get_left() > dn.get_left() dnBottm = up.get_top () > dn.get_top () x1 := dnFirst ? dn.get_left () : up.get_left () x2 := dnFirst ? up.get_right() : dn.get_right() y1 := dnFirst ? dnBottm ? dn.get_bottom() : dn.get_top () : dnBottm ? up.get_top () : up.get_bottom() y2 := dnFirst ? dnBottm ? up.get_top () : up.get_bottom() : dnBottm ? dn.get_bottom() : dn.get_top () // if iFib != 'NONE' rt = math.max(x1, x2) lt = math.min(x1, x2) tp = math.max(y1, y2) bt = math.min(y1, y2) _0 = rt == x1 ? y1 : y2 _1 = rt == x1 ? y2 : y1 // df = _1 - _0 m0236 = df * 0.236 m0382 = df * 0.382 m0500 = df * 0.500 m0618 = df * 0.618 m0786 = df * 0.786 m1618 = df * 1.618 // _diag.setLine(x1, y1 , x2 , y2 ) _vert.setLine(rt, _0 , rt , _0 + m1618) _zero.setLine(rt, _0 , rt + plus, _0 ) _0236.setLine(rt, _0 + m0236, rt + plus, _0 + m0236) _0382.setLine(rt, _0 + m0382, rt + plus, _0 + m0382) _0500.setLine(rt, _0 + m0500, rt + plus, _0 + m0500) _0618.setLine(rt, _0 + m0618, rt + plus, _0 + m0618) _0786.setLine(rt, _0 + m0786, rt + plus, _0 + m0786) _one_.setLine(rt, _1 , rt + plus, _1 ) _1618.setLine(rt, _0 + m1618, rt + plus, _0 + m1618) //-----------------------------------------------------------------------------} //Displacement //-----------------------------------------------------------------------------{ plotshape(sDispl ? per ? L_bodyUP ? low : na : na : na , title = 'Displacement UP' , style = shape.labelup , color = color.lime , location = location.belowbar) plotshape(sDispl ? per ? L_bodyDN ? high : na : na : na , title = 'Displacement DN' , style = shape.labeldown , color = color.red , location = location.abovebar) //-----------------------------------------------------------------------------} //background - Killzones //-----------------------------------------------------------------------------{ bgcolor (per ? ny ? nyCss : na : na, editable = false) bgcolor (per ? ldn_open ? ldnoCss : na : na, editable = false) bgcolor (per ? ldn_close ? ldncCss : na : na, editable = false) bgcolor (per ? asian ? asiaCss : na : na, editable = false) //-----------------------------------------------------------------------------}
Ascending Inv. Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/D9jghkUb-Ascending-Inv-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
22
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Ascending Inverse Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) ascendingInverseHeadShoulders = uptrend and returnLineDowntrend[1] and returnLineUptrend and slPrice > slPriceTwo //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if slPrice and ascendingInverseHeadShoulders and showHistoric lineOne = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, extend = extend.none) lineTwo = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? peakBarIndex : na, showNecklines ? peak : na, showNecklines ? bar_index : na, showNecklines ? peak : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na, color = necklineColor, extend = extend.none) troughLabel = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "ASC. INV. HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na, showProjections ? bar_index : na, showProjections ? slPriceOne : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and ascendingInverseHeadShoulders line.set_xy1(currentPatternLineOne, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternLineOne, slPriceBarIndex, slPrice) line.set_xy1(currentPatternLineTwo, slPriceBarIndexTwo, slPriceTwo) line.set_xy2(currentPatternLineTwo, slPriceBarIndexOne, slPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? peakBarIndex : na, showNecklines ? peak : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? peak : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? slPriceOne : na) alert('Ascending Inverse Head and Shoulders')
Inverse Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/dKJF4ltz-Inverse-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
45
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Inverse Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) inverseHeadShoulders = uptrend and returnLineDowntrend[1] //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if slPrice and inverseHeadShoulders and showHistoric lineOne = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, extend = extend.none) lineTwo = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? peakBarIndex : na, showNecklines ? peak : na, showNecklines ? bar_index : na, showNecklines ? peak : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na, color = necklineColor, extend = extend.none) troughLabel = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "INV. HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na, showProjections ? bar_index : na, showProjections ? slPriceOne : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and inverseHeadShoulders line.set_xy1(currentPatternLineOne, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternLineOne, slPriceBarIndex, slPrice) line.set_xy1(currentPatternLineTwo, slPriceBarIndexTwo, slPriceTwo) line.set_xy2(currentPatternLineTwo, slPriceBarIndexOne, slPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? peakBarIndex : na, showNecklines ? peak : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? peak : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? slPriceOne : na) alert('Inverse Head and Shoulders')
Descending Inv. Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/zu87SPQY-Descending-Inv-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
29
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Descending Inverse Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) descendingInverseHeadShoulders = uptrend and returnLineDowntrend[1] and downtrend and slPrice < slPriceTwo //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if slPrice and descendingInverseHeadShoulders and showHistoric lineOne = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor, extend = extend.none) lineTwo = line.new(slPriceBarIndexTwo, slPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? peakBarIndex : na, showNecklines ? peak : na, showNecklines ? bar_index : na, showNecklines ? peak : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na, color = necklineColor, extend = extend.none) troughLabel = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "DSC. INV. HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na, showProjections ? bar_index : na, showProjections ? slPriceOne : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and descendingInverseHeadShoulders line.set_xy1(currentPatternLineOne, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternLineOne, slPriceBarIndex, slPrice) line.set_xy1(currentPatternLineTwo, slPriceBarIndexTwo, slPriceTwo) line.set_xy2(currentPatternLineTwo, slPriceBarIndexOne, slPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? peakBarIndex : na, showNecklines ? peak : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? peak : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? shPriceBarIndexOne : na, showDyanmicNecklines ? shPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? peakBarIndex : na, showDyanmicNecklines ? peak : na) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? slPriceOne : na) alert('Descending Inverse Head and Shoulders')
Ascending Elliot Wave Patterns [theEccentricTrader]
https://www.tradingview.com/script/NYnZpDnG-Ascending-Elliot-Wave-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
113
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Ascending Elliot Wave Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 320) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) shPriceThree = ta.valuewhen(shPrice, shPrice, 3) shPriceBarIndexThree = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 3) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) slPriceThree = ta.valuewhen(slPrice, slPrice, 3) slPriceBarIndexThree = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 3) onePartDowntrend = shPrice < ta.valuewhen(shPrice, shPrice, 1) twoPartDowntrend = onePartDowntrend and ta.valuewhen(shPrice, shPrice, 1) < ta.valuewhen(shPrice, shPrice, 2) onePartPeakTroughDoubleUptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) twoPartPeakTroughDoubleUptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) > ta.valuewhen(slPrice, slPrice, 2) and ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) > ta.valuewhen(shPrice, shPrice, 2) threePartPeakTroughDoubleUptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) > ta.valuewhen(slPrice, slPrice, 2) and ta.valuewhen(slPrice, slPrice, 2) > ta.valuewhen(slPrice, slPrice, 3) and ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) > ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(shPrice, shPrice, 2) > ta.valuewhen(shPrice, shPrice, 3) fourPartPeakTroughDoubleUptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) > ta.valuewhen(slPrice, slPrice, 2) and ta.valuewhen(slPrice, slPrice, 2) > ta.valuewhen(slPrice, slPrice, 3) and ta.valuewhen(slPrice, slPrice, 3) > ta.valuewhen(slPrice, slPrice, 4) and ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) > ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(shPrice, shPrice, 2) > ta.valuewhen(shPrice, shPrice, 3) and ta.valuewhen(shPrice, shPrice, 3) > ta.valuewhen(shPrice, shPrice, 4) ascendingElliotWave = shPrice and onePartDowntrend and not twoPartDowntrend and threePartPeakTroughDoubleUptrend[1] and not fourPartPeakTroughDoubleUptrend[1] slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) slRangeRatioTwo = ta.valuewhen(slPrice, slRangeRatio, 2) slRangeRatioThree = ta.valuewhen(slPrice, slRangeRatio, 3) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) shRangeRatioTwo = ta.valuewhen(shPrice, shRangeRatio, 2) shRangeRatioThree = ta.valuewhen(shPrice, shRangeRatio, 3) //////////// lines //////////// showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if ascendingElliotWave lineOne = line.new(slPriceBarIndexThree, slPriceThree, shPriceBarIndexThree, shPriceThree, color = patternColor, width = 2) lineTwo = line.new(shPriceBarIndexThree, shPriceThree, slPriceBarIndexTwo, slPriceTwo, color = patternColor, width = 2) lineThree = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexTwo, shPriceTwo, color = patternColor, width = 2) lineFour = line.new(shPriceBarIndexTwo, shPriceTwo, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineFive = line.new(slPriceBarIndexOne, slPriceOne, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineSix = line.new(shPriceBarIndexOne, shPriceOne, troughBarIndex, trough, color = patternColor, width = 2) lineSeven = line.new(troughBarIndex, trough, shPriceBarIndex, shPrice, color = patternColor, width = 2) labelOne = label.new(shPriceBarIndexThree, shPriceThree, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = '1 (' + str.tostring(math.round(shRangeRatioThree, 2)) + ')', textcolor = labelColor) labelTwo = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '2 (' + str.tostring(math.round(slRangeRatioTwo, 2)) + ')', textcolor = labelColor) labelThree = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = '3 (' + str.tostring(math.round(shRangeRatioTwo, 2)) + ')', textcolor = labelColor) labelFour = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '4 (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFive = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = '5 (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelSix = label.new(troughBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'A (' + str.tostring(math.round(slRangeRatioZero, 2)) + ')', textcolor = labelColor) labelSeven = label.new(shPriceBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'B (' + str.tostring(math.round(shRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na, showProjections ? bar_index : na, showProjections ? shPriceOne : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceThree - slPriceThree) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceThree - slPriceThree) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) array.push(myLabelArray, labelSix) array.push(myLabelArray, labelSeven) if array.size(myLabelArray) >= 320 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if ascendingElliotWave line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? shPriceOne : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceThree - slPriceThree) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceThree - slPriceThree) : na) alert('Ascending Elliot Wave')
Descending Elliot Wave Patterns [theEccentricTrader]
https://www.tradingview.com/script/p90UY9HQ-Descending-Elliot-Wave-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
87
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Descending Elliot Wave Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 320) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) shPriceThree = ta.valuewhen(shPrice, shPrice, 3) shPriceBarIndexThree = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 3) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) slPriceThree = ta.valuewhen(slPrice, slPrice, 3) slPriceBarIndexThree = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 3) onePartUptrend = slPrice > ta.valuewhen(slPrice, slPrice, 1) twoPartUptrend = onePartUptrend and ta.valuewhen(slPrice, slPrice, 1) > ta.valuewhen(slPrice, slPrice, 2) onePartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) twoPartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) < ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) < ta.valuewhen(slPrice, slPrice, 2) threePartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) < ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(shPrice, shPrice, 2) < ta.valuewhen(shPrice, shPrice, 3) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) < ta.valuewhen(slPrice, slPrice, 2) and ta.valuewhen(slPrice, slPrice, 2) < ta.valuewhen(slPrice, slPrice, 3) fourPartTroughPeakDoubleDowntrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) and ta.valuewhen(shPrice, shPrice, 1) < ta.valuewhen(shPrice, shPrice, 2) and ta.valuewhen(shPrice, shPrice, 2) < ta.valuewhen(shPrice, shPrice, 3) and ta.valuewhen(shPrice, shPrice, 3) < ta.valuewhen(shPrice, shPrice, 4) and ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) and ta.valuewhen(slPrice, slPrice, 1) < ta.valuewhen(slPrice, slPrice, 2) and ta.valuewhen(slPrice, slPrice, 2) < ta.valuewhen(slPrice, slPrice, 3) and ta.valuewhen(slPrice, slPrice, 3) < ta.valuewhen(slPrice, slPrice, 4) descendingElliotWave = slPrice and onePartUptrend and not twoPartUptrend and threePartTroughPeakDoubleDowntrend[1] and not fourPartTroughPeakDoubleDowntrend[1] slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 slRangeRatioZero = ta.valuewhen(slPrice, slRangeRatio, 0) slRangeRatioOne = ta.valuewhen(slPrice, slRangeRatio, 1) slRangeRatioTwo = ta.valuewhen(slPrice, slRangeRatio, 2) slRangeRatioThree = ta.valuewhen(slPrice, slRangeRatio, 3) shRangeRatioZero = ta.valuewhen(shPrice, shRangeRatio, 0) shRangeRatioOne = ta.valuewhen(shPrice, shRangeRatio, 1) shRangeRatioTwo = ta.valuewhen(shPrice, shRangeRatio, 2) shRangeRatioThree = ta.valuewhen(shPrice, shRangeRatio, 3) //////////// lines //////////// showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if descendingElliotWave lineOne = line.new(shPriceBarIndexThree, shPriceThree, slPriceBarIndexThree, slPriceThree, color = patternColor, width = 2) lineTwo = line.new(slPriceBarIndexThree, slPriceThree, shPriceBarIndexTwo, shPriceTwo, color = patternColor, width = 2) lineThree = line.new(shPriceBarIndexTwo, shPriceTwo,slPriceBarIndexTwo,slPriceTwo, color = patternColor, width = 2) lineFour = line.new(slPriceBarIndexTwo, slPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, width = 2) lineFive = line.new(shPriceBarIndexOne, shPriceOne, slPriceBarIndexOne, slPriceOne, color = patternColor, width = 2) lineSix = line.new(slPriceBarIndexOne, slPriceOne, peakBarIndex, peak, color = patternColor, width = 2) lineSeven = line.new(peakBarIndex, peak, slPriceBarIndex, slPrice, color = patternColor, width = 2) labelOne = label.new(slPriceBarIndexThree, slPriceThree, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '1 (' + str.tostring(math.round(slRangeRatioThree, 2)) + ')', textcolor = labelColor) labelTwo = label.new(shPriceBarIndexTwo, shPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = '2 (' + str.tostring(math.round(shRangeRatioTwo, 2)) + ')', textcolor = labelColor) labelThree = label.new(slPriceBarIndexTwo, slPriceTwo, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '3 (' + str.tostring(math.round(slRangeRatioTwo, 2)) + ')', textcolor = labelColor) labelFour = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = '4 (' + str.tostring(math.round(shRangeRatioOne, 2)) + ')', textcolor = labelColor) labelFive = label.new(slPriceBarIndexOne, slPriceOne, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = '5 (' + str.tostring(math.round(slRangeRatioOne, 2)) + ')', textcolor = labelColor) labelSix = label.new(peakBarIndex, peak, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, text = 'A (' + str.tostring(math.round(shRangeRatioZero, 2)) + ')', textcolor = labelColor) labelSeven = label.new(slPriceBarIndex, trough, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = 'B (' + str.tostring(math.round(slRangeRatio, 2)) + ')', textcolor = labelColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na, showProjections ? bar_index : na, showProjections ? slPriceOne : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceThree - slPriceThree) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceThree - slPriceThree) : na, color = color.green, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myLineArray, lineThree) array.push(myLineArray, lineFour) array.push(myLineArray, lineFive) array.push(myLineArray, lineSix) array.push(myLineArray, lineSeven) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, labelOne) array.push(myLabelArray, labelTwo) array.push(myLabelArray, labelThree) array.push(myLabelArray, labelFour) array.push(myLabelArray, labelFive) array.push(myLabelArray, labelSix) array.push(myLabelArray, labelSeven) if array.size(myLabelArray) >= 320 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if descendingElliotWave line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceThree - slPriceThree) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceThree - slPriceThree) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? slPriceOne : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? slPriceOne : na) alert('Descending Elliot Wave')
Retracement and Extension Ratios [theEccentricTrader]
https://www.tradingview.com/script/IvKHwY7q-Retracement-and-Extension-Ratios-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
30
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator("Retracement and Extension Ratios [theEccentricTrader]", overlay = true, max_labels_count = 500) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) trough = ta.valuewhen(slPrice, slPrice, 0) slRangeRatio = (peak - trough) / (peak - trough[1]) * 100 shRangeRatio = (peak - trough) / (peak[1] - trough) * 100 //////////// labels //////////// labelColor = input(defval = color.blue, title = 'Label Color', group = 'Label Coloring') if shPrice shRanegRatioLabel = label.new(shPriceBarIndex, shPrice, yloc = yloc.price, color = color.rgb(54, 58, 69, 100), style = label.style_label_down, textcolor = labelColor, text = str.tostring(math.round(shRangeRatio, 2))) var myLabelArray = array.new_label() array.push(myLabelArray, shRanegRatioLabel) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice slRanegRatioLabel = label.new(slPriceBarIndex, slPrice, yloc = yloc.price, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, textcolor = labelColor, text = str.tostring(math.round(slRangeRatio, 2))) var myLabelArray = array.new_label() array.push(myLabelArray, slRanegRatioLabel) if array.size(myLabelArray) >= 250 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel)
Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/ZIe9BREv-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
75
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) headShoulders = downtrend and returnLineUptrend[1] //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and headShoulders and showHistoric lineOne = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, extend = extend.none) lineTwo = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? troughBarIndex : na, showNecklines ? trough : na, showNecklines ? bar_index : na, showNecklines ? trough : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na, color = necklineColor, extend = extend.none) peakLabel = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), text = "HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na, showProjections ? bar_index : na, showProjections ? shPriceOne : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() var myArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myArray, neckline) array.push(myArray, dynamicNeckline) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and headShoulders line.set_xy1(currentPatternLineOne, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternLineOne, shPriceBarIndex, shPrice) line.set_xy1(currentPatternLineTwo, shPriceBarIndexTwo, shPriceTwo) line.set_xy2(currentPatternLineTwo, shPriceBarIndexOne, shPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? troughBarIndex : na, showNecklines ? trough : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? trough : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? shPriceOne : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Head and Shoulders')
Sniffer
https://www.tradingview.com/script/lrDsHLST-Sniffer/
sudoMode
https://www.tradingview.com/u/sudoMode/
636
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© sudoMode //@version=5 //@release=1.1.0 indicator('Similarity Search', shorttitle = 'Sniffer', overlay = true, max_bars_back = 5000) // --- imports --- // import HeWhoMustNotBeNamed/Logger/1 as l // --- user input --- // setting groups general_settings = 'General Settings' selection_range = 'Selection Range' feature_dimensions = 'Feature Dimensions' // general settings lookback = input.int(1000, title = 'Lookback', minval = 500, maxval = 4500, step = 500, inline = '1', group = general_settings, tooltip = 'Number of candles to back-track to find matches') top_n = input.int(30, title = 'Matches', minval = 1, maxval = 100, step = 1, inline = '2', group = general_settings, tooltip = 'Number of top-n matches to show on the chart') how = input.string('Cosine', title = 'Method', options = ['Euclidean', 'Cosine', 'Manhattan', 'Lorentzian', 'Pearson'], tooltip = 'Method to use for similarity calculation', inline = '3', group = general_settings) single_bar = input(false, title = 'Single Bar', inline = '4', group = general_settings, tooltip = 'Treat the entire selection as a single bar') // verbose = input(false, title = 'Verbose', inline = '5', group = general_settings, // tooltip = 'Show degree of similarity') noise = input.float(0.0, title = 'Noise Reduction', minval = 0.0, maxval = 1.0, step = 0.05, inline = '6', group = general_settings, tooltip = 'Controls the degree of overlapping results') acceptable_noise = 1 - noise // selection range start = input.time(timestamp('1 August 2023'), 'Start', confirm = true, inline = '6', group = selection_range) end = input.time(timestamp('3 August 2023'), 'End', confirm = true, inline = '6', group = selection_range) // feature dimensions add_patterns = input(false, title = 'Patterns', inline = '7', group = feature_dimensions, tooltip = 'Add mutliple ratios between wicks & body of the candle as features to bar attributes') add_rsi = input(false, title = 'RSI', inline = '8', group = feature_dimensions, tooltip = 'Adds RSI as one the features to bar attributes') add_cci = input(false, title = 'CCI', inline = '9', group = feature_dimensions, tooltip = 'Adds CCI as one the features to bar attributes') add_stochastic = input(false, title = 'Stochastic', inline = '10', group = feature_dimensions, tooltip = 'Adds Stochastic as one the features to bar attributes') add_adx = input(false, title = 'ADX', inline = '11', group = feature_dimensions, tooltip = 'Adds ADX as one the features to bar attributes') add_roc = input(false, title = 'ROC', inline = '12', group = feature_dimensions, tooltip = 'Adds multiple HL2 Rate of Change as features to bar attributes') add_time = input(false, title = 'Time', inline = '13', group = feature_dimensions, tooltip = 'Adds Day of the Week & Day of the Month as features to bar attributes') // --- utils --- // logger // var logger = l.Logger.new(minimumLevel = 'TRACE') // logger.init() // min-max scaler scaler(value, minimum, maximum, range_minimum = 1, range_maximum = 100) => _range = maximum - minimum ((value - minimum) / _range) * (range_maximum - range_minimum) + range_minimum // --- models --- // vector type Vector array<float> values // compute length of the vector method length(Vector self) => length = 0.0 for [index, value] in self.values length += value * value math.sqrt(length) // compute dot product of two vectors method dot(Vector self, Vector vector) => product = 0.0 for i = 0 to self.values.size() - 1 product += self.values.get(i) * vector.values.get(i) product // compute euclidean distance between two vectors method euclidean_distance(Vector self, Vector vector) => distance = 0.0 for [index, value] in self.values difference = value - vector.values.get(index) distance += difference * difference math.sqrt(distance) // compute manhattan distance between two vectors method manhattan_distance(Vector self, Vector vector) => distance = 0.0 for [index, value] in self.values difference = math.abs(value - vector.values.get(index)) distance += difference distance // compute canberra distance between two vectors method canberra_distance(Vector self, Vector vector) => distance = 0.0 for [index, value] in self.values v1 = value v2 = vector.values.get(index) ratio = math.abs(v1 - v2) / math.abs(v1 + v2) distance += ratio distance // compute chebyshev distance between two vectors method chebyshev_distance(Vector self, Vector vector) => distance = 0.0 for [index, value] in self.values difference = math.abs(value - vector.values.get(index)) if difference > distance distance := difference distance // compute minkowski distance between two vectors method minkowski_distance(Vector self, Vector vector) => distance = 0.0 for [index, value] in self.values difference = math.abs(value - vector.values.get(index)) if difference > distance distance := difference distance // compute pearson distance between two vectors method pearson_distance(Vector self, Vector vector) => covariance = array.covariance(self.values, vector.values) variance_1 = array.variance(self.values) variance_2 = array.variance(vector.values) 1 - covariance / (math.sqrt(variance_1) * math.sqrt(variance_2)) // compute lorentzian distance between two vectors method lorentzian_distance(Vector self, Vector vector) => distance = 0.0 length = self.values.size() - 1 last_diff = self.values.get(length) - vector.values.get(length) for i = 0 to length - 1 difference = self.values.get(i) - vector.values.get(i) distance += (difference * difference) - (last_diff * last_diff) math.sqrt(distance) // compute cosine distance between two vectors method cosine_distance(Vector self, Vector vector) => 1 - self.dot(vector) / (self.length() * vector.length()) // bar type Bar // core features int _bar_index int _time float _open float _high float _low float _close float _volume // derived features float _range float body float head float tail float btr float htr float ttr float htb float ttb float roc_1 float roc_2 float roc_3 float roc_4 float rsi float cci float stoch float dmi_p float dmi_n float adx array<float> features bool is_input = false // set features for similarity computation method set_features(Bar self) => // supported features _hl2 = (self._high + self._low) / 2 green = self._close > self._open _min = green ? 1 : -100 _max = green ? 100 : -1 // core features __range = self._high - self._low _body = self._close - self._open _head = green ? self._high - self._close : self._close - self._low _tail = green ? self._open - self._low : self._high - self._open self._volume := scaler(self._volume, ta.min(self._volume), ta.max(self._volume)) self._range := scaler(__range, ta.min(__range), ta.max(__range)) self.body := scaler(_body, ta.min(_body), ta.max(_body), range_minimum = _min, range_maximum = _max) self.head := scaler(_head, ta.min(_head), ta.max(_head)) self.tail := scaler(_tail, ta.min(_tail), ta.max(_tail)) // derived features self.btr := self.body / self._range self.htr := self.head / self._range self.ttr := self.tail / self._range self.htb := self.head / self.body self.ttb := self.tail / self.body // price slope self.roc_1 := ta.roc(_hl2, 3) self.roc_2 := ta.roc(_hl2, 9) self.roc_3 := ta.roc(_hl2, 27) self.roc_4 := ta.roc(_hl2, 81) // technical indicators [dmi_p, dmi_n, adx] = ta.dmi(14, 14) self.rsi := ta.rsi(self._close, 14) self.cci := ta.cci(self._close, 14) self.stoch := ta.stoch(self._close, self._high, self._low, 14) self.dmi_p := dmi_p self.dmi_n := dmi_n self.adx := adx // populate feature space self.features := array.from(self._open, self._high, self._low, self._close, self._volume) if add_patterns self.features.concat(array.from(self.btr, self.htr, self.ttr, self.htb, self.ttb)) if add_rsi self.features.push(self.rsi) if add_cci self.features.push(self.cci) if add_adx self.features.concat(array.from(self.dmi_p, self.dmi_n, self.adx)) if add_stochastic self.features.push(self.stoch) if add_roc self.features.concat(array.from(self.roc_1, self.roc_2, self.roc_3, self.roc_4)) if add_time self.features.push(dayofweek(self._time)) self.features.push(dayofmonth(self._time)) // load bar attributes method load(Bar bar) => if start <= time and time <= end bar.is_input := true bar.set_features() // bar loader generate_bar(_bar_index=bar_index, _time=time, _open=open, _high=high, _low=low, _close=close, _volume=volume) => bar = Bar.new(_bar_index, _time, _open, _high, _low, _close, _volume) bar.load() bar type SimilarityTracker int start int end float _high float _low float similarity array<Bar> bars type Box int x1 float y1 int x2 float y2 method is_overlapping_from(Box self, Box other, string direction) => // assumes that range of both boxes is equal switch direction 'right' => (self.x1 >= other.x1) and (self.x1 <= other.x2) 'left' => (self.x2 >= other.x1) and (self.x2 <= other.x2) method compute_degree_of_overlap(Box self, Box other) => overlap = -1 if self.is_overlapping_from(other, 'right') overlap := (other.x2 - self.x1) / (other.x2 - other.x1) else if self.is_overlapping_from(other, 'left') overlap := (self.x2 - other.x1) / (other.x2 - other.x1) overlap // filters out boxes that do not match the noise reduction criteria method is_valid(Box self, array<Box> previous_boxes) => box_is_valid = true if previous_boxes.size() > 0 for [index, _box] in previous_boxes overlap = self.compute_degree_of_overlap(_box) if overlap > acceptable_noise box_is_valid := false break box_is_valid get_box(tracker, input_bars) => x1 = tracker.start x2 = tracker.end y1 = tracker._high y2 = tracker._low // draw a line under the bar, when user selects just one bar x1 := input_bars.size() == 1 ? x1 - 1 : x1 x2 := input_bars.size() == 1 ? x2 + 1 : x2 y1 := input_bars.size() == 1 ? y2 : y1 _box = Box.new(x1, y1, x2, y2) _box // controller type Controller array<Bar> input_bars array<Bar> target_bars array<float> input_features array<float> target_features array<float> similarities array<int> keys array<SimilarityTracker> tracker Box _box array<Box> boxes // initialise controller method init(Controller self) => self.input_bars := array.new<Bar>() self.target_bars := array.new<Bar>() self.input_features := array.new_float() self.target_features := array.new_float() self.similarities := array.new_float() self.keys := array.new_int() self.tracker := array.new<SimilarityTracker>() self.boxes := array.new<Box>() // record user selection method capture_input_bars(Controller self, Bar bar) => if bar.is_input self.input_bars.push(bar) self.input_features.concat(bar.features) method update_similarity_tracker(Controller self, start, end, _high, _low, similarity) => self.similarities.push(similarity) self.tracker.push(SimilarityTracker.new(start, end, _high, _low, similarity, self.target_bars)) self.target_bars.clear() self.target_features.clear() // compute degree of similarity method compute_similarity(Controller self) => vector_1 = Vector.new(self.input_features) vector_2 = Vector.new(self.target_features) switch how 'Canberra' => vector_1.canberra_distance(vector_2) 'Chebyshev' => vector_1.chebyshev_distance(vector_2) 'Cosine' => vector_1.cosine_distance(vector_2) 'Euclidean' => vector_1.euclidean_distance(vector_2) 'Manhattan' => vector_1.manhattan_distance(vector_2) 'Lorentzian' => vector_1.lorentzian_distance(vector_2) 'Pearson' => vector_1.pearson_distance(vector_2) => vector_1.cosine_distance(vector_2) // compute similarity & record results in a matrix method generate_similarities(Controller self, Bar bar) => if barstate.islast i = lookback while i >= self.input_bars.size() - 1 float _high = na float _low = na // collect target bars(left to right) for j = 0 to self.input_bars.size() - 1 _bar = bar[i-j] self.target_bars.push(_bar) self.target_features.concat(_bar.features) _high := na(_high) or _bar._high > _high ? _bar._high : _high _low := na(_low) or _bar._low < _low ? _bar._low : _low similarity = self.compute_similarity() self.update_similarity_tracker(bar_index[i], bar_index[i - (self.input_bars.size() - 1)], _high, _low, similarity) i -= 1 self.keys := self.similarities.sort_indices() // color code box border method color_generator(Controller self, int index, float _bar_index) => ratio = index / top_n category = _bar_index == self.input_bars.get(0)._bar_index ? 0 : ratio < 0.33 ? 1 : ratio < 0.66 ? 2 : 3 switch category 0 => color.white // user-selection 1 => color.lime // top third of the top-n matches 2 => color.yellow // mid third of the top-n matches 3 => color.red // bottom third of the top-n matches // find box coordinates & draw them on screen method draw_box(Controller self, int index) => tracker = self.tracker.get(self.keys.get(index)) border_color = self.color_generator(index, tracker.start) similarity = math.round(scaler(tracker.similarity, self.similarities.min(), self.similarities.max(), 100, 0)) // _text = verbose ? str.tostring(similarity) : '' self._box := get_box(tracker, self.input_bars) if self._box.is_valid(self.boxes) box.new(self._box.x1, self._box.y1, self._box.x2, self._box.y2, border_color = border_color, bgcolor = na, border_width = 2, text_size = size.large, text_color = color.white, text_halign = text.align_right, text_valign = text.align_top) self.boxes.push(self._box) method show_results(Controller self) => if barstate.islast i = 0 while true if self.boxes.size() >= top_n break self.draw_box(i) i += 1 // initialise & setup controller init_controller() => controller = Controller.new() controller.init() controller // --- driver --- // record bar data bar = generate_bar() // load controller var controller = init_controller() // detect user-selected bars controller.capture_input_bars(bar) // populate similarity matrix controller.generate_similarities(bar) // draw boxes around most similar fromations controller.show_results() // TODO: verbosity & color codes
OfekIndicatorsLib
https://www.tradingview.com/script/k4FJNYfa-OfekIndicatorsLib/
OfekAshkenazi
https://www.tradingview.com/u/OfekAshkenazi/
2
library
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© OfekAshkenazi //@version=5 // @description TODO: add library description here library("OfekIndicatorsLib") ///--------ICHI CLOUDS--------// donchian(len) => math.avg(ta.lowest(len), ta.highest(len)) export ichiClouds(int conversionPeriods,int basePeriods,int laggingSpan2Periods) => conversionLine = donchian(conversionPeriods) baseLine = donchian(basePeriods) leadLine1 = math.avg(conversionLine, baseLine) leadLine2 = donchian(laggingSpan2Periods) [conversionLine,baseLine,leadLine1,leadLine2] //-------------TRAMA--------------// export trama(series float tramaSrc,int tramaLength) => ama = 0. hh = math.max(math.sign(ta.change(ta.highest(tramaLength))),0) ll = math.max(math.sign(ta.change(ta.lowest(tramaLength))*-1),0) tc = math.pow(ta.sma(hh or ll ? 1 : 0,tramaLength),2) ama := nz(ama[1]+tc*(tramaSrc-ama[1]),tramaSrc) result = ama //-------------KDJ--------------// bcwsma(s, l, m) => _bcwsma = float(na) _s = s _l = l _m = m _bcwsma := (_m * _s + (_l - _m) * nz(_bcwsma[1])) / _l result = _bcwsma export kdj(int ilong,int isig,int startFrom = 0) => c = close[startFrom] h = ta.highest(high[startFrom], ilong) l = ta.lowest(low[startFrom],ilong) RSV = 100*((c-l)/(h-l)) pK = bcwsma(RSV, isig, 1) pD = bcwsma(pK, isig, 1) pJ = 3 * pK-2 * pD [pK,pD,pJ] /// FSVZO - // default inputs - // src0 = input.source (close , 'Source' ) // len = input.int (45 , 'VZO Length' , minval=1) // malen = input.int (7 , 'MA Length' , minval=1) // flen = input.int (7 , 'Fisher Length', minval=1) zone(_src, _len,malen) => vol = volume src = ta.wma(2 * ta.wma(_src, malen / 2) - ta.wma(_src, malen), math.round(math.sqrt(malen))) vp = src > src[1] ? vol : src < src[1] ? -vol : src == src[1] ? 0 : 0 z = 100 * (ta.ema(vp, _len) / ta.ema(vol, _len)) export FSVZO(series float src0 = close,simple int len = 45,simple int malen = 7,simple int flen = 7) => // CALC FISHER //--------------------------------------------------------------------------------- fsrc = zone(_src = src0,_len = len,malen = malen) MaxH = ta.highest (fsrc , flen) MinL = ta.lowest (fsrc , flen) var nValue1 = 0.0 var nFish = 0.0 nValue1 := 0.33 * 2 * ((fsrc - MinL) / (MaxH - MinL) - 0.5) + 0.67 * nz(nValue1[1]) nValue2 = (nValue1 > 0.99 ? 0.999 : (nValue1 < -0.99 ? -0.999: nValue1)) nFish := 0.5 * math.log((1 + nValue2) / (1 - nValue2)) + 0.5 * nz(nFish[1]) f1 = nFish f2 = nz(nFish[1]) fzvzo_up = f1 > f2 [fzvzo_up,f1,f2] // puell muell- // default inputs - // top = input.float(0.6, step=0.1) // bottom = input.float(4, step=0.01) // miningRevenue = request.security('QUANDL:BCHAIN/MIREV', 'D', close[1], barmerge.gaps_off, barmerge.lookahead_on) // ma365 = request.security('QUANDL:BCHAIN/MIREV', 'D', ta.sma(close, 365)[1], barmerge.gaps_off, barmerge.lookahead_on) export puellMultiple(float top = 0.6,float bottom = 4,series float miningRevenue, series float ma365) => puellMultiple = miningRevenue / ma365 smonadnu = puellMultiple < top smonavrhu = puellMultiple > bottom [puellMultiple,smonadnu,smonavrhu] // BB % // default inputs - // src = input(close, title="Source") // mult = input.float(2.0, minval=0.001, maxval=50, title="StdDev") // length = input.int(20, minval=1) export BB(series float src = close,simple float mult = 2.0, simple int length = 20) => basis = ta.sma(src, length) dev = mult * ta.stdev(src, length) upper = basis + dev lower = basis - dev bbr = (src - lower)/(upper - lower) [upper,lower,bbr]
Acceleration-Based MA Slope Prediction
https://www.tradingview.com/script/03Opy0pY/
Seungdori_
https://www.tradingview.com/u/Seungdori_/
218
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Seungdori_ //@version=5 indicator('Acceleration-Based MA Slope Prediction', shorttitle='MA Slope Prediction', overlay=true, max_bars_back = 2000) // Inputs length = input.int(50, minval=1, title='Length', group = 'MA') src = input.source(defval = close, title = 'Source', group = 'MA') ma1_type = input.string("T3", title="Moving Average Type", options=['SMA', 'EMA', 'HMA', 'WMA', 'T3'], group = 'MA') Offset = input.int(defval = 5 , title = 'Offset for Slope Prediction') //Region : Function// MA(ma_type, length) => maPrice = ta.ema(src, length) if ma_type == 'SMA' maPrice := ta.sma(src, length) maPrice if ma_type == 'EMA' maPrice := ta.ema(src, length) if ma_type == 'HMA' maPrice := ta.hma(src, length) maPrice if ma_type == 'WMA' maPrice := ta.wma(src, length) maPrice if ma_type == 'T3' axe1 = ta.ema(src, length) axe2 = ta.ema(axe1, length) axe3 = ta.ema(axe2, length) axe4 = ta.ema(axe3, length) axe5 = ta.ema(axe4, length) axe6 = ta.ema(axe5, length) ab = 0.7 ac1 = -ab * ab * ab ac2 = 3 * ab * ab + 3 * ab * ab * ab ac3 = -6 * ab * ab - 3 * ab - 3 * ab * ab * ab ac4 = 1 + 3 * ab + ab * ab * ab + 3 * ab * ab maPrice := ac1 * axe6 + ac2 * axe5 + ac3 * axe4 + ac4 * axe3 maPrice maPrice //Define MA movingAverage = MA(ma1_type, length) // Calculating Slope And Acceleration slope = movingAverage - movingAverage[1] acceleration = slope - slope[1] // Find Zero Point zeroAccelIndex = -1 for i = 0 to 200 by 1 if zeroAccelIndex == -1 and acceleration[i] * acceleration[i + 1] <= 0 zeroAccelIndex := i zeroAccelIndex var derivativeIndex = -1 for i = 0 to 200 by 1 if derivativeIndex == -1 and slope[i] * slope[i + 1] <= 0 derivativeIndex := i derivativeIndex - Offset var find_zero_acc = false if zeroAccelIndex == 0 find_zero_acc := true if find_zero_acc[1] == true find_zero_acc := false // Calculation from Acc a = acceleration[zeroAccelIndex + 1] b = slope[zeroAccelIndex + 1] c = movingAverage[zeroAccelIndex + 1] x = zeroAccelIndex // Calculation from Slope der_a = ta.valuewhen(find_zero_acc==true, a, 0) der_b = slope[derivativeIndex + 1] der_c = movingAverage[derivativeIndex + 1] der_x = derivativeIndex //quadratic(x) => // a * math.pow(x, 2) + b * x + c acc_quadratic = a * math.pow(x, 2) + b * (x) + c slope_quadratic = der_a * math.pow(der_x+Offset, 2) + der_b * (der_x+Offset) + der_c plot(acc_quadratic, color= color.new(color.white, 20), offset = 0, style = plot.style_circles) plot(slope_quadratic, color= color.rgb(68, 161, 232), offset = Offset, style = plot.style_circles) plot(movingAverage, color=movingAverage > movingAverage[1] ? color.new(color.green,20) : color.new(color.red, 20))
Adaptive Candlestick Pattern Recognition System
https://www.tradingview.com/script/5FQgMCiO-Adaptive-Candlestick-Pattern-Recognition-System/
SolCollector
https://www.tradingview.com/u/SolCollector/
2,057
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© SolCollector // BS Computer Science // Spencer G. // // This script aims to recognize a significant number of different candlestick // patterns ranging from 1 to 5 candles in length. There are numerous inputs that // the user may manipulate which alter how these patterns are detected, and // switches have been implemented to turn on/off the detection of each pattern // individually. Patterns which completely become a part of a larger pattern will // be absorbed and their performance will not be measured. Each pattern will have // analysis done on them to determine performance, grouped together by the // partitions of an asset's price action they had appeared in. // There are two overarching modes: // // CLASSIC - Patterns are recognized normally and statistics are gathered for // these patterns based only on the partitions they had appeared in. // // BREAKOUT - Patterns are recognized and processed according to 'breakout' // rules. The user sets (default value 1) the number of candles a pattern has // until it has a 'breakout' in either an upward or downward direction. A // breakout is constituted when, within the number of candles specified, there is // a close that exceeds either the highest high or lowest low of the pattern. // The performance of these patterns will then be grouped together by the // partition they had appeared in as well as the breakout direction. Any pattern // that does not breakout will be ignored. // // IMPORTANT FUNCTIONALITY NOTE: // There is an additional mode the user may use called 'TARGET MODE'. This mode // breaks some of the rules set above, and patterns which are selectively picked // out using 'TARGET MODE' will have performance analysis done on them regardless // of if they would have been absorbed by a larger pattern. This may lead to // duplicate returns being recorded as a part of the percent returns set. // // Many of the candlestick patterns implemented in this script will be // accompanied by ASCII art depicting what I had aimed to achieve with the // logical statements associated with each. // //@version=5 indicator("Adaptive Candlestick Pattern Recognition System", overlay=true, max_labels_count = 500) // MASTER PATTERN NAME/ABBREVIATION SETS var string[] PAT_ABBREV = array.from("H", "ShooStar", "HM", "TL", "WLD", "BLD", "GDD", "SD", "ND", "D", "LL", "RSM", "DF", "GS", "GUD", "BearEng", "LEB", "BullEng", "LET", "DCC", "BearDS", "BullDS", "BullH", "BullHC", "BearH", "BearHC", "HI", "HP", "BearK", "BullK", "BearSL", "BearML", "BullSL", "BullML", "ML", "ON", "IN", "Pierce", "SS2L", "BS", "AS", "Thrust", "TB", "TT", "2BG", "FW", "RW", "BearAB", "BullAB", "ADV", "CD", "DELIB", "UG3M", "DG3M", "3OD", "3ID", "3IU", "3OU", "BearSBS", "BullSBS", "EVED", "EVE", "MORND", "MORN", "SAND", "DTG", "UTG", "IBC", "TBC", "TWS", "3SITS", "BearTS", "BullTS", "TC", "UG2C", "U3RB", "CBS", "Bull3LS", "Bear3LS", "BearBA", "BullBA", "LB", "MH", "F3M", "R3M") var string[] PAT_NAME = array.from("Hammer", "Shooting Star", "Hanging Man", "Takuri Line", "White Long Day", "Black Long Day", "Gapping Down Doji", "Southern Doji", "Northern Doji", "Doji", "Long Legged Doji", "Rickshaw Man", "Dragonfly Doji", "Gravestone Doji", "Gapping Up Doji", "Bearish Engulfing", "Last Engulfing Bottom", "Bullish Engulfing", "Last Engulfing Top", "Dark Cloud Cover", "Bearish Doji Star", "Bullish Doji Star", "Bullish Harami", "Bullish Harami Cross", "Bearish Harami", "Bearish Harami Cross", "Hammer Inverted", "Homing Pigeon", "Bearish Kicking", "Bullish Kicking", "Bearish Separating Lines", "Bearish Meeting Lines", "Bullish Separating Lines", "Bullish Meeting Lines", "Matching Low", "On Neck", "In Neck", "Piercing", "Shooting Star (Two Lines)", "Below Stomach", "Above Stomach", "Thrusting", "Tweezers Bottom", "Tweezers Top", "Two Black Gapping", "Falling Window", "Rising Window", "Bearish Abandoned Baby", "Bullish Abandoned Baby", "Advance Block", "Collapsing Doji", "Deliberation", "Upside Gap Three Methods", "Downside Gap Three Methods", "Three Outside Down", "Three Inside Down", "Three Inside Up", "Three Outside Up", "Bearish Side-By-Side", "Bullish Side-By-Side", "Evening Doji Star", "Evening Star", "Morning Doji Star", "Morning Star", "Stick Sandwich", "Downside Tasuki Gap", "Upside Tasuki Gap", "Identical Black Crows", "Three Black Crows", "Three White Soldiers", "Three Stars in the South", "Bearish Tri-Star", "Bullish Tri-Star", "Two Crows", "Upside Gapping Two Crows", "Unique Three River Bottom", "Concealing Baby Swallow", "Bullish Three Line Strike", "Bearish Three Line Strike", "Bearish Breakaway", "Bullish Breakaway", "Ladder Bottom", "Mat Hold", "Falling Three Methods", "Rising Three Methods") // Return Array is a user defined type to be used in the matrix that contains // all returns of all types of patterns to be found by this hunter. The variables // it utilizes are: // // @field returns Contains % representations of all returns for a pattern in an array. // @field size The size of the returns array. // @field stdDev The Standard Deviation of the values in the returns array. // @field median The Median of the values in the returns array. // @field avg The Average of the values in the returns array. // @field polarities An array of size 3 that contains the respective polarities of the returns for that pattern (negative, neutral, positive). type returnArray float[] returns = na int size = 0 float avg = 0 float median = 0 float stdDev = 0 int[] polarities = na // Initializes the ReturnArray object to be placed into the matrix that keeps track // of the returns for all patterns. f_InitializeReturnArray() => returnArray initial = returnArray.new(returns = array.new_float(), size = 0, avg = 0, median = 0, stdDev = 0, polarities = array.new_int(3, 0)) initial // Pattern Object is a user defined type which contains all relevant information // corresponding to a candlestick pattern. // // Primary fields: // @field ID The ID number for this pattern. This is what will be used to get the abbreviation, name, and matrix row position for that pattern in its analysis. // @field part The partition the pattern was found in. // @field trend The trend this pattern was found in (mainly used for label positioning). // @field size The number of candles this pattern is. // @field overridden A boolean that will be used to determine if a pattern has been absorbed into a larger pattern. // @field patLabel The label that is used to show this pattern. // @field labelTooltip A string that holds the label tooltip to be modified by other functions in the future (displays statistics for this pattern). // Secondary fields: // @field upTarget (BREAKOUT mode) The price target for an upwards breakout. // @field downTarget (BREAKOUT mode) The price target for a downwards breakout. // @field candlesLeft (BREAKOUT mode) The number of candles this pattern has left to breakout in one direction. // @field breakoutDir (BREAKOUT mode) The direction which the pattern had broken out into. // @field confOffset (BREAKOUT mode) The number of candles needed for this pattern to breakout. type patternObj int ID = -1 int part = -1 int trend = 0 int size = 0 bool overridden = false label patLabel = na string labelTooltip = "" // Secondary Values float upTarget = -1.0 float downTarget = -1.0 int candlesLeft = 0 int breakoutDir = 0 int confOffset = 0 // ConfObj is an object which will be used to determine the percent returns // of patterns in BREAKOUT mode. This object will be added to a queue where // it will have its candlesLeft field decremented until it reaches 0. When // this value reaches 0, it signals it is at the candle where the P/L // calculation will be conducted. This revision from a linked-list was // done when it was discovered that linked-lists do not work as originally // thought in Pine. // // @field ID The pattern ID that had a breakout. // @field part The partition the pattern had broken out in. // @field breakoutDir The direction which the pattern had broken out into. // @field ccandles The number of candles needed to breakout in one direction. // @field candlesLeft The remaining candles until a P/L calculation is conducted. type confObj int ID = -1 int part = -1 int breakoutDir = na int ccandles = 0 int candlesLeft = 0 // BarColorTuple is a simple object which will contain the offset (for BREAKOUT mode) // and number of candles of a pattern for coloration. // // @field offset Corresponds to the number of candles needed for confirming a breakout direction of a pattern. (CLASSIC mode only uses the value of 1 for its offset) // @field numCandles The size of the pattern to color for. type barColTup int offset = 0 int numCandles = 0 // Point is a simple data object which will be used to efficiently prune through the // matrix of returns to reset MIN/MAX return values used in adaptive coloration. // // @field x The matrix row position for a pattern. // @field y The matrix column position for a pattern. type point int x = -1 int y = -1 // GROUP NAMES/INDEPENDENT CONSTANTS var FUNC_SET = "FUNCTIONALITY SETTINGS" var STAT_G = "STATISTICS SETTINGS" var MASTER_DET = "MASTER DETECTION SETTINGS" var TRENDS = "TREND/MA SETTINGS" var SET_1C = "1 CANDLE SETTINGS" var SET_2C = "2 CANDLE SETTINGS" var SET_3C = "3 CANDLE SETTINGS" var SET_4C = "4 CANDLE SETTINGS" var SET_5C = "5 CANDLE SETTINGS" var TICKERSTRING = "Ticker: " + syminfo.tickerid + "\nResolution: " + timeframe.period + "\n" var color COLOR_INVIS = #00000000 //-------------------- CENTRALLY IMPORTANT GLOBAL VARIABLES -------------------- // These two global variables keep track of unconfirmed and confirmed patterns // for the purpose of pattern confirmation and P/L calculations (respectively). var UNCONF_PATTERNS = array.new<patternObj>() var CONF_PATTERNS = array.new<confObj>() // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ____ __ β•‘ // β•‘ / _/__ ___ __ __/ /____ β•‘ // β•‘ _/ // _ \/ _ \/ // / __(_-< β•‘ // β•‘ /___/_//_/ .__/\_,_/\__/___/ β•‘ // β•‘ /_/ β•‘ // β•‘ β•‘ // β•‘ Dependencies of these inputs (and methods) will have the code section β•‘ // β•‘ abbreviated in parentheses next to the name of the variable/method β•‘ // β•‘ associated with it. β•‘ // β•‘ These abbreviations are as follows: β•‘ // β•‘ β•‘ // β•‘ HM - Helper Methods β•‘ // β•‘ GV - Global Variables β•‘ // β•‘ LOG[N] - Logic (N indicates how many candles in the specific section) β•‘ // β•‘ LOGC - Section of logic calls that determine which patterns appeared β•‘ //#region β•‘ // β•‘ β•‘ // β•‘ Each section of this script can be quickly navigated to by using the β•‘ // β•‘ built-in search functionality of the Pine-Editor (ctrl-f). They are: β•‘ // β•‘ β•‘ // β•‘ XSTATS - Statistics settings β•‘ // β•‘ XDETECT - Detection settings β•‘ // β•‘ XTREND - Moving Average/Trend Settings β•‘ // β•‘ XHELPERS - Helper Functions β•‘ // β•‘ XGLOBVARS - Global Variables section β•‘ // β•‘ XLOG1/2/3/4/5 - The 5 individual Logic Function sections β•‘ // β•‘ XLOGC - The Logic Function Calls section β•‘ // β•‘ XMAIN - The 'main' call block which runs this script β•‘ //#endregion β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• //--------------------------- CORE FUNCTIONAL INPUTS --------------------------- i_DetectionType = input.string("CLASSIC", title = "Pattern Detection Mode", options = ["CLASSIC", "BREAKOUT"], tooltip = "Sets the mode of operation this " + "script will run.\n\nCLASSIC - All patterns are identified normally. They will " + "have their returns calculated from the candle immediately succeeding the " + "candle from their appearance.\n\nBREAKOUT - Patterns abide by breakout " + "direction rules. The price action following the pattern must exceed either " + "the highest high or lowest low of the pattern within a set amount of candles. " + "Percent returns will be broken up by breakout direction and 'non-breakout' " + "patterns will be ignored; price analysis will be decided by the user (see: " + "'P/L Offset').", group = FUNC_SET, confirm = true) i_MaxToBreakout = input.int(defval = 1, title = "Breakout Candles (BREAKOUT mode)", minval = 1, maxval = 5, tooltip = "Sets the maximum number of candles allowed " + "in 'BREAKOUT mode' that a pattern has to exceed either target value.", group = FUNC_SET, confirm = true) i_PnLOffset = input.string(defval = "FROM BREAKOUT", title = "P/L Offset (BREAKOUT mode)", options = ["FROM BREAKOUT", "FROM APPEARANCE"], tooltip = "Sets where the P/L calculation will begin on patterns detected with " + "the BREAKOUT mode enabled.\n\nFROM BREAKOUT - P/L calculation will be done " + "starting from the candle succeeding the one which confirmed the breakout " + "direction of the pattern.\n\nFROM APPEARANCE - P/L calculation will be done " + "starting from the candle immediately following the appearance of the pattern.", group = FUNC_SET, confirm = true) //------------------------------------------------------------------------------ i_AlertOnFind = input.bool(defval = false, title = "Alert on: Find", inline = "PAT ALERTS", group = FUNC_SET, confirm = true) i_AlertOnBreakout = input.bool(defval = false, title = "Breakout", inline = "PAT ALERTS", group = FUNC_SET, confirm = true) i_AlertOnNonBreakout = input.bool(defval = false, title = "Non-Breakout", inline = "PAT ALERTS", group = FUNC_SET, confirm = true) i_AlertOnOverrides = input.bool(defval = false, title = "Overrides", inline = "PAT ALERTS", group = FUNC_SET, confirm = true) i_AlertOnReturn = input.bool(defval = false, title = "With Return", inline = "PAT ALERTS", group = FUNC_SET, confirm = true, tooltip = "When enabled and set to fire by TradingView's 'all alert() function " + "calls' under the alerts tab, these five alerts will fire with a message " + "containing the ticker/resolution they were triggered on, plus:\n\nFind - " + "The name of the pattern that had been identified with the switchboard " + "activation.\nBreakout - On 'BREAKOUT' mode, will show the name of the " + "pattern plus its breakout direction and relevant statistics.\nNon-Breakout " + "- Will inform the user when a pattern had not broken out in either " + "direction.\nOverrides - Will inform the user if the pattern found earlier " + "will be overridden and absorbed into a larger pattern.\nWith Return - Will " + "inform the user the % P/L that a pattern had experienced by the settings " + "the alert was created with.") //These 5 methods are responsible for firing alerts for patterns during their // various points of execution. They will inform the user when a pattern has been: // Found // Confirmed to breakout // Non-Confirmed to breakout // Overridden // With their return f_AlertOnFind(patternObj _pat) => if i_AlertOnFind string patString = "" if i_DetectionType == "CLASSIC" patString := _pat.labelTooltip else patString := array.get(PAT_NAME, _pat.ID) alert(TICKERSTRING + patString) f_AlertOnBreakout(patternObj _pat) => if i_AlertOnBreakout alert(TICKERSTRING + _pat.labelTooltip) f_AlertOnNonBreakout(patternObj _pat) => if i_AlertOnNonBreakout failMessage = array.get(PAT_NAME, _pat.ID) + " breakout failed" alert(TICKERSTRING + failMessage) f_AlertOnOverrides(patternObj _pat) => if i_AlertOnOverrides patOverridden = array.get(PAT_NAME, _pat.ID) + " has been overridden" alert(TICKERSTRING + patOverridden) f_AlertOnReturns(patternObj _pat, float _return) => if i_AlertOnReturn patName = array.get(PAT_NAME, _pat.ID) + " has returned " + str.tostring(_return, "#.####") + "%" alert(TICKERSTRING + patName) // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ _____ __ __ _ __ _ β•‘ // β•‘ / ___// /_____ _/ /_(_)____/ /_(_)_________ β•‘ // β•‘ \__ \/ __/ __ `/ __/ / ___/ __/ / ___/ ___/ β•‘ // β•‘ ___/ / /_/ /_/ / /_/ (__ ) /_/ / /__(__ ) β•‘ // β•‘ /____/\__/\__,_/\__/_/____/\__/_/\___/____/ β•‘ // β•‘ β•‘ // β•‘ This section of inputs will allow the user to manipulate how the % β•‘ // β•‘ returns are calculated for each of the patterns that are recognized by β•‘ // β•‘ this script. This includes: # of candles to perform calculations on (from β•‘ // β•‘ the occurrence of the pattern), types stats to use for analysis (median, β•‘ // β•‘ mean), and the source to conduct analysis on. β•‘ //#region β•‘ // β•‘ PartRes - Partition resolution, sets which higher timeframe will be β•‘ // β•‘ used for finding the recent trading range of an asset to β•‘ // β•‘ group the returns of patterns together by. β•‘ // β•‘ β•‘ // β•‘ default: 'W' (weekly) β•‘ // β•‘ dependencies: (GV) BARINDREF, HIGHREF, LOWREF β•‘ // β•‘ β•‘ // β•‘ PartRefLen - Partition Reference Length, sets how many candles back at β•‘ // β•‘ the higher timeframe resolution to determine the trading β•‘ // β•‘ range of an asset for partitioning. β•‘ // β•‘ β•‘ // β•‘ default: 52 (@ weekly resolution = yearly trading range) β•‘ // β•‘ dependencies: (GV) BARINDTERN β•‘ // β•‘ β•‘ // β•‘ PartUpperLim - Partition Upper Limit, sets which point in the high-low β•‘ // β•‘ range at the resolution/length which separates the upper β•‘ // β•‘ section and middle section. β•‘ // β•‘ β•‘ // β•‘ default: 80 (Upper section: yearly high to 80% range) β•‘ // β•‘ dependencies: (GV) UPPERSECTION β•‘ // β•‘ β•‘ // β•‘ PartLowerLim - Partition Lower Limit, sets which point in the high-low β•‘ // β•‘ range at the resolution/length which separates the lower β•‘ // β•‘ section and middle section. β•‘ // β•‘ β•‘ // β•‘ default: 33 (Lower section: yearly low to 33% range) β•‘ // β•‘ dependencies: (GV) LOWERSECTION β•‘ // β•‘ β•‘ // β•‘ PartBGEnabled - Partition Background Enabled, Sets if the three sections β•‘ // β•‘ will be displayed onto the chart to show how the pattern β•‘ // β•‘ returns will be grouped together. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (GV) plot() calls β•‘ // β•‘ β•‘ // β•‘ Part Colors - (Upper/Middle/Lower) These three inputs dictate which β•‘ // β•‘ colors will be used for the individual sections if shown. β•‘ // β•‘ β•‘ // β•‘ defaults: green/yellow/red β•‘ // β•‘ dependencies: Out-of-Place Global Variables below β•‘ // β•‘ β•‘ // β•‘ PartOpacity - Partition Opacity sets how transparent or opaque the β•‘ // β•‘ partition background coloring will be when enabled. β•‘ // β•‘ β•‘ // β•‘ default: 75 (25% transparent) β•‘ // β•‘ dependencies: Out-of-Place Global Variables below β•‘ // β•‘ β•‘ // β•‘ StatsPOR - Statistic Point-of-Reference. Sets which return metric β•‘ // β•‘ will be used to determine bullish/bearishness of patterns. β•‘ // β•‘ β•‘ // β•‘ options: ['AVG', 'MEDIAN'] β•‘ // β•‘ default: 'AVG' β•‘ // β•‘ dependencies: (GV)f_MatrixMinMax, (LOGC)f_GrabColor β•‘ // β•‘ β•‘ // β•‘ PnLLength - Sets the number of candles ahead of the appearance (or β•‘ // β•‘ breakout) of a pattern to perform % return calculations at. β•‘ // β•‘ β•‘ // β•‘ default: 10 (candles ahead) β•‘ // β•‘ dependencies: (MAIN) P/L Calculations in main call block β•‘ // β•‘ β•‘ // β•‘ MinRetsNeeded - Minimum Returns Needed, sets the number of times that a β•‘ // β•‘ pattern needs to occur and record returns to be considered β•‘ // β•‘ for coloration in future instances based on its β•‘ // β•‘ performance. β•‘ // β•‘ β•‘ // β•‘ default: 10 β•‘ // β•‘ dependencies: (HM)f_DisplayStatsOnLabel β•‘ // β•‘ (GV)f_MatrixMinMax β•‘ // β•‘ (LOGC)f_GrabColor β•‘ // β•‘ β•‘ // β•‘ AdaptiveCol - Boolean value to set if the patterns will use adaptive β•‘ // β•‘ coloration instead. If enabled, these patterns will be β•‘ // β•‘ colored on a gradient based on either their average or β•‘ // β•‘ median return (see StatsPOR) compared to the whole set of β•‘ // β•‘ returns, rather than solidly one of three colors. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (LOGC)f_GrabColor, (MAIN) one conditional β•‘ // β•‘ β•‘ // β•‘ HardLimit - Boolean value to limit the maximum values a pattern's β•‘ // β•‘ statistic value to the return tolerances set by the user. β•‘ // β•‘ Any patterns exceeding these two tolerances will be colored β•‘ // β•‘ solidly one color, and a gradient for those in between. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (LOGC)f_GrabColor, (MAIN) one conditional β•‘ // β•‘ β•‘ // β•‘ Colors - Bull: Sets the color used for bullish patterns. β•‘ // β•‘ Neutral: Sets the color used for neutral patterns. β•‘ // β•‘ Bear: Sets the color used for bearish patterns. β•‘ // β•‘ NEI: Sets the color used for patterns which have not met β•‘ // β•‘ the required number of occurrences. β•‘ // β•‘ Processing: (BREAKOUT mode only) Sets the color used for β•‘ // β•‘ patterns that have yet to break out in one direction. β•‘ // β•‘ β•‘ // β•‘ defaults: navy, yellow, maroon, gray, lime β•‘ // β•‘ dependencies: (LOGC)f_RunPatternConfirmation, f_GrabColor β•‘ // β•‘ β•‘ // β•‘ Return Tols - NegRetTol/PosRetTol These two values determine what the β•‘ // β•‘ returns of patterns must exceed in either direction to be β•‘ // β•‘ considered negative or positive. Patterns with returns β•‘ // β•‘ between these two values will be logged as 'neutral'. β•‘ // β•‘ β•‘ // β•‘ defaults: -3, 3 (-3% -> +3%) β•‘ // β•‘ dependencies: (HM)f_AddReturnAndUpdate β•‘ // β•‘ (LOGC)f_GrabColor β•‘ // β•‘ β•‘ // β•‘ LabelNudge - Nudges the labels by a % of the largest of 5 candle's β•‘ // β•‘ high-low range at the price they are placed at. (+ if high, β•‘ // β•‘ - if low). β•‘ // β•‘ β•‘ // β•‘ range: 0.0001 - 0.25 (0.01% - 25%) β•‘ // β•‘ default: 0.05 (5%) β•‘ // β•‘ step: 0.0001 (0.01%) β•‘ // β•‘ dependencies: (GV)f_InitializeLabel β•‘ //#endregion β•‘ // β•šXSTATS═════════════════════════════════════════════════════════════════════╝ i_PartRes = input.timeframe(defval = "W", title = "Partition Resolution", tooltip = "Defines which timeframe the trading range will be grabbed from " + "within the 'Partition Reference Length'. This value will be used with the " + "specified upper and lower limits to represent three sections (upper, middle, " + "and lower) that the price of an asset may reside in when patterns appear. " + "Confirmed patterns will then have their returns grouped by which partition " + "they had appeared in.", group = STAT_G) i_PartRefLen = input.int(defval = 52, title = "Partition Reference Length", minval = 3, tooltip = "Sets how many candles back at the given timeframe to " + "grab the highest 'high' from and used for separating the chart into three " + "partitions.\n\nThe default values for 'Partition Resolution' and 'Partition " + "Reference Length' will have this script grab the 52-week 'high' and 'low' " + "as the reference values that break up the chart into three separate " + "sections.", group = STAT_G) i_PartUpperLim = input.float(defval = 80, title = "Partition Upper Limit", minval = 0, maxval = 100, step = 0.0001, inline = "PARTITION LIMITS", group = STAT_G) i_PartLowerLim = input.float(defval = 33, title = "Lower Limit", minval = 0, maxval = 100, step = 0.0001, inline = "PARTITION LIMITS", group = STAT_G, tooltip = "These inputs represent the relative % " + "of the reference 'range' that will break the chart up into their " + "respective sections.\n\nDefault values:\n\nUpper Section -> 100% - 80%\n" + "Middle Section -> 80% - 33%\nLower Section -> 33% - 0%") i_PartBGEnabled =input.bool(defval = false, title = "Enable Partition Coloring", group = STAT_G) i_PartUpperCol = input.color(defval = color.green, title = "Partition Colors: Upper", group = STAT_G, inline = "PART COLS") i_PartMiddleCol = input.color(defval = color.yellow, title = "Middle", group = STAT_G, inline = "PART COLS") i_PartLowerCol = input.color(defval = color.red, title = "Lower", group = STAT_G, inline = "PART COLS") i_PartOpacity = input.int(defval = 75, title = "Partition Color Opacity", group = STAT_G) // OUT-OF-PLACE GLOBAL VARIABLES // To account for user input that may not be caught by PineScrypt, there are // two global variables placed here that correspond to the default upper and // lower limits to be used when 'Partition Upper Limit' is less than 'Partition // Lower Limit' // This also includes color modification for applying a transparency to the // colors used in the fill call that colors the separate partitions. var color UPPER_COLOR_MOD = color.new(i_PartUpperCol, i_PartOpacity) var color MIDDLE_COLOR_MOD = color.new(i_PartMiddleCol, i_PartOpacity) var color LOWER_COLOR_MOD = color.new(i_PartLowerCol, i_PartOpacity) i_StatsPOR = input.string(defval = "AVG", title = "Statistic POR", options = ["AVG", "MEDIAN"], tooltip = "Statistics Point-of-Reference:\n\n" + "Determines which set function to use when determining candle pattern " + "behavior/coloration. This will grab the associated value from the set of " + "collected returns for each specific pattern at that partition that has been " + "recognized so far.", group = STAT_G) i_PnLLength = input.int(defval = 10, title = "P/L Sample Length", minval = 1, maxval = 1000, tooltip = "Sets how many candles from the appearance/breakout " + "of a pattern to sample in determining profit/loss.", group = STAT_G) i_MinRetsNeeded = input.int(defval = 10, minval = 1, title = "Min # of Pattern Instances", tooltip = "This sets the minimum number of occurrences of a pattern before " + "behavior for that pattern is determined/represented by coloration and not " + "NEI color.", group = STAT_G) i_AdaptiveCol = input.bool(defval = false, title = "Adaptive Coloring", tooltip = "Changes the coloring of patterns based on statistics derived from " + "the prior occurrences of each pattern. The color gradient will be created " + "based on the 'Negative/Positive Return Tolerance' values. These values will " + "be changed if the 'Stats POR' value chosen of any patterns that meet the " + "minimum number of returns needed exceed these values in either direction. " + "The closer the pattern's 'Stats POR' value is to the Tolerance values (or " + "substituted values from the set of returns), the stronger the coloration to " + "their respective 'Pattern Color' will be starting from the 'Neutral Color'.", group = STAT_G) i_HardLimit = input.bool(defval = false, title = "Hard Limit", tooltip = "If " + "enabled, color gradient rules are changed so that any pattern which exceeds " + "either 'Return Tolerance' values will be colored the full Bullish or " + "Bearish gradient colors.\n\nNote: This also affects the perceived 'strength' " + "of less bullish/bearish patterns. I recommended increasing the related " + "Tolerances with this setting.", group = STAT_G) ic_BullColor = input.color(defval = color.navy, title = "Candle Pattern Colors:" + " Bullish", group = STAT_G, inline = "CANDLE COLS") ic_NeutralColor = input.color(defval = color.yellow, title = "Neutral", group = STAT_G, inline = "CANDLE COLS") ic_BearColor = input.color(defval = color.maroon, title = "Bearish", group = STAT_G, inline = "CANDLE COLS", tooltip = "Sets the three colors to be " + "used with patterns after enough instances have occurred to generate " + "statistics for them.") ic_NEIColor = input.color(defval = color.gray, title = "NEI Color", group = STAT_G, tooltip = "Sets the color to be used for patterns that have " + "not occurred enough times to generate statistics for.") ic_ProcessingCol = input.color(defval = color.lime, title = "Processing Color", group = STAT_G, tooltip = "(BREAKOUT MODE)\n\nSets the color for patterns that " + "have not exceeded either breakout direction price while processing.") i_NegRetTol = input.float(defval = -3.00, title = "Negative Return Tolerance", tooltip = "Sets the maximum % return a pattern must be below to be considered " + "'Negative'.", minval = -100.00, maxval = 0.00, step = 0.0001, group = STAT_G) i_PosRetTol = input.float(defval = 3.00, title = "Positive Return Tolerance", tooltip = "Sets the minimum return a pattern must exceed to be considered " + "'Positive'.\n\nValues in between these two tolerances will be considered " + "'Neutral'.", minval = 0.00, maxval = 100.00, step = 0.0001, group = STAT_G) i_LabelNudge = input.float(title = "Label Nudge", minval = 0.0001, maxval = 0.25, step = 0.0001, defval = 0.05, group = STAT_G, tooltip = "Nudges labels further away from the pattern by a given percentage " + "of the nearby candles' ranges.") // Out-of-place global variables/input-error handling, these values will be // rewritten/used for the color gradient scheme and will be changed based on the // returns in the matrix set if i_HardLimit is not used. Error handling accounts // for P/L Calculations being done before patterns have a chance to be overridden // in the case of extended breakout periods. var float MINRETVAL = i_NegRetTol var float MAXRETVAL = i_PosRetTol if i_DetectionType == "BREAKOUT" and i_MaxToBreakout >= i_PnLLength and i_PnLOffset == "FROM APPEARANCE" runtime.error("P/L Length needs to be at least +1 the Max-To-Breakout length " + "to properly handle overrides on patterns before the calculation may " + "be done. (FROM APPEARANCE)") // Derive Confirmation Object returns the simplified object of the patternObj in // a Linked-List form. // // @param: // patternObj _pat - The current object that has been confirmed. // // @return: // patConfirm - An object that contains the pattern ID, number of candles // needed to confirm the pattern, the pattern's partition, and an // 'na' link. // f_DeriveConfirmObj(patternObj _pat) => confObj co = confObj.new(ID = _pat.ID, part = _pat.part, ccandles = _pat.confOffset, breakoutDir = _pat.breakoutDir, candlesLeft = i_PnLLength) co // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ____ __ __ _ β•‘ // β•‘ / __ \___ / /____ _____/ /_(_)___ ____ β•‘ // β•‘ / / / / _ \/ __/ _ \/ ___/ __/ / __ \/ __ \ β•‘ // β•‘ / /_/ / __/ /_/ __/ /__/ /_/ / /_/ / / / / β•‘ // β•‘ /_____/\___/\__/\___/\___/\__/_/\____/_/ /_/ β•‘ // β•‘ β•‘ // β•‘ This section contains the overarching detection settings that determine β•‘ // β•‘ if patterns will be displayed. The two modes are: SWITCHBOARD and TARGET β•‘ // β•‘ MODE. SWITCHBOARD will have all patterns with their switches enabled β•‘ // β•‘ appear, while TARGET MODE allows the user to specify a specific pattern β•‘ // β•‘ to appear. β•‘ // β•‘ β•‘ // β•‘ IMPORTANT FUNCTIONALITY NOTE: The switch for the pattern selected in β•‘ // β•‘ TARGET MODE *MUST* be enabled to work properly. β•‘ // β•‘ β•‘ // β•šXDETECT════════════════════════════════════════════════════════════════════╝ i_CandleDetSet = input.string(title = "Pattern Detection Setting", options = ["SWITCHBOARD", "TARGET MODE"], defval = "SWITCHBOARD", inline = "PATTERN DETECTION", group = MASTER_DET) i_CandleTarget = input.string(title = "Target Pattern", options = ["Hammer (1)", "Shooting Star (1)", "Hanging Man (1)", "Takuri Line (1)", "White Long Day (1)", "Black Long Day (1)", "Gapping Down Doji (1)", "Southern Doji (1)", "Northern Doji (1)", "Doji (1)", "Long Legged Doji (1)", "Rickshaw Man (1)", "Dragonfly Doji (1)", "Gravestone Doji (1)", "Gapping Up Doji (1)", "Bearish Engulfing (2)", "Last Engulfing Bottom (2)", "Bullish Engulfing (2)", "Last Engulfing Top (2)", "Dark Cloud Cover (2)", "Bearish Doji Star (2)", "Bullish Doji Star (2)", "Bullish Harami (2)", "Bullish Harami Cross (2)", "Bearish Harami (2)", "Bearish Harami Cross (2)", "Hammer Inverted (2)", "Homing Pigeon (2)", "Bearish Kicking (2)", "Bullish Kicking (2)", "Bearish Separating Lines (2)", "Bearish Meeting Lines (2)", "Bullish Separating Lines (2)", "Bullish Meeting Lines (2)", "Matching Low (2)", "On Neck (2)", "In Neck (2)", "Piercing (2)", "Shooting Star (Two Lines) (2)", "Below Stomach (2)", "Above Stomach (2)", "Thrusting (2)", "Tweezers Bottom (2)", "Tweezers Top (2)", "Two Black Gapping (2)", "Falling Window (2)", "Rising Window (2)", "Bearish Abandoned Baby (3)", "Bullish Abandoned Baby (3)", "Advance Block (3)", "Collapsing Doji (3)", "Deliberation (3)", "Upside Gap Three Methods (3)", "Downside Gap Three Methods (3)", "Three Outside Down (3)", "Three Inside Down (3)", "Three Inside Up (3)", "Three Outside Up (3)", "Bearish Side-By-Side (3)", "Bullish Side-By-Side (3)", "Evening Doji Star (3)", "Evening Star (3)", "Morning Doji Star (3)", "Morning Star (3)", "Stick Sandwich (3)", "Downside Tasuki Gap (3)", "Upside Tasuki Gap (3)", "Identical Black Crows (3)", "Three Black Crows (3)", "Three White Soldiers (3)", "Three Stars in the South (3)", "Bearish Tri-Star (3)", "Bullish Tri-Star (3)", "Two Crows (3)", "Upside Gapping Two Crows (3)", "Unique Three River Bottom (3)", "Concealing Baby Swallow (4)", "Bullish Three Line Strike (4)", "Bearish Three Line Strike (4)", "Bearish Breakaway (5)", "Bullish Breakaway (5)", "Ladder Bottom (5)", "Mat Hold (5)", "Falling Three Methods (5)", "Rising Three Methods (5)"], defval = "Hammer (1)", inline = "PATTERN DETECTION", group = MASTER_DET) // Get ID From Target is a simple out-of-place helper function which will // identify the ID of the pattern selected in 'TARGET MODE' by cutting off the // last 4 characters of the target string (" (#)") and requesting the index of // the pattern from the PAT_NAME global array. // // @input: // i_CandleTarget - The string for the selected target pattern selected by // the user. // // @return: // int - The ID corresponding to the specified target pattern. // f_GetIDFromTarget() => strlen = str.length(i_CandleTarget) strlen -= 4 sub = str.substring(i_CandleTarget, 0, strlen) idNum = array.indexof(PAT_NAME, sub) idNum // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ______ __ _____ __ __ _ β•‘ // β•‘ /_ __/_______ ____ ____/ / / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ / / / ___/ _ \/ __ \/ __ / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ / / / / / __/ / / / /_/ / ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /_/ /_/ \___/_/ /_/\__,_/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ // β•‘ These inputs below will set the specific trends that patterns will be β•‘ // β•‘ compared against. Patterns which appear in an uptrend will only be found β•‘ // β•‘ when the close of the candle preceding the pattern is above the moving β•‘ // β•‘ average(s) set by these settings. β•‘ // β•‘ β•‘ //#region β•‘ // β•‘ TrendPrice - Price to use in determining trend direction for comparing β•‘ // β•‘ against the Moving Average(s). β•‘ // β•‘ β•‘ // β•‘ default: 'close' β•‘ // β•‘ dependencies: (GV)CURR_TREND β•‘ // β•‘ β•‘ // β•‘ MASetting - Setting for which of the two Moving Averages to use with β•‘ // β•‘ their respective settings for trend analysis. If set to β•‘ // β•‘ 'BOTH' then the Two Moving Average lengths will be compared β•‘ // β•‘ and used instead of the TrendPrice for comparison. (Shorter β•‘ // β•‘ MA above the longer MA will lead to 'uptrend' and vice β•‘ // β•‘ versa). β•‘ // β•‘ β•‘ // β•‘ options: ['MA 1', 'MA 2', 'BOTH'] β•‘ // β•‘ default: "MA 1" β•‘ // β•‘ dependencies: (GV)CURR_TREND, IN_UPTREND1 β•‘ // β•‘ β•‘ // β•‘ MAXType - (X ∈ [1,2]) Sets the type of Moving Average to use for β•‘ // β•‘ each of the Moving Averages. β•‘ // β•‘ β•‘ // β•‘ options: ['SMA', 'EMA', 'Volume Weighted', 'Weighted', β•‘ // β•‘ 'Hull', 'Symmetrical', 'Smoothed', 'Arnaud Legoux', β•‘ // β•‘ 'Least Squares'] β•‘ // β•‘ default: 'SMA' β•‘ // β•‘ dependencies: (GV) MAX, CURR_TREND, IN_UPTREND1 β•‘ // β•‘ β•‘ // β•‘ MAXLength - (X ∈ [1,2]) Trend tolerance to determine if this candle β•‘ // β•‘ pattern has occurred in an uptrend or downtrend. Uses β•‘ // β•‘ Simple Moving Average by default. β•‘ // β•‘ β•‘ // β•‘ range: 1 - 200 β•‘ // β•‘ default: 20 β•‘ // β•‘ dependencies: (GV)CURR_TREND β•‘ // β•‘ β•‘ // β•‘ MAXWidth - (X ∈ [1,2]) Width of the moving average to be displayed β•‘ // β•‘ on the chart. β•‘ // β•‘ β•‘ // β•‘ range: 1 - 4 β•‘ // β•‘ default: 1 β•‘ // β•‘ dependencies: (MAIN)p_MAX_PLOT (X ∈ [1,2]) β•‘ // β•‘ β•‘ // β•‘ MAXSource - (X ∈ [1,2]) Sets the source to use for each of the Moving β•‘ // β•‘ Averages. β•‘ // β•‘ β•‘ // β•‘ default: 'close' β•‘ // β•‘ dependencies: (GV)MA1, MA2 β•‘ // β•‘ β•‘ // β•‘ LSOffset - (Least Squares Moving Average only) Sets the offset to be β•‘ // β•‘ used for the Least Squares Moving Average. β•‘ // β•‘ β•‘ // β•‘ range: -500 - 500 β•‘ // β•‘ default: 0 β•‘ // β•‘ dependencies: (HM)f_GetMA β•‘ // β•‘ β•‘ // β•‘ ALFloor - (Arnaud Legoux Moving Average) Floors the ALMA offset β•‘ // β•‘ calculation before the moving average calculation. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (HM)f_GetMA β•‘ // β•‘ β•‘ // β•‘ ALOffset - (Arnaud Legoux Moving Average only) Sets the offset for β•‘ // β•‘ the Gaussian analysis applied by this MA type. Setting to 0 β•‘ // β•‘ will make this MA behave like a Simple Moving Average. β•‘ // β•‘ Setting to 1 will make this MA behave like an Exponential β•‘ // β•‘ Moving Average. β•‘ // β•‘ β•‘ // β•‘ range: 0 - 1 β•‘ // β•‘ default: 0.85 β•‘ // β•‘ step: 0.00001 β•‘ // β•‘ dependencies: (HM)f_GetMA β•‘ // β•‘ β•‘ // β•‘ ALSigma - (Arnaud Legoux Moving Average only) Standard deviation β•‘ // β•‘ that will be applied to this MA type. Affects smoothness of β•‘ // β•‘ the line generated by this MA. β•‘ // β•‘ β•‘ // β•‘ range: 1 - 12 β•‘ // β•‘ default: 6.00 β•‘ // β•‘ step: 0.0001 β•‘ // β•‘ dependencies: (HM)f_GetMA β•‘ //#endregion β•‘ // β•šXTREND═════════════════════════════════════════════════════════════════════╝ i_TrendPrice = input.source(title = "Trend Price Point", defval = close, group = TRENDS, tooltip = "Defines which price point to use " + "for determining trend direction with the Moving Average. If Trend Price " + "Point is above the Moving Average rule (IFF \" Moving Average Setting\" is " + "not 'BOTH') then the current trend is 'uptrend', 'downtrend' otherwise.") i_MASetting = input.string(title = "Moving Average Setting", defval = "MA 1", options = ["MA 1", "MA 2", "BOTH"], group = TRENDS, tooltip = "Utilizes whichever selected Moving Average settings to determine " + "trend direction. If \"BOTH\", lengths of moving averages will be compared; " + "If the shorter moving average is above the longer moving average, then " + "recognition will be 'uptrend', 'downtrend' otherwise. If the lengths of " + "the moving averages are the same, this will default to 'MA 1'.") i_MA1Type = input.string(title = "Moving Average 1 Type", options = ["SMA", "EMA", "Volume Weighted", "Weighted", "Hull", "Symmetrical", "Smoothed", "Arnaud Legoux", "Least Squares"], defval = "SMA", group = TRENDS) i_MA2Type = input.string(title = "Moving Average 2 Type", options = ["SMA", "EMA", "Volume Weighted", "Weighted", "Hull", "Symmetrical", "Smoothed", "Arnaud Legoux", "Least Squares"], defval = "SMA", group = TRENDS) i_MA1Length = input.int(defval = 20, title = "MA Length 1", minval = 1, maxval = 1000, group = TRENDS) i_MA2Length = input.int(defval = 50, title = "MA Length 2", minval = 1, maxval = 1000, group = TRENDS) i_MA1Width = input.int(defval = 1, title = "MA 1 Width", minval = 1, maxval = 4, group = TRENDS) i_MA2Width = input.int(defval = 1, title = "MA 2 Width", minval = 1, maxval = 4, group = TRENDS) i_MA1Source = input.source(title = "MA 1 Source", defval = close, group = TRENDS, tooltip = "Defines what source value to use for " + "MA 1.") i_MA2Source = input.source(title = "MA 2 Source", defval = close, group = TRENDS, tooltip = "Defines what source value to use for " + "MA 2.") // Special MA Settings i_LSOffset = input.int(defval = 0, title = "Least Squares Offset", minval = -500, maxval = 500, group = TRENDS) i_ALFloor = input.bool(title = "Arnaud Legoux Floor", defval = false, group = TRENDS) i_ALOffset = input.float(title = "Arnaud Legoux Gaussian Offset", minval = 0, maxval = 1.00, defval = 0.85, step = 0.00001, group = TRENDS, tooltip = "Offset for the Gaussian " + "function used by the Arnaud Legoux Moving Average. (0 makes this function " + "like an SMA, 1 makes this function like an EMA).") i_ALSigma = input.float(title = "Arnaud Legoux Sigma", defval = 6.00, minval = 1.00, maxval = 12.00, step = 0.0001, group = TRENDS, tooltip = "Adjusts the smoothness of the Arnaud Legoux Moving Average.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ________ _____ _ __ __ β•‘ // β•‘ / / ____/ / ___/ __(_) /______/ /_ ___ _____ β•‘ // β•‘ / / / \__ \ | /| / / / __/ ___/ __ \/ _ \/ ___/ β•‘ // β•‘ /_/ /___ ___/ / |/ |/ / / /_/ /__/ / / / __(__ ) β•‘ // β•‘ (_)\____/ /____/|__/|__/_/\__/\___/_/ /_/\___/____/ β•‘ // β•‘ β•‘ // β•‘ This section encompasses all switches associated with 1 candle patterns. β•‘ // β•‘ In the settings for this script, they will be placed directly above all β•‘ // β•‘ settings associated with 1 Candle Patterns. β•‘ // β•‘ β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_NDS = input.bool(defval = true, title = "ND", inline = "1C UPTREND", group = SET_1C, confirm = true) i_HMS = input.bool(defval = true, title = "HM", inline = "1C UPTREND", group = SET_1C, confirm = true) i_GUDS = input.bool(defval = true, title = "GUD", inline = "1C UPTREND", group = SET_1C, confirm = true) i_ShooS = input.bool(defval = true, title = "ShooStar", inline = "1C UPTREND", group = SET_1C, tooltip = "1 Candle Patterns (uptrend):\n\nND - " + "Northern Doji\nHM - Hanging Man\nGUD - Gapping Up Doji\nShooStar - Shooting " + "Star", confirm = true) i_GDDS = input.bool(defval = true, title = "GDD", inline = "1C DOWNTREND", group = SET_1C, confirm = true) i_SDS = input.bool(defval = true, title = "SD", inline = "1C DOWNTREND", group = SET_1C, confirm = true) i_RegHS = input.bool(defval = true, title = "H", inline = "1C DOWNTREND", group = SET_1C, confirm = true) i_TLS = input.bool(defval = true, title = "TL", inline = "1C DOWNTREND", group = SET_1C, tooltip = "1 Candle Patterns (downtrend):\n\nGDD " + "- Gapping Down Doji\nSD - Southern Doji\nH - Hammer\nTL - Takuri Line", confirm = true) i_LLDS = input.bool(defval = true, title = "LL", inline = "1C NO TREND.1", group = SET_1C, confirm = true) i_GSS = input.bool(defval = true, title = "GS", inline = "1C NO TREND.1", group = SET_1C, confirm = true) i_DFS = input.bool(defval = true, title = "DF", inline = "1C NO TREND.1", group = SET_1C, confirm = true) i_RSMS = input.bool(defval = true, title = "RSM", inline = "1C NO TREND.1", group = SET_1C, confirm = true) i_DS = input.bool(defval = true, title = "Doji", inline = "1C NO TREND.1", group = SET_1C, tooltip = "1 Candle Patterns (no trend pt.1):\n\n" + "LL - Long Legged Doji\nGS - Gravestone Doji\nDF - Dragonfly Doji\nRSM - " + "Rickshaw Man\nDoji - All Dojis", confirm = true) i_BLDS = input.bool(defval = true, title = "BLD", inline = "1C NO TREND.2", group = SET_1C, confirm = true) i_WLDS = input.bool(defval = true, title = "WLD", inline = "1C NO TREND.2", group = SET_1C, tooltip = "1 Candle Patterns (no trend pt.2):\n\n" + "BLD - Black Long Day\nWLD - White Long Day", confirm = true) // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ _________ _____ __ __ _ β•‘ // β•‘ < / ____/ / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ / / / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ / / /___ ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /_/\____/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ // β•‘ This section contains all settings associated with all 1 Candle patterns. β•‘ // β•‘ For the script's settings to have some ease-of-use for the user, I found β•‘ // β•‘ that I had to rearrange the settings into a specific order for them to β•‘ // β•‘ look right when the user wished to adjust how the script would behave. β•‘ // β•‘ Originally, I had all of the settings placed by their type (bool, int, β•‘ // β•‘ float, string, etc.) however this made managing these inputs difficult if β•‘ // β•‘ I needed to change something and was awful to look at. β•‘ // β•‘ β•‘ // β•‘ Breaking apart the 1,2, and 3 candle settings in this way will hopefully β•‘ // β•‘ provide users and developers alike a better ability to interact with β•‘ // β•‘ these settings and understand them/their function. β•‘ //#region β•‘ // β•‘ TCsample - Number of candles to consider in calculating most recent β•‘ // β•‘ body size average in determining if a candle is 'tall'. β•‘ // β•‘ β•‘ // β•‘ range: 1 - 21 β•‘ // β•‘ default: 14 β•‘ // β•‘ dependencies: (HM)f_IsTall β•‘ // β•‘ β•‘ // β•‘ TCSetting - Tall Candle Setting: Specifies which range will be used β•‘ // β•‘ in both the calculation and comparison portions in finding β•‘ // β•‘ 'tall' candles. β•‘ // β•‘ β•‘ // β•‘ options: ['RANGE', 'BODY'] β•‘ // β•‘ default: range β•‘ // β•‘ dependencies: (HM)f_IsTall, (HM)f_GenerateSecondary β•‘ // β•‘ β•‘ // β•‘ RANGE - Uses a sample of candle ranges (high - low) that β•‘ // β•‘ sets an average needed to be exceeded by the candle β•‘ // β•‘ range by [TCTolerance]% to be considered 'tall'. β•‘ // β•‘ BODY - Uses a sample of candle bodies (absolute value β•‘ // β•‘ of close - open) that sets an average needed to be β•‘ // β•‘ exceeded by the candle body by [TCTolerance]% to be β•‘ // β•‘ considered 'tall'. β•‘ // β•‘ β•‘ // β•‘ TCTol - (Tall Candle Specific) Tall candle tolerance is what will β•‘ // β•‘ dictate how tall a candle must be in relation to the avg of β•‘ // β•‘ the previous [TCsample] candles. A candle is considered β•‘ // β•‘ 'tall' if it is at least [TCTol] * the average body height β•‘ // β•‘ of the previous [TCsample] candles. β•‘ // β•‘ β•‘ // β•‘ range: 1.25 - 2.99 (125% - 299% average body length) β•‘ // β•‘ default: 1.50 (150%) β•‘ // β•‘ dependencies: (HM)f_IsTall β•‘ // β•‘ β•‘ // β•‘ HammerTol - Tolerance for Hammers. This value determines how large β•‘ // β•‘ the discarded wick (see f_IsHammerPat) may be in relation β•‘ // β•‘ to the body of the hammer. (The point of this is to β•‘ // β•‘ disregard hammers with wicks that are too large on the β•‘ // β•‘ short side.) β•‘ // β•‘ β•‘ // β•‘ range: 0 - 0.5 (0% - 50%) β•‘ // β•‘ default: 35% β•‘ // β•‘ dependencies: (LOG)[1]f_IsHammerPat β•‘ // β•‘ β•‘ // β•‘ DojiTol - Tolerance for Doji's. Assets with high values may not be β•‘ // β•‘ able to be "within a few pennies" in the open and closing β•‘ // β•‘ prices, but the change in value overall was minimal. β•‘ // β•‘ A doji can then be recognized the body of the candle being β•‘ // β•‘ a small percentage of the high-low range for that candle. β•‘ // β•‘ That way this will apply to high and low value assets. β•‘ // β•‘ β•‘ // β•‘ range: 0.005 - 0.10 (0.5% to 10%) β•‘ // β•‘ default: 0.04 (4%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘SimplifyNSDoji - (Northern and Southern Dojis) Allows for the user to β•‘ // β•‘ simplify Northern and Southern Doji recognition. If true, β•‘ // β•‘ trend direction is ignored -> (North/South)ern Dojis are β•‘ // β•‘ the same. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ GS_DFDojiShad - (Gravestone/Dragonfly Doji specific) Allows for the Grav- β•‘ // β•‘ estone and Dragonfly Doji variants to have a small shadow β•‘ // β•‘ instead matching the low/high of each. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘GS_DFDojiSSize - (Gravestone/Dragonfly Doji specific) Tolerance for how β•‘ // β•‘ large the shadows may be for a Gravestone/Dragonfly doji β•‘ // β•‘ and still be considered valid. Taken as a %age of the β•‘ // β•‘ high-low range. [requires [GS_DFDojiShad]] β•‘ // β•‘ β•‘ // β•‘ range: 0.001 - 0.05 (0.1% - 5%) β•‘ // β•‘ default: 0.02 (2%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ DojiWickBase - Changes the calculation that determines if a doji wick(s) β•‘ // β•‘ qualifies it to be a 'long legged' doji variant. β•‘ // β•‘ β•‘ // β•‘ options: ['RANGE', 'WICKS'] β•‘ // β•‘ default: wicks β•‘ // β•‘ dependencies: (LOG)[1]f_GetWickAverages, f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ RANGE - Doji wicks are considered 'tall' if the proportion β•‘ // β•‘ of the range they encompass exceeds the average proportion β•‘ // β•‘ of the previous [DojiWickSam] candles by [DLWT]%. β•‘ // β•‘ WICKS - Doji wicks are considered 'tall' if the size of the β•‘ // β•‘ wick exceeds the average size of the previous [DojiWickSam] β•‘ // β•‘ wicks by [DLWT]%. β•‘ // β•‘ β•‘ // β•‘ DojiWickSam - (Long Legged Doji and Rickshaw Man specific) Number of β•‘ // β•‘ candles to consider in calculating the average of wick β•‘ // β•‘ sizes for finding the Long Legged and Rickshaw Man Dojis. β•‘ // β•‘ β•‘ // β•‘ range: 1 - 21 β•‘ // β•‘ default: 14 β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ DojiTallWick - Optional argument to determine which tall wick dojis will β•‘ // β•‘ be considered valid. β•‘ // β•‘ β•‘ // β•‘ options: ['ONE', 'BOTH', 'AVG'] β•‘ // β•‘ default: 'ONE' β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ ONE - only one wicklength needs to exceed [LL_RSMWickTol]% β•‘ // β•‘ the size of the prior [DojiWickSam] candles. β•‘ // β•‘ 'BOTH' - both wicklengths need to exceed [LL_RSMWickTol]% β•‘ // β•‘ the size of the prior [DojiWickSam] candles. β•‘ // β•‘ 'AVG' - the average of the two wick lengths needs to exceed β•‘ // β•‘ [LL_RSMWickTol]% the size of the prior [DojiWickSam] β•‘ // β•‘ candles. β•‘ // β•‘ β•‘ // β•‘ DLWT - (Doji Long Wick Tolerance) Specifies how large the wick(s)β•‘ // β•‘ of Dojis must be compared to the average of the previous β•‘ // β•‘ [DojiWickSam] candles' wicks to be considered 'Long β•‘ // β•‘ Legged'.* β•‘ // β•‘ β•‘ // β•‘ range: 1.500 - 10.000 (150% - 1000%) β•‘ // β•‘ default: 3.000 (300%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ * See [DojiWickBase] for details on calculation differences β•‘ // β•‘ β•‘ // β•‘ RSMBodyTol - (Rickshaw Man specific) Tolerance for the body placement β•‘ // β•‘ of a Rickshaw Man doji. This will allow a Rickshaw Man to β•‘ // β•‘ be confirmed if the median price of the body is within β•‘ // β•‘ Β±[RSMBodyTol] of 0.5 (center of high-low range). β•‘ // β•‘ β•‘ // β•‘ range: 0.005 - 0.10 (0.5% to 10% deviation from center) β•‘ // β•‘ default: 0.05 (Β±5%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[1]f_IsDojiPat β•‘ // β•‘ β•‘ // β•‘ MaruType - Optional argument to allow the opening/closing variants β•‘ // β•‘ of Marubozu candles to be considered 'valid' in candlestick β•‘ // β•‘ patterns that require Marubozus. β•‘ // β•‘ β•‘ // β•‘ options: ['exclusive', 'inclusive'] [-3, -1]* β•‘ // β•‘ default: 'exclusive' β•‘ // β•‘ dependencies: (LOG)[2]f_IsKicking β•‘ // β•‘ (LOG)[3]f_IsThree β•‘ // β•‘ (LOG)[4]f_IsConcealingBabySwallow β•‘ // β•‘ β•‘ // β•‘ * For the logical expressions being checked by this, this β•‘ // β•‘ set of values represents the values that correspond to dif- β•‘ // β•‘ ferent types of Black Marubozu Candles. White will be repr- β•‘ // β•‘ esented with the range [3, 1]. β•‘ //#endregion β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_TCSample = input.int(defval = 14, title = "Tall Candle Sample Size", minval = 1, maxval = 21, group = SET_1C, tooltip = "The number of candles sampled to determine if a candle is 'tall'.") i_TCSetting = input.string(title = "Tall Candle Setting", options = ["RANGE", "BODY"], defval = "RANGE", tooltip = "Sets what values to use in calculating " + "if a candle is 'tall'.\n\nRANGE - averages the high-low ranges and compares" + " candle ranges to the averages.\n\nBODY - averages the absolute value of the " + "close-open values, comparing the size of the bodies of candles instead.", group = SET_1C) i_TCTol = input.float(title = "Tall Candle Tolerance", minval = 1.25, maxval = 2.99, step = 0.01, defval = 1.50, group = SET_1C, tooltip = "Requires candles to exceed " + "at least [Tall Candle Tolerance] * 100% * average size (default high-low " + "range, may also be body size) of the previous [Tall Candle Sample Size] " + "candles in order to be considered 'tall'.\n\nIMPORTANT FUNCTIONALITY NOTE: " + "This modifies behavior for at least 47 patterns in this script, they are as " + "follows.\n\nTwo Candle Patterns (20):\nDCC - BullDS - BearDS - HI - BullH\n" + "BullHC - BearH - BearHC - HP - BullK\nBearK - BullML - BearML - BullSL - " + "BearSL\nML - ON - IN - AS - BS\n\nThree Candle Patterns (18):\nDELIB - UG3M" + " - DG3M - 3ID - 3OD - 3IU\n3OU - MORND - MORN - EVED - EVE - IBC\nTBC - TWS" + " - 3SITS - UG2C - TC - U3RB\n\nFour/Five Candle Patterns (9):\nCBS - BU3LS - " + "BE3LS - BULLBA - BEARBA\nLB - MH - R3M - F3M") i_HammerTol = input.float(title = "Discarded Hammer Wick Length Tolerance", minval = 0, maxval = 0.5, step = 0.01, defval = 0.35, group = SET_1C, tooltip = "Specifies how large the discarded wick length may be " + "as a % of the candle body in order for a candle to be considered a 'valid' " + "hammer.\n\nIf the center of the candle body is above the midpoint of the " + "candle range, discarded wick length is the upper wick, lower wick otherwise.") i_DojiTol = input.float(title = "Doji Body Tolerance", minval = 0.005, maxval = 0.10, step = 0.001, defval = 0.04, group = SET_1C, tooltip = "Specifies how large the " + "candle body of a candle may be as a % of the range to be considered a " + "'valid' Doji.") i_SimplifyNSDoji = input.bool(defval = true, title = "Ignore (North/South)ern Dojis", group = SET_1C, tooltip = "Ignores trend direction in recognition of Doji candles with no " + "special attributes.") i_GS_DFDojiShad = input.bool(defval = false, title = "Allow Gravestone/Dragonfly Doji Shadows", group = SET_1C, tooltip = "Allows for the Gravestone/Dragonfly " + "Doji candles to have small shadows on their respective ends (upperwick on " + "Dragonfly, lowerwick on Gravestone).") i_GS_DFDojiSSize = input.float( title = "GS/DF Doji Shadow Tolerance", minval = 0.001, maxval = 0.05, step = 0.001, defval = 0.02, group = SET_1C, tooltip = "Specifies how large as a % " + "of the range the (no longer) ignored shadows of Gravestone and Dragonfly " + "Dojis may be to still be considered 'valid'.") i_DojiWickBase = input.string(defval = "WICKS", title = "Doji Wick Sample Base", options = ["RANGE", "WICKS"], tooltip = "Determines which measure will be used " + "in conjunction with \"Doji Wick Sample Size\" and \"Doji Long Wick " + "Tolerance\" to differentiate between \"Long Doji Wicks\" in special case " + "Doji candles.\n\nRANGE - The range of the previously sampled candles will " + "be used as a benchmark for how large wicks must be to be considered for " + "\"Long Doji Wicks\". Recommended range for \"Doji Long Wick Tolerance\" is " + "0.300 (A Doji wick is at least 30% the size of the average range for the " + "previously sampled candles) to 1.000.\n\nWICKS - The average size of both " + "the upper and lower wicks is used as a benchmark to compare the current " + "candle's wicks against. (Recommended range for \"Doji Long Wick Tolerance\" " + "is between 1.500 (150% the size of previous wicks) to 10.000", group = SET_1C) i_DojiWickSam = input.int(defval = 14, title = "Doji Wick Sample Size", minval = 1, maxval = 21, group = SET_1C, tooltip = "The number of candles to sample in determining average wick " + "lengths for special case Dojis. (Rickshaw Man, Long-Legged, Gravestone and " + "Dragonfly).") i_DojiTallWick = input.string(defval = "ONE", title = "Doji Long Wick Behavior", options = ["ONE", "BOTH", "AVG"], group = SET_1C, tooltip = "Defines how Long-Legged Dojis will be recognized.\n\n'ONE' - only " + "one wick length needs to exceed the [Doji Long Wick Tolerance] * 100% of " + "the average wick length of the previous [Doji Wick Sample Size] candles.* " + "\n\n'TWO' - Requires both wick lengths to exceed this* average.\n\n'AVG' - " + "The average of the two wick lengths are compared against the combined " + "average of the previous [Doji Wick Sample Size] candles.") i_DLWT = input.float(title = "Doji Long Wick Tolerance", minval = 1.500, maxval = 10.000, step = 0.001, defval = 3.000, group = SET_1C, tooltip = "Requires the wick length(s) " + "of a Doji Candle to exceed [Doji Long Wick Tolerance] * 100% * the average " + "of the previous [Doji Wick Sample Size] candles to be considered for any " + "long-legged variant.") i_RSMBodyTol = input.float(title = "RSM Body Tolerance", minval = 0.005, maxval = 0.10, step = 0.001, defval = 0.05, group = SET_1C, tooltip = "Specifies how close to the " + "center the body of a valid Doji candle with long wick lengths must be to be " + "considered a 'Rickshaw Man'.") i_MaruType = input.string(title = "Marubozu Type Recognition", defval = "EXCLUSIVE", options = ["EXCLUSIVE", "INCLUSIVE"], group = SET_1C, tooltip = "For patterns that require " + "Marubozu candles, this allows the program to restrict Marubozu patterns to " + "pure Marubozus ('EXCLUSIVE') or allow the opening/closing variants " + "('INCLUSIVE') to be accepted by these patterns.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ___ ______ _____ _ __ __ β•‘ // β•‘ |__ \ / ____/ / ___/ __(_) /______/ /_ ___ _____ β•‘ // β•‘ __/ // / \__ \ | /| / / / __/ ___/ __ \/ _ \/ ___/ β•‘ // β•‘ / __// /___ ___/ / |/ |/ / / /_/ /__/ / / / __(__ ) β•‘ // β•‘ /____/\____/ /____/|__/|__/_/\__/\___/_/ /_/\___/____/ β•‘ // β•‘ β•‘ // β•‘ This section encompasses all switches associated with 2 Candle Patterns. β•‘ // β•‘ In the script's settings, these switches will be placed directly above β•‘ // β•‘ all settings associated with patterns that have 2 candles. β•‘ // β•‘ β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_UTGS = input.bool(defval = true, title = "UTG", inline = "2C UPTREND.1", group = SET_2C, confirm = true) i_BEES = input.bool(defval = true, title = "BearEng", inline = "2C UPTREND.1", group = SET_2C, confirm = true) i_BESS = input.bool(defval = true, title = "BS", inline = "2C UPTREND.1", group = SET_2C, confirm = true) i_BEDSS = input.bool(defval = true, title = "BearDS", inline = "2C UPTREND.1", group = SET_2C, confirm = true) i_BEHS = input.bool(defval = true, title = "BearH", inline = "2C UPTREND.1", group = SET_2C, tooltip = "2 Candle Patterns (uptrend pt.1)\n\n" + "UTG - Upside Tasuki Gap\nBearEng - Bearish Engulfing\nBS - Below Stomach\n" + "BearDS - Bearish Doji Star\nBearH - Bearish Harami", confirm = true) i_BEHCS = input.bool(defval = true, title = "BearHC", inline = "2C UPTREND.2", group = SET_2C, confirm = true) i_TTS = input.bool(defval = true, title = "TT", inline = "2C UPTREND.2", group = SET_2C, confirm = true) i_LETS = input.bool(defval = true, title = "LET", inline = "2C UPTREND.2", group = SET_2C, confirm = true) i_BEMLS = input.bool(defval = true, title = "BearML", inline = "2C UPTREND.2", group = SET_2C, confirm = true) i_BUSLS = input.bool(defval = true, title = "BullSL", inline = "2C UPTREND.2", group = SET_2C, tooltip = "2 Candle Patterns (uptrend pt.2):\n\n" + "BearHC - Bearish Harami Cross\nTT - Tweezer Top\nLET - Last Engulfing Top\n" + "BearML - Bearish Meeting Lines\nBullSL - Bullish Separating Lines", confirm = true) i_SS2LS = input.bool(defval = true, title = "SS2L", inline = "2C UPTREND.3", group = SET_2C, confirm = true) i_RWS = input.bool(defval = true, title = "RW", inline = "2C UPTREND.3", group = SET_2C, confirm = true) i_DCCS = input.bool(defval = true, title = "DCC", inline = "2C UPTREND.3", group = SET_2C, tooltip = "2 Candle Patterns (uptrend pt.3):\n\n" + "SS2L - Shooting Star (2 Lines)\nRW - Rising Window\nDCC - Dark Cloud Cover", confirm = true) i_BUDSS = input.bool(defval = true, title = "BullDS", inline = "2C DOWNTREND.1", group = SET_2C, confirm = true) i_HIS = input.bool(defval = true, title = "HI", inline = "2C DOWNTREND.1", group = SET_2C, confirm = true) i_BUHCS = input.bool(defval = true, title = "BullHC", inline = "2C DOWNTREND.1", group = SET_2C, confirm = true) i_HPS = input.bool(defval = true, title = "HP", inline = "2C DOWNTREND.1", group = SET_2C, confirm = true) i_ONS = input.bool(defval = true, title = "ON", inline = "2C DOWNTREND.1", group = SET_2C, tooltip = "2 Candle Patterns (downtrend pt.1):\n\n" + "BullDS - Bullish Doji Star\nHI - " + "Hammer Inverted\nBullHC - Bullish Harami Cross\nHP - Homing Pigeon\nON - " + "On Neck", confirm = true) i_INS = input.bool(defval = true, title = "IN", inline = "2C DOWNTREND.2", group = SET_2C, confirm = true) i_ABSS = input.bool(defval = true, title = "AS", inline = "2C DOWNTREND.2", group = SET_2C, confirm = true) i_BUES = input.bool(defval = true, title = "BullEng", inline = "2C DOWNTREND.2", group = SET_2C, confirm = true) i_BUHS = input.bool(defval = true, title = "BullH", inline = "2C DOWNTREND.2", group = SET_2C, confirm = true) i_BUMLS = input.bool(defval = true, title = "BullML", inline = "2C DOWNTREND.2", group = SET_2C, tooltip = "2 Candle Patterns (downtrend pt.2):\n\n" + "IN - In Neck\nAS - Above Stomach\nBullEng - Bullish Engulfing\nBullH - " + "Bullish Harami\nBullML - Bullish Meeting Lines", confirm = true) i_PS = input.bool(defval = true, title = "Pierce", inline = "2C DOWNTREND.3", group = SET_2C, confirm = true) i_TS = input.bool(defval = true, title = "Thrust", inline = "2C DOWNTREND.3", group = SET_2C, confirm = true) i_LEBS = input.bool(defval = true, title = "LEB", inline = "2C DOWNTREND.3", group = SET_2C, confirm = true) i_MLS = input.bool(defval = true, title = "ML", inline = "2C DOWNTREND.3", group = SET_2C, confirm = true) i_BESLS = input.bool(defval = true, title = "BearSL", inline = "2C DOWNTREND.3", group = SET_2C, tooltip = "2 Candle Patterns (downtrend pt.3):\n\n" + "Pierce - Piercing\nThrust - Thrusting\nLEB - Last Engulfing Bottom\nML - " + "Matching Low\nBearSL - Bearish Separating Lines", confirm = true) i_TBS = input.bool(defval = true, title = "TB", inline = "2C DOWNTREND.4", group = SET_2C, confirm = true) i_2BGS = input.bool(defval = true, title = "2BG", inline = "2C DOWNTREND.4", group = SET_2C, confirm = true) i_FWS = input.bool(defval = true, title = "FW", inline = "2C DOWNTREND.4", group = SET_2C, tooltip = "2 Candle Patterns (downtrend pt.4):\n\n" + "TB - Tweezer Bottom\n2BG - Two Black Gapping\nFW - Falling Window", confirm = true) i_BEKS = input.bool(defval = true, title = "BearK", inline = "2C NO TREND", group = SET_2C, confirm = true) i_BUKS = input.bool(defval = true, title = "BullK", inline = "2C NO TREND", group = SET_2C, tooltip = "2 Candle Patterns (No Trend):\n\n" + "BearK - Bearish Kicking\nBullK - Bullish Kicking", confirm = true) // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ___ ______ _____ __ __ _ β•‘ // β•‘ |__ \ / ____/ / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ __/ // / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ / __// /___ ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /____/\____/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ //#region β•‘ // β•‘ EngIncl - Allows Engulfing candlesticks to include the Open/Close β•‘ // β•‘ prices of the candle being engulfed. This would allow the β•‘ // β•‘ case of the engulfing candle swapping the open/close prices β•‘ // β•‘ of the candle being engulfed β•‘ // β•‘ β•‘ // β•‘ default: true β•‘ // β•‘ dependencies: (HM)f_Engulfs β•‘ // β•‘ β•‘ // β•‘ OCincluded - Include Open and Close prices for candlestick patterns β•‘ // β•‘ that require candles to 'open within body' of another in β•‘ // β•‘ the pattern. β•‘ // β•‘ β•‘ // β•‘ default: false β•‘ // β•‘ dependencies: (HM)f_WithinVals β•‘ // β•‘ β•‘ // β•‘ KickingGap - (Kicking patterns specific) requires that the Kicking β•‘ // β•‘ patterns have a gap between the two candlesticks. (Extra β•‘ // β•‘ flexibility when dealing with the opening/closing variants β•‘ // β•‘ allowed to be considered by the user for these patterns). β•‘ // β•‘ β•‘ // β•‘ default: true β•‘ // β•‘ dependencies: (LOG)[2]f_IsKicking β•‘ // β•‘ β•‘ // β•‘ TallStom1/2 - (Above/Below the Stomach specific) requires that the β•‘ // β•‘ specified candle in the Above/Below the stomach patterns is β•‘ // β•‘ a tall candle. β•‘ // β•‘ β•‘ // β•‘ default: false/false β•‘ // β•‘ dependencies: (LOG)[2]f_IsStomach β•‘ // β•‘ β•‘ // β•‘ HammerInvTol - (Inverted Hammer specific) The two candle pattern β•‘ // β•‘ requires that the first candle closes near the low. This β•‘ // β•‘ tolerance will allow the user to input how close to this β•‘ // β•‘ candle's low the close may be to be considered valid (as a β•‘ // β•‘ percentage of the high-low range). β•‘ // β•‘ β•‘ // β•‘ range: 0.005 - 0.15 (0.5% - 15%) β•‘ // β•‘ default: 0.05 (5%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[1]f_isHammerPat β•‘ // β•‘ β•‘ // β•‘ LinesTol - Tolerance for the Lines patterns. For these four patterns β•‘ // β•‘ this tolerance will allow the user to specify how close β•‘ // β•‘ together the opens and closes of these patterns may be for β•‘ // β•‘ them to be considered valid (as a % of the high-low range β•‘ // β•‘ of the first candles in each pattern). β•‘ // β•‘ β•‘ // β•‘ range: 0.005 - 0.25 (0.5% - 25%) β•‘ // β•‘ default: 0.05 (5%) β•‘ // β•‘ step: 0.0001 (0.01%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsLines β•‘ // β•‘ β•‘ // β•‘ MatchLowTol - (Matching Low specific) Since it may be improbable that β•‘ // β•‘ high value assets will close near each other on two β•‘ // β•‘ consecutive bearish candles, this will allow some leeway as β•‘ // β•‘ to what may be considered valid for this pattern. (Serves β•‘ // β•‘ as a % difference from the close of C1 in this pattern.) β•‘ // β•‘ β•‘ // β•‘ range: 0 - 0.05 (0% - 5%) β•‘ // β•‘ default: 0 (0%) β•‘ // β•‘ step: 0.0001 (0.01%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsMatchLow β•‘ // β•‘ β•‘ // β•‘ OnNeckWickTol - (On Neck specific) Since the validity of the pattern will β•‘ // β•‘ be based upon how close to the low the second candle closes β•‘ // β•‘ as a function of the lower wick, this will act as a restri- β•‘ // β•‘ ction as to how large the lower wick may be as a function β•‘ // β•‘ of the high-low range. β•‘ // β•‘ β•‘ // β•‘ range: 0.05 - 0.25 (5% - 25% of high-low range) β•‘ // β•‘ default: 0.10 (10%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsNeck β•‘ // β•‘ β•‘ // β•‘ OnNeckTol - (On Neck specific) As a function of the lower wick on the β•‘ // β•‘ first candle in the pattern, this tolerance will give a β•‘ // β•‘ small range of values that the On Neck pattern will recogn- β•‘ // β•‘ ize as being valid above and below the low of the candle. β•‘ // β•‘ β•‘ // β•‘ range: 0.01 - 1.00 (1% - 100% size of lower wick) β•‘ // β•‘ default: 0.50 (50%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsNeck β•‘ // β•‘ β•‘ // β•‘ InNeckTol - (In Neck specific) Operates slightly differently than the β•‘ // β•‘ On Neck tolerance, this tolerance will set a maximum posit- β•‘ // β•‘ ion inside of the body of the previous that the second β•‘ // β•‘ candle may close under in order to be considered valid. β•‘ // β•‘ β•‘ // β•‘ range: 0 - 0.50 (C1 close [exclusive] to midpoint) β•‘ // β•‘ default: 0.15 (15% into body) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsNeck β•‘ // β•‘ β•‘ // β•‘ ThrustTol - (Thrusting specific) Tolerance for the range of values β•‘ // β•‘ that the second candle may close in between the midpoint β•‘ // β•‘ and the close (first candle is bearish) in order to be β•‘ // β•‘ considered valid. β•‘ // β•‘ β•‘ // β•‘ range: 0 - 1.00 (midpoint -> close) β•‘ // β•‘ default: 0.50 (first 25% of body size below midpoint) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsThrusting β•‘ // β•‘ β•‘ // β•‘ TweezerTol - (Tweezers Top/Bottom specific) Tolerance for the range of β•‘ // β•‘ values that both the Tweezers Top and Tweezers Bottom may β•‘ // β•‘ be in order to be considered valid. (As a percentage of the β•‘ // β•‘ high-low ranges of the first candle in each pattern β•‘ // β•‘ respectively). β•‘ // β•‘ β•‘ // β•‘ range: 0 - 0.10 (matching to 10% difference) β•‘ // β•‘ default: 0.025 (2.5%) β•‘ // β•‘ step: 0.00001 (0.001%) β•‘ // β•‘ dependencies: (LOG)[2]f_IsTweezer β•‘ //#endregion β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_EngulfSet = input.string(defval = "BODY", options = ["BODY", "RANGE", "BOTH"], title = "Engulfing Setting", group = SET_2C, tooltip = "Sets which values " + "will be used to define if a candle has 'engulfed' another.\n\nBODY - A " + "candle engulfs another if its body completely encloses the body of the " + "candle prior.\n\nRANGE - A candle engulfs another if its high and low range " + "completely covers the high low range of the previous candle.\n\nBOTH - All" + "engulfings described above will be recognized.") i_EngulfInc = input.bool(defval = false, title = "Inclusive Engulfing", group = SET_2C, tooltip = "If 'true', allows for the values of an engulfing " + "candle to match the values of the candle being engulfed.") i_OCincluded = input.bool(defval = false, title = "Include Open/Close in 'opens within body' patterns", tooltip = "The " + "patterns affected by this include:\n\nBullHC - BullH - BearHC - BearH - " + "HP - BullML - BullSL - BearML - BearSL - ML - ON - IN - Thrust - TB - TT - " + "ADV - DELIB - UG3M - DG3M - BullSBS - BearSBS - SAND - UTG - DTG - TBC - " + "TWS - 3SITS - TC - UG2C - U3RB - CBS", group = SET_2C) i_KickingGap = input.bool(defval = true, title = "Kicking Gap", group = SET_2C, tooltip = "Forces Kicking patterns to have a gap " + "if Marubozu Candle settings allow for the opening and closing variants of " + "Marubozu Candles.") i_TallStom1 = input.bool(defval = true, title = "Stomach Patterns - Tall C1", group = SET_2C, inline = "STOMACH CANDLES") i_TallStom2 = input.bool(defval = false, title = "Tall C2", group = SET_2C, inline = "STOMACH CANDLES", tooltip = "If true, then a 'Tall' candle will be " + "required for this pattern to be recognized as 'valid' in that candle " + "position.") i_HammerInvTol = input.float(title = "Inverted Hammer C1 Close Tolerance", minval = 0.005, maxval = 0.15, step = 0.001, defval = 0.05, group = SET_2C, tooltip = "Specifies how close to the low the " + "'close' of the first candle for the 'Hammer Inverted' pattern must be to be " + "considered 'valid'. (as a % of the range)\n\nValidity Calculation: " + "IHC1CT * (high-low) + low >= close.") i_LinesTol = input.float(title = "Lines Patterns Opens/Closes Tolerance", minval = 0.001, maxval = 0.25, step = 0.0001, defval = 0.05, group = SET_2C, tooltip = "Specifies how close the opens/closes " + "the second candle in Separating/Meeting Lines patterns (respectively) must " + "be to the first candle in order to be considered 'valid'.\n\nCalculation: " + "c2 open/close within c1 open/close Β± LPO/CT * 100%.") i_MatchLowTol = input.float(title = "Matching Low Tolerance", minval = 0, maxval = 0.15, step = 0.0001, defval = 0, group = SET_2C, tooltip = "Specifies some leeway (if any) given " + "to the 'Matching Low' pattern for the closes on both candles to be similar " + "(rather than exact).\n\nCalculated as a % of the first candle's range.") i_OnNeckWickTol = input.float(title = "On Neck Wick Size Tolerance", minval = 0.05, maxval = 0.25, step = 0.001, defval = 0.10, group = SET_2C, tooltip = "Determines how close to the low that " + "the first candle in the 'On Neck' pattern must close in order for it to be " + "considered 'valid'. (Checks what % of the range the lower wick of the " + "candle is, if the wick exceeds this % then the pattern is invalidated.)") i_OnNeckTol = input.float(title = "On Neck Tolerance", minval = 0.01, maxval = 1.00, step = 0.001, defval = 0.50, group = SET_2C, tooltip = "Determines how far into the lower wick " + "(from the close of the first candle) the second candle of an 'On Neck' " + "pattern must close to be considered 'valid'.") i_InNeckTol = input.float(title = "In Neck Tolerance", minval = 0, maxval = 0.50, step = 0.001, defval = 0.15, group = SET_2C, tooltip = "Defines the upper limit (as a % of the " + "candle body) that the close of the second candle of an 'In Neck' pattern " + "may be into the first candle body to be considered 'valid'.") i_ThrustTol = input.float(title = "Thrusting Tolerance", minval = 0, maxval = 1.00, step = 0.001, defval = 0.50, group = SET_2C, tooltip = "Defines the % (from midpoint to close) " + "portion that the close of the second candle must be within to be considered " + "a 'valid' Thrusting pattern.") i_TweezerTol = input.float(title = "Tweezer Tolerance", minval = 0, maxval = 0.10, step = 0.00001, defval = 0.025, group = SET_2C, tooltip = "Defines how close to the high/low " + "(as a % of the high or low for the first candle) the high/low of the second " + "candle must be to be considered 'valid' in either 'Tweezers' pattern.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ _____ ______ _____ _ __ __ β•‘ // β•‘ |__ // ____/ / ___/ __(_) /______/ /_ ___ _____ β•‘ // β•‘ /_ </ / \__ \ | /| / / / __/ ___/ __ \/ _ \/ ___/ β•‘ // β•‘ ___/ / /___ ___/ / |/ |/ / / /_/ /__/ / / / __(__ ) β•‘ // β•‘ /____/\____/ /____/|__/|__/_/\__/\___/_/ /_/\___/____/ β•‘ // β•‘ β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_BEABS = input.bool(defval = true, title = "BearAB", inline = "3C UPTREND.1", group = SET_3C, confirm = true) i_COLS = input.bool(defval = true, title = "CD", inline = "3C UPTREND.1", group = SET_3C, confirm = true) i_ESDS = input.bool(defval = true, title = "EVED", inline = "3C UPTREND.1", group = SET_3C, confirm = true) i_ESS = input.bool(defval = true, title = "EVE", inline = "3C UPTREND.1", group = SET_3C, confirm = true) i_IBCS = input.bool(defval = true, title = "IBC", inline = "3C UPTREND.1", group = SET_3C, tooltip = "3 Candle Patterns (uptrend pt.1):\n\n" + "BearAB - Bearish Abandoned Baby\nCD - Collapsing Doji Star\nEVED - Evening " + "Doji Star\nEVE - Evening Star\nIBC - Identical Black Crows", confirm = true) i_TBCS = input.bool(defval = true, title = "TBC", inline = "3C UPTREND.2", group = SET_3C, confirm = true) i_3ODS = input.bool(defval = true, title = "3OD", inline = "3C UPTREND.2", group = SET_3C, confirm = true) i_3IDS = input.bool(defval = true, title = "3ID", inline = "3C UPTREND.2", group = SET_3C, confirm = true) i_BETSS = input.bool(defval = true, title = "BearTS", inline = "3C UPTREND.2", group = SET_3C, confirm = true) i_TCS = input.bool(defval = true, title = "TC", inline = "3C UPTREND.2", group = SET_3C, tooltip = "3 Candle Patterns (uptrend pt.2):\n\n" + "TBC - Three Black Crows\n3OD - Three Outside Down\n3ID - Three Inside Down\n" + "BearTS - Bearish Tri-Star\nTC - Two Crows", confirm = true) i_UG3MS = input.bool(defval = true, title = "UG3M", inline = "3C UPTREND.3", group = SET_3C, confirm = true) i_ADVS = input.bool(defval = true, title = "ADV", inline = "3C UPTREND.3", group = SET_3C, confirm = true) i_DELS = input.bool(defval = true, title = "DELIB", inline = "3C UPTREND.3", group = SET_3C, confirm = true) i_BUSBSS = input.bool(defval = true, title = "BullSBS", inline = "3C UPTREND.3", group = SET_3C, confirm = true) i_UG2CS = input.bool(defval = true, title = "UG2C", inline = "3C UPTREND.3", group = SET_3C, tooltip = "3 Candle Patterns (uptrend pt.3):\n\n" + "UG3M - Upside Gap Three Methods\nADV - Advance Block\nDELIB - Deliberation\n" + "BullSBS - Bullish Side-by-Side\nUG2C - Upside Gap Two Crows", confirm = true) i_BESBSS = input.bool(defval = true, title = "BearSBS", inline = "3C DOWNTREND.1", group = SET_3C, confirm = true) i_SANS = input.bool(defval = true, title = "SAND", inline = "3C DOWNTREND.1", group = SET_3C, confirm = true) i_U3RBS = input.bool(defval = true, title = "U3RB", inline = "3C DOWNTREND.1", group = SET_3C, confirm = true) i_BUABS = input.bool(defval = true, title = "BullAB", inline = "3C DOWNTREND.1", group = SET_3C, confirm = true) i_DG3MS = input.bool(defval = true, title = "DG3M", inline = "3C DOWNTREND.1", group = SET_3C, tooltip = "3 Candle Patterns (downtrend pt.1):\n\n" + "BearSBS - Bearish Side-By-Side\nSAND - Stick Sandwich\nU3RB - Unique Three " + "River Bottom\nBullAB - Bullish Abandoned Baby\nDG3M - Downside Gap Three " + "Methods", confirm = true) i_DTGS = input.bool(defval = true, title = "DTG", inline = "3C DOWNTREND.2", group = SET_3C, confirm = true) i_MSDS = input.bool(defval = true, title = "MORND", inline = "3C DOWNTREND.2", group = SET_3C, confirm = true) i_MSS = input.bool(defval = true, title = "MORN", inline = "3C DOWNTREND.2", group = SET_3C, confirm = true) i_3IUS = input.bool(defval = true, title = "3IU", inline = "3C DOWNTREND.2", group = SET_3C, confirm = true) i_3OUS = input.bool(defval = true, title = "3OU", inline = "3C DOWNTREND.2", group = SET_3C, tooltip = "3 Candle Patterns (downtrend pt.2):\n\n" + "DTG - Downside Tasuki Gap\nMORND - Morning Doji\nStar\nMORN - Morning" + " Star\n3IU - Three Inside Up\n3OU - Three Outside Up", confirm = true) i_SITSS = input.bool(defval = true, title = "3SITS", inline = "3C DOWNTREND.3", group = SET_3C, confirm = true) i_TWSS = input.bool(defval = true, title = "TWS", inline = "3C DOWNTREND.3", group = SET_3C, confirm = true) i_BUTSS = input.bool(defval = true, title = "BullTS", inline = "3C DOWNTREND.3", group = SET_3C, tooltip = "3 Candle Patterns (downtrend pt.3):\n\n" + "3SITS - Three Stars In The South\nTWS - Three White Soldiers\nBullTS - " + "Bullish Tri-Star", confirm = true) // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ _____ ______ _____ __ __ _ β•‘ // β•‘ |__ // ____/ / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ /_ </ / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ ___/ / /___ ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /____/\____/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ //#region β•‘ // β•‘ ForceDelibGap - (Deliberation Specific) Forces Candle three to gap above β•‘ // β•‘ Candle two in the Deliberation pattern. β•‘ // β•‘ β•‘ // β•‘ default: true β•‘ // β•‘ dependencies: (LOG)[3]f_IsDeliberation β•‘ // β•‘ β•‘ // β•‘ DelibGapTol - Tolerance for Deliberation. Deliberation requires that β•‘ // β•‘ the final candle in the pattern opens near the close of the β•‘ // β•‘ previous candle. This will include values at or below the β•‘ // β•‘ candle, and this range is found as a function of this tole- β•‘ // β•‘ rance multiplied by the body of Candle two Β± the closing β•‘ // β•‘ price. Lower values may be excluded with [ForceDelibGap] β•‘ // β•‘ being set to 'true'. To include the closing price, set β•‘ // β•‘ [OCincluded] to 'true'. β•‘ // β•‘ β•‘ // β•‘ range: 0.005 - 0.25 (0.5% - 25%) β•‘ // β•‘ default: 0.10 (10%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsDeliberation β•‘ // β•‘ β•‘ // β•‘ DelibC3Size - Tolerance for Deliberation. The third candle in a Delibe- β•‘ // β•‘ ration pattern may need to vary in size. This tolerance β•‘ // β•‘ will allow the third candle a little more room to be consi- β•‘ // β•‘ dered 'valid' in this pattern. In use, this tolerance will β•‘ // β•‘ be multiplied by the average size of the first two candles β•‘ // β•‘ of the pattern. β•‘ // β•‘ β•‘ // β•‘ range: 0.10 - 0.75 (10% - 75%) β•‘ // β•‘ default: 0.33 (33%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsDeliberation β•‘ // β•‘ β•‘ // β•‘ TwoCShadEx - (Two Crows Specific) Excludes the shadows of the gapping β•‘ // β•‘ candle (candle 2) in either Two Crows patterns. β•‘ // β•‘ β•‘ // β•‘ default: true β•‘ // β•‘ dependencies: (LOG)[3]f_IsTwoCrows β•‘ // β•‘ β•‘ // β•‘ IBCT - (Identical Black Crow specific) This input is meant to β•‘ // β•‘ give leeway as to what will be considered valid in the β•‘ // β•‘ Identical Black Crows pattern. The candles in the pattern β•‘ // β•‘ will be considered valid if they are within Β±this % of the β•‘ // β•‘ average size of the candles of the pattern. β•‘ // β•‘ β•‘ // β•‘ range: 0 - 0.75 (0% - 75%) β•‘ // β•‘ default: 0.25 (25%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsThree β•‘ // β•‘ β•‘ // β•‘ OC_3CTol - Open/Close Tolerance (3 candlestick patterns specific). β•‘ // β•‘ For candlestick patterns that require the open price of one β•‘ // β•‘ or more candles to be 'close' to the closing price of the β•‘ // β•‘ previous candle. Booleans will yield true if the open price β•‘ // β•‘ is found to be within [OC_3CTol]% the body. β•‘ // β•‘ β•‘ // β•‘ range: 0.01 - 0.35 (1% - 35%) β•‘ // β•‘ default: 0.03 (3%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsThree β•‘ // β•‘ β•‘ // β•‘ SITSCandle1 - (Star in the South specific) Tolerance for where the mid- β•‘ // β•‘ dle of the body for the first candle in the Star in the β•‘ // β•‘ South pattern must be. Body position is found by adding the β•‘ // β•‘ open and close of the candle together and dividing by two, β•‘ // β•‘ then subtracting the low and dividing that result by the β•‘ // β•‘ high-low range for that candle. Candles with a middle body β•‘ // β•‘ closer to the high will have a body position greater than β•‘ // β•‘ 0.5 and for the first candle in this pattern to be valid it β•‘ // β•‘ must be above the [SITSCandle1] tolerance. β•‘ // β•‘ β•‘ // β•‘ range: 0.50 - 0.95 (middle of body to 5% below high) β•‘ // β•‘ default: 0.60 β•‘ // β•‘ step: 0.01 β•‘ // β•‘ dependencies: (LOG)[3]f_IsThree β•‘ // β•‘ β•‘ // β•‘ SITSCandle2 - (Star in the South specific) Tolerance for how different β•‘ // β•‘ the second candlestick in a Star in the South pattern can β•‘ // β•‘ be to be considered 'valid'. This will serve in two β•‘ // β•‘ calculations: β•‘ // β•‘ β•‘ // β•‘ 1st: determine if body position of candle 2 is within β•‘ // β•‘ Β±[SITSCandle2]% the body position of candle 1. β•‘ // β•‘ β•‘ // β•‘ 2nd: determine if the body size ratio of candle 2 is β•‘ // β•‘ within Β±[SITSCandle2]% of the body size ratio to candle β•‘ // β•‘ 1. Body size ratio for the candles is found by dividing β•‘ // β•‘ the body by the high-low range. β•‘ // β•‘ β•‘ // β•‘ These two calculations will ensure that not only is the β•‘ // β•‘ second candle body positioned similarly to the first, but β•‘ // β•‘ that the relative size of the body in relation to its high- β•‘ // β•‘ low range of both candles is also similar. β•‘ // β•‘ β•‘ // β•‘ range: 0.01 - 0.50 (1% - 50%) β•‘ // β•‘ default: 0.20 (20%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsThree β•‘ // β•‘ β•‘ // β•‘ SITSC2MaxProp - (Star in the South specific) Tolerance for how large the β•‘ // β•‘ second candle in the Star in the South may be in relation β•‘ // β•‘ to the high-low range of the first candle. (This prevents β•‘ // β•‘ a SITS pattern from being valid if the second candle is β•‘ // β•‘ proportionally similar to the first but larger). β•‘ // β•‘ β•‘ // β•‘ range: 0.20 - 0.95 (20% - 95%) β•‘ // β•‘ default: 0.75 (75%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsThree β•‘ // β•‘ β•‘ // β•‘ SBSTolerance - (Side By Side patterns specific) Tolerance for how diffe- β•‘ // β•‘ rent the final two candles in the Side By Side candlestick β•‘ // β•‘ patterns may be. This changes how much leeway from candle 2 β•‘ // β•‘ to candle 3 may be in body size/opening and closing prices. β•‘ // β•‘ See f_IsSBS for details. β•‘ // β•‘ β•‘ // β•‘ range: 0.05 - 0.50 (5% - 50%) β•‘ // β•‘ default: 0.15 (15%) β•‘ // β•‘ dependencies: (LOG)[3]f_IsSBS β•‘ // β•‘ β•‘ // β•‘ StickSandTol - Tolerance for Stick Sandwich. This tolerance modifies how β•‘ // β•‘ close to the closing price candle 3 may be in relation to β•‘ // β•‘ the closing price of candle 1 in the stick sandwich pattern.β•‘ // β•‘ This will allow candle 3 to be valid in a Stick Sandwich β•‘ // β•‘ pattern if the close is within [StickSandTol]% the size of β•‘ // β•‘ candle 1's body added/subtracted from its close. β•‘ // β•‘ β•‘ // β•‘ range: 0.05 - 0.33 (5% - 33%) β•‘ // β•‘ default: 0.10 (10%) β•‘ // β•‘ dependencies: (LOG)[3]f_isStickSand β•‘ //#endregion β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_ForceDelibGap = input(defval = true, title = "Force Deliberation C2 - C3 Gap", group = SET_3C) i_DelibGapTol = input.float(title = "Deliberation Gap Tolerance", minval = 0.005, maxval = 0.25, step = 0.001, defval = 0.10, group = SET_3C, tooltip = "Determines how close to the close of " + "Candle 2 (as a Β±% of the body size) Candle 3 must open. Use 'Force Delibe" + "ration C2 - C3 Gap' to limit opens to gapping on the third candle.") i_DelibC3Size = input.float(title = "Deliberation 3rd Candle Tolerance", minval = 0.10, maxval = 0.75, defval = 0.33, group = SET_3C, tooltip = "Defines how large the third candle in this pattern may be relative " + "to the average size of the first and second candles.") i_TwoCShadEx = input.bool(defval = true, title = "Exclude Shadows in Two Crows", group = SET_3C, tooltip = "Changes the Two Crows patterns mechanics and invalidates the " + "pattern if the low of C2 does not gap C1 close.") i_IBCT = input.float(title = "Identical Black Crow Tolerance", minval = 0, maxval = 0.75, step = 0.001, defval = 0.25, group = SET_3C, tooltip = "Defines how large the Β±% deviation of " + "each candle body may be compared to the average size of the three candles " + "in the 'Identical Black Crows' pattern for the candles to be considered " + "'valid'.") i_OC_3CTol = input.float(title = "Open/Close Tolerance (3 candlesticks)", minval = 0.01, maxval = 0.35, step = 0.001, defval = 0.03, group = SET_3C, tooltip = "Multi-Purpose:\n\nThree White Soldiers: " + "Defines how close (as a % of the candle range) to the highs the three " + "candles in the 'Three White Soldiers' must close to be considered 'valid'." + "\n\nThree Black Crows: Defines how close (as a % of the candle range) to " + "the lows the three candles in the 'Three Black Crows' must close to be " + "considered 'valid'.") i_SITSCandle1 = input.float(title = "Three Stars In The South C1 Body Pos Tolerance", minval = 0.50, maxval = 0.95, step = 0.01, defval = 0.60, group = SET_3C, tooltip = "Defines where the middle of the body " + "for the first candle in the Stars In the South must be above (as a part of " + "the range) to be considered 'valid'.") i_SITSCandle2 = input.float(title = "Three Stars In The South C2 Deviation Tolerance", minval = 0.01, maxval = 0.50, step = 0.001, defval = 0.20, group = SET_3C, tooltip = "Multi-Purpose:\n\nDefines the accepted " + "range for where the midpoint of the second candle body may be in relation " + "to the first.\n\nDefines the accepted range the % of the second candle's " + "range the body may be relative to the first.\n\nLayman's Terms: \"Is the " + "center of the second body similar to the first? Are the body sizes " + "relatively the same compared to their respective ranges?\"") i_SITSC2MaxProp = input.float(title = "Star in the South Candle 2 Max Proportion", minval = 0.20, maxval = 0.95, step = 0.001, defval = 0.75, group = SET_3C, tooltip = "If the first two candles are similar " + "to each other, this defines the maximum size the second candle's range may " + "be compared to the first to be considered 'valid'.") i_SBSTolerance = input.float(title = "Side By Side Tolerance", minval = 0.05, maxval = 0.50, defval = 0.15, group = SET_3C, tooltip = "Defines how close to the opens/closes of Candle 2 Candle 3 must " + "open and close to be considered 'valid'.") i_StickSandTol = input.float(title = "Stick Sand Tolerance", minval = 0.05, maxval = 0.33, defval = 0.10, group = SET_3C, tooltip = "Defines how close to the close of Candle 1 (as a % of the candle " + "body) that Candle 3 must close to be considered 'valid'.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ __ ______ _____ __ __ _ β•‘ // β•‘ / // / / ____/ / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ / // /_/ / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ /__ __/ /___ ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /_/ \____/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ // β•‘ This section is comprised of both the switches and settings for all 4 β•‘ // β•‘ candle patterns that are recognized by this script. β•‘ // β•‘ β•‘ // β•‘ CBSC3Tol - (Concealing Baby Swallow Specific) Tolerance for candle β•‘ // β•‘ three in the Concealing Baby Swallow pattern. Allows the β•‘ // β•‘ user to specify how small/large the body of the third β•‘ // β•‘ candle may be in relation to the size of the candle's upper β•‘ // β•‘ wick. β•‘ // β•‘ β•‘ // β•‘ range: 0.10 - 1.00 ([upperwick : body] 10:1 - 1:1) β•‘ // β•‘ default: 0.50 (2:1) β•‘ // β•‘ dependencies: (LOG)[4]f_IsConcealingBabySwallow β•‘ // β•‘ β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_BU3LSS = input.bool(defval = true, title = "Bull3LS", inline = "4C PATTERNS", group = SET_4C, confirm = true) i_LBS = input.bool(defval = true, title = "LB", inline = "4C PATTERNS", group = SET_4C, confirm = true) i_BE3LSS = input.bool(defval = true, title = "Bear3LS", inline = "4C PATTERNS", group = SET_4C, confirm = true) i_CBSS = input.bool(defval = true, title = "CBS", inline = "4C PATTERNS", group = SET_4C, tooltip = "4 Candle Patterns:\n\nUptrend:\nBull3LS" + " - Bullish Three Line Strike\n\nDowntrend:\nLB - Ladder Bottom\nBear3LS - " + "Bearish Three Line Strike\nCBS - Concealing Baby Swallow", confirm = true) i_CBSC3Tol = input.float(title = "Concealing Baby Swallow Candle 3 Tolerance", minval = 0.10, maxval = 1.00, defval = 0.50, group = SET_4C, tooltip = "Defines the % size relative to the upperwick the body of the " + "third candle may be to be considered 'valid'.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ ____________ _____ __ __ _ β•‘ // β•‘ / ____/ ____/ / ___/___ / /_/ /_(_)___ ____ ______ β•‘ // β•‘ /___ \/ / \__ \/ _ \/ __/ __/ / __ \/ __ `/ ___/ β•‘ // β•‘ ____/ / /___ ___/ / __/ /_/ /_/ / / / / /_/ (__ ) β•‘ // β•‘ /_____/\____/ /____/\___/\__/\__/_/_/ /_/\__, /____/ β•‘ // β•‘ /____/ β•‘ // β•‘ β•‘ // β•‘ This section is comprised of both the switches and settings for all 5 β•‘ // β•‘ candle patterns recognized by this script. β•‘ //#region β•‘ // β•‘ LBC4WickMin - (Ladder Bottom Specific) Ladder Bottom Body Lower %. β•‘ // β•‘ This tolerance specifies the minimum size, as a % of the β•‘ // β•‘ candle's high-low range, the upper wick of candle four β•‘ // β•‘ must be. β•‘ // β•‘ β•‘ // β•‘ range: 0.01 - 0.75 (1% - 75%) β•‘ // β•‘ default: 0.20 (20%) β•‘ // β•‘ step: 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[5]f_IsLadderBottom β•‘ // β•‘ β•‘ // β•‘ LBC4WickMax - (Ladder Bottom Specific) Ladder Bottom Body Upper %. β•‘ // β•‘ This tolerance specifies the maximum size, as a % of the β•‘ // β•‘ candle's high-low range, the body of candle four may be. β•‘ // β•‘ β•‘ // β•‘ range: LBC4BodyMin - 1.00 (variable - 100%) β•‘ // β•‘ default: 0.50 (50%) β•‘ // β•‘ step = 0.001 (0.1%) β•‘ // β•‘ dependencies: (LOG)[5]f_IsLadderBottom β•‘ //#endregion β•‘ // β•šβ•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β•β• i_BEBAS = input.bool(defval = true, title = "BearBA", inline = "5C PATTERNS", group = SET_5C, confirm = true) i_MHS = input.bool(defval = true, title = "MH", inline = "5C PATTERNS", group = SET_5C, confirm = true) i_R3MS = input.bool(defval = true, title = "R3M", inline = "5C PATTERNS", group = SET_5C, confirm = true) i_F3MS = input.bool(defval = true, title = "F3M", inline = "5C PATTERNS", group = SET_5C, confirm = true) i_BUBAS = input.bool(defval = true, title = "BullBA", inline = "5C PATTERNS", group = SET_5C, tooltip = "5 Candle Patterns:\n\nUptrend:\nBearBA " + "- Bearish Breakaway\nMH - Mat Hold\nR3M - Rising Three Methods\n\nDowntrend:" + "\nF3M - Falling Three Methods\nBullBA - Bullish Breakaway", confirm = true) i_LBC4WickMin = input.float(title = "LBC4 Upper Wick Min %", minval = 0.01, maxval = 0.75, defval = 0.50, step = 0.001, inline = "LBC4W", group = SET_5C) i_LBC4WickMax = input.float(title = "Max %", minval = 0.01, maxval = 1.00, defval = 0.90, step = 0.001, inline = "LBC4W", group = SET_5C, tooltip = "These two values define a range of values the Ladder Bottom's Upper " + "wick may be as a proportion of the range to be valid.\n\nNote: Min % must " + "be greater than Max %, otherwise an error will be thrown.") // Error handling on inputs if i_LBC4WickMin > i_LBC4WickMax runtime.error("Ladder Bottom's Wick Min % must be less than the " + "specified Max %.") // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ __ __ __ ___ __ __ __ β•‘ // β•‘ / // ___ / ___ ___ ____ / |/ ___ / /_/ / ___ ___/ ___ β•‘ // β•‘ / _ / -_/ / _ / -_/ __/ / /|_/ / -_/ __/ _ / _ / _ (_-< β•‘ // β•‘ /_//_/\__/_/ .__\__/_/ /_/ /_/\__/\__/_//_\___\_,_/___/ β•‘ // β•‘ /_/ β•‘ // β•‘ β•‘ // β•‘ Many methods used in this section will be used repeatedly throughout this β•‘ // β•‘ script to perform basic logical operations like determining if a candle β•‘ // β•‘ is bullish or returning the average body size of the most recent candles. β•‘ // β•‘ β•‘ // β•šXHELPERS═══════════════════════════════════════════════════════════════════╝ // This function will append the given return array with a new return. It will // also update all relevant statistics for that return array: // The array's size // Array's average // Array's median // Array's standard deviation // Which polarity of returns this pattern has impacted // // @inputs: // i_(Nega/Posi)tiveRetTol - These two inputs specify which polarities to // change dependent upon the _returnVal to be added. // // If the _returnVal is: // <= i_NegativeRetTol -> increment negative val // > i_NegativeRetTol & < i_PositiveRetTol -> // increment neutral val // >= i_PositiveRetTol -> increment positive val // // @params: // returnArray _r - The return array that corresponds to this pattern. // float _returnVal - The value to add to the returnArray's collection and // generate statistics from. // // @return: // void // f_AddReturnAndUpdate(returnArray _r, float _returnVal) => array.push(_r.returns, _returnVal) polarityToInc = _returnVal <= i_NegRetTol ? 0 : _returnVal > i_NegRetTol and _returnVal < i_PosRetTol ? 1 : 2 currPolVal = array.get(_r.polarities, polarityToInc) array.set(_r.polarities, polarityToInc, currPolVal + 1) _r.size := _r.size + 1 _r.stdDev := array.stdev(_r.returns) _r.median := array.median(_r.returns) _r.avg := array.avg(_r.returns) // Append Tooltip is a helper method which will take in a string and place that // string at the end of the tooltip for the label of a pattern, updating the // tooltip in the process. This is necessary as PineScrypt currently does not // have a label.get_tooltip function. // // @params: // patternObj _pat - The pattern object to modify the tooltip of. // string _tip - The tip to be appended to the end of that label tooltip. // // @return: // void // f_AppendTooltip(patternObj _pat, string _tip) => _pat.labelTooltip += _tip label.set_tooltip(_pat.patLabel, _pat.labelTooltip) // Display Stats on Label will take all of the relevant statistics from a // returnArray matrix entry for a specific pattern, and display them onto the // tooltip of the pattern's label. When the user scrolls over the pattern label, // it will display: // // - The partition of the chart the pattern has been found in. // - ("BREAKOUT" mode only) The breakout direction of the pattern. // - The number of previous instances. // - The median return for that pattern. // - The average return for that pattern. // - The standard deviation of returns for that pattern. // - A 95% confidence interval of the expected return for this pattern. // - The current number of negative, neutral, and positive returns this pattern // has experienced. // // If the pattern has not occurred at least i_MinRetsNeeded times, it will // instead specify an 'return stats unavailable' message with the remaining number // of patterns needed. // // @input: // i_MinRetsNeeded - The number of patterns that need to occur before the // statistics of the pattern is displayed on the tooltip. // // @params: // patternObj _p - The pattern to assess data from (partition) and the // label/tooltip to be modified. // returnArray _r - The returnArray that contains all stats on the pattern // that has occurred. // // @return: // void // f_DisplayStatsOnLabel(patternObj _p, returnArray _r) => updateTooltip = "" sizeStr = str.tostring(_r.size) partString = switch _p.part 0 => "Upper" 1 => "Middle" 2 => "Lower" partString := partString + " Section" breakoutDirStr = "" if i_DetectionType == "BREAKOUT" breakoutDirStr := (_p.breakoutDir == 1 ? " (Upward" : " (Downward") + " breakout)" if _r.size >= i_MinRetsNeeded stdDevStr = str.tostring(_r.stdDev, "#.####") medianStr = str.tostring(_r.median, "#.####") averageStr = str.tostring(_r.avg, "#.####") // CONFIDENCE INTERVAL CALC (ASSUMES NORMAL DISTRIBUTION): // CI = avg Β± (Z * (Οƒ / √n)) // Z -> Z-score for 95% intervals (~1.96) // Οƒ -> standard deviation of the set // n -> number of elements in the set CILower = str.tostring(_r.avg - (1.96 * (_r.stdDev / math.sqrt(_r.size))), "#.####") + "%" CIUpper = str.tostring(_r.avg + (1.96 * (_r.stdDev / math.sqrt(_r.size))), "#.####") + "%" negReturns = array.get(_r.polarities, 0) neuReturns = array.get(_r.polarities, 1) posReturns = array.get(_r.polarities, 2) totReturns = negReturns + neuReturns + posReturns negRetStr = str.tostring(negReturns) + " (" + str.tostring((negReturns / totReturns) * 100, "#.####") + "%)" neuRetStr = str.tostring(neuReturns) + " (" + str.tostring((neuReturns / totReturns) * 100, "#.####") + "%)" posRetStr = str.tostring(posReturns) + " (" + str.tostring((posReturns / totReturns) * 100, "#.####") + "%)" combinedString = "\nReturn Stats:\nPartition: "+ partString + "\nPrevious Instances: " + sizeStr + "\nMedian Return: " + medianStr + "%" + "\nAverage Return: " + averageStr + "%" + "\nStandard Deviation: Β±" + stdDevStr + "%" + "\n95% Confidence Interval: [" + CILower + ", " + CIUpper + "]" + "\nNegative Returns: " + negRetStr + "\nNeutral Returns: " + neuRetStr + "\nPositive Returns: " + posRetStr updateTooltip := breakoutDirStr + combinedString else updateTooltip := breakoutDirStr + "\nReturn Stats (Unavailable):\nPartition: " + partString + "\nPrevious Instances: " + sizeStr + "\n\n" + str.tostring(i_MinRetsNeeded - _r.size) + " more patterns needed." f_AppendTooltip(_p, updateTooltip) // Override Previous is a unique helper function which will cause this hunter to // absorb smaller patterns that are completely encapsulated by a larger pattern. // When patterns are absorbed, the switch for overriding those patterns is set // to true, and checked down the line when percent returns are being calculated // for that pattern. Patterns with a 'true' overridden value will not have their // returns calculated. // // @param: // patternObj[] _overrides - An array that contains a specific number of // previous TEST_VAL (see global vars) patterns. From // left to right, the number of candles a pattern may // have in this set to be absorbed increases by 1. * // // * This will result in the following using a three candle pattern as an example: // The previous two TEST_VAL values will be historically referenced and passed to // this function. // On the first candle of that pattern, candle patterns of size 1 will be absorbed. // On the second candle, candle patterns of size 2 will be absorbed and so on. // This prevents a 3 candle pattern which was found on the first candle of a new // 3 candle pattern from being absorbed. // // NOTE: Patterns selected in TARGET MODE will not be absorbed by larger patterns, // but the returns for all values // // @return: // void, will trigger alerts if enabled. // f_OverridePrevious(patternObj[] _overrides) => // Edge case at beginning of charts if not na(_overrides) sizeOfArr = array.size(_overrides) for i = 0 to sizeOfArr - 1 currPat = array.get(_overrides, i) if not na(currPat) // Special case: do not override patterns selected by target mode if not (i_CandleDetSet == "TARGET MODE" and currPat.ID == f_GetIDFromTarget()) // Only absorb patterns that are less than/equal to the current // number of candles than the numerical position of the candle // in the larger pattern. if currPat.size <= (i + 1) currPat.overridden := true label.delete(currPat.patLabel) currPat.labelTooltip := "" f_AlertOnOverrides(currPat) // Helper function to return the proper moving average (with its length) to the // variable that requests it. // // NOTE: Symmetrical moving average does not require a specified length, see // https://www.tradingview.com/pine-script-reference/v5/#fun_ta{dot}swma for // details. (Using multiple Symmetrical Moving Averages is effectively useless // for this program, but is included as a feature instead. Padded protection // to prevent the user from using multiple SWMAs has been added.) // // Other moving average functions will be directly copied from PineScrypt's // built in functions (Smoothed and Least Squares). // //----------------------------NOTE VERSION #(v5)-------------------------------- // // @inputs: // (Arnaud Legoux Specific) // i_ALOffset - Smoothness/Responsiveness tradeoff value (0 - 1) // i_ALSigma - General Smoothness (larger value -> more smooth) // i_ALFloor - (optional) Floors Offset pre ALMA calculations. // // (See: https://www.tradingview.com/pine-script-reference/v5/#fun_ta{dot}alma) // // // (Linear Regression MA specific) // i_LSOffset - Offset to used for the Least Squares Moving Average. // // @params: // _MAType - input type of Moving Average to return. // _MALength - Length of the MA to return. // _source - Source input to use for the MA to return. // // @return: // movAvg - series[] moving average function specified by _MAType // f_GetMA(_MAType, _MALength, _source) => switch(_MAType) "SMA" => ta.sma(_source, _MALength) "EMA" => ta.ema(_source, _MALength) "Volume Weighted" => ta.vwma(_source, _MALength) "Weighted" => ta.wma(_source, _MALength) "Hull" => ta.hma(_source, _MALength) "Symmetrical" => ta.swma(_source) "Smoothed" => smma = 0.0 smma := smma[1] ? ta.sma(_source, _MALength) : (smma[1] * (_MALength - 1) + _source) / _MALength smma "Arnaud Legoux" => ta.alma(_source, _MALength, i_ALOffset, i_ALSigma, i_ALFloor) => ta.linreg(_source, _MALength, i_LSOffset) // Returns a tuple containing the higher and lower of the two prices given to it // (will be mainly used in the sense where candlestick color does not matter but // the pattern requires the open/close price of said candle). // // If a candle is bearish, then the opening price will be higher than the closing // price. // // @params: // _c open - opening price of this candle. // close - closing price of this candle. // // @return: // higher - the higher of these two candles. // lower - the lower of these two candles. // // @dependencies: // (HM)f_IsMarubozu // (HM)f_Engulfs // (HM)f_WithinVals // (GV)f_IsDojiPat // (LOG)[3]f_IsStar // (LOG)[5]f_IsBreakaway // (LOG)[5]f_IsMatHold // (LOG)[5]f_IsThreeMethods // f_GetHigherLowerTuple(_copen, _cclose) => higher = math.max(_copen, _cclose) lower = math.min(_copen, _cclose) [higher, lower] // Returns a tuple containing the range of values that would be considered valid // when a non-definite answer is needed. Values will be returned in upper/lower // order. // // definite: 'open', 'high', 'low', 'close' (and for the purposes of // this program, some values derived from these [see Global // Variables - Secondary values]) // non-definite: 'near', 'close to' // // The way this method will be used is for added flexibility so multiple logic // functions may use it and specify their own tolerances. Diminishing effects // may be added to account for outlier candlesticks (like long days with // extremely large bodies being a part of a candlestick pattern that uses this // function). // // @params: // _cvalue - A candle value for tolerizing. // _cbody - A proportion value to tolerize _cvalue by. // _tolerance - The proportion of _cbody to tolerize _cvalue by. // // @return: // upperLim - the upper limit for the adjusted _cvalue given // lowerLim - the lower limit for the adjusted _cvalue given. // // @dependencies: // (GV)f_IsDojiPat // (LOG)[2]f_IsLines // (LOG)[2]f_IsMatchLow // (LOG)[2]f_IsTweezer // (LOG)[3]f_IsDeliberation // (LOG)[3]f_IsSBS // (LOG)[3]f_IsStickSandwich // f_GetTolerancedValueTuple(_cvalue, _cbody, _tolerance) => lowerLim = (_cvalue - (_cbody * _tolerance)) upperLim = (_cvalue + (_cbody * _tolerance)) [upperLim, lowerLim] // Returns the average body size of the previous [i_TCSample] candles. Starting // at the candle before the first candle to be tested for patterns. // // @input: // i_TCSetting - Tall Candle Setting: Determines which to use for the body // values in defining "tall" candles: either range (high - low) // or body abs(close - open). // i_TCSample - The number of candles to back test for average candle size. // // @return: // float - average requested size of the previous [i_TCSample] candles. // // @dependencies: // (HM)f_IsTall (below) // (LOG)[1]f_IsLongDay // f_TallCandlePrevAvg() => bodyVal = i_TCSetting == "RANGE" ? high - low : math.abs(close - open) // Second candle is back tested to get average up to the first candle // back (candle tested for single-candle patterns) float sizeAvg = math.sum(bodyVal[2], i_TCSample) / i_TCSample sizeAvg // Returns true if the given candlestick body is at least [TCTol * 100]% the // size of the average [TCsample] previous candlesticks. // // @inputs: // i_TCTol - Tolerance for how much larger this candle must be to be // considered 'tall'. // // @params: // _candlesize - Size of this candle's body/range. // // @return: // bool - true if this candle's body size is at least [TCTol * 100]% the // average size of the previous [TCsample] candles. // - false otherwise. // // @dependencies: // (HM)f_GenerateSecondary [below] // f_IsTall(_candleSize) => avgBody = f_TallCandlePrevAvg() math.abs(_candleSize) >= avgBody * i_TCTol // Generates all the secondary derivative values with the input candlestick // (code reduction). // // @inputs: // i_TCSetting - Sets which range will be used in determining if a candle // is tall. // // @params: // _CX_OPEN - open of the given candle. // _CX_HIGH - high of the given candle. // _CX_LOW - low of the given candle. // _CX_CLOSE - close of the given candle. // // @returns: // CX_BODY - (float) Body of the candle. // CX_ISBULLISH - (boolean) true/false if candle is bullish (open < close). // CX_ISBEARISH - (boolean) true/false if candle is bearish (~CX_ISBULLISH). // CX_UPPERWICK - (float) upper wick of the candle. // CX_LOWERWICK - (float) lower wick of the candle. // CX_RANGE - (float) high - low range of the candle. // CX_MIDPRICE - (float) middle price of body. // CX_BODYPOS - (float) position of CX_MIDPRICE in the high-low range. // CX_ISTALL - (boolean) true/false if the candle body exceeds i_TCTol% // of the average. // f_GenerateSecondary(_CX_OPEN, _CX_HIGH, _CX_LOW, _CX_CLOSE) => CX_BODY = _CX_CLOSE - _CX_OPEN CX_ISBULLISH = CX_BODY >= 0 CX_ISBEARISH = not CX_ISBULLISH CX_UPPERWICK = CX_ISBULLISH ? _CX_HIGH - _CX_CLOSE : _CX_HIGH - _CX_OPEN CX_LOWERWICK = CX_ISBULLISH ? _CX_OPEN - _CX_LOW : _CX_CLOSE - _CX_LOW CX_RANGE = _CX_HIGH - _CX_LOW CX_MIDPRICE = (_CX_OPEN + _CX_CLOSE) / 2 CX_BODYPOS = (CX_MIDPRICE - _CX_LOW) / CX_RANGE CX_ISTALL = f_IsTall(i_TCSetting == "RANGE" ? CX_RANGE : CX_BODY) [CX_BODY, CX_ISBULLISH, CX_ISBEARISH, CX_UPPERWICK, CX_LOWERWICK, CX_RANGE, CX_MIDPRICE, CX_BODYPOS, CX_ISTALL] // Returns true if this candle is a Marubozu: It has no upper or lower shadow // or both. // // @params: // _c high - given high of this candle. // open - given open of this candle. // close - given close of this candle. // low - given low of this candle. // // @return: // int - 3 if the candle is a White Marubozu // - 2 if the candle is an Opening White Marubozu // - 1 if the candle is a Closing White Marubozu // - -3 if the candle is a Black Marubozu // - -2 if the candle is a Closing Black Marubozu // - -1 if the candle is an Opening Black Marubozu // - 0 if NOTA. // // @dependencies: // (LOG)[2]f_IsKicking // (LOG)[3]f_IsThree // (LOG)[4]f_IsConcealingBabySwallow // f_IsMarubozu(_copen, _chigh, _clow, _cclose) => [higher, lower] = f_GetHigherLowerTuple(_copen, _cclose) cBody = _cclose - _copen cIsBullish = cBody >= 0 if cIsBullish opening = _clow == lower closing = _chigh == higher opening and closing ? 3 : opening ? 2 : closing ? 1 : 0 else closing = _clow == lower opening = _chigh == higher opening and closing ? -3 : closing ? -2 : opening ? -1 : 0 // Returns true if candle 2 engulfs candle 1. Candle color is ignored here as to // allow functions that call this helper method to enforce candle color. // // Ex: // 1 2 // β–„ // β–€ β–“ // // @input: // i_InclEngOC - Allows engulfing candles that have the same opening or // closing price (or both) // // @params: // _c2 FirstVal - given value of candle 2. // SecondVal - given value of candle 2. // _c1 FirstVal - given value of candle 1. // SecondVal - given value of candle 1. // // @return: // bool - true if candle 2 engulfs candle 1. // - false otherwise. // // @dependencies: // (LOG)[2]f_Is2CEngulfing // (LOG)[3]f_Is3InAndOut // (LOG)[3]f_IsTwoCrows // (LOG)[4]f_IsConcealingBabySwallow // f_Engulfs(_c2FirstVal, _c2SecondVal, _c1FirstVal, _c1SecondVal) => [tallerHigher, tallerLower] = f_GetHigherLowerTuple(_c2FirstVal, _c2SecondVal) [shorterHigher, shorterLower] = f_GetHigherLowerTuple(_c1FirstVal, _c1SecondVal) if i_EngulfInc tallerHigher >= shorterHigher and tallerLower <= shorterLower else tallerHigher > shorterHigher and tallerLower < shorterLower // Returns whether or not the supplied candle price is within the other two // values given to it. (Many chart patterns depend on this working correctly). // // @inputs: // i_OCincluded - Boolean to include the given prices in the range. // // @params: // _c 1price - candle 1 price. // 2price1 - candle 2 first price. // 2close2 - candle 2 second price. // // @return: // bool - true if the given price is within the supplied price range. // - false otherwise. // // @dependencies: // (LOG)[1]f_IsDojiPat // (LOG)[2]f_IsHarami // (LOG)[2]f_IsHomingPige // (LOG)[2]f_IsLines // (LOG)[2]f_IsMatchLow // (LOG)[2]f_IsNeck // (LOG)[2]f_IsThrusting // (LOG)[2]f_IsTweezer // (LOG)[3]f_IsAdvanceBlock // (LOG)[3]f_IsDeliberation // (LOG)[3]f_IsGap3Methods // (LOG)[3]f_IsSBS // (LOG)[3]f_IsStickSandwich // (LOG)[3]f_IsTasukiGap // (LOG)[3]f_IsThree // (LOG)[3]f_IsTwoCrows // (LOG)[3]f_IsUnique3RB // (LOG)[4]f_IsConcealingBabySwallow // f_WithinVals(_c1price, _c2price1, _c2price2) => [higher, lower] = f_GetHigherLowerTuple(_c2price1, _c2price2) if i_OCincluded _c1price >= lower and _c1price <= higher else _c1price > lower and _c1price < higher // Helper function which determines a % change between two prices given a // number of candles to go back (modified by some offset if provided). // // @params: // _length - The number of candles to find a difference in price between. // _offset - A number of candles to shift the calculation to the left by. // // Calculation: // (close[_offset] - open[_length + _offset]) / open[_length + _offset] * 100. // // @return: // float - value representing the % price difference from the open to the // close [_length] candles ahead. // f_CalculatePercentReturn(int _length, int _offset) => openAt = open[_length + _offset] closeTo = close[_offset] percentReturn = ((closeTo - openAt) / openAt) * 100 percentReturn // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ _______ __ __ _ __ _ __ __ β•‘ // β•‘ / ___/ ___ / / ___ _/ / | | / ___ _____(____ _/ / / ___ ___ β•‘ // β•‘ / (_ / / _ \/ _ / _ `/ / | |/ / _ `/ __/ / _ `/ _ \/ / -_(_-< β•‘ // β•‘ \___/_/\___/_.__\_,_/_/ |___/\_,_/_/ /_/\_,_/_.__/_/\__/___/ β•‘ // β•‘ β•‘ // β•‘ Global variables for this program that store data to be used by all the β•‘ // β•‘ logic functions will be placed here. Doing this will cut down on β•‘ // β•‘ unnecessary calls for information that has already been accessed and β•‘ // β•‘ allows for their reuse/modification. PineScrypt's property of applying β•‘ // β•‘ this entire script to every individual candlestick is the main driving β•‘ // β•‘ factor behind this design. β•‘ // β•‘ β•‘ // β•‘ Each candlestick will be using the CX_ notation with a descriptor after β•‘ // β•‘ the underscore that corresponds to the element of that candle, and the β•‘ // β•‘ candle number (X) will be from the set of integers [1,2,3,4,5]. β•‘ // β•‘ β•‘ // β•‘ #################### IMPORTANT FUNCTIONALITY NOTE ####################### β•‘ // β•‘ β•‘ // β•‘ Since candlestick patterns will be analyzed from left to right, C1_ will β•‘ // β•‘ correspond to the fifth candle back, C2_ the fourth, and so on. In this β•‘ // β•‘ code, notations may appear in reverse to utilize the built in historical β•‘ // β•‘ reference ([]) for efficiency (less function calls). β•‘ // β•‘ β•‘ // β•‘ ######################################################################### β•‘ // β•‘ β•‘ // β•‘ Each cX_ candle will have the following variables for each candle: β•‘ // β•‘ β•‘ // β•‘ Primary: (direct access from built-ins: open, high, low, close) β•‘ // β•‘ open - open of this candle β•‘ // β•‘ high - high of this candle β•‘ // β•‘ low - low of this candle β•‘ // β•‘ close - close of this candle β•‘ // β•‘ β•‘ // β•‘ Secondary: (derived values from the stored primary values of each candle) β•‘ // β•‘ body - (close - open) of this candle β•‘ // β•‘ isbullish - true/false if the candle body is positive β•‘ // β•‘ isbearish - true/false if the candle body is negative β•‘ // β•‘ upperwick - the upperwick for this candle (see ?:) β•‘ // β•‘ lowerwick - the lowerwick for this candle (see ?:) β•‘ // β•‘ range - the (high - low) range for this candle β•‘ // β•‘ midprice - the middle price of the body, ([open + close] / 2) β•‘ // β•‘ bodypos - the placement of the median price of this candle based on β•‘ // β•‘ the high-low range. (Valued between 0 [low of candle] and 1 β•‘ // β•‘ [high of candle].) β•‘ // β•‘ istall - Determines if the candle is tall based upon the specified β•‘ // β•‘ number of candlesticks to sample for average size as well β•‘ // β•‘ as specified tolerance values (see i_TCTol). β•‘ // β•‘ β•‘ // β•‘ The final trend variables will be used in determining if the candle prior β•‘ // β•‘ to each candle pattern (accounting for the number of candles per pattern) β•‘ // β•‘ is in an uptrend or downtrend. (Ex: For a candlestick pattern that has 3 β•‘ // β•‘ candles, the fourth candle will determine the current trend based on the β•‘ // β•‘ specified moving average [default is close]) β•‘ // β•‘ β•‘ // β•‘ The section for determining if a candle is a Doji has also been moved to β•‘ // β•‘ below these global variables as specific parts of candles prior to the β•‘ // β•‘ one that most recently closed is required. β•‘ // β•‘ β•‘ // β•šXGLOBVARS══════════════════════════════════════════════════════════════════╝ //------------------------ MAIN CALL BLOCK GLOBAL VARS ------------------------- // IMPORTANT GLOBAL VAR -> This value will be what is compared to determine if a // pattern has appeared. The value of this variable changing will prevent further // execution of functions which determine the appearance of candlestick patterns. patternObj TEST_VAL = na // Setup matrix sizing var int MATRIX_ROWS = array.size(PAT_NAME) var int MATRIX_COLS = i_DetectionType == "CLASSIC" ? 3 : 6 var matrix<returnArray> PERCENT_RETURNS = matrix.new<returnArray>(MATRIX_ROWS, MATRIX_COLS, na) // Used to avoid referencing 'na' blocks of the matrix for highest/lowest return // calculation (see f_MatrixMinMax). var point[] RETURN_POSITIONS = array.new<point>() // These values correspond to non-special Doji pattern IDs, as well as // 4 two-candle Doji patterns var int[] DOJI_VALID_COMPS = array.from(23, 25, 20, 21, 6, 7, 8, 9, 14) // Coloration values to be used with barcolor() barColTup[] BAR_COLOR_VALS = array.new<barColTup>() color[] CANDLE_COLOR_ARR = array.new<color>(5, na) CURR_CLOSE = close CURR_BARSTATE = barstate.isconfirmed //------------------------------------------------------------------------------ // 1st candle back C5_OPEN = open[1] C5_HIGH = high[1] C5_LOW = low[1] C5_CLOSE = close[1] [C5_BODY, C5_ISBULLISH, C5_ISBEARISH, C5_UPPERWICK, C5_LOWERWICK, C5_RANGE, C5_MIDPRICE, C5_BODYPOS, C5_ISTALL] = f_GenerateSecondary(C5_OPEN, C5_HIGH, C5_LOW, C5_CLOSE) // 2nd candle back C4_OPEN = open[2] C4_HIGH = high[2] C4_LOW = low[2] C4_CLOSE = close[2] C4_BODY = C5_BODY[1] C4_ISBULLISH = C5_ISBULLISH[1] C4_ISBEARISH = not C4_ISBULLISH C4_UPPERWICK = C5_UPPERWICK[1] C4_LOWERWICK = C5_LOWERWICK[1] C4_RANGE = C5_RANGE[1] C4_MIDPRICE = C5_MIDPRICE[1] C4_BODYPOS = C5_BODYPOS[1] C4_ISTALL = C5_ISTALL[1] C4_HIGHEST = math.max(C4_HIGH, C5_HIGH) C4_LOWEST = math.min(C4_LOW, C5_LOW) // 3rd candle back C3_OPEN = open[3] C3_HIGH = high[3] C3_LOW = low[3] C3_CLOSE = close[3] C3_BODY = C5_BODY[2] C3_ISBULLISH = C5_ISBULLISH[2] C3_ISBEARISH = not C3_ISBULLISH C3_UPPERWICK = C5_UPPERWICK[2] C3_LOWERWICK = C5_LOWERWICK[2] C3_RANGE = C5_RANGE[2] C3_MIDPRICE = C5_MIDPRICE[2] C3_BODYPOS = C5_BODYPOS[2] C3_ISTALL = C5_ISTALL[2] C3_HIGHEST = math.max(C3_HIGH, C4_HIGHEST) C3_LOWEST = math.min(C3_LOW, C4_LOWEST) // 4th candle back C2_OPEN = open[4] C2_HIGH = high[4] C2_LOW = low[4] C2_CLOSE = close[4] C2_BODY = C5_BODY[3] C2_ISBULLISH = C5_ISBULLISH[3] C2_ISBEARISH = not C2_ISBULLISH C2_UPPERWICK = C5_UPPERWICK[3] C2_LOWERWICK = C5_LOWERWICK[3] C2_RANGE = C5_RANGE[3] C2_MIDPRICE = C5_MIDPRICE[3] C2_BODYPOS = C5_BODYPOS[3] C2_ISTALL = C5_ISTALL[3] C2_HIGHEST = math.max(C2_HIGH, C3_HIGHEST) C2_LOWEST = math.min(C2_LOW, C3_LOWEST) // 5th candle back C1_OPEN = open[5] C1_HIGH = high[5] C1_LOW = low[5] C1_CLOSE = close[5] C1_BODY = C5_BODY[4] C1_ISBULLISH = C5_ISBULLISH[4] C1_ISBEARISH = not C1_ISBULLISH C1_UPPERWICK = C5_UPPERWICK[4] C1_LOWERWICK = C5_LOWERWICK[4] C1_RANGE = C5_RANGE[4] C1_MIDPRICE = C5_MIDPRICE[4] C1_BODYPOS = C5_BODYPOS[4] C1_ISTALL = C5_ISTALL[4] C1_HIGHEST = math.max(C1_HIGH, C2_HIGHEST) C1_LOWEST = math.min(C1_LOW, C2_LOWEST) // Trend values setup MA1 = f_GetMA(i_MA1Type, i_MA1Length, i_MA1Source) MA2 = f_GetMA(i_MA2Type, i_MA2Length, i_MA2Source) SHORTER_MA = i_MA1Length < i_MA2Length ? MA1 : MA2 LONGER_MA = i_MA1Length > i_MA2Length ? MA1 : MA2 CURR_TREND = i_MASetting == "MA 1" or (i_MASetting == "BOTH" and i_MA1Length == i_MA2Length) or (i_MA1Type == "Symmetrical" and i_MA2Type == "Symmetrical") ? MA1 : i_MASetting == "MA 2" ? MA2 : na // Grab trend for each of the candle patterns. These global variables will // indicate the trend at the candle prior to the first candle in each of the // candlestick patterns identified based upon their length. // // IE: If the candlestick pattern is 3 candles, the fourth candle's i_TrendPrice // will be compared against the current moving average. If above, it's in an // uptrend; if below, it's in a downtrend. IN_UPTREND1 = i_MASetting != "BOTH" or i_MA1Length == i_MA2Length or (i_MA1Type == "Symmetrical" and i_MA2Type == "Symmetrical" and i_MASetting == "BOTH") ? i_TrendPrice[2] > CURR_TREND[2] : SHORTER_MA[2] > LONGER_MA[2] IN_DOWNTREND1 = not IN_UPTREND1 IN_UPTREND2 = IN_UPTREND1[1] IN_DOWNTREND2 = not IN_UPTREND2 IN_UPTREND3 = IN_UPTREND1[2] IN_DOWNTREND3 = not IN_UPTREND3 IN_UPTREND4 = IN_UPTREND1[3] IN_DOWNTREND4 = not IN_UPTREND4 IN_UPTREND5 = IN_UPTREND1[4] IN_DOWNTREND5 = not IN_UPTREND5 // Request.security calls for determining partitioning BARINDREF = request.security(syminfo.tickerid, i_PartRes, bar_index) BARINDTERN = BARINDREF > i_PartRefLen ? i_PartRefLen : BARINDREF + 1 HIGHREF = request.security(syminfo.tickerid, i_PartRes, ta.highest(high, BARINDTERN)) LOWREF = request.security(syminfo.tickerid, i_PartRes, ta.lowest(low, BARINDTERN)) UPPERSECTION = ((HIGHREF - LOWREF) * (i_PartUpperLim / 100)) + LOWREF LOWERSECTION = ((HIGHREF - LOWREF) * (i_PartLowerLim / 100)) + LOWREF // These plot/fill calls are kept here to avoid confusion with the relevant // global vars associated with each. REFLINE = plot(series = i_PartBGEnabled ? HIGHREF : na, title = "High Ref Line", color = COLOR_INVIS, editable = false) UPPERLINE = plot(series = i_PartBGEnabled ? UPPERSECTION : na, title = "Upper Limit Line", color = COLOR_INVIS, editable = false) LOWERLINE = plot(series = i_PartBGEnabled ? LOWERSECTION : na, title = "Lower Limit Line", color = COLOR_INVIS, editable = false) PSEUDOZEROLINE = plot(series = i_PartBGEnabled ? LOWREF : na, title = "Zero Line", color = COLOR_INVIS, editable = false) fill(plot1 = REFLINE, plot2 = UPPERLINE, color = UPPER_COLOR_MOD, editable = false) fill(plot1 = UPPERLINE, plot2 = LOWERLINE, color = MIDDLE_COLOR_MOD, editable = false) fill(plot1 = LOWERLINE, plot2 = PSEUDOZEROLINE, color = LOWER_COLOR_MOD, editable = false) // Use historical reference when finding the partition the pattern was in from // the size of the pattern itself. PRICE_PARTITION1 = C4_CLOSE >= UPPERSECTION[1] ? 0 : C4_CLOSE < UPPERSECTION[1] and C4_CLOSE > LOWERSECTION[1] ? 1 : 2 PRICE_PARTITION2 = PRICE_PARTITION1[1] PRICE_PARTITION3 = PRICE_PARTITION1[2] PRICE_PARTITION4 = PRICE_PARTITION1[3] PRICE_PARTITION5 = PRICE_PARTITION1[4] //--------------------- CONSTANT DEPENDENT HELPER FUNCTIONS -------------------- // (BREAKOUT mode) BarColTup Contains (BCC) is an out-of-place helper function // which determines if the two values supplied to it are contained in the // BAR_COLOR_VALS array of barColTup objects. If the array contains a barColTup // object which has the same offset provided to this function, all number of // candles values below the barColTup's numCandles field with that offset will // yield true. This is for patterns which break out, as the offset corresponds // to the number of candles required for the pattern to break out, and the // numCandles field corresponds to the number of candles in the pattern that had // broken out. This will back paint patterns from the Processing color to the // generated color that pattern should be colored based on prior performance. // // @params: // _offset - The number of candles back being checked for back painting. // _numCandles - The number of candles the pattern must be [below/equal to] // to paint. // // @return: // bool - true if the BAR_COLOR_VALS global array contains a matching offset // and greater numCandles value than what was provided to this function // (back paint). false otherwise (no back paint) // f_BCContains(int _offset, int _numCandles) => size = array.size(BAR_COLOR_VALS) retVal = false if size != 0 for i = 0 to size - 1 barColV = array.get(BAR_COLOR_VALS, i) offsetToComp = barColV.offset == _offset numCandlesToComp = barColV.numCandles >= _numCandles if offsetToComp and numCandlesToComp retVal := true break retVal else retVal // (BREAKOUT mode) Confirm Pat is a simple helper function which determines if a // pattern has broken out in either direction based on the current close. // // @param: // patternObj _pat - Pattern object which provides the information needed to // determine thresholds for breakout directions. f_ConfirmPat(patternObj _pat) => int confirm = 0 if CURR_CLOSE >= _pat.upTarget confirm := 1 if CURR_CLOSE <= _pat.downTarget confirm := -1 confirm // Get RetArr From Pat is a helper function which will grab the associated return // array from the matrix that corresponds to the pattern provided to this // function. // // @param: // patternObj _pat - The pattern to grab the return array for. // // @return: // returnArray - The UDT which contains all information related to the returns // of the pattern provided to this function. // f_GetRetArrFromPat(patternObj _pat) => matRowPos = _pat.ID matColPos = _pat.part + (i_DetectionType == "CLASSIC" or _pat.breakoutDir == 1 ? 0 : 3) retArr = matrix.get(PERCENT_RETURNS, matRowPos, matColPos) retArr // GrabColor is a helper function which will be used to grab or generate all // regular or gradient colors to be used by the patterns recognized in this // script. It handles the cases of hard-limiting, adaptive coloration, and even // the Not-Enough-Information color returns for patterns. // // @inputs: // i_MinRetsNeeded - Compares if the returnArray provided has had the // sufficient number of occurrences to generate a color // for that pattern. // i_StatsPOR - Determines which statistics metric will be used to // compare this returnArray value against in the color // generation process. // i_AdaptiveCol - Sets whether or not gradients will be used for // creating colors for all patterns. // i_HardLimit - Restricts the gradient to only be applied to // patterns between the 'Return Tolerance' inputs // (i_PosRetTol/i_NegRetTol). // // @param: // returnArray - The returnArray for which a color is requested to // be generated for based on its contents. // // @return: // color - A newly generated color which is tailored to the inputs // set by the user creating the color scheme for patterns to // abide by. // f_GrabColor(returnArray _retArr) => if _retArr.size < i_MinRetsNeeded ic_NEIColor else gradientVal = i_StatsPOR == "AVG" ? _retArr.avg : _retArr.median if i_AdaptiveCol if gradientVal > 0 if i_HardLimit and gradientVal > MAXRETVAL ic_BullColor else color.from_gradient(gradientVal, 0, MAXRETVAL, ic_NeutralColor, ic_BullColor) else if i_HardLimit and gradientVal < MINRETVAL ic_BearColor else color.from_gradient(gradientVal, MINRETVAL, 0, ic_BearColor, ic_NeutralColor) else gradientVal >= i_PosRetTol ? ic_BullColor : gradientVal <= i_NegRetTol ? ic_BearColor : ic_NeutralColor // Initialize Label will generate a new label for a pattern and properly position // it based on certain attributes of the pattern provided to this function. // // It will grab the abbreviated version of the name for the pattern to be placed // onto the label. Place the label (pointing down) at the high if the pattern is // one which occurs in an uptrend (low, pointing up otherwise). Place the label // directly at the center of the pattern regardless of the number of candles. // // (BREAKOUT mode) Append a message for the number of candles remaining for a // pattern to confirm a breakout direction. // // @params: // int _ID - The ID number for that pattern a label is being created for. // int _trend - The trend direction needed for that pattern to occur. // int _size - The number of candles in the pattern. // // @return: // label - A newly generated label specially created for properly labelling // the occurrence of the pattern that was called with function. // f_InitializeLabel(int _ID, int _trend, int _size) => labelAbbrev = array.get(PAT_ABBREV, _ID) if i_DetectionType == "BREAKOUT" plurality = i_MaxToBreakout != 1 labelAbbrev += "\n\n(" + str.tostring(i_MaxToBreakout) + " candle" + (plurality ? "s" : "") + " remain" + (plurality ? "" : "s") + ")" int xOffset = _size < 3 ? 1 : _size >= 3 and _size < 5 ? 2 : 3 largestRange = math.max(C1_RANGE, C2_RANGE, C3_RANGE, C4_RANGE, C5_RANGE) highestHigh = math.max(C5_HIGH, C4_HIGH, C3_HIGH, C2_HIGH, C1_HIGH) lowestLow = math.min(C5_LOW, C4_LOW, C3_LOW, C2_LOW, C1_LOW) yPos = _trend == 1 ? highestHigh + (i_LabelNudge * largestRange) : lowestLow - (i_LabelNudge * largestRange) labelStyle = _trend == 1 ? label.style_label_down : label.style_label_up label patLabel = label.new(x = bar_index - xOffset, y = yPos, text = labelAbbrev, color = color.white, style = labelStyle, textcolor = color.black) patLabel // Matrix Min/Max is a helper function which will reference all initialized // returnArray objects in the matrix and return the minimum and maximum // values of the user-specified value (average or median return) of the matrix. // These values will then be used to determine a color gradient to be used for // patterns. // // @inputs: // i_MinReturnsNeeded - Defines the minimum number of occurred patterns // necessary to include the user-specified value of that // pattern's return array as a part of the determination // process. // i_GradientRef - The specified statistics value to be used in comparing // all returns in the matrix. // // @returns: // minVal - The minimum value for the matrix. // maxVal - The maximum value for the matrix. // f_MatrixMinMax() => pointListSize = array.size(RETURN_POSITIONS) float minVal = na float maxVal = na if pointListSize != 0 for i = 0 to pointListSize - 1 pointV = array.get(RETURN_POSITIONS, i) retRow = pointV.x retCol = pointV.y returnArr = matrix.get(PERCENT_RETURNS, retRow, retCol) if returnArr.size >= i_MinRetsNeeded valToAssign = i_StatsPOR == "AVG" ? returnArr.avg : returnArr.median minVal := na(minVal) or valToAssign < minVal ? valToAssign : minVal maxVal := na(maxVal) or valToAssign > maxVal ? valToAssign : maxVal [minVal, maxVal] // (BREAKOUT mode) Update Remaining Text is a helper function which updates a // label's text with the proper number of candles remaining/informs the user // which type of breakout had occurred in a pattern when called. // // @params: // int _updateType - A value corresponding to the kind of update to be // performed on the _pat object. If 0, update the label with // the number of candles that remain. Otherwise, update the // label with the pattern's breakout direction (with a // 'confirming status' if the current candle confirming the // pattern has not closed yet). // patternObj _pat - The identified pattern to update this label for. // // @return: // void f_UpdateRemainingText(int _updateType, patternObj _pat) => if _updateType == 0 candlesLeft = _pat.candlesLeft plurality = candlesLeft != 1 newText = array.get(PAT_ABBREV, _pat.ID) + "\n\n(" + str.tostring(candlesLeft) + " candle" + (plurality ? "s" : "") + " remain" + (plurality ? "" : "s") + ")" label.set_text(_pat.patLabel, newText) else BODirString = _pat.breakoutDir == 1 ? "Upward" : "Downward" barstateText = CURR_BARSTATE ? "" : " [confirming]" newText = array.get(PAT_ABBREV, _pat.ID) + "\n\n(" + BODirString + " Breakout" + barstateText + ")" label.set_text(_pat.patLabel, newText) // Setup pattern is a major helper function which sets all the necessary // attributes of a patternObj UDT for identifying patterns. It sets the ID, // trend, size, partition (part), label (+ tooltip with actual name of the // pattern) and breakout targets for the pattern if BREAKOUT mode is enabled. It // is also responsible for setting up the returnArrays in the matrix of returns // at the specified partition(s) (columns) so that they may be added onto when // percent return calculations are performed. // // @input: // i_DetectionType - Determines if secondary values are added onto the pattern // objects themselves as well as sets up both returnArray UDTs // in the matrix of returns. ('BREAKOUT' mode) // // @params: // int _ID - The ID of the pattern to set up. // int _trend - The trend direction of the pattern. // int _size - The number of candles the pattern is. // // @return: // patternObj - A newly created/specialized patternObj UDT which contains all // the necessary information to perform analysis on. // f_SetupPattern(int _ID, int _trend, int _size) => patternObj pat = patternObj.new(ID = _ID, trend = _trend, size = _size) pat.part := switch _size 1 => PRICE_PARTITION1 2 => PRICE_PARTITION2 3 => PRICE_PARTITION3 4 => PRICE_PARTITION4 5 => PRICE_PARTITION5 // Setup both returnArrays in the matrix and secondary values if i_DetectionType == "BREAKOUT" retArr2 = matrix.get(PERCENT_RETURNS, pat.ID, (pat.part + 3)) if na(retArr2) matrix.set(PERCENT_RETURNS, pat.ID, (pat.part + 3), f_InitializeReturnArray()) array.push(RETURN_POSITIONS, point.new(pat.ID, (pat.part + 3))) pat.candlesLeft := i_MaxToBreakout [upTgt, downTgt] = switch _size 1 => [C5_HIGH, C5_LOW] 2 => [C4_HIGHEST, C4_LOWEST] 3 => [C3_HIGHEST, C3_LOWEST] 4 => [C2_HIGHEST, C2_LOWEST] 5 => [C1_HIGHEST, C1_LOWEST] pat.upTarget := upTgt pat.downTarget := downTgt // Setup returnArray if needed retArr = matrix.get(PERCENT_RETURNS, pat.ID, pat.part) if na(retArr) matrix.set(PERCENT_RETURNS, pat.ID, pat.part, f_InitializeReturnArray()) array.push(RETURN_POSITIONS, point.new(pat.ID, pat.part)) retArr := matrix.get(PERCENT_RETURNS, pat.ID, pat.part) // Create/modify label pat.patLabel := f_InitializeLabel(_ID, _trend, _size) f_AppendTooltip(pat, array.get(PAT_NAME, _ID)) if i_DetectionType == "CLASSIC" f_DisplayStatsOnLabel(pat, retArr) pat // (BREAKOUT mode) Run Pattern Confirmation is the function that processes the // confirmation status of patterns in BREKAOUT mode. Each pattern object that is // fed to this function will have the number of candles remaining to confirm // decremented by one as its breakout direction is tested over its lifespan. // Patterns which confirm will have their breakout direction set to the value // given from the f_ConfirmPat function, their labels updated, and colors set. // Patterns which do not confirm and are no longer processing will have their // labels deleted and signaled to be removed from the queue which contains them. // // @inputs: // i_CandleDetSet - Candle Detection setting, if Target Mode is enabled, // delete pattern labels on patterns which do not have a // matching ID, but process them normally (this will continue // to populate the matrix with returns of patterns enabled // with the switchboard). // i_MaxToBreakout - More for calculation purposes, this input used here will // help determine the number of candles a pattern had required // to confirm. // // @param: // patternObj _pat - The pattern to process for confirmation. // // @return: // bool - true If the pattern supplied has confirmed in a breakout direction // OR the number of candles which remains for this pattern is 0 (kick // from queue); false if this pattern is still processing (candles // remain, no breakout yet). // f_RunPatternConfirmation(patternObj _pat) => _pat.candlesLeft := CURR_BARSTATE ? _pat.candlesLeft - 1 : _pat.candlesLeft barstateOffset = CURR_BARSTATE ? 0 : 1 bool noPaint = false if i_CandleDetSet == "TARGET MODE" and _pat.ID != f_GetIDFromTarget() noPaint := true label.delete(_pat.patLabel) _pat.labelTooltip := "" int breakoutDir = f_ConfirmPat(_pat) bool patConfirmed = breakoutDir != 0 if patConfirmed neededToConf = i_MaxToBreakout - _pat.candlesLeft + barstateOffset _pat.confOffset := neededToConf _pat.breakoutDir := breakoutDir retArr = f_GetRetArrFromPat(_pat) if not (noPaint or _pat.overridden) f_UpdateRemainingText(1, _pat) array.push(BAR_COLOR_VALS, barColTup.new(_pat.confOffset, _pat.size)) array.set(CANDLE_COLOR_ARR, _pat.confOffset - 1, f_GrabColor(retArr)) true else if _pat.candlesLeft == 0 and CURR_BARSTATE label.delete(_pat.patLabel) _pat.labelTooltip := "" true else if not CURR_BARSTATE currColPos = i_MaxToBreakout - _pat.candlesLeft + barstateOffset if not (noPaint or _pat.overridden) f_UpdateRemainingText(0, _pat) array.push(BAR_COLOR_VALS, barColTup.new(currColPos, _pat.size)) array.set(CANDLE_COLOR_ARR, currColPos - 1, ic_ProcessingCol) false // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ __ ___ _ β•‘ // β•‘ / / ____ ____ _(_)____ _/_/ < / | | β•‘ // β•‘ / / / __ \/ __ `/ / ___/ / / / / / / β•‘ // β•‘ / /___/ /_/ / /_/ / / /__ / / / / / / β•‘ // β•‘ /_____/\____/\__, /_/\___/ / / /_/ _/_/ β•‘ // β•‘ /____/ |_| /_/ + Specials β•‘ // β•‘ β•‘ // β•‘ This section will be dedicated to identifying all one-candle patterns as β•‘ // β•‘ well as some special patterns which required either a Doji or Hammer as a β•‘ // β•‘ part of that pattern. Unlike the other logic sections which follow, this β•‘ // β•‘ section will not be in alphabetical order. β•‘ // β•‘ β•‘ // β•‘ It recognizes 23 patterns across 3 methods: β•‘ // β•‘ HammerPat (6) β•‘ // β•‘ LongDay (White and Black Long Days) β•‘ // β•‘ DojiPat (15) β•‘ //#region β•‘ // β•‘ Each Function details the patterns they will recognize so I will not β•‘ // β•‘ provide them here. β•‘ // β•‘ β•‘ // β•‘ To other PineCoders: up until this point, all functions declare their β•‘ // β•‘ returns using the @return tag. Most functions in these sections β•‘ // β•‘ (LOG1/2/3/4/5) do not do this, as it became extremely repetitive. Every β•‘ // β•‘ function which performs the needed true/false statements in determining β•‘ // β•‘ if a candle pattern has appeared will have the following return: β•‘ // β•‘ β•‘ // β•‘ @return: β•‘ // β•‘ patternObj - An object which represents a pattern containing the β•‘ // β•‘ the necessary information for processing returns (and in β•‘ // β•‘ BREAKOUT mode, the pattern itself). 'na' if the pattern's β•‘ // β•‘ conditions have not been met. β•‘ //#endregion β•‘ // β•šXLOG1══════════════════════════════════════════════════════════════════════╝ // This function will check if the current candle is a hammer in both a single // and two-candle context. It identifies 6 patterns: // // - Shooting Star (2 Lines)[2] - Hanging Man [1] // - Hammer Inverted [2] - Takuri Line [1] // - Shooting Star [1] - Regular Hammers [1] // // Ex: // // | (usedWick) // | // β–„ (cBody) // ' (discardedWick) // // @inputs: // i_HammerTol - tolerance for how large the [discardedWick] may be in // relation to the size of [cBody]. // f_IsHammerPat() => // Set up calculations highOrLow = C5_BODYPOS > 0.5 [discardedWick, usedWick] = if highOrLow [C5_UPPERWICK, C5_LOWERWICK] else [C5_LOWERWICK, C5_UPPERWICK] multiplier = usedWick / math.abs(C5_BODY) ishammer = discardedWick / math.abs(C5_BODY) <= i_HammerTol if ishammer takuri = i_TLS and multiplier >= 3.0 and highOrLow and IN_DOWNTREND1 regular = i_RegHS and multiplier >= 2.0 and not takuri and IN_DOWNTREND1 hangingMan = i_HMS and IN_UPTREND1 and highOrLow and multiplier >= 2.0 // inverted hammer types shootingStar = i_ShooS and IN_UPTREND1 and not highOrLow and multiplier >= 2.0 shooStar2L = i_SS2LS and IN_UPTREND2 and not highOrLow and multiplier >= 3.0 and C4_ISBULLISH hammerInverted = i_HIS and IN_DOWNTREND2 and C4_ISBEARISH and C4_ISTALL and not highOrLow and multiplier >= 2.0 // Setup pattern switch block switch shooStar2L => f_SetupPattern(38, 1, 2) hammerInverted => f_SetupPattern(26, -1, 2) shootingStar => f_SetupPattern(1, 1, 1) hangingMan => f_SetupPattern(2, 1, 1) takuri => f_SetupPattern(3, -1, 1) regular => f_SetupPattern(0, -1, 1) => na else na // Returns whether or not this candle is a 'Long Day'; it is at least 3x the // average range/body height of the previous [i_TCSample] candles. // // @input: // i_TCSetting - Sets which value of the candle to test against the sampled // value in picking out White/Black Long Days. // f_IsLongDay() => avgBodyCandle = f_TallCandlePrevAvg() cValToComp = if i_TCSetting == "RANGE" C5_RANGE else C5_BODY validSize = math.abs(cValToComp) >= avgBodyCandle * 3 if validSize noTrendVal = IN_UPTREND1 ? 1 : -1 C5_ISBULLISH and i_WLDS ? f_SetupPattern(4, noTrendVal, 1) : C5_ISBEARISH and i_BLDS ? f_SetupPattern(5, noTrendVal, 1) : na else na // Returns the average wick size of the previous [DojiWickSam] candles (separates // upper and lower wicks). // // @inputs: // i_DojiWickBase - RANGE/WICKS, If "RANGE" then the average proportion of the // high-low range the upper and lower wicks will be used for // comparisons. If "WICKS" then the average size of the wicks // themselves will be used instead. // i_DojiWickSam - The number of candles back to sample for the average // size of the wicks. // // @return: // [upperWAvg, lowerWAvg] - A tuple containing a calculated average of // previous wicks to be used for comparison. // // @dependencies: // (LOG)[1]f_IsDojiPat (below) // f_GetWickAverages() => upperWVal = C4_UPPERWICK / (i_DojiWickBase == "RANGE" ? C5_RANGE : 1) lowerWVal = C4_LOWERWICK / (i_DojiWickBase == "RANGE" ? C5_RANGE : 1) upperWAvg = math.sum(upperWVal, i_DojiWickSam) / i_DojiWickSam lowerWAvg = math.sum(lowerWVal, i_DojiWickSam) / i_DojiWickSam [upperWAvg, lowerWAvg] // Returns if the previous candle meets any of the requirements for numerous // Doji patterns ranging from 1 to 3 candles. This function recognizes 15 // patterns: // // - Bearish Tri-Star [3] - Gravestone Dojis [1] // - Bullish Tri-Star [3] - Dragonfly Dojis [1] // - Bullish Harami Cross [2] - Rickshaw Man Dojis [1] // - Bearish Harami Cross [2] - Long-Legged Dojis [1] // - Bearish Doji Star [2] - Regular Dojis [1] (Ignores Trend) // - Bullish Doji Star [2] - Southern Dojis [1] // - Gapping Down Doji [1] - Northern Dojis [1] // - Gapping Up Doji [1] // // @inputs: // i_DojiTol - tolerance for the relative size C5_BODY / C5_RANGE // may be. // i_DojiWickBase - Changes calculation of doji wick proportions based // on either the doji wicks' percentage of the range or // by measuring the size of the wicks themselves. // i_DLWT - Tolerance for how large the wicks are required to // be compared to the average of the previous // [i_DojiWickSam] candles in order to be considered // "long" for Gravestone, Dragonfly, Long-Legged and // Rickshaw Man dojis. // i_RSMBodyTol - Tolerance for the difference the center of the body // of a Rickshaw man may be to the center of the range. // i_DojiTallWick - Optional behavior for how the wicks would be // factored in for the validity of long-legged doji // variants. // i_GS_DFDojiShad - Boolean value for determining if small shadows will // be allowed in a Gravestone/Dragonfly doji. // i_GS_DFDojiSSize - Tolerance for how large the shadows may be for a // Gravestone/Dragonfly doji (i_GS_DFDojiShad req'd). // i_SimplifyNSDoji - Boolean value for simplifying the northern/southern // dojis into standard doji recognition (ignores trend // direction). // f_IsDojiPat() => // Find % of range body takes up cBodyPercent = math.abs(C5_BODY) / C5_RANGE dojiBodyReq = cBodyPercent <= i_DojiTol if dojiBodyReq // 1 Candle Patterns cUpperWickVal = C5_UPPERWICK / (i_DojiWickBase == "RANGE" ? C5_RANGE : 1) cLowerWickVal = C5_LOWERWICK / (i_DojiWickBase == "RANGE" ? C5_RANGE : 1) // Check if within user-defined tolerance [upperWAvg, lowerWAvg] = f_GetWickAverages() upperWAvg *= i_DLWT lowerWAvg *= i_DLWT [upperVal, lowerVal] = f_GetHigherLowerTuple(C5_OPEN, C5_CLOSE) [RSMPosUpper, RSMPosLower] = f_GetTolerancedValueTuple(0.5, 1, i_RSMBodyTol) gappingDown = i_GDDS and IN_DOWNTREND1 and C5_HIGH < C4_LOW gappingUp = i_GUDS and IN_UPTREND1 and C5_LOW > C4_HIGH longLegged = i_LLDS and i_DojiTallWick == "ONE" ? cUpperWickVal >= upperWAvg or cLowerWickVal >= lowerWAvg : i_DojiTallWick == "BOTH" ? cUpperWickVal >= upperWAvg and cLowerWickVal >= lowerWAvg : ((cLowerWickVal + cUpperWickVal) / 2) >= ((upperWAvg + lowerWAvg) / 2) gravestone = i_GSS and cUpperWickVal >= upperWAvg and i_GS_DFDojiShad ? cLowerWickVal / C5_RANGE <= i_GS_DFDojiSSize : C5_LOW == lowerVal dragonfly = i_DFS and cLowerWickVal >= lowerWAvg and i_GS_DFDojiShad ? C5_UPPERWICK / C5_RANGE <= i_GS_DFDojiSSize : C5_HIGH == upperVal rickshawMan = i_RSMS and longLegged and (C5_BODYPOS >= RSMPosLower and C5_BODYPOS <= RSMPosUpper) regDoji = i_SimplifyNSDoji and i_DS northDoji = i_NDS and IN_UPTREND1 southDoji = i_SDS and IN_DOWNTREND1 noTrendVal = IN_UPTREND1 ? 1 : -1 // 2 Candle Patterns req' Dojis // These and the 3 candles patterns are done here to restrict special // dojis from being used as a part of those patterns bearishSetup = IN_UPTREND2 and C4_ISTALL and C4_ISBULLISH and not longLegged bullishSetup = IN_DOWNTREND2 and C4_ISTALL and C4_ISBEARISH and not longLegged secondWithinBody = f_WithinVals(C5_HIGH, C4_LOW, C4_HIGH) and f_WithinVals(C5_LOW, C4_LOW, C4_HIGH) bearishDojiStar = i_BEDSS and bearishSetup and C5_LOW > C4_CLOSE bullishDojiStar = i_BUDSS and bullishSetup and C5_HIGH < C4_CLOSE bearishHCross = i_BEHCS and bearishSetup and secondWithinBody bullishHCross = i_BUHCS and bullishSetup and secondWithinBody any2CPats = bearishDojiStar or bullishDojiStar or bearishHCross or bullishHCross // 3-Candle Tri-Star Doji pats prevPat1 = TEST_VAL[2] prevPat2 = TEST_VAL[1] c1ValidDoji = false c2ValidDoji = false if not na(prevPat1) and not na(prevPat2) c1ValidDoji := array.includes(DOJI_VALID_COMPS, prevPat1.ID) c2ValidDoji := array.includes(DOJI_VALID_COMPS, prevPat2.ID) bearishTriStar = false bullishTriStar = false if c1ValidDoji and c2ValidDoji and not (longLegged or dragonfly or gravestone) [c1Higher, c1Lower] = f_GetHigherLowerTuple(C3_OPEN, C3_CLOSE) [c2Higher, c2Lower] = f_GetHigherLowerTuple(C4_OPEN, C4_CLOSE) [c3Higher, c3Lower] = f_GetHigherLowerTuple(C5_OPEN, C5_CLOSE) bearishTriStar := i_BETSS and IN_UPTREND3 and c2Lower > c1Higher and c2Lower > c3Higher bullishTriStar := i_BUTSS and IN_DOWNTREND3 and c2Higher < c1Lower and c2Higher < c3Lower // While most patterns are in alphabetical order, Harami Crosses take // precedent over Doji Stars since they are more specialized (entire candle // needs to be within the body of the previous). switch bearishTriStar => f_SetupPattern(71, 1, 3) bullishTriStar => f_SetupPattern(72, -1, 3) bullishHCross => f_SetupPattern(23, -1, 2) bearishHCross => f_SetupPattern(25, 1, 2) bearishDojiStar => f_SetupPattern(20, 1, 2) bullishDojiStar => f_SetupPattern(21, -1, 2) gappingDown => f_SetupPattern(6, -1, 1) gappingUp => f_SetupPattern(14, 1, 1) gravestone => f_SetupPattern(13, noTrendVal, 1) dragonfly => f_SetupPattern(12, noTrendVal, 1) rickshawMan => f_SetupPattern(11, noTrendVal, 1) longLegged => f_SetupPattern(10, noTrendVal, 1) regDoji => f_SetupPattern(9, noTrendVal, 1) southDoji => f_SetupPattern(7, -1, 1) northDoji => f_SetupPattern(8, 1, 1) // Executes under certain switch conditions => na else na // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ __ ___ _ β•‘ // β•‘ / / ___ ___ _(_)___ _/_/ |_ | | | β•‘ // β•‘ / /__/ _ \/ _ `/ / __/ / / / __/ / / β•‘ // β•‘ /____/\___/\_, /_/\__/ / / /____/ _/_/ β•‘ // β•‘ /___/ |_| /_/ β•‘ // β•‘ β•‘ // β•‘ This section will include 26 2-candle patterns recognized by 14 methods: β•‘ // β•‘ 2C Engulfing: β•‘ // β•‘ - Bullish Engulfing - Bearish Engulfing β•‘ // β•‘ - Last Engulfing Bottom - Last Engulfing Top β•‘ // β•‘ D(ark) C(loud) C(over) β•‘ // β•‘ Harami (Bullish, Bearish) β•‘ // β•‘ Homing Pige(on) β•‘ // β•‘ Kicking (Bullish and Bearish) β•‘ // β•‘ Lines (Meeting and Separating [with Bullish/Bearish variants of each]) β•‘ // β•‘ Match(ing) Low β•‘ // β•‘ Neck (In and On) β•‘ // β•‘ Piercing β•‘ // β•‘ Stomach (Above and Below) β•‘ // β•‘ Thrusting β•‘ // β•‘ Tweezer (Bottom and Top) β•‘ // β•‘ Two Black Gap(ping) β•‘ // β•‘ Window (Falling and Rising) β•‘ // β•‘ β•‘ // β•šXLOG2══════════════════════════════════════════════════════════════════════╝ // Returns if the previous two candles match the requirements for one of four // Engulfing patterns: // - Bearish Engulfing - Bullish Engulfing // - Last Engulfing Bottom - Last Engulfing Top // // Ex: (Last Engulfing Bottom) // // // β–‘ // β–‘ β–² β–Ό // β–‘ β–„ β–ˆ // β–ˆ β–ˆ // β–€ // // f_Is2CEngulfing() => c2Engulfing = if i_EngulfSet == "BODY" f_Engulfs(C5_OPEN, C5_CLOSE, C4_OPEN, C4_CLOSE) else if i_EngulfSet == "RANGE" f_Engulfs(C5_HIGH, C5_LOW, C4_HIGH, C4_LOW) else f_Engulfs(C5_OPEN, C5_CLOSE, C4_OPEN, C4_CLOSE) or f_Engulfs(C5_HIGH, C5_LOW, C4_HIGH, C4_LOW) c1Bearish = C4_ISBULLISH c2Bearish = C5_ISBEARISH and c2Engulfing bearishEng = i_BEES and c1Bearish and c2Bearish and IN_UPTREND2 lastEngBot = i_LEBS and c1Bearish and c2Bearish and IN_DOWNTREND2 c1Bullish = C4_ISBEARISH c2Bullish = C5_ISBULLISH and c2Engulfing bullishEng = i_BUES and c1Bullish and c2Bullish and IN_DOWNTREND2 lastEngTop = i_LETS and c1Bullish and c2Bullish and IN_UPTREND2 switch bearishEng => f_SetupPattern(15, 1, 2) lastEngBot => f_SetupPattern(16, -1, 2) bullishEng => f_SetupPattern(17, -1, 2) lastEngTop => f_SetupPattern(18, 1, 2) => na // Returns if the previous two candles match the requirements for a Dark Cloud // Cover pattern. // // Ex: // β–Ό // β–²..β–„.... c2 opens above c1 high // | β–ˆ // β–ˆ__β–ˆ____ c2 closes below c1 midpoint(body) // β–‘ β–ˆ β–€ // β–‘ ' | // β–‘ // f_IsDCC() => if i_DCCS and IN_UPTREND2 c1valid = C4_ISBULLISH and C4_ISTALL c2valid = C5_ISBEARISH and C5_OPEN > C4_HIGH and C5_CLOSE < C4_MIDPRICE and C5_CLOSE > C4_OPEN c1valid and c2valid ? f_SetupPattern(19, 1, 2) : na else na // Returns if the previous two candles matched one of the two non-cross variants // of the Harami pattern. // // Ex: (standard bullish) // // // β–‘ // β–‘ β–Ό β–² // β–‘ β–ˆ β–„---------- // β–ˆ β–€---------β”΄-- c2 within c1 body // f_IsHarami() => if C4_ISTALL c2WithinBody = f_WithinVals(C5_OPEN, C4_HIGH, C4_LOW) and f_WithinVals(C5_CLOSE, C4_HIGH, C4_LOW) xorBody = not ((C5_OPEN == C4_CLOSE and C5_CLOSE == C4_OPEN) or (C5_OPEN == C4_OPEN and C5_CLOSE == C4_CLOSE)) bearish = i_BEHS and C4_ISBULLISH and C5_ISBEARISH and IN_UPTREND2 and c2WithinBody and xorBody bullish = i_BUHS and C4_ISBEARISH and C5_ISBULLISH and IN_DOWNTREND2 and c2WithinBody and xorBody bullish ? f_SetupPattern(22, -1, 2) : bearish ? f_SetupPattern(24, 1, 2) : na else na // Returns if the previous two candles match the requirements for a Homing // Pigeon pattern. // // Ex: // // β–‘ // β–‘ β–Ό β–Ό // β–‘ β–ˆ β–„--------- // β–ˆ β–€---------β”΄-- c2 within c1 body, // both candles bearish // f_IsHomingPige() => if i_HPS and IN_DOWNTREND2 c1AndC2Bearish = C4_ISBEARISH and C5_ISBEARISH c2WithinC1 = f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C4_OPEN, C4_CLOSE) C4_ISTALL and c1AndC2Bearish and c2WithinC1 and IN_DOWNTREND2 ? f_SetupPattern(27, -1, 2) : na else na // Returns if the previous two candles match the requirements for either the // Bullish or Bearish Kicking patterns. // // Ex: (Bullish) // // β–² // no prior trend β–„ // required β–Ό___β–ˆ____ // β–ˆ bearish, then bullish a candle // β–€ meeting at the opens // // @inputs: // i_MaruType - Specifies which types of Marubozu candles will be // considered valid. If "exclusive" then only pure Marubozu // candles will be considered for these patterns. Otherwise the // opening and closing variants will also be considered valid. // i_KickingGap - Forces there to be a gap between the two candles in each // pattern. // f_IsKicking() => bothTall = C4_ISTALL and C5_ISTALL if bothTall validWhiteMaru = i_MaruType == "exclusive" ? 3 : 1 validBlackMaru = i_MaruType == "exclusive" ? -3 : -1 c1isMaru = f_IsMarubozu(C4_OPEN, C4_HIGH, C4_LOW, C4_CLOSE) c2isMaru = f_IsMarubozu(C5_OPEN, C5_HIGH, C5_LOW, C5_CLOSE) bearish = i_BEKS and C4_ISBULLISH and c1isMaru >= validWhiteMaru and C5_ISBEARISH and c2isMaru <= validBlackMaru and (not i_KickingGap or C5_HIGH < C4_LOW) bullish = i_BUKS and C4_ISBEARISH and c1isMaru <= validBlackMaru and C5_ISBULLISH and c2isMaru >= validWhiteMaru and (not i_KickingGap or C5_LOW > C4_HIGH) trendVal = IN_UPTREND2 ? 1 : -1 bearish ? f_SetupPattern(28, trendVal, 2) : bullish ? f_SetupPattern(29, trendVal, 2) : na else na // Returns if the previous two candles match any of the four meeting/separating // lines patterns. // // Ex: (Bullish Meeting Lines) // // // β–‘ // β–‘ β–Ό β–² // β–‘ β–„ // β–ˆ // β–€---β–„------- Both tall candles meet near // β–ˆ the closes. // β–€ // // @input: // i_LinesTol - Tolerance for how close each of the opens and closes of the // respective patterns may be to be considered valid. // f_IsLines() => bothTall = C4_ISTALL and C5_ISTALL if bothTall [openHigh, openLow] = f_GetTolerancedValueTuple(C4_OPEN, C4_RANGE, i_LinesTol) [closeHigh, closeLow] = f_GetTolerancedValueTuple(C4_CLOSE, C4_RANGE, i_LinesTol) bearishColorScheme = C4_ISBULLISH and C5_ISBEARISH bullishColorScheme = C4_ISBEARISH and C5_ISBULLISH c2OpenValid = f_WithinVals(C5_OPEN, openHigh, openLow) c2CloseValid = f_WithinVals(C5_CLOSE, closeHigh, closeLow) bearSepLines = i_BESLS and bearishColorScheme and c2OpenValid and IN_DOWNTREND2 bearMeetLines = i_BEMLS and bearishColorScheme and c2CloseValid and IN_UPTREND2 bullMeetLines = i_BUMLS and bullishColorScheme and c2CloseValid and IN_DOWNTREND2 bullSepLines = i_BUSLS and bullishColorScheme and c2OpenValid and IN_UPTREND2 switch bearSepLines => f_SetupPattern(30, -1, 2) bearMeetLines => f_SetupPattern(31, 1, 2) bullSepLines => f_SetupPattern(32, 1, 2) bullMeetLines => f_SetupPattern(33, -1, 2) => na else na // Returns if the previous two candles meet the requirements for a Matching Low // pattern. While a little confusing, the Matching Low refers to the closes of // the previous two candles, instead of the lows of each. // // Ex: // // // β–‘ // β–‘ β–Ό β–Ό // β–‘ β–ˆ β–„ // β–ˆ___β–ˆ__ ___ closes match (or are similar) // | ' // // @input: // i_MatchLowTol - Tolerance for how close the previous two candles may // close in order for this pattern to be considered valid. // (Accounts for high value assets. Default is set to 0 [must // match exactly]). // f_IsMatchLow() => if i_MLS and IN_DOWNTREND2 c1c2Lengths = C4_ISTALL and not C5_ISTALL bothBearish = C4_ISBEARISH and C5_ISBEARISH // Mind the line wrapping here matching = if i_MatchLowTol == 0 C4_CLOSE == C5_CLOSE else [higher, lower] = f_GetTolerancedValueTuple(C4_CLOSE, C4_RANGE, i_MatchLowTol) f_WithinVals(C5_CLOSE, higher, lower) c1c2Lengths and bothBearish and matching ? f_SetupPattern(34, -1, 2) : na else na // Returns if the previous two candles match either the On Neck or In Neck // patterns. // // Ex: (In Neck) // // // β–‘ // β–‘ β–Ό β–² // β–‘ β–ˆ // β–ˆ β–„--------┬ c2 opens below c1 low, // '---β–ˆ-------- closes into c1 body // // // @inputs: // i_OnNeckWickTol - A percentage of the high-low range of the first candle // that the lower wick may be to be considered valid. // i_OnNeckTol - A percentage of the size of the lower wick that the close // of the second candle may be within the close of the first // and be considered valid. // i_InNeckTol - How far into the body that the close of C2 may be in order // for it to be considered valid. // f_IsNeck() => if IN_DOWNTREND2 validSetup = C4_ISBEARISH and C5_ISBULLISH validCandleSizes = C4_ISTALL and not C5_ISTALL if validSetup and validCandleSizes validWick = C4_LOWERWICK / C4_RANGE <= i_OnNeckWickTol lowerC2CloseLim = C4_CLOSE - (C4_LOWERWICK * i_OnNeckTol) onNeck = i_ONS and f_WithinVals(C5_CLOSE, C4_CLOSE, lowerC2CloseLim) and validWick inNeckUpperClose = C4_CLOSE + (math.abs(C4_BODY) * i_InNeckTol) inNeck = i_INS and f_WithinVals(C5_CLOSE, C4_CLOSE, inNeckUpperClose) and C5_OPEN < C4_LOW onNeck ? f_SetupPattern(35, -1, 2) : inNeck ? f_SetupPattern(36, -1, 2) : na else na else na // Returns if the previous two candles match a Piercing pattern. // // Ex: // // // β–‘ // β–‘ β–Ό β–² // β–‘ β–ˆ---β–„------- // β–ˆ β–ˆ β”œ---- c2 opens below c1 low, // |___β–ˆ______/ closes between c1 body // β–€ midpoint and open // f_IsPiercing() => if i_PS and IN_DOWNTREND2 pierce = C4_ISBEARISH and C5_ISBULLISH and C5_OPEN < C4_LOW and C5_CLOSE > C4_MIDPRICE and C5_CLOSE < C4_OPEN pierce ? f_SetupPattern(37, -1, 2) : na else na // Returns if the previous two candles match either the Above or Below the // Stomach patterns. // // Ex: (Above The Stomach) // // // β–‘ β–Ό β–² // β–‘ β–ˆ // β–‘ β–ˆ---β–€--------- c2 opens above midpoint of // β–€ c1's body. // // @input: // i_TallStom1 - Requires the first candle in each of these patterns to be // tall. // i_TallStom2 - Requires the second candle in each of these patterns to be // tall. // f_IsStomach() => c1ValidSize = i_TallStom1 ? C4_ISTALL : true c2ValidSize = i_TallStom2 ? C5_ISTALL : true belowSetupAndTrend = C4_ISBULLISH and C5_ISBEARISH and IN_UPTREND2 aboveSetupAndTrend = C4_ISBEARISH and C5_ISBULLISH and IN_DOWNTREND2 belowStom = i_BESS and c1ValidSize and c2ValidSize and belowSetupAndTrend and C5_OPEN <= C4_MIDPRICE and C5_CLOSE <= C4_MIDPRICE aboveStom = i_ABSS and c1ValidSize and c2ValidSize and aboveSetupAndTrend and C5_OPEN >= C4_MIDPRICE and C5_CLOSE >= C4_MIDPRICE belowStom ? f_SetupPattern(39, 1, 2) : aboveStom ? f_SetupPattern(40, -1, 2) : na // Returns if the previous two candles match a Thrusting pattern. // // Ex: // // // β–‘ β–Ό β–² // β–‘ β–„ // β–‘ β–ˆ---β–„-------┬--- c2 opens below low of c1, // β–€---β–ˆ-------- closes near/below midpoint // of c1 body. // // @input: // i_ThrustTol - Specifies how close (below) the midpoint of C1's body that // the second candle may close in order for it to be considered // valid. // f_IsThrusting() => if i_TS and IN_DOWNTREND2 validColorScheme = C4_ISBEARISH and C5_ISBULLISH lowerVal = (C4_MIDPRICE - (i_ThrustTol * (C4_BODY / 2))) opensBeLOW = C5_OPEN < C4_LOW opensBeLOW and validColorScheme and f_WithinVals(C5_CLOSE, C4_MIDPRICE, lowerVal) ? f_SetupPattern(41, -1, 2) : na else na // Returns if the previous two candles match either a Tweezers Top or Tweezers // Bottom patterns. Because this will recognize patterns of both alternating // color schemes, there will be 4 possible patterns that this function may find. // // Ex: (Tweezers Bottom) // // // β–‘ β–Ό β–² // β–‘ β–² β–Ό // β–‘ . . // β–ˆ β–„ // β–€ β–ˆ // Lows match, colors must __________|___| // alternate. // // @input: // i_TweezerTol - Tolerance for how close the tops/bottoms may be (as a % // of the high/low values [respectively]). // f_IsTweezer() => // 2 top/bottom configurations, 2 color schemes -> 4 patterns total. alternatingColors = (C4_ISBEARISH and C5_ISBULLISH) or (C4_ISBULLISH and C5_ISBEARISH) if alternatingColors [bottomHigh, bottomLow] = f_GetTolerancedValueTuple(C4_LOW, C4_RANGE, i_TweezerTol) [topHigh, topLow] = f_GetTolerancedValueTuple(C4_HIGH, C4_RANGE, i_TweezerTol) bottom = i_TBS and f_WithinVals(C5_LOW, bottomHigh, bottomLow) and IN_DOWNTREND2 top = i_TTS and f_WithinVals(C5_HIGH, topHigh, topLow) and IN_UPTREND2 bottom ? f_SetupPattern(42, -1, 2) : top ? f_SetupPattern(43, 1, 2) : na else na // Returns if the previous two candles match the Two Black Gapping pattern. // // Ex: // // // β–‘ // β–‘ // β–‘ // '-------┬--- Pattern begins with a gap in a // ______________β–Ό---β–Ό Downtrend // -lower high---β–ˆ---. // β–€ β–ˆ // f_IsTwoBlackGap() => if i_2BGS and IN_DOWNTREND2 isGapped = C3_LOW > C4_HIGH bothBearish = C4_ISBEARISH and C5_ISBEARISH isGapped and bothBearish and C5_HIGH < C4_HIGH ? f_SetupPattern(44, -1, 2) : na else na // Returns if the previous two candles match the Falling or Rising windows // patterns. // // Ex: (Falling) // // // β–‘ // β–‘ // β–‘ β–„ // '--------┬-- gap in Downtrend // .------ // β–€ // f_IsWindow() => falling = i_FWS and C4_LOW > C5_HIGH and IN_DOWNTREND2 rising = i_RWS and C4_HIGH < C5_LOW and IN_UPTREND2 falling ? f_SetupPattern(45, -1, 2) : rising ? f_SetupPattern(46, 1, 2) : na // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ __ ____ _ β•‘ // β•‘ / / ___ ___ _(_)___ _/_/ |_ / | | β•‘ // β•‘ / /__/ _ \/ _ `/ / __/ / / _/_ < / / β•‘ // β•‘ /____/\___/\_, /_/\__/ / / /____/ _/_/ β•‘ // β•‘ /___/ |_| /_/ β•‘ // β•‘ β•‘ // β•‘This section will include 27 3-candle patterns recognized by 13 methods: β•‘ // β•‘ Abandoned Baby (Bullish and Bearish) β•‘ // β•‘ Advance Block β•‘ // β•‘ Collapsing Doji β•‘ // β•‘ Deliberation β•‘ // β•‘ Gap 3 Methods (Downside and Upside) β•‘ // β•‘ 3 In And Out (Three Inside Down/Up and Three Outside Down/Up) β•‘ // β•‘ S(ide) B(y) S(ide) (Bullish and Bearish) β•‘ // β•‘ Star (Evening and Morning with Doji variants) β•‘ // β•‘ Stick Sandwich β•‘ // β•‘ Tasuki Gap (Downside and Upside) β•‘ // β•‘ Three β•‘ // β•‘ - Identical Black Crows - White Soldiers β•‘ // β•‘ - Black Crows - Stars In The South β•‘ // β•‘ Two Crows (including Upside Gap) β•‘ // β•‘ Unique 3 R(iver) B(ottom) β•‘ // β•‘ β•‘ // β•šXLOG3══════════════════════════════════════════════════════════════════════╝ // Returns if the last three candles formed an Abandoned Baby pattern (bullish // or bearish). // // Ex: (bearish) // // β–² β”΄ β–Ό // β”‚ // β–“ β–’ // β–‘ // β–‘ // β–‘ // f_IsAbandonedBaby() => prevPat = TEST_VAL[1] prevCandleDoji = not na(prevPat) ? array.includes(DOJI_VALID_COMPS, prevPat.ID) : false if prevCandleDoji bullishAB = i_BUABS and C3_ISBEARISH and C5_ISBULLISH and C4_HIGH < C3_LOW and C4_HIGH < C5_LOW and IN_DOWNTREND3 bearishAB = i_BEABS and C3_ISBULLISH and C5_ISBEARISH and C4_LOW > C3_HIGH and C4_LOW > C5_HIGH and IN_UPTREND3 bearishAB ? f_SetupPattern(47, 1, 3) : bullishAB ? f_SetupPattern(48, -1, 3) : na else na // Returns if the last three candles formed an Advance Block. An advance block // consists of three candles, where candles two and three each have taller wicks // than the previous, and both open within the body of the previous. // // Ex: // β–² // β–² | // β–² | | // β”‚ β–ˆ β–€ // β–“ // β–‘ // β–‘ // β–‘ // f_IsAdvanceBlock() => if IN_UPTREND3 and i_ADVS allThreeBullish = C3_ISBULLISH and C4_ISBULLISH and C5_ISBULLISH if allThreeBullish c2valid = f_WithinVals(C4_OPEN, C3_OPEN, C3_CLOSE) and C4_UPPERWICK > C3_UPPERWICK c3valid = f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and C5_UPPERWICK > C4_UPPERWICK c2valid and c3valid ? f_SetupPattern(49, 1, 3) : na else na else na // Returns if the last three candles formed in a Collapsing Doji Star pattern. // This pattern entails a bullish candle, followed by a Doji where the high of // the doji is lower than the low of the first candle, and the low of the doji // is higher than the high of the third candle. (Gap between the Doji and the // other two candles). // // Ex: // β–² // // β–“ // // β”Ό β–Ό // β–‘ // β–‘ β–’ // β–‘ | // // f_IsCollapsingDoji() => if i_COLS and IN_UPTREND3 prevPat = TEST_VAL[1] c2ValidDoji = false if not na(prevPat) c2ValidDoji := array.includes(DOJI_VALID_COMPS, prevPat.ID) if c2ValidDoji c1valid = C3_ISBULLISH c2valid = C4_HIGH < C3_LOW c3valid = C5_ISBEARISH and C4_LOW > C5_HIGH c1valid and c2valid and c3valid ? f_SetupPattern(50, 1, 3) : na else na else na // Returns if the previous three candles formed a Deliberation pattern. This // pattern consists of three bullish candles in an upward price trend. The // first two candles in the pattern are tall, where candle two opens within the // body of candle one. Candle three is a small candle that gaps a short bit up // on candle two. // // Ex: // β–² // β–² β–„ // β–² // | β–“ // β–“ ' // β–‘ | // β–‘ // β–‘ // // @inputs: // i_DelibGapTol - This tolerance specifies how close to candle 2's close // candle 3 must open. // i_DelibC3Size - This tolerance specifies how large candle 3 may be in // relation to the sizes of candles 1 and 2. // i_ForceDelibGap - Forces a Deliberation to only be valid if the third // candle gaps the second. // f_IsDeliberation() => if IN_UPTREND3 and i_DELS [upperOpen, lowerOpen] = f_GetTolerancedValueTuple(C4_CLOSE, C4_BODY, i_DelibGapTol) c5sizevalid = C5_BODY <= ((C3_BODY + C4_BODY) / 2) * i_DelibC3Size c4LowerBound = i_ForceDelibGap ? C4_CLOSE : lowerOpen c1valid = C3_ISBULLISH and C3_ISTALL c2valid = C4_ISBULLISH and C4_ISTALL and C4_CLOSE > C3_CLOSE c3valid = C5_ISBULLISH and f_WithinVals(C5_OPEN, upperOpen, c4LowerBound) and c5sizevalid c1valid and c2valid and c3valid ? f_SetupPattern(51, 1, 3) : na else na // Returns if the previous three candles formed in a "Gap Three Methods" type of // pattern. (Gap Three Methods downside and upside). A Gap Three Methods // consists of three candles where the gap between the first two is closed by the // third after it opens in the body of the previous and closes in the body of // the first. // // Ex: (Downside Gap 3 Methods) // // // β–‘ // β–‘ β–Ό // β–‘ β–„ β–² // β–€ β–Ό | // β–“ // β–“ // // f_IsGap3Methods() => firstTwoTall = C3_ISTALL and C4_ISTALL if firstTwoTall if IN_UPTREND3 and i_UG3MS c1uvalid = C3_ISBULLISH c2uvalid = C4_ISBULLISH and C4_LOW > C3_HIGH c3uvalid = C5_ISBEARISH and f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C3_OPEN, C3_CLOSE) c1uvalid and c2uvalid and c3uvalid ? f_SetupPattern(52, 1, 3) : na else if IN_DOWNTREND3 and i_DG3MS c1dvalid = C3_ISBEARISH c2dvalid = C4_ISBEARISH and C4_HIGH < C3_LOW c3dvalid = C5_ISBULLISH and f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C3_OPEN, C3_CLOSE) c1dvalid and c2dvalid and c3dvalid ? f_SetupPattern(53, -1, 3) : na else na else na // Returns one of five possible values that correspond to one (or none) of the // following four candlestick patterns: Three Outside Down, Three Inside Down, // Three Outside Up, Three Inside Up. Since many of these patterns were pretty // similar, I found it best to combine them into one singular function. // // Ex: (Three Outside Up) // // // β–‘ // β–‘ β–² // β–‘ β–Ό β–² β–„ // β–„ // β–“ // // f_Is3InAndOut() => // Check for prior engulfing engulfsPrior = if i_EngulfSet == "BODY" f_Engulfs(C4_OPEN, C4_CLOSE, C3_OPEN, C3_CLOSE) else if i_EngulfSet == "RANGE" f_Engulfs(C4_HIGH, C4_LOW, C3_HIGH, C3_LOW) else f_Engulfs(C4_OPEN, C4_CLOSE, C3_OPEN, C3_CLOSE) or f_Engulfs(C4_HIGH, C4_LOW, C3_HIGH, C3_LOW) ThreeIEq = C4_CLOSE == C3_OPEN or C4_OPEN == C3_CLOSE ThreeIXOR = not ((C4_CLOSE == C3_OPEN and C4_OPEN == C3_CLOSE)) if IN_UPTREND3 validSetup = C3_ISBULLISH and C4_ISBEARISH and C5_ISBEARISH if validSetup threeOutDown = i_3ODS and engulfsPrior and C5_CLOSE < C4_CLOSE c2ThreeIDown = C4_CLOSE >= C3_OPEN and C4_OPEN <= C3_CLOSE and ThreeIXOR c3ThreeIDown = C5_CLOSE < C4_CLOSE threeInDown = i_3IDS and C3_ISTALL and c2ThreeIDown and c3ThreeIDown threeOutDown ? f_SetupPattern(54, 1, 3) : threeInDown ? f_SetupPattern(55, 1, 3) : na else na else validSetup = C3_ISBEARISH and C4_ISBULLISH and C5_ISBULLISH if validSetup c2ThreeIUp = C4_CLOSE <= C3_OPEN and C4_OPEN >= C3_CLOSE and ThreeIXOR c3ThreeIUp = C5_CLOSE > C4_CLOSE threeInUp = i_3IUS and C3_ISTALL and c2ThreeIUp and c3ThreeIUp threeOutUp = i_3OUS and engulfsPrior and C5_CLOSE > C4_CLOSE threeInUp ? f_SetupPattern(56, -1, 3) : threeOutUp ? f_SetupPattern(57, -1, 3) : na // Returns if the previous three candlesticks formed a Side-by-Side pattern. // This method handles both Bullish and Bearish versions of the Side-By-Side // pattern. // // Ex: (Bullish) // // β–² β–² // // β–² β–“ β–“ // // β–‘ β–“ // β–‘ // β–‘ // @input: // i_SBSTolerance - Tolerance for how different the final two candles may // be from each other. // f_IsSBS() => [openLow, openHigh] = f_GetTolerancedValueTuple(C4_OPEN, C4_BODY, i_SBSTolerance) [closeLow, closeHigh] = f_GetTolerancedValueTuple(C4_CLOSE, C4_BODY, i_SBSTolerance) SBSLastTwoSimilar = f_WithinVals(C5_OPEN, openLow, openHigh) and f_WithinVals(C5_CLOSE, closeLow, closeHigh) if SBSLastTwoSimilar if IN_DOWNTREND3 and i_BESBSS c2BearSBS = C4_ISBULLISH and C4_CLOSE < C3_CLOSE c3BearSBS = C5_ISBULLISH and C5_CLOSE < C3_CLOSE C3_ISBEARISH and c2BearSBS and c3BearSBS ? f_SetupPattern(58, -1, 3) : na else if IN_UPTREND3 and i_BUSBSS c2BullSBS = C4_ISBULLISH and C4_OPEN > C3_CLOSE c3BullSBS = C5_ISBULLISH and C5_OPEN > C3_CLOSE C3_ISBULLISH and c2BullSBS and c3BullSBS ? f_SetupPattern(59, 1, 3) : na else na else na // Returns if the previous three candles formed a Star pattern which includes // both the Morning and Evening Stars, as well as their Doji counterparts. // // Ex: (Evening Star) // // β–„ // | β–€ , // | | // β–‘ β–“ β–’ // β–‘ β–² β–Ό // β–‘ // f_IsStar() => c1andc3Tall = C3_ISTALL and C5_ISTALL if c1andc3Tall [c4higher, c4lower] = f_GetHigherLowerTuple(C4_OPEN, C4_CLOSE) mostRecent = TEST_VAL[1] // And here bool c2IsValidDoji = if not na(mostRecent) array.includes(DOJI_VALID_COMPS, mostRecent.ID) else false if IN_UPTREND3 evening = C3_ISBULLISH and C5_ISBEARISH and c4lower > C3_CLOSE and c4lower > C5_OPEN and C5_CLOSE < C3_MIDPRICE eveningDoji = i_ESDS and evening and c2IsValidDoji evening := evening and i_ESS eveningDoji ? f_SetupPattern(60, 1, 3) : evening ? f_SetupPattern(61, 1, 3) : na else morning = C3_ISBEARISH and C5_ISBULLISH and c4higher < C3_CLOSE and c4higher < C5_OPEN and C5_CLOSE > C3_MIDPRICE morningDoji = i_MSDS and morning and c2IsValidDoji morning := morning and i_MSS morningDoji ? f_SetupPattern(62, -1, 3) : morning ? f_SetupPattern(63, -1, 3) : na else na // Returns if the previous three candles formed a Stick Sandwich pattern. This // pattern is a bit different in terms of what is considered 'valid' where the // third candle must close 'at or near' the close of the first. // // Ex: // // β–‘ // β–‘ β–² // β–‘ β–Ό β–Ό // β–“ // β–’ β–€ β–’ // // // @input: // i_StickSandTol - Tolerance for the range of values found to be the valid // for candle 3's close through this expression: // // valid values = [ [C5_CLOSE] - ( [i_StickSandTol] * math.abs( [C3_BODY] ) ), // [C5_CLOSE] + ( [i_StickSandTol] * math.abs( [C3_BODY] ) ) ] // f_IsStickSandwich() => if IN_DOWNTREND3 and i_SANS [closeHigh, closeLow] = f_GetTolerancedValueTuple(C3_CLOSE, math.abs(C3_BODY), i_StickSandTol) c1Valid = C3_ISBEARISH c2Valid = C4_ISBULLISH and C4_CLOSE > C3_OPEN c3Valid = C5_ISBEARISH and f_WithinVals(C5_CLOSE, closeHigh, closeLow) c1Valid and c2Valid and c3Valid ? f_SetupPattern(64, -1, 3) : na else na // Returns if the previous three candles formed a Tasuki Gap type pattern. This // method includes both downside and upside Tasuki Gaps. // // Ex: (upside Tasuki Gap) // // β–² β–Ό // β–ˆ // β–² β–€--β–’--------- // β–„--------------- c3 closes between c1-c2 gap // β–‘ β–€ // β–‘ // β–‘ // f_IsTasukiGap() => if IN_DOWNTREND3 and i_DTGS c1dvalid = C3_ISBEARISH c2dvalid = C4_ISBEARISH and C4_HIGH < C3_LOW c3dvalid = C5_ISBULLISH and f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C3_LOW, C4_HIGH) c1dvalid and c2dvalid and c3dvalid ? f_SetupPattern(65, -1, 3) : na else if IN_UPTREND3 and i_UTGS c1uvalid = C3_ISBULLISH c2uvalid = C4_ISBULLISH and C4_LOW > C3_HIGH c3uvalid = C5_ISBEARISH and f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C4_LOW, C3_HIGH) c1uvalid and c2uvalid and c3uvalid ? f_SetupPattern(66, 1, 3) : na else na // Returns whether or not the given closing price closes near the candle's high // or it's low given a certain tolerance based on the candle's closing position. // // @params: // _c close - close of this candle. // high - high of this candle. // low - low of this candle. // _tolerance - % tolerance between high and low prices [_cclose] may be. // // @return: // int - -1 if [_cclose] is near [_clow]. // - 1 if [_cclose] is near [_chigh]. // - 0 if [_cclose] is neither near the [_high] or [_low]. // f_ClosesNearHL(_cclose, _chigh, _clow, _tolerance) => pos = (_cclose - _clow) / (_chigh - _clow) lowclose = pos <= _tolerance highclose = pos >= 1 - _tolerance lowclose ? -1 : highclose ? 1 : 0 // Returns if the given candle body is within Β±[_tolerance * 100]% of the size // of the given average body size. // // @params: // _cbody - body of the candle requested. // _bodyavg - given body average. // _tolerance - % tolerance for how much smaller/larger this body may be to be // considered 'valid'. // // @return: // bool - true if the candle body given fits within Β±[_tolerance * 100]% // the size of the [_bodyavg] given. // - false otherwise. // f_SimilarToAverage(_cbody, _bodyavg, _tolerance) => _cbody >= (_bodyavg * (1 - _tolerance)) and _cbody <= (_bodyavg * (1 + _tolerance)) // Returns if the previous three candlesticks formed one of the four following // three-candlestick patterns: // - Identical Black Crows - Three White Soldiers // - Three Black Crows - Three Stars In The South // // Ex: (Three White Soldiers) // // β–‘ // β–‘ // β–‘ // β–“ // | β–“ β–² // β–“ β–² // β–² // @inputs: // i_IBCT - (Identical Black Crows Tolerance) The allowed Β±% // deviation each candle in the pattern may be of the // average of the three bodies. // i_OC_3CTol - (Three Black Crows and Three White Soldiers) allows // for the close of the candles in the Three Black Crows // and Three White Soldiers to be within a specific % // tolerance of the lows/highs of the candles // (respectively). // i_SITSCandle1 - (Stars in the South candle 1) Specifies where the // median price of the candle body must be above in the // high-low range of the first candle. // i_SITSCandle2 - (Stars in the South candle 2) Specifies how different // (body size and position) that the second candle in the // Stars in the South pattern may be in order to be // considered valid. // i_SITSC2MaxProp - (Stars in the South Candle 2) Specifies the max // proportion that the second candle may be in relation // to the first in the Stars in the South pattern based // on the high-low range of each candle. (Prevents a // second candle from being larger than the first that is // proportionally similar from being considered valid). // i_MaruType - Specifies which types of Marubozu candles may be // considered valid in the patterns that utilize them. If // i_MaruType is "exclusive" then only pure Marubozus will // be considered valid. Otherwise, the opening/closing // variants will be considered valid as well. // f_IsThree() => allBullish = C5_ISBULLISH and C4_ISBULLISH and C3_ISBULLISH allBearish = C5_ISBEARISH and C4_ISBEARISH and C3_ISBEARISH alltall = C5_ISTALL and C4_ISTALL and C3_ISTALL c3NearHL = f_ClosesNearHL(C3_CLOSE, C3_HIGH, C3_LOW, i_OC_3CTol) c4NearHL = f_ClosesNearHL(C4_CLOSE, C4_HIGH, C4_LOW, i_OC_3CTol) c5NearHL = f_ClosesNearHL(C5_CLOSE, C5_HIGH, C5_LOW, i_OC_3CTol) c4WIc3 = f_WithinVals(C4_OPEN, C3_OPEN, C3_CLOSE) c5WIc4 = f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) avgbody = (math.abs(C5_BODY) + math.abs(C4_BODY) + math.abs(C3_BODY)) / 3 // identical black crows c1IBCvalid = f_SimilarToAverage(C3_BODY, avgbody, i_IBCT) c2IBCvalid = (C4_OPEN + (C3_BODY * i_IBCT)) >= C3_CLOSE and f_SimilarToAverage(C4_BODY, avgbody, i_IBCT) c3IBCvalid = (C5_OPEN + (C4_BODY * i_IBCT)) >= C4_CLOSE and f_SimilarToAverage(C5_BODY, avgbody, i_IBCT) identicalBlackCrows = i_IBCS and allBearish and alltall and c1IBCvalid and c2IBCvalid and c3IBCvalid and IN_UPTREND3 // three black crows c1BCvalid = c3NearHL == -1 c2BCvalid = c4NearHL == -1 and c4WIc3 and C4_LOW < C3_LOW c3BCvalid = c5NearHL == -1 and c5WIc4 and C5_LOW < C4_LOW threeBlackCrows = i_TBCS and allBearish and alltall and c1BCvalid and c2BCvalid and c3BCvalid and IN_UPTREND3 // three white soldiers c1TWSvalid = c3NearHL == 1 c2TWSvalid = c4NearHL == 1 and c4WIc3 and C4_CLOSE > C3_CLOSE c3TWSvalid = c5NearHL== 1 and c5WIc4 and C5_CLOSE > C4_CLOSE TWS = i_TWSS and allBullish and alltall and c1TWSvalid and c2TWSvalid and c3TWSvalid and IN_DOWNTREND3 // three stars in the south c1SITSvalid = C3_BODYPOS >= i_SITSCandle1 c2SITSvalidPosition = C4_BODYPOS >= (C3_BODYPOS * (1 - i_SITSCandle2)) and C4_BODYPOS <= (C3_BODYPOS * (1 + i_SITSCandle2)) c1bodyPercent = C3_BODY / C3_RANGE c2bodyPercent = C4_BODY / C4_RANGE c2WithinMaxProp = C4_RANGE / C3_RANGE <= i_SITSC2MaxProp c2SITSvalidBody = c2bodyPercent >= (c1bodyPercent * (1 - i_SITSCandle2)) and c2bodyPercent <= (c1bodyPercent * (1 + i_SITSCandle2)) c2SITSvalid = c2SITSvalidPosition and c2SITSvalidBody and C4_LOW > C3_LOW and c2WithinMaxProp c3IsMaru = f_IsMarubozu(C5_OPEN, C5_HIGH, C5_LOW, C5_CLOSE) validMaru = i_MaruType == "exclusive" ? -3 : -1 c3SITSvalid = c3IsMaru <= validMaru and f_WithinVals(C5_LOW, C4_HIGH, C4_LOW) and f_WithinVals(C5_HIGH, C4_HIGH, C4_LOW) starsInTheSouth = i_SITSS and allBearish and c1SITSvalid and c2SITSvalid and c3SITSvalid and IN_DOWNTREND3 switch identicalBlackCrows => f_SetupPattern(67, 1, 3) threeBlackCrows => f_SetupPattern(68, 1, 3) TWS => f_SetupPattern(69, 1, 3) starsInTheSouth => f_SetupPattern(70, 1, 3) => na // Returns if the previous three candles formed in either a Two Crows pattern or // a Upside Gap Two Crows pattern. (Two Crows is bearish, Upside Gap variation // is bullish) // // Ex: (Upside Gap Two Crows) // // // β–Ό // β–Ό β–„ // β–€ β–ˆ // // β–“ // β–‘ β–² // β–‘ // β–‘ // // @input: // i_TwoCShadEx - Exclude/Include the shadow from candle 2 as a part of the // 'gap'. (Applies to both patterns.) // f_IsTwoCrows() => if IN_UPTREND3 c3Engulfing = if i_EngulfSet == "BODY" f_Engulfs(C5_OPEN, C5_CLOSE, C4_OPEN, C4_CLOSE) else if i_EngulfSet == "RANGE" f_Engulfs(C5_HIGH, C5_LOW, C4_HIGH, C4_LOW) else f_Engulfs(C5_OPEN, C5_CLOSE, C4_OPEN, C4_CLOSE) or f_Engulfs(C5_HIGH, C5_LOW, C4_HIGH, C4_LOW) c1valid = C3_ISBULLISH and C3_ISTALL c2valid = C4_ISBEARISH and (i_TwoCShadEx ? C4_CLOSE : C4_LOW) > C3_CLOSE c3valid = C5_ISBEARISH and f_WithinVals(C5_OPEN, C4_OPEN, C4_CLOSE) and f_WithinVals(C5_CLOSE, C3_OPEN, C3_CLOSE) TwoCrows = i_TCS and c1valid and c2valid and c3valid c3validGap = C5_ISBEARISH and c3Engulfing and C5_CLOSE > C3_CLOSE TwoCrowsGap = i_UG2CS and c1valid and c2valid and c3validGap TwoCrows ? f_SetupPattern(73, 1, 3) : TwoCrowsGap ? f_SetupPattern(74, 1, 3) : na else na // Returns if the previous three candles formed a Unique Three River Bottom // candlestick pattern. // // Ex: // // β–‘ // β–‘ β–Ό β–Ό // β–‘ , // β–“ β–ˆ // | β–„ // | β–€ // β–² // f_IsUnique3RB() => if IN_DOWNTREND3 and i_U3RBS c1valid = C3_ISBEARISH and C3_ISTALL c2valid = C4_ISBEARISH and f_WithinVals(C4_OPEN, C3_OPEN, C3_CLOSE) and C4_LOW < C3_LOW c3valid = C5_ISBULLISH and not C5_ISTALL and C5_CLOSE < C4_CLOSE c1valid and c2valid and c3valid ? f_SetupPattern(75, -1, 3) : na else na // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ __ ____ _ β•‘ // β•‘ / / ___ ___ _(_)___ _/_/ / / / | | β•‘ // β•‘ / /__/ _ \/ _ `/ / __/ / / /_ _/ / / β•‘ // β•‘ /____/\___/\_, /_/\__/ / / /_/ _/_/ β•‘ // β•‘ /___/ |_| /_/ β•‘ // β•‘ β•‘ // β•‘This section will include 3 4-candle patterns recognized by 2 methods: β•‘ // β•‘ Concealing Baby Swallow β•‘ // β•‘ Three Line Strike (Bullish and Bearish) β•‘ // β•‘ β•‘ // β•šXLOG4══════════════════════════════════════════════════════════════════════╝ // Returns if the previous four candles match a Concealing Baby Swallow pattern. // (I'm not too sure as to how many there will be found with this but the // pattern itself is unusually rare.) // // Ex: // // β–‘ // β–‘ β–Ό // β–‘ β–ˆ β–Ό β–Ό // β–ˆ β–ˆ β–Ό β–„ // β–€ | β–ˆ // β–€ β–ˆ // // // // @inputs: // i_MaruType - Option for the type of Marubozu candles allowed to be // valid in candlestick patterns that require them. (Exclusive: // no wicks allowed, inclusive: wicks allowed) // i_CBSC3Tol - Concealing Baby Swallow Candle 3 Tolerance: Allows the user // to restrict how small/large the candle body of Candle 3 may // be in relation to the size of the candle's upperwick. // f_IsConcealingBabySwallow() => if IN_DOWNTREND4 and i_CBSS validMarubozu = i_MaruType == "exclusive" ? -3 : -1 c3ValidSize = math.abs(C4_BODY) / C4_UPPERWICK c1Valid = f_IsMarubozu(C2_OPEN, C2_HIGH, C2_LOW, C2_CLOSE) <= validMarubozu and C2_ISTALL c2Valid = f_IsMarubozu(C3_OPEN, C3_HIGH, C3_LOW, C3_CLOSE) <= validMarubozu and C3_ISTALL c3Valid = C4_ISBEARISH and C4_OPEN < C3_CLOSE and c3ValidSize <= i_CBSC3Tol and f_WithinVals(C4_HIGH, C3_OPEN, C3_CLOSE) c4Valid = f_Engulfs(C5_HIGH, C5_LOW, C4_HIGH, C4_LOW) and f_IsMarubozu(C5_OPEN, C5_HIGH, C5_LOW, C5_CLOSE) <= validMarubozu // Note: it is unnecessary to check for C2,3,5_ISBEARISH as the value // returned from f_IsMarubozu will reveal this information. c1Valid and c2Valid and c3Valid and c4Valid ? f_SetupPattern(76, -1, 4) : na else na // Returns if the previous four candlesticks match either of the Three Line // Strike patterns (Bullish and Bearish). // // Ex: (Bearish) // // // β–‘ // β–‘ | // c4 closes above first day___β–‘__β–Ό________β–„ // β–ˆ β–Ό β–Ό β–ˆ // β–€ β–ˆ β–„ β–ˆ // β–ˆ__β–ˆ____c4 opens below prior day // β–€ // β–² // f_IsThreeLineStrike() => if IN_UPTREND4 and i_BU3LSS c1buvalid = C2_ISBULLISH c2buvalid = C3_ISBULLISH and C3_HIGH > C2_HIGH c3buvalid = C4_ISBULLISH and C4_HIGH > C3_HIGH c4buvalid = C5_ISBEARISH and C5_OPEN > C4_CLOSE and C5_CLOSE < C2_OPEN and C5_ISTALL c1buvalid and c2buvalid and c3buvalid and c4buvalid ? f_SetupPattern(77, 1, 4) : na else if IN_DOWNTREND4 and i_BE3LSS c1bevalid = C2_ISBEARISH c2bevalid = C3_ISBEARISH and C3_LOW < C2_LOW c3bevalid = C4_ISBEARISH and C4_LOW < C3_LOW c4bevalid = C5_ISBULLISH and C5_OPEN < C4_CLOSE and C5_CLOSE > C2_OPEN and C5_ISTALL c1bevalid and c2bevalid and c3bevalid and c4bevalid ? f_SetupPattern(78, -1, 4) : na else na // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ __ ____ _ β•‘ // β•‘ / / ___ ___ _(_)___ _/_/ / __/ | | β•‘ // β•‘ / /__/ _ \/ _ `/ / __/ / / /__ \ / / β•‘ // β•‘ /____/\___/\_, /_/\__/ / / /____/ _/_/ β•‘ // β•‘ /___/ |_| /_/ β•‘ // β•‘ β•‘ // β•‘This section will include 6 5-candle patterns recognized by 4 methods: β•‘ // β•‘ Breakaway (Bullish and Bearish) β•‘ // β•‘ Ladder Bottom β•‘ // β•‘ Mat Hold β•‘ // β•‘ Three Methods (Rising and Falling) β•‘ // β•‘ β•‘ // β•šXLOG5══════════════════════════════════════════════════════════════════════╝ // Determines if the previous five candles fit the requirements for either a // Bullish Breakaway pattern or a Bearish Breakaway pattern. // // Ex: (Bullish) // // // β–‘ // β–‘ β–Ό // β–‘ // β–’ // // β–„ ------ closes within c1/c2 gap // β–€ β–ˆ β–„ β–“ // β–Ό β–€ β–² // β–Ό // f_IsBreakaway() => c1andc5Tall = C1_ISTALL and C5_ISTALL if c1andc5Tall [c3Higher, c3Lower] = f_GetHigherLowerTuple(C3_OPEN, C3_CLOSE) if IN_UPTREND5 and i_BEBAS c1bevalid = C1_ISBULLISH c2bevalid = C2_ISBULLISH and C2_OPEN > C1_CLOSE c3bevalid = c3Higher > C2_CLOSE and c3Lower > C1_CLOSE c4bevalid = C4_ISBULLISH and C4_CLOSE > c3Higher and C4_OPEN > C1_OPEN c5bevalid = C5_ISBEARISH and C5_CLOSE > C1_CLOSE and C5_CLOSE < C2_OPEN c1bevalid and c2bevalid and c3bevalid and c4bevalid and c5bevalid ? f_SetupPattern(79, 1, 5) : na else if IN_DOWNTREND5 and i_BUBAS c1buvalid = C1_ISBEARISH c2buvalid = C2_ISBEARISH and C2_OPEN < C1_CLOSE c3buvalid = c3Lower < C2_CLOSE and c3Higher < C1_CLOSE c4buvalid = C4_ISBEARISH and C4_CLOSE < c3Lower and C4_OPEN < C1_CLOSE c5buvalid = C5_ISBULLISH and C5_CLOSE > C2_OPEN and C5_CLOSE < C1_CLOSE c1buvalid and c2buvalid and c3buvalid and c4buvalid and c5buvalid ? f_SetupPattern(80, -1, 5) : na else na else na // Returns if the previous five candlesticks fit the requirements for a Ladder // Bottom pattern. The inputs will allow the user to specify the range of values // the [C4_UPPERWICK] / [C4_RANGE] may be to be considered valid. // // Ex: // // β–‘ // β–‘ β–Ό // β–‘ β–Ό // β–“ β–Ό | // β–“ β–Ό β–ˆ // β–“ ...β–€....... c4/c5 gap // β–ˆ β–² // ' // @inputs: // i_LBC4WickMin - minimum size of the upper wick (as a % of high-low range) // for candle 4. // i_LBC4WickMax - maximum size of the upper wick (as a % of high-low range) // for candle 4. // f_IsLadderBottom() => if IN_DOWNTREND5 and i_LBS c1c2c3Tall = C1_ISTALL and C2_ISTALL and C3_ISTALL c4WSize = C4_UPPERWICK / C4_RANGE c1valid = C1_ISBEARISH c2valid = C2_ISBEARISH and C2_OPEN < C1_OPEN and C2_CLOSE < C1_CLOSE c3valid = C3_ISBEARISH and C3_OPEN < C2_OPEN and C3_CLOSE < C2_CLOSE c4valid = C4_ISBEARISH and c4WSize >= i_LBC4WickMin and c4WSize <= i_LBC4WickMax c5valid = C5_ISBULLISH and C5_OPEN > C4_OPEN c1valid and c2valid and c3valid and c4valid and c5valid and c1c2c3Tall ? f_SetupPattern(81, -1, 5) : na else na // Returns if the previous five candles fit the requirements for a Mat Hold // pattern. // // Ex: // // | // β–Ό _____β–„____ c5 closes above highest high // β–„ | β–ˆ // c2 gaps above c1 -----β–€ β–ˆ β–Ό β–ˆ // | β–€ β–„ β–ˆ // β–“ β–ˆ β–€ // β–‘ β–“ β–² // β–‘ β–² // β–‘ // f_IsMatHold() => if IN_UPTREND5 and i_MHS [C3_HIGHer, C3_LOWer] = f_GetHigherLowerTuple(C3_OPEN, C3_CLOSE) highestHigh = math.max(C4_HIGH, C3_HIGH, C2_HIGH, C1_HIGH) middleThreeAboveLow = C2_CLOSE > C1_LOW and C3_LOWer > C1_LOW and C4_CLOSE > C1_LOW c1valid = C1_ISBULLISH and C1_ISTALL c2valid = C2_ISBEARISH and C2_CLOSE > C1_CLOSE c3valid = C3_HIGHer < C2_OPEN c4valid = C4_ISBEARISH and C4_OPEN < C3_HIGHer c5valid = C5_ISBULLISH and C5_CLOSE > highestHigh and C5_ISTALL c1valid and c2valid and c3valid and c4valid and c5valid and middleThreeAboveLow ? f_SetupPattern(82, 1, 5) : na else na // Returns if the previous five candles fit the requirements for a Rising or // Falling Three Methods pattern. // // Ex: (Rising) // // β–² // ...........|..β–Ό β–² // / β–„--β–ˆ-----β–Ό--β–ˆ----- c5 closes above c1 close // c2-c4 trade ──── β–ˆ β–€ β–ˆ β–„ β–ˆ // within c1 range \ ________β–‘_β–ˆ_____|__β–ˆ β–ˆ // β–‘ | | // β–‘ // // f_IsThreeMethods() => c1andc5Tall = C1_ISTALL and C5_ISTALL if c1andc5Tall [C3_HIGHer, C3_LOWer] = f_GetHigherLowerTuple(C3_OPEN, C3_CLOSE) if IN_DOWNTREND5 and i_F3MS c1favalid = C1_ISBEARISH c2favalid = C2_ISBULLISH and C2_OPEN > C1_LOW and C2_CLOSE < C1_HIGH c3favalid = C3_HIGHer > C2_CLOSE and C3_LOWer > C2_OPEN and C3_HIGHer < C1_HIGH c4favalid = C4_ISBULLISH and C4_OPEN > C3_LOWer and C4_CLOSE > C3_HIGHer and C4_CLOSE < C1_HIGH c5favalid = C5_ISBEARISH and C5_CLOSE < C1_CLOSE c1favalid and c2favalid and c3favalid and c4favalid and c5favalid ? f_SetupPattern(83, 1, 5) : na else if IN_UPTREND5 and i_R3MS c1rivalid = C1_ISBULLISH c2rivalid = C2_ISBEARISH and C2_CLOSE > C1_LOW and C2_OPEN < C1_HIGH c3rivalid = C3_HIGHer < C2_OPEN and C3_LOWer > C1_LOW c4rivalid = C4_ISBEARISH and C4_OPEN < C3_HIGHer and C4_CLOSE > C1_LOW c5rivalid = C5_ISBULLISH and C5_CLOSE > C1_CLOSE c1rivalid and c2rivalid and c3rivalid and c4rivalid and c5rivalid ? f_SetupPattern(84, 1, 5) : na else na else na // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ _ _____ ____ β•‘ // β•‘ / / ___ ___ _(_)___ / ___/__ _/ / /__ β•‘ // β•‘ / /__/ _ \/ _ `/ / __/ / /__/ _ `/ / (_-< β•‘ // β•‘ /____/\___/\_, /_/\__/ \___/\_,_/_/_/___/ β•‘ // β•‘ /___/ β•‘ // β•‘ β•‘ // β•‘ This section is solely for the purpose of calling each of the functions β•‘ // β•‘ which determine if a candlestick pattern has appeared. Every function β•‘ // β•‘ in this section pertains to the number of candles in the patterns they β•‘ // β•‘ seek to identify (excluding f_RunRemaining). They are broken up as such β•‘ // β•‘ for the purpose of readability, on top of operating within PineScrypt's β•‘ // β•‘ limits: β•‘ // β•‘ β•‘ // β•‘ Pine's compiler cannot process a function which calls more than 254 β•‘ // β•‘ 'external elements' which include inputs, function parameters, and other β•‘ // β•‘ things. If each function call for all patterns were put into a single β•‘ // β•‘ function, it would quickly exceed that limit. β•‘ // β•‘ β•‘ // β•‘ Since Pine does not have a do-while loop structure, this is what I think β•‘ // β•‘ is the next-best solution. Each loop will call every single function to β•‘ // β•‘ attempt to recognize a pattern. If one is found, the loop is broken and β•‘ // β•‘ that pattern will be returned; preventing the execution of other pattern β•‘ // β•‘ functions. If not, it will process through until the end of the loop, β•‘ // β•‘ where the condition for which the loop started running will be changed to β•‘ // β•‘ only have that loop run once. The reason behind this design is so that β•‘ // β•‘ there is not a massive if-else-if block necessary for calling all of the β•‘ // β•‘ pattern functions and is much easier to look at in my opinion. β•‘ // β•‘ β•‘ // β•šXLOGC══════════════════════════════════════════════════════════════════════╝ // start while-loop corkscrew f_Run5CPats() => patternObj newPat = na bool loopBreak = false while not loopBreak newPat := f_IsThreeMethods() if not na(newPat) break newPat := f_IsMatHold() if not na(newPat) break newPat := f_IsLadderBottom() if not na(newPat) break newPat := f_IsBreakaway() if not na(newPat) break loopBreak := true newPat f_Run4CPats() => patternObj newPat = na bool loopBreak = false while not loopBreak newPat := f_IsThreeLineStrike() if not na(newPat) break newPat := f_IsConcealingBabySwallow() if not na(newPat) break loopBreak := true newPat f_Run3CPats() => patternObj newPat = na bool loopBreak = false while not loopBreak newPat := f_IsUnique3RB() if not na(newPat) break newPat := f_IsTwoCrows() if not na(newPat) break newPat := f_IsThree() if not na(newPat) break newPat := f_IsTasukiGap() if not na(newPat) break newPat := f_IsStickSandwich() if not na(newPat) break newPat := f_IsStar() if not na(newPat) break newPat := f_IsSBS() if not na(newPat) break newPat := f_Is3InAndOut() if not na(newPat) break newPat := f_IsGap3Methods() if not na(newPat) break newPat := f_IsDeliberation() if not na(newPat) break newPat := f_IsCollapsingDoji() if not na(newPat) break newPat := f_IsAdvanceBlock() if not na(newPat) break newPat := f_IsAbandonedBaby() if not na(newPat) break loopBreak := true newPat f_Run2CPats() => patternObj newPat = na bool loopBreak = false while not loopBreak newPat := f_IsWindow() if not na(newPat) break newPat := f_IsTwoBlackGap() if not na(newPat) break newPat := f_IsTweezer() if not na(newPat) break newPat := f_IsThrusting() if not na(newPat) break newPat := f_IsStomach() if not na(newPat) break newPat := f_IsPiercing() if not na(newPat) break newPat := f_IsNeck() if not na(newPat) break newPat := f_IsMatchLow() if not na(newPat) break newPat := f_IsLines() if not na(newPat) break newPat := f_IsKicking() if not na(newPat) break newPat := f_IsHomingPige() if not na(newPat) break newPat := f_IsHarami() if not na(newPat) break newPat := f_IsDCC() if not na(newPat) break newPat := f_Is2CEngulfing() if not na(newPat) break loopBreak := true newPat f_RunRemaining() => patternObj newPat = na bool loopBreak = false while not loopBreak newPat := f_IsDojiPat() if not na(newPat) break newPat := f_IsHammerPat() if not na(newPat) break newPat := f_IsLongDay() if not na(newPat) break loopBreak := true newPat // End while-loop corkscrew // ╔═══════════════════════════════════════════════════════════════════════════╗ // β•‘ __ ___ _ ______ ____ ____ __ __ β•‘ // β•‘ / |/ /___ _(_)___ / ____/___ _/ / / / __ )/ /___ _____/ /__ β•‘ // β•‘ / /|_/ / __ `/ / __ \ / / / __ `/ / / / __ / / __ \/ ___/ //_/ β•‘ // β•‘ / / / / /_/ / / / / / / /___/ /_/ / / / / /_/ / / /_/ / /__/ ,< β•‘ // β•‘ /_/ /_/\__,_/_/_/ /_/ \____/\__,_/_/_/ /_____/_/\____/\___/_/|_| β•‘ // β•‘ β•‘ // β•‘ This section is the heart of the program which calls all the pattern β•‘ // β•‘ recognition functions, overriding patterns, calculating percent returns β•‘ // β•‘ + managing the return matrix, and barcoloration for displaying these β•‘ // β•‘ patterns when they appear. β•‘ // β•‘ β•‘ // β•‘ Honestly amazing how 5,000 lines of code can be ran in less than 220 β•‘ // β•‘ lines at the end. Much like reading through the entirety of this script, β•‘ // β•‘ building it was one hell of a journey. β•‘ // β•‘ β•‘ // β•šXMAIN══════════════════════════════════════════════════════════════════════╝4 if bar_index > 5 // Grab previous patterns for overrides previousFour = array.from(TEST_VAL[4], TEST_VAL[3], TEST_VAL[2], TEST_VAL[1]) previousThree = array.slice(previousFour, 1, 4) previousTwo = array.slice(previousFour, 2, 4) previousPat = array.slice(previousFour, 3, 4) // Prioritize larger candle patterns, move down, test all. TEST_VAL := f_Run5CPats() if na(TEST_VAL) TEST_VAL := f_Run4CPats() if na(TEST_VAL) TEST_VAL := f_Run3CPats() if na(TEST_VAL) TEST_VAL := f_Run2CPats() if na(TEST_VAL) TEST_VAL := f_RunRemaining() // Global Variables cannot be modified from a function, this // works around that restriction. if i_AdaptiveCol and not i_HardLimit [minRet, maxRet] = f_MatrixMinMax() MINRETVAL := minRet < MINRETVAL ? minRet : MINRETVAL MAXRETVAL := maxRet > MAXRETVAL ? maxRet : MAXRETVAL // DETECTION TYPE -> CLASSIC if i_DetectionType == "CLASSIC" // Test for any new patterns if not na(TEST_VAL) // Fire alert and begin overriding based on pattern size f_AlertOnFind(TEST_VAL) switch TEST_VAL.size 5 => f_OverridePrevious(previousFour) 4 => f_OverridePrevious(previousThree) 3 => f_OverridePrevious(previousTwo) 2 => f_OverridePrevious(previousPat) // Grab return array and display statistics for pattern. retArr = f_GetRetArrFromPat(TEST_VAL) // Set up boolean value for ignoring patterns in TARGET MODE bool noPaint = na if i_CandleDetSet == "TARGET MODE" targetID = f_GetIDFromTarget() if TEST_VAL.ID != targetID label.delete(TEST_VAL.patLabel) TEST_VAL.labelTooltip := "" noPaint := true if not noPaint array.push(BAR_COLOR_VALS, barColTup.new(1, TEST_VAL.size)) array.set(CANDLE_COLOR_ARR, 0, f_GrabColor(retArr)) // CLASSIC MODE P/L CALCULATION patBacktest = TEST_VAL[i_PnLLength] // Check if not na/overridden, these are nested to avoid referencing // fields of 'na' objects. if not na(patBacktest) // Ignore absorbed patterns if not patBacktest.overridden // Grab the pattern's return array and append the new return to // it, fire any alerts, append return to pattern tooltip. retArrBack = f_GetRetArrFromPat(patBacktest) percentRet = f_CalculatePercentReturn(i_PnLLength, 0) if CURR_BARSTATE f_AddReturnAndUpdate(retArrBack, percentRet) f_AppendTooltip(patBacktest, "\nThis pattern returned " + str.tostring(percentRet, "#.####") + "%") f_AlertOnReturns(patBacktest, percentRet) // DETECTION TYPE -> BREAKOUT else // Test for new patterns, add to queue if not na(TEST_VAL) array.push(UNCONF_PATTERNS, TEST_VAL) f_AlertOnFind(TEST_VAL) // Check if an update is necessary unconfSize = array.size(UNCONF_PATTERNS) updateNecessary = unconfSize != 0 if updateNecessary // setup indices to remove array int[] indicesToRemove = array.new<int>() loopSize = unconfSize - 1 // run through loop checking each unconfirmed pattern for i = 0 to loopSize patToTest = array.get(UNCONF_PATTERNS, i) testConfVal = f_RunPatternConfirmation(patToTest) // Pattern either confirmed or candlesLeft is 0 if testConfVal // breakoutDir is set to 0 if candlesLeft == 0 if patToTest.breakoutDir != 0 // Override based on size, display stats on label // and fire breakout alert. switch patToTest.size 5 => f_OverridePrevious(previousFour[patToTest.confOffset - 1]) 4 => f_OverridePrevious(previousThree[patToTest.confOffset - 1]) 3 => f_OverridePrevious(previousTwo[patToTest.confOffset - 1]) 2 => f_OverridePrevious(previousPat[patToTest.confOffset - 1]) => na // add new confirmed object to confirmed array newConf = f_DeriveConfirmObj(patToTest) array.push(CONF_PATTERNS, newConf) // get stats for confirmed pattern, display with breakout direction retArr = f_GetRetArrFromPat(patToTest) if CURR_BARSTATE f_DisplayStatsOnLabel(patToTest, retArr) f_AlertOnBreakout(patToTest) // Non-breakout case else f_AlertOnNonBreakout(patToTest) // In either case, pattern needs to be kicked from queue array.push(indicesToRemove, i) // Since array was processed in reverse order, patterns need to be // removed in regular order to avoid corrupting the queue. array.sort(indicesToRemove, order.ascending) remArrSize = array.size(indicesToRemove) // Loop will attempt to run even if size of indices to remove array // is 0 (unsure why, the same problem was present in the Hikkake // Hunter 2.0). if not remArrSize == 0 for j = 0 to remArrSize - 1 array.remove(UNCONF_PATTERNS, array.pop(indicesToRemove)) // BREAKOUT MODE P/L CALCULATION FOR CONFIRMED INDICIES confIndToRem = array.new<int>() arrSize = array.size(CONF_PATTERNS) // Check arr size before loop if not arrSize == 0 for i = 0 to arrSize - 1 // Get confirmed pattern, check if there's any remaining candles for P/L calculation currPatProcess = array.get(CONF_PATTERNS, i) // only triggers on a confirmed barstate if currPatProcess.candlesLeft == 0 // P/L offset for the pattern experiencing is always the # candles for confirm - 1 // check if overridden before P/L calculation prevPatRef = TEST_VAL[i_PnLLength + currPatProcess.ccandles - 1] if not prevPatRef.overridden // Get matrix position and add new return, handle 'FROM APPEARANCE' case pnLOffset = i_PnLOffset == "FROM APPEARANCE" ? currPatProcess.ccandles - 1 : 0 percRet = f_CalculatePercentReturn(i_PnLLength, pnLOffset) matRowPos = currPatProcess.ID matColPos = currPatProcess.part + (currPatProcess.breakoutDir == 1 ? 0 : 3) retArrToApp = matrix.get(PERCENT_RETURNS, matRowPos, matColPos) f_AddReturnAndUpdate(retArrToApp, percRet) // Add onto tooltip and fire alert f_AppendTooltip(prevPatRef, "\nThis pattern returned: " + str.tostring(percRet, "#.####") + "%") f_AlertOnReturns(prevPatRef, percRet) // remove from confirmed queue array.push(confIndToRem, i) // Decrement remaining candles else currPatProcess.candlesLeft := currPatProcess.candlesLeft - (CURR_BARSTATE ? 1 : 0) // Always remove items in reverse order (pop) to avoid array corruption array.sort(confIndToRem, order.ascending) remArrSize = array.size(confIndToRem) // remove all confirmed patterns with returns from array if not remArrSize == 0 for i = 0 to remArrSize - 1 array.remove(CONF_PATTERNS, array.pop(confIndToRem)) // Moving Average plots p_MA1_PLOT = plot(i_MASetting == "MA 1" or i_MASetting == "BOTH" ? MA1 : na, title = "MA 1", color = color.red, linewidth = i_MA1Width) p_MA2_PLOT = plot(i_MASetting == "MA 2" or i_MASetting == "BOTH" and i_MA1Length != i_MA2Length ? MA2 : na, color = color.white, title = "MA 2", linewidth = i_MA2Width) //----------------------------- COLOR THE PATTERNS ----------------------------- barcolor(f_BCContains(5, 5) ? array.get(CANDLE_COLOR_ARR, 4) : na, -9) barcolor(f_BCContains(5, 4) ? array.get(CANDLE_COLOR_ARR, 4) : na, -8) barcolor(f_BCContains(5, 3) ? array.get(CANDLE_COLOR_ARR, 4) : na, -7) barcolor(f_BCContains(5, 2) ? array.get(CANDLE_COLOR_ARR, 4) : na, -6) barcolor(f_BCContains(5, 1) ? array.get(CANDLE_COLOR_ARR, 4) : na, -5) barcolor(f_BCContains(4, 5) ? array.get(CANDLE_COLOR_ARR, 3) : na, -8) barcolor(f_BCContains(4, 4) ? array.get(CANDLE_COLOR_ARR, 3) : na, -7) barcolor(f_BCContains(4, 3) ? array.get(CANDLE_COLOR_ARR, 3) : na, -6) barcolor(f_BCContains(4, 2) ? array.get(CANDLE_COLOR_ARR, 3) : na, -5) barcolor(f_BCContains(4, 1) ? array.get(CANDLE_COLOR_ARR, 3) : na, -4) barcolor(f_BCContains(3, 5) ? array.get(CANDLE_COLOR_ARR, 2) : na, -7) barcolor(f_BCContains(3, 4) ? array.get(CANDLE_COLOR_ARR, 2) : na, -6) barcolor(f_BCContains(3, 3) ? array.get(CANDLE_COLOR_ARR, 2) : na, -5) barcolor(f_BCContains(3, 2) ? array.get(CANDLE_COLOR_ARR, 2) : na, -4) barcolor(f_BCContains(3, 1) ? array.get(CANDLE_COLOR_ARR, 2) : na, -3) barcolor(f_BCContains(2, 5) ? array.get(CANDLE_COLOR_ARR, 1) : na, -6) barcolor(f_BCContains(2, 4) ? array.get(CANDLE_COLOR_ARR, 1) : na, -5) barcolor(f_BCContains(2, 3) ? array.get(CANDLE_COLOR_ARR, 1) : na, -4) barcolor(f_BCContains(2, 2) ? array.get(CANDLE_COLOR_ARR, 1) : na, -3) barcolor(f_BCContains(2, 1) ? array.get(CANDLE_COLOR_ARR, 1) : na, -2) barcolor(f_BCContains(1, 5) ? array.get(CANDLE_COLOR_ARR, 0) : na, -5) barcolor(f_BCContains(1, 4) ? array.get(CANDLE_COLOR_ARR, 0) : na, -4) barcolor(f_BCContains(1, 3) ? array.get(CANDLE_COLOR_ARR, 0) : na, -3) barcolor(f_BCContains(1, 2) ? array.get(CANDLE_COLOR_ARR, 0) : na, -2) barcolor(f_BCContains(1, 1) ? array.get(CANDLE_COLOR_ARR, 0) : na, -1) //------------------------------------------------------------------------------
MultyTimeframe
https://www.tradingview.com/script/io8VHIxC-MultyTimeframe/
atomicbear96
https://www.tradingview.com/u/atomicbear96/
18
library
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© atomicbear96 //@version=5 // @description TODO: add library description here library("MultyTimeframe") // @function TODO: add function description here // @param x TODO: add parameter x description here // @returns TODO: add what function returns ////////////////////////////////////// TimeFrame Set ////////////////////////////////////////////////////// // big_interval = timeframe.period == "1" ? "5" : timeframe.period == "5" ? "30": timeframe.period == "15" ? "60" : timeframe.period == "30" ? "120" :timeframe.period == "60" ? "240" : timeframe.period == "240" ? "D" : timeframe.period == "D" ? "W" : "60" // big_interval_2 = timeframe.period == "1" ? "30" : timeframe.period == "5" ? "120": timeframe.period == "15" ? "240" : timeframe.period == "30" ? "480" :timeframe.period == "60" ? "D" : timeframe.period == "240" ? "W" : timeframe.period == "D" ? "W" : "D" // big_mult = timeframe.period == "1" ? 5 : timeframe.period == "5" ? 6: timeframe.period == "15" ? 4 : timeframe.period == "30" ? 4 :timeframe.period == "60" ? 4 : timeframe.period == "240" ? 6 : timeframe.period == "D" ? 7 : 7 // big_mult_2 = timeframe.period == "1" ? 30 : timeframe.period == "5" ? 24: timeframe.period == "15" ? 16 : timeframe.period == "30" ? 16 :timeframe.period == "60" ? 24 : timeframe.period == "240" ? 42 : timeframe.period == "D" ? 7 : 21 // big_interval = 5 // big_interval_2 = 30 // big_mult = 5 // big_mult_2 = 30 export MultTimeframes() => //TODO : add function body and return value here big_interval = "5" big_interval_2 = "30" big_mult = 5 big_mult_2 = 30 // Second if timeframe.period == "1S" big_interval := "5S" big_interval_2 := "30S" big_mult := 5 big_mult_2 := 30 else if timeframe.period == "5S" big_interval := "30S" big_interval_2 := "4" big_mult := 6 big_mult_2 := 24 else if timeframe.period == "10S" big_interval := "1" big_interval_2 := "4" big_mult := 6 big_mult_2 := 24 else if timeframe.period == "15S" big_interval := "1" big_interval_2 := "4" big_mult := 4 big_mult_2 := 16 else if timeframe.period == "30S" big_interval := "2" big_interval_2 := "8" big_mult := 4 big_mult_2 := 16 // Minutes else if timeframe.period == "1" big_interval := "5" big_interval_2 := "30" big_mult := 5 big_mult_2 := 30 else if timeframe.period == "2" big_interval := "10" big_interval_2 := "60" big_mult := 5 big_mult_2 := 30 else if timeframe.period == "3" big_interval := "15" big_interval_2 := "90" big_mult := 5 big_mult_2 := 30 else if timeframe.period == "4" big_interval := "20" big_interval_2 := "120" big_mult := 5 big_mult_2 := 30 else if timeframe.period == "5" big_interval := "30" big_interval_2 := "120" big_mult := 6 big_mult_2 := 24 else if timeframe.period == "6" big_interval := "30" big_interval_2 := "120" big_mult := 5 big_mult_2 := 20 else if timeframe.period == "10" big_interval := "60" big_interval_2 := "240" big_mult := 6 big_mult_2 := 24 else if timeframe.period == "15" big_interval := "60" big_interval_2 := "240" big_mult := 4 big_mult_2 := 16 else if timeframe.period == "30" big_interval := "120" big_interval_2 := "480" big_mult := 4 big_mult_2 := 16 else if timeframe.period == "45" big_interval := "180" big_interval_2 := "450" big_mult := 4 big_mult_2 := 10 // Hours else if timeframe.period == "60" big_interval := "240" big_interval_2 := "D" big_mult := 4 big_mult_2 := 24 else if timeframe.period == "120" big_interval := "480" big_interval_2 := "2D" big_mult := 4 big_mult_2 := 24 else if timeframe.period == "180" big_interval := "720" big_interval_2 := "3D" big_mult := 4 big_mult_2 := 24 else if timeframe.period == "240" big_interval := "D" big_interval_2 := "W" big_mult := 6 big_mult_2 := 42 // Days else if timeframe.period == "D" big_interval := "W" big_interval_2 := "M" big_mult := 7 big_mult_2 := 30 else if timeframe.period == "W" big_interval := "M" big_interval_2 := "Y" big_mult := 4 big_mult_2 := 48 else big_interval := "5" big_interval_2 := "30" big_mult := 5 big_mult_2 := 30 [big_interval, big_interval_2, big_mult, big_mult_2]
Trend_Channels_Lib
https://www.tradingview.com/script/nzBHo8hh-Trend-Channels-Lib/
arandiajean
https://www.tradingview.com/u/arandiajean/
3
library
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© arandiajean //@version=5 // @description TODO: add library description here library("Trend_Channels_Lib",overlay=true) // @function TODO: add function description here // @param x TODO: add parameter x description here // @returns TODO: add what function returns export ttc(int start_index, int lookback, color color, float offset) => //Channel ## //Equations H_x1 = array.new<float>() H_x2 = array.new<float>() H_y1 = array.new<float>() H_y2 = array.new<float>() H_m = array.new<float>() H_b = array.new<float>() H_lin = false H_env_m = array.new<float>() H_env_b = array.new<float>() H_len = 0 H_error = array.new<float>() // //Highs Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback //int k = -1 for i = start_index to start_index+lookback //k := k + 1 if j != i array.push(H_x1,last_bar_index-1-j) array.push(H_x2,last_bar_index-1-i) array.push(H_y1,high[j+1]) array.push(H_y2,high[i+1]) //line.new(last_bar_index-1-j,high[j+1],last_bar_index-1-i,high[i+1],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) H_len := array.size(H_x1) for i = 0 to H_len-1 slope = (array.get(H_y1,i)-array.get(H_y2,i))/(array.get(H_x1,i)-array.get(H_x2,i)) array.push(H_m,slope) y_inter = array.get(H_y1,i)-array.get(H_m,i)*array.get(H_x1,i) array.push(H_b,y_inter) for i = 0 to H_len-1 for j = start_index to start_index+lookback reg = array.get(H_m,i)*(last_bar_index-1-j) + array.get(H_b,i) if reg >= high[j+1] H_lin := true else H_lin := false break if H_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(H_m,i)*(last_bar_index-start_index-1) + array.get(H_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(H_m,i)*(last_bar_index-start_index-lookback-1) + array.get(H_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(H_env_m,slope) == false array.push(H_env_m,slope) array.push(H_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) H_len := array.size(H_env_m) //Method of Least Square for i = 0 to H_len-1 err = 0. for j = start_index to start_index+lookback err := err + (array.get(H_env_m,i)*(last_bar_index-1-j) + array.get(H_env_b,i)) - high[j] array.push(H_error,err) //Minimum error min = array.min(H_error) //Index of ind = array.indexof(H_error,min) //Envelope u1 = last_bar_index-start_index v1 = array.get(H_env_m,ind)*(last_bar_index-start_index) + array.get(H_env_b,ind) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(H_env_m,ind)*(last_bar_index-start_index-lookback-1) + array.get(H_env_b,ind) //Offset line.new(u1,v1*(1-offset),u2,v2*(1-offset),xloc=xloc.bar_index,extend=extend.none, color=color.gray, width=1, style=line.style_dashed) // line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //End of code export p_ttc(int start_index, int lookback) => //Channel ## //Equations H_x1 = array.new<float>() H_x2 = array.new<float>() H_y1 = array.new<float>() H_y2 = array.new<float>() H_m = array.new<float>() H_b = array.new<float>() H_lin = false H_env_m = array.new<float>() H_env_b = array.new<float>() H_len = 0 H_error = array.new<float>() // //Highs Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback //int k = -1 for i = start_index to start_index+lookback //k := k + 1 if j != i array.push(H_x1,last_bar_index-1-j) array.push(H_x2,last_bar_index-1-i) array.push(H_y1,high[j+1]) array.push(H_y2,high[i+1]) //line.new(last_bar_index-1-j,high[j+1],last_bar_index-1-i,high[i+1],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) H_len := array.size(H_x1) for i = 0 to H_len-1 slope = (array.get(H_y1,i)-array.get(H_y2,i))/(array.get(H_x1,i)-array.get(H_x2,i)) array.push(H_m,slope) y_inter = array.get(H_y1,i)-array.get(H_m,i)*array.get(H_x1,i) array.push(H_b,y_inter) for i = 0 to H_len-1 for j = start_index to start_index+lookback reg = array.get(H_m,i)*(last_bar_index-1-j) + array.get(H_b,i) if reg >= high[j+1] H_lin := true else H_lin := false break if H_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(H_m,i)*(last_bar_index-start_index-1) + array.get(H_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(H_m,i)*(last_bar_index-start_index-lookback-1) + array.get(H_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(H_env_m,slope) == false array.push(H_env_m,slope) array.push(H_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) H_len := array.size(H_env_m) //Method of Least Square for i = 0 to H_len-1 err = 0. for j = start_index to start_index+lookback err := err + (array.get(H_env_m,i)*(last_bar_index-1-j) + array.get(H_env_b,i)) - high[j] array.push(H_error,err) //Minimum error min = array.min(H_error) //Index of ind = array.indexof(H_error,min) [array.get(H_env_m,ind),array.get(H_env_b,ind)] //Envelope //u1 = last_bar_index-start_index //v1 = array.get(H_env_m,ind)*(last_bar_index-start_index) + array.get(H_env_b,ind) //u2 = last_bar_index-start_index-lookback-1 //v2 = array.get(H_env_m,ind)*(last_bar_index-start_index-lookback-1) + array.get(H_env_b,ind) //Offset //line.new(u1,v1*(1-offset),u2,v2*(1-offset),xloc=xloc.bar_index,extend=extend.none, color=color.gray, width=1, style=line.style_dashed) // //line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //End of code export new_ttc(int start_index, int lookback, float end_time) => if time > end_time //Channel ## //Equations H_x1 = array.new<float>() H_x2 = array.new<float>() H_y1 = array.new<float>() H_y2 = array.new<float>() H_m = array.new<float>() H_b = array.new<float>() H_lin = false H_env_m = array.new<float>() H_env_b = array.new<float>() H_len = 0 H_error = array.new<float>() // //Highs Trend Line for j = start_index to start_index+lookback //int k = -1 for i = start_index to start_index+lookback //k := k + 1 if j != i array.push(H_x1,bar_index-1-j) array.push(H_x2,bar_index-1-i) array.push(H_y1,high[j+1]) array.push(H_y2,high[i+1]) //line.new(bar_index-1-j,high[j+1],bar_index-1-i,high[i+1],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) H_len := array.size(H_x1) for i = 0 to H_len-1 slope = (array.get(H_y1,i)-array.get(H_y2,i))/(array.get(H_x1,i)-array.get(H_x2,i)) array.push(H_m,slope) y_inter = array.get(H_y1,i)-array.get(H_m,i)*array.get(H_x1,i) array.push(H_b,y_inter) // for i = 0 to H_len-1 for j = start_index to start_index+lookback reg = array.get(H_m,i)*(bar_index-1-j) + array.get(H_b,i) if reg >= high[j+1] H_lin := true else H_lin := false break if H_lin == true u1 = bar_index-start_index-1 v1 = array.get(H_m,i)*(bar_index-start_index-1) + array.get(H_b,i) u2 = bar_index-start_index-lookback-1 v2 = array.get(H_m,i)*(bar_index-start_index-lookback-1) + array.get(H_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(H_env_m,slope) == false array.push(H_env_m,slope) array.push(H_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) //label.new(bar_index-1,high[1],text=str.tostring(H_env_m)+"\n"+str.tostring(H_env_b)) // H_len := array.size(H_env_m) err = 0. // //Method of Least Square if array.size(H_env_m) > 0 for i = 0 to H_len-1 err := 0. for j = start_index to start_index+lookback err := err + (array.get(H_env_m,i)*(bar_index-1-j) + array.get(H_env_b,i)) - high[j] array.push(H_error,err) //label.new(bar_index-1,high[1],text=str.tostring(H_error)) //Minimum error if array.size(H_env_m) > 0 min = array.min(H_error) //Index of ind = array.indexof(H_error,min) //label.new(bar_index-1,high[1],text=str.tostring(ind)) //Envelope //u1 = bar_index-start_index //v1 = array.get(H_env_m,ind)*(bar_index-start_index) + array.get(H_env_b,ind) //u2 = bar_index-start_index-lookback-1 //v2 = array.get(H_env_m,ind)*(bar_index-start_index-lookback-1) + array.get(H_env_b,ind) //line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //label.new(bar_index-1,high[1],text=str.tostring(v1)) [array.get(H_env_m,ind),array.get(H_env_b,ind)] //End of code export btc(int start_index, int lookback, color color, float offset) => //Channel ## //Equations L_x1 = array.new<float>() L_x2 = array.new<float>() L_y1 = array.new<float>() L_y2 = array.new<float>() L_m = array.new<float>() L_b = array.new<float>() L_lin = false L_env_m = array.new<float>() L_env_b = array.new<float>() L_len = 0 L_error = array.new<float>() // //Lows Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback int k = -1 for i = start_index to start_index+lookback k := k + 1 if j != i array.push(L_x1,last_bar_index-1-j) array.push(L_x2,last_bar_index-1-i) array.push(L_y1,low[j+1]) array.push(L_y2,low[i+1]) //line.new(last_bar_index-1-j,high[j],last_bar_index-1-i,high[i],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) L_len := array.size(L_x1) for i = 0 to L_len-1 slope = (array.get(L_y1,i)-array.get(L_y2,i))/(array.get(L_x1,i)-array.get(L_x2,i)) array.push(L_m,slope) y_inter = array.get(L_y1,i)-array.get(L_m,i)*array.get(L_x1,i) array.push(L_b,y_inter) for i = 0 to L_len-1 for j = start_index to start_index+lookback reg = array.get(L_m,i)*(last_bar_index-1-j) + array.get(L_b,i) if reg <= low[j+1] L_lin := true else L_lin := false break if L_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(L_m,i)*(last_bar_index-start_index-1) + array.get(L_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(L_m,i)*(last_bar_index-start_index-lookback-1) + array.get(L_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(L_env_m,slope) == false array.push(L_env_m,slope) array.push(L_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) L_len := array.size(L_env_m) //Method of Least Square for i = 0 to L_len-1 err = 0. for j = start_index to start_index+lookback err := err + low[j] - (array.get(L_env_m,i)*(last_bar_index-1-j) + array.get(L_env_b,i)) array.push(L_error,err) //Minimum error min = array.min(L_error) //Index of ind = array.indexof(L_error,min) //Envelope u1 = last_bar_index-start_index v1 = array.get(L_env_m,ind)*(last_bar_index-start_index) + array.get(L_env_b,ind) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(L_env_m,ind)*(last_bar_index-start_index-lookback-1) + array.get(L_env_b,ind) //offset line.new(u1,v1*(1+offset),u2,v2*(1+offset),xloc=xloc.bar_index,extend=extend.none, color=color.gray, width=1, style=line.style_dashed) // line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //End of code export p_btc(int start_index, int lookback) => //Channel ## //Equations L_x1 = array.new<float>() L_x2 = array.new<float>() L_y1 = array.new<float>() L_y2 = array.new<float>() L_m = array.new<float>() L_b = array.new<float>() L_lin = false L_env_m = array.new<float>() L_env_b = array.new<float>() L_len = 0 L_error = array.new<float>() // //Lows Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback int k = -1 for i = start_index to start_index+lookback k := k + 1 if j != i array.push(L_x1,last_bar_index-1-j) array.push(L_x2,last_bar_index-1-i) array.push(L_y1,low[j+1]) array.push(L_y2,low[i+1]) //line.new(last_bar_index-1-j,high[j],last_bar_index-1-i,high[i],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) L_len := array.size(L_x1) for i = 0 to L_len-1 slope = (array.get(L_y1,i)-array.get(L_y2,i))/(array.get(L_x1,i)-array.get(L_x2,i)) array.push(L_m,slope) y_inter = array.get(L_y1,i)-array.get(L_m,i)*array.get(L_x1,i) array.push(L_b,y_inter) for i = 0 to L_len-1 for j = start_index to start_index+lookback reg = array.get(L_m,i)*(last_bar_index-1-j) + array.get(L_b,i) if reg <= low[j+1] L_lin := true else L_lin := false break if L_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(L_m,i)*(last_bar_index-start_index-1) + array.get(L_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(L_m,i)*(last_bar_index-start_index-lookback-1) + array.get(L_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(L_env_m,slope) == false array.push(L_env_m,slope) array.push(L_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) L_len := array.size(L_env_m) //Method of Least Square for i = 0 to L_len-1 err = 0. for j = start_index to start_index+lookback err := err + low[j] - (array.get(L_env_m,i)*(last_bar_index-1-j) + array.get(L_env_b,i)) array.push(L_error,err) //Minimum error min = array.min(L_error) //Index of ind = array.indexof(L_error,min) [array.get(L_env_m,ind),array.get(L_env_b,ind)] //Envelope //u1 = last_bar_index-start_index //v1 = array.get(L_env_m,ind)*(last_bar_index-start_index) + array.get(L_env_b,ind) //u2 = last_bar_index-start_index-lookback-1 //v2 = array.get(L_env_m,ind)*(last_bar_index-start_index-lookback-1) + array.get(L_env_b,ind) //offset //line.new(u1,v1*(1+offset),u2,v2*(1+offset),xloc=xloc.bar_index,extend=extend.none, color=color.gray, width=1, style=line.style_dashed) // //line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //End of code export new_btc(int start_index, int lookback, float end_time) => if time > end_time //Channel ## //Equations L_x1 = array.new<float>() L_x2 = array.new<float>() L_y1 = array.new<float>() L_y2 = array.new<float>() L_m = array.new<float>() L_b = array.new<float>() L_lin = false L_env_m = array.new<float>() L_env_b = array.new<float>() L_len = 0 L_error = array.new<float>() // //Lows Trend Line for j = start_index to start_index+lookback //int k = -1 for i = start_index to start_index+lookback //k := k + 1 if j != i array.push(L_x1,bar_index-1-j) array.push(L_x2,bar_index-1-i) array.push(L_y1,low[j+1]) array.push(L_y2,low[i+1]) //line.new(bar_index-1-j,low[j+1],bar_index-1-i,low[i+1],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) L_len := array.size(L_x1) for i = 0 to L_len-1 slope = (array.get(L_y1,i)-array.get(L_y2,i))/(array.get(L_x1,i)-array.get(L_x2,i)) array.push(L_m,slope) y_inter = array.get(L_y1,i)-array.get(L_m,i)*array.get(L_x1,i) array.push(L_b,y_inter) // for i = 0 to L_len-1 for j = start_index to start_index+lookback reg = array.get(L_m,i)*(bar_index-1-j) + array.get(L_b,i) if reg <= low[j+1] L_lin := true else L_lin := false break if L_lin == true u1 = bar_index-start_index-1 v1 = array.get(L_m,i)*(bar_index-start_index-1) + array.get(L_b,i) u2 = bar_index-start_index-lookback-1 v2 = array.get(L_m,i)*(bar_index-start_index-lookback-1) + array.get(L_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // if array.includes(L_env_m,slope) == false array.push(L_env_m,slope) array.push(L_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) //label.new(bar_index-1,high[1],text=str.tostring(H_env_m)+"\n"+str.tostring(H_env_b)) // L_len := array.size(L_env_m) err = 0. // //Method of Least Square if array.size(L_env_m) > 0 for i = 0 to L_len-1 err := 0. for j = start_index to start_index+lookback err := err + low[j] - (array.get(L_env_m,i)*(bar_index-1-j) + array.get(L_env_b,i)) array.push(L_error,err) //label.new(bar_index-1,high[1],text=str.tostring(H_error)) //Minimum error if array.size(L_env_m) > 0 min = array.min(L_error) //Index of ind = array.indexof(L_error,min) //label.new(bar_index-1,high[1],text=str.tostring(ind)) //Envelope //u1 = bar_index-start_index //v1 = array.get(L_env_m,ind)*(bar_index-start_index) + array.get(L_env_b,ind) //u2 = bar_index-start_index-lookback-1 //v2 = array.get(L_env_m,ind)*(bar_index-start_index-lookback-1) + array.get(L_env_b,ind) //line.new(u1,v1,u2,v2,xloc=xloc.bar_index,extend=extend.none, color=color, width=2) //label.new(bar_index-1,high[1],text=str.tostring(v1)) [array.get(L_env_m,ind), array.get(L_env_b,ind)] //End of code export param_ttc(int start_index, int lookback) => //Channel ## //Equations H_x1 = array.new<float>() H_x2 = array.new<float>() H_y1 = array.new<float>() H_y2 = array.new<float>() H_m = array.new<float>() H_b = array.new<float>() H_lin = false H_env_m = array.new<float>() H_env_b = array.new<float>() H_len = 0 H_error = array.new<float>() // //Highs Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback //int k = -1 for i = start_index to start_index+lookback //k := k + 1 if j != i array.push(H_x1,last_bar_index-1-j) array.push(H_x2,last_bar_index-1-i) array.push(H_y1,high[j+1]) array.push(H_y2,high[i+1]) //line.new(last_bar_index-1-j,high[j+1],last_bar_index-1-i,high[i+1],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) H_len := array.size(H_x1) for i = 0 to H_len-1 slope = (array.get(H_y1,i)-array.get(H_y2,i))/(array.get(H_x1,i)-array.get(H_x2,i)) array.push(H_m,slope) y_inter = array.get(H_y1,i)-array.get(H_m,i)*array.get(H_x1,i) array.push(H_b,y_inter) for i = 0 to H_len-1 for j = start_index to start_index+lookback reg = array.get(H_m,i)*(last_bar_index-1-j) + array.get(H_b,i) if reg >= high[j+1] H_lin := true else H_lin := false break if H_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(H_m,i)*(last_bar_index-start_index-1) + array.get(H_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(H_m,i)*(last_bar_index-start_index-lookback-1) + array.get(H_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // array.push(H_env_m,slope) array.push(H_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) H_len := array.size(H_env_m) //Method of Least Square for i = 0 to H_len-1 err = 0. for j = start_index to start_index+lookback err := err + (array.get(H_env_m,i)*(last_bar_index-1-j) + array.get(H_env_b,i)) - high[j] array.push(H_error,err) //Minimum error min = array.min(H_error) //Index of ind = array.indexof(H_error,min) //Envelope [array.get(H_env_m,ind),array.get(H_env_b,ind)] //End of code export param_btc(int start_index, int lookback) => //Channel ## //Equations L_x1 = array.new<float>() L_x2 = array.new<float>() L_y1 = array.new<float>() L_y2 = array.new<float>() L_m = array.new<float>() L_b = array.new<float>() L_lin = false L_env_m = array.new<float>() L_env_b = array.new<float>() L_len = 0 L_error = array.new<float>() // //Lows Trend Line if bar_index == last_bar_index for j = start_index to start_index+lookback int k = -1 for i = start_index to start_index+lookback k := k + 1 if j != i array.push(L_x1,last_bar_index-1-j) array.push(L_x2,last_bar_index-1-i) array.push(L_y1,low[j+1]) array.push(L_y2,low[i+1]) //line.new(last_bar_index-1-j,high[j],last_bar_index-1-i,high[i],xloc = xloc.bar_index,extend = extend.none, color= color.yellow) L_len := array.size(L_x1) for i = 0 to L_len-1 slope = (array.get(L_y1,i)-array.get(L_y2,i))/(array.get(L_x1,i)-array.get(L_x2,i)) array.push(L_m,slope) y_inter = array.get(L_y1,i)-array.get(L_m,i)*array.get(L_x1,i) array.push(L_b,y_inter) for i = 0 to L_len-1 for j = start_index to start_index+lookback reg = array.get(L_m,i)*(last_bar_index-1-j) + array.get(L_b,i) if reg <= low[j+1] L_lin := true else L_lin := false break if L_lin == true u1 = last_bar_index-start_index-1 v1 = array.get(L_m,i)*(last_bar_index-start_index-1) + array.get(L_b,i) u2 = last_bar_index-start_index-lookback-1 v2 = array.get(L_m,i)*(last_bar_index-start_index-lookback-1) + array.get(L_b,i) slope = (v1-v2)/(u1-u2) y_inter = v1-slope*u1 // array.push(L_env_m,slope) array.push(L_env_b,y_inter) // //line.new(u1,v1,u2,v2,xloc = xloc.bar_index,extend = extend.none, color= color.white) L_len := array.size(L_env_m) //Method of Least Square for i = 0 to L_len-1 err = 0. for j = start_index to start_index+lookback err := err + low[j] - (array.get(L_env_m,i)*(last_bar_index-1-j) + array.get(L_env_b,i)) array.push(L_error,err) //Minimum error min = array.min(L_error) //Index of ind = array.indexof(L_error,min) //Envelope [array.get(L_env_m,ind),array.get(L_env_b,ind)] //End of code
libKageBot
https://www.tradingview.com/script/PpVb2m5I-libKageBot/
marcelokg
https://www.tradingview.com/u/marcelokg/
6
library
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© marcelokg //@version=5 // @description Functions to generate command strings for bots FrostyBot and Zignally. This version ONLY WORKS WITH FROSTYBOT. library("libKageBot", overlay = true) ///////////////////////////////////////////////////////////////////////////////////////////////////////////////// //#region Constants string GLOBAL_SERVER_FROSTYBOT = "FrostyBot" string GLOBAL_SERVER_ZIGNALY = "Zignaly" string GLOBAL_DIRECTION_LONG = "long" string GLOBAL_DIRECTION_SHORT = "short" string GLOBAL_LEVERAGE_CROSS = "cross" string GLOBAL_LEVERAGE_ISOLATED = "isolated" // @type Constants to be used in both in internal and external code // @field SERVER_FROSTBOT (string) Identifier to FrostyBot // @field SERVER_ZIGNALY (string) Identifier to Zignaly // @field DIRECTION_LONG (string) Flag to open a long position // @field DIRECTION_SHORT (string) Flag to open a short position // @field LEVERAGE_CROSS (string) Flag to set leverage to cross // @field LEVERAGE_ISOLATED (string) Flag to set leverage to isolated export type Constants string SERVER_FROSTBOT string SERVER_ZIGNALY string DIRECTION_LONG string DIRECTION_SHORT string LEVERAGE_CROSS string LEVERAGE_ISOLATED BOT = Constants.new( GLOBAL_SERVER_FROSTYBOT, GLOBAL_SERVER_ZIGNALY, GLOBAL_DIRECTION_LONG, GLOBAL_DIRECTION_SHORT, GLOBAL_LEVERAGE_CROSS, GLOBAL_LEVERAGE_ISOLATED) //#endregion Constants ///////////////////////////////////////////////////////////////////////////////////////////////////////////////// //#region Bot's user defined types // @type Bot type to handle bot's essential information // @field server (string) Type o server. Must me one of the SERVER_* constant values // @field id (string) Id of the account in the server (Stub for FrostyBot or Key to Zignally) // @field symbol (string) Symbol of the pair to be negotiated (example: ETH/USDT) // @field leverage (int) Leverage coeficient. Default is 1 export type TradeBot string server string id string symbol int leverage = 1 //#endregion UDTs ///////////////////////////////////////////////////////////////////////////////////////////////////////////////// //#region Bot's functions to generate command strings // @function Converts a float to a formated string suitable to position size in percentage or currency. At leaste one parameter must be given // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @returns (string) A formated string containing the position size export strSize(float _sizePercent = na, float _sizeCurrency = na) => string stringSize = "" if na(_sizeCurrency) and not na(_sizePercent) stringSize := str.tostring(_sizePercent, "#.##") + "%" else if na(_sizePercent) and not na(_sizeCurrency) stringSize := str.tostring(_sizeCurrency, "#.##") else stringSize := "[stringSize ERROR]" stringSize // @function Generates a simple entry command string for a bot // @param _bot (TradeBot) Previously instancied bot type variable // @param _direction (string) Flag to opena long or a short position. Must be either DIRECTION_LONG or DIRECTION_SHORT constant // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @returns (string) A string of a simple open position command export entry(TradeBot _bot, string _direction, float _sizePercent = na, float _sizeCurrency = na) => string cmdLong = switch _bot.server GLOBAL_SERVER_FROSTYBOT => "trade:" + _bot.id + ":" + _direction + " " + "symbol=" + _bot.symbol + " " + "size=" + strSize(_sizePercent, _sizeCurrency) GLOBAL_SERVER_ZIGNALY => "" // @function Generates a simple exit command string for a bot // @param _bot (TradeBot) Previously instancied bot type variable // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @param _reduce (bool) Flag to use Ruce Only option on Binance positions. Optional. Default = true // @returns (string) A string of a simple close position command export exit(TradeBot _bot, float _sizePercent = na, float _sizeCurrency = na, bool _reduce = true) => string cmdClose = switch _bot.server GLOBAL_SERVER_FROSTYBOT => "trade:" + _bot.id + ":" + "close" + " " + "symbol=" + _bot.symbol + " " + "size=" + strSize(_sizePercent, _sizeCurrency) + " " + "reduce=" + str.tostring(_reduce) GLOBAL_SERVER_ZIGNALY => "" // @function Generates a command string for a bot that cancels all open orders // @param _bot (TradeBot) Previously instancied bot type variable // @returns (string) A string of a command to cancel all open orders export cancelAll(TradeBot _bot) => string cmdCancelAll = switch _bot.server GLOBAL_SERVER_FROSTYBOT => "trade:" + _bot.id + ":" + "cancelall" + " " + "symbol=" + _bot.symbol GLOBAL_SERVER_ZIGNALY => "" // @function Generates a command string for a bot to set leverage // @param _bot (TradeBot) Previously instancied bot type variable // @param _leverage (int) The amount of leverage to be used when opening a position. Optional. If does not given, the bot's default will be used // @param _type (string) Type of leverage. Must be either LEVERAGE_CROSS or LEVERAGE_ISOLATED. Optional. Default is LEVERAGE_CROSS. // @returns (string) A string of a simple leverage command export leverage(TradeBot _bot, int _leverage = na, string _type = "cross") => int newLeverage = 0 if na(_leverage) newLeverage := _bot.leverage else newLeverage := _leverage string cmdLeverage = switch _bot.server GLOBAL_SERVER_FROSTYBOT => "trade:" + _bot.id + ":" + "leverage" + " " + "symbol=" + _bot.symbol + " " + "type=" + _type + " " + "leverage=" + str.tostring(newLeverage, "#") GLOBAL_SERVER_ZIGNALY => "" // @function Generates a complete long entry command string for a bot // @param _bot (TradeBot) Previously instancied bot type variable // @param _leverage (int) The amount of leverage to be used when opening a position. Optional. If does not given, the bot's default will be used // @param _leverageType (string) Type of leverage. Must be either LEVERAGE_CROSS or LEVERAGE_ISOLATED. Optional. Default is LEVERAGE_CROSS. // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @returns (string) A string of a complete open long position command export entryLong(TradeBot _bot, int _leverage = na, string _leverageType = "cross", float _sizePercent = na, float _sizeCurrency = na) => string cmdEntryLong = switch _bot.server GLOBAL_SERVER_FROSTYBOT => cancelAll(_bot) + "\n" + leverage(_bot, _leverage, _leverageType) + "\n" + entry(_bot, BOT.DIRECTION_LONG, _sizePercent, _sizeCurrency) GLOBAL_SERVER_ZIGNALY => "" // @function Generates a complete short entry command string for a bot // @param _bot (TradeBot) Previously instancied bot type variable // @param _leverage (int) The amount of leverage to be used when opening a position. Optional. If does not given, the bot's default will be used // @param _type (string) Type of leverage. Must be either LEVERAGE_CROSS or LEVERAGE_ISOLATED. Optional. Default is LEVERAGE_CROSS. // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @returns (string) A string of a complete open short position command export entryShort(TradeBot _bot, int _leverage = na, string _leverageType = "cross", float _sizePercent = na, float _sizeCurrency = na) => string cmdEntryShort = switch _bot.server GLOBAL_SERVER_FROSTYBOT => cancelAll(_bot) + "\n" + leverage(_bot, _leverage, _leverageType) + "\n" + entry(_bot, BOT.DIRECTION_SHORT, _sizePercent, _sizeCurrency) GLOBAL_SERVER_ZIGNALY => "" // @function Generates a complete close position command string for a bot // @param _bot (TradeBot) Previously instancied bot type variable // @param _sizePercent (float) Position size in percent value. Optional. Default = na. Mandatory if _sizeCurrency is not given. // @param _sizeCurrency (float) Position size in currency value. Optional. Default = na. Mandatory if _sizePercent is not given. // @param _reduce (bool) Flag to use Ruce Only option on Binance positions. Optional. Default = true // @returns (string) A string of a comlete close position command export exitPosition(TradeBot _bot, float _sizePercent = 100.0, float _sizeCurrency = na, bool _reduce = true) => string cmdEntryLong = switch _bot.server GLOBAL_SERVER_FROSTYBOT => cancelAll(_bot) + "\n" + exit(_bot, _sizePercent, _sizeCurrency, _reduce) GLOBAL_SERVER_ZIGNALY => "" // @function Print bot's information for debug purposes // @param _bot (TradeBot) Previously instancied bot type variable // @param _command (string) A command string to be debugged // @returns Nothing. export printBot(TradeBot _bot, string _command = "") => if barstate.islastconfirmedhistory label.new(x = bar_index + 2, y = hl2, style = label.style_label_upper_left, color = color.silver, size = size.large, textalign = text.align_left, text = _bot.server + ":" + _bot.id + ":" + _bot.symbol + "\n\n" + _command ) //#endregion Functions
arraymethods
https://www.tradingview.com/script/H15BMqIO-arraymethods/
Trendoscope
https://www.tradingview.com/u/Trendoscope/
40
library
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© HeWhoMustNotBeNamed // β–‘β–’ // β–’β–’β–’ β–’β–’ // β–’β–’β–’β–’β–’ β–’β–’ // β–’β–’β–’β–’β–’β–’β–’β–‘ β–’ β–’β–’ // β–’β–’β–’β–’β–’β–’ β–’ β–’β–’ // β–“β–’β–’β–’ β–’ β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’ // β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’ β–’ β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’ // β–’ β–’ β–‘β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–‘ // β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–‘β–’β–’β–’β–’β–’β–’β–’β–’ // β–“β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’ β–’β–’ // β–’β–’β–’β–’β–’ β–’β–’β–’β–’β–’β–’β–’ // β–’β–’β–’β–’β–’β–’β–’β–’β–’ // β–’β–’β–’β–’β–’ β–’β–’β–’β–’β–’ // β–‘β–’β–’β–’β–’ β–’β–’β–’β–’β–“ β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•—β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•—β–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ•—β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— // β–“β–’β–’β–’β–’ β–’β–’β–’β–’ β•šβ•β•β–ˆβ–ˆβ•”β•β•β•β–ˆβ–ˆβ•”β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β•β•β•β–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•”β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β•β•β•β–ˆβ–ˆβ•”β•β•β•β•β•β–ˆβ–ˆβ•”β•β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β•β•β• // β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’β–’ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•”β•β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— β–ˆβ–ˆβ•”β–ˆβ–ˆβ•— β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•—β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•”β•β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— // β–’β–’β–’β–’β–’ β–’β–’β–’β–’β–’ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•”β•β•β–ˆβ–ˆβ•—β–ˆβ–ˆβ•”β•β•β• β–ˆβ–ˆβ•‘β•šβ–ˆβ–ˆβ•—β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β•šβ•β•β•β•β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ•”β•β•β•β• β–ˆβ–ˆβ•”β•β•β• // β–’β–’β–’β–’β–’ β–’β–’β–’β–’β–’ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ•‘β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•—β–ˆβ–ˆβ•‘ β•šβ–ˆβ–ˆβ–ˆβ–ˆβ•‘β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•”β•β•šβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•”β•β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•‘β•šβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•—β•šβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•”β•β–ˆβ–ˆβ•‘ β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ•— // β–’β–’ β–’ //@version=5 // @description Supplementary array methods. library("arraymethods", overlay = true) // @function remove int object from array of integers at specific index // @param arr int array // @param index index at which int object need to be removed // @returns void export method delete(int[] arr, int index)=>arr.remove(index) // @function remove float object from array of float at specific index // @param arr float array // @param index index at which float object need to be removed // @returns float export method delete(float[] arr, int index)=>arr.remove(index) // @function remove bool object from array of bool at specific index // @param arr bool array // @param index index at which bool object need to be removed // @returns bool export method delete(bool[] arr, int index)=>arr.remove(index) // @function remove string object from array of string at specific index // @param arr string array // @param index index at which string object need to be removed // @returns string export method delete(string[] arr, int index)=>arr.remove(index) // @function remove color object from array of color at specific index // @param arr color array // @param index index at which color object need to be removed // @returns color export method delete(color[] arr, int index)=>arr.remove(index) // @function remove line object from array of lines at specific index and deletes the line // @param arr line array // @param index index at which line object need to be removed and deleted // @returns void export method delete(line[] arr, int index)=>arr.remove(index).delete() // @function remove label object from array of labels at specific index and deletes the label // @param arr label array // @param index index at which label object need to be removed and deleted // @returns void export method delete(label[] arr, int index)=>arr.remove(index).delete() // @function remove box object from array of boxes at specific index and deletes the box // @param arr box array // @param index index at which box object need to be removed and deleted // @returns void export method delete(box[] arr, int index)=>arr.remove(index).delete() // @function remove table object from array of tables at specific index and deletes the table // @param arr table array // @param index index at which table object need to be removed and deleted // @returns void export method delete(table[] arr, int index)=>arr.remove(index).delete() // @function remove linefill object from array of linefills at specific index and deletes the linefill // @param arr linefill array // @param index index at which linefill object need to be removed and deleted // @returns void export method delete(linefill[] arr, int index)=>arr.remove(index).delete() // @function remove last int object from array // @param arr int array // @returns int export method popr(int[] arr)=>arr.pop() // @function remove last float object from array // @param arr float array // @returns float export method popr(float[] arr)=>arr.pop() // @function remove last bool object from array // @param arr bool array // @returns bool export method popr(bool[] arr)=>arr.pop() // @function remove last string object from array // @param arr string array // @returns string export method popr(string[] arr)=>arr.pop() // @function remove last color object from array // @param arr color array // @returns color export method popr(color[] arr)=>arr.pop() // @function remove and delete last line object from array // @param arr line array // @returns void export method popr(line[] arr)=>arr.pop().delete() // @function remove and delete last label object from array // @param arr label array // @returns void export method popr(label[] arr)=>arr.pop().delete() // @function remove and delete last box object from array // @param arr box array // @returns void export method popr(box[] arr)=>arr.pop().delete() // @function remove and delete last table object from array // @param arr table array // @returns void export method popr(table[] arr)=>arr.pop().delete() // @function remove and delete last linefill object from array // @param arr linefill array // @returns void export method popr(linefill[] arr)=>arr.pop().delete() // @function remove first int object from array // @param arr int array // @returns int export method shiftr(int[] arr)=>arr.shift() // @function remove first float object from array // @param arr float array // @returns float export method shiftr(float[] arr)=>arr.shift() // @function remove first bool object from array // @param arr bool array // @returns bool export method shiftr(bool[] arr)=>arr.shift() // @function remove first string object from array // @param arr string array // @returns string export method shiftr(string[] arr)=>arr.shift() // @function remove first color object from array // @param arr color array // @returns color export method shiftr(color[] arr)=>arr.shift() // @function remove and delete first line object from array // @param arr line array // @returns void export method shiftr(line[] arr)=>arr.shift().delete() // @function remove and delete first label object from array // @param arr label array // @returns void export method shiftr(label[] arr)=>arr.shift().delete() // @function remove and delete first box object from array // @param arr box array // @returns void export method shiftr(box[] arr)=>arr.shift().delete() // @function remove and delete first table object from array // @param arr table array // @returns void export method shiftr(table[] arr)=>arr.shift().delete() // @function remove and delete first linefill object from array // @param arr linefill array // @returns void export method shiftr(linefill[] arr)=>arr.shift().delete() push_to_array(arr, val, maxItems)=> arr.push(val) while (arr.size() > maxItems) arr.shiftr() arr unshift_to_array(arr, val, maxItems)=> arr.unshift(val) while (arr.size() > maxItems) arr.popr() arr // @function add int to the end of an array with max items cap. Objects are removed from start to maintain max items cap // @param arr int array // @param val int object to be pushed // @param maxItems max number of items array can hold // @returns int[] export method push(int[] arr, int val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add float to the end of an array with max items cap. Objects are removed from start to maintain max items cap // @param arr float array // @param val float object to be pushed // @param maxItems max number of items array can hold // @returns float[] export method push(float[] arr, float val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add bool to the end of an array with max items cap. Objects are removed from start to maintain max items cap // @param arr bool array // @param val bool object to be pushed // @param maxItems max number of items array can hold // @returns bool[] export method push(bool[] arr, bool val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add string to the end of an array with max items cap. Objects are removed from start to maintain max items cap // @param arr string array // @param val string object to be pushed // @param maxItems max number of items array can hold // @returns string[] export method push(string[] arr, string val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add color to the end of an array with max items cap. Objects are removed from start to maintain max items cap // @param arr color array // @param val color object to be pushed // @param maxItems max number of items array can hold // @returns color[] export method push(color[] arr, color val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add line to the end of an array with max items cap. Objects are removed and deleted from start to maintain max items cap // @param arr line array // @param val line object to be pushed // @param maxItems max number of items array can hold // @returns line[] export method push(line[] arr, line val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add label to the end of an array with max items cap. Objects are removed and deleted from start to maintain max items cap // @param arr label array // @param val label object to be pushed // @param maxItems max number of items array can hold // @returns label[] export method push(label[] arr, label val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add box to the end of an array with max items cap. Objects are removed and deleted from start to maintain max items cap // @param arr box array // @param val box object to be pushed // @param maxItems max number of items array can hold // @returns box[] export method push(box[] arr, box val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add table to the end of an array with max items cap. Objects are removed and deleted from start to maintain max items cap // @param arr table array // @param val table object to be pushed // @param maxItems max number of items array can hold // @returns table[] export method push(table[] arr, table val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add linefill to the end of an array with max items cap. Objects are removed and deleted from start to maintain max items cap // @param arr linefill array // @param val linefill object to be pushed // @param maxItems max number of items array can hold // @returns linefill[] export method push(linefill[] arr, linefill val, int maxItems)=>push_to_array(arr, val, maxItems) // @function add int to the beginning of an array with max items cap. Objects are removed from end to maintain max items cap // @param arr int array // @param val int object to be unshift // @param maxItems max number of items array can hold // @returns int[] export method unshift(int[] arr, int val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add float to the beginning of an array with max items cap. Objects are removed from end to maintain max items cap // @param arr float array // @param val float object to be unshift // @param maxItems max number of items array can hold // @returns float[] export method unshift(float[] arr, float val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add bool to the beginning of an array with max items cap. Objects are removed from end to maintain max items cap // @param arr bool array // @param val bool object to be unshift // @param maxItems max number of items array can hold // @returns bool[] export method unshift(bool[] arr, bool val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add string to the beginning of an array with max items cap. Objects are removed from end to maintain max items cap // @param arr string array // @param val string object to be unshift // @param maxItems max number of items array can hold // @returns string[] export method unshift(string[] arr, string val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add color to the beginning of an array with max items cap. Objects are removed from end to maintain max items cap // @param arr color array // @param val color object to be unshift // @param maxItems max number of items array can hold // @returns color[] export method unshift(color[] arr, color val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add line to the beginning of an array with max items cap. Objects are removed and deleted from end to maintain max items cap // @param arr line array // @param val line object to be unshift // @param maxItems max number of items array can hold // @returns line[] export method unshift(line[] arr, line val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add label to the beginning of an array with max items cap. Objects are removed and deleted from end to maintain max items cap // @param arr label array // @param val label object to be unshift // @param maxItems max number of items array can hold // @returns label[] export method unshift(label[] arr, label val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add box to the beginning of an array with max items cap. Objects are removed and deleted from end to maintain max items cap // @param arr box array // @param val box object to be unshift // @param maxItems max number of items array can hold // @returns box[] export method unshift(box[] arr, box val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add table to the beginning of an array with max items cap. Objects are removed and deleted from end to maintain max items cap // @param arr table array // @param val table object to be unshift // @param maxItems max number of items array can hold // @returns table[] export method unshift(table[] arr, table val, int maxItems)=>unshift_to_array(arr, val, maxItems) // @function add linefill to the beginning of an array with max items cap. Objects are removed and deleted from end to maintain max items cap // @param arr linefill array // @param val linefill object to be unshift // @param maxItems max number of items array can hold // @returns linefill[] export method unshift(linefill[] arr, linefill val, int maxItems)=>unshift_to_array(arr, val, maxItems) clear_array_objects(arr)=> while arr.size() > 0 arr.popr() arr clear(arr)=> arr.clear() arr // @function remove all int objects in an array // @param arr int array // @returns int[] export method flush(int[] arr)=>clear(arr) // @function remove all float objects in an array // @param arr float array // @returns float[] export method flush(float[] arr)=>clear(arr) // @function remove all bool objects in an array // @param arr bool array // @returns bool[] export method flush(bool[] arr)=>clear(arr) // @function remove all string objects in an array // @param arr string array // @returns string[] export method flush(string[] arr)=>clear(arr) // @function remove all color objects in an array // @param arr color array // @returns color[] export method flush(color[] arr)=>clear(arr) // @function remove and delete all line objects in an array // @param arr line array // @returns line[] export method flush(line[] arr)=>clear_array_objects(arr) // @function remove and delete all label objects in an array // @param arr label array // @returns label[] export method flush(label[] arr)=>clear_array_objects(arr) // @function remove and delete all box objects in an array // @param arr box array // @returns box[] export method flush(box[] arr)=>clear_array_objects(arr) // @function remove and delete all table objects in an array // @param arr table array // @returns table[] export method flush(table[] arr)=>clear_array_objects(arr) // @function remove and delete all linefill objects in an array // @param arr linefill array // @returns linefill[] export method flush(linefill[] arr)=>clear_array_objects(arr)
Ascending Wedge Patterns [theEccentricTrader]
https://www.tradingview.com/script/h3XeUhmw-Ascending-Wedge-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
34
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Ascending Wedge Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) doubleUptrend = uptrend and returnLineUptrend ascendingWedge = doubleUptrend and (peak - shPriceOne) < (slPrice - slPriceOne) //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternResistanceLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternSupportLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if slPrice and ascendingWedge and showHistoric patternSupportLine = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor) patternResistanceLine = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor) troughLabel = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "ASC. WEDGE", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and ascendingWedge line.set_xy1(currentPatternResistanceLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternResistanceLine, peakBarIndex, peak) line.set_xy1(currentPatternSupportLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternSupportLine, slPriceBarIndex, slPrice) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Ascending Wedge')
Broadening Patterns [theEccentricTrader]
https://www.tradingview.com/script/EgflbTGd-Broadening-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
36
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Broadening Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) broadening = returnLineDowntrend and returnLineUptrend //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternResistanceLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternSupportLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and broadening and showHistoric patternResistanceLine = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor) patternSupportLine = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor) peakLabel = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), text = "BROADENING", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 250 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 42 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and broadening and showHistoric patternSupportLine = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor) patternResistanceLine = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor) troughLabel = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "BROADENING", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 250 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 42 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and broadening line.set_xy1(currentPatternResistanceLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternResistanceLine, troughBarIndex, trough) line.set_xy1(currentPatternSupportLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternSupportLine, shPriceBarIndex, shPrice) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Broadening') if slPrice and broadening line.set_xy1(currentPatternResistanceLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternResistanceLine, peakBarIndex, peak) line.set_xy1(currentPatternSupportLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternSupportLine, slPriceBarIndex, slPrice) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Broadening')
Ascending Broadening Patterns [theEccentricTrader]
https://www.tradingview.com/script/OQFGyBfD-Ascending-Broadening-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
22
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Ascending Broadening Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) doubleUptrend = uptrend and returnLineUptrend ascendingBroadening = doubleUptrend and (peak - shPriceOne) > (slPrice - slPriceOne) //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternResistanceLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternSupportLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if slPrice and ascendingBroadening and showHistoric patternSupportLine = line.new(slPriceBarIndexOne, slPriceOne, slPriceBarIndex, slPrice, color = patternColor) patternResistanceLine = line.new(shPriceBarIndexOne, shPriceOne, peakBarIndex, peak, color = patternColor) troughLabel = label.new(slPriceBarIndex, slPrice, color = color.rgb(54, 58, 69, 100), style = label.style_label_up, text = "ASC. BROADENING", textcolor = patternColor) patternPeak = line.new(showProjections ? peakBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? peakBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, troughLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if slPrice and ascendingBroadening line.set_xy1(currentPatternResistanceLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternResistanceLine, peakBarIndex, peak) line.set_xy1(currentPatternSupportLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternSupportLine, slPriceBarIndex, slPrice) line.set_xy1(currentPatternPeak, showProjections ? peakBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? peakBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? peakBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? peakBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Ascending Broadening')
Descending Broadening Patterns [theEccentricTrader]
https://www.tradingview.com/script/bQgiOjpW-Descending-Broadening-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
14
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Descending Broadening Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) doubleDowntrend = downtrend and returnLineDowntrend descendingBroadening = doubleDowntrend and (shPriceOne - peak) < (slPriceOne - trough) //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternResistanceLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternSupportLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and descendingBroadening and showHistoric patternResistanceLine = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor) patternSupportLine = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor) peakLabel = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), text = "DSC. BROADENING", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 250 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 42 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and descendingBroadening line.set_xy1(currentPatternResistanceLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternResistanceLine, troughBarIndex, trough) line.set_xy1(currentPatternSupportLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternSupportLine, shPriceBarIndex, shPrice) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Descending Broadening')
Descending Wedge Patterns [theEccentricTrader]
https://www.tradingview.com/script/vmXxjQAg-Descending-Wedge-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
49
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Descending Wedge Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) doubleDowntrend = downtrend and returnLineDowntrend descendingWedge = doubleDowntrend and (shPriceOne - shPrice) > (slPriceOne - trough) //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternResistanceLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternSupportLine = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and descendingWedge and showHistoric patternResistanceLine = line.new(slPriceBarIndexOne, slPriceOne, troughBarIndex, trough, color = patternColor) patternSupportLine = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor) peakLabel = label.new(shPriceBarIndex, shPrice, color = color.rgb(54, 58, 69, 100), text = "DSC. WEDGE", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() array.push(myLineArray, patternSupportLine) array.push(myLineArray, patternResistanceLine) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and descendingWedge line.set_xy1(currentPatternResistanceLine, slPriceBarIndexOne, slPriceOne) line.set_xy2(currentPatternResistanceLine, troughBarIndex, trough) line.set_xy1(currentPatternSupportLine, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternSupportLine, shPriceBarIndex, shPrice) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? peak + (shPriceOne - slPriceOne) : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Descending Wedge')
Ascending Head and Shoulders Patterns [theEccentricTrader]
https://www.tradingview.com/script/hcwIqbCK-Ascending-Head-and-Shoulders-Patterns-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
32
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Ascending Head and Shoulders Patterns [theEccentricTrader]', overlay = true, max_lines_count = 500, max_labels_count = 84) //////////// shsl //////////// shPrice = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? high : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? high[1] : na shPriceBarIndex = close[1] >= open[1] and close < open and high >= high[1] and barstate.isconfirmed ? bar_index : close[1] >= open[1] and close < open and high <= high[1] and barstate.isconfirmed ? bar_index - 1 : na peak = ta.valuewhen(shPrice, shPrice, 0) peakBarIndex = ta.valuewhen(shPrice, shPriceBarIndex, 0) shPriceOne = ta.valuewhen(shPrice, shPrice, 1) shPriceBarIndexOne = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 1) shPriceTwo = ta.valuewhen(shPrice, shPrice, 2) shPriceBarIndexTwo = ta.valuewhen(shPriceBarIndex, shPriceBarIndex, 2) slPrice = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? low : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? low[1] : na slPriceBarIndex = close[1] < open[1] and close >= open and low <= low[1] and barstate.isconfirmed ? bar_index : close[1] < open[1] and close >= open and low >= low[1] and barstate.isconfirmed ? bar_index - 1 : na trough = ta.valuewhen(slPrice, slPrice, 0) troughBarIndex = ta.valuewhen(slPrice, slPriceBarIndex, 0) slPriceOne = ta.valuewhen(slPrice, slPrice, 1) slPriceBarIndexOne = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 1) slPriceTwo = ta.valuewhen(slPrice, slPrice, 2) slPriceBarIndexTwo = ta.valuewhen(slPriceBarIndex, slPriceBarIndex, 2) downtrend = ta.valuewhen(shPrice, shPrice, 0) < ta.valuewhen(shPrice, shPrice, 1) returnLineUptrend = ta.valuewhen(shPrice, shPrice, 0) > ta.valuewhen(shPrice, shPrice, 1) uptrend = ta.valuewhen(slPrice, slPrice, 0) > ta.valuewhen(slPrice, slPrice, 1) returnLineDowntrend = ta.valuewhen(slPrice, slPrice, 0) < ta.valuewhen(slPrice, slPrice, 1) ascendingHeadShoulders = downtrend and returnLineUptrend[1] and uptrend and shPrice > shPriceTwo //////////// lines //////////// showHistoric = input(defval = true, title = 'Show Historic', group = 'Lines') showNecklines = input(defval = false, title = 'Show Necklines', group = 'Lines') showDyanmicNecklines = input(defval = false, title = 'Show Dynamic Necklines', group = 'Lines') showProjections = input(defval = true, title = 'Show Projections', group = 'Lines') patternColor = input(defval = color.blue, title = 'Pattern Color', group = 'Line Coloring') necklineColor = input(defval = color.yellow, title = 'Pattern Neckline Color', group = 'Line Coloring') selectPatternExtend = input.string(title = 'Extend Current Pattern Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendPatternLines = selectPatternExtend == 'None' ? extend.none : selectPatternExtend == 'Right' ? extend.right : selectPatternExtend == 'Left' ? extend.left : selectPatternExtend == 'Both' ? extend.both : na selectNecklineExtend = input.string(title = 'Extend Current Pattern Necklines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendNecklineLines = selectNecklineExtend == 'None' ? extend.none : selectNecklineExtend == 'Right' ? extend.right : selectNecklineExtend == 'Left' ? extend.left : selectNecklineExtend == 'Both' ? extend.both : na selectProjectionExtend = input.string(title = 'Extend Current Projection Lines', defval = 'None', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendProjectionLines = selectProjectionExtend == 'None' ? extend.none : selectProjectionExtend == 'Right' ? extend.right : selectProjectionExtend == 'Left' ? extend.left : selectProjectionExtend == 'Both' ? extend.both : na var currentPatternLineOne = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternLineTwo = line.new(na, na, na, na, extend = extendPatternLines, color = patternColor) var currentPatternNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternDynamicNeckline = line.new(na, na, na, na, extend = extendNecklineLines, color = necklineColor) var currentPatternPeak = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternTrough = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) var currentPatternUpperProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.green, style = line.style_dashed) var currentPatternLowerProjection = line.new(na, na, na, na, extend = extendProjectionLines, color = color.red, style = line.style_dashed) if shPrice and ascendingHeadShoulders and showHistoric lineOne = line.new(shPriceBarIndexOne, shPriceOne, shPriceBarIndex, shPrice, color = patternColor, extend = extend.none) lineTwo = line.new(shPriceBarIndexTwo, shPriceTwo, shPriceBarIndexOne, shPriceOne, color = patternColor, extend = extend.none) neckline = line.new(showNecklines ? troughBarIndex : na, showNecklines ? trough : na, showNecklines ? bar_index : na, showNecklines ? trough : na, color = necklineColor, extend = extend.none) dynamicNeckline = line.new(showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na, color = necklineColor, extend = extend.none) peakLabel = label.new(shPriceBarIndexOne, shPriceOne, color = color.rgb(54, 58, 69, 100), text = "ASC. HEAD AND SHOULDERS", textcolor = patternColor) patternPeak = line.new(showProjections ? troughBarIndex : na, showProjections ? peak : na, showProjections ? bar_index : na, showProjections ? peak : na, color = color.green, style = line.style_dashed) patternTrough = line.new(showProjections ? troughBarIndex : na, showProjections ? trough : na, showProjections ? bar_index : na, showProjections ? trough : na, color = color.red, style = line.style_dashed) patternUpperProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na, showProjections ? bar_index : na, showProjections ? shPriceOne : na, color = color.green, style = line.style_dashed) patternLowerProjection = line.new(showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na, color = color.red, style = line.style_dashed) var myLineArray = array.new_line() var myArray = array.new_line() array.push(myLineArray, lineOne) array.push(myLineArray, lineTwo) array.push(myArray, neckline) array.push(myArray, dynamicNeckline) array.push(myLineArray, patternPeak) array.push(myLineArray, patternTrough) array.push(myLineArray, patternUpperProjection) array.push(myLineArray, patternLowerProjection) if array.size(myLineArray) >= 500 firstLine = array.remove(myLineArray, 0) line.delete(firstLine) var myLabelArray = array.new_label() array.push(myLabelArray, peakLabel) if array.size(myLabelArray) >= 84 firstLabel = array.remove(myLabelArray, 0) label.delete(firstLabel) if shPrice and ascendingHeadShoulders line.set_xy1(currentPatternLineOne, shPriceBarIndexOne, shPriceOne) line.set_xy2(currentPatternLineOne, shPriceBarIndex, shPrice) line.set_xy1(currentPatternLineTwo, shPriceBarIndexTwo, shPriceTwo) line.set_xy2(currentPatternLineTwo, shPriceBarIndexOne, shPriceOne) line.set_xy1(currentPatternNeckline, showNecklines ? troughBarIndex : na, showNecklines ? trough : na) line.set_xy2(currentPatternNeckline, showNecklines ? bar_index : na, showNecklines ? trough : na) line.set_xy1(currentPatternDynamicNeckline, showDyanmicNecklines ? slPriceBarIndexOne : na, showDyanmicNecklines ? slPriceOne : na) line.set_xy2(currentPatternDynamicNeckline, showDyanmicNecklines ? troughBarIndex : na, showDyanmicNecklines ? trough : na) line.set_xy1(currentPatternPeak, showProjections ? troughBarIndex : na, showProjections ? peak : na) line.set_xy2(currentPatternPeak, showProjections ? bar_index : na, showProjections ? peak : na) line.set_xy1(currentPatternTrough, showProjections ? troughBarIndex : na, showProjections ? trough : na) line.set_xy2(currentPatternTrough, showProjections ? bar_index : na, showProjections ? trough : na) line.set_xy1(currentPatternUpperProjection, showProjections ? troughBarIndex : na, showProjections ? shPriceOne : na) line.set_xy2(currentPatternUpperProjection, showProjections ? bar_index : na, showProjections ? shPriceOne : na) line.set_xy1(currentPatternLowerProjection, showProjections ? troughBarIndex : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) line.set_xy2(currentPatternLowerProjection, showProjections ? bar_index : na, showProjections ? trough - (shPriceOne - slPriceOne) : na) alert('Ascending Head and Shoulders')
Paranoia Indicator
https://www.tradingview.com/script/MpdqiYk1/
curses_pep
https://www.tradingview.com/u/curses_pep/
105
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© PepCurses //@version=5 indicator(title="Paranoia Indicator", shorttitle="Paranoia Indicator --> 3 in 1") //RSI rsiLengthInput = 27 rsiSourceInput = (close) up = ta.rma(math.max(ta.change(rsiSourceInput), 0), rsiLengthInput) down = ta.rma(-math.min(ta.change(rsiSourceInput), 0), rsiLengthInput) rsi = down == 0 ? 100 : up == 0 ? 0 : 100 - (100 / (1 + up / down)) aaa=(rsi-50)/50 //MACD fast = 6 slow = 60 fastMA = ta.ema(close, fast) slowMA = ta.ema(close, slow) macd = (fastMA / slowMA) signal = ta.ema(macd, 10) bbb=(macd/signal-1)*100 //Stochastic periodK = 70 smoothK = 10 k = ta.sma(ta.stoch(close, high, low, periodK), smoothK) ccc = (k-50)/50 //Paranoia fΓ³rmula paranoia = (((aaa*23.6)+(bbb*61.8)+(ccc*14.6))/3)/10 //Color IP "santy cruz" colorparanoia = paranoia>paranoia[1]? color.rgb(0, 255, 0, 10) : color.rgb(255, 0, 0, 10) p1 = plot(paranoia, title="Color del Ind. Paranoia", linewidth=4, color = colorparanoia) p2 = plot(paranoia, title="Color de fondo del IP", color = paranoia>0.00? color.rgb(0, 255, 255, 50) : color.rgb(255, 235, 59, 50), style=plot.style_area) //Filtre o Mitja filtre = ta.ema(paranoia, 8) // es la mitja del paranoia plot(filtre, title="Filtro", color=color.white, linewidth=2) //Bandes Internes Violetes band=(ta.sma(paranoia, 60)) mul=1.1*(ta.stdev(paranoia, 60)) bandsup=band+mul bandinf=band-mul plot(bandsup,title="Band Superior", linewidth=1, style=plot.style_circles, color= color.new(color.purple,10)) plot(bandinf,title="Band Inferior", linewidth=1, style=plot.style_circles, color= color.new(color.purple,10)) //Bandes Exteriors Gris bandext= ta.wma(paranoia, 89) mulext=1.8*(ta.stdev(paranoia, 89)) bandsupext=bandext+mulext bandinfext=bandext-mulext plot(bandsupext,title="Band Externa Superior", linewidth=3, color= color.new(color.white,72)) plot(bandinfext,title="Band Externa Inferior", linewidth=3, color= color.new(color.white,72)) bgcolor(title="Color de fondo",color=color.new(color.gray,85))
Employees by Population (Per Million)
https://www.tradingview.com/script/D8xteSAZ-Employees-by-Population-Per-Million/
barnabygraham
https://www.tradingview.com/u/barnabygraham/
7
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© barnabygraham // For easier reading, this indicator multiplies it's output by 1,000,000 to measure how many employees there are per million people. //@version=5 indicator("Employees by Population (Per Million)") employees = request.financial(syminfo.tickerid,'NUMBER_OF_EMPLOYEES','FY') USpopulation = request.security('FRED:POPTHM','',close) USemployedPopulation = request.security('FRED:CNP16OV','',close) populationChoice = input.string('US Total','Population',['US Total','US Employed']) population = populationChoice == 'US Total' ? USpopulation : USemployedPopulation employeesByPopulation = employees / population plot(1000000*employeesByPopulation)
Astro: Planetary Channel Lines
https://www.tradingview.com/script/p6MKha4Q-Astro-Planetary-Channel-Lines/
BarefootJoey
https://www.tradingview.com/u/BarefootJoey/
268
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BarefootJoey // β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆ _____ __ _ _______ _____ _______ _______ _______ // β–ˆβ–„β”€β–„β”€β–€β–ˆβ–ˆβ–€β–„β”€β–ˆβ–ˆβ–„β”€β–„β–„β–€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β”€β–„β”€β–ˆβ–ˆβ–ˆβ–„β”€β–„β–ˆβ”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–ˆβ”€β–„β–ˆ | | \ | |______ |_____] |_____| | |______ // β–ˆβ–ˆβ”€β–„β”€β–€β–ˆβ–ˆβ”€β–€β”€β–ˆβ–ˆβ–ˆβ”€β–„β”€β–„β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ”€β–„β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–„β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ–„β”€β–„β–ˆβ–ˆ __|__ | \_| ______| | | | |_____ |______ // β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆ //@version=5 indicator("Astro: Planetary Channel Lines", overlay=true) import BarefootJoey/AstroLib/1 as AL tpi = math.pi * 2 planet1_in = input.string("☿ Mercury", "Which planets?", options=["β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="1") planet2_in = input.string("β™‚ Mars", " ", options=["None", "β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="1") base = input.int(0, "Base Multiple", minval=0, tooltip="Vertical offset") scaler = input.float(1.0, "1Β° = $", minval=0, tooltip="Recommended factor of 10 (1000, 100, 10, 1, 0.1, 0.01, 0.001, etc)") mirror_in = input.bool(false, "Mirror?") showlast = input.int(250, "Show last?", minval=1, tooltip="Number of historical plots to display. The fewer plots, the faster the load time (especially on loweer timeframes). Use the Time Machine feature for distant historical analysis.") lontransp = input.int(50, "Transparency", minval=0, maxval=100) precision = input.float(6.0, "Aspect Precision (+/- Β°)", minval=0, maxval=15) iTxtSize=input.string("Small", title="Text Size", options=["Auto", "Tiny", "Small", "Normal", "Large"]) vTxtSize=iTxtSize == "Auto" ? size.auto : iTxtSize == "Tiny" ? size.tiny : iTxtSize == "Small" ? size.small : iTxtSize == "Normal" ? size.normal : iTxtSize == "Large" ? size.large : size.small position = input.string(position.top_center, "Info Position", [position.top_center, position.top_right, position.middle_right, position.bottom_right, position.bottom_center, position.bottom_left, position.middle_left, position.top_left]) grtm = "πŸ•œ Time Machine πŸ•œ" gsd = input.bool(false, "Activate Time Machine", group=grtm) sdms = input.time(timestamp("2022-04-20T00:00:00"), "Select Date", group=grtm) gt = gsd ? sdms : time grol = "πŸ”­ Observer Location πŸ”­" htz = input.float(0, "Hour", step=0.5, inline="2", group=grol) mtz = input.int(0, "Minute", minval=0, maxval=45, inline="2", group=grol) tz = htz + math.round(mtz / 60, 4) latitude = input.float(0, "Latitude", inline="1", group=grol, tooltip="East is positive (+), and West is negative (-).") longitude = input.float(0, "Longitude", inline="1", group=grol, tooltip="North is positive (+), and South is negative (-).") geo = input.bool(false, "Geocentric?", tooltip="Leave this box unchecked for heliocentric.", group=grol) geoout = geo ? 1 : 0 day = AL.J2000(AL.JDN(gt, 0, tz)) dayr = AL.J2000(AL.JDN(gt, 1, tz)) planet1_out = planet1_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet1_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet1_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na col1_out = planet1_in == "β˜‰οΈŽ Sun" ? color.yellow : planet1_in == "☽︎ Moon" ? color.silver : planet1_in == "☿ Mercury" ? color.maroon : planet1_in == "♀ Venus" ? color.green : planet1_in == "🜨 Earth" ? color.blue : planet1_in == "β™‚ Mars" ? color.red : planet1_in == "♃ Jupiter" ? color.orange : planet1_in == "β™„ Saturn" ? color.gray : planet1_in == "β›’ Uranus" ? color.navy : planet1_in == "♆ Neptune" ? color.fuchsia : planet1_in == "♇ Pluto" ? color.black : na planet2_out = planet2_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet2_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet2_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na col2_out = planet2_in == "β˜‰οΈŽ Sun" ? color.yellow : planet2_in == "☽︎ Moon" ? color.silver : planet2_in == "☿ Mercury" ? color.maroon : planet2_in == "♀ Venus" ? color.green : planet2_in == "🜨 Earth" ? color.blue : planet2_in == "β™‚ Mars" ? color.red : planet2_in == "♃ Jupiter" ? color.orange : planet2_in == "β™„ Saturn" ? color.gray : planet2_in == "β›’ Uranus" ? color.navy : planet2_in == "♆ Neptune" ? color.fuchsia : planet2_in == "♇ Pluto" ? color.black : na mirror_out = mirror_in ? -1 : 1 plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 0) + (scaler * 360 * base), "Planet 1.0 (Lo)", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 1) + (scaler * 360 * base), "Planet 1.1", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 2) + (scaler * 360 * base), "Planet 1.2", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 3) + (scaler * 360 * base), "Planet 1.3", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 4) + (scaler * 360 * base), "Planet 1.4", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 5) + (scaler * 360 * base), "Planet 1.5", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 6) + (scaler * 360 * base), "Planet 1.6", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 7) + (scaler * 360 * base), "Planet 1.7", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 8) + (scaler * 360 * base), "Planet 1.8", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet1_out * scaler) + (scaler * 360 * 9) + (scaler * 360 * base), "Planet 1.9 (Hi)", color=color.new(col1_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 0) + (scaler * 360 * base), "Planet 2.0 (Lo)", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 1) + (scaler * 360 * base), "Planet 2.1", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 2) + (scaler * 360 * base), "Planet 2.2", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 3) + (scaler * 360 * base), "Planet 2.3", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 4) + (scaler * 360 * base), "Planet 2.4", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 5) + (scaler * 360 * base), "Planet 2.5", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 6) + (scaler * 360 * base), "Planet 2.6", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 7) + (scaler * 360 * base), "Planet 2.7", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 8) + (scaler * 360 * base), "Planet 2.8", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) plot((mirror_out * planet2_out * scaler) + (scaler * 360 * 9) + (scaler * 360 * base), "Planet 2.9 (Hi)", color=color.new(col2_out,lontransp), style=plot.style_circles, show_last=showlast) retro_bg1(deg) => deg > deg[1]? color.new(color.black,100) : color.new(col1_out, 80) bgcolor(retro_bg1(planet1_out), title="Retrograde Background 1", show_last=showlast, display=display.none) retro_bg2(deg) => deg > deg[1]? color.new(color.black,100) : color.new(col2_out, 80) bgcolor(retro_bg2(planet2_out), title="Retrograde Background 2", show_last=showlast, display=display.none) var table Info = na table.delete(Info) Info := table.new(position, 3, 1) if barstate.islast table.cell(Info, 0, 0, text = planet1_in, text_size = vTxtSize, text_color = color.new(col1_out,0), tooltip = AL.aspectsignprecisionV2ext(planet1_out, precision) + "Β°\nPrecision: +/- " + str.tostring(precision) + "Β°") table.cell(Info, 1, 0, text = " ") table.cell(Info, 2, 0, text = planet2_in, text_size = vTxtSize, text_color = color.new(col2_out,0), tooltip = AL.aspectsignprecisionV2ext(planet2_out, precision) + "Β°\nPrecision: +/- " + str.tostring(precision) + "Β°") // EoS made w/ ❀ by @BarefootJoey βœŒπŸ’—πŸ“ˆ
Scalper's toolkit - ATR Widget
https://www.tradingview.com/script/ATVuE7NS-Scalper-s-toolkit-ATR-Widget/
ForexStoryteller
https://www.tradingview.com/u/ForexStoryteller/
68
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© xAverageJoex //@version=5 indicator(title="Risk Value Calculator", shorttitle="Risk Calculator", overlay=true) ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// // -------- ATR Section --------- // ///////////////////////////////////// ///////////////////////////////////// // ----- Global Variables ----- // ///////////////////////////////////// float atrMultiple1 = 0 float atrMultiple2 = 0 string atrPipPointDesc = "" float atr = 0 float cleanATR = 0 float atrSL = 0 float atrTP = 0 int frameSize = 0 ///////////////////////////////////// // ------- ATR Inputs ------- // ///////////////////////////////////// atrPeriod = input.int(defval = 14, minval = 2, step = 1, title = "Period", group = "------------- ATR Settings -------------", inline = "ATRW1") atrPipPoint = input.string(defval = "Pips", options = ["Points", "Pips", "Standard ATR"], title = "Pip/Point", tooltip = "Period : ATR length, using a period of 1 yields True Range. Pip/Point: Show values as Pips, directly in Points, or as Standard ATR Values. (Change if widget does not show correct values)", group = "------------- ATR Settings -------------", inline = "ATRW1") int atrStylePipPoint = switch atrPipPoint "Points" => 1 "Pips" => 2 "Standard ATR" => 3 // if atrStylePipPoint == 2 atrPipPointDesc := "(Pips)" else if atrStylePipPoint == 1 atrPipPointDesc := "(Point)" else atrPipPointDesc := "(Std.)" // ///////////////////////////////////// // ----- Risk Settings ----- // ///////////////////////////////////// atrRisk = input.bool(defval = true, title = "Calculate R:R ", group = "------------- Risk : Reward Settings -------------", tooltip = "Make trade stop/target calculations. Must be enabled to have values calculated below.") atrStopStyle = input.string( defval = "ATR Multiple", title = "Stop Calculation Style", options = ["ATR Multiple", "Fixed Size"], tooltip = "Use a multiple of the ATR, or use a fixed value for stop size calculation", group = "------------- Risk : Reward Settings -------------") stopSizeFixed = input.int(defval = 300, minval = 1, step = 1, title = "ATR Fixed Stop Size/Points", group="------------- Risk : Reward Settings -------------", tooltip = "Used with \"Fixed Size\" Style for using a fixed Stop Loss Size, **Must be in points ** For Forex: (Pips / 10)") atrMultiple1 := input.float(defval = 2, minval = 0.1, step = 0.1, title = "ATR Multiple Stop Size", group="------------- Risk : Reward Settings -------------", tooltip = "Used with \"ATR Multiple\" Style: Sets Stop Loss Size by an ATR multiplier factor, 2 default") atrMultiple2 := input.float(defval = 3, minval = 0.1, step = 0.1, title = "Reward Ratio 1 : ", group="------------- Risk : Reward Settings -------------", tooltip = "Ratio : Creates a Reward Ratio target value for a target based on the Stop Loss size used") ///////////////////////////////////// // ---------- R:R Math ---------- // ///////////////////////////////////// //Inputs <== atr := ta.atr(atrPeriod) atrSL := atr * atrMultiple1 atrTP := atrSL * atrMultiple2 //Conversion factor convertMultiple = 1 / syminfo.mintick // Outputs ==> atrString = str.tostring (atr, format.mintick) atrSLString = str.tostring (atrSL, format.mintick) atrTPString = str.tostring (atrTP, format.mintick) pointValueATR = int(str.tonumber(atrString) * convertMultiple) // ---------- Convert to Pip or Point if atrStylePipPoint == 1 or atrStylePipPoint == 2 cleanATR := int(str.tonumber(atrString) * convertMultiple) if atrStylePipPoint == 2 // Pips cleanATR := cleanATR / 10 if atrStopStyle == "ATR Multiple" atrSL := cleanATR * atrMultiple1 atrTP := atrSL * atrMultiple2 if atrStopStyle == "Fixed Size" atrSL := stopSizeFixed / 10 atrTP := atrSL * atrMultiple2 else // Points atrSL := cleanATR * atrMultiple1 atrTP := atrSL * atrMultiple2 // atrString := str.tostring(cleanATR) atrSLString := str.tostring(atrSL) atrTPString := str.tostring(atrTP) // ///////////////////////////////////// // -------- END ATR VALUE -------- // ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////// // ------ Display Settings ------ // ///////////////////////////////////// tableSize = input.string(defval = "Normal", options = ["Tiny", "Small", "Normal", "Large", "Huge"], title="Size", group="------------- Widget Display Style Settings -------------", inline = "DSS") string widgetSize = switch tableSize "Tiny" => size.tiny "Small" => size.small "Normal" => size.normal "Large" => size.large "Huge" => size.huge // tableRowStr = input.string(defval = "3 x 3", title = "Style", options = ["3 x 3", "Single Column", "Box", "Single Row", "Double Row"], group = "------------- Widget Display Style Settings -------------", inline = "DSS") tableLocation = input.string(defval="Top Right", options=["Top Left", "Top Center", "Top Right", "Middle Left", "Middle Center", "Middle Right", "Bottom Left", "Bottom Center", "Bottom Right"], title="Location on Chart:", group="------------- Widget Display Style Settings -------------")//, inline = "DSS" string tablePos = switch tableLocation "Top Left" => position.top_left "Top Center" => position.top_center "Top Right" => position.top_right "Middle Left" => position.middle_left "Middle Center" => position.middle_center "Middle Right" => position.middle_right "Bottom Left" => position.bottom_left "Bottom Center" => position.bottom_center "Bottom Right" => position.bottom_right // tableColor = input.color(color.rgb(255, 255, 255), title = "Main Text", group = "Color:", inline = "C") bgColor = input.color(color.rgb(30, 34, 45), title = "Background", group = "Color:", inline = "C") frColor = input.color(color.yellow, title = "Main Frame", group = "Color:", inline = "C1") frameSizeSet = input.int(defval = 3, minval = 0, step = 1, title = "Size", group = "Color:", inline = "C1") borderColor1 = input.color(color.rgb(0, 0, 0), title = "Cell Divider", group = "Color:", inline = "C2") borderSize1 = input.int(defval = 2, minval = 0, step = 1, title = "Size", group = "Color:", inline = "C2") tableRowCheck = str.contains(tableRowStr, "Row") atrDisplay = "" atrSLDisplay = "" atrTPDisplay = "" if tableRowCheck == true atrDisplay := "ATR " + atrPipPointDesc + " " + atrString if atrStopStyle == "ATR Multiple" atrSLDisplay := " SL (" + str.tostring(atrMultiple1) + "x) " + atrSLString if atrStopStyle == "Fixed Size" atrSLDisplay := " SL (Fixed)" + atrSLString atrSLDisplay := " SL (" + str.tostring(atrMultiple1) + "x) " + atrSLString atrTPDisplay := " TP (1:" + str.tostring(atrMultiple2) + ") " + atrTPString else atrDisplay := "ATR " + atrPipPointDesc + " " + atrString if atrStopStyle == "ATR Multiple" atrSLDisplay := "SL (" + str.tostring(atrMultiple1) + "x) " + atrSLString if atrStopStyle == "Fixed Size" atrSLDisplay := "SL (Fixed) " + atrSLString atrTPDisplay := "TP (1:" + str.tostring(atrMultiple2) + ") " + atrTPString // ATR Display Outputs ==>> // atrPipPointDesc pip point or standard atr // atrDisplay = atrString // atrSLDisplay = atrSLString // atrTPDisplay = atrTPString // Conversion outputs to make pip Value ==>> float convertATRPipValue = int(str.tonumber(atrString) * convertMultiple) convertATRPipValue := convertATRPipValue/10 convertATRPipValueSL = convertATRPipValue * atrMultiple1 convertATRPipValueTP = convertATRPipValueSL * atrMultiple2 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// //---- Extra Option Calculation ---// ///////////////////////////////////// ///////////////////////////////////// // --- Account Currency Setup ---- // ///////////////////////////////////// // ==== Global Variables ==>> Account Currency accountCurrency =input.string(defval = "USD", title = "Currency", inline = "Currency1", group = "Trading Account Currency") accountSymbol = input.string(defval = "$", title = "Symbol", inline = "Currency1", group = "Trading Account Currency", tooltip = "Use the 3 Letter Currency code for your account currency, *** Must Be 3 Capital Letters(EUR, CHF, AUD, GBP, NZD,...) *** Symbol is optional. How to show a number as money ($, €, Β£, Β₯, β‚£, β‚Ή,...)") // ==>> Round Currency that is not USD // options = ["USD", "AUD", "CAD", "CHF", "EUR", "GBP", "JPY", "NZD"], accountDecimal = input.string(defval = "0.00", title = "Decimals", options = ["0", "0.0", "0.00", "0.000", "0.0000", "0.00000", "0.000000", "0.0000000", "0.00000000"], tooltip = "Currency Rounding for account currency values", inline = "Currency2", group = "Trading Account Currency") accountSize = input.float(defval = 1000, title = "Account Size: ", tooltip = "Used for risk calculation by percentages if used", group = "Trading Account Currency", inline = "Currency3") showAccount = input.bool(defval = false, title = "Show?", tooltip = "Show the account value on the widget", inline = "Currency3", group = "Trading Account Currency") ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// riskType = input.string(defval = "% Based", title = "Max Risk Calculation:", options = ["% Based", "Fixed Amount"], group = "Risk Calulation Style", tooltip = "How to use the Max Rsik Amount below.") riskSizeMax = input.float(defval = 3, minval = 0.01, step = 0.01, title = "Risk Tolerance (% or Money Amount)", group="Risk Calulation Style", inline = "Lots2", tooltip = "Set Max Risk in % or as a money value for a single trade.") //, tooltip = "Lot Size - Only used for 'Fixed Lot' Calculations Maximum Risk - Set to your maximum risk per trade Value, always used" riskSizeMaxSet = 0.0 riskSymbol = "%" if riskType == "% Based" riskSizeMaxPercent = riskSizeMax / 100 riskSizeMaxSet := accountSize * riskSizeMaxPercent riskSymbol := str.tostring(riskSizeMax) + "%" else riskSizeMaxSet := riskSizeMax riskSymbol := "Fixed" // warningColor = input.color(color.rgb(255, 0, 0), title = "Over Risk Warning Color: ", group = "Risk Calulation Style", inline = "Lots3", tooltip = "Changes the background of the Values and Size Areas if the current Stop Loss Value exceeds Risk Tolerance") //, tooltip = "Used for Fixed Lot Mode, will change the background of the widget if current lot size is too great for the ATR" ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// //----------- Agreement ----------// ///////////////////////////////////// agreement = input.bool(defval = false, title = "I agree", tooltip = "Must be chacked for value calculation to work, otherwise displays basic ATR, Stop And Target distance calculations without money values", group = "RISK WARNING: Due to rounding and other factors, values are for reference only, and not guaranteed 100% accurate. Developer is not responsible for the outcome from use of this information, good or bad:") ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// pipOrPointValueDesc = " " pointOption = input.string(defval = "Forex", title = "Calculate Method: ", options = ["Stocks", "Forex"], tooltip = "Forex: Enable to make Lot Calculations", inline = "Extras1", group = "************* Enable Extra Calculations *************") if pointOption == "Forex" pipOrPointValueDesc := "Pip Value: " else pipOrPointValueDesc := "Point Value: " // string lotModeDesc = "" lotModeOption = input.string(defval = "Automatic", title = "Calculation Mode: ", options = ["Automatic", "Manual"], inline = "Extras2", group="************* Enable Extra Calculations *************", tooltip = "Automatic Mode: Caluclate the most efficient size to use for risk tolerance. Manual Mode: for fixed size trading") if lotModeOption == "Automatic" lotModeDesc := "(Auto)" else lotModeDesc := "(User)" // ///////////////////////////////////// // ------ Lot Sizing Section ----- // ///////////////////////////////////// float lotSizeFull = 0 float lotSizeShort = 0.01 // ==>> The User Lot Size lotSizeShortUser = input.float(defval = 0.01, title = "Manual Lot Size", minval = 0.01, step = 0.01, tooltip = "If using manual calculation mode, set this for the intended size to use for value calculations", group = "------------- Forex Settings -------------") if lotModeOption == "Manual" lotSizeShort := lotSizeShortUser else lotSizeShort := 0.01 // pipValueFormat = input.string(defval = "0.0000",title = "Pip Value Rounding", options = ["0", "0.0", "0.00", "0.000", "0.0000", "0.00000", "0.000000", "0.0000000", "0.00000000"],tooltip = "Round the Pip Value Displayed in the Widget", group = "------------- Forex Settings -------------" ) rateSettingOption = input.string(defval = "Real-Time Rate", title = "Rate Based on:", options = ["Real-Time Rate", "Daily Exchange"], group = "------------- Forex Settings -------------", tooltip = "Which rate does your broker use for cross currency/non account currency exchange rate. Real-Time is default") ///////////////////////////////////// // ---- Pip Value Calculation ---- // ///////////////////////////////////// // ==== Global Variables ==>> Pip Value float pointValue = 0 float pipValue = 0 // Used to make caluculations on lot size //if quote = account set to pip value = 0.10 * (lotSizeShort * 100) converterBaseCurrency = syminfo.basecurrency converterQuoteCurrency = syminfo.currency // Temp Values for checking exchange, bypass for error issues with request.secutrity when trading an istrument where the account piar is one of the quote or base pair currencies. You can't trade a recipricol of the same pair.... converterBaseCurrency2 = syminfo.basecurrency accountCurrency2 = accountCurrency if converterBaseCurrency2 == accountCurrency or pointOption != "Forex" // Can't put request() calls inside ifs, so make a known ticker for it if not needed and avoid the unknown ticker issue (you must be trading the base and recirocal, or not using a forex chart, so not needed for the current instrument...) converterBaseCurrency2 := currency.EUR accountCurrency2 := currency.USD // dailyRate = request.currency_rate(converterBaseCurrency2, accountCurrency2) realrate = request.security(converterBaseCurrency2 + accountCurrency2,"", close) rateSetting = 0.0 if rateSettingOption == "Daily Exchange" rateSetting := dailyRate else rateSetting := realrate // //Determine how to exchange the rates if accountCurrency == converterQuoteCurrency and pointOption == "Forex" pipValue := 0.10 * (lotSizeShort * 100) else if accountCurrency == converterBaseCurrency and pointOption == "Forex" //Direct Pip Value ==>> lotSizeFull := lotSizeShort * 100000 pointValue := ((syminfo.mintick / close) * lotSizeFull) pipValue := pointValue * 10 else if pointOption == "Forex" // convert account to compared quote pair exchange //// core pip value * base to quote price of account //Account Currency Pip Value ==>> lotSizeFull := lotSizeShort * 100000 pointValue := ((syminfo.mintick / close) * lotSizeFull) pipValue := (pointValue * 10) * rateSetting else// Must not be Forex, cast as stock value //Account Currency Pip Value ==>> pipValue := 0.01 //cast as USD Stock Value pipOrPointValueDesc := "Point Value: " //cast as USD Stock Value // if converterQuoteCurrency == accountCurrency and pointOption == "Forex" pipValueFormat := accountDecimal if pointOption == "Stocks" pipValueFormat := "0.00" // ///////////////////////////////////// // -------- END PIP VALUE -------- // ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////// ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// // Pip Value Outputs for Display ==>> slValueDisplay = "" tpValueDisplay = "" lotSizeDisplay = "" pipValueDisply = "" ///////////////////////////////////// // ----- Output Calculations ----- // ///////////////////////////////////// pointValueCalculation = pipValue / 10 atrValue = pointValueATR * pointValueCalculation slValue = 0.0 if atrStopStyle == "ATR Multiple" slValue := atrValue * atrMultiple1 if atrStopStyle == "Fixed Size" slValue := stopSizeFixed * pointValueCalculation // tpValue = slValue * atrMultiple2 slBGColor = bgColor tpBGColor = bgColor maxRiskBGColor = bgColor lotSizeBGColor = bgColor autoLots = 0.0 if lotModeOption == "Automatic" and pointOption == "Forex" autoLots := int(riskSizeMaxSet/slValue) if autoLots == 0 autoLots := 1 // pipValue := pipValue * autoLots slValue := slValue * autoLots tpValue := tpValue * autoLots lotSizeShort := autoLots /100 slValueDisplay := "Stop " + accountSymbol + " " + str.tostring(slValue, accountDecimal) tpValueDisplay := "Profit " + accountSymbol + " " + str.tostring(tpValue, accountDecimal) // Pip Value Outputs for Display ==>> lotSizeDisplay := "Lot Size " + lotModeDesc + " : " + str.tostring(lotSizeShort, '0.00') pipValueDisply := pipOrPointValueDesc + accountSymbol + " " + str.tostring(pipValue, pipValueFormat) // if lotModeOption == "Manual" slValueDisplay := "Stop " + accountSymbol + " " + str.tostring(slValue, accountDecimal) tpValueDisplay := "Profit " + accountSymbol + " " + str.tostring(tpValue, accountDecimal) // Pip Value Outputs for Display ==>> lotSizeDisplay := "Lot Size " + lotModeDesc + " : " + str.tostring(lotSizeShort, '0.00') pipValueDisply := pipOrPointValueDesc + accountSymbol + " " + str.tostring(pipValue, pipValueFormat) // float shares = 0.0 float shareCost = 0.0 sharesSet = input.int(defval = 1, title = "# of Shares", minval = 1, step = 1, tooltip = "If using manual mode, set this for the intended size to use for value calculations", group = "------------- Stock Settings -------------") tickerSymbol = close if pointOption == "Stocks" lotSizeShort := 0.01 pipValue := 0.01 slValue := slValue * 10 tpValue := tpValue * 10 if lotModeOption == "Automatic" and pointOption == "Stocks" shares := int(riskSizeMaxSet/tickerSymbol) if shares == 0 shares := 1 if lotModeOption == "Manual" and pointOption == "Stocks" shares := sharesSet shareCost := tickerSymbol * sharesSet // slValue := slValue * shares tpValue := tpValue * shares pipValue := pipValue *shares slValueDisplay := "Stop " + accountSymbol + " " + str.tostring(slValue, accountDecimal) tpValueDisplay := "Profit " + accountSymbol + " " + str.tostring(tpValue, accountDecimal) // Pip Value Outputs for Display ==>>str.tostring(tickerSymbol) lotSizeDisplay := "@ $ " + str.tostring(tickerSymbol) + " / Share " + lotModeDesc + " : " + str.tostring(shares, '0') pipValueDisply := pipOrPointValueDesc + accountSymbol + " " + str.tostring(pipValue, pipValueFormat) // if slValue > riskSizeMaxSet or (tickerSymbol * shares) > riskSizeMaxSet or (tickerSymbol * shares) > accountSize or shareCost > accountSize slBGColor := warningColor tpBGColor := warningColor maxRiskBGColor := warningColor lotSizeBGColor := warningColor else slBGColor := bgColor tpBGColor := bgColor maxRiskBGColor := bgColor lotSizeBGColor := bgColor // riskSizeMaxDisplay = "Max Risk (" + riskSymbol + ") : " + accountSymbol + " " + str.tostring(riskSizeMaxSet, accountDecimal) ///////////////////////////////////// // ---------- Grid Fill ---------- // ///////////////////////////////////// // Table Layout ==>> // 00 10 20 // 01 11 21 // 02 12 22 grid00 = atrDisplay grid01 = atrSLDisplay grid02 = atrTPDisplay grid10 = lotSizeDisplay //lotSizeBGColor = bgColor grid11 = slValueDisplay //slBGColor = bgColor grid12 = tpValueDisplay //tpBGColor = bgColor grid20 = pipValueDisply grid21 = riskSizeMaxDisplay //maxRiskBGColor = bgColor grid22 = "" grid23 = "" if showAccount == true if tableRowStr == "Box" or tableRowStr == "Double Row" grid22 := "Account Size : " grid23 := accountSymbol + " " + str.tostring(accountSize, accountDecimal) else grid22 := "Account Size : " + accountSymbol + " " + str.tostring(accountSize, accountDecimal) else grid22 := "" grid23 := "" // ///////////////////////////////////// // -- Calculate Table Plotting --- // ///////////////////////////////////// //Plot The Table ==>> tableRowStr "3 x 3", "Single Column", "Box", "Single Row", "Double Row" if tableRowStr == "Single Column" var table displayTable = table.new(tablePos, 1, 9, frame_width = frameSizeSet, frame_color = frColor, border_color = borderColor1, border_width = borderSize1) table.cell(displayTable, 0, 0, grid00, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//ATR = 00 (00) if atrRisk == true table.cell(displayTable, 0, 1, grid01, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//SL = 01 (01) table.cell(displayTable, 0, 2, grid02, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//TP = 02 (02) if agreement == true table.cell(displayTable, 0, 3, grid10, bgcolor = lotSizeBGColor, text_color=tableColor, text_size = widgetSize)// Lot Size = 04 (10) //lotSizeBGColor = bgColor table.cell(displayTable, 0, 4, grid20, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//Pip Value = 03 (20) table.cell(displayTable, 0, 6, grid11, bgcolor = slBGColor, text_color=tableColor, text_size = widgetSize)// SL Value = 05 (11) //slBGColor = bgColor table.cell(displayTable, 0, 5, grid21, bgcolor = maxRiskBGColor, text_color=tableColor, text_size = widgetSize)// Max Risk = 07 (21) //maxRiskBGColor = bgColor table.cell(displayTable, 0, 7, grid12, bgcolor = tpBGColor, text_color=tableColor, text_size = widgetSize)// TP Value = 06 (12) //tpBGColor = bgColor if showAccount == true table.cell(displayTable, 0, 8, grid22, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)// Account Value = 08 (22) // if tableRowStr == "Box" var table displayTable = table.new(tablePos, 2, 5, frame_width = frameSizeSet, frame_color = frColor, border_color = borderColor1, border_width = borderSize1) table.cell(displayTable, 0, 0, grid00, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) if atrRisk == true table.cell(displayTable, 0, 1, grid01, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 0, 2, grid02, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) if agreement == true table.cell(displayTable, 0, 3, grid10, bgcolor = lotSizeBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 0, grid20, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 1, grid11, bgcolor = slBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 2, grid12, bgcolor = tpBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 3, grid21, bgcolor = maxRiskBGColor, text_color=tableColor, text_size = widgetSize) if showAccount == true table.cell(displayTable, 0, 4, grid22, bgcolor = bgColor, text_halign = text.align_right, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 4, grid23, bgcolor = bgColor, text_halign = text.align_left, text_color=tableColor, text_size = widgetSize) // if tableRowStr == "Single Row" var table displayTable = table.new(tablePos, 9, 1, frame_width = frameSizeSet, frame_color = frColor, border_color = borderColor1, border_width = borderSize1) table.cell(displayTable, 0, 0, grid00, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//ATR = 00 (00) if atrRisk == true table.cell(displayTable, 1, 0, grid01, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//SL = 01 (01) table.cell(displayTable, 3, 0, grid02, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//TP = 02 (02) if agreement == true table.cell(displayTable, 5, 0, grid10, bgcolor = lotSizeBGColor, text_color=tableColor, text_size = widgetSize)// Lot Size = 04 (10) //lotSizeBGColor = bgColor table.cell(displayTable, 6, 0, grid20, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//Pip Value = 03 (20) table.cell(displayTable, 2, 0, grid11, bgcolor = slBGColor, text_color=tableColor, text_size = widgetSize)// SL Value = 05 (11) //slBGColor = bgColor table.cell(displayTable, 7, 0, grid21, bgcolor = maxRiskBGColor, text_color=tableColor, text_size = widgetSize)// Max Risk = 07 (21) //maxRiskBGColor = bgColor table.cell(displayTable, 4, 0, grid12, bgcolor = tpBGColor, text_color=tableColor, text_size = widgetSize)// TP Value = 06 (12) //tpBGColor = bgColor if showAccount == true table.cell(displayTable, 8, 0, grid22, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)// Account Value = 08 (22) // if tableRowStr == "Double Row" var table displayTable = table.new(tablePos, 5, 2, frame_width = frameSizeSet, frame_color = frColor, border_color = borderColor1, border_width = borderSize1) table.cell(displayTable, 0, 0, grid00, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//ATR = 00 (00) if atrRisk == true table.cell(displayTable, 1, 0, grid01, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//SL = 01 (01) table.cell(displayTable, 2, 0, grid02, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//TP = 02 (02) if agreement == true table.cell(displayTable, 3, 0, grid10, bgcolor = lotSizeBGColor, text_color=tableColor, text_size = widgetSize)// Lot Size = 04 (10) //lotSizeBGColor = bgColor table.cell(displayTable, 0, 1, grid20, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize)//Pip Value = 03 (20) table.cell(displayTable, 1, 1, grid11, bgcolor = slBGColor, text_color=tableColor, text_size = widgetSize)// SL Value = 05 (11) //slBGColor = bgColor table.cell(displayTable, 3, 1, grid21, bgcolor = maxRiskBGColor, text_color=tableColor, text_size = widgetSize)// Max Risk = 07 (21) //maxRiskBGColor = bgColor table.cell(displayTable, 2, 1, grid12, bgcolor = tpBGColor, text_color=tableColor, text_size = widgetSize)// TP Value = 06 (12) //tpBGColor = bgColor if showAccount == true table.cell(displayTable, 4, 0, grid22, bgcolor = bgColor, text_halign = text.align_center, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 4, 1, grid23, bgcolor = bgColor, text_halign = text.align_center, text_color=tableColor, text_size = widgetSize) // // 3 x 3 if tableRowStr == "3 x 3" var table displayTable = table.new(tablePos, 3, 3, frame_width = frameSizeSet, frame_color = frColor, border_color = borderColor1, border_width = borderSize1) table.cell(displayTable, 0, 0, grid00, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) if atrRisk == true table.cell(displayTable, 0, 1, grid01, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 0, 2, grid02, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) if agreement == true table.cell(displayTable, 1, 0, grid10, bgcolor = lotSizeBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 1, grid11, bgcolor = slBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 1, 2, grid12, bgcolor = tpBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 2, 0, grid20, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 2, 1, grid21, bgcolor = maxRiskBGColor, text_color=tableColor, text_size = widgetSize) table.cell(displayTable, 2, 2, grid22, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) //table.cell(displayTable, 2, 2, grid22, bgcolor = bgColor, text_color=tableColor, text_size = widgetSize) //
ICT Killzone Session
https://www.tradingview.com/script/aO1JOpJT-ICT-Killzone-Session/
rayshen0411
https://www.tradingview.com/u/rayshen0411/
323
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© rayshen0411 //@version=5 indicator("ICT Killzone Session[BlueGeek]", "ICT Killzones Session[BlueGeek]", overlay = true, max_boxes_count = 500, max_labels_count = 500) labels(session, css, txt)=> var label lbl = na var float max = na var int anchor = na var get_css = color.rgb(color.r(css), color.g(css), color.b(css)) if session and not session[1] max := high anchor := time lbl := label.new(anchor, max , txt , xloc.bar_time , color = #ffffff00 , style = label.style_label_down , textcolor = get_css , size = size.small) if session max := math.max(high, max) label.set_x(lbl, int(math.avg(time, anchor))) label.set_y(lbl, max) //-------------------------------------------------------------------- // ICT Killzone Inputs //-------------------------------------------------------------------- lno_time = input.session(title="London Open Killzone", defval="0200-0500") nyo_time = input.session(title="New York Open Killzone", defval="0700-0900") asb_time = input.session(title="Asian Range", defval="2000-0000") lnc_time = input.session(title="London Close Killzone", defval="1000-1200") lno_ = input.bool(true, "London Open Killzone", "02:00-05:00 London timezone", "", "Session") nyo_ = input.bool(true, "New York Open Killzone", "07:00-09:00 London timezone", "", "Session") lnc_ = input.bool(true, "London Close Killzone", "10:00-12:00 London timezone", "", "Session") asb_ = input.bool(true, "Asian Range", "20:00-00:00 London timezone", "", "Session") lno_b = input.bool(true, "London Open box", "", "", "session in box") nyo_b = input.bool(true, "New York Open box", "", "", "session in box") lnc_b = input.bool(true, "London Close box", "", "", "session in box") asb_b = input.bool(true, "Asian Range box", "", "", "session in box") info = input.bool(false, "info over box", "this will show the range of the session in pips (make sense only on forex)", "", "session in box") spec = input.int(90, "Transparency", 0, 100, 1, "from 0 to 100, how much you want the color transparent?", "", "Visual Features") lno_c = input.color(color.green, "London Open Killzone", "", "", "Visual Features") nyo_c = input.color(color.blue, "New York Open Killzone", "", "", "Visual Features") lnc_c = input.color(color.orange, "London Close Killzone", "", "", "Visual Features") asb_c = input.color(color.yellow, "Asian Range", "", "", "Visual Features") iMDisplay = input.bool (false, "Display", group="New York Midnight Day Divider") iMDColor = input.color (#58A2B0, "Color", group="New York Midnight Day Divider") iMDStyle = input.string ("Solid", "Line Style", options=["Solid", "Dotted", "Dashed"], group="New York Midnight Day Divider") iMTime = input.session ('0000-0001:1234567', "Session", group="New York Midnight Open") iMStyle = input.string ("Dashed", "Line Style", options=["Solid", "Dotted", "Dashed"], group="New York Midnight Open") iMColor = input.color (#58A2B0, "Color", group="New York Midnight Open") iMHistory = input.bool (false, "History", group="New York Midnight Open") iMLabel = input.bool (false, "Show Label", group="New York Midnight Open") i8Display = input.bool (true, "Display", group="New York 8:30 Open") i8Time = input.session ('0830-0831:1234567', "Session", group="New York 8:30 Open") i8Style = input.string ("Dotted", "Line Style", options=["Solid", "Dotted", "Dashed"], group="New York 8:30 Open") i8Color = input.color (#58A2B0, "Color", group="New York 8:30 Open") i8History = input.bool (true, "History", group="New York 8:30 Open") i8Label = input.bool (true, "Show Label", group="New York 8:30 Open") //-------------------------------------------------------------------- // Silver Bullet Inputs //-------------------------------------------------------------------- iShowSB = input.bool (true, 'Show SB session', inline='SB', group='Silver Bullet session') col_SB = input.color(#735e5ee8, 'Β Β Β Β Β ' , inline='SB' , group='Silver Bullet session' ) //-------------------------------------------------------------------- // NWOG Inputs //-------------------------------------------------------------------- iNWOG = input.bool (false, "Display", inline='NWOG', group = 'NWOG/NDOG') cNWOG1 = input.color (color.new(#ff5252, 28), title = 'NWOGΒ Β Β Β ', inline='NWOG', group = 'NWOG/NDOG') cNWOG2 = input.color (color.new(#b2b5be, 50), title = '' , inline='NWOG', group = 'NWOG/NDOG') maxNWOG = input.int (3, title = 'Show max', inline='NWOG', group = 'NWOG/NDOG', minval = 0, maxval = 50) //-------------------------------------------------------------------- // NDOG Inputs //-------------------------------------------------------------------- iNDOG = input.bool (false, "Display", inline='NDOG', group = 'NWOG/NDOG') cNDOG1 = input.color (color.new(#ff9800, 20), title = 'NDOGΒ Β Β Β ', inline='NDOG', group = 'NWOG/NDOG') cNDOG2 = input.color (color.new(#4dd0e1, 65), title = '' , inline='NDOG', group = 'NWOG/NDOG') maxNDOG = input.int (1, title = 'Show max', inline='NDOG', group = 'NWOG/NDOG', minval = 0, maxval = 50) //-------------------------------------------------------------------- // Daily/Weekly/Yearly Open Inputs //-------------------------------------------------------------------- t_tails = "Extends last opens on historical bars." t_heads = "Extends previous opens in the future." t_discoverPrices = "Discovers the opening prices from the intraday chart.\n\nYou may use this setting when there are discrepancies between the data from intraday and high time frames." t_extendedHours = "Discovers the opening prices from the extended trading hours if available." var i_isDailyEnabled = input (true, "Daily", inline="Daily", group="Opens") var i_dailyColor = input (color.green, "", inline="Daily", group="Opens") var i_dailyLookback = input.int (1, "", 1, inline="Daily", group="Opens") var i_isWeeklyEnabled = input (true, "Weekly", inline="Weekly", group="Opens") var i_weeklyColor = input (color.orange, "", inline="Weekly", group="Opens") var i_weeklyLookback = input.int (1, "", 1, inline="Weekly", group="Opens") var i_isMonthlyEnabled = input (true, "Monthly", inline="Monthly", group="Opens") var i_monthlyColor = input (color.red, "", inline="Monthly", group="Opens") var i_monthlyLookback = input.int (1, "", 1, inline="Monthly", group="Opens") var i_isYearlyEnabled = input (true, "Yearly", inline="Yearly", group="Opens") var i_yearlyColor = input (color.blue, "", inline="Yearly", group="Opens") var i_yearlyLookback = input.int (1, "", 1, inline="Yearly", group="Opens") var i_rightOffset = input.int (20, "Offset", 1, group="Style") var i_areTailsEnabled = input (false, "Show Tails", t_tails, group="Style") var i_areHeadsEnabled = input (false, "Show Projections", t_heads, group="Style") var i_discoverPrices = input (false, "Discover Prices", t_discoverPrices, group="Settings") var i_extendedHours = input (false, "Extended Hours", t_extendedHours, group="Settings") //-------------------------------------------------------------------- // Constants //-------------------------------------------------------------------- var HEAD_PADDING = -2 var HEAD_TRANSP = 60 var LABEL_SIZE = size.small var LABEL_STYLE = label.style_none var LINE_STYLE = line.style_solid var LINE_WIDTH = 1 var OFFSET_PADDING = 4 var TAIL_STYLE = line.style_dotted //-------------------------------------------------------------------- // Variables declarations //-------------------------------------------------------------------- var a_lastOpens = array.new_float(4) var canShowDaily = i_isDailyEnabled and timeframe.isintraday var canShowWeekly = i_isWeeklyEnabled and (timeframe.isintraday or timeframe.isdaily) var canShowMonthly = i_isMonthlyEnabled and not timeframe.ismonthly var canShowYearly = i_isYearlyEnabled and not (timeframe.ismonthly and timeframe.multiplier >= 12) var hasExtendedHours = i_extendedHours and syminfo.session == session.extended var discoverPrices = i_discoverPrices or hasExtendedHours [dailyTime, dailyOpen] = request.security(syminfo.tickerid, 'D', [time, open], lookahead=barmerge.lookahead_on) [weeklyTime, weeklyOpen] = request.security(syminfo.tickerid, 'W', [time, open], lookahead=barmerge.lookahead_on) [monthlyTime, monthlyOpen] = request.security(syminfo.tickerid, 'M', [time, open], lookahead=barmerge.lookahead_on) [yearlyTime, yearlyOpen] = request.security(syminfo.tickerid, '12M', [time, open], lookahead=barmerge.lookahead_on) hasDailyTimeChanged = hasExtendedHours ? time_tradingday != time_tradingday[1] : dailyTime != dailyTime[1] hasWeekklyTimeChanged = hasExtendedHours ? weekofyear != weekofyear[1] : weeklyTime != weeklyTime[1] hasMonthlyTimeChanged = hasExtendedHours ? month != month[1] : monthlyTime != monthlyTime[1] hasYearlyTimeChanged = hasExtendedHours ? year != year[1] : yearlyTime != yearlyTime[1] b_color = color.new(color.gray,95) n = bar_index lno = time('', lno_time, 'UTC-5') and lno_ and timeframe.isintraday and timeframe.multiplier <= 60 nyo = time('', nyo_time, 'UTC-5') and nyo_ and timeframe.isintraday and timeframe.multiplier <= 60 lnc = time('', lnc_time, 'UTC-5') and lnc_ and timeframe.isintraday and timeframe.multiplier <= 60 asb = time('', asb_time, 'UTC-5') and asb_ and timeframe.isintraday and timeframe.multiplier <= 60 labels(nyo, nyo_c, 'New York') labels(lno, lno_c, 'London Open') labels(lnc, lnc_c, 'London Close') labels(asb, asb_c, 'Asian') bgcolor(lno and not lno_b and lno_? color.new(lno_c, spec) : na) bgcolor(nyo and not nyo_b and nyo_? color.new(nyo_c, spec) : na) bgcolor(lnc and not lnc_b and lnc_? color.new(lnc_c, spec) : na) bgcolor(asb and not asb_b and asb_? color.new(asb_c, spec) : na) type bx_ln box b line l var box lno_box = na var box nyo_box = na var box lnc_box = na var box asb_box = na var label lno_l = na var label nyo_l = na var label lnc_l = na var label asb_l = na var float friCp = na, var int friCi = na // Friday Close price/index var float monOp = na, var int monOi = na // Monday Open price/index var float prDCp = na, var int prDCi = na // Previous Day Open price/index var float cuDOp = na, var int cuDOi = na // Current Day Open price/index var bx_ln[] bl_NWOG = array.new<bx_ln>() var bx_ln[] bl_NDOG = array.new<bx_ln>() minT = syminfo.mintick var l_SB = array.new<line>() method timeSess(string timezone, string session) => time(timeframe.period, session, timezone) //Silver Bullet Periods SB_LN_per = "America/New_York".timeSess("0300-0400") // period/session ~ The London Open Silver Bullet ( 3 AM β€” 4 AM New York local time) 03:00 - 04:00 SB_AM_per = "America/New_York".timeSess("1000-1100") // period/session ~ The AM Session Silver Bullet (10 AM β€” 11 AM New York local time) 10:00 - 11:00 SB_PM_per = "America/New_York".timeSess("1400-1500") // period/session ~ The PM Session Silver Bullet ( 2 PM β€” 3 PM New York local time) 14:00 - 15:00 is_in_SB = SB_LN_per or SB_AM_per or SB_PM_per strSB = is_in_SB and not is_in_SB [1] strLN = SB_LN_per and not SB_LN_per[1] strAM = SB_AM_per and not SB_AM_per[1] strPM = SB_PM_per and not SB_PM_per[1] endSB = not is_in_SB and is_in_SB [1] endLN = not SB_LN_per and SB_LN_per[1] endAM = not SB_AM_per and SB_AM_per[1] endPM = not SB_PM_per and SB_PM_per[1] if lno_ and lno_b and timeframe.multiplier<=60 and timeframe.isintraday if lno and not lno[1] lno_box := box.new(bar_index,high,bar_index+1,low,b_color,bgcolor = color.new(lno_c,spec)) if info lno_l := label.new(bar_index,high,str.tostring((high-low)/10/syminfo.mintick)+" pip",textcolor = #ffffff, size = size.small,style = label.style_none) if lno and lno[1] if high > box.get_top(lno_box) box.set_top(lno_box,high) if low < box.get_bottom(lno_box) box.set_bottom(lno_box,low) box.set_right(lno_box,bar_index+1) if info label.set_text(lno_l,str.tostring((box.get_top(lno_box)-box.get_bottom(lno_box))/10/syminfo.mintick)+" pip") label.set_x(lno_l,(box.get_left(lno_box)+box.get_right(lno_box))/2) label.set_y(lno_l,box.get_top(lno_box)) if not lno and lno[1] box.set_right(lno_box,bar_index-1) if nyo_ and nyo_b and timeframe.multiplier<=60 and timeframe.isintraday if nyo and not nyo[1] nyo_box := box.new(bar_index,high,bar_index+1,low,b_color,bgcolor = color.new(nyo_c,spec)) if info nyo_l := label.new(bar_index,high,str.tostring((high-low)/10/syminfo.mintick)+" pip",textcolor = #ffffff, size = size.small,style = label.style_none) if nyo and nyo[1] if high > box.get_top(nyo_box) box.set_top(nyo_box,high) if low < box.get_bottom(nyo_box) box.set_bottom(nyo_box,low) box.set_right(nyo_box,bar_index+1) if info label.set_text(nyo_l,str.tostring((box.get_top(nyo_box)-box.get_bottom(nyo_box))/10/syminfo.mintick)+" pip") label.set_x(nyo_l,(box.get_left(nyo_box)+box.get_right(nyo_box))/2) label.set_y(nyo_l,box.get_top(nyo_box)) if not nyo and nyo[1] box.set_right(nyo_box,bar_index-1) if lnc_ and lnc_b and timeframe.multiplier<=60 and timeframe.isintraday if lnc and not lnc[1] lnc_box := box.new(bar_index,high,bar_index+1,low,b_color,bgcolor = color.new(lnc_c,spec)) if info lnc_l := label.new(bar_index,high,str.tostring((high-low)/10/syminfo.mintick)+" pip",textcolor = #ffffff, size = size.small,style = label.style_none) if lnc and lnc[1] if high > box.get_top(lnc_box) box.set_top(lnc_box,high) if low < box.get_bottom(lnc_box) box.set_bottom(lnc_box,low) box.set_right(lnc_box,bar_index+1) if info label.set_text(lnc_l,str.tostring((box.get_top(lnc_box)-box.get_bottom(lnc_box))/10/syminfo.mintick)+" pip") label.set_x(lnc_l,(box.get_left(lnc_box)+box.get_right(lnc_box))/2) label.set_y(lnc_l,box.get_top(lnc_box)) if not lnc and lnc[1] box.set_right(lnc_box,bar_index-1) if asb_ and asb_b and timeframe.multiplier<=60 and timeframe.isintraday if asb and not asb[1] asb_box := box.new(bar_index,high,bar_index+1,low,b_color,bgcolor = color.new(asb_c,spec)) if info asb_l := label.new(bar_index,high,str.tostring((high-low)/10/syminfo.mintick)+" pip",textcolor = #ffffff, size = size.small,style = label.style_none) if asb and asb[1] if high > box.get_top(asb_box) box.set_top(asb_box,high) if low < box.get_bottom(asb_box) box.set_bottom(asb_box,low) box.set_right(asb_box,bar_index+1) if info label.set_text(asb_l,str.tostring((box.get_top(asb_box)-box.get_bottom(asb_box))/10/syminfo.mintick)+" pip") label.set_x(asb_l,(box.get_left(asb_box)+box.get_right(asb_box))/2) label.set_y(asb_l,box.get_top(asb_box)) if not asb and asb[1] box.set_right(asb_box,bar_index-1) tMidnight = time ("1", iMTime) t830 = time ("1", i8Time) _MStyle = iMStyle == "Solid" ? line.style_solid : iMStyle == "Dotted" ? line.style_dotted : line.style_dashed _8Style = i8Style == "Solid" ? line.style_solid : i8Style == "Dotted" ? line.style_dotted : line.style_dashed _DStyle = iMDStyle == "Solid" ? line.style_solid : iMDStyle == "Dotted" ? line.style_dotted : line.style_dashed //==== Midnight Open ==== if iMDisplay var line dayLine = na dayLine :=line.new(tMidnight, high, tMidnight, low, xloc.bar_time, extend.both, iMDColor, _DStyle, 1) //if not iMDHistory //line.delete(dayLine[1]) if iMDisplay var openMidnight = 0.0 if tMidnight if not tMidnight[1] openMidnight := open else openMidnight := math.max(open, openMidnight) var label lb = na var line lne = na if openMidnight != openMidnight[1] if barstate.isconfirmed line.set_x2(lne, tMidnight) lne := line.new(tMidnight, openMidnight, last_bar_time + 14400000/2, openMidnight, xloc.bar_time, extend.none, iMColor, _MStyle, 1) if iMLabel lb := label.new(last_bar_time + 14400000/2, openMidnight, "Midnight", xloc.bar_time, yloc.price, na, label.style_none, iMColor, size.normal, text.align_right) label.delete(lb[1]) if not iMHistory line.delete(lne[1]) //=========================== //==== 8:30 Open ==== if i8Display var open830 = 0.0 if t830 if not t830[1] open830 := open else open830 := math.max(open, open830) var label lb2 = na var line lne2 = na if open830 != open830[1] if barstate.isconfirmed line.set_x2(lne2, t830 - 30600000) lne2 := line.new(t830, open830, last_bar_time + 14400000/2, open830, xloc.bar_time, extend.none, i8Color, _8Style, 1) if i8Label lb2 := label.new(last_bar_time + 14400000/2, open830, "8:30", xloc.bar_time, yloc.price, na, label.style_none, i8Color, size.normal, text.align_right) label.delete(lb2[1]) if not i8History line.delete(lne2[1]) //NWOG/NDOG if barstate.isfirst for i = 0 to maxNWOG -1 bl_NWOG.unshift(bx_ln.new(box(na), line(na))) for i = 0 to maxNDOG -1 bl_NDOG.unshift(bx_ln.new(box(na), line(na))) if dayofweek == dayofweek.friday friCp := close, friCi := n if ta.change(dayofweek) if dayofweek == dayofweek.monday and iNWOG monOp := open , monOi := n bl_NWOG.unshift(bx_ln.new( box.new( friCi , math.max (friCp , monOp ) , monOi , math.min (friCp , monOp ) , bgcolor = color ( na ) , border_color = cNWOG2 , extend = extend.right ) , line.new( monOi , math.avg (friCp , monOp ) , monOi +1 , math.avg (friCp , monOp ) , color = cNWOG1 , style = line.style_dotted , extend = extend.right ) )) bl = bl_NWOG.pop(), bl.b.delete(), bl.l.delete() if iNDOG cuDOp := open , cuDOi := n prDCp := close[1], prDCi := n -1 // bl_NDOG.unshift(bx_ln.new( box.new( prDCi , math.max (prDCp , cuDOp ) , cuDOi , math.min (prDCp , cuDOp ) , bgcolor = color ( na ) , border_color = cNDOG2 , extend = extend.right ) , line.new( cuDOi , math.avg (prDCp , cuDOp ) , cuDOi +1 , math.avg (prDCp , cuDOp ) , color = cNDOG1 , style = line.style_dotted , extend = extend.right ) )) bl = bl_NDOG.pop(), bl.b.delete(), bl.l.delete() // SB session vLines & 'lock' previous FVG boxes if strSB if iShowSB l_SB.unshift(line.new(n, close, n, close + minT , color= col_SB, extend=extend.both)) if endSB if iShowSB l_SB.unshift(line.new(n, close, n, close + minT , color= col_SB, extend=extend.both)) //-----------------------------------------------------------------------------} //Methods/Functions //-----------------------------------------------------------------------------{ method type(string str) => ( syminfo.type == 'stock' and str == 'stock' ) or (syminfo.type == 'futures' and str == 'futures') or (syminfo.type == 'index' and str == 'index' ) or (syminfo.type == 'forex' and str == 'forex' ) or (syminfo.type == 'crypto' and str == 'crypto' ) or (syminfo.type == 'fund' and str == 'fund' ) //-------------------------------------------} //Plotchar/table //-------------------------------------------} tfs = (60 / (timeframe.in_seconds(timeframe.period) / 60)) / 2 plotchar(not na(SB_LN_per) and na(SB_LN_per[1]) and iShowSB , title= '3-4 AM' , location=location.top, text= '3-4 AM\nNY', color=color(na) , textcolor=col_SB, offset= +tfs) plotchar(not na(SB_AM_per) and na(SB_AM_per[1]) and iShowSB , title='10-11 AM', location=location.top, text='10-11 AM\nNY', color=color(na) , textcolor=col_SB, offset= +tfs) plotchar(not na(SB_PM_per) and na(SB_PM_per[1]) and iShowSB , title= '2-3 PM' , location=location.top, text= '2-3 PM\nNY', color=color(na) , textcolor=col_SB, offset= +tfs) //-------------------------------------------------------------------- // Functions //-------------------------------------------------------------------- // If different opens share the same opening prices, their labels will overlap // Instead, we pad the higher time frame ones for achieving a "separator sheet" f_getPadding(int _index) => _padding = 0 // Weekly, monthly, or yearly overlaps the daily open if _index > 0 and canShowDaily and array.get(a_lastOpens, 0) == array.get(a_lastOpens, _index) _padding += 1 // Monthly or yearly overlaps the weekly open if _index > 1 and canShowWeekly and array.get(a_lastOpens, 1) == array.get(a_lastOpens, _index) _padding += 1 // Yearly overlaps the monthly open if _index > 2 and canShowMonthly and array.get(a_lastOpens, 2) == array.get(a_lastOpens, _index) _padding += 1 _padding f_getRightBarIndex(int _padding) => bar_index + i_rightOffset + _padding * OFFSET_PADDING // On the weekly time frame, the monthly/yearly open is drawn from the first candle of the month/year // The first weekly candle is not necessarily containing the first day of the month // In such case, we visually anchor the open of the previous weekly candle f_isContainedOnPrevWeekly(int _time) => timeframe.isweekly and dayofmonth(time) > dayofmonth(_time) // Create and update an open level. An open is composed of a label, a "body" line, and optional "tail" and "head" lines extensions f_draw(bool _newOpen, float _y, int _lookback, int _padding, color _color, string _text, bool _prevTime=false) => var line _body = na var _label = label.new(na, na, _text, style=LABEL_STYLE, textcolor=_color, size=LABEL_SIZE) var _tail = line.new(na, na, na, na, color=_color, style=TAIL_STYLE, width=LINE_WIDTH, extend=extend.left) var _bodies = array.new_line() var _heads = array.new_line() _start = _prevTime ? bar_index - 1 : bar_index _end = f_getRightBarIndex(_padding) if _newOpen // Label label.set_xy(_label, _end, _y) label.set_tooltip(_label, str.tostring(_y, format.mintick)) // Body line.set_x2(_body, bar_index) _body := line.new(_start, _y, _end, _y, color=_color, style=LINE_STYLE, width=LINE_WIDTH) array.push(_bodies, _body) // Head if i_areHeadsEnabled array.push(_heads, line.new(bar_index, _y, bar_index, _y, color=color.new(_color, HEAD_TRANSP), style=LINE_STYLE, width=LINE_WIDTH)) // Tail if i_areTailsEnabled line.set_xy1(_tail, _start - 1, _y) line.set_xy2(_tail, _start, _y) if array.size(_bodies) > _lookback line.delete(array.shift(_bodies)) if array.size(_heads) > _lookback line.delete(array.shift(_heads)) if barstate.islast line.set_x2(_body, _end) label.set_x(_label, _end) if i_areHeadsEnabled and array.size(_heads) > 1 // Not updating the last open's projection for i = 0 to array.size(_heads) - 2 // Avoid projecting on last opens bodies if not array.includes(a_lastOpens, line.get_y1(array.get(_heads, i))) line.set_x2(array.get(_heads, i), f_getRightBarIndex(HEAD_PADDING)) //-------------------------------------------------------------------- // Logic //-------------------------------------------------------------------- if canShowDaily and hasDailyTimeChanged array.set(a_lastOpens, 0, discoverPrices ? open : dailyOpen) if canShowWeekly and hasWeekklyTimeChanged array.set(a_lastOpens, 1, discoverPrices ? open : weeklyOpen) if canShowMonthly and hasMonthlyTimeChanged array.set(a_lastOpens, 2, discoverPrices ? open : monthlyOpen) if canShowYearly and hasYearlyTimeChanged array.set(a_lastOpens, 3, discoverPrices ? open : yearlyOpen) //-------------------------------------------------------------------- // Plotting & styling //-------------------------------------------------------------------- if canShowYearly f_draw(hasYearlyTimeChanged, array.get(a_lastOpens, 3), i_yearlyLookback, f_getPadding(3), i_yearlyColor, "Y ", f_isContainedOnPrevWeekly(yearlyTime)) if canShowMonthly f_draw(hasMonthlyTimeChanged, array.get(a_lastOpens, 2), i_monthlyLookback, f_getPadding(2), i_monthlyColor, "M ", f_isContainedOnPrevWeekly(monthlyTime)) if canShowWeekly f_draw(hasWeekklyTimeChanged, array.get(a_lastOpens, 1), i_weeklyLookback, f_getPadding(1), i_weeklyColor, "W ") if canShowDaily f_draw(hasDailyTimeChanged, array.get(a_lastOpens, 0), i_dailyLookback, f_getPadding(0), i_dailyColor, "D ") // Plot invisible opens for displaying last values in `status line`, `scale`, `data window` as well for providing defaults alert conditions plot(array.get(a_lastOpens, 0), "D", color.new(i_dailyColor, 100), editable=false) plot(array.get(a_lastOpens, 1), "W", color.new(i_weeklyColor, 100), editable=false) plot(array.get(a_lastOpens, 2), "M", color.new(i_monthlyColor, 100), editable=false) plot(array.get(a_lastOpens, 3), "Y", color.new(i_yearlyColor, 100), editable=false)
Support & Resistance Analyzer
https://www.tradingview.com/script/pGMFc4EB-Support-Resistance-Analyzer/
mks17
https://www.tradingview.com/u/mks17/
14
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© mks17 //@version=5 indicator("Support & Resistance Analyzer", overlay=true) f_avgRet(float _src, simple int bar_start) => sum = 0.0, var counter = 0, perc = 0.0 sum := nz(sum[1]) returns = 0.0 if bar_index >= bar_start returns := (_src - _src[1]) * 100 / _src[1] if not(na(_src)) counter := nz(counter[1]) + 1 perc := math.abs(returns) sum := perc + sum avgRet = sum / (counter + 1) [returns, avgRet] f_round(float _val) => // Rounds _val to _increases/decreases of around 1% _decimals = math.round(3 - math.log10(_val)) _p = math.pow(10, _decimals) math.round(math.abs(_val) * _p) / _p //--------------------Average Returns--------------------------------- Bar = bar_index + 1 [returns, avgRet] = f_avgRet(close, 0) abRet = math.abs(returns) avgRet100 = avgRet / 100 avgRetClose100 = close * avgRet100 //-----------Inputs-------- Usewhat = input.string(defval='Analyze a MA', title='Level Type', options=['Analyze a MA','Analyze a Level']) checkDirectionally = input.bool(true, "Check S&R Directionally") upmargin = input.float(0.5, "Max Up Margin for In Zone detection", step=0.025) * avgRet100 dnmargin = input.float(0.5, "Max Down Margin for In Zone detection", step=0.025) * avgRet100 mult = input.float(0.5, "Max Multiple for compression detection", step=0.1, group="Detection Parameters") //-------MA's analysis---------- //Put here your MA to be analyzed and assignt it to signal signal = 0.0 source = input(title='Price Source', defval=ohlc4, group="MA Parameters") length = input.int(20, title='Length', step=1, group="MA Parameters") //EMA // signal := ta.ema(source, length) //Linear Regression signal := ta.linreg(source, length, 0) //------------Level's analysis ----------- //Put here your levels script and assign the array of levels to Array and the values to sr varip Array = array.new_float(1, close), var sr = close src0 = math.avg(open, close) mult2 = input.float(0.5, "Max Multiple for Level Detection", step=0.1, group="Level Parameters") //Market Structure srLoopback = input.int(title='Market Structure (MS) Loopback', defval=25, step=5, minval=1, maxval=300, group="Level Parameters") //how many candles back will look to find a max or min srsource = input.string(title='MS Peaks/Valleys Source', defval='close', options=['close', 'high/low', 'highwick/lowwick', 'ohlc4'], group="Level Parameters") highLowBoth = input.string(title='MS Peaks/Valleys Selection', defval='Both', options=['Both', 'highs', 'lows'], group="Level Parameters") var srArray1 = array.new_float(1, close), var srArray2 = array.new_float(1, close), var lastSR = 0 highback = float(na), lowback = float(na) highwick = ((close >= open ? close : open) + high) / 2 lowwick = ((close <= open ? close : open) + low) / 2 srsrc1 = srsource == 'ohlc4' ? ohlc4 : srsource == 'close' ? close : srsource == 'high/low' ? high : highwick srsrc2 = srsource == 'ohlc4' ? ohlc4 : srsource == 'close' ? close : srsource == 'high/low' ? low : lowwick highback := ta.highest(srsrc1[4], srLoopback) lowback := ta.lowest(srsrc2[4], srLoopback) if highback > srsrc1 and highback > srsrc1[1] and highback > srsrc1[2] and highback > srsrc1[3] and highback[1] < highback and (highLowBoth == 'Both' or highLowBoth == 'highs') sr := f_round(srsrc1[4]) array.insert(srArray1, 0, sr) array.insert(Array, 0, sr) if lowback < srsrc2 and lowback < srsrc2[1] and lowback < srsrc2[2] and lowback < srsrc2[3] and lowback[1] > lowback and (highLowBoth == 'Both' or highLowBoth == 'lows') sr := f_round(srsrc2[4]) array.insert(srArray2, 0, sr) array.insert(Array, 0, sr) //Speed and Acceleration // plen = input.int(3, title='Price Smooth Length', step=1) // salen = input.int(1, title='Speed Acceleration Length', step=1) // [speed, acceleration, jerk] = lib.speedAccJerk(ta.sma(src0, plen), salen, avgRet) // // if (speed < speed[1] and acceleration > acceleration[1] and speed > 0 or speed > speed[1] and acceleration < acceleration[1] and speed < 0) and abRet < avgRet * mult2 // sr := lib.f_round(src0) // array.insert(Array, 0, sr) //Flat Zones of MAs // minSlope = input.float(title="Min MA Slope for Level detection",defval=0.2, step=0.01, group="Level Parameters") // if (math.abs((signal - signal[1]) / signal[1]) < minSlope * avgRet / 100) and abRet < avgRet * mult2 // sr := lib.f_round(src0) // array.insert(Array, 0, sr) //-----------Calcs------------------- var inZone = 0 var reversion = 0 var compression = 0 if Usewhat =='Analyze a MA' if checkDirectionally if close >= close[1] if close < signal and close > signal * (1 - dnmargin) inZone := inZone + 1 if close[2] > close[1] and close[1] <= close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 else if close < signal * (1 + upmargin) and close > signal inZone := inZone + 1 if close[2] < close[1] and close[1] > close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 else if close < signal * (1 + upmargin) and close > signal * (1 - dnmargin) inZone := inZone + 1 if close[2] > close[1] and close[1] < close or close[2] < close[1] and close[1] > close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 else if checkDirectionally for i in Array //if price will have a resistance soon I dont open and wait till I surpass it if close >= close[1] if close < i and close > i * (1 - dnmargin) inZone := inZone + 1 if close[2] > close[1] and close[1] <= close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 break else if close[1] < i * (1 + upmargin) and close[1] > i inZone := inZone + 1 if close[2] < close[1] and close[1] > close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 break else for i in Array //if price will have a resistance soon I dont open and wait till I surpass it if close < i * (1 + upmargin) and close > i * (1 - dnmargin) inZone := inZone + 1 if close[2] > close[1] and close[1] < close or close[2] < close[1] and close[1] > close reversion := reversion + 1 if math.abs(returns) < mult * avgRet compression := compression + 1 break var Oreversion = 0 var Ocompression = 0 if close[2] > close[1] and close[1] < close or close[2] < close[1] and close[1] > close Oreversion := Oreversion + 1 if math.abs(returns) < mult * avgRet Ocompression := Ocompression + 1 ratioC = compression / Ocompression / inZone * Bar ratioR = reversion / Oreversion / inZone * Bar //Plots plot(Usewhat =='Analyze a MA' ? signal : na, "Moving Average") plot(Usewhat =='Analyze a MA' ? signal * (1 + upmargin) : na , "Up Margin") plot(Usewhat =='Analyze a MA' ? signal * (1 - dnmargin) : na , "Down Margin") plot(sr == sr[20] or Usewhat =='Analyze a MA' ? na : sr, title='Support & Resistance', color=color.new(color.blue, 0), linewidth=1, style=plot.style_circles, join=false) plot(sr == sr[20] or Usewhat =='Analyze a MA' ? na : sr * (1 + upmargin), title='Up Margin', color=color.new(color.blue, 0), linewidth=1, style=plot.style_circles, join=false) plot(sr == sr[20] or Usewhat =='Analyze a MA' ? na : sr * (1 - dnmargin), title='Down Margin', color=color.new(color.blue, 0), linewidth=1, style=plot.style_circles, join=false) //Results plot((ratioR + ratioC - 2) * 100, title="S&R Overperformance/Underperformance", display=display.data_window, color=color.white) plot(inZone * 100 / Bar, title="Percentage of Contacts", display=display.data_window, color=color.orange) plot(ratioR, title="Ratio of Reversions", display=display.data_window, color=color.white) plot(ratioC, title="Ratio of compressions", display=display.data_window, color=color.white) plot(avgRet, title="Avg Abs Returns", display=display.data_window, color=color.orange) plot(Bar, title="Number of bars", display=display.data_window, color=color.orange) plot(inZone, title="Number of Contacts", display=display.data_window, color=color.orange) plot(Oreversion * 100 / Bar, title="Percentage of Reversions out of total bars", display=display.data_window, color=color.white) plot(reversion * 100 / inZone, title="Percentage of Reversions out of total contacts", display=display.data_window, color=color.white) plot(Ocompression * 100 / Bar, title="Percentage of compressions out of total bars", display=display.data_window, color=color.white) plot(compression * 100 / inZone, title="Percentage of compressions out of total contacts", display=display.data_window, color=color.white) plot(Usewhat =='Analyze a level' ? array.size(Array) : na, title="Number of S&R Levels", display=display.data_window, color=color.white) plotchar(inZone > inZone[1] ? 1 : na, title="Number of Contacts", char="β€’", location=location.bottom, size=size.tiny, color=color.orange)
Range of a source displayed in thirds
https://www.tradingview.com/script/bFGstRud-Range-of-a-source-displayed-in-thirds/
m_b_round
https://www.tradingview.com/u/m_b_round/
15
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© m_b_round //@version=5 indicator("Source Range in thirds", overlay=false) bandSource = input.source(close, "Source") // bandQuantity = input.int(3, "Number of Bands") lookbackPeriod = input.int(100, "Lookback Period") addMA = input.bool(false, "Add Moving Average") maType = input.string("EMA", "Moving Average Type", options=["SMA", "EMA", "WMA"]) maLength = input.int(9, "MA Length") sourceLine = input.color(color.purple, "Source Plot", group="Colours") highestLine = input.color(color.green, "High Point", group="Colours") midLines = input.color(color.white, "Mid Lines", group="Colours") lowestLine = input.color(color.red, "Low Point", group="Colours") maLine = input.color(color.yellow, "MA Plot", group="Colours") highPoint = ta.highest(bandSource, lookbackPeriod) lowPoint = ta.lowest(bandSource, lookbackPeriod) plot(bandSource, "Indicator", color=sourceLine, linewidth = 2) plot(highPoint, "Highest Point", color=highestLine) plot(lowPoint + ((highPoint-lowPoint)*(float(2)/3)), "Top Third", color=midLines) plot(lowPoint + ((highPoint-lowPoint)*(float(1)/3)), "Bottom Third", color=midLines) plot(lowPoint, "Lowest Point", color=lowestLine) calculatedMA = switch maType "SMA" => ta.sma(bandSource, maLength) "EMA" => ta.ema(bandSource, maLength) "WMA" => ta.wma(bandSource, maLength) plot(addMA ? calculatedMA : na, "Average (Source)", color=maLine)
Titans Price Incidence
https://www.tradingview.com/script/WpOFeplh-Titans-Price-Incidence/
mmmarsh
https://www.tradingview.com/u/mmmarsh/
17
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© mmmarsh //@version=5 indicator("Price Incidence", overlay=true) //Inputs degree=input.int(defval=100, title='Price intervals as a ratio of minimum tick', options=[20, 50, 100, 200, 500, 1000, 2000, 5000, 10000, 20000, 50000, 100000]) lookback=input.int(defval=200, title='Bars to look back', options=[50,100,150,200,250,300,350,400,450,500]) historical=input.int(defval=0,title='Reference candle to start study',step=1) //Price range highestHigh=ta.highest(high,lookback) lowestLow=ta.lowest(low,lookback) //Colour setting transparency(targetCount,averageCount) => targetCount>=averageCount ? 50 : 80 //Check precision minTick=syminfo.mintick precisionCurrent=0 for i=0 to 6 by 1 if math.pow(10,i)==1/minTick precisionCurrent:=i break precisionNew=0 for i=0 to 6 by 1 if math.pow(10,i)>degree precisionNew:=i-1 break //Set minimums rangeLow=0.0 rangeHigh=0.0 rangeInterval=0.0 if precisionNew<precisionCurrent rangeLow:=math.round(lowestLow[0],precisionCurrent-precisionNew) rangeHigh:=math.round(highestHigh[0],precisionCurrent-precisionNew) rangeInterval:=minTick*degree if precisionNew>=precisionCurrent rangeLow:=math.round(lowestLow[0]/math.pow(10,(precisionNew-precisionCurrent)))*math.pow(10,precisionNew-precisionCurrent) rangeHigh:=math.round(highestHigh[0]/math.pow(10,(precisionNew-precisionCurrent)))*math.pow(10,precisionNew-precisionCurrent) rangeInterval:=math.pow(10,precisionNew-precisionCurrent)*(degree/math.pow(10,precisionNew)) rangeCovered=rangeHigh-rangeLow totalIntervals=int(rangeCovered/rangeInterval)+2 //Run on last bar if barstate.islast //Set price intervals priceLevel=array.new_float(0) for j=0 to totalIntervals by 1 array.push(priceLevel,rangeLow+j*rangeInterval) //Incidence recording counter=array.new_float(totalIntervals,0) incidenceTotal=0 for k=0 to totalIntervals-1 by 1 incidence=0 for j=historical to lookback by 1 if high[j]>array.get(priceLevel,k) and high[j]<array.get(priceLevel,(k+1)) incidence:=incidence+1 if low[j]>array.get(priceLevel,k) and low[j]<array.get(priceLevel,(k+1)) incidence:=incidence+1 array.set(counter,k,incidence) incidenceTotal:=incidenceTotal+incidence incidenceAverage=incidenceTotal/totalIntervals //Plot result for m=0 to totalIntervals-1 by 1 box.new(bar_index[array.get(counter,m)+historical],array.get(priceLevel,m),bar_index[historical],array.get(priceLevel,m+1),border_color=color.white, border_width=0, bgcolor=color.rgb(22, 222, 122, transparency(array.get(counter,m),incidenceAverage))) plot(minTick)
Synthetic, Smoothed Variety RSI [Loxx]
https://www.tradingview.com/script/rj8yiHwg-Synthetic-Smoothed-Variety-RSI-Loxx/
loxx
https://www.tradingview.com/u/loxx/
233
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© loxx //@version=5 indicator("Synthetic, Smoothed Variety RSI [Loxx]", overlay = false, timeframe="", timeframe_gaps = true) import loxx/loxxexpandedsourcetypes/4 import loxx/loxxvarietyrsi/1 as lxrsi greencolor = #2DD204 redcolor = #D2042D rsimodeout(rsitype)=> rsimode = switch rsitype "RSX" => "rsi_rsx" "Regular" => "rsi_rsi" "Slow" => "rsi_slo" "Rapid" => "rsi_rap" "Harris" => "rsi_har" "Cuttler" => "rsi_cut" "Ehlers Smoothed" => "rsi_ehl" => "rsi_rsi" rsimode smthtype = input.string("Kaufman", "HAB Calc Type", options = ["AMA", "T3", "Kaufman"], group='Source Settings') srcin = input.string("Close", "Source", options = ["Close", "Open", "High", "Low", "Median", "Typical", "Weighted", "Average", "Average Median Body", "Trend Biased", "Trend Biased (Extreme)", "HA Close", "HA Open", "HA High", "HA Low", "HA Median", "HA Typical", "HA Weighted", "HA Average", "HA Average Median Body", "HA Trend Biased", "HA Trend Biased (Extreme)", "HAB Close", "HAB Open", "HAB High", "HAB Low", "HAB Median", "HAB Typical", "HAB Weighted", "HAB Average", "HAB Average Median Body", "HAB Trend Biased", "HAB Trend Biased (Extreme)"], group='Source Settings') inpEmaPeriod1 = input.int(48, "EMA 1 Period", group = "Basic Settings") inpRsiPeriod1 = input.int(32, "RSI 1 Period", group = "Basic Settings") inpEmaPeriod2 = input.int(24, "EMA 2 Period", group = "Basic Settings") inpRsiPeriod2 = input.int(16, "RSI 2 Period", group = "Basic Settings") inpEmaPeriod3 = input.int(12, "EMA 3 Period", group = "Basic Settings") inpRsiPeriod3 = input.int(8, "RSI 3 Period", group = "Basic Settings") inpSignalPeriod = input.int(8, "Signal Period", group = "Basic Settings") rsitype = input.string("Ehlers Smoothed", "RSI type", options = ["RSX", "Regular", "Slow", "Rapid", "Harris", "Cuttler", "Ehlers Smoothed"], group = "Basic Settings") colorBars = input.bool(true, "Color bars?", group = "UI Options") showSigs = input.bool(true, "Show Signals?", group = "UI Options") kfl = input.float(0.666, title="* Kaufman's Adaptive MA (KAMA) Only - Fast End", group = "Moving Average Inputs") ksl = input.float(0.0645, title="* Kaufman's Adaptive MA (KAMA) Only - Slow End", group = "Moving Average Inputs") amafl = input.int(2, title="* Adaptive Moving Average (AMA) Only - Fast", group = "Moving Average Inputs") amasl = input.int(30, title="* Adaptive Moving Average (AMA) Only - Slow", group = "Moving Average Inputs") t3hot = input.float(.7, "* T3 Only - T3 Hot", group = "Moving Average Inputs") t3swt = input.string("T3 New", "* T3 Only - T3 Type", options = ["T3 New", "T3 Original"], group = "Moving Average Inputs") haclose = ohlc4 haopen = float(na) haopen := na(haopen[1]) ? (open + close) / 2 : (nz(haopen[1]) + nz(haclose[1])) / 2 hahigh =math.max(high, math.max(haopen, haclose)) halow = math.min(low, math.min(haopen, haclose)) hamedian = (hahigh + halow) / 2 hatypical = (hahigh + halow + haclose) / 3 haweighted = (hahigh + halow + haclose + haclose)/4 haaverage = (haopen + hahigh + halow + haclose)/4 sourceout(smthtype, srcin)=> src = switch srcin "Close" => close "Open" => open "High" => high "Low" => low "Median" => hl2 "Typical" => hlc3 "Weighted" => hlcc4 "Average" => ohlc4 "Average Median Body" => (open + close)/2 "Trend Biased" => loxxexpandedsourcetypes.rtrendb() "Trend Biased (Extreme)" => loxxexpandedsourcetypes.rtrendbext() "HA Close" => loxxexpandedsourcetypes.haclose(haclose) "HA Open" => loxxexpandedsourcetypes.haopen(haopen) "HA High" => loxxexpandedsourcetypes.hahigh(hahigh) "HA Low" => loxxexpandedsourcetypes.halow(halow) "HA Median" => loxxexpandedsourcetypes.hamedian(hamedian) "HA Typical" => loxxexpandedsourcetypes.hatypical(hatypical) "HA Weighted" => loxxexpandedsourcetypes.haweighted(haweighted) "HA Average" => loxxexpandedsourcetypes.haaverage(haaverage) "HA Average Median Body" => loxxexpandedsourcetypes.haavemedbody(haclose, haopen) "HA Trend Biased" => loxxexpandedsourcetypes.hatrendb(haclose, haopen, hahigh, halow) "HA Trend Biased (Extreme)" => loxxexpandedsourcetypes.hatrendbext(haclose, haopen, hahigh, halow) "HAB Close" => loxxexpandedsourcetypes.habclose(smthtype, amafl, amasl, kfl, ksl) "HAB Open" => loxxexpandedsourcetypes.habopen(smthtype, amafl, amasl, kfl, ksl) "HAB High" => loxxexpandedsourcetypes.habhigh(smthtype, amafl, amasl, kfl, ksl) "HAB Low" => loxxexpandedsourcetypes.hablow(smthtype, amafl, amasl, kfl, ksl) "HAB Median" => loxxexpandedsourcetypes.habmedian(smthtype, amafl, amasl, kfl, ksl) "HAB Typical" => loxxexpandedsourcetypes.habtypical(smthtype, amafl, amasl, kfl, ksl) "HAB Weighted" => loxxexpandedsourcetypes.habweighted(smthtype, amafl, amasl, kfl, ksl) "HAB Average" => loxxexpandedsourcetypes.habaverage(smthtype, amafl, amasl, kfl, ksl) "HAB Average Median Body" => loxxexpandedsourcetypes.habavemedbody(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased" => loxxexpandedsourcetypes.habtrendb(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased (Extreme)" => loxxexpandedsourcetypes.habtrendbext(smthtype, amafl, amasl, kfl, ksl) => close rsi1 = lxrsi.rsiVariety(rsimodeout(rsitype), ta.ema(sourceout(smthtype, srcin), inpEmaPeriod1), inpRsiPeriod1) rsi2 = lxrsi.rsiVariety(rsimodeout(rsitype), ta.ema(sourceout(smthtype, srcin), inpEmaPeriod2), inpRsiPeriod2) rsi3 = lxrsi.rsiVariety(rsimodeout(rsitype), ta.ema(sourceout(smthtype, srcin), inpEmaPeriod3), inpRsiPeriod3) val = (rsi3 + 2.0 * rsi2 + 3.0 * rsi1) / 6.0 sig = ta.ema(val, inpSignalPeriod) colorout = val > sig ? greencolor : redcolor plot(val, "Synthetic RSI trigger", color = colorout, linewidth = 2) plot(sig, "Synthetic RSI signal", color = color.white) barcolor(colorBars ? colorout : na) goLong = ta.crossover(val, sig) goShort = ta.crossunder(val, sig) plotshape(showSigs and goLong, title = "Long", color = color.yellow, textcolor = color.yellow, text = "L", style = shape.triangleup, location = location.bottom, size = size.auto) plotshape(showSigs and goShort, title = "Short", color = color.fuchsia, textcolor = color.fuchsia, text = "S", style = shape.triangledown, location = location.top, size = size.auto) alertcondition(goLong, title="Long", message="Synthetic, Smoothed Variety RSI [Loxx]: Long\nSymbol: {{ticker}}\nPrice: {{close}}") alertcondition(goShort, title="Short", message="Synthetic, Smoothed Variety RSI [Loxx]: Short\nSymbol: {{ticker}}\nPrice: {{close}}")
Probability of Candle Close Higher Than Open
https://www.tradingview.com/script/T9vcJX9p-Probability-of-Candle-Close-Higher-Than-Open/
theDOGEguy1
https://www.tradingview.com/u/theDOGEguy1/
48
study
4
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theDOGEguy1 //@version=4 study("Probability of Candle Close Higher Than Open", overlay=true) // Define input variables lookback_period = input(title="Lookback Period", type=input.integer, defval=2, minval=1, maxval=10) prob_threshold = input(title="Probability Threshold", type=input.float, defval=0.5, minval=0, maxval=1, step=0.01) // Define variables prev_high = highest(lookback_period)[1] prev_low = lowest(lookback_period)[1] prev_body = abs(open[1] - close[1]) // Assess probability of current candle closing higher than open var probability = 0.0 if open > prev_high probability := 0.1 else if open < prev_low probability := 0.9 else if close[1] > open[1] probability := 0.5 + (prev_body / 2) else if close[1] < open[1] probability := 0.1 + (prev_body / 2) else probability := 0.1 // Display probability label on chart if barstate.islast label.new(bar_index, high, text=tostring(probability, "#.##"), color=color.white, textcolor=color.black, style=label.style_label_left, size=size.normal) // Plot horizontal line at probability threshold hline(prob_threshold, title="Probability Threshold", color=color.gray, linestyle=hline.style_dotted, linewidth=2)
Fair Value Gap - FVG - Histogram
https://www.tradingview.com/script/Upc9rrf3-Fair-Value-Gap-FVG-Histogram/
DojiEmoji
https://www.tradingview.com/u/DojiEmoji/
127
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© DojiEmoji // This indicator uses a bar chart*** to represent "fair value gaps" ("FVG"). FVG is a popular pattern among modern traders. // *** Typo in the write-up: The bars plotted as time series are a bar chart (not a histogram). *** // Rather: The histogram that depicts the distribution of magnitudes of FVGs is plotted to the right-hand side of the last bar. //@version=5 indicator("FVG Histogram [DojiEmoji]", overlay=false, max_labels_count = 500) //----------- // Settings //----------- var string GROUP0 = "Bar Chart - Percent Rank (Lookback)" var string GROUP2 = "Histogram - Recent gaps, ignoring time interval" var color col_up = input.color(color.new(color.blue,0), title="Up move / Down move:", inline="ln0" ) var color col_dn = input.color(color.new(color.red,0), title="/", inline="ln0" ) var int n_compare = input.int(20, title="Lookback: Largest FVG", group=GROUP0, inline="barchart_ln0", tooltip="If a new FVG is larger than all past FVGs over X bars, then indicate it with a label.", minval=2) var bool show_label1 = true//input.bool(false, title="Show signal label", inline="barchart_ln2", group=GROUP0) var bool transp_reduct = input.bool(true, title="Make bars transparent (Insignificant FVGs)", inline="barchart_ln3", group=GROUP0) var bool show_label2 = input.bool(false, title="Show info label", inline="barchart_ln4", group=GROUP0) var color info_txtcol = input.color(color.new(color.purple,0), title="", inline="barchart_ln4", group=GROUP0) var bool show_histogram = input.bool(true, title="Show histogram", group=GROUP2) var int n_histogram = input.int(100, title="No. of observations", minval=100, maxval=200, tooltip="Ignores time interval") var int n_bins = input.int(10, title="No. of bins", minval=2, maxval=50) var bool show_hist_info = input.bool(false, title="Show frequency table info", group=GROUP2) var color col_hist = input.color(color.new(color.orange,20), title="Histogram color", group=GROUP2, tooltip="Visualize the distribution of FVGs. Note that most FVGs have low magnitudes and tend to fall on the left tail of the distribution.\n\nTo indicate the bin associated with the most recent FVG, the symbol '^' will be used directly below the corresponding bin.") var bool signal_filter_hist = input.bool(false, title="Filter signals (If FVG is at the first bin)") //==============================================================================================================// // FVGs //==============================================================================================================// // { type gap // Attributes to describe a FVG float pivot_upper = na float pivot_lower = na float pivot_mid = na color hist_color = na int barindex = na var gap[] ao_gaps = array.new<gap>() // Array of gaps, to keep track of them. // @function insert_gap(price[2], price[0]) // @returns void insert_gap(gap g, float price_t_minustwo, float price_t_zero) => g.pivot_upper := math.max(price_t_minustwo, price_t_zero) g.pivot_lower := math.min(price_t_minustwo, price_t_zero) g.pivot_mid := (g.pivot_upper+g.pivot_lower)/2 g.hist_color := price_t_minustwo < price_t_zero ? col_up : price_t_minustwo > price_t_zero ? col_dn : na g.barindex := bar_index array.unshift(ao_gaps, g) // @function get_recent_gap() // @returns an instance of gap object get_recent_gap() => gap result = na if array.size(ao_gaps) == 0 result := gap.new() else result := array.get(ao_gaps,0) result // } //==============================================================================================================// // Tests for FVGs: // Requirement 1: Displacement test; upward FVG must > 0, and downward FVG must < 0 // Requirement 2: Threshold test; distance of FVG must > threshold==0 //==============================================================================================================// // FVG is valid iff both requirements (1 & 2) are met float test1_displacement_up = low[0] - high[2] float test2_displacement_dn = high[0] - low[2] bool is_fvg_up = false, bool is_fvg_dn = false // for alerts if math.abs(test1_displacement_up) > 0 and test1_displacement_up > 0 insert_gap(gap.new(), high[2], low[0]) is_fvg_up := true if math.abs(test2_displacement_dn) > 0 and test2_displacement_dn < 0 insert_gap(gap.new(), low[2], high[0]) is_fvg_dn := true //==============================================================================================================// // Histogram //==============================================================================================================// crnt_fvg_magnitude = (get_recent_gap().pivot_upper-get_recent_gap().pivot_lower)[1] var int _offset = 10 // No. of bars to offset the histogram, relative to bar.last, right hand side var label lbl_hist_info = na, label.delete(lbl_hist_info[1]) var label lbl_crnt_fvg_bin = na, label.delete(lbl_crnt_fvg_bin[1]) int crnt_fvg_hist_loc = na if array.size(ao_gaps) > n_histogram // Initi array of float containing magnitudes of recent FVGs float[] aof_magnitude = array.new_float() for i=0 to n_histogram-1 array.push(aof_magnitude, array.get(ao_gaps, i).pivot_upper - array.get(ao_gaps, i).pivot_lower) float bin_size = (array.max(aof_magnitude)-array.min(aof_magnitude))/n_bins // Init. frequency table int[] freq_table = array.new_int(size=n_bins+1, initial_value=0) // Sum up occurence via freq_table[_i]++ for i=0 to n_histogram-1 float data_point = array.get(aof_magnitude,i) int _i = math.floor(data_point/bin_size) if data_point == crnt_fvg_magnitude crnt_fvg_hist_loc := _i array.set(freq_table, _i, array.get(freq_table,_i)+1) _debug_msg = "Frequency Table {\n" for i=0 to array.size(freq_table)-1 _debug_msg := _debug_msg + str.format(" {0} : {1}{2}\n",str.tostring(i,"#"), str.tostring(array.get(freq_table,i),"#"), crnt_fvg_hist_loc==i ? "<--Current Bin" : "") _debug_msg += "}" // if barstate.islast var box[] plots = array.new_box() while(array.size(plots)!=0) box.delete(array.pop(plots)) var float _total_area = 10*n_bins if show_histogram for i=0 to array.size(freq_table)-1 _i = bar_index+_offset+i bin_plot = box.new(_i, 0, _i+1, _total_area*(array.get(freq_table,i)/array.sum(freq_table)), xloc=xloc.bar_index, bgcolor=col_hist, border_color=col_hist) array.push(plots, bin_plot) lbl_crnt_fvg_bin := label.new(x=bar_index+_offset+crnt_fvg_hist_loc, y=0, text="^", style=label.style_label_up, size=size.huge, textcolor=col_hist, textalign=text.align_center, color=color.new(color.black,99)) if show_hist_info lbl_hist_info := label.new(bar_index+_offset-5, 50, _debug_msg + "\nBin Size=" + str.tostring(bin_size,"#.#"),xloc=xloc.bar_index, yloc=yloc.price, style=label.style_label_left, textcolor=color.white, textalign = text.align_left) //==============================================================================================================// // Bar Chart: //==============================================================================================================// _filtersignal = not signal_filter_hist or (crnt_fvg_hist_loc==0 and signal_filter_hist) vg_shock = ta.highest(crnt_fvg_magnitude,n_compare)[1] < crnt_fvg_magnitude and _filtersignal if vg_shock and show_label1 if get_recent_gap().hist_color == col_up label.new(x=bar_index, y=0, text="πŸ’‘", style=label.style_label_up, size=size.tiny, color=color.new(col_up,50)) else if get_recent_gap().hist_color == col_dn label.new(x=bar_index, y=0, text="πŸ’‘", style=label.style_label_up, size=size.tiny, color=color.new(col_dn,50)) var label lbl_lookback =na, label.delete(lbl_lookback[1]) if barstate.islast and show_label2 _msg = str.format("πŸ’‘ = {0} bars", str.tostring(n_compare,"#")) lbl_lookback := label.new(x=bar_index+10, y=0, text=_msg, style=label.style_label_up, size=size.normal, textcolor=info_txtcol, textalign=text.align_left, color=color.new(color.black,99)) relative_magnit = ta.percentrank(crnt_fvg_magnitude, n_compare) hline(0, color=color.new(color.gray,50), editable=false) hline(100, color=color.new(color.gray,50), editable=false) // Default color = input with 50% transparancy, if it's a large FVG, then use original color plot(relative_magnit, style=plot.style_histogram, color=color.new(get_recent_gap().hist_color,transp_reduct?50:0), linewidth = 4) plot(relative_magnit, style=plot.style_histogram, color=vg_shock?color.new(get_recent_gap().hist_color,0):na, linewidth = 4) //==============================================================================================================// // Alerts: //==============================================================================================================// alertcondition(vg_shock, title="Large FVG", message="{{exchange}}:{{ticker}} A wild FVG has appeared!, timeframe={{interval}}") alertcondition(is_fvg_up, title="FVG Up", message="{{exchange}}:{{ticker}} FVG Up, timeframe={{interval}}") alertcondition(is_fvg_dn, title="FVG Down", message="{{exchange}}:{{ticker}} FVG Down, timeframe={{interval}}") alertcondition(is_fvg_dn or is_fvg_up, title="FVG [either] Up or Down", message="{{exchange}}:{{ticker}} FVG, timeframe={{interval}}")
WatermarkΒ° (Quote, Name, Timeframe, Date)
https://www.tradingview.com/script/QtmedlUq-Watermark-Quote-Name-Timeframe-Date/
toodegrees
https://www.tradingview.com/u/toodegrees/
692
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© toodegrees //@version=5 ////////////////////////////// // This is just a Watermark // ////////////////////////////// indicator("tΰ―¦ΰ―¦Β°", overlay=true) // Change name of indicator to change its text on the top left of the chart. //#region[FUNCTIONS] boxLoc(_loc) => loc = switch _loc "Top-Left" => position.top_left "Top-Center" => position.top_center "Top-Right" => position.top_right "Middle-Left" => position.middle_left "Middle-Center" => position.middle_center "Middle-Right" => position.middle_right "Bottom-Left" => position.bottom_left "Bottom-Center" => position.bottom_center "Bottom-Right" => position.bottom_right loc _size(string _size, bool _l=false) => size = switch _size "Tiny" => not(_l) ? size.tiny : size.small "Small" => not(_l) ? size.small : size.normal "Normal" => not(_l) ? size.normal : size.large "Large" => not(_l) ? size.large : size.huge "Huge" => not(_l) ? size.huge : size.huge size //#endregion //#region[INPUTS] // QUOTE _showQuote = input.bool(true, title="Show?", inline='s1', group="Quote") _color1 = input.color(#000000, title='', inline='s1', group="Quote") _bgcolor1 = input.color(#d1d4dc, title='', inline='s1', group="Quote") _showBrdr1 = input.bool(false, title="Hide Border?", inline='s1', group="Quote") _y1 = input.string("Top", title="", inline='s1.2', group="Quote", options=["Top","Middle","Bottom"]) _x1 = input.string("Center", title="", inline='s1.2', group="Quote", options=["Left","Center","Right"]) _size1 = input.string("Normal", title="", inline='s1.2', group="Quote", options=["Tiny","Small","Normal","Large","Huge"]) _quoteTXT = input.text_area("HOMO FABER FORTNAE SUAE", title="Quote Text:", group="Quote") // SYMBOL INFO _showInfo = input.bool(true, title="Show?", inline='s2.1', group="Symbol Info") _color2 = input.color(#000000, title='', inline='s2.1', group="Symbol Info") _bgcolor2 = input.color(#d1d4dc, title='', inline='s2.1', group="Symbol Info") _showBrdr2 = input.bool(false, title="Hide Border?", inline='s2.1', group="Symbol Info") _y2 = input.string("Top", title="", inline='s2.2', group="Symbol Info", options=["Top","Middle","Bottom"]) _x2 = input.string("Right", title="", inline='s2.2', group="Symbol Info", options=["Left","Center","Right"]) _size2 = input.string("Small", title="", inline='s2.2', group="Symbol Info", options=["Tiny","Small","Normal","Large","Huge"]) _showItext = input.bool(true, title="Text?", inline='s2.3', group="Symbol Info") _showIsym = input.bool(true, title="Symbol?", inline='s2.3', group="Symbol Info") _showItf = input.bool(true, title="Timeframe?", inline='s2.3', group="Symbol Info") _showIdate = input.bool(false, title="Date?", inline='s2.3', group="Symbol Info") _infoTXT = input.text_area('TOODEGREES', title="Info Text:", group="Symbol Info") //#endregion //#region[LOGIC] // TABLE LOCATION quoteLOC = boxLoc(_y1+"-"+_x1) infoLOC = boxLoc(_y2+"-"+_x2) // SYMBOL INFO date = str.tostring(dayofmonth(time_close)) + "/" + str.tostring(month(time_close)) + "/" + str.tostring(year(time_close)) num_tf = if timeframe.isminutes if str.tonumber(timeframe.period) % 60 == 0 str.tostring(str.tonumber(timeframe.period)/60) else timeframe.period else timeframe.period text_tf = if timeframe.isminutes if str.tonumber(timeframe.period) % 60 == 0 "H" +" TIMEFRAME" else "m" +" TIMEFRAME" else na +" TIMEFRAME" tf = num_tf + text_tf //#endregion //#region[PLOT] // QUOTE _quote = table.new(quoteLOC,1,1,frame_color=_color1,frame_width=_showBrdr1?0:1) if _showQuote table.cell(_quote, 0, 0, _quoteTXT,text_color=_color1, text_size=_size(_size1),bgcolor=_bgcolor1) // SYMBOL INFO _info = table.new(infoLOC,1,4,frame_color=_color2,frame_width=_showBrdr2?0:1) if _showInfo if _showItext table.cell(_info, 0, 0, _infoTXT, text_color=_color2, text_halign="center", text_size=_size(_size2), bgcolor=_bgcolor2) if _showIsym table.cell(_info, 0, 1, syminfo.ticker, text_color=_color2, text_halign="center", text_size=_size(_size2, true), bgcolor=_bgcolor2) if _showItf table.cell(_info, 0, 2, tf, text_color=_color2, text_halign="center", text_size=_size(_size2), bgcolor=_bgcolor2) if _showIdate table.cell(_info, 0, 3, date, text_color=_color2, text_halign="center", text_size=_size(_size2), bgcolor=_bgcolor2) //#endregion
Multiple Moving Average Toolkit
https://www.tradingview.com/script/hm2uJbSz-Multiple-Moving-Average-Toolkit/
traderview2
https://www.tradingview.com/u/traderview2/
151
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© traderview2 //03/23/23 - added ribbon functionality along with a value table //04/02/23 - cleaned up user inputs and added interative MA length to table //04/06/23 - added on/off functionality for each MA & user changing table location //@version=5 indicator("Moving Average Explorer", overlay = true) // Get User Inputs g_a = "Accessibility" useRibbon = input.bool(defval = true, title = "Turn into Color Ribbon?", group = g_a) plotCross = input.bool(defval = false, title = "Plot Crosses?", group = g_a) drawTable = input.bool(defval = true, title = "Draw MA Value Table?", group = g_a) ribbTrans = input.int(defval = 88, maxval = 98, minval = 55, title = "Transparency of Ribbon", group = g_a) tabLoca = input.string(title = "Location of Table", defval = "Top Right", options = ["Top Right", "Top Left", "Bottom Left", "Bottom Right"], group = g_a) //Get User Input MA Lengths g_l = "MA Settings" allmat = input.string(title = "Set all MA types", defval = "EMA", options = ["Disabled","EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], group = g_l) maOn1 = input.bool(true, inline = "one", group = g_l, title = "") malen1 = input.int(title ="#1 : Length", defval = 20, minval = 1, step = 10, inline = "one", group = g_l) mat1 = input.string(title = "Type", defval = "EMA", options = ["EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], inline = "one", group = g_l) maOn2 = input.bool(true, inline = "two", group = g_l, title = "") malen2 = input.int(title ="#2 : Length", defval = 50, minval = 0, step = 10, inline = "two", group = g_l) mat2 = input.string(title = "Type", defval = "EMA", options = ["EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], inline = "two", group = g_l) maOn3 = input.bool(true, inline = "three", group = g_l, title = "") malen3 = input.int(title ="#3 : Length", defval = 100, minval = 0, step = 10, inline = "three", group = g_l) mat3 = input.string(title = "Type", defval = "EMA", options = ["EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], inline = "three", group = g_l) maOn4 = input.bool(true, inline = "four", group = g_l, title = "") malen4 = input.int(title ="#4 : Length", defval = 200, minval = 0, step = 10, inline = "four", group = g_l) mat4 = input.string(title = "Type", defval = "EMA", options = ["EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], inline = "four", group = g_l) maOn5 = input.bool(true, inline = "five", group = g_l, title = "") malen5 = input.int(title ="#5 : Length", defval = 300, minval = 0, step = 10, inline = "five", group = g_l) mat5 = input.string(title = "Type", defval = "EMA", options = ["EMA", "SMA", "HMA", "WMA", "DEMA", "VWMA","VWAP"], inline = "five", group = g_l) //Get user inputed MA getMA(_matype, _malen) => if _malen == 0 na else switch allmat == "Disabled" ? _matype : allmat "SMA" => ta.sma(close,_malen) "HMA" => ta.hma(close,_malen) "WMA" => ta.wma(close,_malen) "VWMA" => ta.vwma(close,_malen) "VWAP" => ta.vwap "DEMA" => e1 = ta.ema(close, _malen) e2 = ta.ema(e1, _malen) 2 * e1 - e2 => ta.ema(close,_malen) //Get MAs ma1 = getMA(mat1, malen1) ma2 = getMA(mat2, malen2) ma3 = getMA(mat3, malen3) ma4 = getMA(mat4, malen4) ma5 = getMA(mat5, malen5) atr = ta.atr(14) //Set color filter bullCross = ma1 > ma5 bearCross = ma5 > ma1 col = bullCross ? color.new(color.lime, ribbTrans) : bearCross ? color.new(color.red, ribbTrans) : na colb = useRibbon and bullCross ? color.new(color.lime, 50) : bearCross ? color.new(color.red, 50) : na // Define trend longBullx = ma1 > ma5 and not (ma1 > ma5)[1] shortBearx = ma5 > ma1 and not (ma5 > ma1)[1] //Enter postions if longBullx alert("Bullish Cross Detected", freq = alert.freq_once_per_bar_close) if shortBearx alert("Bearish Cross Detected", freq = alert.freq_once_per_bar_close) //Draw MAs one = plot(maOn1 ? ma1 : na, color = useRibbon ? col : color.red, linewidth = 1, title = "MA #1", display = display.all - display.status_line) two = plot(maOn2 ? ma2 : na, color = useRibbon ? col :color.orange, linewidth = 1, title = "MA #2", display = display.all - display.status_line) three = plot(maOn3 ? ma3 : na, color = useRibbon ? col :color.yellow, linewidth = 2, title = "MA #3", display = display.all - display.status_line) four = plot(maOn4 ? ma4 : na, color = useRibbon ? col :color.green, linewidth = 2, title = "MA #4", display = display.all - display.status_line) five = plot(maOn5 ? ma5 : na, color = useRibbon ? col :color.blue, linewidth = 3, title = "MA #5", display = display.all - display.status_line) // Fill MAs fill(one, two, color = useRibbon ? col : na) fill(two, three, color = useRibbon ? col : na) fill(three, four, color = useRibbon ? col : na) fill(four, five, color = useRibbon ? col : na) // Plot Crosses plotshape(plotCross ? longBullx : na, title = "Long", style = shape.xcross, location = location.bottom, size = size.normal, color= color.lime) plotshape(plotCross ? shortBearx : na, title = "Short", style = shape.xcross, location = location.top, size = size.normal, color= color.red) // Create Bull / Bear Text string buorbe = bullCross ? "Bullish Trend" : bearCross ? "Bearish Trend" : na // Create Location selections location = tabLoca == "Top Right" ? position.top_right : tabLoca == "Top Left" ? position.top_left : tabLoca == "Bottom Left" ? position.bottom_left : tabLoca == "Bottom Right" ? position.bottom_right : na // Draw Value Table if drawTable maValues = table.new(location, 1, 7, bgcolor = colb, border_color = color.white, frame_color = color.white, frame_width = 2, border_width = 1) table.cell(maValues, 0, 0, text = buorbe + " ", text_color = color.white, text_size = size.large) table.cell(maValues, 0, 1, text = str.tostring(malen1) + " " + allmat + ": " + str.tostring(ma1, format = format.mintick) + " ", text_color = useRibbon ? color.white : color.rgb(0, 0, 0), text_halign = text.align_left, bgcolor = useRibbon ? colb : color.red) table.cell(maValues, 0, 2, text = str.tostring(malen2) + "-" + allmat + ": " + str.tostring(ma2, format = format.mintick) + " ", text_color = useRibbon ? color.white : color.rgb(0, 0, 0), text_halign = text.align_left, bgcolor = useRibbon ? colb : color.orange) table.cell(maValues, 0, 3, text = str.tostring(malen3) + "-" + allmat + ": " + str.tostring(ma3, format = format.mintick) + " ", text_color = useRibbon ? color.white : color.rgb(0, 0, 0), text_halign = text.align_left, bgcolor = useRibbon ? colb : color.yellow) table.cell(maValues, 0, 4, text = str.tostring(malen4) + "-" + allmat + ": " + str.tostring(ma4, format = format.mintick) + " ", text_color = useRibbon ? color.white : color.rgb(0, 0, 0), text_halign = text.align_left, bgcolor = useRibbon ? colb : color.green) table.cell(maValues, 0, 5, text = str.tostring(malen5) + "-" + allmat + ": " + str.tostring(ma5, format = format.mintick) + " ", text_color = useRibbon ? color.white : color.rgb(0, 0, 0), text_halign = text.align_left, bgcolor = useRibbon ? colb : color.blue) table.cell(maValues, 0, 6, text = " ATR: " + str.tostring(atr, format = format.mintick) + " ", text_color = color.white, bgcolor = color.rgb(0, 0, 0))
NRAA v2.00
https://www.tradingview.com/script/tHP7uOiy-NRAA-v2-00/
neerajupadhyaya
https://www.tradingview.com/u/neerajupadhyaya/
26
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© neerajupadhyaya //@version=5 indicator("NRAA v2.00 ",overlay = true) r=ta.rsi(close, 14) ps=ta.sar(0.02,0.02,0.2) E=ta.ema(close,13) e=ta.ema(close,5) v=ta.vwma(close, 20) BasicUpperBand = hl2 - 2 * ta.atr(10) BasicLowerBand = hl2 + 2 * ta.atr(10) FinalUpperBand = 0.0 FinalLowerBand = 0.0 FinalUpperBand := close[1] > FinalUpperBand[1] ? math.max(BasicUpperBand, FinalUpperBand[1]) : BasicUpperBand FinalLowerBand := close[1] < FinalLowerBand[1] ? math.min(BasicLowerBand, FinalLowerBand[1]) : BasicLowerBand nu= close <ps and e<E and e[2]>E[2] and close< FinalUpperBand[1] nu1 = close>v //and close > e //and close[1]> FinalLowerBand[1] //and close>ps // un1 = close<v //and close < e //and close[1]<FinalUpperBand[1] //and close<ps// NU = high>high[1] and r>r[1] and high[1]>high[2] and r[1]>r[2] UN = low<low[1] and r<r[1] and low[1]<low[2] and r[1]<r[2] plotshape(NU, title="Buy Signal", style=shape.circle , location=location.belowbar, color=color.green, size=size.tiny) plotshape(nu, title="Sell Signal", style=shape.circle , location=location.abovebar, color=color.rgb(250, 137, 9, 20), size=size.tiny) plotshape(UN, title="Buy Signal", style=shape.circle , location=location.abovebar, color=color.rgb(247, 11, 70), size=size.tiny) plotshape(nu1 , style = shape.circle , location = location.top , color = #3bf023 , size = size.tiny) plotshape(un1 , style = shape.circle , location = location.top, color = #f05323 , size = size.tiny)
On-Chart QQE of RSI on Variety MA [Loxx]
https://www.tradingview.com/script/TqH22YpJ-On-Chart-QQE-of-RSI-on-Variety-MA-Loxx/
loxx
https://www.tradingview.com/u/loxx/
115
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© loxx //@version=5 indicator("On-Chart QQE of RSI on Variety MA [Loxx]", overlay = true, timeframe="", timeframe_gaps = true) import loxx/loxxexpandedsourcetypes/4 import loxx/loxxmas/1 greencolor = #2DD204 redcolor = #D2042D bluecolor = #042dd2 cchange_onLevels = "Change on Levels" cchange_onSlope = "Change on Slope" cchange_onZero = "Change on Zero" cchange_onOriginal = "Change on Original" lightgreencolor = #96E881 lightredcolor = #DF4F6C lightbluecolor = #4f6cdf darkGreenColor = #1B7E02 darkRedColor = #93021F darkBlueColor = #021f93 smthtype = input.string("Kaufman", "HAB Calc Type", options = ["AMA", "T3", "Kaufman"], group='Source Settings') srcin = input.string("Close", "Source", options = ["Close", "Open", "High", "Low", "Median", "Typical", "Weighted", "Average", "Average Median Body", "Trend Biased", "Trend Biased (Extreme)", "HA Close", "HA Open", "HA High", "HA Low", "HA Median", "HA Typical", "HA Weighted", "HA Average", "HA Average Median Body", "HA Trend Biased", "HA Trend Biased (Extreme)", "HAB Close", "HAB Open", "HAB High", "HAB Low", "HAB Median", "HAB Typical", "HAB Weighted", "HAB Average", "HAB Average Median Body", "HAB Trend Biased", "HAB Trend Biased (Extreme)"], group='Source Settings') inpRsiPeriod = input.int(14, "RSI Period", group = "Basic Settings") inpMaPeriod = input.int(32, "Average Period", group = "Basic Settings") typeout= input.string("Exponential Moving Average - EMA", "Filter Type", options = ["ADXvma - Average Directional Volatility Moving Average", "Ahrens Moving Average" , "Alexander Moving Average - ALXMA", "Double Exponential Moving Average - DEMA", "Double Smoothed Exponential Moving Average - DSEMA" , "Exponential Moving Average - EMA", "Fast Exponential Moving Average - FEMA", "Fractal Adaptive Moving Average - FRAMA" , "Hull Moving Average - HMA", "IE/2 - Early T3 by Tim Tilson", "Integral of Linear Regression Slope - ILRS" , "Instantaneous Trendline", "Laguerre filt", "Leader Exponential Moving Average", "Linear Regression Value - LSMA (Least Squares Moving Average)" , "Linear Weighted Moving Average - LWMA", "McGinley Dynamic", "McNicholl EMA", "Non-Lag Moving Average", "Parabolic Weighted Moving Average" , "Recursive Moving Trendline", "Simple Moving Average - SMA", "Sine Weighted Moving Average", "Smoothed Moving Average - SMMA" , "Smoother", "Super Smoother", "Three-pole Ehlers Butterworth", "Three-pole Ehlers Smoother" , "Triangular Moving Average - TMA", "Triple Exponential Moving Average - TEMA", "Two-pole Ehlers Butterworth", "Two-pole Ehlers smoother" , "Volume Weighted EMA - VEMA", "Zero-Lag DEMA - Zero Lag Double Exponential Moving Average", "Zero-Lag Moving Average" , "Zero Lag TEMA - Zero Lag Triple Exponential Moving Average"], group = "Basic Settings") inpRsiSmoothingFactor = input.int(5, "RSI Smoothing Factor", group = "Basic Settings") inpWPFast = input.float(2.618, "Fast Period", group = "Basic Settings") inpWPSlow = input.float(4.236, "Slow Period", group = "Basic Settings") inpHlPeriod = input.int(25, "Highest High/Lowest Low Period", group = "Basic Settings") inpHlLevelUp = input.int(70, "Overbought Level", group = "Basic Settings") inpHlLevelDn = input.int(30, "Oversold Level", group = "Basic Settings") inpColorChange = input.string(cchange_onLevels, "Change", options = [cchange_onLevels, cchange_onSlope, cchange_onZero, cchange_onOriginal], group = "Basic Settings") showSigs = input.bool(true, "Show Signals?", group = "UI Options") frama_FC = input.int(defval=1, title="* Fractal Adjusted (FRAMA) Only - FC", group = "Moving Average Inputs") frama_SC = input.int(defval=200, title="* Fractal Adjusted (FRAMA) Only - SC", group = "Moving Average Inputs") instantaneous_alpha = input.float(defval=0.07, minval = 0, title="* Instantaneous Trendline (INSTANT) Only - Alpha", group = "Moving Average Inputs") _laguerre_alpha = input.float(title="* Laguerre filt (LF) Only - Alpha", minval=0, maxval=1, step=0.1, defval=0.7, group = "Moving Average Inputs") lsma_offset = input.int(defval=0, title="* Least Squares Moving Average (LSMA) Only - Offset", group = "Moving Average Inputs") _pwma_pwr = input.int(2, "* Parabolic Weighted Moving Average (PWMA) Only - Power", minval=0, group = "Moving Average Inputs") kfl=input.float(0.666, title="* Kaufman's Adaptive MA (KAMA) Only - Fast End", group = "Moving Average Inputs") ksl=input.float(0.0645, title="* Kaufman's Adaptive MA (KAMA) Only - Slow End", group = "Moving Average Inputs") amafl = input.int(2, title="* Adaptive Moving Average (AMA) Only - Fast", group = "Moving Average Inputs") amasl = input.int(30, title="* Adaptive Moving Average (AMA) Only - Slow", group = "Moving Average Inputs") variant(type, src, len) => sig = 0.0 trig = 0.0 special = false if type == "ADXvma - Average Directional Volatility Moving Average" [t, s, b] = loxxmas.adxvma(src, len) sig := s trig := t special := b else if type == "Ahrens Moving Average" [t, s, b] = loxxmas.ahrma(src, len) sig := s trig := t special := b else if type == "Alexander Moving Average - ALXMA" [t, s, b] = loxxmas.alxma(src, len) sig := s trig := t special := b else if type == "Double Exponential Moving Average - DEMA" [t, s, b] = loxxmas.dema(src, len) sig := s trig := t special := b else if type == "Double Smoothed Exponential Moving Average - DSEMA" [t, s, b] = loxxmas.dsema(src, len) sig := s trig := t special := b else if type == "Exponential Moving Average - EMA" [t, s, b] = loxxmas.ema(src, len) sig := s trig := t special := b else if type == "Fast Exponential Moving Average - FEMA" [t, s, b] = loxxmas.fema(src, len) sig := s trig := t special := b else if type == "Fractal Adaptive Moving Average - FRAMA" [t, s, b] = loxxmas.frama(src, len, frama_FC, frama_SC) sig := s trig := t special := b else if type == "Hull Moving Average - HMA" [t, s, b] = loxxmas.hma(src, len) sig := s trig := t special := b else if type == "IE/2 - Early T3 by Tim Tilson" [t, s, b] = loxxmas.ie2(src, len) sig := s trig := t special := b else if type == "Integral of Linear Regression Slope - ILRS" [t, s, b] = loxxmas.ilrs(src, len) sig := s trig := t special := b else if type == "Instantaneous Trendline" [t, s, b] = loxxmas.instant(src, instantaneous_alpha) sig := s trig := t special := b else if type == "Laguerre filt" [t, s, b] = loxxmas.laguerre(src, _laguerre_alpha) sig := s trig := t special := b else if type == "Leader Exponential Moving Average" [t, s, b] = loxxmas.leader(src, len) sig := s trig := t special := b else if type == "Linear Regression Value - LSMA (Least Squares Moving Average)" [t, s, b] = loxxmas.lsma(src, len, lsma_offset) sig := s trig := t special := b else if type == "Linear Weighted Moving Average - LWMA" [t, s, b] = loxxmas.lwma(src, len) sig := s trig := t special := b else if type == "McGinley Dynamic" [t, s, b] = loxxmas.mcginley(src, len) sig := s trig := t special := b else if type == "McNicholl EMA" [t, s, b] = loxxmas.mcNicholl(src, len) sig := s trig := t special := b else if type == "Non-Lag Moving Average" [t, s, b] = loxxmas.nonlagma(src, len) sig := s trig := t special := b else if type == "Parabolic Weighted Moving Average" [t, s, b] = loxxmas.pwma(src, len, _pwma_pwr) sig := s trig := t special := b else if type == "Recursive Moving Trendline" [t, s, b] = loxxmas.rmta(src, len) sig := s trig := t special := b else if type == "Simple Moving Average - SMA" [t, s, b] = loxxmas.sma(src, len) sig := s trig := t special := b else if type == "Sine Weighted Moving Average" [t, s, b] = loxxmas.swma(src, len) sig := s trig := t special := b else if type == "Smoothed Moving Average - SMMA" [t, s, b] = loxxmas.smma(src, len) sig := s trig := t special := b else if type == "Smoother" [t, s, b] = loxxmas.smoother(src, len) sig := s trig := t special := b else if type == "Super Smoother" [t, s, b] = loxxmas.super(src, len) sig := s trig := t special := b else if type == "Three-pole Ehlers Butterworth" [t, s, b] = loxxmas.threepolebuttfilt(src, len) sig := s trig := t special := b else if type == "Three-pole Ehlers Smoother" [t, s, b] = loxxmas.threepolesss(src, len) sig := s trig := t special := b else if type == "Triangular Moving Average - TMA" [t, s, b] = loxxmas.tma(src, len) sig := s trig := t special := b else if type == "Triple Exponential Moving Average - TEMA" [t, s, b] = loxxmas.tema(src, len) sig := s trig := t special := b else if type == "Two-pole Ehlers Butterworth" [t, s, b] = loxxmas.twopolebutter(src, len) sig := s trig := t special := b else if type == "Two-pole Ehlers smoother" [t, s, b] = loxxmas.twopoless(src, len) sig := s trig := t special := b else if type == "Volume Weighted EMA - VEMA" [t, s, b] = loxxmas.vwema(src, len) sig := s trig := t special := b else if type == "Zero-Lag DEMA - Zero Lag Double Exponential Moving Average" [t, s, b] = loxxmas.zlagdema(src, len) sig := s trig := t special := b else if type == "Zero-Lag Moving Average" [t, s, b] = loxxmas.zlagma(src, len) sig := s trig := t special := b else if type == "Zero Lag TEMA - Zero Lag Triple Exponential Moving Average" [t, s, b] = loxxmas.zlagtema(src, len) sig := s trig := t special := b trig haclose = ohlc4 haopen = float(na) haopen := na(haopen[1]) ? (open + close) / 2 : (nz(haopen[1]) + nz(haclose[1])) / 2 hahigh =math.max(high, math.max(haopen, haclose)) halow = math.min(low, math.min(haopen, haclose)) hamedian = (hahigh + halow) / 2 hatypical = (hahigh + halow + haclose) / 3 haweighted = (hahigh + halow + haclose + haclose)/4 haaverage = (haopen + hahigh + halow + haclose)/4 sourceout(smthtype, srcin)=> src = switch srcin "Close" => close "Open" => open "High" => high "Low" => low "Median" => hl2 "Typical" => hlc3 "Weighted" => hlcc4 "Average" => ohlc4 "Average Median Body" => (open + close)/2 "Trend Biased" => loxxexpandedsourcetypes.rtrendb() "Trend Biased (Extreme)" => loxxexpandedsourcetypes.rtrendbext() "HA Close" => loxxexpandedsourcetypes.haclose(haclose) "HA Open" => loxxexpandedsourcetypes.haopen(haopen) "HA High" => loxxexpandedsourcetypes.hahigh(hahigh) "HA Low" => loxxexpandedsourcetypes.halow(halow) "HA Median" => loxxexpandedsourcetypes.hamedian(hamedian) "HA Typical" => loxxexpandedsourcetypes.hatypical(hatypical) "HA Weighted" => loxxexpandedsourcetypes.haweighted(haweighted) "HA Average" => loxxexpandedsourcetypes.haaverage(haaverage) "HA Average Median Body" => loxxexpandedsourcetypes.haavemedbody(haclose, haopen) "HA Trend Biased" => loxxexpandedsourcetypes.hatrendb(haclose, haopen, hahigh, halow) "HA Trend Biased (Extreme)" => loxxexpandedsourcetypes.hatrendbext(haclose, haopen, hahigh, halow) "HAB Close" => loxxexpandedsourcetypes.habclose(smthtype, amafl, amasl, kfl, ksl) "HAB Open" => loxxexpandedsourcetypes.habopen(smthtype, amafl, amasl, kfl, ksl) "HAB High" => loxxexpandedsourcetypes.habhigh(smthtype, amafl, amasl, kfl, ksl) "HAB Low" => loxxexpandedsourcetypes.hablow(smthtype, amafl, amasl, kfl, ksl) "HAB Median" => loxxexpandedsourcetypes.habmedian(smthtype, amafl, amasl, kfl, ksl) "HAB Typical" => loxxexpandedsourcetypes.habtypical(smthtype, amafl, amasl, kfl, ksl) "HAB Weighted" => loxxexpandedsourcetypes.habweighted(smthtype, amafl, amasl, kfl, ksl) "HAB Average" => loxxexpandedsourcetypes.habaverage(smthtype, amafl, amasl, kfl, ksl) "HAB Average Median Body" => loxxexpandedsourcetypes.habavemedbody(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased" => loxxexpandedsourcetypes.habtrendb(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased (Extreme)" => loxxexpandedsourcetypes.habtrendbext(smthtype, amafl, amasl, kfl, ksl) => close _alphaS = 2.0 / (1.0 + (inpRsiSmoothingFactor > 1 ? inpRsiSmoothingFactor : 1)) _alphaR = 2.0 / (1.0 + inpRsiPeriod) work = 0. ema = 0. emm = 0. wlevs = 0. wlevf = 0. dv = 0. tr = 0. maHandle = variant(typeout, sourceout(smthtype, srcin), inpMaPeriod) rsi = ta.rsi(maHandle, inpRsiPeriod) work := nz(work[1]) + _alphaS * (rsi - nz(work[1])) _diff = nz(work[1]) - work if _diff < 0 _diff := -_diff ema := nz(ema[1]) + _alphaR * (_diff - nz(ema[1])) emm := nz(emm[1]) + _alphaR * (ema - nz(emm[1])) _iEmf = emm * inpWPFast _iEms = emm * inpWPSlow tr := nz(wlevs[1]) dv := tr if work < tr tr := work + _iEms if nz(work[1]) < dv and tr > dv tr := dv if work > tr tr := work - _iEms if nz(work[1]) > dv and tr < dv tr := dv wlevs := tr tr := nz(wlevf[1]) dv := tr if work < tr tr := work + _iEmf if nz(work[1]) < dv and tr > dv tr := dv if (work > tr) tr := work - _iEmf if nz(work[1]) > dv and tr < dv tr := dv wlevf := tr prev_max = ta.highest(high, inpHlPeriod - 1) prev_min = ta.lowest(low, inpHlPeriod - 1) fmax = (high > prev_max) ? high : prev_max fmin = (low < prev_min) ? low : prev_min rng = (fmax - fmin) / 100.0 levu = fmin + inpHlLevelUp * rng levd = fmin + inpHlLevelDn * rng levm = fmin + 50 * rng val = fmin + work * rng fillud = fmin + work * rng filldu = fmin + work * rng levf = fmin + wlevf * rng levs = fmin + wlevs * rng filluu = fmax filldd = fmin valc = 0. switch inpColorChange cchange_onLevels => valc := val > levu ? 1 : val < levd ? 2 : 0 cchange_onSlope => valc := val > nz(val[1]) ? 1 :val < nz(val[1]) ? 2 : nz(valc[1]) cchange_onZero => valc := val > levm ? 1 : val < levm ? 2 : 0 cchange_onOriginal => valc := work > wlevf and work > wlevs ? 1 : work < wlevf and work < wlevs ? 2 : nz(valc[1]) fillu = plot(filluu, color = color.new(color.white, 100)) filld = plot(filldd, color = color.new(color.white, 100)) colorout = valc == 1 ? greencolor : valc == 2 ? redcolor : color.gray fill(fillu, filld, color = color.new(colorout, 80)) plot(levu, "Upper Level", color = lightgreencolor, linewidth = 1) plot(levd, "Lower Level", color = lightredcolor, linewidth = 1) plot(levm, "Middle Level", color = color.gray, linewidth = 1) plot(val, "QQE", color = colorout, linewidth = 5) plot(levs, "QQE Slow", color = color.yellow, linewidth = 2) plot(levf, "QQE Fast", color = color.white, linewidth = 1) goLong = valc == 1 and valc[1] != 1 goShort = valc == 2 and valc[1] != 2 plotshape(showSigs and goLong, title = "Long", color = color.yellow, textcolor = color.yellow, text = "L", style = shape.triangleup, location = location.belowbar, size = size.small) plotshape(showSigs and goShort, title = "Short", color = color.fuchsia, textcolor = color.fuchsia, text = "S", style = shape.triangledown, location = location.abovebar, size = size.small) alertcondition(goLong, title="Long", message="On-Chart QQE of RSI on Variety MA [Loxx]: Long\nSymbol: {{ticker}}\nPrice: {{close}}") alertcondition(goShort, title="Short", message="On-Chart QQE of RSI on Variety MA [Loxx]: Short\nSymbol: {{ticker}}\nPrice: {{close}}")
Autoregressive Covariance Oscillator by Tenozen
https://www.tradingview.com/script/bU0DjRdM-Autoregressive-Covariance-Oscillator-by-Tenozen/
Tenozen
https://www.tradingview.com/u/Tenozen/
95
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Tenozen //@version=5 indicator("Autoregressive Covariance Oscillator", overlay=false, precision = 4, max_bars_back = 5000) time_lag = input.int(10, "Time Lag of 'Auto-covariance'", minval = 1) average_len = input.int(100, "Average Length", minval = 1) sym = input.symbol("XAUUSD","Symbol") src = request.security(sym,timeframe.period,close) on = input.bool(false, "Use PVMA?") on_invert = input.bool(false, "Invert Value?") on_money = input.bool(false, "Times with source?") inv_arg = on_invert? -1 : 1 money_arg = on_money? src: 1 ///////////////////// var bool calculate = na //var for calculate in a specified time. isNew = timeframe.isintraday? ta.change(time('12M')) : timeframe.isdaily? ta.change(time('12M')) : timeframe.isdwm? barstate.isfirst: na if isNew calculate := true else calculate := na ////////////////////// count = nz(ta.barssince(calculate)) //Count the bars linreg_count = count+1 //current count + 1 val_count = 1/count //count value for devision ////////////////////// var float val_x = na //sum(x) x = current price val_x := count > count[1]? val_x + src : 0 ///////////////////// linreg = ta.linreg(src, linreg_count,1) //LSM var float lsm = na //sum(linreg) lsm := count > count[1]? lsm + linreg : 0 ///////////////////// val_mu = val_count*val_x //(1/mean)*math.sum(val) --> mean of the time series/mu ///////////////////// mu_plus_lsm = val_mu + lsm //mu + LSM (for error) ///////////////////// et = src - mu_plus_lsm ///////////////////// arm_vald = val_mu + mu_plus_lsm + et //Auto Regressive Model ///////////////////// average = ta.rma(arm_vald, average_len) //average of ARM ///////////////////// acv = (arm_vald - average)-(arm_vald[time_lag] - average[time_lag]) ///////////////////// aco = acv/arm_vald ///////////////////// //PVMA (Post Value Moving Average) pvma_len = input.int(25, "PVMA Length") off = input.int(1, "bars back", minval = 1) price_t = (aco - aco[off])+aco price_t2 = (aco - aco[off*2])+aco price_t3 = (aco - aco[off*3])+aco price_t4 = (aco - aco[off*4])+aco price_t5 = (aco - aco[off*5])+aco price_t6 = (aco - aco[off*6])+aco price_t7 = (aco - aco[off*7])+aco price_t8 = (aco - aco[off*8])+aco price_t9 = (aco - aco[off*9])+aco price_t10 = (aco - aco[off*10])+aco price_val = (price_t + price_t2 + price_t3 + price_t4 + price_t5 + price_t6 + price_t7 + price_t8 + price_t9 + price_t10)/10 pvma = ta.rma(price_val, pvma_len) ///////////////////// plot(aco*money_arg*inv_arg,"ACO", color.new(color.white,50), style= plot.style_linebr) plot(on? pvma*money_arg*inv_arg: na,"PVMA", color.new(#ffff39, 50), style= plot.style_linebr) hline(0, "Zero Line", color.new(color.white,50),linestyle = hline.style_solid)
DePeg Player
https://www.tradingview.com/script/DY5nMs3K-DePeg-Player/
Market-Masters
https://www.tradingview.com/u/Market-Masters/
16
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Market-Masters //@version=5 indicator("Depeg Player", overlay=true) dl = input.float(0.995, "Depeg Level", step=0.01) showlast = input(true, "Show Only Most Recent Label?") depeg = low <= dl s1 = input.symbol("MEXC:BUSDUSDT.P", "Symbol 1") s2 = input.symbol("BYBIT:BUSDUSDT.P", "Symbol 2") s3 = input.symbol("OKX:USDCUSDT.P", "Symbol 3") s4 = input.symbol("BINANCE:USDCUSDT.P", "Symbol 4") s5 = input.symbol("BYBIT:USDCUSDT.P", "Symbol 5") s6 = input.symbol("BITGET:USDCUSDT.P", "Symbol 6") s7 = input.symbol("WOONETWORK:USDCUSDT.P", "Symbol 5") s8 = input.symbol("MEXC:USDCUSDT.P", "Symbol 6") s11 = request.security(s1, timeframe.period, depeg) s22 = request.security(s2, timeframe.period, depeg) s33 = request.security(s3, timeframe.period, depeg) s44 = request.security(s4, timeframe.period, depeg) s55 = request.security(s5, timeframe.period, depeg) s66 = request.security(s6, timeframe.period, depeg) s77 = request.security(s7, timeframe.period, depeg) s88 = request.security(s8, timeframe.period, depeg) plot(dl, "Depeg Line", color=color.yellow, style=plot.style_line) if s11 lbl = label.new(bar_index, low, "Depeg\n" + syminfo.ticker(s1) + "\n" + syminfo.prefix(s1), style=label.style_label_up, color=color.green, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s1) + "\n" + syminfo.prefix(s1), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s22 lbl = label.new(bar_index, (low*0.98), "Depeg\n" + syminfo.ticker(s2) + "\n" + syminfo.prefix(s2), style=label.style_label_up, color=color.red, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s2) + "\n" + syminfo.prefix(s2), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s33 lbl = label.new(bar_index, (low*0.96), "Depeg\n" + syminfo.ticker(s3) + "\n" + syminfo.prefix(s3), style=label.style_label_up, color=color.orange, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s3) + "\n" + syminfo.prefix(s3), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s44 lbl = label.new(bar_index, (low*0.94), "Depeg\n" + syminfo.ticker(s4) + "\n" + syminfo.prefix(s4), style=label.style_label_up, color=color.purple, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s4) + "\n" + syminfo.prefix(s4), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s55 lbl = label.new(bar_index, (low*0.92), "Depeg\n" + syminfo.ticker(s5) + "\n" + syminfo.prefix(s5), style=label.style_label_up, color=color.blue, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s5) + "\n" + syminfo.prefix(s5), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s66 lbl = label.new(bar_index, (low*0.90), "Depeg\n" + syminfo.ticker(s6) + "\n" + syminfo.prefix(s6), style=label.style_label_up, color=color.yellow, size=size.small, textcolor=color.black) alert("DEPEG ALERT\n" + syminfo.ticker(s6) + "\n" + syminfo.prefix(s6), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s77 lbl = label.new(bar_index, (low*0.88), "Depeg\n" + syminfo.ticker(s7) + "\n" + syminfo.prefix(s7), style=label.style_label_up, color=color.olive, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s7) + "\n" + syminfo.prefix(s7), alert.freq_once_per_bar) if showlast label.delete(lbl[1]) if s88 lbl = label.new(bar_index, (low*0.86), "Depeg\n" + syminfo.ticker(s8) + "\n" + syminfo.prefix(s8), style=label.style_label_up, color=color.maroon, size=size.small, textcolor=color.white) alert("DEPEG ALERT\n" + syminfo.ticker(s8) + "\n" + syminfo.prefix(s8), alert.freq_once_per_bar) if showlast label.delete(lbl[1])
HTF Bars Discrepancy Detector (for debugging)
https://www.tradingview.com/script/EgPHK33w-HTF-Bars-Discrepancy-Detector-for-debugging/
moebius1977
https://www.tradingview.com/u/moebius1977/
4
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© moebius1977 //@version=5 // @descrition detects when for the same higher timeframe data comes one symbol and not for the other or comes with gaps // see the data window (sometimes, e.g. after HTF bar 3 can come HTF bar 5 for one or both symbols) indicator("HTF Bars Discrepancy Detecror") TF = input.timeframe("3", "TF") sym1 = input.symbol("BYBIT:SCUSDT.P", "Symbol 1") sym2 = input.symbol("BYBIT:BTCUSDT.P", "Symbol 1") htfBi1 = request.security(sym1, TF, bar_index) htfBi2 = request.security(sym2, TF, bar_index) var htfFirst1 = -1 var htfFirst2 = -1 if barstate.isfirst htfFirst1 := htfBi1 htfFirst2 := htfBi2 newBarHtf1 = ta.change(htfBi1) newBarHtf2 = ta.change(htfBi2) bgcolor( newBarHtf1 and newBarHtf2 ? color.rgb(82, 255, 117, 66) : newBarHtf1 ? color.rgb(252, 255, 82, 39) : newBarHtf2 ? color.rgb(255, 82, 206, 36) : na ) // make gaps in HTF bars brighter bgcolor(newBarHtf1 >1 ? color.rgb(255, 249, 82, 2) : na ) bgcolor(newBarHtf2 >1 ? color.rgb(255, 66, 252, 2) : na ) plot(htfBi1-htfBi2, color = color.rgb(134, 255, 255), linewidth = 6, style = plot.style_stepline_diamond) plotchar(htfBi1, "htfBi1", "", location = location.top) plotchar(htfBi2, "htfBi2", "", location = location.top) plotchar(htfFirst1, "htfFirst1", "", location = location.top) plotchar(htfFirst2, "htfFirst2", "", location = location.top) plotchar(newBarHtf1, "New HTF bars, Sym1", "", location = location.top) plotchar(newBarHtf2, "New HTF bars, Sym2", "", location = location.top)
Percent of U.S. Stocks Above VWAP
https://www.tradingview.com/script/li58pHJ7-Percent-of-U-S-Stocks-Above-VWAP/
BigGuavaTrading
https://www.tradingview.com/u/BigGuavaTrading/
96
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BigGuavaTrading //@version=5 indicator("Percent of Stocks Above VWAP", "Percent of Stocks Above VWAP", false) //Set overbought and oversold ob = input(60, "Overbought Level") os = input(40, "Oversold Level") //Plot data PCTABOVEVWAP = request.security('PCTABOVEVWAP.US', "", close) c = PCTABOVEVWAP > PCTABOVEVWAP[1] ? color.green : color.red //sets line color plot(PCTABOVEVWAP, 'Percent above VWAP', c, 3, plot.style_line) //plots line cema = ta.ema(PCTABOVEVWAP, input(5, "EMA of Line")) //establish EMA for smoothing b = cema > cema[1] ? color.purple : color.yellow //sets EMA color plot(cema, "EMA of Line", b, 3, plot.style_line) //plots EMA maxBand = hline(100, "Max Level", linestyle=hline.style_dotted) hline(0, "Zero Level", linestyle=hline.style_dotted) minBand = hline(0, "Min Level", linestyle=hline.style_dotted) obLine = hline(ob, "Overbought Level", linestyle=hline.style_dotted) osLine = hline(os, "Oversold Level", linestyle=hline.style_dotted) hline(50, "Zero line", color.black, linestyle=hline.style_dotted) //sets 50% line fill(maxBand, obLine, PCTABOVEVWAP > ob ? color.rgb(76, 175, 79, 80) : na) fill(minBand, osLine, PCTABOVEVWAP < os ? color.rgb(255, 82, 82, 80) : na) plotshape(ta.crossover(PCTABOVEVWAP, 50), "VWAP bull cross", shape.triangleup, location.bottom, color.green, size=size.small) plotshape(ta.crossunder(PCTABOVEVWAP, 50), "VWAP bear cross", shape.triangledown, location.top, color.red, size=size.small)
ICT NWOG/NDOG & EHPDA [LuxAlgo]
https://www.tradingview.com/script/5KfHPCbL-ICT-NWOG-NDOG-EHPDA-LuxAlgo/
LuxAlgo
https://www.tradingview.com/u/LuxAlgo/
1,862
study
5
CC-BY-NC-SA-4.0
// This work is licensed under a Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) https://creativecommons.org/licenses/by-nc-sa/4.0/ // Β© LuxAlgo //@version=5 indicator("ICT NWOG/NDOG & EHPDA [LuxAlgo]" , overlay = true, max_boxes_count = 500, max_lines_count = 500) //------------------------------------------------------------------------------ //Settings //-----------------------------------------------------------------------------{ show = input.string('NWOG', 'Show' , options = ['NWOG', 'NDOG']) showLast = input.int(5, 'Amount' , minval = 1) showEh = input(true, 'Show EHPDA') ogCssBull = input(#5b9cf6, 'Gaps Colors', inline = 'ogcolor', group = 'Style') ogCssBear = input(#ba68c8, '' , inline = 'ogcolor', group = 'Style') ehpdaCss = input(color.gray, 'EHPDA' , inline = 'ehpda' , group = 'Style') ehpdaLbl = input(true , 'Labels' , inline = 'ehpda' , group = 'Style') //-----------------------------------------------------------------------------} //UDT's //-----------------------------------------------------------------------------{ type ogaps float[] top float[] btm float[] avg int[] loc int[] sorted box[] boxes line[] toplines line[] avglines line[] btmlines type ehpda_display line lvl label lbl //-----------------------------------------------------------------------------} //Functions //-----------------------------------------------------------------------------{ t = time method set_area(ogaps id, max, min, avg, css)=> id.boxes.unshift( box.new(t, max, t+1, min, na, bgcolor = color.new(css, 95), extend = extend.right, xloc = xloc.bar_time)) id.toplines.unshift( line.new(t, max, t+1, max, color = color.new(css, 50), extend = extend.right, xloc = xloc.bar_time)) id.avglines.unshift( line.new(t, avg, t+1, avg, color = css, extend = extend.right, style = line.style_dotted, xloc = xloc.bar_time)) id.btmlines.unshift( line.new(t, min, t+1, min, color = color.new(css, 50), extend = extend.right, xloc = xloc.bar_time)) method pop(ogaps id)=> if id.boxes.size() > showLast id.top.pop(),id.btm.pop(),id.loc.pop(),id.avg.pop() id.boxes.pop().delete(),id.toplines.pop().delete() id.avglines.pop().delete(),id.btmlines.pop().delete() method set_ehpda(ogaps id, arrayeh)=> for i = 0 to id.boxes.size()-2 getbtm = id.top.get(id.sorted.get(i)) gettop = id.btm.get(id.sorted.get(i+1)) avg = math.avg(getbtm, gettop) get_eh = arrayeh.get(i) get_eh.lvl.set_xy1(id.loc.get(id.sorted.get(i)), avg) get_eh.lvl.set_xy2(t, avg) if ehpdaLbl get_eh.lbl.set_xy(t, avg) method tolast(array<ehpda_display> id)=> for element in id element.lvl.set_x2(t) element.lbl.set_x(t) //-----------------------------------------------------------------------------} //Globale Elements //-----------------------------------------------------------------------------{ var ogaps_ = ogaps.new(array.new_float(0) , array.new_float(0) , array.new_float(0) , array.new_int(0) , array.new_int(0) , array.new_box(0) , array.new_line(0) , array.new_line(0) , array.new_line(0)) var ehpda = array.new<ehpda_display>(0) var tf = show == 'NWOG' ? 'W' : 'D' dtf = timeframe.change(tf) if barstate.isfirst for i = 0 to showLast-1 ehpda.push(ehpda_display.new( line.new(na, na, na, na, color = ehpdaCss, style = line.style_dashed, xloc = xloc.bar_time) , label.new(na, na, str.format('EHPDA', tf), color = color(na), style = label.style_label_left, textcolor = ehpdaCss, size = size.tiny, xloc = xloc.bar_time) )) //-----------------------------------------------------------------------------} //Detects opening gaps and set boxes //-----------------------------------------------------------------------------{ if dtf max = math.max(close[1], open) min = math.min(close[1], open) avg = math.avg(max, min) ogaps_.top.unshift(max) ogaps_.btm.unshift(min) ogaps_.avg.unshift(avg) ogaps_.loc.unshift(t) css = open > close[1] ? ogCssBull : ogCssBear ogaps_.set_area(max, min, avg, css) ogaps_.pop() ogaps_.sorted := ogaps_.avg.sort_indices() //-----------------------------------------------------------------------------} //Set event horizons //-----------------------------------------------------------------------------{ if showEh if dtf and ogaps_.boxes.size() > 2 ogaps_.set_ehpda(ehpda) else ehpda.tolast() //-----------------------------------------------------------------------------}
Relative Strength Index w/ STARC Bands and Pivots
https://www.tradingview.com/script/osL1SCAU-Relative-Strength-Index-w-STARC-Bands-and-Pivots/
jsalemfinancial
https://www.tradingview.com/u/jsalemfinancial/
23
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© jsalemfinancial //@version=5 indicator(title="Relative Strength Index w/ STARC Bands and Pivots", shorttitle="RSI w/ STARC & Pivots", format=format.price, precision=2) //import jsalemfinancial/Joe_Library/3 as jlib band_bool = input.bool(defval=false, title="STARC Band") atr_len = input.int(defval=15, title="ATR Length") fast_len = input.int(defval=10, title="Fast EMA Length") slow_len = input.int(defval=20, title="Slow EMA Length") mav_len = input.int(defval=6, title="STARC MA Length") local_minmax_len = input.int(defval=14, title="Local Min/Max Length") factor1 = input.float(defval=2.3, title="Top Factor") factor2 = input.float(defval=2.1, title="Bot Factor") col = input.color(defval=color.yellow, title="Band Color") label_bool = input.bool(defval=false, title="Pivot HL Labels") len_high = input.int(title="Pivot High", defval=10, minval=1, inline="Pivot High") len_low = input.int(title="Pivot Low", defval=10, minval=1, inline="Pivot Low") rsi_len = input.int(defval = 14, minval = 5, title="RSI Length") rsi = ta.rsi(close, rsi_len) band1 = hline(85, "Upper Bull Res Band", color=#787B86) band2 = hline(75, "Lower Bull Res Band", color=#787B86) band3 = hline(50, "Upper Bull Sup Band", color=#787B86) band4 = hline(40, "Lower Bull Sup Band", color=#787B86) band5 = hline(65, "Upper Bear Res Band", color=#787B86) band6 = hline(55, "Lower Bear Res Band", color=#787B86) fill(band6, band5, color=color.rgb(0, 0, 180, 80), title="Background") fill(band4, band3, color=color.rgb(180, 0, 0, 80), title="Background") fill(band2, band1, color=color.rgb(0, 180, 0, 80), title="Background") plot(ta.ema(rsi, fast_len), color=color.red, linewidth=1) plot(ta.ema(rsi, slow_len), color=color.blue, linewidth=1) rsi_tr = math.max(ta.highest(rsi, local_minmax_len) - ta.lowest(rsi, local_minmax_len), math.abs(ta.highest(rsi, local_minmax_len) - rsi[1]), math.abs(ta.lowest(rsi, local_minmax_len) - rsi[1])) rsi_atr = ta.sma(rsi_tr, atr_len) mav = ta.sma(rsi, mav_len) top = mav + (factor1 * rsi_atr) bot = mav - (factor2 * rsi_atr) if (top <= rsi or band_bool == false) top := na if (bot >= rsi or band_bool == false) bot := na ph = ta.pivothigh(rsi, len_high, len_high) pl = ta.pivotlow(rsi, len_low, len_low) drawLabel(_offset, _pivot, _style, _color, _textColor) => if not na(_pivot) label.new(bar_index[_offset], _pivot, str.tostring(_pivot, format.mintick), style=_style, color=_color, textcolor=_textColor) plot(top, title="stoller_hi", color=col) plot(bot, title="stoller_lo", color=col) plot(rsi, "RSI", color=color.white, linewidth=2) if (label_bool == true) drawLabel(len_high, ph, label.style_label_down, color.green, color.white) drawLabel(len_low, pl, label.style_label_up, color.maroon, color.white)
ICT Algorithmic Macro TrackerΒ° (Open-Source) by toodegrees
https://www.tradingview.com/script/yYlyRmyz-ICT-Algorithmic-Macro-Tracker-Open-Source-by-toodegrees/
toodegrees
https://www.tradingview.com/u/toodegrees/
2,300
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© toodegrees //@version=5 indicator( "ICT Algorithmic Macro TrackerΒ° (Open-Source) by toodegrees" , shorttitle = "Macro TrackerΒ°" , overlay = true) //#region[GLOBAL] var line[] EXT = array.new_line() var label[] LBL = array.new_label() nMacros = 8 // HEY! This is Step 1.5 for INSTRUCTIONS TO ADD CUSTOM MACROs - Start from the beginning at line 192 :) oneDayMS = 86400000 oneBarMS = time_close-time noColor =color.new(#ffffff,100) one = ta.highest(timeframe.in_seconds("15")/timeframe.in_seconds(timeframe.period))+syminfo.mintick*10 y_btm_Line1 = one y_top_Line1 = one+syminfo.mintick*5 //#endregion //#region[INPUTS] _macroC = input.color(color.new(#000000,0), title="Macro Color", inline='main') _mode = input.string("On Chart", title="", inline='main', options=["On Chart", "New Pane"] , tooltip='When "New Pane" is selected, make sure you move the indicator to a New Pane as well, it is not automatic.') _showL = input.bool(true, title="Macro Label?", inline='sh') _mTxt = input.bool(false, title="Show Time?", inline='sh') _extt = input.bool(false, title="Macro Projections?", inline='sh' , tooltip='Extends On Chart Macro lines towards price.') _bgln = input.color(color.new(#9c27b0,70), title="London Macro", inline='bc') _bgny = input.color(color.new(#4caf50,70), title="New York Macro", inline='bc' , tooltip='Visible only in "New Pane" mode') //#endregion //#region[FUNCTIONS] time_isnewbarNY(string sess) => t = time("1", sess, "America/New_York") na(t[1]) and not na(t) or t[1] < t _controlMacroLine(line[] _lines, label[] _lbl, bool _time) => if _time _lbl.last().set_x(math.round(math.avg(_lines.get(_lines.size()-2).get_x1(),time))) if high>_lines.last().get_y2()-syminfo.mintick*10 _lines.get(_lines.size()-2).set_y2(high+(syminfo.mintick*10)) _lines.last().set_y1(high+(syminfo.mintick*10)) _lines.last().set_y2(high+(syminfo.mintick*10)) LBL.last().set_y(high+(syminfo.mintick*10)) if na or _lines.last().get_x2() == time _lines.last().set_x2(time+oneBarMS) _controlMacroBox(box[] _boxes, bool _time, bool _friday) => dly = _friday?oneDayMS*3:oneDayMS if na or _time _boxes.last().set_right(time+dly) method memoryCleanLine(line[] A) => if A.size()>0 for i=0 to A.size()-1 _line = A.get(i) if _line.get_x1()<time-oneDayMS line.delete(_line) method memoryCleanLabel(label[] A, int len) => if A.size()>0 for i=0 to A.size()-1 _line = A.get(i) if _line.get_x()<time-oneDayMS label.delete(_line) macroOC(line[] LINES, bool _time, string _kzTime, bool _friday, string _type)=> dly = _friday?oneDayMS*3:oneDayMS _col = _type=='ny'?_bgny:_bgln _txt = _mTxt?"MACRO"+"\n"+_kzTime:"MACRO" _tt = _type=='ny'?"NY MACRO\n"+_kzTime:(_type=='ln'?"LN MACRO\n"+_kzTime:"myMACRO\n"+_kzTime) // Overlay False if not _time[1] and _time _vline1 = line.new(time,y_btm_Line1,time,y_top_Line1,xloc=xloc.bar_time,color=_macroC) LINES.push(_vline1) _hline = line.new(time,y_top_Line1,time+oneBarMS,y_top_Line1,xloc=xloc.bar_time,color=_macroC) LINES.push(_hline) if _extt EXT.push(line.new(time,high,time,_vline1.get_y2(),xloc=xloc.bar_time,color=_macroC,style=line.style_dotted)) if _mode=="On Chart" LBL.push(label.new(time , LINES.get(LINES.size()-2).get_y2() , _showL?_txt:"" , tooltip=_tt , xloc=xloc.bar_time , style=label.style_label_down , color=noColor , textcolor=_macroC , size=size.small)) if _time[1] and not _time and LINES.size()>0 and LBL.size()>0 _vline2 = line.new(time,y_btm_Line1,time,y_top_Line1,xloc=xloc.bar_time,color=_macroC) LBL.last().set_x(math.round(math.avg(LINES.get(LINES.size()-2).get_x1(),time))) if y_top_Line1 > LINES.get(LINES.size()-2).get_y2() LINES.get(LINES.size()-2).set_y2(y_top_Line1) LINES.last().set_y1(y_top_Line1) LINES.last().set_y2(y_top_Line1) LBL.last().set_y(y_top_Line1) else if y_top_Line1 < LINES.get(LINES.size()-2).get_y2() _vline2.set_y2(LINES.get(LINES.size()-2).get_y2()) if _extt EXT.push(line.new(time,high,time,_vline2.get_y2(),xloc=xloc.bar_time,color=_macroC,style=line.style_dotted)) LINES.push(_vline2) if LINES.size()>0 and LBL.size()>0 _controlMacroLine(LINES, LBL, _time) macroNP(box[] BOXES, bool _time, string _kzTime, bool _friday, string _type)=> dly = _friday?86400000*3:86400000 _col = _type=='ny'?_bgny:_bgln _tt = _type=='ny'?"NY MACRO\n"+_kzTime:"LN MACRO\n"+_kzTime end = not _time and _time[1] // Overlay False var _plotNP = false if not _time[1] and _time _macro = box.new(time+dly,2,time+dly,0,_macroC,xloc=xloc.bar_time,bgcolor=_col) BOXES.push(_macro) _plotNP := true if _time[1] and not _time and BOXES.size()>0 _controlMacroBox(BOXES, true, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto') _plotNP := false macroL = label.new(math.round(math.avg(BOXES.last().get_left(),BOXES.last().get_right())) , 1 , xloc=xloc.bar_time , style=label.style_label_center , color=noColor , tooltip=_tt , text='β“˜\n\n\n\n\n\n' , textcolor=_macroC , size=size.small) if _time and _plotNP _controlMacroBox(BOXES, _time, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto') //#endregion //#region[LOGIC] // LONDON var line[] _LINES_LN_1 = array.new_line() var box[] _BOXES_LN_1 = array.new_box() timeLN1 = time_isnewbarNY("0233-0300:1234567") lblLN1 = "2:33 - 3:00" var line[] _LINES_LN_2 = array.new_line() var box[] _BOXES_LN_2 = array.new_box() timeLN2 = time_isnewbarNY("0403-0430:1234567") lblLN2 = "4:03 - 4:30" // NEW YORK var line[] _LINES_NY_1 = array.new_line() var box[] _BOXES_NY_1 = array.new_box() timeNY1 = time_isnewbarNY("0850-0910:1234567") lblNY1 = "8:50 - 9:10" var line[] _LINES_NY_2 = array.new_line() var box[] _BOXES_NY_2 = array.new_box() timeNY2 = time_isnewbarNY("0950-1010:1234567") lblNY2 = "9:50 - 10:10" var line[] _LINES_NY_3 = array.new_line() var box[] _BOXES_NY_3 = array.new_box() timeNY3 = time_isnewbarNY("1050-1110:1234567") lblNY3 = "10:50 - 11:10" var line[] _LINES_NY_4 = array.new_line() var box[] _BOXES_NY_4 = array.new_box() timeNY4 = time_isnewbarNY("1150-1210:1234567") lblNY4 = "11:50 - 12:10" var line[] _LINES_NY_5 = array.new_line() var box[] _BOXES_NY_5 = array.new_box() timeNY5 = time_isnewbarNY("1310-1340:1234567") lblNY5 = "13:10 - 13:40" var line[] _LINES_NY_6 = array.new_line() var box[] _BOXES_NY_6 = array.new_box() timeNY6 = time_isnewbarNY("1515-1545:1234567") lblNY6 = "15:15 - 15:45" // //\//////////////////////////////////////////////////////////////////////////////////////////////////////////////\/// // // INSTRUCTIONS TO ADD CUSTOM MACROs (PART 1): // // // 1.1) Copy these four lines of code and add them below the instruction box -> // CUSTOM MACROS; // // var line[] _lines_YourMacroName = array.new_line() // Make sure the text is not gray like these instructions. To do that, remove the '//' in front. // // var box[] _boxes_YourMacroName = array.new_box() // 1.2) Replace 'YourMacroName' with whatever you want in these four lines. // // _time_YourMacroName = time_isnewbarNY("hhmm-hhmm:1234567") // 1.3) Add your macro time window in the format: "hhmm-hhmm:1234567" // // _lbl_YourMacroName = "15:15 - 15:45" // 1.4) Add your macro time text in _lbl_YourMacroName, this will be displayed in the tooltips, // // // and in the MACRO label on chart, if toggled on. // // // 1.5) You are nearly there! Just go to line 12, and make sure the nMacros variable // // // is equal to the overall number of MACROs in the script (Standard value is 8, if you add 2, make it 10!). // // // // // ///\//////////////////////////////////////////. PART 2 BELOW .////////////////////////////////////////////////\// // CUSTOM MACROS // Your custom macros go here //#endregion //#region[PLOT] if _mode=="On Chart" macroOC(_LINES_LN_1, timeLN1, lblLN1, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ln') //\////////////////////////////////////////////////////////////////////////////\/// macroOC(_LINES_LN_2, timeLN2, lblLN2, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ln') // INSTRUCTIONS TO ADD CUSTOM MACROs (PART 2): // macroOC(_LINES_NY_1, timeNY1, lblNY1, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.1) Find line 221 under "CUSTOM MACROS ON CHART PLOT" title. // macroOC(_LINES_NY_2, timeNY2, lblNY2, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.2) Copy it to the following line, remove '//' and replace 'YourMacroName' // macroOC(_LINES_NY_3, timeNY3, lblNY3, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // with what you used above in step (1.2). // macroOC(_LINES_NY_4, timeNY4, lblNY4, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.3) Make sure the beginning of the line is aligned with all the ones above; // macroOC(_LINES_NY_5, timeNY5, lblNY5, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // To do that press 'Tab' once, or add spaces until they match. // macroOC(_LINES_NY_6, timeNY6, lblNY6, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // // ///\/////////////////////////. CONT'D BELOW .///////////////////////////////\// // CUSTOM MACROS ON CHART PLOT //macroOC(_lines_YourMacroName, _time_YourMacroName, _lbl_YourMacroName, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', '') else macroNP(_BOXES_LN_1, timeLN1, lblLN1, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ln') //\//////////////////////////. \/\/\/ .//////////////////////////////\/// macroNP(_BOXES_LN_2, timeLN2, lblLN2, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ln') // // macroNP(_BOXES_NY_1, timeNY1, lblNY1, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.4) Find line 236 under "CUSTOM MACROS NEW PANE PLOT" title. // macroNP(_BOXES_NY_2, timeNY2, lblNY2, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.5) Copy it to the following line, remove '//' and replace 'YourMacroName' // macroNP(_BOXES_NY_3, timeNY3, lblNY3, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // with what you used above in step (1.2). // macroNP(_BOXES_NY_4, timeNY4, lblNY4, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // 2.6) Make sure the beginning of the line is aligned with all the ones above; // macroNP(_BOXES_NY_5, timeNY5, lblNY5, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // To do that press 'Tab' once, or add spaces until they match. // macroNP(_BOXES_NY_6, timeNY6, lblNY6, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', 'ny') // // ///\///////////////////////. LAST STEP BELOW ./////////////////////////////\// // CUSTOM MACROS NEW PANE PLOT //macroNP(_boxes_YourMacroName, _time_YourMacroName, _lbl_YourMacroName, dayofweek(time)==dayofweek.friday and syminfo.type!='crypto', '') //#endregion //#region[MEMORY CLEAN UP] _LINES_LN_1.memoryCleanLine() _LINES_LN_2.memoryCleanLine() _LINES_NY_1.memoryCleanLine() _LINES_NY_2.memoryCleanLine() //\//////////////////////////. \/\/\/ .//////////////////////////////\/// _LINES_NY_3.memoryCleanLine() // // _LINES_NY_4.memoryCleanLine() // 2.4) Find line 253 under "CUSTOM MACROS LINE CLEAN UP" title. // _LINES_NY_5.memoryCleanLine() // 2.5) Copy it to the following line, remove '//' and replace 'YourMacroName' // _LINES_NY_6.memoryCleanLine() // with what you used above in step (1.2). // // // ///\/////////////////////. YOU ARE DONE! GLGT .///////////////////////////\// // CUSTOM MACROS LINE CLEAN UP //_lines_YourMacroName.memoryCleanLine() EXT.memoryCleanLine() LBL.memoryCleanLabel(nMacros) //#endregion //#region[ALERTS] alertcondition(time_isnewbarNY("0228-0229:1234567") or time_isnewbarNY("0358-0359:1234567") or time_isnewbarNY("0845-0846:1234567") or time_isnewbarNY("0945-0946:1234567") or time_isnewbarNY("1045-1046:1234567") or time_isnewbarNY("1145-1146:1234567") or time_isnewbarNY("1305-1306:1234567") or // ADD YOUR ALERTS HERE time_isnewbarNY("1510-1511:1234567") //or , "Alert 5 Minutes Before Macro" , "A Macro Starts in 5 Minutes!") //#endregion
Volume / Open Interest "Footprint" - By Leviathan
https://www.tradingview.com/script/J9a6nWwM-Volume-Open-Interest-Footprint-By-Leviathan/
LeviathanCapital
https://www.tradingview.com/u/LeviathanCapital/
5,311
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© LeviathanCapital //@version=5 indicator("Volume / Open Interest Footprint - By Leviathan",shorttitle = 'Volume / OI Footprint - By Leviathan', overlay=true, max_boxes_count=500, max_bars_back = 1000) t1 = 'Choose the data that will be analyzed and displayed in the bar' t2 = 'Resolution is the number of rows displayed in a bar. Increasing it will provide more granular data and vice versa. You might need to decrease the resolution when viewing larger ranges' t3 = 'Total (Total Volume or Total Open Interest Increase), Up/Down (Buy/Sell Volume or OI Increase/Decrease), Delta (Buy Volume - Sell Volume or OI Increase - OI Decrease)' t4 = 'This input moves the bar to the right for N number of bars' t5 = 'This input defines the width of the footprint bar (in number of bars)' t6 = 'Choose location where the bar is positioned (relative to the visible range)' t7 = 'This will aggregate volume from your selected sources. Make sure to turn on RQC if volume is reported in quote currrency (eg. USD)' t8 = 'This will draw price levels where Volume/OI Delta was positive. These may serve as significant points of interest' voltype = input.string('Volume', 'Source', options=['Volume', 'Open Interest'], tooltip = t1) res = input.int(20, 'Resolution', minval=5, tooltip = t2) ntype = input.string('Up/Down', 'Type', options = ['Total', 'Up/Down', 'Delta'], tooltip = t3) pos = input.string('Right', 'Positioning', options = ['Right', 'Left'], tooltip = t6) st1 = input.int(30, 'Offset', tooltip = t4) wid = input.int(40, 'Width', tooltip = t5) sr = input.bool(false, 'Positive Delta Levels') // Aggregate aggr = input.bool(false, 'Aggregate Volume', group = 'Volume Aggregation') A0 = input.bool(true, '   CHART PAIR', group = 'Volume Aggregation') A1B = input.bool(false, '' , inline='a1', group = 'Volume Aggregation') A2B = input.bool(false, '' , inline='a2', group = 'Volume Aggregation') A3B = input.bool(false, '' , inline='a3', group = 'Volume Aggregation') A4B = input.bool(false, '' , inline='a4', group = 'Volume Aggregation') A5B = input.bool(false, '' , inline='a5', group = 'Volume Aggregation') A6B = input.bool(false, '' , inline='a6', group = 'Volume Aggregation') A7B = input.bool(false, '' , inline='a7', group = 'Volume Aggregation') A8B = input.bool(false, '' , inline='a8', group = 'Volume Aggregation') A1 = input.symbol('BINANCE:BTCUSDTPERP', '' , inline='a1', group = 'Volume Aggregation') A1t = input.bool(false, 'RQC', inline='a1', group = 'Volume Aggregation') A2 = input.symbol('BYBIT:BTCUSDT.P', '' , inline='a2', group = 'Volume Aggregation') A2t = input.bool(false, 'RQC', inline='a2', group = 'Volume Aggregation') A3 = input.symbol('OKX:BTCUSDT.P', '' , inline='a3', group = 'Volume Aggregation') A3t = input.bool(false, 'RQC', inline='a3', group = 'Volume Aggregation') A4 = input.symbol('BINGX:BTCUSDT', '' , inline='a4', group = 'Volume Aggregation') A4t = input.bool(false, 'RQC', inline='a4', group = 'Volume Aggregation') A5 = input.symbol('BITGET:BTCUSDT.P', '' , inline='a5', group = 'Volume Aggregation') A5t = input.bool(false, 'RQC', inline='a5', group = 'Volume Aggregation') A6 = input.symbol('PHEMEX:BTCUSDT.P', '' , inline='a6', group = 'Volume Aggregation') A6t = input.bool(false, 'RQC', inline='a6', group = 'Volume Aggregation') A7 = input.symbol('MEXC:BTCUSDT.P', '' , inline='a7', group = 'Volume Aggregation') A7t = input.bool(false, 'RQC', inline='a7', group = 'Volume Aggregation') A8 = input.symbol('WOONETWORK:BTCUSDT.P', '' , inline='a8', group = 'Volume Aggregation') A8t = input.bool(false, 'RQC', inline='a8', group = 'Volume Aggregation') A1vol = A1B ? request.security(A1, timeframe.period, A1t ? volume/close : volume) : 0 A2vol = A2B ? request.security(A2, timeframe.period, A2t ? volume/close : volume) : 0 A3vol = A3B ? request.security(A3, timeframe.period, A3t ? volume/close : volume) : 0 A4vol = A4B ? request.security(A4, timeframe.period, A4t ? volume/close : volume) : 0 A5vol = A5B ? request.security(A5, timeframe.period, A5t ? volume/close : volume) : 0 A6vol = A6B ? request.security(A6, timeframe.period, A6t ? volume/close : volume) : 0 A7vol = A7B ? request.security(A7, timeframe.period, A7t ? volume/close : volume) : 0 A8vol = A8B ? request.security(A8, timeframe.period, A8t ? volume/close : volume) : 0 //Appearance ndsize = input.string('Small', 'Node Text Size', options = ['Tiny', 'Small', 'Normal', 'Large', 'Auto'], group= 'Additional Settings') ndpos = input.string('Center', 'Node Text Position', options = ['Left', 'Right', 'Center'], group= 'Additional Settings') netcol1 = input.color(color.rgb(255, 82, 82, 100), 'Negative Cold/Hot', inline='n', group= 'Additional Settings') netcol2 = input.color(#f7525f, '', inline='n', group= 'Additional Settings') netcol3 = input.color(color.rgb(76, 175, 79, 100), 'Positive Cold/Hot ', inline='p', group= 'Additional Settings') netcol4 = input.color(#81c784, '', inline='p', group= 'Additional Settings') totcol1 = input.color(color.rgb(33, 149, 243, 100), 'Total Cold/Hot    ', inline='t', group= 'Additional Settings') totcol2 = input.color(color.blue,'', inline='t', group= 'Additional Settings') pdlcol = input.color(color.rgb(33, 149, 243, 74),'Positive Delta Color', group= 'Additional Settings') hmopt = input.bool(true, 'Total Based Coloring', group= 'Additional Settings') // st = chart.right_visible_bar_time == time or pos=='Left' ? st1 : -2 * wid float data = aggr ? (A0 ? volume : 0) + A1vol + A2vol + A3vol + A4vol + A5vol + A6vol + A7vol + A8vol : volume // startTime = chart.left_visible_bar_time endTime = chart.right_visible_bar_time // bool inZone = time >= startTime and time <= endTime bool newSession = inZone and not inZone[1] bool endSession = not inZone and inZone[1] var int barsInSession = 0 barsInSession := inZone ? barsInSession + 1 : barsInSession var zoneStartIndex = 0 var zoneEndIndex = 0 var int zoneStart = 0 if newSession zoneStartIndex := bar_index if endSession zoneEndIndex := bar_index int lookback = bar_index - zoneStart var activeZone = false // profHigh = ta.highest(high, barsInSession+1)[1] profLow = ta.lowest(low, barsInSession+1)[1] resolution = res // var vpGreen = array.new_float(resolution, 0) var vpRed = array.new_float(resolution, 0) var vpDelta = array.new_float(resolution, 0) var vpTotal = array.new_float(resolution, 0) var zoneBounds = array.new_float(resolution, 0) // var float[] ltfOpen = array.new_float(0) var float[] ltfClose = array.new_float(0) var float[] ltfHigh = array.new_float(0) var float[] ltfLow = array.new_float(0) var float[] ltfVolume = array.new_float(0) // string userSymbol = 'BINANCE' + ":" + string(syminfo.basecurrency) + 'USDT.P' string openInterestTicker = str.format("{0}_OI", userSymbol) string timeframe = syminfo.type == "futures" and timeframe.isintraday ? "1D" : timeframe.period deltaOi = request.security(openInterestTicker, timeframe, close-close[1], ignore_invalid_symbol = true) oi = request.security(openInterestTicker, timeframe.period, close, ignore_invalid_symbol = true) pldeltaoi = deltaOi // vol() => out = data if voltype == 'Open Interest' out := deltaOi out // float dO = open float dC = close float dH = high float dL = low float dV = vol() // switchLineStyle(x) => switch x '────' => line.style_solid '--------' => line.style_dashed 'β”ˆβ”ˆβ”ˆβ”ˆ' => line.style_dotted switchPos(x) => switch x 'Left' => text.align_left 'Right' => text.align_right 'Center' => text.align_center switchPlotStyle(x) => switch x 'β€’β€’β€’β€’β€’β€’β€’β€’β€’' => plot.style_circles '────' => plot.style_linebr switchsize(x) => switch x 'Tiny' => size.tiny 'Small' => size.small 'Normal' => size.normal 'Large' => size.large 'Auto' => size.auto // resetProfile(enable) => if enable array.fill(vpGreen, 0) array.fill(vpRed, 0) array.clear(ltfOpen) array.clear(ltfHigh) array.clear(ltfLow) array.clear(ltfClose) array.clear(ltfVolume) // tr = ta.atr(1) atr = ta.atr(14) // get_vol(y11, y12, y21, y22, height, vol) => nz(math.max(math.min(math.max(y11, y12), math.max(y21, y22)) - math.max(math.min(y11, y12), math.min(y21, y22)), 0) * vol / height) // profileAdd(o, h, l, c, v, g, w) => for i = 0 to array.size(vpGreen) - 1 zoneTop = array.get(zoneBounds, i) zoneBot = zoneTop - g body_top = math.max(c, o) body_bot = math.min(c, o) itsgreen = c >= o topwick = h - body_top bottomwick = body_bot - l body = body_top - body_bot bodyvol = body * v / (2 * topwick + 2 * bottomwick + body) topwickvol = 2 * topwick * v / (2 * topwick + 2 * bottomwick + body) bottomwickvol = 2 * bottomwick * v / (2 * topwick + 2 * bottomwick + body) if voltype == 'Volume' array.set(vpGreen, i, array.get(vpGreen, i) + (itsgreen ? get_vol(zoneBot, zoneTop, body_bot, body_top, body, bodyvol) : 0) + get_vol(zoneBot, zoneTop, body_top, h, topwick, topwickvol) / 2 + get_vol(zoneBot, zoneTop, body_bot, l, bottomwick, bottomwickvol) / 2) array.set(vpRed, i, array.get(vpRed, i) + (itsgreen ? 0 : get_vol(zoneBot, zoneTop, body_bot, body_top, body, bodyvol)) + get_vol(zoneBot, zoneTop, body_top, h, topwick, topwickvol) / 2 + get_vol(zoneBot, zoneTop, body_bot, l, bottomwick, bottomwickvol) / 2) array.set(vpDelta, i, array.get(vpGreen, i) - array.get(vpRed, i)) array.set(vpTotal, i, array.get(vpGreen, i) + array.get(vpRed, i)) else if voltype == 'Open Interest' if v > 0 array.set(vpGreen, i, array.get(vpGreen, i) + get_vol(zoneBot, zoneTop, body_bot, body_top, body, v))// + get_vol(zoneBot, zoneTop, body_top, h, topwick, topwickvol) / 2 + get_vol(zoneBot, zoneTop, body_bot, l, bottomwick, bottomwickvol) / 2) array.set(vpDelta, i, array.get(vpGreen, i) - array.get(vpRed, i)) array.set(vpTotal, i, array.get(vpGreen, i)) if v < 0 array.set(vpRed, i, array.get(vpRed, i) + get_vol(zoneBot, zoneTop, body_bot, body_top, body, -v))// + get_vol(zoneBot, zoneTop, body_top, h, topwick, topwickvol) / 2 + get_vol(zoneBot, zoneTop, body_bot, l, bottomwick, bottomwickvol) / 2) // calcSession(update) => array.fill(vpGreen, 0) array.fill(vpRed, 0) array.fill(vpDelta, 0) if bar_index > lookback and update gap = (profHigh - profLow) / resolution for i = 0 to resolution - 1 array.set(zoneBounds, i, profHigh - gap * i) if array.size(ltfOpen) > 0 for j = 0 to array.size(ltfOpen) - 1 profileAdd(array.get(ltfOpen, j), array.get(ltfHigh, j), array.get(ltfLow, j), array.get(ltfClose, j), array.get(ltfVolume, j), gap, 1) // f_newNode(condition, x, top, right, bott, col, txt) => condition ? box.new(x, top, right, bott, bgcolor=col, border_width=0, text=txt,xloc=xloc.bar_index, text_size = switchsize(ndsize), text_color = chart.fg_color, text_halign = switchPos(ndpos)) : na // drawNewZone(update) => var box[] profileBoxesArray = array.new_box(0) float leftMax = zoneStartIndex float rightMax = (((barstate.islast and inZone) ? bar_index : zoneEndIndex) - zoneStartIndex) + zoneStartIndex if update and array.sum(vpGreen) + array.sum(vpRed) > 0 gap = (profHigh - profLow) / resolution float rightMaxVol = array.max(vpGreen)+array.max(vpRed) float buffer = 0 size = array.size(profileBoxesArray) if size > 0 for j = 0 to size - 1 box.delete(array.get(profileBoxesArray, size - 1 - j)) array.remove(profileBoxesArray, size - 1 - j) for i = 0 to array.size(vpRed) - 1 vrpct = array.percentrank(vpGreen, i)/100 vgpct = array.percentrank(vpRed, i)/100 dpct = array.percentrank(vpDelta, i)/100 tpct = array.percentrank(vpTotal, i)/100 deltapct = (array.percentrank(vpGreen, i) - array.percentrank(vpRed, i))/100 rcol = color.from_gradient(hmopt ? vrpct : tpct, 0, 1, netcol1, netcol2) gcol = color.from_gradient(hmopt ? vgpct : tpct, 0, 1, netcol3, netcol4) dgcol = color.from_gradient(dpct, 0, 1, netcol3, netcol4) drcol = color.from_gradient(dpct, 0.1, 1, netcol2, netcol1) upvol = math.round(array.get(vpGreen, i), 0) downvol = math.round(array.get(vpRed, i), 0) delta = upvol-downvol totvol = str.tostring(voltype=='Volume' ? (upvol + downvol) : upvol , format.volume) totvolcol = color.from_gradient(vrpct, 0, 1, totcol1, totcol2) deltavol = str.tostring(upvol - downvol , format.volume) gvol = str.tostring(upvol, format.volume) rvol = str.tostring(downvol, format.volume) left1 = pos=='Right' ? bar_index+st : int(leftMax)+st left2 = pos=='Right' ? bar_index+(st + wid) : int(leftMax)+(st + wid) left3 = pos=='Right' ? bar_index+st : int(leftMax)+st right1 = pos=='Right' ? bar_index+(st + wid) : int(leftMax)+(st + wid) right2 = pos=='Right' ? bar_index+(st + wid*2) : int(leftMax)+(st + wid*2) right3 = pos=='Right' ? bar_index+(st + wid) : int(leftMax)+(st + wid) if ntype=='Total' array.push(profileBoxesArray, f_newNode(true, left3, array.get(zoneBounds, i) - buffer, right3, array.get(zoneBounds, i) - gap + buffer,totvolcol, totvol)) array.push(profileBoxesArray, f_newNode(delta>0 and sr, pos=='Right' ? int(leftMax)+st : right3 , array.get(zoneBounds, i) - buffer, bar_index+st, array.get(zoneBounds, i) - gap + buffer,pdlcol, txt='')) if ntype=='Up/Down' array.push(profileBoxesArray, f_newNode(true, left1, array.get(zoneBounds, i) - buffer, right1, array.get(zoneBounds, i) - gap + buffer, rcol, rvol)) array.push(profileBoxesArray, f_newNode(true, left2, array.get(zoneBounds, i) - buffer, right2, array.get(zoneBounds, i) - gap + buffer, gcol, gvol)) array.push(profileBoxesArray, f_newNode(delta>0 and sr, pos=='Right' ? int(leftMax)+st : right2 , array.get(zoneBounds, i) - buffer, bar_index+st, array.get(zoneBounds, i) - gap + buffer,pdlcol, txt='')) if ntype=='Delta' array.push(profileBoxesArray, f_newNode(true, left3, array.get(zoneBounds, i) - buffer, right3, array.get(zoneBounds, i) - gap + buffer,delta>0 ? dgcol : drcol, deltavol)) array.push(profileBoxesArray, f_newNode(delta>0 and sr, pos=='Right' ? int(leftMax)+st : right3 , array.get(zoneBounds, i) - buffer, bar_index+st, array.get(zoneBounds, i) - gap + buffer,pdlcol, txt='')) // combArray(arr1, arr2) => out = array.copy(arr1) if array.size(arr2) > 0 for i = 0 to array.size(arr2) - 1 array.push(out, array.get(arr2, i)) out // updateIntra(o, h, l, c, v) => array.push(ltfOpen, o) array.push(ltfHigh, h) array.push(ltfLow, l) array.push(ltfClose, c) array.push(ltfVolume, v) // calcSession(endSession or (barstate.islast and inZone)) drawNewZone(endSession or (barstate.islast and inZone)) resetProfile(newSession) // if inZone updateIntra(dO, dH, dL, dC, dV) if endSession activeZone := false if newSession zoneStart := bar_index activeZone := true
Candle Combo Screener
https://www.tradingview.com/script/0KuZ2PIg-Candle-Combo-Screener/
Amphibiantrading
https://www.tradingview.com/u/Amphibiantrading/
99
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Amphibiantrading //@version=5 indicator("Candle Combo Screener", shorttitle = 'CCS', overlay = true) //inputs var g1 = 'Candle Combos' kickerBool = input.bool(true, 'Kicker', inline = '1', group = g1) oopsBool = input.bool(true, 'Oops Reversals', inline = '1', group = g1) oelBool = input.bool(true, 'Open is High / Low', inline = '2', group = g1) insideBool = input.bool(true, 'Inside / Engulfing', inline = '2', group = g1) var g2 = 'Symbols' sym1 = input.symbol('TSLA', 'Symbol 1', inline = '3', group = g2) sym2 = input.symbol('NVDA', 'Symbol 2', inline = '4', group = g2) sym3 = input.symbol('MELI', 'Symbol 3', inline = '5', group = g2) sym4 = input.symbol('SE', 'Symbol 4', inline = '6', group = g2) sym5 = input.symbol('ABNB', 'Symbol 5', inline = '7', group = g2) var g3 = 'Table Options' showTable = input.bool(true, 'Show Table', group = g3) doubleTable = input.bool(false, 'Second Instance', inline = '1', group = g3) thirdTable = input.bool(false, 'Third Instance', inline = '1', group = g3, tooltip = 'Use this setting if you are adding this indicator to the chart multiple times. This will allow the charts to line up and look as one larger table. Table position must be set to "Top"') i_tableypos = input.string("Top", "Y", options = ["Top", "Middle", "Bottom"], inline = "13", group= g3) i_tablexpos = input.string("Right", "X", options = ["Right","Center", "Left"], inline = "13", group = g3) tableTextSize = input.string("Normal", "Table Size", options = ["Small","Normal","Large","Huge"], inline = '14', group = g3) tableTextColor = input.color(color.white, 'Table Values Text Color', inline = '14', group = g3) tableHeaderColor = input.color(color.black, 'Header Text Color', inline = '15', group = g3) tableBgColor = input.color(color.rgb(230, 230, 230), 'Table Background Color', inline = '15', group = g3) bullColor = input.color(color.green, 'Bullish Combo Color', inline = '16', group = g3) bearColor = input.color(color.red, 'Bearish Combo Color', inline = '16', group = g3) //Table var table screener = table.new(str.lower(i_tableypos) + "_" + str.lower(i_tablexpos), 15, 18, color.new(color.white,100), color.black, 1, color.black, 1) // methods method splitter(string sym) => array.get(str.split(sym, ':'),1) method textsize(string this) => switch this 'Normal' => size.normal 'Small' => size.small 'Large' => size.large 'Huge' => size.huge method data(string sym)=> yestOpen = request.security(sym,'D',open[1]), yestClose = request.security(sym,'D',close[1]) yestHigh = request.security(sym,'D',high[1]), yestLow = request.security(sym,'D',low[1]) todayOpen = request.security(sym,'D',open), todayClose = request.security(sym,'D',close) todayHigh = request.security(sym,'D',high), todayLow = request.security(sym,'D',low) kicker = yestClose < yestOpen and todayOpen > yestOpen oel = todayOpen == todayLow, oeh = todayOpen == todayHigh oopsUp = todayOpen < yestLow and todayClose >= yestLow oopsDown = todayOpen > yestHigh and todayClose <= yestHigh inside = todayHigh <= yestHigh and todayLow >= yestLow engulf = todayHigh > yestHigh and todayLow < yestLow bull = todayClose > yestClose [kicker, oel, oeh, oopsUp, oopsDown, inside, engulf, bull] //get the data for symbols [kicker1, oel1, oeh1, oopsUp1, oopsDown1, inside1, engulf1, bull1] = sym1.data() [kicker2, oel2, oeh2, oopsUp2, oopsDown2, inside2, engulf2, bull2] = sym2.data() [kicker3, oel3, oeh3, oopsUp3, oopsDown3, inside3, engulf3, bull3] = sym3.data() [kicker4, oel4, oeh4, oopsUp4, oopsDown4, inside4, engulf4, bull4] = sym4.data() [kicker5, oel5, oeh5, oopsUp5, oopsDown5, inside5, engulf5, bull5] = sym5.data() // plot the table if barstate.islast and showTable and not doubleTable and not thirdTable //headers table.cell(screener, 0, 0, 'Symbol', text_color = tableHeaderColor, text_size = tableTextSize.textsize(), width = 5, bgcolor = tableBgColor) if kickerBool table.cell(screener, 1, 0, 'Kicker', text_color = tableHeaderColor, text_size = tableTextSize.textsize(), width = 5, bgcolor = tableBgColor) if oopsBool table.cell(screener, 2, 0, 'Oops', text_color = tableHeaderColor, text_size = tableTextSize.textsize(), width = 5, bgcolor = tableBgColor) if oelBool table.cell(screener, 3, 0, 'OEL/OEH', text_color = tableHeaderColor, text_size = tableTextSize.textsize(), width = 5, bgcolor = tableBgColor) if insideBool table.cell(screener, 4, 0, 'IN/EN', text_color = tableHeaderColor, text_size = tableTextSize.textsize(), width = 5, bgcolor = tableBgColor) // symbols table.cell(screener, 0, 1, str.tostring(sym1.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 2, str.tostring(sym2.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 3, str.tostring(sym3.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 4, str.tostring(sym4.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 5, str.tostring(sym5.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) //candlestick combos if kickerBool table.cell(screener, 1, 1, kicker1 ? 'Kicker' : na, bgcolor = kicker1 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 2, kicker2 ? 'Kicker' : na, bgcolor = kicker2 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 3, kicker3 ? 'Kicker' : na, bgcolor = kicker3 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 4, kicker4 ? 'Kicker' : na, bgcolor = kicker4 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 5, kicker5 ? 'Kicker' : na, bgcolor = kicker5 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oopsBool table.cell(screener, 2, 1, oopsUp1 ? 'Oops' : oopsDown1 ? 'Oops' : na, bgcolor = oopsUp1 ? bullColor : oopsDown1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 2, oopsUp2 ? 'Oops' : oopsDown2 ? 'Oops' : na, bgcolor = oopsUp2 ? bullColor : oopsDown2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 3, oopsUp3 ? 'Oops' : oopsDown3 ? 'Oops' : na, bgcolor = oopsUp3 ? bullColor : oopsDown3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 4, oopsUp4 ? 'Oops' : oopsDown4 ? 'Oops' : na, bgcolor = oopsUp4 ? bullColor : oopsDown4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 5, oopsUp5 ? 'Oops' : oopsDown5 ? 'Oops' : na, bgcolor = oopsUp5 ? bullColor : oopsDown5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oelBool table.cell(screener, 3, 1, oel1 ? 'OEL' : oeh1 ? 'OEH' : na, bgcolor = oel1 ? bullColor : oeh1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 2, oel2 ? 'OEL' : oeh2 ? 'OEH' : na, bgcolor = oel2 ? bullColor : oeh2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 3, oel3 ? 'OEL' : oeh3 ? 'OEH' : na, bgcolor = oel3 ? bullColor : oeh3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 4, oel4 ? 'OEL' : oeh4 ? 'OEH' : na, bgcolor = oel4 ? bullColor : oeh4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 5, oel5 ? 'OEL' : oeh5 ? 'OEH' : na, bgcolor = oel5 ? bullColor : oeh5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if insideBool table.cell(screener, 4, 1, inside1 ? 'Inside' : engulf1 ? 'Engulfing' : na, bgcolor = inside1 ? bullColor : engulf1 ? bull1 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 2, inside2 ? 'Inside' : engulf2 ? 'Engulfing' : na, bgcolor = inside2 ? bullColor : engulf2 ? bull2 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 3, inside3 ? 'Inside' : engulf3 ? 'Engulfing' : na, bgcolor = inside3 ? bullColor : engulf3 ? bull3 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 4, inside4 ? 'Inside' : engulf4 ? 'Engulfing' : na, bgcolor = inside4 ? bullColor : engulf4 ? bull4 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 5, inside5 ? 'Inside' : engulf5 ? 'Engulfing' : na, bgcolor = inside5 ? bullColor : engulf5 ? bull5 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) //second instance if barstate.islast and (showTable and doubleTable and i_tableypos == 'Top') or (showTable and doubleTable and i_tableypos == 'Top' and thirdTable) table.cell(screener, 0, 0, ' ', width = 5), table.cell(screener, 1, 0, ' ', width = 5), table.cell(screener, 2, 0, ' ', width = 5), table.cell(screener, 3, 0, ' ', width = 5), table.cell(screener, 4, 0, ' ', width = 5) table.cell(screener, 0, 1, ' ', width = 5), table.cell(screener, 1, 1, ' ', width = 5), table.cell(screener, 2, 1, ' ', width = 5), table.cell(screener, 3, 1, ' ', width = 5), table.cell(screener, 4, 1, ' ', width = 5) table.cell(screener, 0, 2, ' ', width = 5), table.cell(screener, 1, 2, ' ', width = 5), table.cell(screener, 2, 2, ' ', width = 5), table.cell(screener, 3, 2, ' ', width = 5), table.cell(screener, 4, 2, ' ', width = 5) table.cell(screener, 0, 3, ' ', width = 5), table.cell(screener, 1, 3, ' ', width = 5), table.cell(screener, 2, 3, ' ', width = 5), table.cell(screener, 3, 3, ' ', width = 5), table.cell(screener, 4, 3, ' ', width = 5) table.cell(screener, 0, 4, ' ', width = 5), table.cell(screener, 1, 4, ' ', width = 5), table.cell(screener, 2, 4, ' ', width = 5), table.cell(screener, 3, 4, ' ', width = 5), table.cell(screener, 4, 4, ' ', width = 5) table.cell(screener, 0, 5, ' ', width = 5), table.cell(screener, 1, 5, ' ', width = 5), table.cell(screener, 2, 5, ' ', width = 5), table.cell(screener, 3, 5, ' ', width = 5), table.cell(screener, 4, 5, ' ', width = 5) // symbols table.cell(screener, 0, 6, str.tostring(sym1.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 7, str.tostring(sym2.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 8, str.tostring(sym3.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 9, str.tostring(sym4.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 10, str.tostring(sym5.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) //candlestick combos if kickerBool table.cell(screener, 1, 6, kicker1 ? 'Kicker' : na, bgcolor = kicker1 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 7, kicker2 ? 'Kicker' : na, bgcolor = kicker2 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 8, kicker3 ? 'Kicker' : na, bgcolor = kicker3 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 9, kicker4 ? 'Kicker' : na, bgcolor = kicker4 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 10, kicker5 ? 'Kicker' : na, bgcolor = kicker5 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oopsBool table.cell(screener, 2, 6, oopsUp1 ? 'Oops' : oopsDown1 ? 'Oops' : na, bgcolor = oopsUp1 ? bullColor : oopsDown1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 7, oopsUp2 ? 'Oops' : oopsDown2 ? 'Oops' : na, bgcolor = oopsUp2 ? bullColor : oopsDown2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 8, oopsUp3 ? 'Oops' : oopsDown3 ? 'Oops' : na, bgcolor = oopsUp3 ? bullColor : oopsDown3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 9, oopsUp4 ? 'Oops' : oopsDown4 ? 'Oops' : na, bgcolor = oopsUp4 ? bullColor : oopsDown4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 10, oopsUp5 ? 'Oops' : oopsDown5 ? 'Oops' : na, bgcolor = oopsUp5 ? bullColor : oopsDown5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oelBool table.cell(screener, 3, 6, oel1 ? 'OEL' : oeh1 ? 'OEH' : na, bgcolor = oel1 ? bullColor : oeh1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 7, oel2 ? 'OEL' : oeh2 ? 'OEH' : na, bgcolor = oel2 ? bullColor : oeh2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 8, oel3 ? 'OEL' : oeh3 ? 'OEH' : na, bgcolor = oel3 ? bullColor : oeh3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 9, oel4 ? 'OEL' : oeh4 ? 'OEH' : na, bgcolor = oel4 ? bullColor : oeh4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 10, oel5 ? 'OEL' : oeh5 ? 'OEH' : na, bgcolor = oel5 ? bullColor : oeh5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if insideBool table.cell(screener, 4, 6, inside1 ? 'Inside' : engulf1 ? 'Engulfing' : na, bgcolor = inside1 ? bullColor : engulf1 ? bull1 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 7, inside2 ? 'Inside' : engulf2 ? 'Engulfing' : na, bgcolor = inside2 ? bullColor : engulf2 ? bull2 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 8, inside3 ? 'Inside' : engulf3 ? 'Engulfing' : na, bgcolor = inside3 ? bullColor : engulf3 ? bull3 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 9, inside4 ? 'Inside' : engulf4 ? 'Engulfing' : na, bgcolor = inside4 ? bullColor : engulf4 ? bull4 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 10, inside5 ? 'Inside' : engulf5 ? 'Engulfing' : na, bgcolor = inside5 ? bullColor : engulf5 ? bull5 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) //third instance if barstate.islast and (showTable and thirdTable and i_tableypos == 'Top') or (showTable and thirdTable and i_tableypos == 'Top' and doubleTable) table.cell(screener, 0, 0, ' ', width = 5), table.cell(screener, 1, 0, ' ', width = 5), table.cell(screener, 2, 0, ' ', width = 5), table.cell(screener, 3, 0, ' ', width = 5), table.cell(screener, 4, 0, ' ', width = 5) table.cell(screener, 0, 1, ' ', width = 5), table.cell(screener, 1, 1, ' ', width = 5), table.cell(screener, 2, 1, ' ', width = 5), table.cell(screener, 3, 1, ' ', width = 5), table.cell(screener, 4, 1, ' ', width = 5) table.cell(screener, 0, 2, ' ', width = 5), table.cell(screener, 1, 2, ' ', width = 5), table.cell(screener, 2, 2, ' ', width = 5), table.cell(screener, 3, 2, ' ', width = 5), table.cell(screener, 4, 2, ' ', width = 5) table.cell(screener, 0, 3, ' ', width = 5), table.cell(screener, 1, 3, ' ', width = 5), table.cell(screener, 2, 3, ' ', width = 5), table.cell(screener, 3, 3, ' ', width = 5), table.cell(screener, 4, 3, ' ', width = 5) table.cell(screener, 0, 4, ' ', width = 5), table.cell(screener, 1, 4, ' ', width = 5), table.cell(screener, 2, 4, ' ', width = 5), table.cell(screener, 3, 4, ' ', width = 5), table.cell(screener, 4, 4, ' ', width = 5) table.cell(screener, 0, 5, ' ', width = 5), table.cell(screener, 1, 5, ' ', width = 5), table.cell(screener, 2, 5, ' ', width = 5), table.cell(screener, 3, 5, ' ', width = 5), table.cell(screener, 4, 5, ' ', width = 5) table.cell(screener, 0, 6, ' ', width = 5), table.cell(screener, 1, 6, ' ', width = 5), table.cell(screener, 2, 6, ' ', width = 5), table.cell(screener, 3, 6, ' ', width = 5), table.cell(screener, 4, 6, ' ', width = 5) table.cell(screener, 0, 7, ' ', width = 5), table.cell(screener, 1, 7, ' ', width = 5), table.cell(screener, 2, 7, ' ', width = 5), table.cell(screener, 3, 7, ' ', width = 5), table.cell(screener, 4, 7, ' ', width = 5) table.cell(screener, 0, 8, ' ', width = 5), table.cell(screener, 1, 8, ' ', width = 5), table.cell(screener, 2, 8, ' ', width = 5), table.cell(screener, 3, 8, ' ', width = 5), table.cell(screener, 4, 8, ' ', width = 5) table.cell(screener, 0, 9, ' ', width = 5), table.cell(screener, 1, 9, ' ', width = 5), table.cell(screener, 2, 9, ' ', width = 5), table.cell(screener, 3, 9, ' ', width = 5), table.cell(screener, 4, 9, ' ', width = 5) table.cell(screener, 0, 10, ' ', width = 5), table.cell(screener, 1, 10, ' ', width = 5), table.cell(screener, 2, 10, ' ', width = 5), table.cell(screener, 3, 10, ' ', width = 5), table.cell(screener, 4, 10, ' ', width = 5) // symbols table.cell(screener, 0, 11, str.tostring(sym1.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 12, str.tostring(sym2.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 13, str.tostring(sym3.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 14, str.tostring(sym4.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) table.cell(screener, 0, 15, str.tostring(sym5.splitter()), text_color = tableHeaderColor, text_size = tableTextSize.textsize(), bgcolor = tableBgColor) //candlestick combos if kickerBool table.cell(screener, 1, 11, kicker1 ? 'Kicker' : na, bgcolor = kicker1 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 12, kicker2 ? 'Kicker' : na, bgcolor = kicker2 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 13, kicker3 ? 'Kicker' : na, bgcolor = kicker3 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 14, kicker4 ? 'Kicker' : na, bgcolor = kicker4 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 1, 15, kicker5 ? 'Kicker' : na, bgcolor = kicker5 ? bullColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oopsBool table.cell(screener, 2, 11, oopsUp1 ? 'Oops' : oopsDown1 ? 'Oops' : na, bgcolor = oopsUp1 ? bullColor : oopsDown1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 12, oopsUp2 ? 'Oops' : oopsDown2 ? 'Oops' : na, bgcolor = oopsUp2 ? bullColor : oopsDown2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 13, oopsUp3 ? 'Oops' : oopsDown3 ? 'Oops' : na, bgcolor = oopsUp3 ? bullColor : oopsDown3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 14, oopsUp4 ? 'Oops' : oopsDown4 ? 'Oops' : na, bgcolor = oopsUp4 ? bullColor : oopsDown4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 2, 15, oopsUp5 ? 'Oops' : oopsDown5 ? 'Oops' : na, bgcolor = oopsUp5 ? bullColor : oopsDown5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if oelBool table.cell(screener, 3, 11, oel1 ? 'OEL' : oeh1 ? 'OEH' : na, bgcolor = oel1 ? bullColor : oeh1 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 12, oel2 ? 'OEL' : oeh2 ? 'OEH' : na, bgcolor = oel2 ? bullColor : oeh2 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 13, oel3 ? 'OEL' : oeh3 ? 'OEH' : na, bgcolor = oel3 ? bullColor : oeh3 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 14, oel4 ? 'OEL' : oeh4 ? 'OEH' : na, bgcolor = oel4 ? bullColor : oeh4 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 3, 15, oel5 ? 'OEL' : oeh5 ? 'OEH' : na, bgcolor = oel5 ? bullColor : oeh5 ? bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) if insideBool table.cell(screener, 4, 11, inside1 ? 'Inside' : engulf1 ? 'Engulfing' : na, bgcolor = inside1 ? bullColor : engulf1 ? bull1 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 12, inside2 ? 'Inside' : engulf2 ? 'Engulfing' : na, bgcolor = inside2 ? bullColor : engulf2 ? bull2 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 13, inside3 ? 'Inside' : engulf3 ? 'Engulfing' : na, bgcolor = inside3 ? bullColor : engulf3 ? bull3 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 14, inside4 ? 'Inside' : engulf4 ? 'Engulfing' : na, bgcolor = inside4 ? bullColor : engulf4 ? bull4 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize()) table.cell(screener, 4, 15, inside5 ? 'Inside' : engulf5 ? 'Engulfing' : na, bgcolor = inside5 ? bullColor : engulf5 ? bull5 ? bullColor : bearColor : tableBgColor, text_color = tableTextColor, text_size = tableTextSize.textsize())
Arbitrary Horizontal Lines
https://www.tradingview.com/script/RYqQBI6U-Arbitrary-Horizontal-Lines/
NobbiTrading
https://www.tradingview.com/u/NobbiTrading/
42
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© NobbiTrading //@version=5 indicator("Arbitrary Horizontal Lines", overlay = true) prices1 = input.string("", "Prices", tooltip = "Enter prices comma separated without any spaces.", group = "Group 1") color1 = input.color(color.orange, "Color", group = "Group 1") width1 = input.int(6, "Width", group = "Group 1") prices2 = input.string("", "Prices", tooltip = "Enter prices comma separated without any spaces.", group = "Group 2") color2 = input.color(color.green, "Color", group = "Group 2") width2 = input.int(6, "Width", group = "Group 2") prices3 = input.string("", "Prices", tooltip = "Enter prices comma separated without any spaces.", group = "Group 3") color3 = input.color(color.red, "Color", group = "Group 3") width3 = input.int(6, "Width", group = "Group 3") aprices1 = str.split(prices1, ',') for x in aprices1 y = str.tonumber(x) line.new(bar_index, y, bar_index +1, y, extend = extend.both, color=color1, width = width1) aprices2 = str.split(prices2, ',') for x in aprices2 y = str.tonumber(x) line.new(bar_index, y, bar_index +1, y, extend = extend.both, color=color2, width = width2) aprices3 = str.split(prices3, ',') for x in aprices3 y = str.tonumber(x) line.new(bar_index, y, bar_index +1, y, extend = extend.both, color=color3, width = width3)
Traffic Lights [theEccentricTrader]
https://www.tradingview.com/script/krEdFL3C-Traffic-Lights-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
164
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theexotictrader //@version=5 indicator('Traffic Lights [theEccentricTrader]', overlay = true, max_bars_back = 5000) //////////// shsl //////////// sh = close < open and close[1] >= open[1] sl = close >= open and close[1] < open[1] shCloseBarIndex = ta.valuewhen(sh, bar_index, 0) slCloseBarIndex = ta.valuewhen(sl, bar_index, 0) barsBetweenSHSL = shCloseBarIndex > slCloseBarIndex ? shCloseBarIndex - slCloseBarIndex : slCloseBarIndex - shCloseBarIndex basicPeakBarIndexCalc = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sh, ta.highestbars(high, 2), 0) : na basicTroughBarIndexCalc = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sl, ta.lowestbars(low, 2), 0) : na basicPeakBarIndex = shCloseBarIndex + basicPeakBarIndexCalc basicTroughBarIndex = slCloseBarIndex + basicTroughBarIndexCalc barsBetweenBasicPeakTrough = basicPeakBarIndex > basicTroughBarIndex ? basicPeakBarIndex - basicTroughBarIndex : basicTroughBarIndex - basicPeakBarIndex basicPeak = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sh, ta.highest(high, 2), 0) : na basicTrough = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sl, ta.lowest(low, 2), 0) : na advancedPeakBarIndexCalc = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sh, ta.highestbars(high, barsBetweenSHSL + 1), 0) : na advancedTroughBarIndexCalc = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sl, ta.lowestbars(low, barsBetweenSHSL + 1), 0) : na advancedPeakBarIndex = shCloseBarIndex + advancedPeakBarIndexCalc advancedTroughBarIndex = slCloseBarIndex + advancedTroughBarIndexCalc barsBetweenAdvancedPeakTrough = advancedPeakBarIndex > advancedTroughBarIndex ? advancedPeakBarIndex - advancedTroughBarIndex : advancedPeakBarIndex < advancedTroughBarIndex ? advancedTroughBarIndex - advancedPeakBarIndex : na advancedPeak = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sh, ta.highest(high, barsBetweenSHSL + 1), 0) : na advancedTrough = shCloseBarIndex and slCloseBarIndex ? ta.valuewhen(sl, ta.lowest(low, barsBetweenSHSL + 1), 0) : na advancedPeakTrough = input(defval = false, title = 'Advanced Peak and Trough Logic', group = 'Peak and Trough Price Logic') peak = advancedPeakTrough ? advancedPeak : basicPeak trough = advancedPeakTrough ? advancedTrough : basicTrough //////////// lines //////////// showMinor = input(defval = true, title = 'Show Minor', group = 'Lines') showMajor = input(defval = true, title = 'Show Major', group = 'Lines') selectExtend = input.string(title = 'Extend Line Type', defval = 'Both', options = ['None', 'Right', 'Left', 'Both'], group = "Line Extension") extendLines = selectExtend == 'None' ? extend.none : selectExtend == 'Right' ? extend.right : selectExtend == 'Left' ? extend.left : selectExtend == 'Both' ? extend.both : na fifteenMinuteLineCondition = timeframe.period == '15' or timeframe.period == '14' or timeframe.period == '13' or timeframe.period == '12' or timeframe.period == '11' or timeframe.period == '10' or timeframe.period == '9' or timeframe.period == '8' or timeframe.period == '7' or timeframe.period == '6' or timeframe.period == '5' or timeframe.period == '4' or timeframe.period == '3' or timeframe.period == '2' or timeframe.period == '1' oneHourLineCondition = fifteenMinuteLineCondition or timeframe.period == '60' or timeframe.period == '45' or timeframe.period == '30' or timeframe.period == '29' or timeframe.period == '28' or timeframe.period == '27' or timeframe.period == '26' or timeframe.period == '25' or timeframe.period == '24' or timeframe.period == '23' or timeframe.period == '22' or timeframe.period == '21' or timeframe.period == '20' or timeframe.period == '19' or timeframe.period == '18' or timeframe.period == '17' or timeframe.period == '16' fourHourLineCondition = oneHourLineCondition or timeframe.period == '240' or timeframe.period == '180' or timeframe.period == '120' dailyLineCondition = not(timeframe.period == '12M' or timeframe.period == '3M' or timeframe.period == 'M' or timeframe.period == 'W') weeklyLineCondition = not(timeframe.period == '12M' or timeframe.period == '3M' or timeframe.period == 'M') monthlyLineCondition = not(timeframe.period == '12M' or timeframe.period == '3M') var fifteenMinutePeakLine = line.new(na, na, na, na, color = color.green, style = line.style_dashed, extend = extendLines) var oneHourPeakLine = line.new(na, na, na, na, color = color.orange, style = line.style_dashed, extend = extendLines) var fourHourPeakLine = line.new(na, na, na, na, color = color.red, style = line.style_dashed, extend = extendLines) var dailyPeakLine = line.new(na, na, na, na, color = color.green, style = line.style_solid, extend = extendLines) var weeklyPeakLine = line.new(na, na, na, na, color = color.orange, style = line.style_solid, extend = extendLines) var monthlyPeakLine = line.new(na, na, na, na, color = color.red, style = line.style_solid, extend = extendLines) var fifteenMinuteTroughLine = line.new(na, na, na, na, color = color.green, style = line.style_dashed, extend = extendLines) var oneHourTroughLine = line.new(na, na, na, na, color = color.orange, style = line.style_dashed, extend = extendLines) var fourHourTroughLine = line.new(na, na, na, na, color = color.red, style = line.style_dashed, extend = extendLines) var dailyTroughLine = line.new(na, na, na, na, color = color.green, style = line.style_solid, extend = extendLines) var weeklyTroughLine = line.new(na, na, na, na, color = color.orange, style = line.style_solid, extend = extendLines) var monthlyTroughLine = line.new(na, na, na, na, color = color.red, style = line.style_solid, extend = extendLines) fifteenMinutePeak = request.security(syminfo.tickerid, '15', peak[1], lookahead = barmerge.lookahead_on) oneHourPeak = request.security(syminfo.tickerid, '60', peak[1], lookahead = barmerge.lookahead_on) fourHourPeak = request.security(syminfo.tickerid, '240', peak[1], lookahead = barmerge.lookahead_on) dailyPeak = request.security(syminfo.tickerid, 'D', peak[1], lookahead = barmerge.lookahead_on) weeklyPeak = request.security(syminfo.tickerid, 'W', peak[1], lookahead = barmerge.lookahead_on) monthlyPeak = request.security(syminfo.tickerid, 'M', peak[1], lookahead = barmerge.lookahead_on) fifteenMinuteTrough = request.security(syminfo.tickerid, '15', trough[1], lookahead = barmerge.lookahead_on) oneHourTrough = request.security(syminfo.tickerid, '60', trough[1], lookahead = barmerge.lookahead_on) fourHourTrough = request.security(syminfo.tickerid, '240', trough[1], lookahead = barmerge.lookahead_on) dailyTrough = request.security(syminfo.tickerid, 'D', trough[1], lookahead = barmerge.lookahead_on) weeklyTrough = request.security(syminfo.tickerid, 'W', trough[1], lookahead = barmerge.lookahead_on) monthlyTrough = request.security(syminfo.tickerid, 'M', trough[1], lookahead = barmerge.lookahead_on) if fifteenMinutePeak and fifteenMinuteLineCondition and showMinor line.set_xy1(fifteenMinutePeakLine, bar_index, fifteenMinutePeak) line.set_xy2(fifteenMinutePeakLine, bar_index + 1, fifteenMinutePeak) if oneHourPeak and oneHourLineCondition and showMinor line.set_xy1(oneHourPeakLine, bar_index, oneHourPeak) line.set_xy2(oneHourPeakLine, bar_index + 1, oneHourPeak) if fourHourPeak and fourHourLineCondition and showMinor line.set_xy1(fourHourPeakLine, bar_index, fourHourPeak) line.set_xy2(fourHourPeakLine, bar_index + 1, fourHourPeak) if dailyPeak and dailyLineCondition and showMajor line.set_xy1(dailyPeakLine, bar_index, dailyPeak) line.set_xy2(dailyPeakLine, bar_index + 1, dailyPeak) if weeklyPeak and weeklyLineCondition and showMajor line.set_xy1(weeklyPeakLine, bar_index, weeklyPeak) line.set_xy2(weeklyPeakLine, bar_index + 1, weeklyPeak) if monthlyPeak and monthlyLineCondition and showMajor line.set_xy1(monthlyPeakLine, bar_index, monthlyPeak) line.set_xy2(monthlyPeakLine, bar_index + 1, monthlyPeak) if fifteenMinuteTrough and fifteenMinuteLineCondition and showMinor line.set_xy1(fifteenMinuteTroughLine, bar_index, fifteenMinuteTrough) line.set_xy2(fifteenMinuteTroughLine, bar_index + 1, fifteenMinuteTrough) if oneHourTrough and oneHourLineCondition and showMinor line.set_xy1(oneHourTroughLine, bar_index, oneHourTrough) line.set_xy2(oneHourTroughLine, bar_index + 1, oneHourTrough) if fourHourTrough and fourHourLineCondition and showMinor line.set_xy1(fourHourTroughLine, bar_index, fourHourTrough) line.set_xy2(fourHourTroughLine, bar_index + 1, fourHourTrough) if dailyTrough and dailyLineCondition and showMajor line.set_xy1(dailyTroughLine, bar_index, dailyTrough) line.set_xy2(dailyTroughLine, bar_index + 1, dailyTrough) if weeklyTrough and weeklyLineCondition and showMajor line.set_xy1(weeklyTroughLine, bar_index, weeklyTrough) line.set_xy2(weeklyTroughLine, bar_index + 1, weeklyTrough) if monthlyTrough and monthlyLineCondition and showMajor line.set_xy1(monthlyTroughLine, bar_index, monthlyTrough) line.set_xy2(monthlyTroughLine, bar_index + 1, monthlyTrough) //////////// table //////////// showTable = input(defval = true, title = 'Show Table', group = 'Table') trafficLightsTablePositionInput = input.string(title = 'Position', defval = 'Top Right', options = ['Top Right', 'Top Center', 'Top Left', 'Bottom Right', 'Bottom Center', 'Bottom Left', 'Middle Right', 'Middle Center', 'Middle Left'], group = 'Table Positioning') trafficLightsTablePosition = trafficLightsTablePositionInput == 'Top Right' ? position.top_right : trafficLightsTablePositionInput == 'Top Center' ? position.top_center : trafficLightsTablePositionInput == 'Top Left' ? position.top_left : trafficLightsTablePositionInput == 'Bottom Right' ? position.bottom_right : trafficLightsTablePositionInput == 'Bottom Center' ? position.bottom_center : trafficLightsTablePositionInput == 'Bottom Left' ? position.bottom_left : trafficLightsTablePositionInput == 'Middle Right' ? position.middle_right : trafficLightsTablePositionInput == 'Middle Center' ? position.middle_center : trafficLightsTablePositionInput == 'Middle Left' ? position.middle_left : na textSizeInput = input.string(title = 'Text Size', defval = 'Normal', options = ['Tiny', 'Small', 'Normal', 'Large'], group = 'Table Text Sizing') textSize = textSizeInput == 'Tiny' ? size.tiny : textSizeInput == 'Small' ? size.small : textSizeInput == 'Normal' ? size.normal : textSizeInput == 'Large' ? size.large : na var trafficLightsTable = table.new(trafficLightsTablePosition, 100, 100, border_width = 1) if showTable and fifteenMinuteLineCondition and showMinor table.cell(trafficLightsTable, 0, 0, text = '15M Resistance', bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 0, text = str.tostring(line.get_price(fifteenMinutePeakLine, bar_index)), bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 1, text = '15M Support', bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 1, text = str.tostring(line.get_price(fifteenMinuteTroughLine, bar_index)), bgcolor = color.green, text_color = color.white, text_size = textSize) if showTable and oneHourLineCondition and showMinor table.cell(trafficLightsTable, 0, 2, text = '1H Resistance', bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 2, text = str.tostring(line.get_price(oneHourPeakLine, bar_index)), bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 3, text = '1H Support', bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 3, text = str.tostring(line.get_price(oneHourTroughLine, bar_index)), bgcolor = color.orange, text_color = color.white, text_size = textSize) if showTable and fourHourLineCondition and showMinor table.cell(trafficLightsTable, 0, 4, text = '4H Resistance', bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 4, text = str.tostring(line.get_price(fourHourPeakLine, bar_index)), bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 5, text = '4H Support', bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 5, text = str.tostring(line.get_price(fourHourTroughLine, bar_index)), bgcolor = color.red, text_color = color.white, text_size = textSize) if showTable and dailyLineCondition and showMinor table.cell(trafficLightsTable, 0, 6, text = 'Daily Resistance', bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 6, text = str.tostring(line.get_price(dailyPeakLine, bar_index)), bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 7, text = 'Daily Support', bgcolor = color.green, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 7, text = str.tostring(line.get_price(dailyTroughLine, bar_index)), bgcolor = color.green, text_color = color.white, text_size = textSize) if showTable and weeklyLineCondition and showMinor table.cell(trafficLightsTable, 0, 8, text = 'Weekly Resistance', bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 8, text = str.tostring(line.get_price(weeklyPeakLine, bar_index)), bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 9, text = 'Weekly Support', bgcolor = color.orange, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 9, text = str.tostring(line.get_price(weeklyTroughLine, bar_index)), bgcolor = color.orange, text_color = color.white, text_size = textSize) if showTable and monthlyLineCondition and showMinor table.cell(trafficLightsTable, 0, 10, text = 'Monthly Resistance', bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 10, text = str.tostring(line.get_price(monthlyPeakLine, bar_index)), bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 0, 11, text = 'Monthly Support', bgcolor = color.red, text_color = color.white, text_size = textSize) table.cell(trafficLightsTable, 1, 11, text = str.tostring(line.get_price(monthlyTroughLine, bar_index)), bgcolor = color.red, text_color = color.white, text_size = textSize)
Fixed Volatility Oscillator
https://www.tradingview.com/script/Oocv4mBM-Fixed-Volatility-Oscillator/
creksar_stock
https://www.tradingview.com/u/creksar_stock/
38
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Written by: @creksar_stock - please credit if you use //@version=5 indicator("Volatility Expansions", "Volatility Expansions", overlay = false, format = format.percent) //volatility lookback loop LBV = input.string("50 Candles", "Candle Lookback # For Determining Volatility", options = ["10 Candles", "25 Candles", "50 Candles", "75 Candles", "100 Candles"], tooltip = "While it is possible to change lookback, It is not reccomended as it causes major inaccuracy and volatility spikes.") switchCandleLoopback(getval) => //// you can edit the candle lookback period here and here^ switch getval "10 Candles" => 10 "25 Candles" => 25 "50 Candles" => 50 "75 Candles" => 75 "100 Candles" => 100 float lbmult = 0.0 // don't mess with this maxNumberOfCandles = switchCandleLoopback(LBV) for i = 1 to maxNumberOfCandles lbmult += volume[i] lbmult := lbmult/maxNumberOfCandles //volatility calculations lbavg = math.avg(lbmult, maxNumberOfCandles) diff = lbmult - lbavg dev1 = ta.dev(lbmult, 2) dev2 = ta.dev(lbavg, 2) sqrdev1 = dev1*dev1 sqrdev2 = dev2*dev2 sqrsum = sqrdev1 + sqrdev2 _vol = sqrsum/maxNumberOfCandles volatility = math.avg(_vol, sqrsum) //main plot processing maxL = ta.highest(volatility, maxNumberOfCandles) minL = ta.lowest(volatility, maxNumberOfCandles) R = maxL - minL Volplot = 101 * volatility / R hline(100, "Max Volatility", color.new(color.gray, 5), hline.style_solid, 1, false) hline(0, "Minimum Volatility", color.new(color.gray, 5), hline.style_solid, 1, false) plot(Volplot, color = color.white)
Volume [theEccentricTrader]
https://www.tradingview.com/script/skPMQavx-Volume-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
6
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator("Volume [theEccentricTrader]") //////////// volume //////////// volumeSymbol = input.symbol(defval = 'CURRENCYCOM:US500', title = 'Volume Symbol') myVolumePassthrough = volume myVolume = request.security(volumeSymbol, timeframe.period, myVolumePassthrough) //////////// plots //////////// plot(myVolume, style = plot.style_histogram)
50% candlestick close
https://www.tradingview.com/script/7Y4cntyM-50-candlestick-close/
Amit_001
https://www.tradingview.com/u/Amit_001/
50
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Amit_001 //@version=5 indicator("50% candlestick close", overlay = true) mid = (high-low)/2 + low above50 = close >= mid below50 = close < mid barcolor(above50? color.new(color.green, 0) : na) barcolor(below50? color.new(color.red, 0) : na)
All time Fibonacci [ Unlimited ]
https://www.tradingview.com/script/Ftclyy4x-All-time-Fibonacci-Unlimited/
PeterSafarxde
https://www.tradingview.com/u/PeterSafarxde/
57
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© Babak Safarzadeh //@version=5 indicator(title="All time Fibonacci V2", shorttitle="All Time V2 [Unlimited]", overlay=true) // ------------------------------------- // ----------- Inputs ------------------ // ------------------------------------- I_timeframe = input.timeframe("D",title = "Fibo Timefarame") bool light_mode = input.bool(true, 'light Mode', group="Fibo Timefarame") linewidth = input( 1 , title = " All time Level Line width") linewidth0 = input( 2 , title = " Gold Level Line width") linewidth1 = input( 1 , title = " Mid Level's Line width ") l23 = input(0.236) l35 = input(0.34) l38 = input(0.382) l50 = input(0.50) l61 = input(0.618) l65 = input(0.66) l78 = input(0.786) color i_col23 = (light_mode ? #787878 : #1f1f1f) color i_col35 = (light_mode ? #787878 :#1f1f1f) color i_col38 = (light_mode ? #787878 :#1f1f1f) color i_col50 = (light_mode ? color.rgb(209, 72, 68,50) :#000000) color i_colGold61 = (light_mode ? #787878 :#1f1f1f) color i_colGold65 = (light_mode ? #787878 :#1f1f1f) color i_col78 = (light_mode ? #787878 :#1f1f1f) Dtc = input.color(color.rgb(120, 120, 120, 100),"Fill GoldP Downtrend") Utc = input.color(color.rgb(120, 120, 120, 100),"Fill GoldP Uptrend") // ---------- Calculs ------------------ hBand = request.security(syminfo.tickerid, I_timeframe, ta.highest(bar_index + 1)) lBand = request.security(syminfo.tickerid, I_timeframe, ta.lowest(bar_index + 1)) fibl23 = (hBand - lBand) * l23 + lBand fibl35 = (hBand - lBand) * l35 + lBand fibl38 = (hBand - lBand) * l38 + lBand fibl50 = (hBand - lBand) * l50 + lBand fibl61 = (hBand - lBand) * l61 + lBand fibl65 = (hBand - lBand) * l65 + lBand fibl78 = (hBand - lBand) * l78 + lBand linelow = line.new(bar_index , lBand, bar_index-1 , lBand, extend=extend.both , color = color.gray , width = linewidth) line.delete(linelow[1]) text1 = label.new(bar_index + 50, lBand, text = str.tostring(lBand,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = color.gray) label.delete(text1[1]) line0 = line.new(bar_index, fibl23, bar_index-1 , fibl23, extend=extend.both , color = i_col23, width = linewidth) line.delete(line0[1]) text2 = label.new(bar_index + 50, fibl23, text = str.tostring(fibl23,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_col23) label.delete(text2[1]) line1x = line.new(bar_index, fibl35, bar_index-1 , fibl35, extend=extend.both,color = i_col35, width = linewidth, style = line.style_dashed) line.delete(line1x[1]) text3 = label.new(bar_index + 50, fibl35, text = str.tostring(fibl35,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_col35) label.delete(text3[1]) line1 = line.new(bar_index, fibl38, bar_index-1 , fibl38, extend=extend.both,color = color.rgb(209, 72, 68), width = linewidth0) line.delete(line1[1]) text4 = label.new(bar_index + 50, fibl38, text = str.tostring(fibl38,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_col38) label.delete(text4[1]) linefill.new(line1x,line1, color = Dtc) line2 = line.new(bar_index, fibl50 , bar_index-1 , fibl50 , extend=extend.both,color = color.rgb(56, 189, 96) , width = linewidth0) line.delete(line2[1]) text5 = label.new(bar_index + 50, fibl50, text = str.tostring(fibl50,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_col50) label.delete(text5[1]) line3 = line.new(bar_index, fibl61, bar_index-1 , fibl61, extend=extend.both, color = color.rgb(209, 72, 68), width = linewidth0) line.delete(line3[1]) text6 = label.new(bar_index + 50, fibl61, text = str.tostring(fibl61,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_colGold61) label.delete(text6[1]) line4 = line.new(bar_index, fibl65, bar_index-1 , fibl65, extend=extend.both, color = i_colGold65, width = linewidth, style = line.style_dashed) line.delete(line3[1]) text7 = label.new(bar_index + 50, fibl65, text = str.tostring(fibl65,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_colGold65) label.delete(text7[1]) linefill.new(line3,line4, color = Utc) line5 = line.new(bar_index, fibl78, bar_index-1 , fibl78, extend=extend.both, color = i_col78, width = linewidth) line.delete(line3[1]) text8 = label.new(bar_index + 50, fibl78, text = str.tostring(fibl78,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = i_col78) label.delete(text8[1]) lineh = line.new(bar_index, hBand, bar_index-1 , hBand, extend=extend.both , color = color.gray, width = linewidth) line.delete(lineh[1]) text9 = label.new(bar_index + 50, hBand, text = str.tostring(hBand,"#.##" + " $"), style=label.style_none , size = size.small, textcolor = color.gray) label.delete(text9[1]) fibb023 = (fibl23 - lBand) * l23 + lBand fibb0231x = (fibl23 - lBand) * l35 + lBand fibb0231 = (fibl23 - lBand) * l38 + lBand fibb0232 = (fibl23 - lBand) * l50 + lBand fibb0233 = (fibl23 - lBand) * l61 + lBand fibb0234 = (fibl23 - lBand) * l65 + lBand fibb0235 = (fibl23 - lBand) * l78 + lBand line023 = line.new(bar_index, fibb023, bar_index-1 , fibb023, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line023[1]) line0231x = line.new(bar_index, fibb0231x, bar_index-1 , fibb0231x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line0231x[1]) line0231 = line.new(bar_index, fibb0231, bar_index-1 , fibb0231, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line0231[1]) linefill.new(line0231x,line0231, color = Dtc) line0232 = line.new(bar_index, fibb0232 , bar_index-1 , fibb0232 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line0232[1]) line0233 = line.new(bar_index, fibb0233, bar_index-1 , fibb0233, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line0233[1]) line0234 = line.new(bar_index, fibb0234, bar_index-1 , fibb0234, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line0234[1]) linefill.new(line0233,line0234, color = Utc) line0235 = line.new(bar_index, fibb0235, bar_index-1 , fibb0235, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line0235[1]) fibb2338 = (fibl38 - fibl23) * l23 + fibl23 fibb23381x = (fibl38 - fibl23) * l35 + fibl23 fibb23381 = (fibl38 - fibl23) * l38 + fibl23 fibb23382 = (fibl38 - fibl23) * l50 + fibl23 fibb23383 = (fibl38 - fibl23) * l61 + fibl23 fibb23384 = (fibl38 - fibl23) * l65 + fibl23 fibb23385 = (fibl38 - fibl23) * l78 + fibl23 line2338 = line.new(bar_index, fibb2338, bar_index-1 , fibb2338, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line2338[1]) line23381x = line.new(bar_index, fibb23381x, bar_index-1 , fibb23381x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line23381x[1]) line23381 = line.new(bar_index, fibb23381, bar_index-1 , fibb23381, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line23381[1]) linefill.new(line23381x,line23381, color = Dtc) line23382 = line.new(bar_index, fibb23382 , bar_index-1 , fibb23382 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line23382[1]) line23383 = line.new(bar_index, fibb23383, bar_index-1 , fibb23383, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line23383[1]) line23384 = line.new(bar_index, fibb23384, bar_index-1 , fibb23384, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line23384[1]) linefill.new(line23383,line23384, color = Utc) line23385 = line.new(bar_index, fibb23385, bar_index-1 , fibb23385, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line23385[1]) fibb3850 = (fibl50 - fibl38) * l23 + fibl38 fibb38501x = (fibl50 - fibl38) * l35 + fibl38 fibb38501 = (fibl50 - fibl38) * l38 + fibl38 fibb38502 = (fibl50 - fibl38) * l50 + fibl38 fibb38503 = (fibl50 - fibl38) * l61 + fibl38 fibb38504 = (fibl50 - fibl38) * l65 + fibl38 fibb38505 = (fibl50 - fibl38) * l78 + fibl38 line3850 = line.new(bar_index, fibb3850, bar_index-1 , fibb3850, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line3850[1]) line38501x = line.new(bar_index, fibb38501x, bar_index-1 , fibb38501x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line38501x[1]) line38501 = line.new(bar_index, fibb38501, bar_index-1 , fibb38501, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line38501[1]) linefill.new(line38501x,line38501, color = Dtc) line38502 = line.new(bar_index, fibb38502 , bar_index-1 , fibb38502 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line38502[1]) line38503 = line.new(bar_index, fibb38503, bar_index-1 , fibb38503, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line38503[1]) line38504 = line.new(bar_index, fibb38504, bar_index-1 , fibb38504, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line38504[1]) linefill.new(line38503,line38504, color = Utc) line38505 = line.new(bar_index, fibb38505, bar_index-1 , fibb38505, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line38505[1]) fibb5061 = (fibl61 - fibl50) * l23 + fibl50 fibb50611x = (fibl61 - fibl50) * l35 + fibl50 fibb50611 = (fibl61 - fibl50) * l38 + fibl50 fibb50612 = (fibl61 - fibl50) * l50 + fibl50 fibb50613 = (fibl61 - fibl50) * l61 + fibl50 fibb50614 = (fibl61 - fibl50) * l65 + fibl50 fibb50615 = (fibl61 - fibl50) * l78 + fibl50 line5061 = line.new(bar_index, fibb5061, bar_index-1 , fibb5061, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line5061[1]) line50611x = line.new(bar_index, fibb50611x, bar_index-1 , fibb50611x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line50611x[1]) line50611 = line.new(bar_index, fibb50611, bar_index-1 , fibb50611, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line50611[1]) linefill.new(line50611x,line50611, color = Dtc) line50612 = line.new(bar_index, fibb50612 , bar_index-1 , fibb50612 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line50612[1]) line50613 = line.new(bar_index, fibb50613, bar_index-1 , fibb50613, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line50613[1]) line50614 = line.new(bar_index, fibb50614, bar_index-1 , fibb50614, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line50614[1]) linefill.new(line50613,line50614, color = Utc) line50615 = line.new(bar_index, fibb50615, bar_index-1 , fibb50615, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line50615[1]) fibb6178 = (fibl78 - fibl61) * l23 + fibl61 fibb61781x = (fibl78 - fibl61) * l35 + fibl61 fibb61781 = (fibl78 - fibl61) * l38 + fibl61 fibb61782 = (fibl78 - fibl61) * l50 + fibl61 fibb61783 = (fibl78 - fibl61) * l61 + fibl61 fibb61784 = (fibl78 - fibl61) * l65 + fibl61 fibb61785 = (fibl78 - fibl61) * l78 + fibl61 line6178 = line.new(bar_index, fibb6178, bar_index-1 , fibb6178, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line6178[1]) line61781x = line.new(bar_index, fibb61781x, bar_index-1 , fibb61781x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line61781x[1]) line61781 = line.new(bar_index, fibb61781, bar_index-1 , fibb61781, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line61781[1]) linefill.new(line61781x,line61781, color = Dtc) line61782 = line.new(bar_index, fibb61782 , bar_index-1 , fibb61782 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line61782[1]) line61783 = line.new(bar_index, fibb61783, bar_index-1 , fibb61783, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line61783[1]) line61784 = line.new(bar_index, fibb61784, bar_index-1 , fibb61784, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line61784[1]) linefill.new(line61783,line61784, color = Utc) line61785 = line.new(bar_index, fibb61785, bar_index-1 , fibb61785, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line61785[1]) fibb78h = (hBand - fibl78) * l23 + fibl78 fibb78h1x = (hBand - fibl78) * l35 + fibl78 fibb78h1 = (hBand - fibl78) * l38 + fibl78 fibb78h2 = (hBand - fibl78) * l50 + fibl78 fibb78h3 = (hBand - fibl78) * l61 + fibl78 fibb78h4 = (hBand - fibl78) * l65 + fibl78 fibb78h5 = (hBand - fibl78) * l78 + fibl78 line78h = line.new(bar_index, fibb78h, bar_index-1 , fibb78h, extend=extend.both , color = i_col23 , width = linewidth1, style = line.style_solid) line.delete(line78h[1]) line78h1x = line.new(bar_index, fibb78h1x, bar_index-1 , fibb78h1x, extend=extend.both,color = i_col35, width = linewidth1, style = line.style_dashed) line.delete(line78h1x[1]) line78h1 = line.new(bar_index, fibb78h1, bar_index-1 , fibb78h1, extend=extend.both,color = i_col38, width = linewidth1, style = line.style_solid) line.delete(line78h1[1]) linefill.new(line78h1x ,line78h1, color = Dtc) line78h2 = line.new(bar_index, fibb78h2 , bar_index-1 , fibb78h2 , extend=extend.both,color = i_col50 , width = linewidth1, style = line.style_solid) line.delete(line78h2[1]) line78h3 = line.new(bar_index, fibb78h3, bar_index-1 , fibb78h3, extend=extend.both, color = i_colGold61, width = linewidth1, style = line.style_solid ) line.delete(line78h3[1]) line78h4 = line.new(bar_index, fibb78h4, bar_index-1 , fibb78h4, extend=extend.both, color = i_colGold65, width = linewidth1, style = line.style_dashed) line.delete(line78h4[1]) linefill.new(line78h3,line78h4, color =Utc) line78h5 = line.new(bar_index, fibb78h5, bar_index-1 , fibb78h5, extend=extend.both, color = i_col78, width = linewidth1, style = line.style_solid) line.delete(line78h5[1]) //////// base line basePeriods = input.int(31, minval=1, title="Base Line Length") donchian(len) => math.avg(ta.lowest(len), ta.highest(len)) baseLine = donchian(basePeriods) plot(baseLine , color = close > baseLine ? color.green : color.red, title="Base Line") plotRibbon = input(title="Plot Ribbon", defval=false,group = "MA Settings") src = input(close, title="Source",group = "MA Settings") ma(source, length, type) => switch type "SMA" => ta.sma(source, length) "EMA" => ta.ema(source, length) "SMMA (RMA)" => ta.rma(source, length) "WMA" => ta.wma(source, length) "VWMA" => ta.vwma(source, length) "ZEMA" => ema1 = ta.ema(source,length) , ema2 = ta.ema(ema1,length) , dif = ema1 - ema2 , zlag = ema1 + dif "TEMA" => tema1 = ta.ema(source,length) , tema2 = ta.ema(tema1,length) , tema3 = ta.ema(tema2,length) ,temap = 3 * (tema1 - tema2) + tema3 "HMA" => ta.wma(2*ta.wma(source, length/2)-ta.wma(source, length), math.floor(math.sqrt(length))) "TRAMA" => ama = 0. , hh = math.max(math.sign(ta.change(ta.highest(length))),0) , ll = math.max(math.sign(ta.change(ta.lowest(length))*-1),0) ,tc = math.pow(ta.sma(hh or ll ? 1 : 0,length),2) , ama := nz(ama[1]+tc*(src-ama[1]),src) typeMA = input.string(title = "Method", defval = "SMA", options=["SMA", "EMA", "SMMA (RMA)", "WMA", "VWMA","ZEMA","TEMA","HMA" , "TRAMA"],group = "MA Settings") len2 = input.int(20, minval=1, title="Length3",group = "MA Settings") out2 = ma(src, len2,typeMA) EM3 = plot(out2 , color= close > out2 ? color.green : color.red, title="MA1") len3 = input.int(99, minval=1, title="Length3",group = "MA Settings") out3 = ma(src, len3,typeMA) EM4 = plot(out3 , color= close > out3 ? color.green : color.red, title="MA2") stop_timeframe = input.timeframe("D",title = "ATR Stoploss") smoothing = input.string(title="Smoothing", defval="RMA", options=["RMA", "SMA", "EMA", "WMA"] , group= "ATR Stoploss") ma_function(source, length) => switch smoothing "RMA" => ta.rma(source, length) "SMA" => ta.sma(source, length) "EMA" => ta.ema(source, length) => ta.wma(source, length) //Calculat_atr = ma_function(ta.tr(true), length) texttoatrs = request.security(syminfo.tickerid, stop_timeframe, close - ma_function(ta.tr(true), 14)) texttoatrt = request.security(syminfo.tickerid, stop_timeframe,close + ma_function(ta.tr(true), 14)) //textxsh = label.new(bar_index + 20, close, text = str.tostring(texttoatrs,"#.##") + " Long Stoploss" , style=label.style_none , size = size.small, textcolor = color.green ) //label.delete(textxsh[1]) //textxL = label.new(bar_index + 20, open, text = str.tostring(texttoatrt,"#.##") + " Short Stoploss" , style=label.style_none , size = size.small, textcolor = color.red ) //label.delete(textxL[1]) ///ribbon length1 = 20 length2 = 25 length3 = 30 length4 = 35 length5 = 40 length6 = 45 length7 = 50 length8 = 55 out1x = ma(src, length1 ,typeMA) out2x = ma(src, length2 ,typeMA) out3x = ma(src, length3 ,typeMA) out4x = ma(src, length4 ,typeMA) out5x = ma(src, length5 ,typeMA) out6x = ma(src, length6 ,typeMA) out7x = ma(src, length7 ,typeMA) out8x = ma(src, length8 ,typeMA) l1 = plot(plotRibbon ? out1x : na, title="MA-1", color=#f5eb5d, linewidth=2) l2 =plot(plotRibbon ? out2x : na, title="MA-2", color=#f5b771, linewidth=2) l3 =plot(plotRibbon ? out3x : na, title="MA-3", color=#f5b056, linewidth=2) l4 =plot(plotRibbon ? out4x : na, title="MA-4", color=#f57b4e, linewidth=2) l5 =plot(plotRibbon ? out5x : na, title="MA-5", color=#f56d58, linewidth=2) l6 =plot(plotRibbon ? out6x : na, title="MA-6", color=#f57d51, linewidth=2) l7 =plot(plotRibbon ? out7x : na, title="MA-7", color=#f55151, linewidth=2) l8 =plot(plotRibbon ? out8x : na, title="MA-8", color= #aa2707, linewidth=2) //rsivalue rsios = ta.rsi(close,14) color = if rsios > 70 #eb383b else if rsios < 30 #137077 else if rsios <70 and rsios > 30 color.black // Table output if barstate.islast table_row = table.new(position = position.bottom_right, columns = 3, rows = 4) table.cell(table_row, 1,1, "Stop loss") table.cell(table_row, 1,2 , str.tostring(texttoatrs,"#.##") + "$ Long Stoploss", bgcolor = color.rgb(19,112,119) , text_color = color.white ) table.cell(table_row, 1,3 , str.tostring(texttoatrt,"#.##") + "$ Short Stoploss", bgcolor = #eb383b , text_color = color.white) table.cell(table_row, 2,1, "RSI & MA ") table.cell(table_row, 2,2 , str.tostring(rsios,"#.##"), bgcolor = color, text_color = color.white ) table.cell(table_row, 2,3 , close > out3 ? "β–² MA":"β–Ό MA", bgcolor = close < out3 ? color.rgb(235,56,59) : color.rgb(19,112,119) , text_color = color.white )
Rolling Candle Closes Summation
https://www.tradingview.com/script/TQipHCgj-Rolling-Candle-Closes-Summation/
pzyxian
https://www.tradingview.com/u/pzyxian/
12
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© pzyxian //@version=5 indicator("Rolling Candle Closes Summation") // Prompt the user to input the number of candles to sum n = input.int(title="Number of Candles to Sum", defval=20, minval=1) // Get the last 20 candle's close prices last20Closes = array.new_float(n) for i = 0 to n-1 array.push(last20Closes, close[i]) // Add the last 20 candle's close prices together last20ClosesSum = array.sum(last20Closes) // Plot the last 20 candle's close prices sum on the chart plot(last20ClosesSum, color=color.green, linewidth=2)
Nadaraya-Watson Oscillator
https://www.tradingview.com/script/0Y0byibh-Nadaraya-Watson-Oscillator/
FractalTrade15
https://www.tradingview.com/u/FractalTrade15/
221
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β©FractalTrade15, original Nadaraya_Watson Kernel code and library by Β©jdehorty // @version=5 indicator(title="Nadaraya-Watson Oscillator", shorttitle = "NWO" , overlay=false, timeframe='') // Libraries import jdehorty/KernelFunctions/2 as kernels //Functions darkenColor(color, factor) => r = color.r(color) g = color.g(color) b = color.b(color) rd = int(r * factor) gd = int(g * factor) bd = int(b * factor) color.rgb(rd, gd, bd) getBounds(_atr, _nearFactor, _farFactor, _yhat) => _upper_far = _yhat + _farFactor*_atr _upper_near = _yhat + _nearFactor*_atr _lower_near = _yhat - _nearFactor*_atr _lower_far = _yhat - _farFactor*_atr _upper_avg = (_upper_far + _upper_near) / 2 _lower_avg = (_lower_far + _lower_near) / 2 [_upper_near, _upper_far, _upper_avg, _lower_near, _lower_far, _lower_avg] kernel_atr(length, _high, _low, _close) => trueRange = na(_high[1])? _high-_low : math.max(math.max(_high - _low, math.abs(_high - _close[1])), math.abs(_low - _close[1])) ta.rma(trueRange, length) f_c_gradientAdvDecPro(_source, _center, _steps, _c_bearWeak, _c_bearStrong, _c_bullWeak, _c_bullStrong) => var float _qtyAdvDec = 0. var float _maxSteps = math.max(1, _steps) bool _xUp = ta.crossover(_source, _center) bool _xDn = ta.crossunder(_source, _center) float _chg = ta.change(_source) bool _up = _chg > 0 bool _dn = _chg < 0 bool _srcBull = _source > _center bool _srcBear = _source < _center _qtyAdvDec := _srcBull ? _xUp ? 1 : _up ? math.min(_maxSteps, _qtyAdvDec + 1) : _dn ? math.max(1, _qtyAdvDec - 1) : _qtyAdvDec : _srcBear ? _xDn ? 1 : _dn ? math.min(_maxSteps, _qtyAdvDec + 1) : _up ? math.max(1, _qtyAdvDec - 1) : _qtyAdvDec : _qtyAdvDec var color _return = na _return := _srcBull ? color.from_gradient(_qtyAdvDec, 1, _maxSteps, _c_bullWeak, _c_bullStrong) : _srcBear ? color.from_gradient(_qtyAdvDec, 1, _maxSteps, _c_bearWeak, _c_bearStrong) : _return _return // Kernel Settings h = input.int(8, 'Lookback Window', tooltip='The number of bars used for the estimation. This is a sliding value that represents the most recent historical bars. Recommended range: 3-50', group='Kernel Settings') alpha = input.float(8., 'Relative Weighting', step=0.25, tooltip='Relative weighting of time frames. As this value approaches zero, the longer time frames will exert more influence on the estimation. As this value approaches infinity, the behavior of the Rational Quadratic Kernel will become identical to the Gaussian kernel. Recommended range: 0.25-25', group='Kernel Settings') x_0 = input.int(25, "Start Regression at Bar", tooltip='Bar index on which to start regression. The first bars of a chart are often highly volatile, and omission of these initial bars often leads to a better overall fit. Recommended range: 5-25', group='Kernel Settings') atr_length = input.int(21, 'ATR Length', minval=1, tooltip='The number of bars associated with the Average True Range (ATR).', group = "Zones") nearFactor = input.float(2.25, 'Near ATR Factor', minval=0.5, step=0.25, tooltip='The factor by which to multiply the ATR to calculate the near bound of the envelope. Recommended range: 0.5-2.0', group = "Zones") farFactor = input.float(3, 'Far ATR Factor', minval=1.0, step=0.25, tooltip='The factor by which to multiply the ATR to calculate the far bound of the envelope. Recommended range: 6.0-8.0', group = "Zones") mid_width = input.float(0.5, title = "Middle Band Width",minval=0.1, step=0.1, tooltip='The size of the centerline band', group = "Zones") hull_on = input.bool(true, title = "", group = "Hull NW MA", inline = "Hull") hull_length = input.int(55, minval=1, title = "Hull Smoothing Length", group = "Hull NW MA", inline = "Hull", tooltip = "Adds a Hull Moving Average to the Nadaraya Oscillator") //Calculations yhat_close = kernels.rationalQuadratic(close, h, alpha, x_0) yhat_high = kernels.rationalQuadratic(high, h, alpha, x_0) yhat_low = kernels.rationalQuadratic(low, h, alpha, x_0) yhat = yhat_close ktr = kernel_atr(atr_length, yhat_high, yhat_low, yhat_close) [upper_near, upper_far, upper_avg, lower_near, lower_far, lower_avg] = getBounds(ktr, nearFactor, farFactor, yhat_close) avg_factor = math.avg(nearFactor,farFactor) z_nad = (close - yhat_close) / ktr // Calculates the oscillator from the Kernel hullma = ta.hma(z_nad, hull_length) // Colors bullc = input(color.green, title = "Bull Color", group = "Colors") bearc = input(color.red, title = "Bear Color", group = "Colors") neutc = input(color.gray, title = "Neutral Color", group = "Colors") grad = z_nad > 0? color.from_gradient(z_nad, 0,nearFactor,neutc,bullc) : color.from_gradient(z_nad, -nearFactor,0,bearc,neutc) color black = color.rgb(0,0,0) grad2 = f_c_gradientAdvDecPro(yhat_close, ta.ema(yhat_close,2), 5, darkenColor(bearc, 0.5), bearc, darkenColor(bullc, 0.5), bullc) // Plots p_upper_far = plot(farFactor, color=color.new(bearc,90), title='Upper Boundary: Far') p_upper_near = plot(nearFactor, color=color.new(bearc,90), title='Upper Boundary: Near') p_yhath = plot(mid_width, color=color.new(bullc,97), linewidth=1, title='Nadaraya-Watson Estimation') p_yhat = plot(0, color=color.new(grad2,50), linewidth=1, title='Nadaraya-Watson Estimation') p_yhatl = plot(-mid_width, color=color.new(bearc,97), linewidth=1, title='Nadaraya-Watson Estimation') p_lower_near = plot(-nearFactor, color=color.new(bullc,90), title='Lower Boundary: Near') p_lower_far = plot(-farFactor, color=color.new(bullc,90), title='Lower Boundary: Far') fill(p_yhath,p_yhat,mid_width,0,color.new(bullc,85), color.new(#000000, 90)) fill(p_yhatl,p_yhat,0,-mid_width,color.new(#000000,90), color.new(bearc,85)) fill(p_upper_far, p_upper_near, farFactor,nearFactor, color.new(color.black,93),color.new(bearc,80), title='Upper Boundary: Farmost Region') fill(p_lower_far, p_lower_near, -nearFactor, -farFactor, color.new(bullc,80),color.new(color.black,93), title='Lower Boundary: Farmost Region') plot(z_nad, "Z Shadow", color = color.new(neutc,90), linewidth = 8) p_zn = plot(z_nad, color=grad, title='Nadaraya-Watson Estimator') fill(p_yhat,p_zn, z_nad >= 0? farFactor+1 : na, z_nad >= 0? 0 : na, z_nad >= 0? color.new(bullc,34) : na, z_nad >= 0? black : na) fill(p_yhat,p_zn, z_nad <= 0? 0: na, z_nad <= 0 ?-farFactor-1 : na,z_nad <= 0? black : na, z_nad <= 0? color.new(bearc,34) : na) p_hull = plot(hull_on? hullma : na, color = hullma > hullma[2]? color.new(bullc,34) : color.new(bearc,34)) bgcolor(z_nad > farFactor? color.new(bearc,90) : z_nad < -farFactor? color.new(bullc,90) : na)
Volume Dock
https://www.tradingview.com/script/n5KfEyaT-Volume-Dock/
OmegaTools
https://www.tradingview.com/u/OmegaTools/
66
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© TommasoRossini //@version=5 indicator("AD Dock") lnt = input(11, "Lenght") mode = input.string("AD Dock", "Mode", ["AD Dock", "RSIs"]) src = math.avg(ta.accdist, ta.obv, ta.accdist) rsi = ta.rsi(src, lnt) fastline = ta.hma(rsi, lnt-4) slowline = ta.hma(ta.rsi(close, lnt), lnt*2) fastline2 = ta.rsi(src, lnt) slowline2 = ta.rsi(hlcc4, lnt) z1 = if mode == "AD Dock" fastline z2 = if mode == "AD Dock" slowline z3 = if mode == "RSIs" fastline2 z4 = if mode == "RSIs" slowline2 a1 = plot(z1, color = color.gray, linewidth = 2) a2 = plot(z2, color = color.new(color.gray, 75), linewidth = 1) fill(a1, a2, color = fastline > slowline ? color.new(#2962ff, 80) : color.new(#e91e63, 80)) a3 = hline(70, linestyle = hline.style_dotted) a4 = hline(30, linestyle = hline.style_dotted) a5 = hline(10, color = color.new(color.gray, 100), editable = true) a6 = hline(90, color = color.new(color.gray, 100), editable = true) hline(50, "Middle line", color.new(color.gray, 25), linestyle = hline.style_solid) fill(a3, a6, color = color.new(#e91e63, 85)) fill(a4, a5, color = color.new(#2962ff, 85)) fill(a3, a4, color = color.new(color.gray, 90)) a7 = plot(z3, color = color.gray, linewidth = 2) a8 = plot(z4, color = color.new(color.gray, 75), linewidth = 1) fill(a7, a8, color = fastline2 > slowline2 ? color.new(#2962ff, 80) : color.new(#e91e63, 80))
Lower Candle Trends [theEccentricTrader]
https://www.tradingview.com/script/F71ok6ok-Lower-Candle-Trends-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
6
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Lower Candle Trends [theEccentricTrader]', overlay = true) //////////// upper and lower candle trends //////////// oneHL = low[1] <= low[2] and low > low[1] and barstate.isconfirmed twoHL = oneHL[1] and low > low[1] and barstate.isconfirmed threeHL = twoHL[1] and low > low[1] and barstate.isconfirmed fourHL = threeHL[1] and low > low[1] and barstate.isconfirmed fiveHL = fourHL[1] and low > low[1] and barstate.isconfirmed sixHL = fiveHL[1] and low > low[1] and barstate.isconfirmed sevenHL = sixHL[1] and low > low[1] and barstate.isconfirmed eightHL = sevenHL[1] and low > low[1] and barstate.isconfirmed nineHL = eightHL[1] and low > low[1] and barstate.isconfirmed tenHL = nineHL[1] and low > low[1] and barstate.isconfirmed elevenHL = tenHL[1] and low > low[1] and barstate.isconfirmed twelveHL = elevenHL[1] and low > low[1] and barstate.isconfirmed thirteenHL = twelveHL[1] and low > low[1] and barstate.isconfirmed fourteenHL = thirteenHL[1] and low > low[1] and barstate.isconfirmed fifteenHL = fourteenHL[1] and low > low[1] and barstate.isconfirmed sixteenHL = fifteenHL[1] and low > low[1] and barstate.isconfirmed seventeenHL = sixteenHL[1] and low > low[1] and barstate.isconfirmed eighteenHL = seventeenHL[1] and low > low[1] and barstate.isconfirmed nineteenHL = eighteenHL[1] and low > low[1] and barstate.isconfirmed twentyHL = nineteenHL[1] and low > low[1] and barstate.isconfirmed twentyoneHL = twentyHL[1] and low > low[1] and barstate.isconfirmed twentytwoHL = twentyoneHL[1] and low > low[1] and barstate.isconfirmed twentythreeHL = twentytwoHL[1] and low > low[1] and barstate.isconfirmed twentyfourHL = twentythreeHL[1] and low > low[1] and barstate.isconfirmed twentyfiveHL = twentyfourHL[1] and low > low[1] and barstate.isconfirmed twentysixHL = twentyfiveHL[1] and low > low[1] and barstate.isconfirmed twentysevenHL = twentysixHL[1] and low > low[1] and barstate.isconfirmed twentyeightHL = twentysevenHL[1] and low > low[1] and barstate.isconfirmed twentynineHL = twentyeightHL[1] and low > low[1] and barstate.isconfirmed thirtyHL = twentynineHL[1] and low > low[1] and barstate.isconfirmed oneLL = low[1] >= low[2] and low < low[1] and barstate.isconfirmed twoLL = oneLL[1] and low < low[1] and barstate.isconfirmed threeLL = twoLL[1] and low < low[1] and barstate.isconfirmed fourLL = threeLL[1] and low < low[1] and barstate.isconfirmed fiveLL = fourLL[1] and low < low[1] and barstate.isconfirmed sixLL = fiveLL[1] and low < low[1] and barstate.isconfirmed sevenLL = sixLL[1] and low < low[1] and barstate.isconfirmed eightLL = sevenLL[1] and low < low[1] and barstate.isconfirmed nineLL = eightLL[1] and low < low[1] and barstate.isconfirmed tenLL = nineLL[1] and low < low[1] and barstate.isconfirmed elevenLL = tenLL[1] and low < low[1] and barstate.isconfirmed twelveLL = elevenLL[1] and low < low[1] and barstate.isconfirmed thirteenLL = twelveLL[1] and low < low[1] and barstate.isconfirmed fourteenLL = thirteenLL[1] and low < low[1] and barstate.isconfirmed fifteenLL = fourteenLL[1] and low < low[1] and barstate.isconfirmed sixteenLL = fifteenLL[1] and low < low[1] and barstate.isconfirmed seventeenLL = sixteenLL[1] and low < low[1] and barstate.isconfirmed eighteenLL = seventeenLL[1] and low < low[1] and barstate.isconfirmed nineteenLL = eighteenLL[1] and low < low[1] and barstate.isconfirmed twentyLL = nineteenLL[1] and low < low[1] and barstate.isconfirmed twentyoneLL = twentyLL[1] and low < low[1] and barstate.isconfirmed twentytwoLL = twentyoneLL[1] and low < low[1] and barstate.isconfirmed twentythreeLL = twentytwoLL[1] and low < low[1] and barstate.isconfirmed twentyfourLL = twentythreeLL[1] and low < low[1] and barstate.isconfirmed twentyfiveLL = twentyfourLL[1] and low < low[1] and barstate.isconfirmed twentysixLL = twentyfiveLL[1] and low < low[1] and barstate.isconfirmed twentysevenLL = twentysixLL[1] and low < low[1] and barstate.isconfirmed twentyeightLL = twentysevenLL[1] and low < low[1] and barstate.isconfirmed twentynineLL = twentyeightLL[1] and low < low[1] and barstate.isconfirmed thirtyLL = twentynineLL[1] and low < low[1] and barstate.isconfirmed //////////// plots //////////// plotshape(oneHL, style = shape.triangleup, color = color.green, text = '1', textcolor = color.green, location = location.belowbar) plotshape(twoHL, style = shape.triangleup, color = color.green, text = '2', textcolor = color.green, location = location.belowbar) plotshape(threeHL, style = shape.triangleup, color = color.green, text = '3', textcolor = color.green, location = location.belowbar) plotshape(fourHL, style = shape.triangleup, color = color.green, text = '4', textcolor = color.green, location = location.belowbar) plotshape(fiveHL, style = shape.triangleup, color = color.green, text = '5', textcolor = color.green, location = location.belowbar) plotshape(sixHL, style = shape.triangleup, color = color.green, text = '6', textcolor = color.green, location = location.belowbar) plotshape(sevenHL, style = shape.triangleup, color = color.green, text = '7', textcolor = color.green, location = location.belowbar) plotshape(eightHL, style = shape.triangleup, color = color.green, text = '8', textcolor = color.green, location = location.belowbar) plotshape(nineHL, style = shape.triangleup, color = color.green, text = '9', textcolor = color.green, location = location.belowbar) plotshape(tenHL, style = shape.triangleup, color = color.green, text = '10', textcolor = color.green, location = location.belowbar) plotshape(elevenHL, style = shape.triangleup, color = color.green, text = '11', textcolor = color.green, location = location.belowbar) plotshape(twelveHL, style = shape.triangleup, color = color.green, text = '12', textcolor = color.green, location = location.belowbar) plotshape(thirteenHL, style = shape.triangleup, color = color.green, text = '13', textcolor = color.green, location = location.belowbar) plotshape(fourteenHL, style = shape.triangleup, color = color.green, text = '14', textcolor = color.green, location = location.belowbar) plotshape(fifteenHL, style = shape.triangleup, color = color.green, text = '15', textcolor = color.green, location = location.belowbar) plotshape(sixteenHL, style = shape.triangleup, color = color.green, text = '16', textcolor = color.green, location = location.belowbar) plotshape(seventeenHL, style = shape.triangleup, color = color.green, text = '17', textcolor = color.green, location = location.belowbar) plotshape(eighteenHL, style = shape.triangleup, color = color.green, text = '18', textcolor = color.green, location = location.belowbar) plotshape(nineteenHL, style = shape.triangleup, color = color.green, text = '19', textcolor = color.green, location = location.belowbar) plotshape(twentyHL, style = shape.triangleup, color = color.green, text = '20', textcolor = color.green, location = location.belowbar) plotshape(twentyoneHL, style = shape.triangleup, color = color.green, text = '21', textcolor = color.green, location = location.belowbar) plotshape(twentytwoHL, style = shape.triangleup, color = color.green, text = '22', textcolor = color.green, location = location.belowbar) plotshape(twentythreeHL, style = shape.triangleup, color = color.green, text = '23', textcolor = color.green, location = location.belowbar) plotshape(twentyfourHL, style = shape.triangleup, color = color.green, text = '24', textcolor = color.green, location = location.belowbar) plotshape(twentyfiveHL, style = shape.triangleup, color = color.green, text = '25', textcolor = color.green, location = location.belowbar) plotshape(twentysixHL, style = shape.triangleup, color = color.green, text = '26', textcolor = color.green, location = location.belowbar) plotshape(twentysevenHL, style = shape.triangleup, color = color.green, text = '27', textcolor = color.green, location = location.belowbar) plotshape(twentyeightHL, style = shape.triangleup, color = color.green, text = '28', textcolor = color.green, location = location.belowbar) plotshape(twentynineHL, style = shape.triangleup, color = color.green, text = '29', textcolor = color.green, location = location.belowbar) plotshape(thirtyHL, style = shape.triangleup, color = color.green, text = '30', textcolor = color.green, location = location.belowbar) plotshape(oneLL, style = shape.triangledown, color = color.red, text = '1', textcolor = color.red, location = location.belowbar) plotshape(twoLL, style = shape.triangledown, color = color.red, text = '2', textcolor = color.red, location = location.belowbar) plotshape(threeLL, style = shape.triangledown, color = color.red, text = '3', textcolor = color.red, location = location.belowbar) plotshape(fourLL, style = shape.triangledown, color = color.red, text = '4', textcolor = color.red, location = location.belowbar) plotshape(fiveLL, style = shape.triangledown, color = color.red, text = '5', textcolor = color.red, location = location.belowbar) plotshape(sixLL, style = shape.triangledown, color = color.red, text = '6', textcolor = color.red, location = location.belowbar) plotshape(sevenLL, style = shape.triangledown, color = color.red, text = '7', textcolor = color.red, location = location.belowbar) plotshape(eightLL, style = shape.triangledown, color = color.red, text = '8', textcolor = color.red, location = location.belowbar) plotshape(nineLL, style = shape.triangledown, color = color.red, text = '9', textcolor = color.red, location = location.belowbar) plotshape(tenLL, style = shape.triangledown, color = color.red, text = '10', textcolor = color.red, location = location.belowbar) plotshape(elevenLL, style = shape.triangledown, color = color.red, text = '11', textcolor = color.red, location = location.belowbar) plotshape(twelveLL, style = shape.triangledown, color = color.red, text = '12', textcolor = color.red, location = location.belowbar) plotshape(thirteenLL, style = shape.triangledown, color = color.red, text = '13', textcolor = color.red, location = location.belowbar) plotshape(fourteenLL, style = shape.triangledown, color = color.red, text = '14', textcolor = color.red, location = location.belowbar) plotshape(fifteenLL, style = shape.triangledown, color = color.red, text = '15', textcolor = color.red, location = location.belowbar) plotshape(sixteenLL, style = shape.triangledown, color = color.red, text = '16', textcolor = color.red, location = location.belowbar) plotshape(seventeenLL, style = shape.triangledown, color = color.red, text = '17', textcolor = color.red, location = location.belowbar) plotshape(eighteenLL, style = shape.triangledown, color = color.red, text = '18', textcolor = color.red, location = location.belowbar) plotshape(nineteenLL, style = shape.triangledown, color = color.red, text = '19', textcolor = color.red, location = location.belowbar) plotshape(twentyLL, style = shape.triangledown, color = color.red, text = '20', textcolor = color.red, location = location.belowbar) plotshape(twentyoneLL, style = shape.triangledown, color = color.red, text = '21', textcolor = color.red, location = location.belowbar) plotshape(twentytwoLL, style = shape.triangledown, color = color.red, text = '22', textcolor = color.red, location = location.belowbar) plotshape(twentythreeLL, style = shape.triangledown, color = color.red, text = '23', textcolor = color.red, location = location.belowbar) plotshape(twentyfourLL, style = shape.triangledown, color = color.red, text = '24', textcolor = color.red, location = location.belowbar) plotshape(twentyfiveLL, style = shape.triangledown, color = color.red, text = '25', textcolor = color.red, location = location.belowbar) plotshape(twentysixLL, style = shape.triangledown, color = color.red, text = '26', textcolor = color.red, location = location.belowbar) plotshape(twentysevenLL, style = shape.triangledown, color = color.red, text = '27', textcolor = color.red, location = location.belowbar) plotshape(twentyeightLL, style = shape.triangledown, color = color.red, text = '28', textcolor = color.red, location = location.belowbar) plotshape(twentynineLL, style = shape.triangledown, color = color.red, text = '29', textcolor = color.red, location = location.belowbar) plotshape(thirtyLL, style = shape.triangledown, color = color.red, text = '30', textcolor = color.red, location = location.belowbar)
Accumulation/Distribution
https://www.tradingview.com/script/6G35OELB-Accumulation-Distribution/
weak_hand
https://www.tradingview.com/u/weak_hand/
66
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // weak_hand //@version=5 indicator(title="Accumulation/Distribution", shorttitle="Accum/Dist", format=format.volume, overlay=false, timeframe="", timeframe_gaps=true) // ##############################} // Accumulation/Distribution // ##############################{ var float cumVol = 0. cumVol += nz(volume) if barstate.islast and cumVol == 0 runtime.error("No volume is provided by the data vendor.") float ad = ta.cum(close==high and close==low or high==low ? 0 : ((2*close-low-high)/(high-low))*volume) // ##############################} // FUNCTIONS // ##############################{ DEMA(source, length) => float ema1 = ta.ema(source, length) float ema2 = ta.ema(ema1, length) float DEMA = 2 * ema1 - ema2 DEMA TEMA(source, length) => float ema3 = ta.ema(source, length) float ema4 = ta.ema(ema3, length) float ema5 = ta.ema(ema4, length) float TEMA = 3 * (ema3 - ema4) + ema5 TEMA ma(length, type) => switch type "SMA" => ta.sma(ad, length) "EMA" => ta.ema(ad, length) "SMMA (RMA)" => ta.rma(ad, length) "WMA" => ta.wma(ad, length) "VWMA" => ta.vwma(ad, length) "DEMA" => DEMA(ad, length) "TEMA" => TEMA(ad, length) // ##############################} // INPUTS // ##############################{ string ma_group = "--- Moving Average Settings" string MA_Type = input.string(title = "Method", defval = "TEMA", options=["DEMA", "EMA", "SMA", "SMMA (RMA)", "TEMA", "VWMA", "WMA"], tooltip = "DEMA: Double moving average exponential\nEMA: Moving average exponential\nSMA: Simple moving average\nSMMA: Moving average used in RSI\nTEMA: Triple moving average exponential\nVWMA: Volume-weighted moving average\nWMA: Weighted moving average", group = ma_group) int MA_Length = input.int(20, title = "Length", minval = 1, step = 1, group = ma_group) // ##############################} // OUTPUTS // ##############################{ float moving_average = ma(MA_Length, MA_Type) plot(ad, title = "Accumulation/Distribution", color = ad > moving_average ? color.green : color.red, linewidth = 2) plot(moving_average, title = "Moving Average", color = color.blue, display = display.none)
Upper Candle Trends [theEccentricTrader]
https://www.tradingview.com/script/KlRpqWMR-Upper-Candle-Trends-theEccentricTrader/
theEccentricTrader
https://www.tradingview.com/u/theEccentricTrader/
7
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© theEccentricTrader //@version=5 indicator('Upper Candle Trends [theEccentricTrader]', overlay = true) //////////// upper and lower candle trends //////////// oneHH = high[1] <= high[2] and high > high[1] and barstate.isconfirmed twoHH = oneHH[1] and high > high[1] and barstate.isconfirmed threeHH = twoHH[1] and high > high[1] and barstate.isconfirmed fourHH = threeHH[1] and high > high[1] and barstate.isconfirmed fiveHH = fourHH[1] and high > high[1] and barstate.isconfirmed sixHH = fiveHH[1] and high > high[1] and barstate.isconfirmed sevenHH = sixHH[1] and high > high[1] and barstate.isconfirmed eightHH = sevenHH[1] and high > high[1] and barstate.isconfirmed nineHH = eightHH[1] and high > high[1] and barstate.isconfirmed tenHH = nineHH[1] and high > high[1] and barstate.isconfirmed elevenHH = tenHH[1] and high > high[1] and barstate.isconfirmed twelveHH = elevenHH[1] and high > high[1] and barstate.isconfirmed thirteenHH = twelveHH[1] and high > high[1] and barstate.isconfirmed fourteenHH = thirteenHH[1] and high > high[1] and barstate.isconfirmed fifteenHH = fourteenHH[1] and high > high[1] and barstate.isconfirmed sixteenHH = fifteenHH[1] and high > high[1] and barstate.isconfirmed seventeenHH = sixteenHH[1] and high > high[1] and barstate.isconfirmed eighteenHH = seventeenHH[1] and high > high[1] and barstate.isconfirmed nineteenHH = eighteenHH[1] and high > high[1] and barstate.isconfirmed twentyHH = nineteenHH[1] and high > high[1] and barstate.isconfirmed twentyoneHH = twentyHH[1] and high > high[1] and barstate.isconfirmed twentytwoHH = twentyoneHH[1] and high > high[1] and barstate.isconfirmed twentythreeHH = twentytwoHH[1] and high > high[1] and barstate.isconfirmed twentyfourHH = twentythreeHH[1] and high > high[1] and barstate.isconfirmed twentyfiveHH = twentyfourHH[1] and high > high[1] and barstate.isconfirmed twentysixHH = twentyfiveHH[1] and high > high[1] and barstate.isconfirmed twentysevenHH = twentysixHH[1] and high > high[1] and barstate.isconfirmed twentyeightHH = twentysevenHH[1] and high > high[1] and barstate.isconfirmed twentynineHH = twentyeightHH[1] and high > high[1] and barstate.isconfirmed thirtyHH = twentynineHH[1] and high > high[1] and barstate.isconfirmed oneLH = high[1] >= high[2] and high < high[1] and barstate.isconfirmed twoLH = oneLH[1] and high < high[1] and barstate.isconfirmed threeLH = twoLH[1] and high < high[1] and barstate.isconfirmed fourLH = threeLH[1] and high < high[1] and barstate.isconfirmed fiveLH = fourLH[1] and high < high[1] and barstate.isconfirmed sixLH = fiveLH[1] and high < high[1] and barstate.isconfirmed sevenLH = sixLH[1] and high < high[1] and barstate.isconfirmed eightLH = sevenLH[1] and high < high[1] and barstate.isconfirmed nineLH = eightLH[1] and high < high[1] and barstate.isconfirmed tenLH = nineLH[1] and high < high[1] and barstate.isconfirmed elevenLH = tenLH[1] and high < high[1] and barstate.isconfirmed twelveLH = elevenLH[1] and high < high[1] and barstate.isconfirmed thirteenLH = twelveLH[1] and high < high[1] and barstate.isconfirmed fourteenLH = thirteenLH[1] and high < high[1] and barstate.isconfirmed fifteenLH = fourteenLH[1] and high < high[1] and barstate.isconfirmed sixteenLH = fifteenLH[1] and high < high[1] and barstate.isconfirmed seventeenLH = sixteenLH[1] and high < high[1] and barstate.isconfirmed eighteenLH = seventeenLH[1] and high < high[1] and barstate.isconfirmed nineteenLH = eighteenLH[1] and high < high[1] and barstate.isconfirmed twentyLH = nineteenLH[1] and high < high[1] and barstate.isconfirmed twentyoneLH = twentyLH[1] and high < high[1] and barstate.isconfirmed twentytwoLH = twentyoneLH[1] and high < high[1] and barstate.isconfirmed twentythreeLH = twentytwoLH[1] and high < high[1] and barstate.isconfirmed twentyfourLH = twentythreeLH[1] and high < high[1] and barstate.isconfirmed twentyfiveLH = twentyfourLH[1] and high < high[1] and barstate.isconfirmed twentysixLH = twentyfiveLH[1] and high < high[1] and barstate.isconfirmed twentysevenLH = twentysixLH[1] and high < high[1] and barstate.isconfirmed twentyeightLH = twentysevenLH[1] and high < high[1] and barstate.isconfirmed twentynineLH = twentyeightLH[1] and high < high[1] and barstate.isconfirmed thirtyLH = twentynineLH[1] and high < high[1] and barstate.isconfirmed //////////// plots //////////// plotshape(oneHH, style = shape.triangleup, color = color.green, text = '1', textcolor = color.green) plotshape(twoHH, style = shape.triangleup, color = color.green, text = '2', textcolor = color.green) plotshape(threeHH, style = shape.triangleup, color = color.green, text = '3', textcolor = color.green) plotshape(fourHH, style = shape.triangleup, color = color.green, text = '4', textcolor = color.green) plotshape(fiveHH, style = shape.triangleup, color = color.green, text = '5', textcolor = color.green) plotshape(sixHH, style = shape.triangleup, color = color.green, text = '6', textcolor = color.green) plotshape(sevenHH, style = shape.triangleup, color = color.green, text = '7', textcolor = color.green) plotshape(eightHH, style = shape.triangleup, color = color.green, text = '8', textcolor = color.green) plotshape(nineHH, style = shape.triangleup, color = color.green, text = '9', textcolor = color.green) plotshape(tenHH, style = shape.triangleup, color = color.green, text = '10', textcolor = color.green) plotshape(elevenHH, style = shape.triangleup, color = color.green, text = '11', textcolor = color.green) plotshape(twelveHH, style = shape.triangleup, color = color.green, text = '12', textcolor = color.green) plotshape(thirteenHH, style = shape.triangleup, color = color.green, text = '13', textcolor = color.green) plotshape(fourteenHH, style = shape.triangleup, color = color.green, text = '14', textcolor = color.green) plotshape(fifteenHH, style = shape.triangleup, color = color.green, text = '15', textcolor = color.green) plotshape(sixteenHH, style = shape.triangleup, color = color.green, text = '16', textcolor = color.green) plotshape(seventeenHH, style = shape.triangleup, color = color.green, text = '17', textcolor = color.green) plotshape(eighteenHH, style = shape.triangleup, color = color.green, text = '18', textcolor = color.green) plotshape(nineteenHH, style = shape.triangleup, color = color.green, text = '19', textcolor = color.green) plotshape(twentyHH, style = shape.triangleup, color = color.green, text = '20', textcolor = color.green) plotshape(twentyoneHH, style = shape.triangleup, color = color.green, text = '21', textcolor = color.green) plotshape(twentytwoHH, style = shape.triangleup, color = color.green, text = '22', textcolor = color.green) plotshape(twentythreeHH, style = shape.triangleup, color = color.green, text = '23', textcolor = color.green) plotshape(twentyfourHH, style = shape.triangleup, color = color.green, text = '24', textcolor = color.green) plotshape(twentyfiveHH, style = shape.triangleup, color = color.green, text = '25', textcolor = color.green) plotshape(twentysixHH, style = shape.triangleup, color = color.green, text = '26', textcolor = color.green) plotshape(twentysevenHH, style = shape.triangleup, color = color.green, text = '27', textcolor = color.green) plotshape(twentyeightHH, style = shape.triangleup, color = color.green, text = '28', textcolor = color.green) plotshape(twentynineHH, style = shape.triangleup, color = color.green, text = '29', textcolor = color.green) plotshape(thirtyHH, style = shape.triangleup, color = color.green, text = '30', textcolor = color.green) plotshape(oneLH, style = shape.triangledown, color = color.red, text = '1', textcolor = color.red) plotshape(twoLH, style = shape.triangledown, color = color.red, text = '2', textcolor = color.red) plotshape(threeLH, style = shape.triangledown, color = color.red, text = '3', textcolor = color.red) plotshape(fourLH, style = shape.triangledown, color = color.red, text = '4', textcolor = color.red) plotshape(fiveLH, style = shape.triangledown, color = color.red, text = '5', textcolor = color.red) plotshape(sixLH, style = shape.triangledown, color = color.red, text = '6', textcolor = color.red) plotshape(sevenLH, style = shape.triangledown, color = color.red, text = '7', textcolor = color.red) plotshape(eightLH, style = shape.triangledown, color = color.red, text = '8', textcolor = color.red) plotshape(nineLH, style = shape.triangledown, color = color.red, text = '9', textcolor = color.red) plotshape(tenLH, style = shape.triangledown, color = color.red, text = '10', textcolor = color.red) plotshape(elevenLH, style = shape.triangledown, color = color.red, text = '11', textcolor = color.red) plotshape(twelveLH, style = shape.triangledown, color = color.red, text = '12', textcolor = color.red) plotshape(thirteenLH, style = shape.triangledown, color = color.red, text = '13', textcolor = color.red) plotshape(fourteenLH, style = shape.triangledown, color = color.red, text = '14', textcolor = color.red) plotshape(fifteenLH, style = shape.triangledown, color = color.red, text = '15', textcolor = color.red) plotshape(sixteenLH, style = shape.triangledown, color = color.red, text = '16', textcolor = color.red) plotshape(seventeenLH, style = shape.triangledown, color = color.red, text = '17', textcolor = color.red) plotshape(eighteenLH, style = shape.triangledown, color = color.red, text = '18', textcolor = color.red) plotshape(nineteenLH, style = shape.triangledown, color = color.red, text = '19', textcolor = color.red) plotshape(twentyLH, style = shape.triangledown, color = color.red, text = '20', textcolor = color.red) plotshape(twentyoneLH, style = shape.triangledown, color = color.red, text = '21', textcolor = color.red) plotshape(twentytwoLH, style = shape.triangledown, color = color.red, text = '22', textcolor = color.red) plotshape(twentythreeLH, style = shape.triangledown, color = color.red, text = '23', textcolor = color.red) plotshape(twentyfourLH, style = shape.triangledown, color = color.red, text = '24', textcolor = color.red) plotshape(twentyfiveLH, style = shape.triangledown, color = color.red, text = '25', textcolor = color.red) plotshape(twentysixLH, style = shape.triangledown, color = color.red, text = '26', textcolor = color.red) plotshape(twentysevenLH, style = shape.triangledown, color = color.red, text = '27', textcolor = color.red) plotshape(twentyeightLH, style = shape.triangledown, color = color.red, text = '28', textcolor = color.red) plotshape(twentynineLH, style = shape.triangledown, color = color.red, text = '29', textcolor = color.red) plotshape(thirtyLH, style = shape.triangledown, color = color.red, text = '30', textcolor = color.red)
SMC sessionzz by Jelle
https://www.tradingview.com/script/pCSHbCpL-SMC-sessionzz-by-Jelle/
jellearts
https://www.tradingview.com/u/jellearts/
203
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© JelleArts // Last Updated: 19th March 2023 // @version=5 indicator(title="SMC sessionzz by Jelle", shorttitle="SMC sessionzz", overlay=true) // This indicator helps me to identify key levels in the market by plotting session information on the chart. // On the analysis timeframes (1H / 30M) the bars will be coloured according to session times which makes it easy to identify the highs and lows of each session. // On the entry timeframes (< 30M) the killzones are highlighted on the background off the chart. // GMT and NY midnight lines are also added to identify points of interest in the market. // TIMEFRAME SETTINGS hideOn240AndAbove1 = input.bool(title="Hide Background and Bar color on 4H and above", defval=true, group = "====== TIMEFRAME SETTINGS ======") hideTimeframeCB1 = input.bool(title="Hide Background on 30M and above", defval=true, group = "====== TIMEFRAME SETTINGS ======") hideTimeframeLow = input.bool(title="Hide Bar Color below 30M", defval=true, group = "====== TIMEFRAME SETTINGS ======") // Determine whether or not this timeframe is to be ignored for BACKGROUND hide1 = hideTimeframeCB1 and timeframe.period == "30" or timeframe.period == "60" or timeframe.period == "240" or timeframe.period == "D" or timeframe.period == "W" or timeframe.period == "M" // Determine whether or not this timeframe is to be ignored for BAR COLOR hide2 = hideOn240AndAbove1 and timeframe.period == "240" or timeframe.period == "D" or timeframe.period == "W" or timeframe.period == "M" // Determine whether or not BAR COLOR is ignored for LOWER TIMEFRAMES hide3 = hideTimeframeLow and timeframe.period == "1" or timeframe.period == "2" or timeframe.period == "3" or timeframe.period == "5" or timeframe.period == "15" // InSession() determines if a price bar falls inside the specified session InSession(sess) => na(time(timeframe.period, sess + ":1234567")) == false //SESSION 1 - LONDON SESSION // Get user input timezone1 = input.session(title="Background London Session", defval="0900-1300", group = "====== London Session ======") timezone1a = input.session(title="Bar Color London Session", defval="0900-1500", group = "====== London Session ======") paintBg1 = input.bool(title="Paint Background", defval=true, group = "====== London Session ======") blankInsideCandles1 = input.bool(title="Paint Bars", defval=true, group = "====== London Session ======") // Color the background of each relevant session and/or bar bgcolor(color=InSession(timezone1) and paintBg1 and not hide1 ? color.new(#5ab0f7, 81) : na, title="London Background Color") barcolor(color=InSession(timezone1a) and blankInsideCandles1 and not hide2 and not hide3 ? color.rgb(36, 148, 94) : na, title="London Bar Color") //SESSION 2 - NEW YORK SESSION // Get user input timezone2 = input.session(title="Background NY Session", defval="1400-1800", group = "====== New York Session ======") timezone2a = input.session(title="Bar Color NY Session ", defval="1500-2300", group = "====== New York Session ======") paintBg2 = input.bool(title="Paint Background", defval=true, group = "====== New York Session ======") blankInsideCandles2 = input.bool(title="Paint Bars", defval=true, group = "====== New York Session ======") // Color the background of each relevant session and/or bar bgcolor(color=InSession(timezone2) and paintBg2 and not hide1 ? color.new(#34da98, 88) : na, title="New York Background Color") barcolor(color=InSession(timezone2a) and blankInsideCandles2 and not hide2 and not hide3 ? color.rgb(208, 60, 105) : na, title="New York Bar Color") //SESSION 3 - ASIA SESSION // Get user input timezone3 = input.session(title="Background Asia Session ", defval="2000-0700", group = "====== Asia Session ======") timezone3a = input.session(title="Bar Color Asia Session", defval="2300-0900", group = "====== Asia Session ======") paintBg3 = input.bool(title="Paint Background", defval=false, group = "====== Asia Session ======") blankInsideCandles3 = input.bool(title="Paint Bars", defval=true, group = "====== Asia Session ======") // Color the background of each relevant session and/or bar bgcolor(color=InSession(timezone3) and paintBg3 and not hide1 ? color.new(#73c1e8, 75) : na, title="Asia Background Color") barcolor(color=InSession(timezone3a) and blankInsideCandles3 and not hide2 and not hide3 ? color.rgb(0, 0, 0) : na, title="Asia Bar Color") //MIDNIGHT LINE SETTINGS //TOGGLE ON/OFF GMT dailyopenline = input.bool(title="Show GMT midnight line on 1H", defval=true, group = "====== MIDNIGHT LINES ======") // VERTICAL LINE GMT MIDNIGHT GMTvalue = (input(defval=2, title = "GMT line offset", group = "====== MIDNIGHT LINES ======")) gmt_plot = false if hour == GMTvalue and timeframe.period == "60" and dailyopenline == true gmt_plot := true else gmt_plot := false vline(BarIndex, Color, LineStyle, LineWidth) => line.new(BarIndex, low - ta.tr, BarIndex, high + ta.tr, xloc.bar_index, extend.both, Color, LineStyle, LineWidth) if (gmt_plot) vline(bar_index[0], color.rgb(56, 1, 166), line.style_dashed, 1) //TOGGLE ON/OFF NY newyorkopenline = input.bool(title="Show NY midnight line on 1H", defval=false, group = "====== MIDNIGHT LINES ======") // VERTICAL LINE NEW YORK MIDNIGHT NYvalue = (input(defval=7, title = "NY line offset", group = "====== MIDNIGHT LINES ======")) ny_plot = false if hour == NYvalue and timeframe.period == "60" and newyorkopenline == true ny_plot := true else ny_plot := false if (ny_plot) vline(bar_index[0], color.rgb(255, 116, 57), line.style_dashed, 1) //END
Seasonality Chart [LuxAlgo]
https://www.tradingview.com/script/M3V8NCvv-Seasonality-Chart-LuxAlgo/
LuxAlgo
https://www.tradingview.com/u/LuxAlgo/
1,133
study
5
CC-BY-NC-SA-4.0
// This work is licensed under a Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) https://creativecommons.org/licenses/by-nc-sa/4.0/ // Β© LuxAlgo //@version=5 indicator("Seasonality Chart [LuxAlgo]", max_lines_count = 500, max_boxes_count = 500, overlay = false) //------------------------------------------------------------------------------ //Settings //-----------------------------------------------------------------------------{ lookback = input(20, 'Lookback (Years)') useCsum = input(true, 'Cumulate') relative = input(true, 'Use Percent Change') showLinreg = input(false, 'Linear Regression') //Style showBars = input(true, 'Show Bars' , inline = 'bars', group = 'Style') barUpCss = input(color.new(color.teal, 80), '', inline = 'bars', group = 'Style') barDnCss = input(color.new(color.red, 80), '', inline = 'bars', group = 'Style') showLine = input(true, 'Show Line' , inline = 'line', group = 'Style') upCss = input(color.teal, '' , inline = 'line', group = 'Style') dnCss = input(color.red, '' , inline = 'line', group = 'Style') showAxes = input(true, 'Show Axes', inline = 'axes', group = 'Style') linregCss = input(#ff5d00, 'Linear Regression', group = 'Style') //-----------------------------------------------------------------------------} //UDT's //-----------------------------------------------------------------------------{ type dataholder array<float> v = na array<int> count = na //-----------------------------------------------------------------------------} //Arrays //-----------------------------------------------------------------------------{ var year_data = array.from( dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(29), array.new<int>(29, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(30), array.new<int>(30, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(30), array.new<int>(30, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(30), array.new<int>(30, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0)) , dataholder.new(array.new<float>(30), array.new<int>(30, 0)) , dataholder.new(array.new<float>(31), array.new<int>(31, 0))) var lines = array.new<line>(0) var axes = array.new<line>(0) var boxes = array.new<box>(0) if barstate.isfirst for i = 0 to 365 if showLine lines.push(line.new(na,na,na,na)) if showBars boxes.push(box.new(na,na,na,na,na)) if i < 12 and showAxes axes.push(line.new(na,na,na,na , color = chart.fg_color , extend = extend.both)) //-----------------------------------------------------------------------------} //Set values in dataholders //-----------------------------------------------------------------------------{ d = request.security(syminfo.tickerid, 'D', relative ? (close - open) / open * 100 : close - open) if dayofmonth != dayofmonth[1] and year >= year(timenow) - lookback getm = year_data.get(month-1) getd = getm.v.get(dayofmonth-1) getm.v.set(dayofmonth-1, nz(getd) + d) getcount = getm.count.get(dayofmonth-1) getm.count.set(dayofmonth-1, getcount + 1) //-----------------------------------------------------------------------------} //Display seasonal chart //-----------------------------------------------------------------------------{ var linreg = line.new(na,na,na,na, color = linregCss) n = bar_index if barstate.islast k = 0, out = 0., float y1 = na x1 = useCsum ? n - 366 : n - 365 x2 = n - 365 use_solid = true //Weighted/Simple mean wma = 0. sma = 0. //Loop trough dataholders in yearly array for [midx, M] in year_data getm = M.v getcount = M.count //Vertical axes if showAxes get_axes = axes.get(midx) get_axes.set_xy1(x2 + k, 0) get_axes.set_xy2(x2 + k, 0 + syminfo.mintick) get_axes.set_style(k == 0 ? line.style_solid : line.style_dotted) get_axes.set_width(k == 0 ? 2 : 1) //Loop trough elements in dataholders for [idx, D] in getm out := useCsum ? out + nz(D / getcount.get(idx)) : nz(D / getcount.get(idx)) css = out > 0 ? upCss : dnCss cssbar = out > 0 ? barUpCss : barDnCss //Set Line if showLine get_l = lines.get(k) get_l.set_xy1(x1 + k, y1) get_l.set_xy2(x2 + k, out) get_l.set_color(css) //Set Bar if showBars get_b = boxes.get(k) get_b.set_lefttop(x2 + k, out) get_b.set_rightbottom(x2 + k, 0) get_b.set_border_color(cssbar) get_b.set_bgcolor(cssbar) //Cumulate results k += 1 y1 := useCsum ? out : 0 wma += out * k sma += out //Set linreg if showLinreg wma := wma / (k*(k+1)/2) sma := sma / k linreg.set_xy1(n-365, 4 * sma - 3 * wma) linreg.set_xy2(n, 3 * wma - 2 * sma) //-----------------------------------------------------------------------------} //Plots //-----------------------------------------------------------------------------{ plot(showAxes ? 0 : na, 'Horizontal Axe', chart.fg_color, 2, show_last = 366) //-----------------------------------------------------------------------------}
+ Bollinger Bands Width
https://www.tradingview.com/script/M2VlTCjs-Bollinger-Bands-Width/
ClassicScott
https://www.tradingview.com/u/ClassicScott/
109
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© ClassicScott // Here is my rendition of Bollinger Bands Width. If you are unfamiliar, Bollinger Bands Width is a measure of the distance between the top and // bottom bands of Bollinger Bands. Bollinger Bands themselves being a measure of market volatility, BB Width is a simpler, cleaner way of // determining the amount of volatility in the market. Myself, I found the original, basic version of BB Width a bit too basic, and I thought // that by adding to it it might make for an improvement for traders over the original. // Simple things that I've done are adding a signal line; adding a 'baseline' using Donchian Channels (such as that which is in my Average Candle // Bodies Range indicator); adding bar and background coloring; and adding alerts for increasing volatility, and baseline and signal line crosses. // It really ends up making for a much improved version of the basic indicator. // A note on how I created the baseline: // First, what do I mean by 'baseline?' I think of it as an area of the indicator where if the BB Width is below you will not want to enter into // any trades, and if the BB Width is above then you are free to enter trades based on your system. It's basically a volatility measure of the // volatility indicator. Waddah Attar Explosion is a popular indicator that implements something similar. The baseline is calculated thus: // make a Donchian Channel of the BB Width, and then use the basis as the baseline while not plotting the actual highs and lows of the Donchian // Channel. Now, the basis of a Donchian Channel is the average of the highs and the lows. If we did that here we would have a baseline much too // high, however, by making the basis adjustable with a divisor input it no longer must be plotted in the center of the channel, but may be moved // much lower (unless you set the divisor to 2, but you wouldn't do that). This divisor is essentially a sensitivity adjustment for the indicator. // Of course you don't have to use the baseline. You could ignore it and only use the signal line, or just use the rising and falling of the // BB Width by itself as your volatility measure. // *** A note on colors in the style tab // I truly do not understand why TradingView has every single color grouped together under (nearly) every single adjustable element of the indicator. // It makes no sense to me because only certain colors apply to certain aspects of it. I'm going to help you out here by giving you a cheat sheet // so you can make color changes more easily. // Colors 0 and 1 apply to the BB Width plot. // Colors 2 and 3 apply to the signal line. // Colors 4 and 5 apply to the background coloring. // Colors 6 and 7 apply to advancing and declining volatility (bar color for crosses) // Colors 2, 3, and 8 apply to bar colors //@version=5 indicator(title='+ Bollinger Bands Width', shorttitle='+ BBW', overlay=false) //BBW INPUTS\\ src = input(close, title='Source', group='Bollinger Bands Width Inputs') length = input.int(8, minval=1, title='Period', group='Bollinger Bands Width Inputs') ////BOLLINGER BANDS WIDTH CALCULATIONS basis = ta.sma(src, length) dev = 2 * ta.stdev(src, length) upper = basis + dev lower = basis - dev bbw = (upper - lower) / basis ////OTHER INPUTS & OPTIONS\\\\ //SIGNAL LINE INPUTS signal_type = input.string(defval='HMA', options=['EMA', 'HMA', 'RMA', 'SMA', 'VWMA', 'WMA'], title='Signal Type', group='Signal Line Inputs') signal_period = input.int(defval=13, title='Period', group='Signal Line Inputs') //BASELINE INPUTS vol_period_type = input.string(defval='RexDog Self-Adjusting', options=['RexDog Self-Adjusting', 'User Selected'], title='Baseline Period Type', group='Baseline Inputs', tooltip='RexDog Self-Adjusting is based on the RexDog Average by xkavalis. It is an average of six different averages, thus it is dynamic, or self-adjusting, and can not be changed by the user. If you want to be able to choose an averaging period yourself select User Selected.') vol_period = input.int(defval=21, title='Period', group='Baseline Inputs') divisor = input.float(defval=3.5, title='Divisor',minval=0.1, maxval=10, step=0.1, group='Baseline Inputs') //DOES BOLLINGER BANDS WIDTH HAVE TO BE RISING? bbw_vol = input.bool(defval=false, title='Require Rising Bollinger Bands Width', group='Bollinger Bands Width Volatility', tooltip='For signal line and baseline options. Require that Bollinger Bands Width be rising to highlight increasing volatility.') //BAR COLOR AND BACKGROUND COLOR FOR BASIC BOLLINGER BANDS WIDTH OPTIONS barcolor_bbw = input.bool(defval=true, title='Color Bars', group='Bollinger Bands Width Basic Options') bg_bbw = input.bool(defval=true, title='Color Background', group='Bollinger Bands Width Basic Options') //BAR COLOR AND BACKGROUND COLOR SIGNAL LINE OPTIONS barcolor_signal = input.bool(defval=false, title='Color Bars', group='Signal Line Options', tooltip='Colors bars depending on BB Width being above or below signal line.') bg_signal = input.bool(defval=false, title='Color Background', group='Signal Line Options', tooltip='Similar to above tooltip.') xover_signal = input.bool(false, 'Volatility Advance', group='Signal Line Options', tooltip='Colors the bar when BB Width crosses above the signal line, indiicating strong volatility.') xunder_signal = input.bool(false, 'Volatility Decline', group='Signal Line Options', tooltip='Colors the bar when BB Width crosses below the signal line, indicating weakening volatility.') //BAR COLOR AND BACKGROUND COLOR BASELINE OPTIONS barcolor_bline = input.bool(defval=false, title='Color Bars', group='Baseline Options', tooltip='See above tooltips in Signal Line Options, and transpose to Baseline.') bg_bline = input.bool(defval=false, title='Color Background', group='Baseline Options', tooltip='See above tooltip.') xover_bline = input.bool(false, 'Volatility Advance', group='Baseline Options', tooltip='Colors the bar when BB Width crosses above the baseline, indicating strong volatility.') xunder_bline = input.bool(false, 'Volatility Decline', group='Baseline Options', tooltip='Colors the bar when BB Width crosses below the baseline, indicating little volatility.') ///////////////////////////////////////////////////////////////////////////////////// ////SIGNAL LINE CHOICES signal(type, src, signal_period) => float result = 0 if type == 'EMA' result := ta.ema(bbw, signal_period) if type == 'HMA' result := ta.hma(bbw, signal_period) if type == 'RMA' result := ta.rma(bbw, signal_period) if type == 'SMA' result := ta.sma(bbw, signal_period) if type == 'WMA' result := ta.wma(bbw, signal_period) if type == 'VWMA' result:= ta.vwma(bbw, signal_period) result signal_line = signal(signal_type, bbw, signal_period) ///////////////////////////////////////////////////////////////////////////////////// ////DONCHIAN CHANNEL CALCULATION TO DETERMINE VOLATILITY PERCENT highest_baseline = vol_period_type == 'RexDog Self-Adjusting' ? (ta.highest(bbw, 5) + ta.highest(bbw, 9) + ta.highest(bbw, 24) + ta.highest(bbw, 50) + ta.highest(bbw, 100) + ta.highest(bbw, 200)) / 6 : ta.highest(bbw, vol_period) lowest_baseline = vol_period_type == 'RexDog Self-Adjusting' ? (ta.lowest(bbw, 5) + ta.lowest(bbw, 9) + ta.lowest(bbw, 24) + ta.lowest(bbw, 50) + ta.lowest(bbw, 100) + ta.lowest(bbw, 200)) / 6 : ta.lowest(bbw, vol_period) baseline = (highest_baseline + lowest_baseline) / divisor ///////////////////////////////////////////////////////////////////////////////////// //EXPANSION & CONTRACTION OF BOLLINGER BANDS (RISING/FALLING BOLLINGER BANDS WIDTH) //BBW COLOR bbw_color = if bbw > bbw[1] color.new(#ff9800, 0) else if bbw < bbw[1] color.new(#2962ff, 0) //SIGNAL LINE COLOR signal_color = if signal_line > signal_line[1] color.new(#00bcd4, 0) else if signal_line < signal_line[1] color.new(#e91e63, 0) ////PLOTS plot(bbw, title='Bollinger Bands Width', color=bbw_color, style=plot.style_columns) plot(signal_line, title='Signal Line', color=signal_color, linewidth=1, style=plot.style_line) plot(baseline, title='Baseline', color=color.new(color.white, 50), style=plot.style_area) ///////////////////////////////////////////////////////////////////////////////////// //BOLLINGER BANDS WIDTH & SIGNAL LINE RISING VARIABLES rising_bbw = bbw_vol and bbw > bbw[1] falling_bbw = bbw < bbw[1] ///////////////////////////////////////////////////////////////////////////////////// ////BACKGROUND CONDITIONS AND COLORING above_bline = bg_bline and bbw > baseline below_bline = bg_bline and bbw < baseline above_signal = bg_signal and bbw > signal_line below_signal = bg_signal and bbw < signal_line //BASIC Background_Basic = if bg_bbw and bbw > bbw[1] color.new(#00bcd4, 50) else if bg_bbw and falling_bbw color.new(#e91e63, 100) //ABOVE BASELINE AboveBaseline = if rising_bbw and above_bline color.new(#00bcd4, 50) else if rising_bbw and below_bline color.new(#e91e63, 100) else if not bbw_vol and above_bline color.new(#00bcd4, 50) else if not bbw_vol and below_bline color.new(#e91e63, 100) else if bg_bline and falling_bbw color.new(#e91e63, 100) //ABOVE SIGNAL LINE AboveSignalLine =if rising_bbw and above_signal color.new(#00bcd4, 50) else if below_signal color.new(#e91e63, 100) else if not bbw_vol and above_signal color.new(#00bcd4, 50) else if not bbw_vol and below_signal color.new(#e91e63, 100) else if bg_signal and falling_bbw color.new(#e91e63, 100) bgcolor(Background_Basic, title='Background | Basic BB Width Rising & Falling') bgcolor(AboveBaseline, title='Background | BB Width Above Baseline ') bgcolor(AboveSignalLine, title='Background | BB Width Above Signal Line') ///////////////////////////////////////////////////////////////////////////////////// ////BAR COLOR CONDITIONS AND COLORING FOR CROSSING ABOVE AND BELOW BASELINE AND SIGNAL LINE barcolor_xover_bline = xover_bline and ta.crossover(bbw, baseline) barcolor_xunder_bline = xunder_bline and ta.crossunder(bbw, baseline) barcolor_xover_signal = xover_signal and ta.crossover(bbw, signal_line) barcolor_xunder_signal = xunder_signal and ta.crossunder(bbw, signal_line) //ABOVE BASELINE BarColorBaselineCross = if barcolor_xover_bline color.new(#ffeb3b, 0) else if barcolor_xunder_bline color.new(#673ab7, 0) //ABOVE SIGNAL LINE BarColorSignalLineCross = if barcolor_xover_signal color.new(#ffeb3b, 0) else if barcolor_xunder_signal color.new(#673ab7, 0) barcolor(BarColorBaselineCross, title='Bar Color | BB Width Baseline Cross') barcolor(BarColorSignalLineCross, title='Bar Color | BB Width Signal Line Cross') ///////////////////////////////////////////////////////////////////////////////////// ////BAR COLOR CONDITIONS AND COLORING FOR BB WIDTH barcolor_above_bline = barcolor_bline and bbw > baseline barcolor_below_bline = barcolor_bline and bbw < baseline barcolor_above_signal = barcolor_signal and bbw > signal_line barcolor_below_signal = barcolor_signal and bbw < signal_line //BASIC BarColor_Basic = if barcolor_bbw and bbw > bbw[1] color.new(#00bcd4, 0) else if barcolor_bbw and bbw < bbw[1] color.new(#e91e63, 0) //ABOVE BASELINE BarColorBaseline = if rising_bbw and barcolor_above_bline color.new(#00bcd4, 0) else if barcolor_below_bline color.new(#e91e63, 0) else if not bbw_vol and barcolor_above_bline color.new(#00bcd4, 0) else if barcolor_above_bline and falling_bbw color.new(color.gray, 0) //ABOVE SIGNAL LINE BarColorSignalLine = if rising_bbw and barcolor_above_signal color.new(#00bcd4, 0) else if barcolor_below_signal color.new(#e91e63, 0) else if not bbw_vol and barcolor_above_signal color.new(#00bcd4, 0) else if barcolor_above_signal and falling_bbw color.new(color.gray, 0) barcolor(BarColor_Basic, title='Bar Color | Basic BB Width Rising & Falling') barcolor(BarColorBaseline, title='Bar Color | BB Width Above Baseline') barcolor(BarColorSignalLine, title='Bar Color | BB Width Above Signal Line') ///////////////////////////////////////////////////////////////////////////////////// hline(0, title='Zero Line', linestyle=hline.style_dotted) ////ALERT CONDITIONS alertcondition(ta.crossover(bbw, signal_line), title='Bollinger Bands Width Signal Line Crossover', message='Bollinger Bands Width has crossed over the signal line.') alertcondition(ta.crossover(bbw, baseline), title='Bollinger Bands Width Baseline Crossover', message='Bollinger Bands Width has crossed over the baseline.') alertcondition(ta.cross(bbw, signal_line), title='Bollinger Bands Width Signal Line Cross', message='Bollinger Bands Width has crossed the signal line.') alertcondition(ta.cross(bbw, baseline), title='Bollinger Bands Width Baseline Cross', message='Bollinger Bands Width has crossed the baseline.') alertcondition(bbw > bbw[1], title='Bollinger Bands Width Advancing', message='Bollinger Bands Width is advancing (Bollinger Bands expanding).') alertcondition(bbw < bbw[1], title='Bollinger Bands Width Baseline Declining', message='Bollinger Bands Width is declining (Bollinger Bands contracting).')
Jdawg Sentiment Momentum Oscillator Enhanced
https://www.tradingview.com/script/1TYgEdat-Jdawg-Sentiment-Momentum-Oscillator-Enhanced/
jbbarrett231
https://www.tradingview.com/u/jbbarrett231/
45
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© jbbarrett231 //@version=5 indicator("Jdawg Sentiment Momentum Oscillator Enhanced", shorttitle="JSMO_E", overlay=false) // Input parameters src = close rsiPeriod = input.int(10, title="RSI Period", minval=1) smaPeriod = input.int(7, title="SMA Period", minval=1) rocPeriod = input.int(5, title="ROC Period", minval=1) rocWeight = input.float(0.2, title="ROC Weight", minval=0, maxval=1, step=0.01) // Calculate the RSI rsi = ta.rsi(src, rsiPeriod) // Calculate the SMA of RSI smaRsi = ta.sma(rsi, smaPeriod) // Calculate the ROC of RSI rocRsi = ta.roc(rsi, rocPeriod) // Calculate the Enhanced SMO smo = rsi - smaRsi + (rocRsi * rocWeight) // Plot the Enhanced SMO with blue color plot(smo, title="JSMO Enhanced", color=color.blue, linewidth=3) // Plot zero line hline(0, "Zero Line", color=color.gray, linestyle=hline.style_dashed) // Plot Overbought and Oversold levels overbought1 = input.int(21, title="Overbought Level 1", minval=1) oversold1 = input.int(-21, title="Oversold Level 1", minval=-100) overbought2 = input.int(42, title="Overbought Level 2", minval=1) oversold2 = input.int(-42, title="Oversold Level 2", minval=-100) hline(overbought1, "Overbought 1", color=color.red, linestyle=hline.style_dashed) hline(oversold1, "Oversold 1", color=color.green, linestyle=hline.style_dashed) hline(overbought2, "Overbought 2", color=color.red, linestyle=hline.style_solid) hline(oversold2, "Oversold 2", color=color.green, linestyle=hline.style_solid)
Nonfarm [TjnTjn]
https://www.tradingview.com/script/IUl4vh5u/
TjnTjn
https://www.tradingview.com/u/TjnTjn/
5
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© TjnTjn //@version=5 //UTC+7 Sessions indicator("Nonfarm [TjnTjn]", overlay = true, max_labels_count = 500, max_lines_count = 500, max_boxes_count = 500, max_bars_back = 5000) /////////////// ColorH = input.color(color.new(color.red, 50), "Hour Nonfarm") ColorD = input.color(color.new(color.green, 80), "Day Nonfarm") Day_Month = dayofmonth(time, "GMT+0700") Month = month(time, "GMT+0700") Friday = ((dayofweek(time, "GMT+0700") == dayofweek.friday) ? true:false) //Check if it's Friday Thursday = ((dayofweek(time, "GMT+0700") == dayofweek.thursday) ? true:false) //Check if it's Thursday Wednesday = ((dayofweek(time, "GMT+0700") == dayofweek.wednesday) ? true:false) //Check if it's Wednesday Saturday = ((dayofweek(time, "GMT+0700") == dayofweek.saturday) ? true:false) //Check if it's Saturday // Check if the first day of January // If it's the 1nd, the nonfarm day will be the 8th // If it's the 2nd, the nonfarm day will be the 9th // If it's the 3rd, the nonfarm day will be the 10th Day_Month_1 = Month == 1 and Friday and Day_Month == 1? true: Month == 1 and Friday and Day_Month == 15?false:na Day_Month_11 = fixnan(Day_Month_1) and Month == 1 and Friday and Day_Month == 8 Day_Month_2 = Month == 1 and Friday and Day_Month == 2? true: Month == 1 and Friday and Day_Month == 16?false:na Day_Month_21 = fixnan(Day_Month_2) and Month == 1 and Friday and Day_Month == 9 Day_Month_3 = Month == 1 and Friday and Day_Month == 3? true: Month == 1 and Friday and Day_Month == 17?false:na Day_Month_31 = fixnan(Day_Month_3) and Month == 1 and Friday and Day_Month == 10 Day_Month_4567 = Month == 1 and Friday and (Day_Month == 4 or Day_Month == 5 or Day_Month == 6 or Day_Month == 7) ?true:false ////Check if current Friday is 1st or 2nd or 3rd but the previous month was 30 days or 29 days or 28 days. ////If true, the nonfarm day will be the next Friday of that month. Month_2_12 = Month == 1 ?false:true //Current month is not January Day1 = Month_2_12 and Day_Month[1] == 28 and Wednesday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==11?false:na Day11 = fixnan(Day1) and Friday and Day_Month == 10 Day2 = Month_2_12 and (Day_Month[1] == 28 or Day_Month[1] == 29) and Thursday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==10?false:na Day21 = fixnan(Day2) and Friday and Day_Month == 9 Day3 = Month_2_12 and (Day_Month[1] == 28 or Day_Month[1] == 29 or Day_Month[1] == 30) and Friday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==9?false:na Day31 = fixnan(Day3) and Friday and Day_Month == 8 NDay1 = Month_2_12 and (Day_Month[1] == 29 or Day_Month[1] == 30 or Day_Month[1] == 31) and Wednesday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==4?false:na NDay11 = fixnan(NDay1) and Friday and Day_Month == 3 NDay2 = Month_2_12 and (Day_Month[1] == 30 or Day_Month[1] == 31) and Thursday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==3?false:na NDay21 = fixnan(NDay2) and Friday and Day_Month == 2 NDay3 = Month_2_12 and (Day_Month[1] == 31) and Friday and Day_Month==1?true:Month_2_12 and Saturday and Day_Month==2?false:na NDay31 = fixnan(NDay3) and Friday and Day_Month == 1 ////Check if the current date is 4th 5th 6th, then nonfarm day is the first Friday of the month Day4_7 = (Day_Month == 4 or Day_Month == 5 or Day_Month == 6 or Day_Month == 7? true:false) N_Day = Day4_7 and Friday /////////////// Day_Nonfarm = Day_Month_11 or Day_Month_21 or Day_Month_31 or Day_Month_4567 or Day11 or Day21 or Day31 or N_Day or NDay11 or NDay21 or NDay31 Moth_cool = time(timeframe.period, "0730-0831") and Day_Nonfarm bgcolor(Day_Nonfarm? ColorD:na, editable=false) bgcolor(Moth_cool? ColorH:na, editable=false)
Momentum Ratio Oscillator [Loxx]
https://www.tradingview.com/script/cYl84KJB-Momentum-Ratio-Oscillator-Loxx/
loxx
https://www.tradingview.com/u/loxx/
246
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© loxx //@version=5 indicator("Momentum Ratio Oscillator [Loxx]", overlay = false, timeframe="", timeframe_gaps = true) import loxx/loxxexpandedsourcetypes/4 greencolor = #2DD204 redcolor = #D2042D smthtype = input.string("Kaufman", "HAB Calc Type", options = ["AMA", "T3", "Kaufman"], group='Source Settings') srcin = input.string("Close", "Source", options = ["Close", "Open", "High", "Low", "Median", "Typical", "Weighted", "Average", "Average Median Body", "Trend Biased", "Trend Biased (Extreme)", "HA Close", "HA Open", "HA High", "HA Low", "HA Median", "HA Typical", "HA Weighted", "HA Average", "HA Average Median Body", "HA Trend Biased", "HA Trend Biased (Extreme)", "HAB Close", "HAB Open", "HAB High", "HAB Low", "HAB Median", "HAB Typical", "HAB Weighted", "HAB Average", "HAB Average Median Body", "HAB Trend Biased", "HAB Trend Biased (Extreme)"], group='Source Settings') inpPeriod = input.int(50, "Period", group = "Basic Settings") sigtype = input.string("Middle", "Signal Type", options = ["Middle", "Levels", "Signal"], group = "Signal Settings") upperlvl = input.float(0.8, "Upper Level", group = "Signal Settings") lowerlvl = input.float(0.2, "Lower Level", group = "Signal Settings") colorbars = input.bool(true, "Color bars?", group= "UI Options") showSigs = input.bool(true, "Show Signals?", group = "UI Options") kfl = input.float(0.666, title="* Kaufman's Adaptive MA (KAMA) Only - Fast End", group = "Moving Average Inputs") ksl = input.float(0.0645, title="* Kaufman's Adaptive MA (KAMA) Only - Slow End", group = "Moving Average Inputs") amafl = input.int(2, title="* Adaptive Moving Average (AMA) Only - Fast", group = "Moving Average Inputs") amasl = input.int(30, title="* Adaptive Moving Average (AMA) Only - Slow", group = "Moving Average Inputs") t3hot = input.float(.7, "* T3 Only - T3 Hot", group = "Moving Average Inputs") t3swt = input.string("T3 New", "* T3 Only - T3 Type", options = ["T3 New", "T3 Original"], group = "Moving Average Inputs") haclose = ohlc4 haopen = float(na) haopen := na(haopen[1]) ? (open + close) / 2 : (nz(haopen[1]) + nz(haclose[1])) / 2 hahigh =math.max(high, math.max(haopen, haclose)) halow = math.min(low, math.min(haopen, haclose)) hamedian = (hahigh + halow) / 2 hatypical = (hahigh + halow + haclose) / 3 haweighted = (hahigh + halow + haclose + haclose)/4 haaverage = (haopen + hahigh + halow + haclose)/4 sourceout(smthtype, srcin)=> src = switch srcin "Close" => close "Open" => open "High" => high "Low" => low "Median" => hl2 "Typical" => hlc3 "Weighted" => hlcc4 "Average" => ohlc4 "Average Median Body" => (open + close)/2 "Trend Biased" => loxxexpandedsourcetypes.rtrendb() "Trend Biased (Extreme)" => loxxexpandedsourcetypes.rtrendbext() "HA Close" => loxxexpandedsourcetypes.haclose(haclose) "HA Open" => loxxexpandedsourcetypes.haopen(haopen) "HA High" => loxxexpandedsourcetypes.hahigh(hahigh) "HA Low" => loxxexpandedsourcetypes.halow(halow) "HA Median" => loxxexpandedsourcetypes.hamedian(hamedian) "HA Typical" => loxxexpandedsourcetypes.hatypical(hatypical) "HA Weighted" => loxxexpandedsourcetypes.haweighted(haweighted) "HA Average" => loxxexpandedsourcetypes.haaverage(haaverage) "HA Average Median Body" => loxxexpandedsourcetypes.haavemedbody(haclose, haopen) "HA Trend Biased" => loxxexpandedsourcetypes.hatrendb(haclose, haopen, hahigh, halow) "HA Trend Biased (Extreme)" => loxxexpandedsourcetypes.hatrendbext(haclose, haopen, hahigh, halow) "HAB Close" => loxxexpandedsourcetypes.habclose(smthtype, amafl, amasl, kfl, ksl) "HAB Open" => loxxexpandedsourcetypes.habopen(smthtype, amafl, amasl, kfl, ksl) "HAB High" => loxxexpandedsourcetypes.habhigh(smthtype, amafl, amasl, kfl, ksl) "HAB Low" => loxxexpandedsourcetypes.hablow(smthtype, amafl, amasl, kfl, ksl) "HAB Median" => loxxexpandedsourcetypes.habmedian(smthtype, amafl, amasl, kfl, ksl) "HAB Typical" => loxxexpandedsourcetypes.habtypical(smthtype, amafl, amasl, kfl, ksl) "HAB Weighted" => loxxexpandedsourcetypes.habweighted(smthtype, amafl, amasl, kfl, ksl) "HAB Average" => loxxexpandedsourcetypes.habaverage(smthtype, amafl, amasl, kfl, ksl) "HAB Average Median Body" => loxxexpandedsourcetypes.habavemedbody(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased" => loxxexpandedsourcetypes.habtrendb(smthtype, amafl, amasl, kfl, ksl) "HAB Trend Biased (Extreme)" => loxxexpandedsourcetypes.habtrendbext(smthtype, amafl, amasl, kfl, ksl) => close ema = 0. emaa = 0. emab = 0. alpha = 2.0 / (1.0 * inpPeriod) ema := nz(ema[1]) + alpha * (sourceout(smthtype, srcin) - nz(ema[1])) ratioa = ema/ema[1] emaa := nz(emaa[1]) + alpha * ((ratioa < 1.0 ? ratioa : 0) - nz(emaa[1])) emab := nz(emab[1]) + alpha * ((ratioa > 1.0 ? ratioa : 0) - nz(emab[1])) ratiob = ratioa / (ratioa + emab) val = 2.0 * ratioa / (ratioa + ratiob * emaa) - 1.0 sig = val[1] middle = 0.5 colorout = sigtype == "Middle" ? val > middle ? greencolor : redcolor : sigtype == "Signal" ? val > sig ? greencolor : redcolor : val > upperlvl ? greencolor : val < lowerlvl ? redcolor : color.gray plot(val, color = colorout, linewidth = 2) plot(middle, "Middle", color = color.gray) plot(upperlvl, "Upper Level", color = greencolor) plot(lowerlvl, "Lower Level", color = redcolor) barcolor(colorbars ? colorout : na) goLong = sigtype == "Middle" ? ta.crossover(val, middle) : sigtype == "Signal" ? ta.crossover(val, sig) : ta.crossover(val, upperlvl) goShort = sigtype == "Middle" ? ta.crossunder(val, middle) : sigtype == "Signal" ? ta.crossunder(val, sig) : ta.crossunder(val, lowerlvl) plotshape(showSigs and goLong, title = "Long", color = color.yellow, textcolor = color.yellow, text = "L", style = shape.triangleup, location = location.bottom, size = size.tiny) plotshape(showSigs and goShort, title = "Short", color = color.fuchsia, textcolor = color.fuchsia, text = "S", style = shape.triangledown, location = location.top, size = size.tiny) alertcondition(goLong, title="Long", message="Momentum Ratio Oscillator [Loxx]: Long\nSymbol: {{ticker}}\nPrice: {{close}}") alertcondition(goShort, title="Short", message="Momentum Ratio Oscillator [Loxx]: Short\nSymbol: {{ticker}}\nPrice: {{close}}")
Statistics: High & Low timings of custom session; 1yr history
https://www.tradingview.com/script/7m6q1EK2-Statistics-High-Low-timings-of-custom-session-1yr-history/
twingall
https://www.tradingview.com/u/twingall/
54
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Getting stats on 15m timeframe only: for high and low timings of custom session // Β© twingall //@version=5 indicator(title='Statistics: 15m high & low timings custom session', overlay=true, max_bars_back =5000) //user inputs: timeZone = input.string("America/New_York", group = 'Statistics, Sessions, Timezones', inline = '7', options =["America/New_York", "GMT-10", "GMT-9", "GMT-8", "GMT-7", "GMT-6", "GMT-5", "GMT-4", "GMT-3", "GMT-2", "GMT-1", "GMT", "GMT+1", "GMT+2", "GMT+3", "GMT+4", "GMT+5", "GMT+6", "GMT+7", "GMT+8", "GMT+9", "GMT+10", "GMT+11", "GMT+12", "GMT+13"]) inputSess = input.session("1330-1600", "User Session", group = 'Statistics, Sessions, Timezones', inline = '5') _daysInput = input.string("ALL", "Day Of Week", group = 'Statistics, Sessions, Timezones', options = ["ALL","CURRENT","MON","TUE","WED","THU","FRI", "SAT", "SUN"], tooltip = "Choose to get stats on specific days of week\n\nLeave set to 'ALL' for indicator to work as before\n\nSample size will obviously be smaller if you select specific days.") showTable = input.bool(true, "Table", group = "Table Settings", inline ='1' ) horizontalTab = input.bool(true, "show table horizontally",group = "Table Settings", inline ='2', tooltip = "toggle this on when you have an especially long session") tabPos = input.string(position.top_right, "Position:", group = "Table Settings", inline ='3', options = [ position.top_right, position.top_left, position.top_center, position.middle_left, position.middle_center, position.middle_right, position.bottom_left, position.bottom_center, position.bottom_right]) txtSize = input.string( size.large, "Text size:",group = "Table Settings",inline ='3', options = [size.auto, size.tiny, size.small, size.normal, size.large, size.huge]) txtCol = input.color(color.red, "Text Color:", group = "Table Settings", inline ='3') tabCellValueCol = input.color(color.new(color.fuchsia, 67), "Value cells",group = "Table Settings", inline = '5') tabCellSessCol = input.color(color.new(color.blue, 70), "Session cells",group = "Table Settings", inline = '5') highTitleCol = input.color(color.new(color.green, 60), "High title cell",group = "Table Settings", inline = '5') lowTitleCol = input.color(color.new(color.red, 60), "Low title cell",group = "Table Settings", inline = '5') showPct = input.bool(true, "show % (rather than count) ||",group = "Table Settings", inline = '7') precision = input.int(0, "decimal precision for %", minval = 0 ,group = "Table Settings", inline = '7') showSessHighlight= input(defval=true, title='Session Background highlight', inline = '8') bgCol = input.color(color.new(color.fuchsia, 67), "", inline = '8') is15min = timeframe.period == "15" useStartDate = input.bool(false, "use start date | ", inline = "1", group = "~~ Manual Backtesting Period ~~") startLineCol = input.color(color.red, "start line color", inline = "1", group = "~~ Manual Backtesting Period ~~", tooltip = "this line can be set manually here, or dragged across the chart to change") startLineWidth = input.int(2, "width", options= [1,2,3,4,5], inline = "1", group = "~~ Manual Backtesting Period ~~") startDate= input.time(timestamp("20 May 2023 00:00 +0300"), "Start Date", inline = "2", confirm = false, group = "~~ Manual Backtesting Period ~~") startDateCond = useStartDate?time>startDate:true var line lnStrt = na if barstate.islastconfirmedhistory and useStartDate lnStrt:=line.new(startDate, high, startDate, high+1, xloc = xloc.bar_time, color= startLineCol, extend = extend.both, width = startLineWidth) line.delete(lnStrt[1]) ///////////////// int daysInput = switch _daysInput "SUN" => 1 "MON" => 2 "TUE" => 3 "WED" => 4 "THU" => 5 "FRI" => 6 "SAT" => 7 =>na _currentDay = dayofweek(timenow, timeZone) inputDayCond = _daysInput == "ALL"? true: _daysInput== "CURRENT"? dayofweek(time, timeZone) == _currentDay: dayofweek(time, timeZone) == daysInput //get the length (in 15min bars) of user input session int sessStHr = math.round(str.tonumber(str.substring(inputSess,0,2))) int sessStMn = math.round(str.tonumber(str.substring(inputSess,2,4))) sessStart = timestamp("America/New_York", year, month, dayofweek, sessStHr, sessStMn, 00 ) int sessEndHr = math.round(str.tonumber(str.substring(inputSess,5,7))) int sessEndMn = math.round(str.tonumber(str.substring(inputSess,7,9))) sessEnd = timestamp("America/New_York", year, month, dayofweek, sessEndHr, sessEndMn, 00 ) int sessLen = math.round((sessEnd-sessStart)/1000/15/60) userSess=time(timeframe.period, inputSess, timeZone) bool inSess= nz(userSess) bgcolor(showSessHighlight and is15min and inSess and inputDayCond? bgCol : na) var array<int> highIncremArr = array.new<int>(sessLen+1,0) var array<int> lowIncremArr = array.new<int>(sessLen+1,0) offset_H = math.abs(ta.highestbars(high[1],sessLen)) offset_L = math.abs(ta.lowestbars(low[1],sessLen)) // ~~~~FUNCTIONS ~~~~ getTimeTitle(sess)=> var string timeTitle =na var array<string> timeTitleArr = array.new<string>(sessLen) if sess[1] and not sess for i=sessLen -1 to 0 timeTitle:= str.format_time(time_close[i+2],"HH:mm", "America/New_York") array.set(timeTitleArr, i, timeTitle) timeTitleArr incrementerFxn(array<int> arr, int offsetter)=> if inSess[1] and not inSess and inputDayCond and startDateCond //inputDayCond: is input day at the END of your session, or simply = true if 'ALL' is selected for i= 0 to sessLen if offsetter == i x = array.get(arr, offsetter)+1 array.set(arr, offsetter, x) arr pct(countSum, int _int)=> float pct = 0 if countSum>0 pct:= math.round((_int/countSum)*100,precision) pct tableTimesTitleFill(array<string> arr, table, arrSize)=> if not horizontalTab and showTable for i = 0 to arrSize-1 table.cell(table, 0, i+2, str.tostring(array.get(arr, (arrSize-1)-i)),bgcolor = tabCellSessCol, text_color = txtCol, text_size = txtSize) if horizontalTab for i = 0 to arrSize-1 table.cell(table, i+2, 0, str.tostring(array.get(arr, (arrSize-1)-i)),bgcolor = tabCellSessCol, text_color = txtCol, text_size = txtSize) // for percent calculations daySum = array.sum(highIncremArr) tableIntsToFill(array<int> arr, int num, table, arrSize)=> if not horizontalTab and showTable for i = 0 to arrSize-1 table.cell(table, 1+num, i+2, showPct?str.tostring(pct(daySum,array.get(arr, (arrSize-1)-i)))+" %":str.tostring(array.get(arr, (arrSize-1)-i)),bgcolor = tabCellValueCol, text_color = txtCol, text_size = txtSize) if horizontalTab for i = 0 to arrSize-1 table.cell(table, i+2, 1+num, showPct?str.tostring(pct(daySum,array.get(arr, (arrSize-1)-i)))+" %":str.tostring(array.get(arr, (arrSize-1)-i)),bgcolor = tabCellValueCol, text_color = txtCol, text_size = txtSize) incrementerFxn(highIncremArr,offset_H) incrementerFxn(lowIncremArr,offset_L) timeTitleArr = getTimeTitle(inSess) titleArrSize = array.size(timeTitleArr) string currentDay = switch _currentDay 1 => "SUN" 2 => "MON" 3 => "TUE" 4 => "WED" 5 => "THU" 6 => "FRI" 7 => "SAT" =>na dayString = _daysInput == "ALL"? "Trading Days": _daysInput == "CURRENT"? currentDay :str.tostring(_daysInput) var Table = table.new(tabPos, columns = 100, rows =100, bgcolor =color.new(color.gray, 74), border_width = 1) if is15min and showTable table.cell(Table,0, 0, "~~STATISTICS~~\n"+str.tostring(daySum) +"x " +dayString, text_color = txtCol, text_size = txtSize, bgcolor = color.yellow, text_halign = text.align_center) table.cell(Table,horizontalTab?1:0, horizontalTab?0:1, "session", text_color = txtCol, text_size = txtSize, bgcolor = tabCellSessCol, text_halign = text.align_center) table.cell(Table,1, 1, "high:", text_color = txtCol, text_size = txtSize, bgcolor = highTitleCol, text_halign = text.align_center) tableTimesTitleFill(timeTitleArr, Table, titleArrSize) tableIntsToFill(highIncremArr,0, Table, titleArrSize) tableIntsToFill(lowIncremArr,1, Table, titleArrSize) if not horizontalTab table.cell(Table,1, 0, "Day of Week:", text_color = txtCol, text_size = txtSize, bgcolor = color.new(color.gray,70), text_halign = text.align_center) table.cell(Table,2, 0, str.tostring(_daysInput), text_color = txtCol, text_size = txtSize, bgcolor = color.new(color.gray,70), text_halign = text.align_center) table.cell(Table,horizontalTab?1:2, horizontalTab?2:1, " low: ", text_color = txtCol, text_size = txtSize, bgcolor = lowTitleCol, text_halign = text.align_center) if horizontalTab table.cell(Table,0, 1, "~ Day of Week ~", text_color = txtCol, text_size = txtSize, bgcolor = color.new(color.gray,70), text_halign = text.align_center) table.cell(Table,0, 2, str.tostring(_daysInput), text_color = txtCol, text_size = txtSize, bgcolor = color.new(color.gray,70), text_halign = text.align_center) table.cell(Table,horizontalTab?1:2, horizontalTab?2:1, "low:", text_color = txtCol, text_size = txtSize, bgcolor = lowTitleCol, text_halign = text.align_center)
Typical Price Difference - TPD Β© with reversal zones and signals
https://www.tradingview.com/script/UEjf0TZl-Typical-Price-Difference-TPD-with-reversal-zones-and-signals/
MyFire_Yiannis
https://www.tradingview.com/u/MyFire_Yiannis/
34
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // MyFire_Yiannis 2023 // // v1.0 NOTE: This script has been tested ONLY for BTC in a weekly time frame //@version=5 indicator(title = 'Typical Price Difference with reversal zones and signals', shorttitle = 'TPD v1.0', overlay=false) catTPD = '--------- Typical Price Difference ----------' cat_HV = '----------- Historical Volatility -----------' catCMW = '------------ CM_Williams_Vix_Fix ------------' catZaS = '--------- Zones and Signals visuals ---------' ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// // TPD START //// cumulativePeriod = input(14, 'VWAP Period', group = catTPD) difference = input.float(30.0, 'VWAP Difference', step = 1, group = catTPD) typicalPrice = (high + low + close) / 3 typicalPriceVolume = typicalPrice * volume cumulativeTypicalPriceVolume = ta.sma(typicalPriceVolume, cumulativePeriod) cumulativeVolume = ta.sma(volume, cumulativePeriod) vwapValue = cumulativeTypicalPriceVolume / cumulativeVolume diff = ((close - vwapValue) / close ) * 100 plot_color = diff >= difference ? color.red : (diff <= -difference ? color.green : color.yellow) pTPD = plot(diff, color=plot_color) //// // TPD STOP ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// // Historical Volatility START // Β© TradingView //// show_hv = input.bool(defval = false, title = 'Show Historical Volatility', group = cat_HV) length = input.int(14, minval=1, group = cat_HV) annual = 365 per = timeframe.isintraday or timeframe.isdaily and timeframe.multiplier == 1 ? 1 : 7 hv = 100 * ta.stdev(math.log(close / close[1]), length) * math.sqrt(annual / per) plot(show_hv and hv ? hv : na, "HV", color=#2962FF) //// // Historical Volatility STOP ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// // CM_Williams_Vix_Fix Finds Market Bottoms START // Β© ChrisMoody //// period = input(22, title='LookBack Period for Williams VixFix', group = catCMW) bbl = input(20, title='Bolinger Band Length', group = catCMW) mult = input.float(2.0, minval=1, maxval=5, title='Bollinger Band Standard Devaition Up', group = catCMW) lb = input(50, title='Look Back Period Percentile High', group = catCMW) ph = input(.90, title='Highest Percentile - 0.90=90%, 0.95=95%, 0.99=99%', group = catCMW) pl = input(1.01, title='Lowest Percentile - 1.10=90%, 1.05=95%, 1.01=99%', group = catCMW) hp = input(false, title='Show High Range - Based on Percentile and LookBack Period?', group = catCMW) sd = input(false, title='Show Standard Deviation Line?', group = catCMW) wvf = ((ta.highest(close, period) - low) / ta.highest(close, period)) * 100 sDev = mult * ta.stdev(wvf, bbl) midLine = ta.sma(wvf, bbl) lowerBand = midLine - sDev upperBand = midLine + sDev rangeHigh = ta.highest(wvf, lb) * ph rangeLow = ta.lowest(wvf, lb) * pl col = wvf >= upperBand or wvf >= rangeHigh ? color.lime : color.gray wvfCond = wvf >= upperBand or wvf >= rangeHigh plot(hp and rangeHigh ? rangeHigh : na, title='Range High Percentile', style=plot.style_line, linewidth=4, color=color.new(color.orange, 0)) plot(hp and rangeLow ? rangeLow : na, title='Range High Percentile', style=plot.style_line, linewidth=4, color=color.new(color.orange, 0)) plot(wvf, title='Williams Vix Fix', style=plot.style_histogram, linewidth=4, color=col) plot(sd and upperBand ? upperBand : na, title='Upper Band', style=plot.style_line, linewidth=3, color=color.new(color.aqua, 0)) //// // CM_Williams_Vix_Fix Finds Market Bottoms STOP ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// // Zones and signals calculations START //// show_signal = input.bool(defval = true, title = 'Show Signals', group = catZaS) show_zones = input.bool(defval = true, title = 'Show Zones', group = catZaS) bgcolor(show_zones and diff >= difference ? color.new(color.red, 80) : (show_zones and diff <= -difference ? color.new(color.green, 70) : na)) src = (diff + hv) / 2 cci = ta.cci(src, period) pCCI = plot(cci, title = "WMA", style = plot.style_line, linewidth = 1, color=color.white) greencolor = #2af70b redcolor = #f70606 fill(pTPD, pCCI, color = cci > diff ? greencolor : na) fill(pTPD, pCCI, color = cci < diff ? redcolor : na) reverseLong = ta.roc(cci, 1) > ta.roc(close, 1) reverseShort = ta.roc(cci, 1) < ta.roc(close, 1) plotshape(show_signal and diff <= -difference and reverseLong and wvfCond, title = 'Long', color = greencolor, textcolor = greencolor, text = "rL", style = shape.triangleup, location = location.bottom, size = size.auto) plotshape(show_signal and diff >= difference and reverseShort and wvfCond, title = 'Short', color = redcolor, textcolor = redcolor, text = "rS", style = shape.triangledown, location = location.top, size = size.auto) //// // Zones and signals calculations STOP //////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
Correlation Analysis
https://www.tradingview.com/script/h7IhmnjY-Correlation-Analysis/
LucasVivien
https://www.tradingview.com/u/LucasVivien/
25
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Created With passion by Β© LucasVivien //@version=5 // V2 = v24 indicator('Correlation Analysis', overlay=false) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² //                                 INPUTS                               // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό var g_1 = "Correlation Display" plotcorrelation = input.bool (true , group=g_1, inline="a", title='Correlation') i_highcorr = input.color (#FF0000 , group=g_1, inline="a", title="") i_lowcorr = input.color (#00bcd4 , group=g_1, inline="a", title="" , tooltip='Plots correlation between current chart and the "Reference Market" (input) below.\n\nCorrelation is calculated over the "Lookback" (input) number of periods.') useScreener = input.bool (false , group=g_1, inline="b", title="Screener") boxLoc = input.string("Top right", group=g_1, inline="b", title="" , options=["Top center", "Top left", "Top right", "Middle center", "Middle left", "Middle right", "Bottom center", "Bottom left", "Bottom right"], tooltip='PLOTS CROSS-CORRELATION TABLE\nAdjust the number of lines/columns by turning on/off symbol switches below.\n\n - WARNING -\nDisplaying many symbols is memory/calculation expensive!\nDepending on you TradingView subscription plan, you might not be able to display all 20 at once.\nAlso, the more bars displayed on the chart (eg: on lower timeframes), the longer it will take for the script to execute.\nIf the script does not compile, simply turn off some symbols until it does.') lookback = input.int (20 , group=g_1 , title='Lookback', tooltip="Correlation Lookback period") source = input.source(close , group=g_1 , title='Source' , tooltip="Price data source") hiColGrad = input.int (80 , group=g_1, inline="c", title="Gradient: High/Low", tooltip="") loColGrad = input.int (0 , group=g_1, inline="c", title="", tooltip="Adjust high correlation color gradient max threshold") var g_2 = "Other Display" i_maCol = input.color (#e2df21 , group=g_2, inline="d", title="") plotsma = input.bool (false , group=g_2, inline="d", title='Correlation EMA') corr_ma_len = input.int (100 , group=g_2, inline="d", title="") i_covCol = input.color (#f87b27 , group=g_2, inline="e", title="") plotcovariance = input.bool (false , group=g_2, inline="e", title='Covariance') i_varCurCol = input.color (#6331eb , group=g_2, inline="f", title="") i_plotVarCur = input.bool (false , group=g_2, inline="f", title='Variation') var g_symb = "Symbol" u01 = input.bool(true , title = "01 - Reference Market", group=g_symb, inline='s01') u02 = input.bool(true , title = "02", group=g_symb, inline='s02') u03 = input.bool(true , title = "03", group=g_symb, inline='s03') u04 = input.bool(true , title = "04", group=g_symb, inline='s04') u05 = input.bool(true , title = "05", group=g_symb, inline='s05') u06 = input.bool(true , title = "06", group=g_symb, inline='s06') u07 = input.bool(false, title = "07", group=g_symb, inline='s07') u08 = input.bool(false, title = "08", group=g_symb, inline='s08') u09 = input.bool(false, title = "09", group=g_symb, inline='s09') u10 = input.bool(false, title = "10", group=g_symb, inline='s10') u11 = input.bool(false, title = "11", group=g_symb, inline='s11') u12 = input.bool(false, title = "12", group=g_symb, inline='s12') u13 = input.bool(false, title = "13", group=g_symb, inline='s13') u14 = input.bool(false, title = "14", group=g_symb, inline='s14') u15 = input.bool(false, title = "15", group=g_symb, inline='s15') u16 = input.bool(false, title = "16", group=g_symb, inline='s16') u17 = input.bool(false, title = "17", group=g_symb, inline='s17') u18 = input.bool(false, title = "18", group=g_symb, inline='s18') u19 = input.bool(false, title = "19", group=g_symb, inline='s19') u20 = input.bool(false, title = "20", group=g_symb, inline='s20') s01 = input.symbol('BTCUSDT' , title="", group=g_symb, inline='s01') s02 = input.symbol('AAVEUSDT' , title="", group=g_symb, inline='s02') s03 = input.symbol('AVAXUSDT' , title="", group=g_symb, inline='s03') s04 = input.symbol('BNBUSDT' , title="", group=g_symb, inline='s04') s05 = input.symbol('DASHUSDT' , title="", group=g_symb, inline='s05') s06 = input.symbol('DOGEUSDT' , title="", group=g_symb, inline='s06') s07 = input.symbol('ENSUSDT' , title="", group=g_symb, inline='s07') s08 = input.symbol('ETHUSDT' , title="", group=g_symb, inline='s08') s09 = input.symbol('FILUSDT' , title="", group=g_symb, inline='s09') s10 = input.symbol('FTMUSDT' , title="", group=g_symb, inline='s10') s11 = input.symbol('LUNCUSDT' , title="", group=g_symb, inline='s11') s12 = input.symbol('MATICUSDT', title="", group=g_symb, inline='s12') s13 = input.symbol('NEARUSDT' , title="", group=g_symb, inline='s13') s14 = input.symbol('RUNEUSDT' , title="", group=g_symb, inline='s14') s15 = input.symbol('SHIBUSDT' , title="", group=g_symb, inline='s15') s16 = input.symbol('SOLUSDT' , title="", group=g_symb, inline='s16') s17 = input.symbol('THETAUSDT', title="", group=g_symb, inline='s17') s18 = input.symbol('UNIUSDT' , title="", group=g_symb, inline='s18') s19 = input.symbol('WAVESUSDT', title="", group=g_symb, inline='s19') s20 = input.symbol('XRPUSDT' , title="", group=g_symb, inline='s20') symCount = (u01 ? 1 : 0 ) + (u02 ? 1 : 0 ) + (u03 ? 1 : 0 ) + (u04 ? 1 : 0 ) + (u05 ? 1 : 0 ) + (u06 ? 1 : 0 ) + (u07 ? 1 : 0 ) + (u08 ? 1 : 0 ) + (u09 ? 1 : 0 ) + (u10 ? 1 : 0 ) + (u11 ? 1 : 0 ) + (u12 ? 1 : 0 ) + (u13 ? 1 : 0 ) + (u14 ? 1 : 0 ) + (u15 ? 1 : 0 ) + (u16 ? 1 : 0 ) + (u17 ? 1 : 0 ) + (u18 ? 1 : 0 ) + (u19 ? 1 : 0 ) + (u20 ? 1 : 0 ) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // REQUEST DATA - 20 SYMBOLS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό c = barstate.isconfirmed ? 0 : 1 [c_01, name_01, namef_01, type_01] = request.security(s01, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_02, name_02, namef_02, type_02] = request.security(s02, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_03, name_03, namef_03, type_03] = request.security(s03, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_04, name_04, namef_04, type_04] = request.security(s04, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_05, name_05, namef_05, type_05] = request.security(s05, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_06, name_06, namef_06, type_06] = request.security(s06, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_07, name_07, namef_07, type_07] = request.security(s07, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_08, name_08, namef_08, type_08] = request.security(s08, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_09, name_09, namef_09, type_09] = request.security(s09, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_10, name_10, namef_10, type_10] = request.security(s10, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_11, name_11, namef_11, type_11] = request.security(s11, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_12, name_12, namef_12, type_12] = request.security(s12, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_13, name_13, namef_13, type_13] = request.security(s13, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_14, name_14, namef_14, type_14] = request.security(s14, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_15, name_15, namef_15, type_15] = request.security(s15, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_16, name_16, namef_16, type_16] = request.security(s16, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_17, name_17, namef_17, type_17] = request.security(s17, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_18, name_18, namef_18, type_18] = request.security(s18, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_19, name_19, namef_19, type_19] = request.security(s19, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) [c_20, name_20, namef_20, type_20] = request.security(s20, timeframe.period, [source[c], syminfo.basecurrency, syminfo.ticker, syminfo.type]) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // CALCULATE STANDARD DEVIATIONS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό // St DEV FUNCTION: returns stDev(_Price) => Var = math.round((_Price - _Price[1]) / _Price * 100, 2) var arr = array.new_float(lookback) array.shift(arr) array.push(arr, Var) StDev = array.stdev(arr) [arr, StDev, Var] [arr_cur, StDev_cur, Var_cur] = stDev(source) [arr_01 , StDev_01 , Var_01 ] = stDev(c_01) [arr_02 , StDev_02 , Var_02 ] = stDev(c_02) [arr_03 , StDev_03 , Var_03 ] = stDev(c_03) [arr_04 , StDev_04 , Var_04 ] = stDev(c_04) [arr_05 , StDev_05 , Var_05 ] = stDev(c_05) [arr_06 , StDev_06 , Var_06 ] = stDev(c_06) [arr_07 , StDev_07 , Var_07 ] = stDev(c_07) [arr_08 , StDev_08 , Var_08 ] = stDev(c_08) [arr_09 , StDev_09 , Var_09 ] = stDev(c_09) [arr_10 , StDev_10 , Var_10 ] = stDev(c_10) [arr_11 , StDev_11 , Var_11 ] = stDev(c_11) [arr_12 , StDev_12 , Var_12 ] = stDev(c_12) [arr_13 , StDev_13 , Var_13 ] = stDev(c_13) [arr_14 , StDev_14 , Var_14 ] = stDev(c_14) [arr_15 , StDev_15 , Var_15 ] = stDev(c_15) [arr_16 , StDev_16 , Var_16 ] = stDev(c_16) [arr_17 , StDev_17 , Var_17 ] = stDev(c_17) [arr_18 , StDev_18 , Var_18 ] = stDev(c_18) [arr_19 , StDev_19 , Var_19 ] = stDev(c_19) [arr_20 , StDev_20 , Var_20 ] = stDev(c_20) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // ARRAYS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό // ARRAY: Turn On/Off Markets u_arr = array.new_bool (0) array.push(u_arr, u01) array.push(u_arr, u02) array.push(u_arr, u03) array.push(u_arr, u04) array.push(u_arr, u05) array.push(u_arr, u06) array.push(u_arr, u07) array.push(u_arr, u08) array.push(u_arr, u09) array.push(u_arr, u10) array.push(u_arr, u11) array.push(u_arr, u12) array.push(u_arr, u13) array.push(u_arr, u14) array.push(u_arr, u15) array.push(u_arr, u16) array.push(u_arr, u17) array.push(u_arr, u18) array.push(u_arr, u19) array.push(u_arr, u20) // ARRAY: Symbol Types type_arr = array.new_string(0) array.push(type_arr, type_01) array.push(type_arr, type_02) array.push(type_arr, type_03) array.push(type_arr, type_04) array.push(type_arr, type_05) array.push(type_arr, type_06) array.push(type_arr, type_07) array.push(type_arr, type_08) array.push(type_arr, type_09) array.push(type_arr, type_10) array.push(type_arr, type_11) array.push(type_arr, type_12) array.push(type_arr, type_13) array.push(type_arr, type_14) array.push(type_arr, type_15) array.push(type_arr, type_16) array.push(type_arr, type_17) array.push(type_arr, type_18) array.push(type_arr, type_19) array.push(type_arr, type_20) // ARRAY: Symbol Names name_arr = array.new_string(0) array.push(name_arr, name_01) array.push(name_arr, name_02) array.push(name_arr, name_03) array.push(name_arr, name_04) array.push(name_arr, name_05) array.push(name_arr, name_06) array.push(name_arr, name_07) array.push(name_arr, name_08) array.push(name_arr, name_09) array.push(name_arr, name_10) array.push(name_arr, name_11) array.push(name_arr, name_12) array.push(name_arr, name_13) array.push(name_arr, name_14) array.push(name_arr, name_15) array.push(name_arr, name_16) array.push(name_arr, name_17) array.push(name_arr, name_18) array.push(name_arr, name_19) array.push(name_arr, name_20) // ARRAY: tandard Deviation StDev_arr = array.new_float (0) array.push(StDev_arr, StDev_01) array.push(StDev_arr, StDev_02) array.push(StDev_arr, StDev_03) array.push(StDev_arr, StDev_04) array.push(StDev_arr, StDev_05) array.push(StDev_arr, StDev_06) array.push(StDev_arr, StDev_07) array.push(StDev_arr, StDev_08) array.push(StDev_arr, StDev_09) array.push(StDev_arr, StDev_10) array.push(StDev_arr, StDev_11) array.push(StDev_arr, StDev_12) array.push(StDev_arr, StDev_13) array.push(StDev_arr, StDev_14) array.push(StDev_arr, StDev_15) array.push(StDev_arr, StDev_16) array.push(StDev_arr, StDev_17) array.push(StDev_arr, StDev_18) array.push(StDev_arr, StDev_19) array.push(StDev_arr, StDev_20) // ARRAY: SYMBOLS NAMES namef_arr = array.new_string(0) array.push(namef_arr, namef_01) array.push(namef_arr, namef_02) array.push(namef_arr, namef_03) array.push(namef_arr, namef_04) array.push(namef_arr, namef_05) array.push(namef_arr, namef_06) array.push(namef_arr, namef_07) array.push(namef_arr, namef_08) array.push(namef_arr, namef_09) array.push(namef_arr, namef_10) array.push(namef_arr, namef_11) array.push(namef_arr, namef_12) array.push(namef_arr, namef_13) array.push(namef_arr, namef_14) array.push(namef_arr, namef_15) array.push(namef_arr, namef_16) array.push(namef_arr, namef_17) array.push(namef_arr, namef_18) array.push(namef_arr, namef_19) array.push(namef_arr, namef_20) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // CALCULATE CORRELATIONS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό // MATRIX: Variation Rates m = matrix.new<float>(20,lookback) for i = 0 to lookback-1 matrix.set(m,01-1,i, array.get(arr_01, i)) matrix.set(m,02-1,i, array.get(arr_02, i)) matrix.set(m,03-1,i, array.get(arr_03, i)) matrix.set(m,04-1,i, array.get(arr_04, i)) matrix.set(m,05-1,i, array.get(arr_05, i)) matrix.set(m,06-1,i, array.get(arr_06, i)) matrix.set(m,07-1,i, array.get(arr_07, i)) matrix.set(m,08-1,i, array.get(arr_08, i)) matrix.set(m,09-1,i, array.get(arr_09, i)) matrix.set(m,10-1,i, array.get(arr_10, i)) matrix.set(m,11-1,i, array.get(arr_11, i)) matrix.set(m,12-1,i, array.get(arr_12, i)) matrix.set(m,13-1,i, array.get(arr_13, i)) matrix.set(m,14-1,i, array.get(arr_14, i)) matrix.set(m,15-1,i, array.get(arr_15, i)) matrix.set(m,16-1,i, array.get(arr_16, i)) matrix.set(m,17-1,i, array.get(arr_17, i)) matrix.set(m,18-1,i, array.get(arr_18, i)) matrix.set(m,19-1,i, array.get(arr_19, i)) matrix.set(m,20-1,i, array.get(arr_20, i)) // MATRIX: Covariance & Correlation s = matrix.new<float>(symCount,symCount) for i = 0 to symCount-1 for ii = 0 to symCount-1 matrix.set(s,i,ii,math.round(array.covariance(matrix.row(m,ii),matrix.row(m,i))/(array.get(StDev_arr,ii)*array.get(StDev_arr,i))*100,2)) covariance = array.covariance(arr_cur, arr_01) correlation = covariance / (StDev_cur * StDev_01) corr_ma = ta.sma(correlation, corr_ma_len) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // PLOTS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό // SCREENER TABLE boxLocation = switch boxLoc "Bottom center" => position.bottom_center "Bottom left" => position.bottom_left "Bottom right" => position.bottom_right "Middle center" => position.middle_center "Middle left" => position.middle_left "Middle right" => position.middle_right "Top center" => position.top_center "Top left" => position.top_left "Top right" => position.top_right var tbl = table.new(boxLocation, symCount+1, symCount+1) if barstate.islast and useScreener for i = 0 to symCount-1 if array.get(u_arr, i) table.cell(tbl, i+1, 0, array.get(type_arr, i) == "forex" or array.get(type_arr, i) == "cfd" ? array.get(namef_arr, i) : array.get(name_arr, i), text_halign=text.align_center, text_color=color.gray, text_size=size.small) table.cell(tbl, 0, i+1, array.get(type_arr, i) == "forex" or array.get(type_arr, i) == "cfd" ? array.get(namef_arr, i) : array.get(name_arr, i), text_halign=text.align_left , text_color=color.gray, text_size=size.small) for ii = 0 to symCount-1 if array.get(u_arr, ii) table.cell(tbl,i+1,ii+1, str.tostring(math.round(matrix.get(s,i,ii)))+"%", text_color= matrix.get(s,i,ii) > 0 and matrix.get(s,i,ii) < 99 ? color.from_gradient(matrix.get(s,i,ii),loColGrad ,hiColGrad , i_lowcorr , i_highcorr) : matrix.get(s,i,ii) < 0 and matrix.get(s,i,ii) > -99 ? color.from_gradient(matrix.get(s,i,ii),hiColGrad*-1,loColGrad*-1, i_highcorr, i_lowcorr ) : color.new(#999999,90)) // VARIATION plot(i_plotVarCur ? Var_cur : na, color=i_varCurCol, style=plot.style_columns, title='Current Variation' , linewidth=1) // COVARIANCE plot(plotcovariance ? covariance : na, color=color.new(i_covCol, 50), style=plot.style_area, title='Covariance') // CORRELATION p_corr = plot(plotcorrelation ? correlation : na, color=color.new(color.white, 100), style=plot.style_line, title='Correlation') // CORRELATION SMA plot(plotsma ? corr_ma : na, title = "SMA (Corr.)", color=i_maCol) // LINES p_midline = plot (0 , title="0" , color=color.white) p_topline = hline(1 , title="1" , color=color.new(color.white, 50)) p_botline = hline(-1, title="-1", color=color.new(color.white, 50)) // CORRELATION COLOR GRADIENT fill(p_midline, p_corr, top_value=hiColGrad/100, bottom_value=loColGrad/100 , top_color = color.new(i_highcorr, correlation > 0 ? 40 : 100), bottom_color = color.new(i_lowcorr , correlation > 0 ? 60 : 100)) fill(p_midline, p_corr, top_value=loColGrad/100*-1 , bottom_value=hiColGrad/100*-1, top_color = color.new(i_lowcorr , correlation < 0 ? 60 : 100), bottom_color = color.new(i_highcorr, correlation < 0 ? 40 : 100)) // LABEL l = label.new(plotsma ? bar_index : na, plotsma ? corr_ma : na, color=i_maCol, text=str.tostring(math.round(corr_ma * 100, 0)) + '%', style=label.style_label_left, tooltip="Simple Average Correlation over the last " + str.tostring(corr_ma_len) + " Bars") label.delete(l[1]) // β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–²β–² // ALERTS // β–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Όβ–Ό // END
Degen Dominator - (Crypto Dominance Tool) - [mutantdog]
https://www.tradingview.com/script/nhUkLX44-Degen-Dominator-Crypto-Dominance-Tool-mutantdog/
mutantdog
https://www.tradingview.com/u/mutantdog/
60
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© mutantdog //@version=5 indicator ('Degen Dominator', 'Degen Dominator', false, format.volume, 3, timeframe='') // v1.1 string D01 = 'EMA Centre' string D02 = 'SMA Centre' string D03 = 'Midrange Centre' string D04 = 'Median Centre' string D51 = 'Simple Delta' string D52 = 'Weighted Delta' string D53 = 'Running Delta' string D61 = 'RSI' string D62 = 'CMO' string D71 = 'Hard Floor' string D72 = 'Soft Floor' //INPUTS oscMode = input.string (D01, 'Oscillator Mode', [D01, D02, D03, D04, D51, D52, D53, D61, D62, D71, D72], inline='11') oscLength = input.int (34, 'Length', minval=2, inline='11') postFilter = input.bool (true, 'Post Filter') btcColour = input.color (#ffa600, '', inline='51', group='Main') btcOpacP = input.int (60, '', minval=0, maxval=100, step=5, inline='51', group='Main') btcOpacF = input.int (25, '', minval=0, maxval=100, step=5, inline='51', group='Main') btcActive = input.bool (true, 'Bitcoin', inline='51', group='Main') ethColour = input.color (#00b7ff, '', inline='52', group='Main') ethOpacP = input.int (45, '', minval=0, maxval=100, step=5, inline='52', group='Main') ethOpacF = input.int (15, '', minval=0, maxval=100, step=5, inline='52', group='Main') ethActive = input.bool (true, 'Ethereum', inline='52', group='Main') altColour = input.color (#00ff55, '', inline='53', group='Main') altOpacP = input.int (60, '', minval=0, maxval=100, step=5, inline='53', group='Main') altOpacF = input.int (25, '', minval=0, maxval=100, step=5, inline='53', group='Main') altActive = input.bool (true, 'Altcoins', inline='53', group='Main') usdColour = input.color (#ff0095, '', inline='54', group='Main') usdOpacP = input.int (45, '', minval=0, maxval=100, step=5, inline='54', group='Main') usdOpacF = input.int (15, '', minval=0, maxval=100, step=5, inline='54', group='Main') usdActive = input.bool (true, 'Stablecoins', inline='54', group='Main') defiColour = input.color (#dd8c84, '', inline='55', group='Extra') defiOpacP = input.int (30, '', minval=0, maxval=100, step=5, inline='55', group='Extra') defiOpacF = input.int (10, '', minval=0, maxval=100, step=5, inline='55', group='Extra') defiActive = input.bool (false, 'DeFi', inline='55', group='Extra') crntColour = input.color (#808080, '', inline='56', group='Extra') crntOpacP = input.int (30, '', minval=0, maxval=100, step=5, inline='56', group='Extra') crntOpacF = input.int (10, '', minval=0, maxval=100, step=5, inline='56', group='Extra') crntActive = input.bool (false, 'Current Symbol', inline='56', group='Extra') cstmColour = input.color (#40E0D0, '', inline='57', group='Extra') cstmOpacP = input.int (30, '', minval=0, maxval=100, step=5, inline='57', group='Extra') cstmOpacF = input.int (10, '', minval=0, maxval=100, step=5, inline='57', group='Extra') cstmActive = input.bool (false, '', inline='57', group='Extra') cstmInput = input.string ('', '', inline='57', group='Extra') // SOURCES customFix = str.endswith (cstmInput, '.D') ? cstmInput : str.format ('{0}.D', cstmInput) currentCrop = str.endswith (syminfo.ticker, 'PERP') ? str.replace (syminfo.ticker, 'PERP', '', 0) : str.endswith (syminfo.ticker, '.P') ? str.replace (syminfo.ticker, '.P', '', 0) : syminfo.ticker currentFix = str.replace (currentCrop, syminfo.currency, '.D', 0) btcIndex = request.security ('BTC.D', '', close, ignore_invalid_symbol=true) ethIndex = request.security ('ETH.D', '', close, ignore_invalid_symbol=true) usdtIndex = request.security ('USDT.D', '', close, ignore_invalid_symbol=true) usdcIndex = request.security ('USDC.D', '', close, ignore_invalid_symbol=true) defiIndex = request.security ('TOTALDEFI.D', '', close, ignore_invalid_symbol=true) cstmIndex = request.security (customFix, '', close, ignore_invalid_symbol=true) crntIndex = request.security (currentFix, '', close, ignore_invalid_symbol=true) altIndex = 100 - (btcIndex + ethIndex + usdtIndex + usdcIndex) usdIndex = usdtIndex + usdcIndex // PROCESS mode_selector (src, len, sel, filt) => upDelta = math.max (ta.change (src), 0) dnDelta = math.min (ta.change (src), 0) selector = switch sel D01 => src - ta.ema (src, len) D02 => src - ta.sma (src, len) D03 => src - ta.rma (ta.lowest (src, len) + (ta.range (src, len) / 2), 3) D04 => src - ta.median (src, len) D51 => ta.change (src, len) D52 => len * ta.wma (upDelta + dnDelta, len) D53 => len * ta.rma (upDelta + dnDelta, len) D71 => src - ta.lowest (src, len) D72 => src - ta.rma (ta.lowest (src, len), 3) D61 => ta.rma (upDelta + dnDelta, len) / ta.rma (upDelta - dnDelta, len) D62 => math.sum (upDelta + dnDelta, len) / math.sum (upDelta - dnDelta, len) filt ? ta.rma (selector, 3) : selector // btcDom = btcActive ? mode_selector (btcIndex, oscLength, oscMode, postFilter) : na ethDom = ethActive ? mode_selector (ethIndex, oscLength, oscMode, postFilter) : na altDom = altActive ? mode_selector (altIndex, oscLength, oscMode, postFilter) : na usdDom = usdActive ? mode_selector (usdIndex, oscLength, oscMode, postFilter) : na defiDom = defiActive ? mode_selector (defiIndex, oscLength, oscMode, postFilter) : na crntDom = crntActive ? mode_selector (crntIndex, oscLength, oscMode, postFilter) : na cstmDom = cstmActive ? mode_selector (cstmIndex, oscLength, oscMode, postFilter) : na // PLOTS zeroPlot = plot (0, editable=false, display=display.none) btcPlot = plot (btcDom, 'Bitcoin', color.new (btcColour, 100 - btcOpacP), 1) ethPlot = plot (ethDom, 'Ethereum', color.new (ethColour, 100 - ethOpacP), 1) altPlot = plot (altDom, 'Altcoins', color.new (altColour, 100 - altOpacP), 1) usdPlot = plot (usdDom, 'Stablecoins', color.new (usdColour, 100 - usdOpacP), 1) defiPlot = plot (defiDom, 'Defi', color.new (defiColour, 100 - defiOpacP), 1) crntPlot = plot (crntDom, 'Current', color.new (crntColour, 100 - crntOpacP), 1) cstmPlot = plot (cstmDom, 'Custom', color.new (cstmColour, 100 - cstmOpacP), 1) btcFill = plot (btcDom, 'Bitcoin', color.new (btcColour, 100 - btcOpacF), 0, plot.style_area, display=display.pane) ethFill = plot (ethDom, 'Ethereum', color.new (ethColour, 100 - ethOpacF), 0, plot.style_area, display=display.pane) altFill = plot (altDom, 'Altcoins', color.new (altColour, 100 - altOpacF), 0, plot.style_area, display=display.pane) usdFill = plot (usdDom, 'Stablecoins', color.new (usdColour, 100 - usdOpacF), 0, plot.style_area, display=display.pane) defiFill = plot (defiDom, 'Defi', color.new (defiColour, 100 - defiOpacF), 0, plot.style_area, display=display.pane) crntFill = plot (crntDom, 'Current', color.new (crntColour, 100 - crntOpacF), 0, plot.style_area, display=display.pane) cstmFill = plot (cstmDom, 'Custom', color.new (cstmColour, 100 - cstmOpacF), 0, plot.style_area, display=display.pane) btcWindow = plot (btcIndex, '*Bitcoin', btcColour, editable=false, display=display.data_window) ethWindow = plot (ethIndex, '*Ethereum', ethColour, editable=false, display=display.data_window) altWindow = plot (altIndex, '*Altcoins', altColour, editable=false, display=display.data_window) usdWindow = plot (usdIndex, '*Stablecoins', usdColour, editable=false, display=display.data_window) defiWindow = plot (defiIndex, '*DeFi', defiColour, editable=false, display=display.data_window) crntWindow = plot (crntIndex, '*Current', crntColour, editable=false, display=display.data_window) cstmWindow = plot (cstmIndex, '*Custom', cstmColour, editable=false, display=display.data_window) // ALERTS alertcondition (ta.crossover (btcDom, 0), '01: Bitcoin Above 0', 'Degen Alert: Bitcoin Dominator has crossed above 0') alertcondition (ta.crossunder (btcDom, 0), '01: Bitcoin Below 0', 'Degen Alert: Bitcoin Dominator has crossed below 0') alertcondition (ta.crossover (ethDom, 0), '02: Ethereum Above 0', 'Degen Alert: Ethereum Dominator has crossed above 0') alertcondition (ta.crossunder (ethDom, 0), '02: Ethereum Below 0', 'Degen Alert: Ethereum Dominator has crossed below 0') alertcondition (ta.crossover (altDom, 0), '03: Altcoins Above 0', 'Degen Alert: Altcoin Dominator has crossed above 0') alertcondition (ta.crossunder (altDom, 0), '03: Altcoins Below 0', 'Degen Alert: Altcoin Dominator has crossed below 0') alertcondition (ta.crossover (usdDom, 0), '04: Stablecoins Above 0', 'Degen Alert: Stablecoin Dominator has crossed above 0') alertcondition (ta.crossunder (usdDom, 0), '04: Stablecoins Below 0', 'Degen Alert: Stablecoin Dominator has crossed below 0') alertcondition (ta.crossover (defiDom, 0), '05: Defi Above 0', 'Degen Alert: Defi Dominator has crossed above 0') alertcondition (ta.crossunder (defiDom, 0), '05: Defi Below 0', 'Degen Alert: Defi Dominator has crossed below 0') alertcondition (ta.crossover (crntDom, 0), '06: Current Above 0', 'Degen Alert: Current Coin Dominator has crossed above 0') alertcondition (ta.crossunder (crntDom, 0), '06: Current Below 0', 'Degen Alert: Current Coin Dominator has crossed below 0') alertcondition (ta.crossover (cstmDom, 0), '07: Custom Above 0', 'Degen Alert: Custom Coin Dominator has crossed above 0') alertcondition (ta.crossunder (cstmDom, 0), '07: Custom Below 0', 'Degen Alert: Custom Coin Dominator has crossed below 0')
Astro: Planetary Longitudes
https://www.tradingview.com/script/qJkih3It-Astro-Planetary-Longitudes/
BarefootJoey
https://www.tradingview.com/u/BarefootJoey/
66
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BarefootJoey // β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆ _____ __ _ _______ _____ _______ _______ _______ // β–ˆβ–„β”€β–„β”€β–€β–ˆβ–ˆβ–€β–„β”€β–ˆβ–ˆβ–„β”€β–„β–„β–€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β”€β–„β”€β–ˆβ–ˆβ–ˆβ–„β”€β–„β–ˆβ”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–ˆβ”€β–„β–ˆ | | \ | |______ |_____] |_____| | |______ // β–ˆβ–ˆβ”€β–„β”€β–€β–ˆβ–ˆβ”€β–€β”€β–ˆβ–ˆβ–ˆβ”€β–„β”€β–„β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ”€β–„β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–„β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ–„β”€β–„β–ˆβ–ˆ __|__ | \_| ______| | | | |_____ |______ // β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆ //@version=5 indicator("Astro: Planetary Longitudes", overlay=false) import BarefootJoey/AstroLib/1 as AL showlast = input.int(1000, "Show last?", minval=1, tooltip="Number of historical plots to display. The fewer plots, the faster the load time (especially on loweer timeframes). Use the Time Machine feature for distant historical analysis.") precision = input.float(6.0, "Aspect Precision (+/- Β°)", minval=0, maxval=15) grtm = "πŸ•œ Time Machine πŸ•œ" gsd = input.bool(false, "Activate Time Machine", group=grtm) sdms = input.time(timestamp("2022-04-20T00:00:00"), "Select Date", group=grtm) gt = gsd ? sdms : time grol = "πŸ”­ Observer Location πŸ”­" htz = input.float(0, "Hour", step=0.5, inline="2", group=grol) mtz = input.int(0, "Minute", minval=0, maxval=45, inline="2", group=grol) tz = htz + math.round(mtz / 60, 4) latitude = input.float(0, "Latitude", inline="1", group=grol) longitude = input.float(0, "Longitude", inline="1", group=grol) geo = input.bool(false, "Geocentric?", tooltip="Leave this box unchecked for heliocentric.", group=grol) geoout = geo ? 1 : 0 grsl = "Labels" smoo = input.bool(true, "Moon", inline="3", group=grsl) ssun = input.bool(true, "Sun", inline="3", group=grsl) smer = input.bool(true, "Mercury", inline="3", group=grsl) sven = input.bool(true, "Venus", inline="3", group=grsl) sear = input.bool(true, "Earth", inline="4", group=grsl) smar = input.bool(true, "Mars", inline="4", group=grsl) sjup = input.bool(true, "Jupiter", inline="4", group=grsl) ssat = input.bool(false, "Saturn", inline="4", group=grsl) sura = input.bool(false, "Uranus", inline="5", group=grsl) snep = input.bool(false, "Neptune", inline="5", group=grsl) splu = input.bool(false, "Pluto", inline="5", group=grsl) iTxtSize=input.string("Small", title="Text Size", options=["Auto", "Tiny", "Small", "Normal", "Large"], group=grsl, inline="1") vTxtSize=iTxtSize == "Auto" ? size.auto : iTxtSize == "Tiny" ? size.tiny : iTxtSize == "Small" ? size.small : iTxtSize == "Normal" ? size.normal : iTxtSize == "Large" ? size.large : size.small day = AL.J2000(AL.JDN(gt, 0, tz)) dayr = AL.J2000(AL.JDN(gt, 1, tz)) moonlon = AL.getmoon(geoout, day, dayr, latitude, longitude) sunlon = AL.getsun(geoout, day, dayr, latitude, longitude, tz) merclon = AL.getplanet(1,geoout, day, dayr, latitude, longitude, tz) venulon = AL.getplanet(2,geoout, day, dayr, latitude, longitude, tz) eartlon = AL.getplanet(3,geoout, day, dayr, latitude, longitude, tz) marslon = AL.getplanet(4,geoout, day, dayr, latitude, longitude, tz) jupilon = AL.getplanet(5,geoout, day, dayr, latitude, longitude, tz) satulon = AL.getplanet(6,geoout, day, dayr, latitude, longitude, tz) uranlon = AL.getplanet(7,geoout, day, dayr, latitude, longitude, tz) neptlon = AL.getplanet(8,geoout, day, dayr, latitude, longitude, tz) plutlon = AL.getplanet(9,geoout, day, dayr, latitude, longitude, tz) transp=0 plot(moonlon, "Moon", color=color.new(color.silver,transp), style=plot.style_circles, show_last=showlast) plot(sunlon, "Sun", color=color.new(color.yellow,transp), style=plot.style_circles, show_last=showlast) plot(merclon, "Mercury", color=color.new(color.maroon,transp), style=plot.style_circles, show_last=showlast) plot(venulon, "Venus", color=color.new(color.green,transp), style=plot.style_circles, show_last=showlast) plot(eartlon, "Earth", color=color.new(color.blue,transp), style=plot.style_circles, show_last=showlast) plot(marslon, "Mars", color=color.new(color.red,transp), style=plot.style_circles, show_last=showlast) plot(jupilon, "Jupiter", color=color.new(color.orange,transp), style=plot.style_circles, show_last=showlast) plot(satulon, "Saturn", color=color.new(color.gray,transp), style=plot.style_circles, show_last=showlast, display=display.none) plot(uranlon, "Uranus", color=color.new(color.navy,transp), style=plot.style_circles, show_last=showlast, display=display.none) plot(neptlon, "Neptune", color=color.new(color.fuchsia,transp), style=plot.style_circles, show_last=showlast, display=display.none) plot(plutlon, "Pluto", color=color.new(color.black,transp), style=plot.style_circles, show_last=showlast, display=display.none) var label sun = na var label moon = na var label mercury = na var label venus = na var label earth = na var label mars = na var label jupiter = na var label saturn = na var label uranus = na var label neptune = na var label pluto = na bull_emo="🟒" bear_emo="πŸ”΄" retro_tt(deg) => deg > deg[1] ? "" : " β„ž" if ssun sun := label.new(bar_index, y=sunlon, text="β˜‰οΈŽ Sun" + retro_tt(sunlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.yellow,0), tooltip="β˜‰οΈŽ Sun" + retro_tt(sunlon) + AL.virinchiaspectemo(sunlon, bull_emo, bear_emo) + "\n" + AL.degsignf(sunlon) + "\n" + AL.degnash(sunlon) + "\n" + str.tostring(sunlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(sunlon), precision) + "Β°") label.delete(sun[1]) if smoo moon := label.new(bar_index, y=moonlon, text="☽︎ Moon" + retro_tt(moonlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(3),0), tooltip="☽︎ Moon" + retro_tt(moonlon) + AL.virinchiaspectemo(moonlon, bull_emo, bear_emo) + "\n" + AL.degsignf(moonlon) + "\n" + AL.degnash(moonlon) + "\n" + str.tostring(moonlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(moonlon), precision) + "Β°") label.delete(moon[1]) if smer mercury := label.new(bar_index, y=merclon, text="☿ Mercury" + retro_tt(merclon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(1),0), tooltip="☿ Mercury" + retro_tt(merclon) + AL.virinchiaspectemo(merclon, bull_emo, bear_emo) + "\n" + AL.degsignf(merclon) + "\n" + AL.degnash(merclon) + "\n" + str.tostring(merclon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(merclon), precision) + "Β°") label.delete(mercury[1]) if sven venus := label.new(bar_index, y=venulon, text="♀ Venus" + retro_tt(venulon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(2),0), tooltip="♀ Venus" + retro_tt(venulon) + AL.virinchiaspectemo(venulon, bull_emo, bear_emo) + "\n" + AL.degsignf(venulon) + "\n" + AL.degnash(venulon) + "\n" + str.tostring(venulon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(venulon), precision) + "Β°") label.delete(venus[1]) if sear earth := label.new(bar_index, y=eartlon, text="🜨 Earth" + retro_tt(eartlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.blue,0), tooltip="🜨 Earth" + retro_tt(eartlon) + AL.virinchiaspectemo(eartlon, bull_emo, bear_emo) + "\n" + AL.degsignf(eartlon) + "\n" + AL.degnash(eartlon) + "\n" + str.tostring(eartlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(eartlon), precision) + "Β°") label.delete(earth[1]) if smar mars := label.new(bar_index, y=marslon, text="β™‚ Mars" + retro_tt(marslon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(4),0), tooltip="β™‚ Mars" + retro_tt(marslon) + AL.virinchiaspectemo(marslon, bull_emo, bear_emo) + "\n" + AL.degsignf(marslon) + "\n" + AL.degnash(marslon) + "\n" + str.tostring(marslon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(marslon), precision) + "Β°") label.delete(mars[1]) if sjup jupiter := label.new(bar_index, y=jupilon, text="♃ Jupiter" + retro_tt(jupilon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(5),0), tooltip="♃ Jupiter" + retro_tt(jupilon) + AL.virinchiaspectemo(jupilon, bull_emo, bear_emo) + "\n" + AL.degsignf(jupilon) + "\n" + AL.degnash(jupilon) + "\n" + str.tostring(jupilon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(jupilon), precision) + "Β°") label.delete(jupiter[1]) if ssat saturn := label.new(bar_index, y=satulon, text="β™„ Saturn" + retro_tt(satulon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(6),0), tooltip="β™„ Saturn" + retro_tt(satulon) + AL.virinchiaspectemo(satulon, bull_emo, bear_emo) + "\n" + AL.degsignf(satulon) + "\n" + AL.degnash(satulon) + "\n" + str.tostring(satulon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(satulon), precision) + "Β°") label.delete(saturn[1]) if sura uranus := label.new(bar_index, y=uranlon, text="β›’ Uranus" + retro_tt(uranlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.navy,0), tooltip="β›’ Uranus" + retro_tt(uranlon) + AL.virinchiaspectemo(uranlon, bull_emo, bear_emo) + "\n" + AL.degsignf(uranlon) + "\n" + AL.degnash(uranlon) + "\n" + str.tostring(uranlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(uranlon), precision) + "Β°") label.delete(uranus[1]) if snep neptune := label.new(bar_index, y=neptlon, text="♆ Neptune" + retro_tt(neptlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(8),0), tooltip="♆ Neptune" + retro_tt(neptlon) + AL.virinchiaspectemo(neptlon, bull_emo, bear_emo) + "\n" + AL.degsignf(neptlon) + "\n" + AL.degnash(neptlon) + "\n" + str.tostring(neptlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(neptlon), precision) + "Β°") label.delete(neptune[1]) if splu pluto := label.new(bar_index, y=plutlon, text="♇ Pluto" + retro_tt(plutlon), size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(AL.PlanetColor(9),0), tooltip="♇ Pluto" + retro_tt(plutlon) + AL.virinchiaspectemo(plutlon, bull_emo, bear_emo) + "\n" + AL.degsignf(plutlon) + "\n" + AL.degnash(plutlon) + "\n" + str.tostring(plutlon, "#.##") + "Β°" + "\n" + AL.aspectsignprecisionV2ext(AL.degtolowest180(plutlon), precision) + "Β°") label.delete(pluto[1]) hf_transp = 66 h1 = hline(0, "Aries", color.new(color.red,hf_transp)) h2 = hline(30, "Taurus", color.new(color.orange,hf_transp)) h3 = hline(60, "Gemini", color.new(color.yellow,hf_transp)) h4 = hline(90, "Cancer",color.new(color.green,hf_transp)) h5 = hline(120, "Leo",color.new(color.aqua,hf_transp)) h6 = hline(150, "Virgo",color.new(color.navy,hf_transp)) h7 = hline(180, "Libra",color.new(color.purple,hf_transp)) h8 = hline(210, "Scorpio",color.new(color.navy,hf_transp)) h9 = hline(240, "Saggitarius",color.new(color.aqua,hf_transp)) h10 = hline(270, "Capricorn",color.new(color.green,hf_transp)) h11 = hline(300, "Aquarius",color.new(color.yellow,hf_transp)) h12 = hline(330, "Pisces",color.new(color.orange,hf_transp)) h13 = hline(360, "↻ Aries",color.new(color.red,hf_transp)) // EoS made w/ ❀ by @BarefootJoey βœŒπŸ’—πŸ“ˆ
Astro: Planetary Aspect Dates
https://www.tradingview.com/script/f2QQtDXc-Astro-Planetary-Aspect-Dates/
BarefootJoey
https://www.tradingview.com/u/BarefootJoey/
134
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BarefootJoey // β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆ _____ __ _ _______ _____ _______ _______ _______ // β–ˆβ–„β”€β–„β”€β–€β–ˆβ–ˆβ–€β–„β”€β–ˆβ–ˆβ–„β”€β–„β–„β–€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β”€β–„β”€β–ˆβ–ˆβ–ˆβ–„β”€β–„β–ˆβ”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–ˆβ”€β–„β–ˆ | | \ | |______ |_____] |_____| | |______ // β–ˆβ–ˆβ”€β–„β”€β–€β–ˆβ–ˆβ”€β–€β”€β–ˆβ–ˆβ–ˆβ”€β–„β”€β–„β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ”€β–„β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–„β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ–„β”€β–„β–ˆβ–ˆ __|__ | \_| ______| | | | |_____ |______ // β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆ //@version=5 indicator("Astro: Planetary Aspect Dates", overlay=true) import BarefootJoey/AstroLib/1 as AL interplanet = input.bool(false, "Interplanetary aspects?", tooltip="Leave this box unchecked for single planet aspects.") planet1_in = input.string("☿ Mercury", "Which planets?", options=["β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="3") planet2_in = input.string("β™‚ Mars", " ", options=["β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="3") precision = input.float(6.0, "Aspect Precision (+/- Β°)", minval=0, maxval=15) showlast = input.int(5000, "Show last?", minval=1, tooltip="Number of historical plots to display. The fewer plots, the faster the load time (especially on loweer timeframes). Use the Time Machine feature for distant historical analysis.") col_asp = input.color(color.white, "Aspect & Info Color") iTxtSize=input.string("Normal", title="Text Size", options=["Auto", "Tiny", "Small", "Normal", "Large"], inline="1") vTxtSize=iTxtSize == "Auto" ? size.auto : iTxtSize == "Tiny" ? size.tiny : iTxtSize == "Small" ? size.small : iTxtSize == "Normal" ? size.normal : iTxtSize == "Large" ? size.large : size.small position = input.string(position.top_center, "Aspect Info Position", [position.top_center, position.top_right, position.middle_right, position.bottom_right, position.bottom_center, position.bottom_left, position.middle_left, position.top_left]) grtm = "πŸ•œ Time Machine πŸ•œ" gsd = input.bool(false, "Activate Time Machine", group=grtm) sdms = input.time(timestamp("2022-04-20T00:00:00"), "Select Date", group=grtm) gt = gsd ? sdms : time grol = "πŸ”­ Observer Location πŸ”­" htz = input.float(0, "Hour", step=0.5, inline="2", group=grol) mtz = input.int(0, "Minute", minval=0, maxval=45, inline="2", group=grol) tz = htz + math.round(mtz / 60, 4) latitude = input.float(0, "Latitude", inline="1", group=grol) longitude = input.float(0, "Longitude", inline="1", group=grol) geo = input.bool(false, "Geocentric?", tooltip="Leave this box unchecked for heliocentric.", group=grol) geoout = geo ? 1 : 0 day = AL.J2000(AL.JDN(gt, 0, tz)) dayr = AL.J2000(AL.JDN(gt, 1, tz)) if interplanet and planet1_in == planet2_in runtime.error("Planet cannot aspect itself. Please select 2 different planets for interplanetary analysis.") long1_out = planet1_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet1_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet1_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na long2_out = planet2_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet2_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet2_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na p1p2=math.abs(AL.degtolowest180(AL.AngToCirc(long1_out - (interplanet?long2_out:0)))) var label conj = na var label ssex = na var label sext = na var label squa = na var label trin = na var label inco = na var label oppo = na retro_tt(deg) => deg > deg[1] ? "" : " β„ž" retro_tt_out = retro_tt(AL.AngToCirc(long1_out - (interplanet?long2_out:0))) var table Info = na table.delete(Info) Info := table.new(position, 1, 1) if barstate.islast table.cell(Info, 0, 0, text = planet1_in + (interplanet?" ∑ "+planet2_in:"") + retro_tt_out, text_size = vTxtSize, text_color = color.new(col_asp,0), tooltip = AL.aspectsignprecisionV2ext(p1p2, precision) + "Β°\nPrecision: +/- " + str.tostring(precision) + "Β°") conjunction = ta.crossunder(AL.AngToCirc(long1_out - (interplanet?long2_out:0)),180) semisextile = ta.cross(p1p2,30) sextile = ta.cross(p1p2,60) square = ta.cross(p1p2,90) trine = ta.cross(p1p2,120) inconjunct = ta.cross(p1p2,150) opposition = ta.crossover(AL.AngToCirc(long1_out - (interplanet?long2_out:0)),180) bg_col = conjunction ? color.red : semisextile ? color.orange : sextile ? color.yellow : square ? color.green : trine ? color.aqua : inconjunct ? color.navy : opposition ? color.purple : na bgcolor(color.new(bg_col,80), offset=-1, show_last=showlast) plotshape(conjunction, "Conjunction", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="☌", textcolor=bg_col, show_last=showlast) plotshape(semisextile, "SemiSextile", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="⊻", textcolor=bg_col, show_last=showlast) plotshape(sextile, "Sextile", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="🞢", textcolor=bg_col, show_last=showlast) plotshape(square, "Square", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="β–‘", textcolor=bg_col, show_last=showlast) plotshape(trine, "Trine", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="β–³", textcolor=bg_col, show_last=showlast) plotshape(inconjunct, "Inconjunct", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="⊼", textcolor=bg_col, show_last=showlast) plotshape(opposition, "Opposition", shape.labelup, location.bottom, color=color.new(color.white,100),size=size.tiny, offset=-1, text="☍", textcolor=bg_col, show_last=showlast) // EoS made w/ ❀ by @BarefootJoey βœŒπŸ’—πŸ“ˆ
Astro: Planetary Aspects
https://www.tradingview.com/script/ueafIIio-Astro-Planetary-Aspects/
BarefootJoey
https://www.tradingview.com/u/BarefootJoey/
66
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BarefootJoey // β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆ _____ __ _ _______ _____ _______ _______ _______ // β–ˆβ–„β”€β–„β”€β–€β–ˆβ–ˆβ–€β–„β”€β–ˆβ–ˆβ–„β”€β–„β–„β–€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β”€β–„β”€β–ˆβ–ˆβ–ˆβ–„β”€β–„β–ˆβ”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–ˆβ”€β–„β–ˆ | | \ | |______ |_____] |_____| | |______ // β–ˆβ–ˆβ”€β–„β”€β–€β–ˆβ–ˆβ”€β–€β”€β–ˆβ–ˆβ–ˆβ”€β–„β”€β–„β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ”€β–„β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–„β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ–„β”€β–„β–ˆβ–ˆ __|__ | \_| ______| | | | |_____ |______ // β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆ //@version=5 indicator("Astro: Planetary Aspects", overlay=false) import BarefootJoey/AstroLib/1 as AL interplanet = input.bool(false, "Interplanetary aspects?", tooltip="Leave this box unchecked for single planet aspects.") planet1_in = input.string("☿ Mercury", "Which planets?", options=["β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="3") planet2_in = input.string("β™‚ Mars", " ", options=["β˜‰οΈŽ Sun", "☽︎ Moon", "☿ Mercury", "♀ Venus", "🜨 Earth", "β™‚ Mars", "♃ Jupiter", "β™„ Saturn", "β›’ Uranus", "♆ Neptune", "♇ Pluto"], inline="3") precision = input.float(6.0, "Aspect Precision (+/- Β°)", minval=0, maxval=15) showlast = input.int(1000, "Show last?", minval=1, tooltip="Number of historical plots to display. The fewer plots, the faster the load time (especially on loweer timeframes). Use the Time Machine feature for distant historical analysis.") col_asp = input.color(color.white, "Aspect & Info Color") iTxtSize=input.string("Normal", title="Text Size", options=["Auto", "Tiny", "Small", "Normal", "Large"], inline="1") vTxtSize=iTxtSize == "Auto" ? size.auto : iTxtSize == "Tiny" ? size.tiny : iTxtSize == "Small" ? size.small : iTxtSize == "Normal" ? size.normal : iTxtSize == "Large" ? size.large : size.small position = input.string(position.top_center, "Aspect Info Position", [position.top_center, position.top_right, position.middle_right, position.bottom_right, position.bottom_center, position.bottom_left, position.middle_left, position.top_left]) grtm = "πŸ•œ Time Machine πŸ•œ" gsd = input.bool(false, "Activate Time Machine", group=grtm) sdms = input.time(timestamp("2022-04-20T00:00:00"), "Select Date", group=grtm) gt = gsd ? sdms : time grol = "πŸ”­ Observer Location πŸ”­" htz = input.float(0, "Hour", step=0.5, inline="2", group=grol) mtz = input.int(0, "Minute", minval=0, maxval=45, inline="2", group=grol) tz = htz + math.round(mtz / 60, 4) latitude = input.float(0, "Latitude", inline="1", group=grol) longitude = input.float(0, "Longitude", inline="1", group=grol) geo = input.bool(false, "Geocentric?", tooltip="Leave this box unchecked for heliocentric.", group=grol) geoout = geo ? 1 : 0 day = AL.J2000(AL.JDN(gt, 0, tz)) dayr = AL.J2000(AL.JDN(gt, 1, tz)) if interplanet and planet1_in == planet2_in runtime.error("Planet cannot aspect itself. Please select 2 different planets for interplanetary analysis.") long1_out = planet1_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet1_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet1_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet1_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na long2_out = planet2_in == "β˜‰οΈŽ Sun" ? AL.getsun(geoout, day, dayr, latitude, longitude, tz) : planet2_in == "☽︎ Moon" ? AL.getmoon(geoout, day, dayr, latitude, longitude) : planet2_in == "☿ Mercury" ? AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♀ Venus" ? AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "🜨 Earth" ? AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™‚ Mars" ? AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♃ Jupiter" ? AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β™„ Saturn" ? AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "β›’ Uranus" ? AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♆ Neptune" ? AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz) : planet2_in == "♇ Pluto" ? AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz) : na p1p2=math.abs(AL.degtolowest180(AL.AngToCirc(long1_out - (interplanet?long2_out:0)))) plot(p1p2, color=col_asp, linewidth=2, show_last=showlast) htrans=66 hline(0, color=color.new(color.red, htrans)) hline(30, color=color.new(color.orange, htrans)) hline(60, color=color.new(color.yellow, htrans)) hline(90, color=color.new(color.green, htrans)) hline(120, color=color.new(color.aqua, htrans)) hline(150, color=color.new(color.navy, htrans)) hline(180, color=color.new(color.purple, htrans)) var label conj = na var label ssex = na var label sext = na var label squa = na var label trin = na var label inco = na var label oppo = na if barstate.islast conj := label.new(bar_index, y=0, text="☌", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.red,0), tooltip="☌ Conjunction 0Β°\n" + "") label.delete(conj[1]) ssex := label.new(bar_index, y=30, text="⊻", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.orange,0), tooltip="⊻ Semi Sextile 30Β°\n" + "") label.delete(ssex[1]) sext := label.new(bar_index, y=60, text="🞢", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.yellow,0), tooltip="🞢 Sextile 60Β°\n" + "") label.delete(sext[1]) squa := label.new(bar_index, y=90, text="β–‘", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.green,0), tooltip="β–‘ Square 90Β°\n" + "") label.delete(squa[1]) trin := label.new(bar_index, y=120, text="β–³", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.aqua,0), tooltip="β–³ Trine 120Β°\n" + "") label.delete(trin[1]) inco := label.new(bar_index, y=150, text="⊼", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.navy,0), tooltip="⊼ Inconjunct 150Β°\n" + "") label.delete(inco[1]) oppo := label.new(bar_index, y=180, text="☍", size=vTxtSize, style=label.style_label_left, color=color.new(color.white,100), textcolor=color.new(color.purple,0), tooltip="☍ Opposition 180Β°\n" + "") label.delete(oppo[1]) retro_tt(deg) => deg > deg[1] ? "" : " β„ž" retro_tt_out = retro_tt(AL.AngToCirc(long1_out - (interplanet?long2_out:0))) var table Info = na table.delete(Info) Info := table.new(position, 1, 1) if barstate.islast table.cell(Info, 0, 0, text = planet1_in + (interplanet?" ∑ "+planet2_in:"") + retro_tt_out, text_size = vTxtSize, text_color = color.new(col_asp,0), tooltip = AL.aspectsignprecisionV2ext(p1p2, precision) + "Β°\nPrecision: +/- " + str.tostring(precision) + "Β°") // EoS made w/ ❀ by @BarefootJoey βœŒπŸ’—πŸ“ˆ
Astro: Planetary Aspect Table
https://www.tradingview.com/script/6MbwpHdt-Astro-Planetary-Aspect-Table/
BarefootJoey
https://www.tradingview.com/u/BarefootJoey/
120
study
5
MPL-2.0
// This source code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // Β© BarefootJoey // β–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆβ–ˆ _____ __ _ _______ _____ _______ _______ _______ // β–ˆβ–„β”€β–„β”€β–€β–ˆβ–ˆβ–€β–„β”€β–ˆβ–ˆβ–„β”€β–„β–„β–€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β–„β”€β–ˆβ”€β–„β”€β–„β”€β–ˆβ–ˆβ–ˆβ–„β”€β–„β–ˆβ”€β–„β–„β”€β–ˆβ–„β”€β–„β–„β”€β–ˆβ–„β”€β–ˆβ”€β–„β–ˆ | | \ | |______ |_____] |_____| | |______ // β–ˆβ–ˆβ”€β–„β”€β–€β–ˆβ–ˆβ”€β–€β”€β–ˆβ–ˆβ–ˆβ”€β–„β”€β–„β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ”€β–„β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–ˆβ–ˆβ–ˆβ”€β–„β–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–ˆβ–ˆβ”€β–„β–ˆβ–€β–ˆβ–ˆβ–„β”€β–„β–ˆβ–ˆ __|__ | \_| ______| | | | |_____ |______ // β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆβ–ˆβ–„β–„β–„β–„β–ˆβ–„β–„β–„β–„β–„β–ˆβ–ˆβ–„β–„β–„β–ˆβ–ˆ //@version=5 indicator("Astro: Planetary Aspect Table", overlay=true) import BarefootJoey/AstroLib/1 as AL grtm = "πŸ•œ Time Machine πŸ•œ" gsd = input.bool(false, "Activate Time Machine", group=grtm) sdms = input.time(timestamp("2022-04-20T00:00:00"), "Select Date", group=grtm) gt = gsd ? sdms : time grol = "πŸ”­ Observer Location πŸ”­" htz = input.float(0, "Hour", step=0.5, inline="2", group=grol) mtz = input.int(0, "Minute", minval=0, maxval=45, inline="2", group=grol) tz = htz + math.round(mtz / 60, 4) latitude = input.float(0, "Latitude", inline="1", group=grol) longitude = input.float(0, "Longitude", inline="1", group=grol) geo = input.bool(false, "Geocentric?", tooltip="Leave this box unchecked for heliocentric.", group=grol) geoout = geo ? 1 : 0 sym = input.bool(true, "Symbols?", group="Info", tooltip="Leave this box unchecked for full names.") iTxtSize=input.string("Small", title="Text Size", options=["Auto", "Tiny", "Small", "Normal", "Large"], group="Info", inline="1") vTxtSize=iTxtSize == "Auto" ? size.auto : iTxtSize == "Tiny" ? size.tiny : iTxtSize == "Small" ? size.small : iTxtSize == "Normal" ? size.normal : iTxtSize == "Large" ? size.large : size.small TP1="β–½", TP2="β—Ί", TP3="β—Ώ" TP4="β—†", TP5="◁", TP6="β–·" TP7="β–³", TP8="β—Έ", TP9="β—Ή" pos1 = position.bottom_center , pos2 = position.bottom_left , pos3 = position.bottom_right pos4 = position.middle_center , pos5 = position.middle_left , pos6 = position.middle_right pos7 = position.top_center , pos8 = position.top_left, pos9 = position.top_right show_event=input.bool(true, title="Show", group="Info", inline="2") iTPos1=input.string(TP9, title="Table", options=[TP1,TP2,TP3,TP4,TP5,TP6,TP7,TP8,TP9], group="Info", inline="2") bull_col = input.color(color.green, "Bullish", group="Info", inline="3") bear_col = input.color(color.red, "Bearish", group="Info", inline="3") bg_col = input.color(color.black, "Background", group="Info", inline="4") txt_col = input.color(color.white, "Text", group="Info", inline="4") vTPos1=iTPos1 == TP1 ? pos1 : iTPos1 == TP2 ? pos2 : iTPos1 == TP3 ? pos3 : iTPos1 == TP4 ? pos4 : iTPos1 == TP5 ? pos5 : iTPos1 == TP6 ? pos6 : iTPos1 == TP7 ? pos7 : iTPos1 == TP8 ? pos8 : iTPos1 == TP9 ? pos9 : pos3 day = AL.J2000(AL.JDN(gt, 0, tz)) dayr = AL.J2000(AL.JDN(gt, 1, tz)) var aspects = table.new(vTPos1, columns=13, rows=12, border_width=1) if barstate.islast table.cell(aspects, column=0, row=0, text=sym?AL.PlanetSign(3):'Moon', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=1, row=0, text=sym?AL.PlanetSign(1):'Mercury', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=2, row=0, text=sym?AL.PlanetSign(2):'Venus', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=3, row=0, text=sym?AL.PlanetSign(11):'Earth', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=4, row=0, text=sym?AL.PlanetSign(4):'Mars', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=0, text=sym?AL.PlanetSign(5):'Jupiter', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=0, text=sym?AL.PlanetSign(6):'Saturn', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=0, text=sym?AL.PlanetSign(7):'Uranus', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=0, text=sym?AL.PlanetSign(8):'Neptune', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=0, text=sym?AL.PlanetSign(9):'Pluto', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=0, text=sym?'∑':'Aspects', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=1, text=sym?AL.PlanetSign(10):'Sun', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=2, text=sym?AL.PlanetSign(3):'Moon', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=3, text=sym?AL.PlanetSign(1):'Mercury', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=4, text=sym?AL.PlanetSign(2):'Venus', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=5, text=sym?AL.PlanetSign(11):'Earth', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=6, text=sym?AL.PlanetSign(4):'Mars', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=7, text=sym?AL.PlanetSign(5):'Jupiter', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=8, text=sym?AL.PlanetSign(6):'Saturn', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=9, text=sym?AL.PlanetSign(7):'Uranus', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=10, text=sym?AL.PlanetSign(8):'Neptune', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=10, row=11, text=sym?AL.PlanetSign(9):'Pluto', bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=1, text=AL.degsign(AL.getsun(geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=2, text=AL.degsign(AL.getmoon(geoout, day, dayr, latitude, longitude)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=3, text=AL.degsign(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=4, text=AL.degsign(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=5, text=AL.degsign(AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=6, text=AL.degsign(AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=7, text=AL.degsign(AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=8, text=AL.degsign(AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=9, text=AL.degsign(AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=10, text=AL.degsign(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=11, row=11, text=AL.degsign(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)), bgcolor=bg_col, text_color=txt_col, text_size=vTxtSize) moonsun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getmoon(geoout, day, dayr, latitude, longitude))) mercsun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz))) venusun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz))) eartsun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) marssun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) jupisun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) satusun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) uransun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) neptsun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz))) plutsun=math.abs(AL.degtolowest180(AL.getsun(geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=0, row=1, text=AL.aspectslowsign(AL.degtolowest180(moonsun)), bgcolor=AL.virinchiaspectcol(moonsun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=1, row=1, text=AL.aspectslowsign(AL.degtolowest180(mercsun)), bgcolor=AL.virinchiaspectcol(mercsun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=2, row=1, text=AL.aspectslowsign(AL.degtolowest180(venusun)), bgcolor=AL.virinchiaspectcol(venusun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=3, row=1, text=AL.aspectslowsign(AL.degtolowest180(eartsun)), bgcolor=na, text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=4, row=1, text=AL.aspectslowsign(AL.degtolowest180(marssun)), bgcolor=AL.virinchiaspectcol(marssun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=1, text=AL.aspectslowsign(AL.degtolowest180(jupisun)), bgcolor=AL.virinchiaspectcol(jupisun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=1, text=AL.aspectslowsign(AL.degtolowest180(satusun)), bgcolor=AL.virinchiaspectcol(satusun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=1, text=AL.aspectslowsign(AL.degtolowest180(uransun)), bgcolor=AL.virinchiaspectcol(uransun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=1, text=AL.aspectslowsign(AL.degtolowest180(neptsun)), bgcolor=AL.virinchiaspectcol(neptsun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=1, text=AL.aspectslowsign(AL.degtolowest180(plutsun)), bgcolor=AL.virinchiaspectcol(plutsun, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) mercmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz))) venumoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz))) eartmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) marsmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) jupimoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) satumoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) uranmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) neptmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz))) plutmoon=math.abs(AL.degtolowest180(AL.getmoon(geoout, day, dayr, latitude, longitude) - AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=1, row=2, text=AL.aspectslowsign(AL.degtolowest180(mercmoon)), bgcolor=AL.virinchiaspectcol(mercmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=2, row=2, text=AL.aspectslowsign(AL.degtolowest180(venumoon)), bgcolor=AL.virinchiaspectcol(venumoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=3, row=2, text=AL.aspectslowsign(AL.degtolowest180(eartmoon)), bgcolor=AL.virinchiaspectcol(eartmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=4, row=2, text=AL.aspectslowsign(AL.degtolowest180(marsmoon)), bgcolor=AL.virinchiaspectcol(marsmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=2, text=AL.aspectslowsign(AL.degtolowest180(jupimoon)), bgcolor=AL.virinchiaspectcol(jupimoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=2, text=AL.aspectslowsign(AL.degtolowest180(satumoon)), bgcolor=AL.virinchiaspectcol(satumoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=2, text=AL.aspectslowsign(AL.degtolowest180(uranmoon)), bgcolor=AL.virinchiaspectcol(uranmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=2, text=AL.aspectslowsign(AL.degtolowest180(neptmoon)), bgcolor=AL.virinchiaspectcol(neptmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=2, text=AL.aspectslowsign(AL.degtolowest180(plutmoon)), bgcolor=AL.virinchiaspectcol(plutmoon, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) venumerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz))) eartmerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) marsmerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) jupimerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) satumerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) uranmerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) neptmerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz))) plutmerc=math.abs(AL.degtolowest180(AL.getplanet(1, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=2, row=3, text=AL.aspectslowsign(AL.degtolowest180(venumerc)), bgcolor=AL.virinchiaspectcol(venumerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=3, row=3, text=AL.aspectslowsign(AL.degtolowest180(eartmerc)), bgcolor=AL.virinchiaspectcol(eartmerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=4, row=3, text=AL.aspectslowsign(AL.degtolowest180(marsmerc)), bgcolor=AL.virinchiaspectcol(marsmerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=3, text=AL.aspectslowsign(AL.degtolowest180(jupimerc)), bgcolor=AL.virinchiaspectcol(jupimerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=3, text=AL.aspectslowsign(AL.degtolowest180(satumerc)), bgcolor=AL.virinchiaspectcol(satumerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=3, text=AL.aspectslowsign(AL.degtolowest180(uranmerc)), bgcolor=AL.virinchiaspectcol(uranmerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=3, text=AL.aspectslowsign(AL.degtolowest180(neptmerc)), bgcolor=AL.virinchiaspectcol(neptmerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=3, text=AL.aspectslowsign(AL.degtolowest180(plutmerc)), bgcolor=AL.virinchiaspectcol(plutmerc, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) eartvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) marsvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) jupivenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) satuvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) uranvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) neptvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz))) plutvenu=math.abs(AL.degtolowest180(AL.getplanet(2, geoout, day, dayr, latitude, longitude, tz) - AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=3, row=4, text=AL.aspectslowsign(AL.degtolowest180(eartvenu)), bgcolor=AL.virinchiaspectcol(eartvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=4, row=4, text=AL.aspectslowsign(AL.degtolowest180(marsvenu)), bgcolor=AL.virinchiaspectcol(marsvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=4, text=AL.aspectslowsign(AL.degtolowest180(jupivenu)), bgcolor=AL.virinchiaspectcol(jupivenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=4, text=AL.aspectslowsign(AL.degtolowest180(satuvenu)), bgcolor=AL.virinchiaspectcol(satuvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=4, text=AL.aspectslowsign(AL.degtolowest180(uranvenu)), bgcolor=AL.virinchiaspectcol(uranvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=4, text=AL.aspectslowsign(AL.degtolowest180(neptvenu)), bgcolor=AL.virinchiaspectcol(neptvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=4, text=AL.aspectslowsign(AL.degtolowest180(plutvenu)), bgcolor=AL.virinchiaspectcol(plutvenu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) marseart=math.abs(AL.degtolowest180(AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) jupieart=math.abs(AL.degtolowest180(AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) satueart=math.abs(AL.degtolowest180(AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) uraneart=math.abs(AL.degtolowest180(AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) nepteart=math.abs(AL.degtolowest180(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) pluteart=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(3, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=4, row=5, text=AL.aspectslowsign(AL.degtolowest180(marseart)), bgcolor=AL.virinchiaspectcol(marseart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=5, row=5, text=AL.aspectslowsign(AL.degtolowest180(jupieart)), bgcolor=AL.virinchiaspectcol(jupieart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=5, text=AL.aspectslowsign(AL.degtolowest180(satueart)), bgcolor=AL.virinchiaspectcol(satueart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=5, text=AL.aspectslowsign(AL.degtolowest180(uraneart)), bgcolor=AL.virinchiaspectcol(uraneart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=5, text=AL.aspectslowsign(AL.degtolowest180(nepteart)), bgcolor=AL.virinchiaspectcol(nepteart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=5, text=AL.aspectslowsign(AL.degtolowest180(pluteart)), bgcolor=AL.virinchiaspectcol(pluteart, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) jupimars=math.abs(AL.degtolowest180(AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) satumars=math.abs(AL.degtolowest180(AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) uranmars=math.abs(AL.degtolowest180(AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) neptmars=math.abs(AL.degtolowest180(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) plutmars=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(4, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=5, row=6, text=AL.aspectslowsign(AL.degtolowest180(jupimars)), bgcolor=AL.virinchiaspectcol(jupimars, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=6, row=6, text=AL.aspectslowsign(AL.degtolowest180(satumars)), bgcolor=AL.virinchiaspectcol(satumars, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=6, text=AL.aspectslowsign(AL.degtolowest180(uranmars)), bgcolor=AL.virinchiaspectcol(uranmars, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=6, text=AL.aspectslowsign(AL.degtolowest180(neptmars)), bgcolor=AL.virinchiaspectcol(neptmars, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=6, text=AL.aspectslowsign(AL.degtolowest180(plutmars)), bgcolor=AL.virinchiaspectcol(plutmars, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) satujupi=math.abs(AL.degtolowest180(AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) uranjupi=math.abs(AL.degtolowest180(AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) neptjupi=math.abs(AL.degtolowest180(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) plutjupi=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(5, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=6, row=7, text=AL.aspectslowsign(AL.degtolowest180(satujupi)), bgcolor=AL.virinchiaspectcol(satujupi, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=7, row=7, text=AL.aspectslowsign(AL.degtolowest180(uranjupi)), bgcolor=AL.virinchiaspectcol(uranjupi, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=7, text=AL.aspectslowsign(AL.degtolowest180(neptjupi)), bgcolor=AL.virinchiaspectcol(neptjupi, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=7, text=AL.aspectslowsign(AL.degtolowest180(plutjupi)), bgcolor=AL.virinchiaspectcol(plutjupi, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) uransatu=math.abs(AL.degtolowest180(AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) neptsatu=math.abs(AL.degtolowest180(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) plutsatu=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(6, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=7, row=8, text=AL.aspectslowsign(AL.degtolowest180(uransatu)), bgcolor=AL.virinchiaspectcol(uransatu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=8, row=8, text=AL.aspectslowsign(AL.degtolowest180(neptsatu)), bgcolor=AL.virinchiaspectcol(neptsatu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=8, text=AL.aspectslowsign(AL.degtolowest180(plutsatu)), bgcolor=AL.virinchiaspectcol(plutsatu, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) nepturan=math.abs(AL.degtolowest180(AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) pluturan=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(7, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=8, row=9, text=AL.aspectslowsign(AL.degtolowest180(nepturan)), bgcolor=AL.virinchiaspectcol(nepturan, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) table.cell(aspects, column=9, row=9, text=AL.aspectslowsign(AL.degtolowest180(pluturan)), bgcolor=AL.virinchiaspectcol(pluturan, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) plutnept=math.abs(AL.degtolowest180(AL.getplanet(9, geoout, day, dayr, latitude, longitude, tz)-AL.getplanet(8, geoout, day, dayr, latitude, longitude, tz))) table.cell(aspects, column=9, row=10, text=AL.aspectslowsign(AL.degtolowest180(plutnept)), bgcolor=AL.virinchiaspectcol(plutnept, bull_col, bear_col), text_color=txt_col, text_size=vTxtSize) // EoS made w/ ❀ by @BarefootJoey βœŒπŸ’—πŸ“ˆ