keke[xinhao1hao]
Effective things are always simple, and their maximum value primarily relies on how users apply them.
往旆有效的东西都是简单的
主要依靠使用者的使用方案决定最大价值
Candlestick analysis
Multi-Filter Profit MaximizerDescription : This script is a trend-following system designed to maximize profits by capturing extended trends while filtering out market noise. It integrates four core components:
SuperTrend (Customized): Acts as a dynamic trailing stop and trend baseline.
ADX Filter: Ensures signals only occur during active volatility to avoid choppy markets.
CVD (Cumulative Volume Delta): Validates the price movement with actual volume flow.
Stochastic Momentum: Pinpoints high-probability entry entries within the trend.
--------------------------------------------------------------------------------------------------------------
How to Use This Indicator (Profit Maximization Manual)
This indicator is designed to prioritize **“win rate” and “price range”** over the number of entries.
Market Environment Recognition (Background & Lines):
Green background & green line: An uptrend. Focus solely on long positions.
Red background & red line: A downtrend. Focus solely on short positions.
EMA 200 (Orange Line): The iron rule is to go long if the candlestick is above this line, and short if it's below.
Entry (BUY / SELL Signals):
Enter when the BUY or SELL label appears.
This is the moment when the “trend direction,” “momentum via ADX,” “fund flow via CVD,” and “timing via Stochastic” all align perfectly.
Profit Maximization Exit (Most Critical):
Stop Loss (SL): Exit immediately if the candle body breaks below the green (or red) SuperTrend line right after entry. No hesitation.
Take Profit (TP):
Method A (Trend Riding): Hold until the SuperTrend line changes color. If a major trend emerges, this can yield tremendous profits.
Method B (Conservative Approach): Take half the profit at roughly a 1:2 risk-reward ratio, then hold the remainder aligned with the SuperTrend.
Why This is “The Best”
Many indicators get whipped back and forth in range-bound markets, spitting out profits. It's coded to generate absolutely no signals when ADX < 20 (weak market). Furthermore, using SuperTrend as the stop-loss line forces a structure that comes closest to the Holy Grail of trading: **“Small losses, unlimited profits as long as the trend continues.”**
tfgrokA Pine Script indicator that automatically identifies and marks multiple price consolidation zones (volume nodes) based purely on price action analysis, without using volume or other technical indicators.
Statistical Probability Entry & ExitWHAT THIS INDICATOR WILL DO
This indicator will:
✅ Identify market direction
✅ Analyze the last 2–5 candles statistically
✅ Trigger BUY / SELL signals when continuation probability is high
✅ Trigger EXIT signals when probability collapses
✅ Be fast, made for 1-minute NQ trading
✅ Avoid laggy indicators (no RSI, MACD spam)
CORE LOGIC (HOW PROBABILITY IS ESTIMATED)
We estimate probability using conditional continuation logic:
Bullish continuation is likely when:
Price is above EMA (trend bias)
Last candles show:
Higher closes
Strong bodies (not wicks)
Volume expands in direction of move
Momentum doesn’t stall (no large opposite candle)
Same logic inverted for shorts.
Gold Scalp//@version=5
indicator("scalp strategy (Boxed)", overlay=true)
// Ensure 5-minute chart
isFiveMin = timeframe.isminutes and timeframe.multiplier == 5
// New York time (EST/EDT auto)
nyHour = hour(time, "America/New_York")
nyMinute = minute(time, "America/New_York")
// Target times (exact candle close)
triggerTime =
(nyHour == 11 and nyMinute == 0) or
(nyHour == 19 and nyMinute == 0) or
(nyHour == 14 and nyMinute == 0) or
(nyHour == 6 and nyMinute == 0) or
(nyHour == 8 and nyMinute == 0) or
(nyHour == 21 and nyMinute == 0) or
(nyHour == 00 and nyMinute == 0)
// Final trigger
trigger = isFiveMin and triggerTime and barstate.isconfirmed
// Draw box + label
if trigger
box.new(bar_index - -5, high, bar_index, low, bgcolor=color.new(#0e06eb, 76), border_color=color.rgb(4, 252, 136))
label.new(bar_index, high, "", style=label.style_label_down, color=color.rgb(11, 48, 3), textcolor=color.white, size=size.small)
// Alert
alertcondition(trigger, title="LETS GO", message="5-minute candle CLOSED at key EST time")
Pips Signals with Alert From B#/S#Pips Signals B#/S# – Price‑Based Sequential Signal System
Pips Signals B#/S# is a price‑action‑driven indicator that generates sequential buy and sell signals based purely on pip movement, without relying on traditional oscillators or lagging indicators. It is designed for traders who prefer clean, rule‑based signals derived directly from market structure and price expansion.
How It Works
The indicator tracks the distance between the current price and the most recent signal. When price moves a user‑defined number of pips away from the last signal, a new signal is generated:
• B1, B2, B3… for consecutive bullish signals
• S1, S2, S3… for consecutive bearish signals
If price continues in the same direction, the sequence number increases. If price reverses by the required pip distance, the sequence resets and flips direction. This makes the tool useful for identifying momentum continuation as well as structured reversals.
Key Features
• Pure price‑action logic based on pip distance
• Sequential labeling (B#/S#) to visualize directional strength
• Configurable pip size and signal distance
• Customizable label size and colors
• Alerts that can trigger starting from a specific sequence number
• Works on all markets and timeframes
• No repainting — signals only appear after price completes the required movement
Why It’s Useful
This indicator helps traders track directional expansions, identify momentum continuation, spot structured reversals, and filter noise by requiring a minimum pip movement before any signal appears. It is suitable for scalpers, intraday traders, and swing traders who want a clean, objective method to monitor directional price movement.
Notes
This tool does not predict future price movement. It provides a systematic way to visualize and quantify directional shifts based on pip expansion, allowing traders to incorporate it into their own strategies and risk‑management rules.
EST Time Table//@version=6
indicator("EST Time Table", overlay = true)
// ─── Table Settings ─────────────────────────────────────────────
var table timeTable = table.new(
position.top_right,
1, 12,
border_width = 1
)
// ─── Header ────────────────────────────────────────────────────
if barstate.isfirst
table.cell(timeTable, 0, 0, "Time (EST)",
bgcolor = color.black,
text_color = color.white,
text_size = size.normal)
// ─── Time Rows ─────────────────────────────────────────────────
times = array.from(
"2:00 AM",
"6:00 AM",
"8:00 AM",
"8:30 AM",
"9:00 AM",
"9:30 AM",
"10:00 AM",
"11:00 AM",
"14:00 PM",
"19:00 PM",
"21:00 PM"
)
// ─── Fill Table ────────────────────────────────────────────────
for i = 0 to array.size(times) - 1
bg = i % 2 == 0 ? color.rgb(220, 220, 220) : color.white
table.cell(
timeTable,
0,
i + 1,
array.get(times, i),
bgcolor = bg,
text_color = color.black,
text_size = size.normal
)
Alphanet Wyckoff PremiumAlphanet Wyckoff Premium is a hybrid indicator that combines Wyckoff-style market phase labeling with an RSI regime filter to help you spot Accumulation/Distribution ranges, key turning points, and BUY/SELL triggers after a sideways market resolves.
How it works
Detects market regimes using RSI behavior around the equilibrium zone
Bull regime when RSI holds above the upper threshold
Bear regime when RSI holds below the lower threshold
Sideways regime when RSI oscillates around the equilibrium area
Automatically draws a range box during sideways conditions
The box visualizes the recent high/low boundaries of the consolidation
When the sideways phase ends, it prints confirmation labels
BUY after sideways when the breakout aligns with a bullish RSI regime
SELL after sideways when the breakdown aligns with a bearish RSI regime
Wyckoff labels on the chart
Marks Wyckoff-inspired events using pivots + RSI confirmation
SC (Selling Climax) as a potential exhaustion low
AR (Automatic Rally) as the rebound following SC
ST (Secondary Test) as a retest within accumulation
BC (Buying Climax) as a potential exhaustion high
AR (Automatic Reaction) as the drop following BC
ST (Secondary Test) as a retest within distribution
Colors and box meaning
Green box indicates Accumulation
Red box indicates Distribution
Candles may be colored to reflect bullish/bearish regimes for quick context
Key settings and how to tune
RSI Length
Higher values smooth signals and reduce noise
Lower values increase sensitivity but may create more false signals
Trend Sensitivity
Higher values widen the sideways zone, reducing bull/bear signals and filtering noise
Lower values generate more regime signals but can be choppier
Pivot Length
Higher values produce stronger, cleaner pivots (better for higher timeframes)
Lower values produce more pivots (better for scalping, but needs more filtering)
Practical usage
Use the sideways box as your range framework
Watch reactions at the top and bottom boundaries
Expect liquidity sweeps and false breaks around the edges
Treat BUY/SELL after Sideway as a confirmation trigger
Prioritize trades in the direction of the breakout/breakdown
Avoid fading the move unless you have a clear reversal setup
Combine with multi-timeframe context
Higher timeframe for phase bias (accumulation vs distribution)
Lower timeframe for entries using pivots and range reactions
Important notes
Because the logic uses RSI regimes and pivot detection, signals can appear after confirmation rather than at the exact turning point.
Best performance typically occurs when consolidation is well-defined and the breakout is clean.
MACD Trend Count ScoreThis indicator is designed to confirm potential future trends in an asset’s price by analyzing the MACD histogram in the past. It works by counting positive and negative MACD bars within the selected chart timeframe to calculate a Strength Index, which reflects the past trend direction and intensity.
Summarizing the predominance of positive or negative bars across higher timeframes in the past such as daily, weekly, bi-weekly, and quarterly, it provides insight to anticipate how the trend may evolve in upcoming periods, according to the predetermined range scales Strong Bullish, Moderate Bullish, Neutral, Moderate Bearish and Strong Bearish.
Additionally, a dedicated module linked to the strength index is optimized for short-term charts (2-minute, 5-minute and 15-minute timeframes), making it a valuable tool for day trading strategies.
Yield Curve Widget (Nasdaq) 📊 Yield Curve Risk Widget — Nasdaq (MNQ)
🔍 What this indicator does
This indicator is a macro risk widget designed for Nasdaq (MNQ) traders.
It combines the US Treasury yield curve (10Y vs 2Y) with price confirmation from Nasdaq itself to provide a directional bias.
⚠️ This is NOT an entry signal.
It is a context and risk filter to help you decide which side of the market to prioritize.
🧠 What each element means
🔹 10Y (e.g. 4.17)
The 10-year US Treasury yield, expressed as annual percentage (%).
Tech stocks and Nasdaq are highly sensitive to the 10Y
Falling 10Y → supportive for Nasdaq
Rising 10Y → pressure on Nasdaq
🔹 2Y (e.g. 3.54)
The 2-year US Treasury yield, closely tied to Federal Reserve expectations.
🔹 Spread (10Y − 2Y)
Represents the slope of the yield curve.
Spread expanding → curve normalizing → healthier macro environment
Spread contracting → curve flattening or inverting → higher risk
🔹 10Y slope / Spread slope (▲ ▼ •)
Shows the recent direction of movement:
▲ Rising
▼ Falling
• Flat / neutral
👉 Direction matters more than absolute level.
🔹 Regime (BULL / BEAR / NEUT)
Structural interpretation of the yield curve:
BULL → rates favor risk assets
BEAR → rates pressure risk assets
NEUT → mixed macro signals
🔹 RISK ON / RISK OFF / NEUTRAL
Combination of macro (yield curve) and price confirmation (Nasdaq trend):
RISK ON
→ Favorable curve and Nasdaq above its trend EMA
RISK OFF
→ Unfavorable curve and Nasdaq below its trend EMA
NEUTRAL
→ No confirmation
🔹 Intensity (0–100)
Measures the strength of the current regime.
0–40 → weak / noisy environment
40–60 → transition phase
60–100 → strong macro regime
🔹 Trade Bias (BUY / SELL / WAIT)
This is the practical conclusion of the indicator:
BUY NASDAQ
→ Risk ON confirmed + intensity above threshold
SELL NASDAQ
→ Risk OFF confirmed + intensity above threshold
WAIT
→ Mixed conditions, no clear edge
⚠️ This is NOT a trade trigger, only a directional filter.
🎯 How to use it (the right way)
✅ Use it as a FILTER
BUY NASDAQ → prioritize long setups only
SELL NASDAQ → prioritize short setups only
WAIT → trade only A+ setups or stay flat
❌ What NOT to do
Do not enter trades solely because BUY/SELL appears
Do not ignore your own risk management rules
Do not rely on it during major news events (CPI, FOMC, NFP)
⚙️ Suggested settings (MNQ)
Day Trading (1m / 5m)
MNQ Trend EMA: 200
Slope lookback: 5–10
Min Risk Intensity: 55–65
Intraday / Swing
Yields TF: 15m or 60m
Min Risk Intensity: 60–75
🧩 Quick summary
📉 Falling rates → Nasdaq tends to rise
📈 Rising rates → Nasdaq tends to fall
🧠 Yield curve + price confirmation = directional edge
🎯 Use as a filter, not as an entry signal
Disclaimer:
This indicator provides macro context only. Always combine it with your own technical setups, execution rules, and risk management.
Previous Hourly candle2 previous hourly high and low candle and last H4 high and low candle for intra or scalp strategy
Strategy_GOLD TERTIUMThis indicator is a visual tool for TradingView designed to help you read trend structure using EMAs and highlight potential long and short entries on the MGC 1‑minute chart, while filtering pullbacks and avoiding trades when the 200 EMA is flat.
It calculates five EMAs (32, 50, 110, 200, 250) and plots them in different colors so you can clearly see the moving‑average stack and overall direction. The main trend is defined by the 200 EMA: bullish when price and the fast EMAs (32 and 50) are above it with a positive slope, and bearish when they are below it with a negative slope; if the 200 EMA is almost flat, signals are blocked to reduce trading in choppy markets.
Entry logic looks for a pullback into the 32–50 EMA zone on the previous candle, then requires a trend‑aligned candle to trigger a signal: long when the trend is up, the previous bar retested the EMA zone, and the current bar closes above EMA 32 with a bullish body; short when the trend is down, there was a valid retest, the current bar closes below EMA 32 with a bearish body and EMA 32 is below EMA 50. On the chart, you will see colored EMAs plus green “L” triangles under bars for potential long entries and red “S” triangles above bars for potential short entries, which are meant as visual cues rather than automatic trade instructions
anteayer
Notas de prensa
This indicator is a visual tool for TradingView that helps you trade trend pullbacks on the MGC 1‑minute chart using a stack of EMAs and strict entry filters.
It plots five EMAs (32, 50, 110, 200, 250) in different colors so you can easily see short‑, medium‑, and long‑term direction on the chart. The main trend is defined by the 200 EMA: bullish when price, EMA 32, and EMA 50 are all above the 200 EMA with a positive slope, and bearish when they are below it with a negative slope; if the 200 EMA is almost flat, signals are blocked to avoid trading in ranging conditions.
For entries, the indicator looks for a pullback to the EMA 32–50 zone on the previous candle and then requires a trend‑aligned candle to fire a signal. Long signals only appear if the overall trend is up, the previous bar retested the EMA 32–50 zone, EMA 32 is above EMA 50, the distance between those two EMAs is at least 10 pips, and the current candle closes above EMA 32 with a bullish body. Short signals only appear if the trend is down, there was a valid retest, EMA 32 is below EMA 50 with at least 10 pips separation, and the current candle closes below EMA 32 with a bearish body.
On the chart, you see the colored EMAs plus green “L” triangles under bars for potential long entries and red “S” triangles above bars for potential short entries. These markers are meant as visual cues to highlight spots where your rules are met, not as automatic trade execution, so they are normally combined with your own session, structure, and risk management criteria.
ATANASOV BSL/SSLThis indicator highlights significant BSL (Break Support Levels) and SSL (Swing Supply Levels) on your chart, helping you identify key price zones. You can toggle the display of already swept BSL and SSL points, giving you a clean view of only active levels or a full history of all levels.
Perfect EQHs + EQLsPerfect EQHs + EQLs: High-Precision Liquidity Mapping
Identifying Equal Highs (EQH) and Equal Lows (EQL) is critical for traders who focus on liquidity, Internal Range Liquidity (IRL), and stop-hunts. This indicator is built for surgical precision, ensuring that only "mathematically perfect" levels are identified and projected until they are actually mitigated by price.
Key Features
Real-Time Mitigation: Lines are not static. As soon as price crosses a detected level (invalidating the liquidity), the line and label are instantly removed from the chart.
Dual Extension Modes: * Full Right Edge: Projects levels across the entire chart background for a clean, institutional look.
Bar Count: Extends lines a specific number of bars into the future (customizable).
Dynamic Sensitivity: Choose between a Dropdown Mode (pre-set for High, Medium, or Low sensitivity, including time-based filters for 1H and 4H+) or a Manual Bar Lookback to define exactly how many bars must separate the two points.
Smart Labels: Features "EQH" and "EQL" labels that anchor perfectly to the right edge of your lines, regardless of your zoom level or extension settings.
How to Use
Spot Liquidity Pools: Use the projected lines to identify where retail buy-side or sell-side liquidity is "resting."
Targeting: Use EQHs and EQLs as high-probability targets for your take-profits.
Entry Confirmation: Watch for price to sweep these levels (liquidity grab) before looking for a Market Structure Shift (MSS) in the opposite direction.
Customization Settings
Appearance: Full control over line colors (default Green for Highs, Red for Lows), thickness, and styles (Solid, Dash, Dotted).
Lookback Length: Define how far back the script scans for matches (supports up to 5,000 bars for deep historical analysis).
Label Visibility: Toggle labels on/off and adjust text size to fit your screen resolution.
Technical Note
Unlike basic fractal-based indicators, this script uses array-based state management to track every individual level. This ensures that the chart remains uncluttered by deleting old levels that are no longer relevant to current price action.
Golden Session ORB - Execution & Visualization Tool🎯 Optimize Your Execution with Golden Session ORB
The Golden Session ORB is a technical execution tool designed for traders who specialize in Opening Range Breakouts. Its primary goal is to provide a clean, professional visualization of liquidity levels across the three most critical trading sessions: Asia (18:00), NYC Pre-Market (08:00), and the Wall Street Open (09:30).
This script is not an automated signal system. It is a decision-support tool that manages range levels and visual structure, allowing the trader to focus exclusively on price action analysis and high-quality execution.
⏱️ Recommended Timeframes For optimal performance and precise box formation, this indicator should be used on:
1 Minute (1m): Ideal for observing the fine details of range formation and breakout precision.
15 Minutes (15m): Ideal for a clearer structural perspective of the session’s development.
💎 Key Features:
Automatic Multi-Session Structure: Automatically identifies and plots support and resistance levels from the opening minutes of each session.
Dynamic Extended Boxes: Ranges project forward automatically to help you identify key supply and demand zones throughout the day.
"Intention Candle" Visual Aid (Optional): The script highlights candles that show a confluence of volume and trend alignment (EMAs).
Note: These highlighted candles are NOT buy/sell alerts. They are a visual guide to help you identify moments of potential interest based on your own criteria.
📊 Backtesting & Risk Management This tool is perfect for manual backtesting, allowing you to study how price historically reacts to each session's levels.
Trading Recommendation: While opening range breakouts can lead to massive expansions, markets remain volatile. It is highly recommended to secure partial profits during the move and actively manage your risk to protect your capital from sudden price reversals.
clae(tpLine)
if not na(slLine)
line.delete(slLine)
tpLine := line.new(bar_index, close + (targetPoints * syminfo.mintick), bar_index + 15,
close + (targetPoints * syminfo.mintick), color=color.green, width=2)
slLine := line.new(bar_index, low, bar_index + 15, low, color=color.red, width=2)
// Alerts
alertcondition(shortEntry, "SHORT", "Reversal SHORT Setup")
alertcondition(longEntry, "LONG", "Reversal LONG Setup")
dih revamped//@version=5
indicator("Discretionary Model - Clean", overlay=true, max_labels_count=100)
// ==================== INPUTS ====================
// Time Window
startHour = input.int(9, "Start Hour", minval=0, maxval=23, group="Time Filter")
startMin = input.int(35, "Start Minute", minval=0, maxval=59, group="Time Filter")
endHour = input.int(10, "End Hour", minval=0, maxval=23, group="Time Filter")
endMin = input.int(0, "End Minute", minval=0, maxval=59, group="Time Filter")
// Settings
dispThreshold = input.float(0.4, "Displacement Threshold %", minval=0.1, maxval=2.0, step=0.1, group="Settings")
liqLookback = input.int(20, "Liquidity Lookback", minval=5, maxval=50, group="Settings")
eqThreshold = input.float(0.1, "Equal High/Low Threshold %", minval=0.05, maxval=0.5, step=0.05, group="Settings")
targetPoints = input.int(30, "Target Points", minval=10, maxval=100, group="Settings")
// Visual Options
showBuySide = input.bool(true, "Show Buy Side Liquidity", group="Display")
showSellSide = input.bool(true, "Show Sell Side Liquidity", group="Display")
showReversalSetups = input.bool(true, "Show Reversal Setups", group="Display")
// ==================== TIME FILTER ====================
inTimeWindow() =>
t = time(timeframe.period, "0935-1000:23456")
not na(t)
// ==================== CORE FUNCTIONS ====================
// Displacement detection
isDisplacementUp(thresh) =>
bodySize = close - open
bodyPct = (bodySize / open) * 100
close > open and bodyPct >= thresh and close > high
isDisplacementDown(thresh) =>
bodySize = open - close
bodyPct = (bodySize / open) * 100
close < open and bodyPct >= thresh and close < low
// Buy Side Liquidity (Equal Highs) - WHERE STOPS ARE
isBuySideLiquidity() =>
result = false
currentHigh = high
for i = 1 to liqLookback
diff = math.abs(currentHigh - high )
pctDiff = (diff / currentHigh) * 100
if pctDiff <= eqThreshold and pctDiff > 0
result := true
break
result
// Sell Side Liquidity (Equal Lows) - WHERE STOPS ARE
isSellSideLiquidity() =>
result = false
currentLow = low
for i = 1 to liqLookback
diff = math.abs(currentLow - low )
pctDiff = (diff / currentLow) * 100
if pctDiff <= eqThreshold and pctDiff > 0
result := true
break
result
// ==================== LIQUIDITY DETECTION ====================
buySideLiq = isBuySideLiquidity()
sellSideLiq = isSellSideLiquidity()
// Liquidity swept
buySideSwept = buySideLiq and close > high
sellSideSwept = sellSideLiq and close < low
// ==================== REVERSAL SEQUENCE TRACKING ====================
var bool lookingForReversal = false
var float reversalLevel = na
var int reversalCount = 0
var bool isReversalShort = false
// Start tracking after liquidity sweep
if buySideSwept and inTimeWindow() and not lookingForReversal
lookingForReversal := true
reversalLevel := high
reversalCount := 0
isReversalShort := true
if sellSideSwept and inTimeWindow() and not lookingForReversal
lookingForReversal := true
reversalLevel := low
reversalCount := 0
isReversalShort := false
// Count candles
if lookingForReversal
reversalCount += 1
// Reset after 5 candles
if reversalCount > 5
lookingForReversal := false
reversalCount := 0
// ==================== ENTRY SIGNALS ====================
var float entryPrice = na
var float stopLoss = na
var float takeProfit = na
reversalShortSignal = false
reversalLongSignal = false
dihim just testing a strategy if it works in code. this is bassed on failed breaks and reversals. i think its simple and this is a beta test so dont recommend using it tbh
Sheldon HTF CandlesSee higher-timeframe candles directly on your current chart without changing timeframes. This indicator shows the open, high, low, and close of a higher timeframe while you trade on a lower timeframe.
1H Buy: Engulf @ 20EMA + Vol + HTF Bull + Break Highbuy signal on the one hour for bullish engulfing strategy. Forms at the 20EMA, volume expansion, higher timeframe (4h) is bullish, next candle breaks engulfing candle.
Double Confirmation Strategy PRO - v4.4 HS EditionWhat it does
Generates BUY signals only in strong uptrend conditions
Generates SELL signals only in strong downtrend conditions
Avoids signals during choppy/ranging market conditions
Includes webhook-ready alerts for automation
BTC
ETH
BNB






















