ES Signals (Sequencer Labels)Here i am using EMA crossover systems to catch the market. One can use this with their own choice.
Using Some simple rules, we can get some good quality trades! You can see for yourself before trading.
=== HOW TO USE THIS INDICATOR ===
1) Choose your market and timeframe. ( according to their need )
2) Choose if the strategy is long-only or bidirectional.
Don't overthink nobody knows the best answer of market. We're going to test and find out.
After you find a good combination, set up an alert system with the default Exponential Moving Average indicators provided by TradingView.
=== TIPS ===
Change the Time frame according to their need.
i) for intraday 3-5 minute.
ii) 60 minute for 3-4 days View
iii) Daily for positional
Try a Long-Only strategy to see if that performs better.
指標和策略
Percentage Change Multi-Symbol Screener with Sorting featureThis indicator displays percentage price change (% change over previous candle) for up to 40 user-defined symbols in a dynamic table format. Each symbol can be customized through inputs, allowing users to monitor multiple instruments from a single chart.
A key feature of this script is Automatic Sorting . The table continuously updates in real time and rearranges symbols in ascending or descending order based on their % change values, making it easy to quickly identify relative performance across symbols.
The table refreshes automatically as market data updates, providing a clear and organized view without requiring manual interaction.
This script is intended as a market monitoring and visualization tool.
All examples, charts, scripts, indicators, or market discussions are strictly for demonstration, learning, and analytical purposes. No warranties or guarantees are made regarding accuracy, completeness, or future performance.
Feel free to share suggestions over improvements or report any issues you may encounter.
MNO_2Step_Strategy_MOU_KAKU (Publish-Clear)//@version=5
strategy("MNO_2Step_Strategy_MOU_KAKU (Publish-Clear)", overlay=true, pyramiding=0,
max_labels_count=500, max_lines_count=500,
initial_capital=100000,
default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// =========================
// Inputs
// =========================
emaSLen = input.int(5, "EMA Short (5)")
emaMLen = input.int(13, "EMA Mid (13)")
emaLLen = input.int(26, "EMA Long (26)")
macdFast = input.int(12, "MACD Fast")
macdSlow = input.int(26, "MACD Slow")
macdSignal = input.int(9, "MACD Signal")
macdZeroTh = input.float(0.2, "MOU: MACD near-zero threshold", step=0.05)
volLookback = input.int(5, "Volume MA days", minval=1)
volMinRatio = input.float(1.3, "MOU: Volume ratio min", step=0.1)
volStrong = input.float(1.5, "Strong volume ratio (Breakout/KAKU)", step=0.1)
volMaxRatio = input.float(3.0, "Volume ratio max (filter)", step=0.1)
wickBodyMult = input.float(2.0, "Pinbar: lowerWick >= body*x", step=0.1)
pivotLen = input.int(20, "Resistance lookback", minval=5)
pullMinPct = input.float(5.0, "Pullback min (%)", step=0.1)
pullMaxPct = input.float(15.0, "Pullback max (%)", step=0.1)
breakLookbackBars = input.int(5, "Pullback route: valid bars after break", minval=1)
// --- Breakout route (押し目なし初動ブレイク) ---
useBreakoutRoute = input.bool(true, "Enable MOU Breakout Route (no pullback)")
breakConfirmPct = input.float(0.3, "Break confirm: close > R*(1+%)", step=0.1)
bigBodyLookback = input.int(20, "Break candle body MA length", minval=5)
bigBodyMult = input.float(1.2, "Break candle: body >= MA*mult", step=0.1)
requireCloseNearHigh = input.bool(true, "Break candle: close near high")
closeNearHighPct = input.float(25.0, "Close near high threshold (% of range)", step=1.0)
allowMACDAboveZeroInstead = input.bool(true, "Breakout route: allow MACD GC above zero instead")
// 表示
showEMA = input.bool(true, "Plot EMAs")
showMouLabels = input.bool(true, "Show MOU/MOU-B labels")
showKakuLabels = input.bool(true, "Show KAKU labels")
showDebugTbl = input.bool(true, "Show debug table (last bar)")
showStatusLbl = input.bool(true, "Show status label (last bar always)")
locChoice = input.string("Below Bar", "Label location", options= )
lblLoc = locChoice == "Below Bar" ? location.belowbar : location.abovebar
// =========================
// 必ず決済が起きる設定(投稿クリア用)
// =========================
enableTPSL = input.bool(true, "Enable TP/SL")
tpPct = input.float(2.0, "Take Profit (%)", step=0.1, minval=0.1) // ←投稿クリア向けに近め
slPct = input.float(1.0, "Stop Loss (%)", step=0.1, minval=0.1) // ←投稿クリア向けに近め
maxHoldBars = input.int(30, "Max bars in trade (force close)", minval=1)
entryMode = input.string("MOU or KAKU", "Entry trigger", options= )
// ✅ 保険:トレード0件を避ける(投稿クリア用)
// 1回でもクローズトレードができたら自動で沈黙
publishAssist = input.bool(true, "Publish Assist (safety entry if 0 trades)")
// =========================
// EMA
// =========================
emaS = ta.ema(close, emaSLen)
emaM = ta.ema(close, emaMLen)
emaL = ta.ema(close, emaLLen)
plot(showEMA ? emaS : na, color=color.new(color.yellow, 0), title="EMA 5")
plot(showEMA ? emaM : na, color=color.new(color.blue, 0), title="EMA 13")
plot(showEMA ? emaL : na, color=color.new(color.orange, 0), title="EMA 26")
emaUpS = emaS > emaS
emaUpM = emaM > emaM
emaUpL = emaL > emaL
goldenOrder = emaS > emaM and emaM > emaL
above26_2days = close > emaL and close > emaL
baseTrendOK = (emaUpS and emaUpM and emaUpL) and goldenOrder and above26_2days
// =========================
// MACD
// =========================
= ta.macd(close, macdFast, macdSlow, macdSignal)
macdGC = ta.crossover(macdLine, macdSig)
macdUp = macdLine > macdLine
macdNearZero = math.abs(macdLine) <= macdZeroTh
macdGCAboveZero = macdGC and macdLine > 0 and macdSig > 0
macdMouOK = macdGC and macdNearZero and macdUp
macdBreakOK = allowMACDAboveZeroInstead ? (macdMouOK or macdGCAboveZero) : macdMouOK
// =========================
// Volume
// =========================
volMA = ta.sma(volume, volLookback)
volRatio = volMA > 0 ? (volume / volMA) : na
volumeMouOK = volRatio >= volMinRatio and volRatio <= volMaxRatio
volumeStrongOK = volRatio >= volStrong and volRatio <= volMaxRatio
// =========================
// Candle patterns
// =========================
body = math.abs(close - open)
upperWick = high - math.max(open, close)
lowerWick = math.min(open, close) - low
pinbar = (lowerWick >= wickBodyMult * body) and (lowerWick > upperWick) and (close >= open)
bullEngulf = close > open and close < open and close >= open and open <= close
bigBull = close > open and open < emaM and close > emaS and (body > ta.sma(body, 20))
candleOK = pinbar or bullEngulf or bigBull
// =========================
// Resistance / Pullback route
// =========================
res = ta.highest(high, pivotLen)
pullbackPct = res > 0 ? (res - close) / res * 100.0 : na
pullbackOK = pullbackPct >= pullMinPct and pullbackPct <= pullMaxPct
brokeRes = ta.crossover(close, res )
barsSinceBreak = ta.barssince(brokeRes)
afterBreakZone = (barsSinceBreak >= 0) and (barsSinceBreak <= breakLookbackBars)
pullbackRouteOK = afterBreakZone and pullbackOK
// =========================
// Breakout route (押し目なし初動ブレイク)
// =========================
breakConfirm = close > res * (1.0 + breakConfirmPct / 100.0)
bullBreak = close > open
bodyMA = ta.sma(body, bigBodyLookback)
bigBodyOK = bodyMA > 0 ? (body >= bodyMA * bigBodyMult) : false
rng = math.max(high - low, syminfo.mintick)
closeNearHighOK = not requireCloseNearHigh ? true : ((high - close) / rng * 100.0 <= closeNearHighPct)
mou_breakout = useBreakoutRoute and baseTrendOK and breakConfirm and bullBreak and bigBodyOK and closeNearHighOK and volumeStrongOK and macdBreakOK
mou_pullback = baseTrendOK and volumeMouOK and candleOK and macdMouOK and pullbackRouteOK
mou = mou_pullback or mou_breakout
// =========================
// KAKU (Strict): 8条件 + 最終三点
// =========================
cond1 = emaUpS and emaUpM and emaUpL
cond2 = goldenOrder
cond3 = above26_2days
cond4 = macdGCAboveZero
cond5 = volumeMouOK
cond6 = candleOK
cond7 = pullbackOK
cond8 = pullbackRouteOK
all8_strict = cond1 and cond2 and cond3 and cond4 and cond5 and cond6 and cond7 and cond8
final3 = pinbar and macdGCAboveZero and volumeStrongOK
kaku = all8_strict and final3
// =========================
// Entry (strategy)
// =========================
entrySignal = entryMode == "KAKU only" ? kaku : (mou or kaku)
canEnter = strategy.position_size == 0
newEntryKaku = canEnter and kaku and entrySignal
newEntryMouB = canEnter and (not kaku) and mou_breakout and entrySignal
newEntryMou = canEnter and (not kaku) and mou_pullback and entrySignal
// --- Publish Assist(保険エントリー) ---
// 条件が厳しすぎて「トレード0件」だと投稿時に警告が出る。
// closedtradesが0の間だけ、軽いEMAクロスで1回だけ拾う(その後は沈黙)。
assistFast = ta.ema(close, 5)
assistSlow = ta.ema(close, 20)
assistEntry = publishAssist and strategy.closedtrades == 0 and canEnter and ta.crossover(assistFast, assistSlow)
// 実エントリー
if newEntryKaku or newEntryMouB or newEntryMou or assistEntry
strategy.entry("LONG", strategy.long)
// ラベル(視認)
if showMouLabels and newEntryMou
label.new(bar_index, low, "猛(IN)", style=label.style_label_up, color=color.new(color.lime, 0), textcolor=color.black)
if showMouLabels and newEntryMouB
label.new(bar_index, low, "猛B(IN)", style=label.style_label_up, color=color.new(color.lime, 0), textcolor=color.black)
if showKakuLabels and newEntryKaku
label.new(bar_index, low, "確(IN)", style=label.style_label_up, color=color.new(color.yellow, 0), textcolor=color.black)
if assistEntry
label.new(bar_index, low, "ASSIST(IN)", style=label.style_label_up, color=color.new(color.aqua, 0), textcolor=color.black)
// =========================
// Exit (TP/SL + 強制クローズ)
// =========================
inPos = strategy.position_size > 0
tpPx = inPos ? strategy.position_avg_price * (1.0 + tpPct/100.0) : na
slPx = inPos ? strategy.position_avg_price * (1.0 - slPct/100.0) : na
if enableTPSL
strategy.exit("TP/SL", from_entry="LONG", limit=tpPx, stop=slPx)
// 最大保有バーで強制決済(これが「レポート無し」回避の最後の保険)
var int entryBar = na
if strategy.position_size > 0 and strategy.position_size == 0
entryBar := bar_index
if strategy.position_size == 0
entryBar := na
forceClose = inPos and not na(entryBar) and (bar_index - entryBar >= maxHoldBars)
if forceClose
strategy.close("LONG")
// =========================
// 利確/損切/強制クローズのラベル
// =========================
closedThisBar = (strategy.position_size > 0) and (strategy.position_size == 0)
avgPrev = strategy.position_avg_price
tpPrev = avgPrev * (1.0 + tpPct/100.0)
slPrev = avgPrev * (1.0 - slPct/100.0)
hitTP = closedThisBar and high >= tpPrev
hitSL = closedThisBar and low <= slPrev
// 同一足TP/SL両方は厳密に判断できないので、表示は「TP優先」で簡略(投稿ギリギリ版)
if hitTP
label.new(bar_index, high, "利確", style=label.style_label_down, color=color.new(color.lime, 0), textcolor=color.black)
else if hitSL
label.new(bar_index, low, "損切", style=label.style_label_up, color=color.new(color.red, 0), textcolor=color.white)
else if closedThisBar and forceClose
label.new(bar_index, close, "時間決済", style=label.style_label_left, color=color.new(color.gray, 0), textcolor=color.white)
// =========================
// Signals (猛/猛B/確)
// =========================
plotshape(showMouLabels and mou_pullback and not kaku, title="MOU_PULLBACK", style=shape.labelup, text="猛",
color=color.new(color.lime, 0), textcolor=color.black, location=lblLoc, size=size.tiny)
plotshape(showMouLabels and mou_breakout and not kaku, title="MOU_BREAKOUT", style=shape.labelup, text="猛B",
color=color.new(color.lime, 0), textcolor=color.black, location=lblLoc, size=size.tiny)
plotshape(showKakuLabels and kaku, title="KAKU", style=shape.labelup, text="確",
color=color.new(color.yellow, 0), textcolor=color.black, location=lblLoc, size=size.small)
// =========================
// Alerts
// =========================
alertcondition(mou, title="MNO_MOU", message="MNO: MOU triggered")
alertcondition(mou_breakout, title="MNO_MOU_BREAKOUT", message="MNO: MOU Breakout triggered")
alertcondition(mou_pullback, title="MNO_MOU_PULLBACK", message="MNO: MOU Pullback triggered")
alertcondition(kaku, title="MNO_KAKU", message="MNO: KAKU triggered")
alertcondition(assistEntry, title="MNO_ASSIST_ENTRY", message="MNO: ASSIST ENTRY (publish safety)")
// =========================
// Status label(最終足に必ず表示)
// =========================
var label status = na
if showStatusLbl and barstate.islast
label.delete(status)
statusTxt =
"MNO RUNNING " +
"ClosedTrades: " + str.tostring(strategy.closedtrades) + " " +
"BaseTrend: " + (baseTrendOK ? "OK" : "NO") + " " +
"MOU: " + (mou ? "YES" : "no") + " (猛=" + (mou_pullback ? "Y" : "n") + " / 猛B=" + (mou_breakout ? "Y" : "n") + ") " +
"KAKU: " + (kaku ? "YES" : "no") + " " +
"VolRatio: " + (na(volRatio) ? "na" : str.tostring(volRatio, format.mintick)) + " " +
"Pull%: " + (na(pullbackPct) ? "na" : str.tostring(pullbackPct, format.mintick)) + " " +
"Pos: " + (inPos ? "IN" : "OUT")
status := label.new(bar_index, high, statusTxt, style=label.style_label_left, textcolor=color.white, color=color.new(color.black, 0))
// =========================
// Debug table(最終足のみ)
// =========================
var table t = table.new(position.top_right, 2, 14, border_width=1, border_color=color.new(color.white, 60))
fRow(_name, _cond, _r) =>
bg = _cond ? color.new(color.lime, 70) : color.new(color.red, 80)
tx = _cond ? "OK" : "NO"
table.cell(t, 0, _r, _name, text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(t, 1, _r, tx, text_color=color.white, bgcolor=bg)
if showDebugTbl and barstate.islast
table.cell(t, 0, 0, "MNO Debug", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(t, 1, 0, "", text_color=color.white, bgcolor=color.new(color.black, 0))
fRow("BaseTrend", baseTrendOK, 1)
fRow("MOU Pullback", mou_pullback, 2)
fRow("MOU Breakout", mou_breakout, 3)
fRow("Break confirm", breakConfirm, 4)
fRow("Break big body", bigBodyOK, 5)
fRow("Break close high", closeNearHighOK, 6)
fRow("Break vol strong", volumeStrongOK, 7)
fRow("Break MACD", macdBreakOK, 8)
fRow("KAKU all8", all8_strict, 9)
fRow("KAKU final3", final3, 10)
fRow("AssistEntry", assistEntry, 11)
fRow("ClosedTrades>0", strategy.closedtrades > 0, 12)
STAR MTF OB FVGstill working out some bugs for it to work on lower tf than 10. so for now >10m.
FVG and OB
MTF Key Levels Pro [Confluence & Flow]MTF Key Levels Pro is an all-in-one market structure and context toolkit designed to reduce chart noise and surface the price levels that matter most. It combines multi-timeframe trend alignment, institutional-style reference levels (VWAP anchors, pivots, volume POC, prior day levels), and confluence detection so you can quickly identify where price is likely to react—and whether the broader flow supports continuation or reversal.
This script is intentionally modular: you can enable only what you trade (scalping, day trading, swing, position) while keeping the chart readable via selective plotting and a compact MTF dashboard.
What It Does
1) Key Levels Engine (Core Map)
The indicator plots a “key-level stack” from multiple methodologies so you are not relying on a single lens:
Volume Profile POC (Point of Control) over a configurable lookback (highest traded activity zone).
Daily Pivot Levels calculated from prior day H/L/C (PP, R1, S1 and extended levels in the logic).
Fibonacci Retracements from recent swing range (38.2 / 50 / 61.8).
Moving Averages (three configurable MAs for trend structure).
Previous Day High/Low (PDH/PDL) for intraday reference points.
ATH/ATL tracking (optional) for macro context.
2) Anchored VWAP Suite (Flow Anchors)
A multi-anchor VWAP system that resets and recalculates at the start of each period:
Hourly VWAP (scalping / micro-structure)
Daily VWAP (day trading standard reference)
Weekly VWAP (swing context)
Monthly VWAP (position context)
3) Multi-Timeframe Alignment Dashboard (Trend Consensus)
The dashboard pulls 5 configurable timeframes (defaults: 5m, 30m, 1h, 4h, D) and displays:
Price snapshot per timeframe
Trend direction (simple momentum/trend comparison vs lookback)
Volume
% change
Alignment status (BULL ALIGNED / BEAR ALIGNED / MIXED), including bars since alignment began
Use this to avoid trading against higher timeframe pressure and to time entries when multiple timeframes agree.
4) Order-Flow Lite (Volume & Delta)
A practical “flow confirmation” layer using candle-based volume classification:
Buy vs sell volume approximation (close vs open)
Delta strength label (Strong Buy / Strong Sell / Neutral)
Volume surge detection vs SMA(volume) with a configurable multiplier
Optional background shading on surge events
5) Confluence Zones (Signal Compression)
Confluence zones automatically form when multiple independent levels cluster together within a configurable tolerance:
You choose tolerance % and minimum levels required (e.g., 3+).
Zones are plotted as highlighted regions and listed in the dashboard with proximity markers (AT / NEAR).
This is the “decision layer”: the script doesn’t just draw levels—it tells you where multiple reasons to react overlap.
How to Use It (Practical Outline)
Typical Workflow
Check dashboard alignment: trade with alignment for continuation setups; treat MIXED as caution/mean-reversion regime.
Identify nearest confluence zones: prioritize trades at/near zones versus isolated single levels.
Use VWAP anchor + PDH/PDL + Pivot as the intraday framework, then confirm with volume surge/delta bias.
Manage risk around zones: zones are natural areas for rejection, breakout, or retest logic.
Recommended Configurations (Quick Start)
Scalping (1m–5m chart): Hourly VWAP + Daily VWAP + Daily Pivots + Confluence
Day Trading (5m–1h): Daily VWAP + Pivots + PDH/PDL + Confluence + Alignment dashboard
Swing (1h–4h): Weekly VWAP + MA50/MA200 + Confluence + Alignment
Position (D/W): Monthly VWAP + MA200 + ATH/ATL + Confluence
Alerts Included
Confluence Touch: triggers when price is within proximity of a confluence zone.
Trend Change: triggers when the alignment state changes (e.g., MIXED → BULL ALIGNED).
Volume Spike: triggers on surge events versus the configured baseline.
Notes / Intended Use
This indicator is built for context and decision support (key levels + trend consensus + flow cues). It is not a standalone “buy/sell system” by design; instead, it provides a structured map for entries, invalidation, and target planning around areas of highest market agreement.
If you want, I can also produce a TradingView-ready “Description + Feature bullets + How to trade + Settings guide + Alert guide” in the exact formatting style commonly used on public TradingView scripts (including a short disclaimer and a clean feature list).
Auction Imbalance And Rebalance IndicatorThis indicator marks areas of Internal Range Liquidity along with Ecternal Range Liquidity
Ace Algo [Anson5129]🏆 Exclusive Indicator: Ace Algo
📈 Works for stocks, forex, crypto, indices
📈 Easy to use, real-time alerts, no repaint
📈 No grid, no martingale, no hedging
📈 One position at a time
----------------------------------------------------------------------------------------
Ace Algo
A trend-following TradingView strategy using a confluence of technical indicators and time-based rules for structured long/short entries and exits:
----------------------------------------------------------------------------------------
Parameters Explanation
Moving Average Length
Indicates the number of historical data points used for the average price calculation.
Shorter = volatile (short-term trends); longer = smoother (long-term trends, less noise).
Default: 20
Entry delay in bars
After a trade is closed, delay the next entry in bars. The lower the number, the more trades you will get.
Default: 4
Take Profit delay in bars
After a trade is opened, delay the take profit in bars. The lower the number, the more trades you will get.
Default: 3
Enable ADX Filter
No order will be placed when ADX < 20
Default: Uncheck
Block Period
Set a block period during which no trading will take place.
----------------------------------------------------------------------------------------
Entry Condition:
Only Long when the price is above the moving average (Orange line).
Only Short when the price is below the moving average (Orange line).
* Also, with some hidden parameter that I set in the backend.
Exit Condition:
When getting profit:
Trailing Stop Activates after a position has been open for a set number of bars (to avoid premature exits).
When losing money:
In a long position, when the price falls below the moving average, and the conditions for a short position are met, the long position will be closed, and the short position will be opened.
In a short position, when the price rises above the moving average, and the conditions for a long position are met, the short position will be closed, and the long position will be opened.
----------------------------------------------------------------------------------------
How to get access to the strategy
Read the author's instructions on the right to learn how to get access to the strategy.
UK Public OnesideRSI + Stochastic V1 (Moderate) Strategy
This strategy combines RSI, Stochastic Oscillator, and a 50 EMA trend filter to identify moderate-risk trading opportunities in trending markets.
How it works:
Long entries occur when RSI and Stochastic are in oversold conditions while price is above the 50 EMA.
Short entries occur when RSI and Stochastic are in overbought conditions while price is below the 50 EMA.
Trades are confirmed on the previous candle, avoiding premature entries and exits.
Risk management is handled using fixed percentage stop-loss with configurable risk-to-reward targets.
Optional RSI-based exits close positions early during overbought or oversold conditions.
Key Features:
Trend-filtered entries using EMA 50
Non-repainting logic (confirmed candle signals)
Configurable stop-loss and reward ratio
Works well for scalping and intraday trading
Suitable for crypto, forex, and indices
Recommended Timeframes:
5m, 15m, 30m
Note:
This strategy is designed for educational and research purposes. Always forward-test and apply proper risk management before using in live trading.
Task 9 , Alka Swing DetectionFirst swing detection code First swing detection code, inspired by Alka, Trading view is asking me to write more description First swing detection code, inspired by Alka, Trading view is asking me to write more description First swing detection code, inspired by Alka, Trading view
Ingenuity Crazy Strategy Advance IntraThis indicator works — IF you use it correctly.
Wrong settings = bad results.
That’s why we keep:
🔥 The exact settings
🔥 Market-specific presets
🔥 Live trade examples
INSIDE OUR DISCORD ONLY.
🚫 Do not guess
🚫 Do not freestyle settings
👉 Join the Discord and trade it the way it’s meant to be traded.
discord.gg
Day of WeekDay of Week is an indicator that runs in a separate panel and colors the panel background according to the day of the week.
Main Features
Colors the background of the lower panel based on the day of the week
Includes all days, from Monday to Sunday
Customizable colors
Time Offset Correction
TradingView calculates the day of the week using the exchange’s timezone, which can cause visual inconsistencies on certain symbols.
To address this, the indicator includes a configurable time offset that allows the user to synchronize the calculated day with the day displayed on the chart.
By simply adjusting the Time Offset (hours) parameter, the background will align correctly with the visible chart calendar.
Follow the "Smart Money" to Capture Altcoin Super-Trends這不是一套普通的趨勢策略。大多數山寨幣 (Altcoins) 的突破策略之所以失效,是因為它們忽略了市場的真實驅動力——比特幣的機構資金流向。 ITAS (Institutional Triggered Alpha System) 是一套結合了「跨市場分析」與「波動率自適應」的量化系統。
核心運作邏輯:
機構資金濾網 (Institutional Filter): 我們監控比特幣 (BTC) 在頂級合規交易所(如 Coinbase)與全球流動性池之間的資金溢價 (Premium)。這是一個領先指標,用來判斷華爾街機構是在「吸籌」還是「派發」。
精準狙擊 (Precision Trigger): 只有當監測到**「機構資金正在買入 BTC」**的時刻,系統才會解鎖山寨幣的交易權限。
拒絕假突破 (False Breakout Rejection): 透過這個濾網,我們能過濾掉市場中 80% 由散戶情緒引起的「假突破」。如果比特幣沒有機構支撐,就算山寨幣漲得再兇,本策略也會判定為雜訊而拒絕進場。
波動率適配 (Volatility Adaptation): 針對高波動資產 (High Beta Assets) 優化的動態通道,確保在劇烈洗盤中能拿住單子,吃到完整的波段利潤。
This is not an ordinary trend-following strategy. Most Altcoin breakout strategies fail because they ignore the true driver of the market—Institutional Money Flow in Bitcoin. ITAS (Institutional Triggered Alpha System) is a quantitative system that combines "Inter-market Analysis" with "Volatility Adaptation."
How It Works:
Institutional Filter: We monitor the Premium Gap of Bitcoin (BTC) between top-tier regulated exchanges (like Coinbase) and global liquidity pools. This serves as a leading indicator to determine whether Wall Street institutions are "Accumulating" or "Distributing."
Precision Trigger: The system only unlocks trading permissions for Altcoins when it detects "Institutional Buying in BTC."
False Breakout Rejection: Through this filter, we effectively filter out 80% of "False Breakouts" driven solely by retail sentiment. If there is no institutional support behind Bitcoin, the strategy will identify any Altcoin pump as noise and refuse to enter.
Volatility Adaptation: Features a dynamic channel optimized for High Beta Assets, ensuring positions are held through aggressive shakeouts to capture the full trend.
免責聲明 (Disclaimer)
補充說明: 以上策略績效源自歷史數據回測,不代表對未來獲利的保證。加密貨幣市場風險極高,本策略僅供量化研究與邏輯分享,使用者應自行評估風險並自負盈虧,本人不承擔任何交易損失。
Disclaimer: The performance above is based on historical backtesting and does not guarantee future results. Cryptocurrency trading involves high risk. This strategy is shared for quantitative research and educational purposes only. Users are solely responsible for their own risk assessment and PnL. I assume no liability for any trading losses incurred.
Batman SignalBATMAN SIGNAL: Identify Potential Reversal Patterns
The Batman Signal is designed to help spot potential reversal patterns that may indicate institutional activity at key price levels. It looks for a distinct "double rejection" structure, with the crucial second rejection accompanied by a liquidity spike (high volume), suggesting significant market participation.
🔑 KEY FEATURES
• Dynamic Support & Resistance Zones: Automatically calculates and draws key zones on your chart, giving an at-a-glance view of major price reaction levels where 'Batman' patterns are most likely to form.
• Momentum Clusters: See market bias instantly. Clusters of green or red dots in the top margin show where bullish or bearish patterns are actively forming. Nested purple diamonds within these clusters highlight high-volume liquidity spikes. Increasing concentration here can provide an early warning for the next major setup.
• Four Powerful, Independent Alerts: Each alert is a robust signal engineered to catch market turns. Use them separately or in sequence based on your style.
• Non-Repainting, Close-Based Signals: All final confirmation triangles plot ONLY AFTER the bar closes, providing dependable execution signals.
• Volume-Spike Confirmation: Core logic identifies "liquidity spikes" (high volume) at key rejection areas, filtering for significant market participation.
• Full Customization: Tune every aspect from trend sensitivity, zone detection, volume filters, pattern timing and structure to match any asset or timeframe.
🦇 THE FOUR BATMAN SIGNALS
The indicator scans for a specific "double rejection" structure:
• "Left Ear" – initial rejection at a key zone.
• "Right Ear" – volume-confirmed rejection at a similar level.
This creates four distinct, non-repainting alerts:
Bullish Right Ear Alert – Early warning at support.
Bearish Right Ear Alert – Early warning at resistance.
Confirmed Bullish Batman Signal – Final trigger after bar close.
Confirmed Bearish Batman Signal – Final trigger after bar close.
HOW TO READ THE CHART:
• Blue Lines – Dynamic support/resistance zones.
• "R" Labels & Purple Diamonds – Mark developing Right Ear rejections with volume spike.
• Green/Red Triangles – Show the confirmed, final Batman pattern signal.
• Clusters of Green/Red Dots – Show active bullish/bearish pattern zones (top margin).
• Nested Purple Diamonds – Highlight high-volume spikes within clusters.
• Gray EMA – Provides trend context.
⚙️ CUSTOMIZABLE INPUTS
Trend & Zones:
– Trend EMA Period – Adjust baseline trend sensitivity.
– Key Zone Lookback – Set how far back to scan for key levels.
– Zone Tolerance % – Fine-tune the zone width.
Pattern Logic:
– Min/Max Consolidation Bars – Control time window between Left and Right Ear.
– Min Wick Ratio for Right Ear – Filter for strong rejection wicks.
– Min Spike Size (ATR) – Set minimum volatility for the Right Ear.
Volume Filter (Right Ear Only):
– Toggle volume confirmation on/off.
– Volume Lookback Period – Bars used for average volume calculation.
– Min Volume Ratio – Right Ear volume must be this many times above average.
Visual Settings:
– Show/Hide labels and key zones.
– Customize bullish, bearish, and zone colors.
📘 HOW TO TRADE WITH IT
Apply the "Batman Signal" to your chart.
Watch price action at the blue zones and monitor the top-margin dot clusters for active momentum. Nested purple diamonds signal volume spikes.
Set alerts for your preferred signal type (Right Ear for early warning, or final Batman Signal for confirmation).
Alerts are robust and will fire on bar after print.
ALWAYS use sound risk management—define stop-loss and take-profit levels.
Recommended timeframes: 15min and 1 hour for optimal balance.
Works on all timeframes with appropriate tuning.
🔔 IMPORTANT ALERT SETUP TIP
When you change any input setting (e.g., Min Spike Size, Volume Filter), you MUST delete any existing alerts and create new ones.
TradingView saves alerts as a static snapshot of your settings at creation.
This ensures your alerts always match the strategy you see on the chart.
DISCLAIMER:
Note: This indicator is for informational purposes only and does not constitute financial advice.
Users are encouraged to backtest thoroughly and evaluate the indicator's performance in their trading strategy.
SMMA Breakout ATR retest systemA fast, ATR-based SMMA breakout scalping system designed for Gold (XAUUSD). It can also be used on other Forex and Indices pairs. Uses breakout-retest confirmation, no-chase protection, and clean visual risk levels. Optimized for quick TP1 scalps with controlled drawdowns.
Quick Scalp TP1 — Checklist
🔧 Setup
☐ Symbol: XAUUSD
☐ Timeframe: 5m
☐ SMMA Length: 5
☐ ATR Length: 14
⚙️ Settings
☐ Stop Loss: 1.5× ATR
☐ Take Profit: ATR 1.2× (TP1 only)
☐ Show Entry/SL?TP Lines & Labels✅ ON
☐ Show Entry Arrows✅ ON
☐ Show Early Warning Labels on Chart✅ ON
☐ ATR Range Filter: ❌ OFF
☐ HTF Bias (15m / 1H): ❌OFF
☐ 15m Candle Body Filter: ❌ OFF
☐ NY Session Filter: ❌ OFF
☐ Retest Entry: ✅ ON
☐ No-Chase Filter: ✅ ON
📈 BUY and SELL Entry Rules :
✅ Long setup (BUY)
If Retest Entry is ON:
☐ 1. Price breaks above the 5-SMMA (raw breakout begins)
☐ 2. Price pulls back and retests near/into the SMMA
☐ 3. A confirmation candle closes back up and breaks the retest high
➡️ BUY arrow prints + risk panel switches to SIDE: LONG
If Retest Entry is OFF:
• The BUY arrow prints immediately when the price crosses above the 5-SMMA (if filters pass)
✅ Short setup (SELL)
Same idea, reversed:
☐ 1. Break below SMMA
☐ 2. Retest near/into SMMA
☐ 3. Confirmation closes down, and breaks retest low
➡️ SELL arrow prints + panel shows SIDE: SHORT
🎯 Trade Management
When a confirmed entry happens, the script prints/plot lines to show clearly:
• ENTRY
• SL (ATR-based)
• TP1
☐ Do not hold runners in this mode, take full profit at TP1
🔔 Alerts (Recommended) - Tradingview Essential Package will allow you to use alerts
Create these alerts:
Confirmed Entry Alerts
• GG BUY CONFIRMED
• GG SELL CONFIRMED
• Set to: ✅ Once per bar close
•Type in Alert Name and Message - SELL CONFIRMED or BUY CONFIRMED
• Enable: Popup + Sound
Early Warning Alerts (Optional)
• GG EARLY BUY WARNING
• GG EARLY SELL WARNING
• Set to: ✅ Once per bar
•Type in Alert Name and Message - Potential Buy forming of Potential Sell forming
• Used only as a heads-up, not an entry
⚠️ Important Notes / Disclaimer
This script is a technical analysis tool, not financial advice.
All trading involves risk. Always test settings on a demo before live use.
Results will vary depending on market conditions, broker execution, and risk settings.
STAR SPX/NQ/ES Auto Levels Convertergreat for traders using SPX GEX levels
auto convert NQ and ES levels
Aidous SuperTrader🔑 WHAT IT IS
Aidous SuperTrader is a fully-automized, all-in-one trend-following toolkit for TradingView.
It combines a volatility-adaptive Super-Trend engine with built-in risk-management (entry, stop-loss, up to 10 partial take-profits, breakeven and trailing-stop logic) and real-time visual guidance.
Once added to your chart you immediately see exact entry prices, SL, TP ladders and dynamic trailing levels without writing a single line of code yourself.
🎯 WHO IT IS FOR
• Day- and swing-traders who want to outsource trade mechanics and focus on discretion & market selection.
• Alert-bot users who need clean, JSON-formatted signals that any webhook/automation service can consume.
• Strategy-developers who require a robust, pre-vetted position-manager to pair with higher-time-frame filters of their choice.
📌 HOW TO USE IT (3-MINUTE SET-UP)
Add the indicator
‑ Click “Add to Chart” – the script is locked, so the code stays private.
Choose your risk profile in the settings panel
‑ Risk : Reward ratio (default 1.2)
‑ SL distance in ATRs (default 1.8)
‑ Number of partial TP levels 1-10 (default 3)
‑ Toggle “Move SL to entry after TP1” and/or “Trail after final TP” on/off.
Wait for a signal
‑ Green triangle = LONG, Red triangle = SHORT.
‑ Horizontal white line = entry; coloured dashed line = initial SL; stacked dashed lines = TP ladder.
Act or Automate
‑ Manual: place the exact prices shown on your broker.
‑ Automation: use the built-in alert messages – they already arrive in ready-to-send JSON
{"side":"buy","price":1234.56,"sym":"NASDAQ:AAPL","tf":"15"}
(works with any webhook, Telegram-bot, or trading bridge that ingests JSON).
⚙️ KEY FEATURES
✔ Volatility-adaptive confirmation – fewer false breakouts in choppy markets.
✔ Time-frame-aware multiplier – internally optimises Super-Trend factor for 3 m → 4 H without user input.
✔ Multi-step TP & automatic position sizing helpers (Risk box vs Reward box drawn on chart).
✔ Trailing stop that activates only after the last TP is hit – keeps you in the trend while protecting late gains.
✔ Clean visual feedback: candles colour with the active trend, hit levels are ticked ✔, SL hit is crossed ✖.
✔ Lightweight code – max 50 labels/lines, 25 boxes; runs lag-free on 1 m charts.
⚠️ BEFORE YOU GO LIVE
• The indicator shows hypothetical levels – it cannot place orders for you.
• Always back-test the default values on the instrument AND time-frame you trade; adjust ATR period, RR ratio and SL multiplier until the equity curve fits your style.
• Combine with higher-time-frame bias or fundamental filter to avoid counter-trend signals.
• Never risk more than you can afford to lose; past performance is not indicative of future results.
TDZZ ETH 15min Vault: No-Loss Martin Gale StrategyStrategy Overview
The ETH 15min Vault is an enhanced, high-frequency Martin Gale strategy designed specifically for Ethereum on the 15-minute chart. Its core innovation lies in integrating pre-calculated margin management with a multi-layer exit system, transforming the traditional high-risk Martingale approach into a controlled, calculated growth engine. The strategy aims for sustainable compound growth of small capitals (e.g., 1000U) in ranging markets while systematically eliminating the risk of account blow-up.
Core Concept: The "No-Loss" Guarantee
Unlike conventional Martingale systems that risk infinite losses, this strategy pre-calculates and logically reserves the total margin required for all potential layers (configurable, e.g., up to 30) at the initial entry. This ensures sufficient capital is always available for the next averaging order, preventing liquidation due to margin shortage. Combined with intelligent, proactive take-profit and safety-net closures, it creates a theoretically "No-Loss" framework for the Martin Gale method.
Key Mechanisms
1、Smart Position Averaging:
Averaging distances expand geometrically (configurable multiplier), preventing rapid layer depletion during sharp drops.
Averaging order size increases progressively (configurable multiplier) to effectively lower the break-even point.
2、Dynamic Multi-Stage Exit Logic:
Rebound TP: Partially closes a position when price rebounds a certain percentage from its entry, locking in profits early during oscillations.
Cycle TP: Closes the remaining position upon reaching the primary profit target, which is dynamically recalculated after each average to reflect the new aggregate cost.
Safety-Net Close (Defense Mode): Activates after a defined number of averages. Triggers a full exit if price: a) rallies significantly from the lowest point, b) retraces from a recent high, or c) fails to make a new low within a set time. This forms the final protective layer for capital preservation.
Main Advantages
✅ True Risk Isolation: Transforms Martingale's "unlimited risk" into a "defined and manageable drawdown" via pre-calculated margins and safety-net exits.
✅ Active Profit Capture: The "Rebound TP" mechanism increases win rate and capital efficiency in ranging markets.
✅ Adaptive to Volatility: Adjustable parameters for averaging distance and size allow tuning for different market conditions.
✅ High-Frequency Compounding Potential: Operates on the 15-min timeframe, offering numerous opportunities to complete profit cycles in consolidating phases.
Configuration & Parameters
Key adjustable inputs include: Initial Capital %, Averaging Distance % and Multiplier, Order Size Multiplier, Max Layers, Take-Profit %, Rebound Close %, and all Defense Mode thresholds.
This strategy significantly reduces liquidation risk through its design but does not eliminate trading risk. Substantial drawdowns can occur during strong, sustained trends. "No-Loss" refers to prevention of margin-call liquidation, not guaranteed profitability. Always conduct thorough backtesting and forward testing in a simulated environment before committing real capital. Past performance is not indicative of future results. Trade responsibly.
MACD Signals - TradeMaster (Trend & Momentum Filter) 中文簡介
設計理念: 此指標是為了將經典的 MACD 策略「可視化」並「優化」而設計。傳統 MACD 在盤整震盪期容易出現頻繁的黃金交叉(假訊號),導致虧損。本腳本透過整合 OBV (能量潮) 與 TTM Squeeze (擠壓動能) 作為趨勢濾網,只有在動能與量能皆配合的情況下,才會標示為「✅ 有效金叉」。
核心功能與邏輯:
主圖純淨模式 (Clean Overlay):不顯示雜亂的 MACD 線圖,直接在 K 棒上下方標示買賣訊號,保持圖表乾淨。
MAM 濾網機制 (Smart Filtering):
OBV 趨勢:確認資金流向是否支持價格上漲。
動能擠壓 (Squeeze):結合 Bollinger Bands 與 Keltner Channels,避開無方向的盤整區間。
訊號分類:
✅ 有效金叉 (Valid Buy):MACD 金叉 + 通過 MAM 濾網偵測(高勝率 setup)。
❌ 無效金叉 (Fake Buy):MACD 金叉,但動能不足或處於盤整(建議觀望)。
🔻 死叉出場 (Sell):MACD 死叉,提示波段獲利了結或停損。
如何使用:
當出現 綠色標籤 (✅有效) 時,代表趨勢與動能共振,為潛在進場點。
當出現 灰色標籤 (❌無效) 時,代表僅是指標交叉但缺乏動能,建議忽略或謹慎操作。
當出現 紅色標籤 (🔻出場) 時,代表動能轉弱,建議離場。
English Description
Concept: This script is designed to visualize and optimize the classic MACD strategy directly on your main chart. Traditional MACD often generates false signals during consolidation periods. This indicator integrates OBV (On-Balance Volume) and Squeeze Momentum as a trend filter. It only marks a signal as a "✅ Valid Buy" when both momentum and volume confirm the trend.
Key Features & Logic:
Clean Main Chart Overlay: Instead of occupying a bottom pane with lines, this script plots actionable signals directly on the candlesticks, keeping your workspace clean.
MAM Filter Mechanism:
OBV Trend: Confirms if volume flow supports the price action.
Momentum Squeeze: Combines Bollinger Bands and Keltner Channels to filter out choppy, sideways markets.
Signal Classification:
✅ Valid Buy: MACD Golden Cross + Confirmed by MAM Filter (High probability setup).
❌ Fake Buy: MACD Golden Cross without momentum confirmation (Weak signal, usually ignored).
🔻 Sell Signal: MACD Death Cross, suggesting an exit.
How to Use:
Green Label (✅ Valid): Trend and momentum are in resonance. Potential entry.
Gray Label (❌ Fake): Crossover occurred but failed the filter test. Caution advised.
Red Label (🔻 Exit): Momentum is weakening. Suggested exit point.
免責聲明 (Disclaimer)
免責聲明
本腳本僅供教育與技術分析研究使用,不構成任何形式的金融投資建議。
過去的績效不代表未來的表現。
所有的交易訊號僅供參考,使用者應結合自身的風險管理策略(如停損設置)。
作者不對使用此腳本造成的任何盈虧負責。
Disclaimer
This script is for educational and technical analysis purposes only and does not constitute financial advice.
Past performance is not indicative of future results.
All signals are for reference only. Users should always apply their own risk management strategies (e.g., Stop Loss).
The author is not responsible for any trading losses incurred from using this script.
just takesi TimeMNO_2Step_Strategy_MOU_KAKU (Publish-Clear)//@version=5
strategy("MNO_2Step_Strategy_MOU_KAKU (Publish-Clear)", overlay=true, pyramiding=0,
max_labels_count=500, max_lines_count=500,
initial_capital=100000,
default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// =========================
// Inputs
// =========================
emaSLen = input.int(5, "EMA Short (5)")
emaMLen = input.int(13, "EMA Mid (13)")
emaLLen = input.int(26, "EMA Long (26)")
macdFast = input.int(12, "MACD Fast")
macdSlow = input.int(26, "MACD Slow")
macdSignal = input.int(9, "MACD Signal")
macdZeroTh = input.float(0.2, "MOU: MACD near-zero threshold", step=0.05)
volLookback = input.int(5, "Volume MA days", minval=1)
volMinRatio = input.float(1.3, "MOU: Volume ratio min", step=0.1)
volStrong = input.float(1.5, "Strong volume ratio (Breakout/KAKU)", step=0.1)
volMaxRatio = input.float(3.0, "Volume ratio max (filter)", step=0.1)
wickBodyMult = input.float(2.0, "Pinbar: lowerWick >= body*x", step=0.1)
pivotLen = input.int(20, "Resistance lookback", minval=5)
pullMinPct = input.float(5.0, "Pullback min (%)", step=0.1)
pullMaxPct = input.float(15.0, "Pullback max (%)", step=0.1)
breakLookbackBars = input.int(5, "Pullback route: valid bars after break", minval=1)
// --- Breakout route (押し目なし初動ブレイク) ---
useBreakoutRoute = input.bool(true, "Enable MOU Breakout Route (no pullback)")
breakConfirmPct = input.float(0.3, "Break confirm: close > R*(1+%)", step=0.1)
bigBodyLookback = input.int(20, "Break candle body MA length", minval=5)
bigBodyMult = input.float(1.2, "Break candle: body >= MA*mult", step=0.1)
requireCloseNearHigh = input.bool(true, "Break candle: close near high")
closeNearHighPct = input.float(25.0, "Close near high threshold (% of range)", step=1.0)
allowMACDAboveZeroInstead = input.bool(true, "Breakout route: allow MACD GC above zero instead")
// 表示
showEMA = input.bool(true, "Plot EMAs")
showMouLabels = input.bool(true, "Show MOU/MOU-B labels")
showKakuLabels = input.bool(true, "Show KAKU labels")
showDebugTbl = input.bool(true, "Show debug table (last bar)")
showStatusLbl = input.bool(true, "Show status label (last bar always)")
locChoice = input.string("Below Bar", "Label location", options= )
lblLoc = locChoice == "Below Bar" ? location.belowbar : location.abovebar
// =========================
// 必ず決済が起きる設定(投稿クリア用)
// =========================
enableTPSL = input.bool(true, "Enable TP/SL")
tpPct = input.float(2.0, "Take Profit (%)", step=0.1, minval=0.1) // ←投稿クリア向けに近め
slPct = input.float(1.0, "Stop Loss (%)", step=0.1, minval=0.1) // ←投稿クリア向けに近め
maxHoldBars = input.int(30, "Max bars in trade (force close)", minval=1)
entryMode = input.string("MOU or KAKU", "Entry trigger", options= )
// ✅ 保険:トレード0件を避ける(投稿クリア用)
// 1回でもクローズトレードができたら自動で沈黙
publishAssist = input.bool(true, "Publish Assist (safety entry if 0 trades)")
// =========================
// EMA
// =========================
emaS = ta.ema(close, emaSLen)
emaM = ta.ema(close, emaMLen)
emaL = ta.ema(close, emaLLen)
plot(showEMA ? emaS : na, color=color.new(color.yellow, 0), title="EMA 5")
plot(showEMA ? emaM : na, color=color.new(color.blue, 0), title="EMA 13")
plot(showEMA ? emaL : na, color=color.new(color.orange, 0), title="EMA 26")
emaUpS = emaS > emaS
emaUpM = emaM > emaM
emaUpL = emaL > emaL
goldenOrder = emaS > emaM and emaM > emaL
above26_2days = close > emaL and close > emaL
baseTrendOK = (emaUpS and emaUpM and emaUpL) and goldenOrder and above26_2days
// =========================
// MACD
// =========================
= ta.macd(close, macdFast, macdSlow, macdSignal)
macdGC = ta.crossover(macdLine, macdSig)
macdUp = macdLine > macdLine
macdNearZero = math.abs(macdLine) <= macdZeroTh
macdGCAboveZero = macdGC and macdLine > 0 and macdSig > 0
macdMouOK = macdGC and macdNearZero and macdUp
macdBreakOK = allowMACDAboveZeroInstead ? (macdMouOK or macdGCAboveZero) : macdMouOK
// =========================
// Volume
// =========================
volMA = ta.sma(volume, volLookback)
volRatio = volMA > 0 ? (volume / volMA) : na
volumeMouOK = volRatio >= volMinRatio and volRatio <= volMaxRatio
volumeStrongOK = volRatio >= volStrong and volRatio <= volMaxRatio
// =========================
// Candle patterns
// =========================
body = math.abs(close - open)
upperWick = high - math.max(open, close)
lowerWick = math.min(open, close) - low
pinbar = (lowerWick >= wickBodyMult * body) and (lowerWick > upperWick) and (close >= open)
bullEngulf = close > open and close < open and close >= open and open <= close
bigBull = close > open and open < emaM and close > emaS and (body > ta.sma(body, 20))
candleOK = pinbar or bullEngulf or bigBull
// =========================
// Resistance / Pullback route
// =========================
res = ta.highest(high, pivotLen)
pullbackPct = res > 0 ? (res - close) / res * 100.0 : na
pullbackOK = pullbackPct >= pullMinPct and pullbackPct <= pullMaxPct
brokeRes = ta.crossover(close, res )
barsSinceBreak = ta.barssince(brokeRes)
afterBreakZone = (barsSinceBreak >= 0) and (barsSinceBreak <= breakLookbackBars)
pullbackRouteOK = afterBreakZone and pullbackOK
// =========================
// Breakout route (押し目なし初動ブレイク)
// =========================
breakConfirm = close > res * (1.0 + breakConfirmPct / 100.0)
bullBreak = close > open
bodyMA = ta.sma(body, bigBodyLookback)
bigBodyOK = bodyMA > 0 ? (body >= bodyMA * bigBodyMult) : false
rng = math.max(high - low, syminfo.mintick)
closeNearHighOK = not requireCloseNearHigh ? true : ((high - close) / rng * 100.0 <= closeNearHighPct)
mou_breakout = useBreakoutRoute and baseTrendOK and breakConfirm and bullBreak and bigBodyOK and closeNearHighOK and volumeStrongOK and macdBreakOK
mou_pullback = baseTrendOK and volumeMouOK and candleOK and macdMouOK and pullbackRouteOK
mou = mou_pullback or mou_breakout
// =========================
// KAKU (Strict): 8条件 + 最終三点
// =========================
cond1 = emaUpS and emaUpM and emaUpL
cond2 = goldenOrder
cond3 = above26_2days
cond4 = macdGCAboveZero
cond5 = volumeMouOK
cond6 = candleOK
cond7 = pullbackOK
cond8 = pullbackRouteOK
all8_strict = cond1 and cond2 and cond3 and cond4 and cond5 and cond6 and cond7 and cond8
final3 = pinbar and macdGCAboveZero and volumeStrongOK
kaku = all8_strict and final3
// =========================
// Entry (strategy)
// =========================
entrySignal = entryMode == "KAKU only" ? kaku : (mou or kaku)
canEnter = strategy.position_size == 0
newEntryKaku = canEnter and kaku and entrySignal
newEntryMouB = canEnter and (not kaku) and mou_breakout and entrySignal
newEntryMou = canEnter and (not kaku) and mou_pullback and entrySignal
// --- Publish Assist(保険エントリー) ---
// 条件が厳しすぎて「トレード0件」だと投稿時に警告が出る。
// closedtradesが0の間だけ、軽いEMAクロスで1回だけ拾う(その後は沈黙)。
assistFast = ta.ema(close, 5)
assistSlow = ta.ema(close, 20)
assistEntry = publishAssist and strategy.closedtrades == 0 and canEnter and ta.crossover(assistFast, assistSlow)
// 実エントリー
if newEntryKaku or newEntryMouB or newEntryMou or assistEntry
strategy.entry("LONG", strategy.long)
// ラベル(視認)
if showMouLabels and newEntryMou
label.new(bar_index, low, "猛(IN)", style=label.style_label_up, color=color.new(color.lime, 0), textcolor=color.black)
if showMouLabels and newEntryMouB
label.new(bar_index, low, "猛B(IN)", style=label.style_label_up, color=color.new(color.lime, 0), textcolor=color.black)
if showKakuLabels and newEntryKaku
label.new(bar_index, low, "確(IN)", style=label.style_label_up, color=color.new(color.yellow, 0), textcolor=color.black)
if assistEntry
label.new(bar_index, low, "ASSIST(IN)", style=label.style_label_up, color=color.new(color.aqua, 0), textcolor=color.black)
// =========================
// Exit (TP/SL + 強制クローズ)
// =========================
inPos = strategy.position_size > 0
tpPx = inPos ? strategy.position_avg_price * (1.0 + tpPct/100.0) : na
slPx = inPos ? strategy.position_avg_price * (1.0 - slPct/100.0) : na
if enableTPSL
strategy.exit("TP/SL", from_entry="LONG", limit=tpPx, stop=slPx)
// 最大保有バーで強制決済(これが「レポート無し」回避の最後の保険)
var int entryBar = na
if strategy.position_size > 0 and strategy.position_size == 0
entryBar := bar_index
if strategy.position_size == 0
entryBar := na
forceClose = inPos and not na(entryBar) and (bar_index - entryBar >= maxHoldBars)
if forceClose
strategy.close("LONG")
// =========================
// 利確/損切/強制クローズのラベル
// =========================
closedThisBar = (strategy.position_size > 0) and (strategy.position_size == 0)
avgPrev = strategy.position_avg_price
tpPrev = avgPrev * (1.0 + tpPct/100.0)
slPrev = avgPrev * (1.0 - slPct/100.0)
hitTP = closedThisBar and high >= tpPrev
hitSL = closedThisBar and low <= slPrev
// 同一足TP/SL両方は厳密に判断できないので、表示は「TP優先」で簡略(投稿ギリギリ版)
if hitTP
label.new(bar_index, high, "利確", style=label.style_label_down, color=color.new(color.lime, 0), textcolor=color.black)
else if hitSL
label.new(bar_index, low, "損切", style=label.style_label_up, color=color.new(color.red, 0), textcolor=color.white)
else if closedThisBar and forceClose
label.new(bar_index, close, "時間決済", style=label.style_label_left, color=color.new(color.gray, 0), textcolor=color.white)
// =========================
// Signals (猛/猛B/確)
// =========================
plotshape(showMouLabels and mou_pullback and not kaku, title="MOU_PULLBACK", style=shape.labelup, text="猛",
color=color.new(color.lime, 0), textcolor=color.black, location=lblLoc, size=size.tiny)
plotshape(showMouLabels and mou_breakout and not kaku, title="MOU_BREAKOUT", style=shape.labelup, text="猛B",
color=color.new(color.lime, 0), textcolor=color.black, location=lblLoc, size=size.tiny)
plotshape(showKakuLabels and kaku, title="KAKU", style=shape.labelup, text="確",
color=color.new(color.yellow, 0), textcolor=color.black, location=lblLoc, size=size.small)
// =========================
// Alerts
// =========================
alertcondition(mou, title="MNO_MOU", message="MNO: MOU triggered")
alertcondition(mou_breakout, title="MNO_MOU_BREAKOUT", message="MNO: MOU Breakout triggered")
alertcondition(mou_pullback, title="MNO_MOU_PULLBACK", message="MNO: MOU Pullback triggered")
alertcondition(kaku, title="MNO_KAKU", message="MNO: KAKU triggered")
alertcondition(assistEntry, title="MNO_ASSIST_ENTRY", message="MNO: ASSIST ENTRY (publish safety)")
// =========================
// Status label(最終足に必ず表示)
// =========================
var label status = na
if showStatusLbl and barstate.islast
label.delete(status)
statusTxt =
"MNO RUNNING " +
"ClosedTrades: " + str.tostring(strategy.closedtrades) + " " +
"BaseTrend: " + (baseTrendOK ? "OK" : "NO") + " " +
"MOU: " + (mou ? "YES" : "no") + " (猛=" + (mou_pullback ? "Y" : "n") + " / 猛B=" + (mou_breakout ? "Y" : "n") + ") " +
"KAKU: " + (kaku ? "YES" : "no") + " " +
"VolRatio: " + (na(volRatio) ? "na" : str.tostring(volRatio, format.mintick)) + " " +
"Pull%: " + (na(pullbackPct) ? "na" : str.tostring(pullbackPct, format.mintick)) + " " +
"Pos: " + (inPos ? "IN" : "OUT")
status := label.new(bar_index, high, statusTxt, style=label.style_label_left, textcolor=color.white, color=color.new(color.black, 0))
// =========================
// Debug table(最終足のみ)
// =========================
var table t = table.new(position.top_right, 2, 14, border_width=1, border_color=color.new(color.white, 60))
fRow(_name, _cond, _r) =>
bg = _cond ? color.new(color.lime, 70) : color.new(color.red, 80)
tx = _cond ? "OK" : "NO"
table.cell(t, 0, _r, _name, text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(t, 1, _r, tx, text_color=color.white, bgcolor=bg)
if showDebugTbl and barstate.islast
table.cell(t, 0, 0, "MNO Debug", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(t, 1, 0, "", text_color=color.white, bgcolor=color.new(color.black, 0))
fRow("BaseTrend", baseTrendOK, 1)
fRow("MOU Pullback", mou_pullback, 2)
fRow("MOU Breakout", mou_breakout, 3)
fRow("Break confirm", breakConfirm, 4)
fRow("Break big body", bigBodyOK, 5)
fRow("Break close high", closeNearHighOK, 6)
fRow("Break vol strong", volumeStrongOK, 7)
fRow("Break MACD", macdBreakOK, 8)
fRow("KAKU all8", all8_strict, 9)
fRow("KAKU final3", final3, 10)
fRow("AssistEntry", assistEntry, 11)
fRow("ClosedTrades>0", strategy.closedtrades > 0, 12)
Coinbase Institutional Flow Alpha1. 核心概念 (The Core Concept)
這不是一套傳統看圖形(如 RSI 或 MACD)的技術指標策略,而是一套基於**「籌碼面」與「市場微結構」的量化系統。 比特幣市場存在兩個平行世界:美國機構投資者(主要使用 Coinbase 美元對)與全球散戶**(主要使用 Binance USDT 對)。這套策略的核心邏輯在於捕捉這兩者之間的**「定價效率落差」**。
This is not a traditional technical analysis strategy based on lagging indicators like RSI or MACD. Instead, it is a quantitative system based on Order Flow and Market Microstructure. The Bitcoin market consists of two parallel worlds: US Institutional Investors (trading on Coinbase USD pairs) and Global Retail Investors (trading on Binance USDT pairs). The core logic of this strategy is to capture the pricing inefficiency gap between these two liquidity pools.
2. 運作原理 (How It Works)
Smart Money 追蹤: 當機構開始大舉買入時,Coinbase 的價格往往會比 Binance 出現短暫且顯著的「溢價(Premium)」。這通常是行情的領先指標。
統計套利模型: 我們開發了一套獨家的演算法,24 小時監控這個溢價缺口的變化。只有當溢價偏離程度達到特定的**統計學異常值(Statistical Anomaly)**時,系統才會判定為「機構進場信號」並執行交易。
過濾雜訊: 我們只抓取真正由資金推動的大趨勢,過濾掉市場上 80% 的無效波動。
Smart Money Tracking: When institutions accumulate heavily, the price on Coinbase often trades at a significant "Premium" compared to Binance. This serves as a powerful leading indicator for price trends.
Statistical Arbitrage Model: We utilize a proprietary algorithm that monitors this premium gap 24/7. Only when the gap deviation hits a specific Statistical Anomaly, does the system identify it as an "Institutional Entry Signal" and execute the trade.
Noise Filtering: The strategy is designed to capture significant trends driven by real capital flow, effectively filtering out 80% of random market noise.
免責聲明 (Disclaimer)
補充說明: 以上策略不保證獲利,僅提供量化交易的想法與實驗數據參考。請注意,市場沒有聖杯,交易結果盈虧自負,本人不承擔任何因使用此策略而產生的資金損失。
Disclaimer: The above strategy does not guarantee profits and is provided solely for sharing quantitative ideas and experimental data. Please note that there is no "Holy Grail" in trading. You are solely responsible for your own PnL, and I assume no liability for any financial losses incurred.
Wisenode QuantThis indicator uses a combination of DMI, ADX and ATR% to give quick easy visual representation of trend strength, trend direction and price action volatility.
This helps to quickly visually identify market environment for trade execution using quantifiable data.
Direction
Red LED = Bearish Market conditions
Green LED = Bullish Market conditions
Trend (Strength)
Red = 0-20 on the ADX (Ranging)
Green = 20-30 on the ADX (Emerging)
Green = 30-50 on the ADX (Momentum)
Volatility
Uses ATR% on a dynamic scale from top to bottom is low to high intensity. Colour will transition from green to red as the bar moves higher.
Trade Execution
Integration of a custom Murray math values to build entry, stop loss protection and take profit zones.
This is still a working progress to fine tune default settings but can be used for market environment identification for any sort of discretionary trading
Hitjo Swing IndicatorTL;DR – READ THIS FIRST
This is a TWO-INDICATOR SYSTEM. Both indicators must be used together.
Hitjo Zones TF = WHERE you are allowed to trade
Hitjo Swing Trend = WHEN you are allowed to trade
Rules:
Only take BUY signals from Hitjo Swing Trend inside DEMAND zones from Hitjo Zones TF
Only take SELL signals from Hitjo Swing Trend inside SUPPLY zones from Hitjo Zones TF
Ignore signals when structure and timing do not align
Recommended setup: 1H chart with 4H or Daily zones.
Hitjo Swing Trading System
(Hitjo Zones TF + Hitjo Swing Trend)
This TradingView system combines higher-timeframe Supply & Demand zones with momentum-based swing entries to create a clean, rule-based swing trading framework.
It is designed for traders who want fewer but higher-quality trades, clear market structure, objective entry timing, and reduced overtrading.
Required Indicators
Hitjo Zones TF (Structure)
Automatically draws Supply & Demand zones using a selectable higher timeframe.
Displays SUPPLY and DEMAND labels when price enters key zones.
Defines where trades are allowed.
Do not trade based on zones alone.
Hitjo Swing Trend (Timing)
Displays BUY and SELL labels using EMA structure, momentum, and higher-timeframe trend.
Plots ATR-based stop loss and target levels.
Defines when to enter trades.
Do not take BUY or SELL signals outside zones.
Core Concept
Hitjo Zones TF tells you WHERE to trade.
Hitjo Swing Trend tells you WHEN to trade.
If both are not aligned, there is no trade.
Trading Rules
Long Trades
Take a BUY only when all conditions are true:
Price is inside or just above a DEMAND zone from Hitjo Zones TF
Higher-timeframe trend is bullish
A BUY label appears from Hitjo Swing Trend
There is room to target without immediately hitting resistance
Short Trades
Take a SELL only when all conditions are true:
Price is inside or just below a SUPPLY zone from Hitjo Zones TF
Higher-timeframe trend is bearish
A SELL label appears from Hitjo Swing Trend
There is room to target without immediately hitting support
Common Mistakes to Avoid
Buying just because DEMAND appears
Selling just because SUPPLY appears
Taking BUY or SELL signals in the middle of the chart
Counter-trend trading
Forcing trades on every signal
Stops and Targets
Hitjo Swing Trend plots:
Stop Loss using ATR (red)
Target using ATR (green)
These are visual guides only, not broker orders.
Recommended Setup
Chart timeframe: 1H
Zone timeframe (Hitjo Zones TF): 4H or Daily
Fast / Slow EMA: 8 / 21
ATR Stop / Target: 1.5 / 3.0
Remember This
DEMAND does not mean BUY
SUPPLY does not mean SELL
DEMAND + BUY = Long
SUPPLY + SELL = Short
Disclaimer
This system does not predict tops or bottoms and does not guarantee profits.
It is designed to help traders wait for alignment, reduce low-quality trades, and trade with structure.
Always manage risk appropriately.
TradingView Search Keywords
Supply Demand
Swing Trading
EMA Strategy
Multi Timeframe
Trend Following
Support Resistance
Momentum Trading
ATR Stop Loss
Crypto Trading
Stock Trading






















