My script//@version=5
indicator("NQ Fib + True Open Strategy ", overlay=true, max_lines_count=500)
// === Inputs ===
fibLevel1 = input.float(0.79, "79% Fib Level", minval=0, maxval=1, step=0.01)
fibLevel2 = input.float(0.85, "85% Fib Level", minval=0, maxval=1, step=0.01)
trueOpenTime = input.session("0930-1000", "True Open Time (EST)")
useVolumeFilter = input(true, "Use Volume Filter")
minVolumeRatio = input.float(1.5, "Volume Spike Ratio", minval=1, step=0.1)
trendLength = input.int(5, "Trend Leg Length", minval=1)
// === Trend Detection ===
upTrend = ta.highest(high, trendLength) > ta.highest(high, trendLength) and
ta.lowest(low, trendLength) > ta.lowest(low, trendLength)
downTrend = ta.lowest(low, trendLength) < ta.lowest(low, trendLength) and
ta.highest(high, trendLength) < ta.highest(high, trendLength)
// === Fibonacci Levels ===
swingHigh = ta.highest(high, 10)
swingLow = ta.lowest(low, 10)
priceRange = swingHigh - swingLow
fib79 = swingLow + priceRange * fibLevel1
fib85 = swingLow + priceRange * fibLevel2
// === True Open Price ===
isTrueOpenTime = time(timeframe.period, trueOpenTime)
var float trueOpenPrice = na
if isTrueOpenTime
trueOpenPrice := open
// === Volume Filter ===
volumeAvg = ta.sma(volume, 20)
validVolume = not useVolumeFilter or (volume >= volumeAvg * minVolumeRatio)
// === Entry Conditions ===
nearFib79 = math.abs(close - fib79) <= ta.atr(14) * 0.25
nearFib85 = math.abs(close - fib85) <= ta.atr(14) * 0.25
nearOpenPrice = not na(trueOpenPrice) and math.abs(close - trueOpenPrice) <= ta.atr(14) * 0.25
buySignal = upTrend and (nearFib79 or nearFib85) and nearOpenPrice and validVolume
sellSignal = downTrend and (nearFib79 or nearFib85) and nearOpenPrice and validVolume
// === Plots ===
plot(fib79, "79% Fib", color.new(color.blue, 0), linewidth=1)
plot(fib85, "85% Fib", color.new(color.purple, 0), linewidth=1)
plot(trueOpenPrice, "True Open Price", color.new(color.orange, 0), linewidth=2)
plotshape(buySignal, "Buy", shape.triangleup, location.belowbar, color.new(color.green, 0), size=size.small)
plotshape(sellSignal, "Sell", shape.triangledown, location.abovebar, color.new(color.red, 0), size=size.small)
Göstergeler ve stratejiler
Keltner Channel + SMI 3-min with RVOLThis strategy is designed for active traders looking to capitalize on short-term price extremes in high-volume environments. Built on a 3-minute chart, it combines the precision of the Keltner Channel with the momentum insights of the Stochastic Momentum Index (SMI), while adding a volume-based filter to enhance the quality of trade signals.
The system aims to identify mean reversion opportunities by monitoring when price overextends beyond key volatility bands and aligns with deeply overbought or oversold momentum readings. However, it only triggers trades when relative volume is elevated, ensuring that signals are backed by significant market activity.
Long positions are initiated when price dips below the lower volatility band, momentum is deeply negative, and volume confirms interest.
Shorts are opened when price spikes above the upper band with overheated momentum and heavy participation.
Positions are exited once the momentum shifts back toward neutrality, helping to lock in gains on reversion.
The result is a tight, reactive strategy that avoids low-volume noise and aims to catch sharp reversals with strong participation. Ideal for SPY or other high-liquidity instruments, especially during peak market hours.
Dow Theory Trend IndicatorIdentifies bullish (Higher Highs/Lows) and bearish (Lower Highs/Lows) trends using Dow Theory principles, with dynamic volume confirmation.
Displays the current trend status ("Bull", "Bear", or "Neutral")
HMA Crossover + ATR + Curvature (Long & Short)📏 Hull Moving Averages (Trend Filters)
- fastHMA = ta.hma(close, fastLength)
- slowHMA = ta.hma(close, slowLength)
These two HMAs act as dynamic trend indicators:
- A bullish crossover of fast over slow HMA signals a potential long setup.
- A bearish crossunder triggers short interest.
⚡️ Curvature (Acceleration Filter)
- curv = ta.change(ta.change(fastHMA))
This calculates the second-order change (akin to the second derivative) of the fast HMA — effectively the acceleration of the trend. It serves as a filter:
- For long entries: curv > curvThresh (positive acceleration)
- For short entries: curv < -curvThresh (negative acceleration)
It helps eliminate weak or stagnating moves by requiring momentum behind the crossover.
📈 Volatility-Based Risk Management (ATR)
- atr = ta.atr(atrLength)
- stopLoss = atr * atrMult
- trailStop = atr * trailMult
These define your:
- Initial stop loss: scaled to recent volatility using ATR and atrMult.
- Trailing stop: also ATR-scaled, to lock in gains dynamically as price moves favorably.
💰 Position Sizing via Risk Percent
- capital = strategy.equity
- riskCapital = capital * (riskPercent / 100)
- qty = riskCapital / stopLoss
This dynamically calculates the position size (qty) such that if the stop loss is hit, the loss does not exceed the predefined percentage of account equity. It’s a volatility-adjusted position sizing method, keeping your risk consistent regardless of market conditions.
📌 Execution Logic
- Long Entry: on bullish HMA crossover with rising curvature.
- Short Entry: on bearish crossover with falling curvature.
- Exits: use ATR-based trailing stops.
- Position is closed when trend conditions reverse (e.g., bearish crossover exits the long).
This framework gives you:
- Trend-following logic (via HMAs)
- Momentum confirmation (via curvature)
- Volatility-aware execution and exits (via ATR)
- Risk-controlled dynamic sizing
Want to get surgical and test what happens if we use curvature on the difference between HMAs instead? That might give some cool insights into trend strength transitions.
💰 Volume Spike Detector - by TenAMTrader💰 Volume Spike Detector – by TenAMTrader
Overview
This indicator helps you spot potential trading opportunities by identifying volume spikes—a common precursor to strong market moves. When a candle's volume exceeds the average volume of the past sessions by a defined percentage (default 25%), a 💰 emoji will appear beneath the bar on your chart.
How to Use It:
Look for the 💰 money sign plotted below candles—these mark when the current volume is significantly higher than usual.
Use these signals to confirm price action setups, trend reversals, or breakout entries.
Combine with support/resistance or other indicators for higher conviction.
Settings & Customization
Spike Ratio %: The percentage above average volume required to trigger a signal (default: 25%).
Trading Period: The number of past bars used to calculate average volume (default: 21).
Enable Alert: Toggle on/off if you want to be alerted when a spike happens.
How to Set Up Alerts
After adding the script to your chart, click the "Alerts" icon.
Choose the condition: Volume Spike Alert.
Set frequency: Once per bar close or Once per bar.
Save and activate to be notified of incoming volume surges.
⚠️ Disclaimer
This indicator is for educational and informational purposes only. It does not constitute financial advice or a recommendation to buy or sell any security. Always perform your own due diligence and risk management. The creator of this script, TenAMTrader, is not liable for any losses incurred from using this tool.
MSFT Bias at NYSE Open (9:30 ET)have an 85% bias accuracy rate with this indicator. wait for market open
Entry DOTs (Stoch RSI)Entry DOTs (Stoch RSI) Indicator Manual
Overview
The Entry DOTs (Stoch RSI) indicator is a multi-timeframe Stochastic RSI visualization tool designed to provide quick visual analysis of market momentum across 8 different timeframes simultaneously. The indicator displays two rows of colored dots in the bottom-right corner of your TradingView chart, with each dot representing the Stochastic RSI value for a specific timeframe.
Visual Layout
The indicator displays 8 dots arranged in 2 rows of 4 dots each:
First Row (Top):
•
Dot 1: 1-minute timeframe
•
Dot 2: 3-minute timeframe
•
Dot 3: 5-minute timeframe
•
Dot 4: 15-minute timeframe
Second Row (Bottom):
•
Dot 5: 1-hour timeframe
•
Dot 6: 2-hour timeframe
•
Dot 7: 4-hour timeframe
•
Dot 8: 1-day timeframe
Color System
The dot colors represent the Stochastic RSI value using a gradient system:
•
Black (0%): Extremely oversold condition
•
Red (25%): Oversold condition
•
Orange (50%): Neutral/middle range
•
Yellow (75%): Overbought condition
•
Green (100%): Extremely overbought condition
Colors between these points are automatically interpolated using RGB color mixing, providing smooth transitions that accurately represent intermediate values.
Installation Instructions
1.
Open TradingView and navigate to your desired chart
2.
Click on the "Pine Editor" tab at the bottom of the screen
3.
Delete any existing code in the editor
4.
Copy and paste the provided Pine Script code
5.
Click "Add to Chart" button
6.
The indicator will appear in the bottom-right corner of your chart
Settings Configuration
Access the indicator settings by right-clicking on the indicator and selecting "Settings".
Display Settings
Display Option: Choose between two display modes:
•
"Dots Only": Shows only the colored dots
•
"Dots and Values": Shows dots with numerical Stochastic RSI values below each dot
Colors Group
Customize the color scheme for different Stochastic RSI levels:
•
Stochastic RSI 0% Color: Default black
•
Stochastic RSI 25% Color: Default red
•
Stochastic RSI 50% Color: Default orange
•
Stochastic RSI 75% Color: Default yellow
•
Stochastic RSI 100% Color: Default green
Stoch RSI Values Group
Adjust the value points that correspond to each color:
•
Value for 0% Color: Default 0.0
•
Value for 25% Color: Default 25.0
•
Value for 50% Color: Default 50.0
•
Value for 75% Color: Default 75.0
•
Value for 100% Color: Default 100.0
Stoch RSI Parameters Group
Fine-tune the Stochastic RSI calculation:
•
Stochastic Length: Default 14 (period for Stochastic calculation)
•
RSI Length: Default 14 (period for RSI calculation)
•
Stochastic %K: Default 3 (smoothing for %K line)
•
Stochastic %D: Default 3 (smoothing for %D line)
Trading Interpretation
Momentum Analysis
Strong Bullish Momentum: Multiple dots showing green/yellow colors across timeframes
Strong Bearish Momentum: Multiple dots showing black/red colors across timeframes
Mixed Signals: Dots showing different colors across timeframes (proceed with caution)
Entry Signals
Potential Long Entry:
•
Lower timeframes (1m, 3m, 5m) showing black/red (oversold)
•
Higher timeframes (1h, 4h, 1D) showing neutral to bullish colors
•
Look for reversal confirmation on price action
Potential Short Entry:
•
Lower timeframes showing green/yellow (overbought)
•
Higher timeframes showing neutral to bearish colors
•
Look for reversal confirmation on price action
Timeframe Confluence
High Probability Setups: When multiple timeframes align in the same direction
Divergence Opportunities: When short-term and long-term timeframes show opposite conditions
Best Practices
1. Multi-Timeframe Analysis
•
Use the indicator to identify alignment across different timeframes
•
Higher timeframes provide trend direction
•
Lower timeframes provide entry timing
2. Confirmation Required
•
Never trade based solely on the dots
•
Always confirm with price action, support/resistance levels, and other indicators
•
Look for confluence with volume and market structure
3. Risk Management
•
Set appropriate stop losses
•
Consider position sizing based on timeframe alignment
•
Be cautious when timeframes show conflicting signals
4. Market Conditions
•
The indicator works best in trending markets
•
Be cautious during low volatility or sideways markets
•
Adjust parameters for different market conditions if needed
Customization Tips
Color Schemes
•
Conservative Traders: Use more distinct colors with wider value ranges
•
Aggressive Traders: Use tighter value ranges for more sensitive signals
•
Dark Theme Users: Ensure colors are visible against dark backgrounds
Value Adjustments
•
Volatile Markets: Consider adjusting the 25% and 75% levels to 20% and 80%
•
Stable Markets: Consider tighter ranges like 30% and 70%
Parameter Tuning
•
Faster Signals: Reduce RSI Length and Stochastic Length
•
Smoother Signals: Increase smoothing parameters (%K and %D)
Troubleshooting
Common Issues
Dots Not Appearing:
•
Ensure the indicator is added to the chart
•
Check that the chart timeframe allows for the requested timeframes
Incorrect Colors:
•
Verify color settings in the indicator configuration
•
Ensure value ranges are properly set (0-100)
Missing Values:
•
Some timeframes may not have enough data on certain symbols
•
Gray dots indicate unavailable data (na values)
Performance Optimization
•
The indicator uses request.security() which may cause slight delays
•
Performance is optimized for real-time trading
•
Historical data may take a moment to fully load
Advanced Usage
Scalping Strategy
Focus on 1m, 3m, and 5m dots for quick entries with 15m confirmation
Swing Trading Strategy
Use 1h, 4h, and 1D dots for trend direction with lower timeframes for entry timing
Position Trading Strategy
Primarily focus on 4h and 1D dots with other timeframes for fine-tuning entries
Disclaimer
This indicator is a technical analysis tool and should not be used as the sole basis for trading decisions. Always combine with proper risk management, fundamental analysis, and other technical indicators. Past performance does not guarantee future results.
Support and Updates
For questions, suggestions, or issues with the indicator, please refer to the Pine Script code comments or consult TradingView's Pine Script documentation for advanced customizations.
MetaSigmaMetaSigma is a cutting-edge indicator designed for traders who thrive on contrarian strategies. Built on the core principle of mean reversion, MetaSigma identifies statistically significant price extremes and signals potential turning points before the market corrects itself.
Naked DWM LevelsThis indicator shows naked Daily, Weekly, Monthly levels
The indicator will automatically delete levels where the same time frame candle close has crossed one of these levels, when it is no longer naked or tapped by a wick.
These are HTF S/R levels that are highly respected for reversals, or even break and retests.
Enjoy!
Signalgo NVThis script combines multi-timeframe net volume analysis with trend filtering. Unlike typical scripts that simply plot moving averages or basic S/R levels, this tool synthesizes net volume shifts across different timeframes, then confirms signals with a Moving Average trend filter.
Signalgo XThis script delivers a multi-layered approach to real-time news, hype, and institutional activity detection across different timeframes. Unlike traditional indicators or simple news overlays, this tool uses multiple and different analytics with a proprietary anti-hype filter and institutional tracking system.
The indicator does not use external news headlines or economic calendar events. Instead, it generates "news" signals in real time by analyzing price, volume, volatility, and sentiment data across multiple timeframes. These signals are algorithmically classified as "bullish news," "bearish news," "strong, or "hype" events, and are displayed as chart labels. The script also includes a proprietary anti-hype filter that suppresses signals during periods of abnormal or unreliable market conditions.
Signalgo S/RThis script combines multi-timeframe S/R detection with a proprietary breakout confirmation and signal grading system. Unlike generic S/R indicators, this tool analyzes and synthesizes S/R levels from different timeframes, then generates trade signals only when breakouts are confirmed and aligned across multiple timeframes.
Signalgo MAThis script generates buy/sell signals by combining multi-timeframe analysis with trend filtering and signal logic. Unlike typical moving average indicators that operate on a single timeframe, this tool simultaneously analyzes moving averages across multiple timeframes. It then synthesizes these crossovers through proprietary multi-layered logic to identify trend alignments and produce graded trading signals.
Signalgo HF TP/SLThis script provides an original, systematic approach to high-frequency (HF) trade management by integrating multi-timeframe signal confirmation with dynamic, auto-calculated take-profit (TP) and stop-loss (SL) levels. Unlike standard TP/SL scripts, this tool generates actionable trade entries only when buy or sell signals align across multiple timeframes, then automatically plots three adaptive TP levels and a context-sensitive SL for each trade.
Step Channel Momentum Trend [ChartPrime]OVERVIEW
Step Channel Momentum Trend is a momentum-based price filtering system that adapts to market structure using pivot levels and ATR volatility. It builds a dynamic channel around a stepwise midline derived from swing highs and lows. The system colors price candles based on whether price remains inside this channel (low momentum) or breaks out (strong directional flow). This allows traders to clearly distinguish ranging conditions from trending ones and take action accordingly.
⯁ STRUCTURAL MIDLNE (STEP CHANNEL CORE)
The midline acts as the backbone of the trend system and is based on structure rather than smoothing.
Calculated as the average of the most recent confirmed Pivot High and Pivot Low.
The result is a step-like horizontal line that only updates when new pivot points are confirmed.
This design avoids lag and makes the line "snap" to recent structural shifts.
It reflects the equilibrium level between recent bullish and bearish control.
snapshot
This unique step logic creates clear regime shifts and prevents noise from distorting trend interpretation.
⯁ DYNAMIC VOLATILITY BANDS (ATR FILTERING)
To detect momentum strength, the script constructs upper and lower bands using the ATR (Average True Range):
The distance from the midline is determined by ATR × multiplier (default: 200-period ATR × 0.6).
These bands adjust dynamically to volatility, expanding in high-ATR environments and contracting in calm markets.
The area between upper and lower bands represents a neutral or ranging market state.
Breakouts outside the bands are treated as significant momentum shifts.
snapshot
This filtering approach ensures that only meaningful breakouts are visually emphasized — not every candle fluctuation.
⯁ MOMENTUM-BASED CANDLE COLORING
The system visually transforms price candles into momentum indicators:
When price (hl2) is above the upper band, candles are green → bullish momentum.
snapshot
When price is below the lower band, candles are red → bearish momentum.
snapshot
When price is between the bands, candles are orange → low or no momentum (range).
snapshot
The candle body, wick, and border are all colored uniformly for visual clarity.
This gives traders instant feedback on when momentum is expanding or fading — ideal for breakout, pullback, or trend-following strategies.
⯁ PIVOT-BASED SWING ANCHORS
Each confirmed pivot is plotted as a label ⬥ directly on the chart:
snapshot
They also serve as potential manual entry zones, SL/TP anchors, or confirmation points.
⯁ MOMENTUM STATE LABEL
To reinforce the current market mode, a live label is displayed at the most recent candle:
Displays either:
“Momentum Up” when price breaks above the upper band.
snapshot
“Momentum Down” when price breaks below the lower band.
snapshot
“Range” when price remains between the bands.
snapshot
Label color matches the candle color for quick identification.
Automatically updates on each bar close.
This helps discretionary traders filter trades based on market phase.
USAGE
Use the green/red zones to enter with momentum and ride trending moves.
Use the orange zone to stay out or fade ranges.
The step midline can act as a breakout base, pullback anchor, or bias reference.
Combine with other indicators (e.g., order blocks, divergences, or volume) to build high-confluence systems.
CONCLUSION
Step Channel Momentum Trend gives traders a clean, adaptive framework for identifying trend direction, volatility-based breakouts, and ranging environments — all from structural logic and ATR responsiveness. Its stepwise midline provides clarity, while its dynamic color-coded candles make momentum shifts impossible to miss. Whether you’re scalping intraday momentum or managing swing entries, this tool helps you trade with the market’s rhythm — not against it.
⚡ HMA PowerPlay Strategy ⚡The ⚡ HMA PowerPlay Strategy ⚡ is a highly filtered momentum-based strategy that combines trend-following and volatility breakout logic. It is designed for precision entries during strong directional moves.
**Key Features:**
- Dual HMA filtering (short-term and long-term)
- Strong bullish/bearish candle detection
- ATR-based dynamic stop loss and R-multiple targets
- Volume confirmation filter
- RSI + MACD oscillator conditions for additional confirmation
- Entry checklist panel for transparent signal breakdown
- Oscillator and price panel for deeper context
- Supports both long and short signals
Ideal for traders who want visual clarity, data-backed entries, and structured position management.
Developed and optimized by IMSHAHROKH.
EMA 8/21 Cross Band8 21 EMA cross
The 8 ema being above the 21 represents a power trend (bullish)
below means the power trend has been lost
Doji Ashi v2.0 (with SL & TP levels)This is a version of @SassyStonks Doji Ashi v2.0 that includes ATR based SL levels with adjustable R:R TP levels.
What is Doji Ashi v2.0?
This indicator is designed for short-term intraday momentum trading, offering Buy and Sell signals based on a refined combination of filters including:
Trend alignment with daily SMAs
Momentum confirmation using EMA 3/8 cross
Relative volume to identify activity spikes
VWAP positioning to confirm trend consistency
Time filters to avoid unreliable early market chop
It adapts dynamically depending on whether you’re trading Stocks or Crypto, with appropriate filters toggled automatically.
...
How the Script Works
Core Logic:
A Buy signal appears when:
The price is in an uptrend (via SMAs)
VWAP and volume confirm momentum
EMA 3 crosses above EMA 8
Relative strength is strong (if enabled)
Market opens past first 30 mins
A Sell signal appears when:
The asset shows weakness across these same filters, in reverse
You’ll see green “BUY” or red “SELL” markers on your chart instantly when the full condition set is met. This script does not repaint.
Entry Logic Options:
Choose between:
"Cross" mode: Signals appear on 3/8 EMA crossover
"Above/Below" mode: Persistent signal while 3 EMA stays above/below 8 EMA
...
Strategy for Consistent Gains
This script works best on liquid stocks such as LUNR, ASTS and PLUG. It also works with Crypto. Make sure you choose the correct indicator setup type (Stocks or Crypto) in the setting before testing.
If you don't see any signals the default settings may be too strict for your chosen stock. Have a play with the settings to find the right balance for you. The default settings follow the strategy below for what I believe are currently the best results.
Alerts for buy/sell signals can be set from the alerts menu. For best results, make sure you set the alert to action on close of bar.
This indicator is most effective when:
Used with liquid stocks or crypto
Entries are confirmed with VWAP, not counter-trend
Signals are filtered by volume spikes and trend direction
Example strategy:
Buy a Call when you see a BUY signal with high volume, in an uptrend
Exit on a cross back to VWAP (the orange line) or a quick 1% profit
Do the opposite with PUTs on a SELL signal
This is ideal for quick day trades (scalps or trend moves), and avoids the choppy, uncertain zones at market open.
...
Optimizing via Settings
There are additional, stricter filters in the settings. Please adapt to your preference.
Presets:
Stocks (Default): Applies all filters but lets you disable them as needed
Crypto: Disables stock-specific filters (SPY comparison, RS, Daily trend)
Filters:
Daily Trend Filter: Helps align trades with higher timeframe direction (recommended ON for stocks)
Market Trend & RS: Filters based on SPY and relative performance (test enabling for SPY-following tickers)
VWAP Entry Filter: Keeps you from fighting the dominant intraday trend
Ignore First 30 Minutes: Avoids false signals at the open
Experiment with toggling filters ON/OFF to match your asset class and volatility conditions.
...
Finally
The best way to master this indicator is to understand the trading mindset it came from.
Read The Damn Wiki — it’s free, comprehensive, and packed with wisdom that this script distills into a usable tool.
If you would like to adapt this indicator you are very welcome to do so. All I ask in return is that you share your findings with the wider community.
...
Happy trading. May your entries be sharp and your exits cleaner.
~ @SassyStonks
Accurate Weekly Liquidity Zones + Daily LinesDraws vertical lines for each day of the week
Monday in a unique color
Other days in gray
Marks Buy-Side Liquidity (BSL) — highest high of the last completed week
Marks Sell-Side Liquidity (SSL) — lowest low of the last completed week
Extends BSL/SSL as horizontal lines into the current week
BTC-OTHERS Liquidity PivotBTC-OTHERS Liquidity Map – 1-hour Multi-Asset Pivot Scanner
WHAT IT DOES
This script tracks liquidity shifts between Bitcoin (BTC) and the broader alt-coin market (the OTHERS market-cap index that excludes the top-10 coins). It labels every confirmed 1-hour swing high or low on both assets, then flags four states:
BearPivot – BTC prints a new swing High while OTHERS does not; liquidity crowds into BTC and alts are weak.
BullPivot – BTC prints a swing Low and OTHERS forms a Higher Low; fresh liquidity starts flowing into stronger alts.
BearCon – BTC prints a swing Low and OTHERS forms a Lower Low; down-trend continuation.
BullCon – No new BTC Low while OTHERS makes a Higher High; up-trend continuation.
Signals appear on the actual pivot bar (offset back by the look-back length), so they never repaint after confirmation.
HOW THE PIVOTS ARE FOUND
• Symmetrical window: “Pivot Len” bars to the left and right (default 21).
• Full confirmation on both sides delivers stable, non-repainting pivots at the cost of about Pivot Len bars’ delay.
• Labels are offset –Pivot Len so they sit on the genuine extreme.
INPUTS
Symbols: BTC symbol and an OTHERS symbol so you can switch exchanges or choose another alt index.
Pivot Len: tighten for faster but noisier signals; widen for cleaner pivots.
Style: customise shape and text colours.
PLOTS AND ALERTS
Four labelled shapes (BearPivot, BullPivot, BearCon, BullCon) plot above or below price. Each label is linked to an alertcondition, so you can create one-click alerts and stay informed without watching the screen.
TYPICAL WORKFLOW
1. Attach the script to any 1-hour BTC chart (or leave the script’s timeframe empty to follow your current chart TF).
2. Turn on alerts to receive push/email notifications.
3. Use the labels as a liquidity compass, combining them with volume, funding or your own strategy for actual entries and exits.
Enjoy and trade safe.
CCI-coded OBV Detector BetaVersion 0.1 [FelixHsu]Using CCI‐coded OBV to detect major price bottoms and tops over a given time period.
HalfTrend with Cross SignalsKey Features:
HalfTrend Calculation:
Uses amplitude value (default 100)
Calculates based on highest/lowest prices and smoothed moving averages
Includes volatility adjustment using ATR
Signal Detection:
Buy signals when price closes ABOVE HalfTrend line
Sell signals when price closes BELOW HalfTrend line
Uses actual candle close prices for reliable signals
Visual Elements:
Plots HalfTrend line in blue
Shows green "BUY" labels below bars
Shows red "SELL" labels above bars
Alerts created for both signal types
Input Customization:
Adjustable amplitude parameter
Min value constrained to 1
Usage:
Apply to any chart
Signals appear at the close of the candle that crosses the HalfTrend line
Alerts can be set for automated notifications
Profit Seeker📈 Profit Seeker — Precision Trend Signal Indicator
Profit Seeker is a trend-based multi-condition indicator designed to identify high-probability long and short trade setups by combining the strengths of multiple proven technical tools:
🔍 Core Features:
Heiken Ashi Mode (Optional): Smoothens price action to reduce noise and improve trend clarity.
Stochastic Ribbon Pivots: Detect trend reversals with built-in “HUNT” signals.
Chande Momentum Oscillator (CMO): Confirms weakening or strengthening momentum — labeled as “SIGHT”.
Bollinger Bands (BB): Pinpoint final entry triggers when price breaches volatility extremes — the “FIRE” signal.
Multi-Timeframe Trend Filtering: Trade only in the direction of a dominant higher-timeframe trend.
Color-coded Flags:
🟢 HUNT: Initial trend signal
🟢 SIGHT: Momentum alignment
🟢 FIRE: Volatility-based confirmation
Smart Alerts: Receive real-time long or short alerts when all conditions align.
🛠️ Use Cases:
Ideal for swing and intraday traders
Works on all asset classes: crypto, forex, equities, commodities
Compatible with manual trading or automated bots