Close Outside BB Without Touching//@version=5
indicator("Close Outside BB Without Touching", overlay=true)
// Input parameters
length = input.int(20, title="BB Length")
mult = input.float(2.0, title="BB Standard Deviation")
src = input(close, title="Source")
// Calculate Bollinger Bands
basis = ta.sma(src, length)
dev = mult * ta.stdev(src, length)
upper = basis + dev
lower = basis - dev
// Check if candle closed outside BB
closedAbove = close > upper
closedBelow = close < lower
// Check if candle didn't touch the BB during its formation
// For a candle closing above: low must be greater than upper band
// For a candle closing below: high must be less than lower band
noTouchAbove = low > upper
noTouchBelow = high < lower
// Final conditions
validAbove = closedAbove and noTouchAbove
validBelow = closedBelow and noTouchBelow
// Plot Bollinger Bands
plot(basis, "Basis", color=color.orange)
u = plot(upper, "Upper", color=color.blue)
l = plot(lower, "Lower", color=color.blue)
// Fill between Bollinger Bands
fill(u, l, color=color.new(color.blue, 95), title="Background")
// Highlight valid candles
barcolor(validAbove ? color.green : validBelow ? color.red : na)
// Plot markers for valid signals
plotshape(validAbove, title="Valid Above BB", color=color.green,
style=shape.triangleup, location=location.belowbar, size=size.small)
plotshape(validBelow, title="Valid Below BB", color=color.red,
style=shape.triangledown, location=location.abovebar, size=size.small)
// Alert conditions
alertcondition(validAbove, title="Valid Close Above BB",
message="Candle closed above BB without touching")
alertcondition(validBelow, title="Valid Close Below BB",
message="Candle closed below BB without touching")
指標和策略
Michael's EMA - 4h on 5mH4 Michael's EMA on all TF, You can use this indicator on all time frame and be able to see the H4 Bands, that help you with less layout and better view
GM
HTF Big Candle ProjectionsWhat it does
This indicator overlays higher-timeframe (HTF) “big candles” at the right edge of any chart and keeps them perfectly parallel with price while you zoom or pan. In End-of-Chart (EOC) mode, all objects are anchored by bar index (not time) and clamped to TradingView’s ≤500 bars into the future rule, so they move 1:1 with the chart—no drift, no lag. A fallback mode preserves time-anchored labels if you prefer them.
Why it’s different / useful
Most MTF overlays drift when you scale or pan because they anchor by time or mix coordinate systems. This script anchors every end-of-chart object (bodies, wicks, OHLC guide lines, labels, range readout) in bar-index space, so the overlay scales identically to real bars. It also includes a safe-clamp to the 500-bar forward limit, automatic TF mapping for D/W/M charts, and optional projections from the previous HTF candle.
How it works (technical overview)
HTF data: The indicator fetches HTF OHLC using request.security() (no lookahead) and updates the current HTF candle live on each chart bar.
EOC placement (ON): Big candles are rendered with index-anchored boxes + wicks (box.new + line.new). X-positions are computed from bar_index + offset, then clamped to stay within the forward limit.
Fallback placement (OFF): Label coordinates switch to time-anchored for familiarity; candle bodies remain parallel via index logic.
OHLC helpers: Optional high/low/close guide lines extend right from the active HTF candle; OHLC labels and a range label can be placed to the side; a remaining-time widget shows how long until the HTF bar closes.
No lookahead / repaint caveat: The current HTF candle naturally evolves until it closes; that’s expected behavior for real-time HTF overlays.
Inputs & features
Place at end of chart (EOC mode toggle): index-anchored layout with ≤500-bar clamp.
Right Candle Timeframe: auto-map for D/W/M (D→W, W→M, M→3M) or set manually.
Offsets & width: right-edge offset (bars), left-candle offset, body width (bars), minimum gap between candles.
Wicks: show/hide (fallback mode draws wicks; index mode draws them via lines).
OHLC guide lines: toggle H/L/C, choose style/width/color, with right-side projection distance.
OHLC labels: side selection, text size, background/text colors, side offset.
Range label: toggle, side offset, size; option to show pip units (1/mintick).
Prev candle projections: optional HTF high/low lines from the left candle.
Remaining-time panel: live countdown to the HTF bar close.
Colors: bullish/bearish bodies and wicks.
How to use
Add to any chart (works best on intraday charts when viewing D/W/M candles).
Keep “Place at end of chart” ON for perfect parallel tracking while zooming/panning.
Choose Right Candle Timeframe (or use auto for D/W/M).
Adjust Body Width and Label/Line Offsets to taste. If you push offsets too far, the script auto-clamps objects to respect the 500-bar forward limit.
Optionally enable Prev Candle HL projections, OHLC labels, and the Range readout.
Publish with a clean chart so the overlay is easy to understand at a glance.
Notes & limitations
Forward plotting limit: TradingView only allows drawing ≤500 bars into the future. The script clamps all end-of-chart objects automatically; if you request more, it will shorten projections to remain compliant.
Sessions & symbols: Exotic sessions or illiquid symbols may produce uneven HTF boundaries. If needed, set the Right Candle Timeframe manually.
No signals, no promises: This is a visualization tool—it does not generate trade signals or promise performance. Use it alongside your own analysis and risk management.
Settings quick reference
EOC mode: ON (index-anchored) / OFF (time-anchored labels).
Right Candle TF: Auto D→W→M→3M or manual TF.
Offsets: Right edge, left candle, label/range/line projections.
Body Width: Candle thickness in bars.
Lines/Labels: OHLC guides, OHLC labels, Range label.
Prev HL: Previous HTF high/low projections.
Timer: Remaining time in the current HTF bar.
Colors: Bull/Bear bodies, wicks.
Disclaimer
For educational purposes only. Not financial advice. Past performance does not guarantee future results. Always test on your own and trade responsibly.
Author’s note on originality
This script focuses on bar-index anchored EOC rendering with comprehensive forward-clamping and dual label modes, aiming to solve the common drift/desync issues seen in MTF overlays during chart scaling.
WTI Cushing Stocks Cushing stock levels (USCCOS) are one of the most closely watched oil market indicators, because that’s where WTI delivery occurs. Big players (traders like Vitol, Trafigura, hedge funds, refiners, shale producers) all key in on them.
⸻
🔑 Extreme levels that matter
1. Low stocks (Cushing near empty)
• Around 20–25 million barrels → this is considered “tank bottoms” (operational minimum).
• If inventories fall close to that, it means storage is nearly drained.
• Market reacts bullish: WTI tends to spike because physical supply is tight, and shorts fear delivery squeeze.
2. High stocks (Cushing near full)
• Above 55–60 million barrels → near effective storage capacity.
• When tanks are close to full, new supply has nowhere to go.
• Market reacts bearish: WTI usually sells off sharply, sometimes into contango (storage trade).
⸻
📊 Why players care
• Physical traders & refiners watch Cushing because it sets delivery logistics.
• Financial traders (hedge funds/CTAs) use extremes as mean reversion signals:
• If inventories are historically low → lean bullish.
• If inventories are bloated → lean bearish.
• Spread traders (WTI-Brent, time spreads) react most:
• Cushing draws (falling stocks) → WTI strengthens vs Brent.
• Cushing builds (rising stocks) → WTI weakens vs Brent.
⸻
Gif223 15min Trading ConditionsThis indicator provides a small text box at the top of the chart window for any indicator that shows a green "Trading conditions are met" or a gray "Trading conditions not met" as a reinforcement for traders that get the urge to overtrade.
What makes for trading conditions to give you the "green light":
1. A crossing above and a 15 minute close over the pre-market high or previous day high for the immediately preceding 15 minute candle, OR:
2. A crossing below and a 15 minute close under the pre-market low or previous day low for the immediately preceding 15 minute candle, AND:
3. Price is outside of the pre-market range to avoid chop
Asia Session 5pm-3am NY timeEsto es para todas las sesiones en horario de new york, se actualiza a la hora NY
Master Script--- 3 EMA Section ---
--- Daily CPR ----
--- Weekly CPR ----
--- Daily R1 - 4 & S 1 - 4 ---
--- Weekly R1 - 4 & S 1 - 4 ---
--- Previous day Open, High, Low, Close ---
--- Previous Week Open, High, Low, Close ---
--- Intraday Current day open ---
--- Daily, Weekly, Monthly ADR Levels ---
--- Accurate Swing Buy and Sell ---
---Supply and Demand ---
--- Automated Level from Python script - Reference Option Trick Trade ---
Killzone:
📌 Killzone Indicator Description
The Killzone Indicator is a visual tool that highlights specific time windows in the financial markets, most commonly in forex, where liquidity and volatility tend to increase. These periods — often aligned with major trading sessions such as Asia, London, and New York — are known as killzones and are favored by professional traders for precision entries.
🎯 Main Purpose
Identify high-liquidity and high-volatility periods.
Help traders focus only on key hours instead of monitoring charts all day.
Provide session ranges to spot expansion moves, false breaks, or liquidity grabs.
⚙️ Common Features
Session Timing
Asia Session (e.g., 00:00 – 05:00 NY Time).
London Session (e.g., 02:00 – 05:00 NY Time).
New York AM (e.g., 07:00 – 10:00 NY Time).
New York PM (e.g., 12:00 – 14:00 NY Time).
Visualization
Displays highlighted boxes or shaded zones on the chart.
Custom colors for each session (e.g., blue for Asia, green for London, orange for NY AM).
Can show the high–low range of each session.
Integration with Trading Concepts
Works alongside HTF/LTF bias, supply-demand, or SMC/ICT models (liquidity sweeps, inducements, BOS/CHoCH).
Useful for distinguishing retracement vs. expansion after key sessions.
🔑 Benefits for Traders
Entry filtering: focus only on high-probability hours → reduce overtrading.
Setup validation: entries are stronger when aligned with killzones.
Range measurement: helps determine if the market is in consolidation or expansion.
Liquidity traps: many patterns like Turtle Soup, liquidity grabs, and false breakouts occur within killzones.
Jayz_ze PremDots + Div + CVDThis is an indicator blessed by god. It includes a combination of signals generated from momentum of the price, cummulative volume delta, money flow(direction of volume).
It adapts to different time frames and every asset, making it perfect for both traders and investors.
Jayz_ze PremDots + Div + CVDThis is a godblessed indicator that uses momentum, cummulative volume delta, and Money Flow(Volume with direction) to give you conviction on entries of all types of assets.
It adapts to different timeframes and suits for trading and investing.
Autonomous v1.3Autonomous v1.3 – ORB Futures Strategy with Risk Management & Discord Alerts
Autonomous v1.3 is a futures trading strategy designed around the Opening Range Breakout (ORB) concept. It identifies the opening range of the session and executes a single trade per day once price breaks above or below that range.
The script integrates:
✅ Dynamic Risk Management – position sizing, maximum stop loss, and account-level drawdown protection.
✅ EMA Trend Filter – optional trend filter to restrict trades with the broader market direction.
✅ Exit Logic – configurable take profit, stop loss, and optional trailing stop.
✅ End-of-Session Protection – closes positions automatically before session close.
✅ Discord Integration – built-in alert messages formatted for webhook delivery (PnL tracking, trade side, and trade details).
⚡ Who it’s for:
This tool is meant for traders interested in testing structured, rule-based futures trading strategies with automated risk controls.
⚠️ Disclaimer:
This script is for educational and research purposes only. It does not constitute financial advice, and past performance does not guarantee future results. Use at your own risk.
US Cushing Stocks (with Extreme Levels)This indicator tracks weekly U.S. Cushing, Oklahoma crude oil inventories (ECONOMICS:USCCOS), the official delivery hub for NYMEX WTI crude futures. Cushing stock levels are a critical gauge of supply and storage dynamics in the U.S. oil market, closely followed by producers, refiners, physical traders, hedge funds, and macro investors.
🔎 What it shows
• Orange line → Weekly Cushing crude stock levels (in thousand barrels).
• Red dashed line (25,000) → Approximate “tank bottoms”, the lower operational limit (about 25 million bbls). Inventories near this level imply storage is running dry → bullish risk for WTI (potential delivery squeezes and stronger backwardation).
• Green dashed line (60,000) → Approximate “tank tops”, the upper capacity range (about 60 million bbls). Inventories near this level imply tanks are filling up → bearish risk for WTI (storage overflow, contango trades).
⚖️ Interpretation
• Below ~25 mb → Market interprets as supply stress / tightness. Large traders may bid up WTI futures, and spreads can spike into backwardation.
• Above ~55–60 mb → Market interprets as oversupply. WTI often weakens, and time spreads move into contango as storage arbitrage becomes profitable.
• Middle range (30–45 mb) → Neutral zone; prices react more to macro drivers (Fed, USD, demand forecasts).
🕒 Update frequency
• Data comes from the EIA Weekly Petroleum Status Report (WPSR).
• Released every Wednesday at 10:30 a.m. ET (or Thursday if a U.S. federal holiday).
• TradingView’s USCCOS ticker updates the same day but only as weekly bars.
⸻
✅ In short: This indicator lets you visually monitor Cushing stock extremes. Big players treat these thresholds as red flags — if tanks are near empty or full, the odds of sharp moves in WTI crude prices and spreads rise significantly.
Filtro Long/Short 5minTaskFlow is a smart productivity tool designed to streamline your daily workflow. It helps users organize tasks, set priorities, and track progress effortlessly. With an intuitive interface, TaskFlow adapts to individual work styles. Real-time collaboration features make team projects smoother and more efficient. The built-in calendar syncs with major platforms like Google and Outlook. AI-powered suggestions help optimize schedules and reduce time waste. Customizable dashboards provide clear visual insights into task completion. Notifications and reminders keep users on track without being intrusive. Secure cloud storage ensures your data is always protected and accessible. Whether you're managing a team or working solo, TaskFlow keeps you focused.
Golden Point – Wyckoff Compression→Sweep→Reclaim→OBGolden Point – Wyckoff Compression→Sweep→Reclaim→OB + HTF BOS/CHOCH
UBS Forecast IndicatorThis indicator displays UBS’s forecast for various currency pairs. The midline represents the exact forecast price, while the box illustrates a forecast range of ±0.5%. This range can be adjusted in the settings.
FDDM [ Shervinfx ]( Fractal Dimensions and the Depth Manipulation )
1.With this indicator, you can properly understand fractal dimensions and the depth of market manipulation.Fddm identifies regions daily to measure fractal dimensions and assess data for market manipulation.
2.The red and blue areas in the image indicate the regions where the fractal dimensions are measured.
The MNP - or + and MNP5 areas are the market manipulation zones that arise daily with different market profiles.
3.Please apply the FDDM indicator settings exactly as shown in the pictures I shared to ensure correct usage and avoid any violations, so you can get the best results and positive responses in your trades.
4.There are two types of tables to view the Fractal dimension prices and market manipulation that we observe as MNP, so you can make the best trading decisions and achieve success at your entry points.
5.The higher timeframe candle is considered for you so you can combine the market OHLC-OLHC with your lower-fractal timeframe. This way, your entry precision increases, and you have quick access to higher timeframes even with just a laptop and a monitor; you don’t need other monitors when using the FDDM indicator.
6.Change in state of delivery" is one of the key ways to consider market shift in both lower and higher timeframes. You should pay close attention to MNP and FD points at price touch and trend, so you enter at the right price level. This itself is an important confirmation for entering a trade, and the FDDM indicator does this automatically for you across all timeframes accurately, since recognizing CISD can be very challenging at times.
7.Identify fair value gaps (FVG) automatically and plot them on the chart without any effort. The FDDM indicator does this for you, and you can set the number of gaps to display in the settings. This is a great boon for traders, allowing you to focus purely on trading and entries, stay away from peripheral tasks, enjoy the trading process, and reap substantial profits.
8.I have to tell you about a kind of miracle: since FD and MNP form a single zone for us, if this zone is shadowed or has a solid test, we can execute a good entry. If the market trend is intact but this zone is touched by the body and the market turns, you should wait for CISD to achieve the best, low-risk entry for trend reversals or corrections. Based on narrative and bias, you can make good trading decisions.
Wickless Heikin Ashi B/S [CHE]Wickless Heikin Ashi B/S \
Purpose.
Wickless Heikin Ashi B/S \ is built to surface only the cleanest momentum turns: it prints a Buy (B) when a bullish Heikin-Ashi candle forms with virtually no lower wick, and a Sell (S) when a bearish Heikin-Ashi candle forms with no upper wick. Optional Lock mode turns these into one-shot signals that hold the regime (bull or bear) until the opposite side appears. The tool can also project dashed horizontal lines from each signal’s price level to help you manage entries, stops, and partial take-profits visually.
How it works.
The indicator computes standard Heikin-Ashi values from your chart’s OHLC. A bar qualifies as bullish if its HA close is at or above its HA open; bearish if below. Then the wick on the relevant side is compared to the bar’s HA range. If that wick is smaller than your selected percentage threshold (plus a tiny tick epsilon to avoid rounding noise), the raw condition is considered “wickless.” Only one side can fire; on the rare occasion both raw conditions would overlap, the bar is ignored to prevent false dual triggers. When Lock is enabled, the first valid signal sets the active regime (background shaded light green for bull, light red for bear) and suppresses further same-side triggers until the opposite side appears, which helps reduce overtrading in chop.
Why wickless?
A missing wick on the “wrong” side of a Heikin-Ashi candle is a strong hint of persistent directional pressure. In practice, this filters out hesitation bars and many mid-bar flips. Traders who prefer entering only when momentum is decisive will find wickless bars useful for timing entries within an established bias.
Visuals you get.
When a valid buy appears, a small triangle “B” is plotted below the bar and a green dashed line can extend to the right from the signal’s HA open price. For sells, a triangle “S” above the bar and a red dashed line do the same. These lines act like immediate, price-anchored references for stop placement and profit scaling; you can shift the anchor left by a chosen number of bars if you prefer the line to start a little earlier for visual alignment.
How to trade it
Establish context first.
Pick a timeframe that matches your style: intraday index or crypto traders often use 5–60 minutes; swing traders might prefer 2–4 hours or daily. The tool is agnostic, but the cleanest results occur when the market is already trending or attempting a fresh breakout.
Entry.
When a B prints, the simplest rule is to enter long at or just after bar close. A conservative variation is to require price to take out the high of the signal bar in the next bar(s). For S, invert the logic: enter short on or after close, or only if price breaks the signal bar’s low.
Stop-loss.
Place the stop beyond the opposite extreme of the signal HA bar (for B: under the HA low; for S: above the HA high). If you prefer a static reference, use the dashed line level (signal HA open) or an ATR buffer (e.g., 1.0–1.5× ATR(14)). The goal is to give the trade enough room that normal noise does not immediately knock you out, while staying small enough to keep the risk contained.
Take-profit and management.
Two pragmatic approaches work well:
R-multiple scaling. Define your initial risk (distance from entry to stop). Scale out at 1R, 2R, and let a runner go toward 3R+ if structure holds.
Trailing logic. Trail behind a short moving average (e.g., EMA 20) or progressive swing points. Many traders also exit on the opposite signal when Lock flips, especially on faster timeframes.
Position sizing.
Keep risk per trade modest and consistent (e.g., 0.25–1% of account). The indicator improves timing; it does not replace risk control.
Settings guidance
Max lower wick for Bull (%) / Max upper wick for Bear (%).
These control how strict “wickless” must be. Tighter values (0.3–1.0%) yield fewer but cleaner signals and are great for strong trends or low-noise instruments. Looser values (1.5–3.0%) catch more setups in volatile markets but admit more noise. If you notice too many borderline bars triggering during high-volatility sessions, increase these thresholds slightly.
Lock (one-shot until opposite).
Keep Lock ON when you want one decisive signal per leg, reducing noise and signal clusters. Turn it OFF only if your plan intentionally scales into trends with multiple entries.
Extended lines & anchor offset.
Leave lines ON to maintain a visual memory of the last trigger levels. These often behave like near-term support/resistance. The offset simply lets you start that line one or more bars earlier if you prefer the look; it does not change the math.
Colors.
Use distinct bull/bear line colors you can read easily on your theme. The default lime/red scheme is chosen for clarity.
Practical examples
Momentum continuation (long).
Price is above your baseline (e.g., EMA 200). A B prints with a tight lower wick filter. Enter on close; stop under the signal HA low. Price pushes up in the next bars; you scale at 1R, trail the rest with EMA 20, and finally exit when a distant S appears or your trail is hit.
Breakout confirmation (short).
Following a range, price breaks down and prints an S with no upper wick. Enter short as the bar closes or on a subsequent break of the signal bar’s low. If the next bar immediately rejects and prints a bullish HA bar, your stop above the signal HA high limits damage. Otherwise, ride the move, harvesting partials as the red dashed line remains unviolated.
Alerts and automation
Set alerts to “Once Per Bar Close” for stability.
Bull ONE-SHOT fires when a valid buy prints (and Lock allows it).
Bear ONE-SHOT fires for sells analogously.
With Lock enabled, you avoid multiple pings in the same direction during a single leg—useful for webhooks or mobile notifications.
Reliability and limitations
The script calculates from completed bars and does not use higher-timeframe look-ahead or repainting tricks. Heikin-Ashi smoothing can lag turns slightly, which is expected and part of the design. In narrow ranges or whipsaw conditions, signals naturally thin out; if you must trade ranges, either tighten the wick filters and keep Lock ON, or add a trend/volatility filter (e.g., trade B only above EMA 200; S only below). Remember: this is an indicator, not a strategy. If you want exact statistics, port the triggers into a strategy and backtest with your chosen entry, stop, and exit rules.
Final notes
Wickless Heikin Ashi B/S \ is a precision timing tool: it waits for decisive, wickless HA bars, provides optional regime locking to reduce noise, and leaves clear price anchors on your chart for disciplined management. Use it with a simple framework—trend bias, fixed risk, and a straightforward exit plan—and it will keep your execution consistent without cluttering the screen or your decision-making.
Disclaimer: This indicator is for educational use and trade assistance only. It is not financial advice. You alone are responsible for your risk and results.
Enhance your trading precision and confidence with Wickless Heikin Ashi B/S ! 🚀
Happy trading
Chervolino
Setas do além (BTC Vision)Indicator intended to identify opportune moments in price regions, where, through the departure from the simple 9-month average, exhaustion occurs, therefore, we would have the opportunity to sell at the red arrow signal, targeting the vicinity of the informed average.