Ticker Pulse Meter + Fear EKG StrategyDescription
The Ticker Pulse Meter + Fear EKG Strategy is a technical analysis tool designed to identify potential entry and exit points for long positions based on price action relative to historical ranges. It combines two proprietary indicators: the Ticker Pulse Meter (TPM), which measures price positioning within short- and long-term ranges, and the Fear EKG, a VIX-inspired oscillator that detects extreme market conditions. The strategy is non-repainting, ensuring signals are generated only on confirmed bars to avoid false positives. Visual enhancements, such as optional moving averages and Bollinger Bands, provide additional context but are not core to the strategy's logic. This script is suitable for traders seeking a systematic approach to capturing momentum and mean-reversion opportunities.
How It Works
The strategy evaluates price action using two key metrics:
Ticker Pulse Meter (TPM): Measures the current price's position within short- and long-term price ranges to identify momentum or overextension.
Fear EKG: Detects extreme selling pressure (akin to "irrational selling") by analyzing price behavior relative to historical lows, inspired by volatility-based oscillators.
Entry signals are generated when specific conditions align, indicating potential buying opportunities. Exits are triggered based on predefined thresholds or partial position closures to manage risk. The strategy supports customizable lookback periods, thresholds, and exit percentages, allowing flexibility across different markets and timeframes. Visual cues, such as entry/exit dots and a position table, enhance usability, while optional overlays like moving averages and Bollinger Bands provide additional chart context.
Calculation Overview
Price Range Calculations:
Short-Term Range: Uses the lowest low (min_price_short) and highest high (max_price_short) over a user-defined short lookback period (lookback_short, default 50 bars).
Long-Term Range: Uses the lowest low (min_price_long) and highest high (max_price_long) over a user-defined long lookback period (lookback_long, default 200 bars).
Percentage Metrics:
pct_above_short: Percentage of the current close above the short-term range.
pct_above_long: Percentage of the current close above the long-term range.
Combined metrics (pct_above_long_above_short, pct_below_long_below_short) normalize price action for signal generation.
Signal Generation:
Long Entry (TPM): Triggered when pct_above_long_above_short crosses above a user-defined threshold (entryThresholdhigh, default 20) and pct_below_long_below_short is below a low threshold (entryThresholdlow, default 40).
Long Entry (Fear EKG): Triggered when pct_below_long_below_short crosses under an extreme threshold (orangeEntryThreshold, default 95), indicating potential oversold conditions.
Long Exit: Triggered when pct_above_long_above_short crosses under a profit-taking level (profitTake, default 95). Partial exits are supported via a user-defined percentage (exitAmt, default 50%).
Non-Repainting Logic: Signals are calculated using data from the previous bar ( ) and only plotted on confirmed bars (barstate.isconfirmed), ensuring reliability.
Visual Enhancements:
Optional moving averages (SMA, EMA, WMA, VWMA, or SMMA) and Bollinger Bands can be enabled for trend context.
A position table displays real-time metrics, including open positions, Fear EKG, and Ticker Pulse values.
Background highlights mark periods of high selling pressure.
Entry Rules
Long Entry:
TPM Signal: Occurs when the price shows strength relative to both short- and long-term ranges, as defined by pct_above_long_above_short crossing above entryThresholdhigh and pct_below_long_below_short below entryThresholdlow.
Fear EKG Signal: Triggered by extreme selling pressure, when pct_below_long_below_short crosses under orangeEntryThreshold. This signal is optional and can be toggled via enable_yellow_signals.
Entries are executed only on confirmed bars to prevent repainting.
Exit Rules
Long Exit: Triggered when pct_above_long_above_short crosses under profitTake.
Partial exits are supported, with the strategy closing a user-defined percentage of the position (exitAmt) up to four times per position (exit_count limit).
Exits can be disabled or adjusted via enable_short_signal and exitPercentage settings.
Inputs
Backtest Start Date: Defines the start of the backtesting period (default: Jan 1, 2017).
Lookback Periods: Short (lookback_short, default 50) and long (lookback_long, default 200) periods for range calculations.
Resolution: Timeframe for price data (default: Daily).
Entry/Exit Thresholds:
entryThresholdhigh (default 20): Threshold for TPM entry.
entryThresholdlow (default 40): Secondary condition for TPM entry.
orangeEntryThreshold (default 95): Threshold for Fear EKG entry.
profitTake (default 95): Exit threshold.
exitAmt (default 50%): Percentage of position to exit.
Visual Options: Toggle for moving averages and Bollinger Bands, with customizable types and lengths.
Notes
The strategy is designed to work across various timeframes and assets, with data sourced from user-selected resolutions (i_res).
Alerts are included for long entry and exit signals, facilitating integration with TradingView's alert system.
The script avoids repainting by using confirmed bar data and shifted calculations ( ).
Visual elements (e.g., SMA, Bollinger Bands) are inspired by standard Pine Script practices and are optional, not integral to the core logic.
Usage
Apply the script to a chart, adjust input settings to suit your trading style, and use the visual cues (entry/exit dots, position table) to monitor signals. Enable alerts for real-time notifications.
Designed to work best on Daily timeframe.
Göstergeler ve stratejiler
Dynamic Fibonacci Retracement with ConfirmationDynamic Fibonacci Retracement with Confirmation plus MFI CCI RSI MA MACD Candle stick pattern
cd_secret_candlestick_patterns_CxHi traders,
With this indicator, we aim to uncover secret candlestick formations that even advanced traders may miss—especially those that can't be detected by classic pattern indicators, unless you're a true master of candlestick patterns or candle math.
________________________________________
General Idea:
We'll try to identify candlestick patterns by regrouping candles into custom-sized segments that you define.
You might ask: “Why do I need this? I can just look at different timeframes and spot the structure anyway.” But it’s not the same.
For example, if you're using a 1-minute chart and add a higher-timeframe candle overlay (like 5-minute), the candles you see start at fixed timestamps like 0, 5, 10, etc.
However, in this indicator, we redraw new candles by grouping them from the current candle backward in batches of five.
These candles won't match the standard view—only when aligned with exact time multiples (e.g., 0 and 5 minutes) will they look the same.
In classic charts:
• You see 5-minute candles that begin every 0 and 5 minutes.
In this tool:
• You see a continuously updating set of 5 merged 1-minute candles redrawn every minute.
What about the structures forming in between those fixed timeframes?
That’s exactly what we’ll be able to detect—while also making the lower timeframe chart more readable.
________________________________________
Candle Merging:
Let’s continue with an example.
Assume we choose to merge 5 candles. Then the new candle will be formed using:
open = open
close = close
high = math.max(high , high , high , high , high)
low = math.min(low , low , low , low , low)
This logic continues backward on the chart, creating merged candles in groups of 5.
Since the selected patterns are made up of 3, 4, or 5 candles, we redraw 5 such merged candles to analyze.
________________________________________
Which Patterns Are Included?
A total of 18 bullish and bearish patterns are included.
You’ll find both widely known formations and a few personal ones I use, marked as (MeReT).
You can find the pattern list and visual reference here:
________________________________________
Entry and Filtering Suggestions:
Let me say this clearly:
Entering a trade every time a pattern forms will not make you profitable in the long run.
You need a clear trade plan and should only act when you can answer questions like:
• Where did the pattern appear?
• When and under what conditions?
It’s more effective to trade in the direction of the trend and look for setups around support/resistance, supply/demand zones, key levels, or areas confirmed by other indicators.
Whether you enter immediately after the pattern or wait for a retest is a personal choice—but risk management is non-negotiable.
One of the optional filters I’ve included is a Higher Timeframe (HTF) condition, which is my personal preference:
When enabled, the highest or lowest price among the pattern candles must match the high or low of the current HTF candle.
You can see in the image below the decrease in the number of detected patterns on the 1-minute chart when using no filter (blue labels) compared to when the 1-hour timeframe filter is applied (red labels).
Additionally, I’ve added a “protected” condition for engulfing patterns to help filter out weak classic engulf patterns.
________________________________________
Settings:
From the menu, you can configure:
• Number of candles for regrouping
• Distance between the last candle and newly drawn candles
• Show/hide options
• HTF filter toggle and timeframe selection
• Color, label placement, and text customization
• Pattern list (select which to display or trigger alerts for)
My preferred setup:
While trading on the 1-minute chart, I typically set the higher timeframe to 15m or 1H, and switch the candle count between 2 and 3 depending on the situation.
⚠️ Important note:
The “Show” and “Alert” options are controlled by a single command.
Alerts are automatically created for any pattern you choose to display.
________________________________________
What’s Next?
In future updates, I plan to add:
• Pattern success rate statistics
• Multi-broker confirmation for pattern validation
Lastly, keep in mind:
The more candles a pattern is based on, the more reliable it may be.
I'd love to hear your feedback and suggestions.
Cheerful trading! 🕊️📈
KDJKDJ 指标是一种动量类技术指标,用于衡量市场的超买和超卖状态。它由三条线组成:
K线:反映当前价格相对于近期价格区间的位置;
D线:K线的平滑值;
J线:K与D的加权差值,用于增强动量信号。
当 J 线向上突破 D 线,常被视为买入信号;当 J 线向下跌破 D 线,则常被视为卖出信号。
该指标在震荡行情中较为有效,搭配其他趋势指标可提高可靠性。
KDJ Indicator is a momentum-based technical indicator used to assess overbought and oversold conditions in the market. It consists of three lines:
K Line: Shows the relative position of the current price within a recent high-low range.
D Line: A smoothed version of the K line.
J Line: An amplified difference between the K and D lines to highlight momentum.
When the J line crosses above the D line, it is typically considered a bullish (buy) signal; when it crosses below, it's seen as bearish (sell) signal.
This indicator performs well in ranging markets and can be more reliable when combined with trend-following indicators.
Gold M1 Ultra Smart Strategy by RifaatThe script automatically adapts to the market strength for gold on the M1 timeframe
It loosens or tightens the RSI, MACD, and Bollinger Bands conditions based on the market condition
It reduces false signals and increases the accuracy of entry and exit points
Target Trend – Ultra Upgrade by RifaatFalse Signal Filtering using a confirmation filter (RSI + ATR filter).
More Reliable Entry Logic by requiring stronger breakouts.
Refined Trend Change Detection to reduce whipsaws.
Visual Clean-up for clarity and fewer distractions.
Optional Filters Toggle for advanced users.
Lux Qari AI Pro Master – By Rifaat QariFeature Details
✅ Smart Buy/Sell Signals Supported by trend, genuine breakouts, strong candles, and false signal filtering
✅ Dynamic Support/Resistance Automatically updated daily — displayed in a table
✅ Automatic TP/SL Automatically shown for each trade based on ATR and market range
✅ Golden Entry Zones "Golden Entries" when the market offers the best possible opportunity
✅ Real-Time Trend Analysis Filter based on immediate trend changes
✅ Sound + Message Alerts For every signal
✅ Live Dashboard Shows real-time win rate
✅ Powerful Hidden Indicators QQE + RSI + EMA + ATR applied logically — without visual clutter
✅ Daily Updated Table Displays all today's signals in a clear table
SW Zapier Volume Indicator testTracks volume are creates alerts. Sends info to zapier through webhooks.
Stefan Whitwell Zapier Volume Indicator TestThis indicator tracks the volume and creates buy and sell alerts.
Alpha Trend Strength Pro🔥 What You’ll See on the Chart
✅ A floating label appears near the most recent candle.
✅ Label shows:
🔥 Trend direction: Uptrend / Downtrend / Neutral / Near VWAP
💪 Trend strength: Strong / Moderate / Weak / Range
📈 EMA alignment
🎯 RSI momentum state
💥 MACD crossover
📊 Volatility condition (Expanding / Contracting)
🔵 VWAP proximity if enabled
✅ The chart background turns:
Green for Uptrend
Red for Downtrend
Neutral/Gray if in range (no background color)
⚙️ Customize Settings
Click the gear icon ⚙️ next to the script’s name on your chart.
Change things like:
Show/hide background color
Toggle VWAP-based filtering
Adjust RSI, MACD, Bollinger parameters
Trend 13/25/32 EMA SignalA simple script which fires of a signal on the first close above or below the 13/25/32 ema trend
Mongoose Conflict Risk Radar v1.1 (Separate Panel) description
The Mongoose Capital: Risk Rotation Index is a macro market sentiment tool designed to detect elevated risk conditions by aggregating signals across key asset classes.
This script evaluates trend strength across 8 ETFs representing major risk-on and risk-off flows:
GLD – Gold
VIXY – Volatility
TLT – Long-Term Bonds
SPY – S&P 500
UUP – U.S. Dollar Index
EEM – Emerging Markets
SLV – Silver
FXI – China Large-Cap
Each asset is assigned a binary signal based on price position vs. its 21-period SMA (or a crossover for bonds). The signals are then totaled into a composite Risk Rotation Score, plotted as a bar graph.
How to Use
0–2 = Low risk-on behavior
3–4 = Caution / Mixed regime
5–8 = Elevated conflict or macro stress
Use this as a macro confirmation layer for trend entries, risk reduction, or allocation shifts.
Alerts
Set alerts when the index exceeds 5 to track major rotations into defensive assets.
Liquidity Point LinesLiquidity Point Lines
The "Liquidity Point Lines" indicator helps traders identify potential areas of liquidity in the market by drawing lines at specific price levels where significant "liquidation events" may have occurred. These events are determined by analyzing the MACD Histogram and identifying pivot points that suggest strong movements, which are often associated with the flushing out of short or long positions.
How It Works
This indicator leverages the MACD Histogram to gauge the strength of price momentum. It then identifies pivot highs and lows within the MACD Histogram's values. When a significant pivot is detected, the indicator interprets this as a potential "liquidity point" — a price level where a substantial amount of buy or sell orders (often due to liquidations) may have been executed.
The indicator distinguishes between:
Shorts Liquidation Points (Resistance): These are identified when the MACD Histogram registers a pivot high, suggesting a strong upward movement that could have liquidated short positions. Lines are drawn at the high price of the bar where this pivot occurred.
Longs Liquidation Points (Support): Conversely, these are identified when the MACD Histogram registers a pivot low, indicating a strong downward movement that might have liquidated long positions. Lines are drawn at the low price of the bar where this pivot occurred.
Key Features and Settings
The "Liquidity Point Lines" indicator offers extensive customization to tailor its sensitivity and visual representation:
MACD Settings for Liquidity: Configure the underlying MACD calculation with adjustable Fast Length, Slow Length, Source, Signal Smoothing, and MA Types (SMA/EMA) for both the Oscillator and Signal Line.
Liquidity Points Settings:
Pivot Lookback Left/Right: Define the number of bars to look back on either side to identify a pivot in the MACD Histogram.
Dynamic Strength Thresholds: This powerful feature allows the indicator to dynamically calculate the significance of a liquidation event. When enabled, it uses the average absolute histogram value over a specified Dynamic Threshold Lookback Period and applies Small and Medium Threshold Factors to determine the strength (Small, Medium, or Large) of the liquidity point.
Fixed Strength Thresholds: If dynamic thresholds are disabled, you can set fixed numerical values for Small and Medium Histogram Thresholds to define the strength categories.
Color & Style Customization: Assign distinct colors for Small, Medium, and Large liquidation points, choose the Line Style (Solid, Dashed, Dotted), and set the Label Text Color.
Label X Offset (To Right): Adjust the horizontal position of the liquidity point labels on your chart.
Liquidity Points Management:
Max Active Liquidity Lines: Control the maximum number of liquidity lines displayed simultaneously on your chart. Older lines are automatically removed to maintain clarity, except for lines that have been "touched" (i.e., price has interacted with that liquidity level).
Visual Interpretation
Each liquidity line is colored according to the strength of the detected liquidation event, making it easy to visually assess the potential significance of the price level. Lines extend to the right, serving as ongoing reference points. When the price interacts with a liquidity line (i.e., "touches" it), the line and its corresponding label are removed, indicating that the liquidity at that level may have been absorbed.
This indicator can be a valuable tool for identifying potential support and resistance levels, understanding market reactions to "liquidation cascades," and informing your trading decisions.
Opening Range BoxOpening Range plots the price range of the first candle from a selected timeframe within a defined trading session. It highlights key intraday levels and visually extends that range across the session, helping traders spot breakout or reversal setups.
Session SeparatorAn indicator that adds a vertical line for each of the following sessions start times:
Tokyo Session: 7pm EST
London Session: 3am EST
US Session: 8am EST
The purpose of this indicator is to have a minimalistic separation of the different time zones without cluttering the chart!
Anchored EMA with Timeframe SelectionLet's you choose a date and time to start tracking EMAs. I am attempting to use it in tandem with Wyckoff Analysis to "indicate" a BUEC or Fall through ice.... Not sure if it works but publishing for the fun of it.
Reversão Sobrevenda/Sobrecompra com ExaustãoPrice Touches/Exceeds Lower Bollinger Band: Indicates oversold conditions.
Oversold RSI and/or Divergence: RSI below 30 (strong) or bullish divergence (price makes lower low, RSI makes higher low).
Decreasing Volume: Selling volume decreases as price hits the lower band and RSI becomes oversold, suggesting selling pressure is ending.
Bullish Reversal Candlestick: Formation of a bullish reversal candlestick pattern near the lower band (e.g., Hammer, Bullish Engulfing, Piercing Pattern).
Sell Signal (Bearish Reversal):
Price Touches/Exceeds Upper Bollinger Band: Indicates overbought conditions.
Overbought RSI and/or Divergence: RSI above 70 (strong) or bearish divergence (price makes higher high, RSI makes lower high).
Decreasing Volume: Buying volume decreases as the price reaches the upper band and the RSI becomes overbought, suggesting that buying pressure is ending.
Bearish Reversal Candlestick: Formation of a bearish reversal candlestick pattern near the upper band (Ex: Shooting Star, Bearish Engulfing, Dark Cloud).
True Close – Institutional Trading Sessions (Zeiierman)█ Overview
True Close – Institutional Trading Sessions (Zeiierman) is a professional-grade session mapping tool designed to help traders align with how institutions perceive the market’s true close. Unlike the textbook “daily close” used by retail traders, institutional desks often anchor their risk management, execution benchmarks, and exposure metrics to the first hour of the next session.
This indicator visualizes that logic directly on your chart — drawing session boxes, true close levels, and time-aligned labels across Sydney, Tokyo, London, and New York. It highlights the first hour of each session, projects the institutional closing price, and builds a live dashboard that tells you which sessions are active, which are in the critical opening phase, and what levels matter most right now.
More than just a visual tool, this indicator embeds institutional rhythm directly into your workflow — giving you a window into where big players finalize yesterday’s business, rebalance exposure, and execute delayed orders. It’s not just about painting sessions on your chart — it’s about adopting the mindset of those who truly move the market. Institutions don’t settle risk at the bell; they complete it in the next session. This tool lets you see that transition in real time, giving you an edge that goes beyond candles and indicators.
█ How It Works
⚪ Session Detection Engine
Each session is identified by its own time block (e.g., 09:00–17:30 for London). Once a session opens:
A full-session box is drawn to track its range.
The first hour is highlighted separately.
Once the first hour completes, the true close line is plotted, representing the price institutions often treat as the "real" close of the prior day.
⚪ Institutional True Close Logic
The script captures the close of the first hour, not the end of the day.
This line becomes a static reference across your chart, letting you visualize how price interacts with that institutional anchor:
Rejections from it show where yesterday's flow is respected.
Breaks through it may indicate that today's flows are rewriting the narrative.
⚪ Dynamic Dashboard Table
A live table appears in the corner of your screen, showing:
Each session's active status
Whether we’re inside the first hour
The current “true close” price if available
Each cell comes with advanced tooltips giving institutional context, flow dynamics, and market microstructure insights — from rebalancing spillovers to VWAP/TWAP lag effects.
█ How to Use
⚪ Use the First-Hour Line as Your Institutional Anchor
Treat it like the price level that big funds care about. Watch how the price behaves around level. Fades, re-tests, or continuation moves often occur as the market finishes recapping yesterday’s leftover orders.
⚪ Structure Entries Around the Session Context
Are you inside the first hour? Expect more volatility, more decisive flow. After the first session hour, expect fading liquidity as the market slows down and awaits the next session to open.
█ Settings
UTC Offset – Select your preferred time zone; all sessions adjust accordingly.
Session Toggles – Enable/disable Sydney, Tokyo, London, or NY.
Box Display Options – Show/hide session background, first-hour fill, borders.
True Close Line Controls – Enable line, label, and customize width & color.
Execution Hour Labels – Optional toggle for first-hour label placement.
-----------------
Disclaimer
The content provided in my scripts, indicators, ideas, algorithms, and systems is for educational and informational purposes only. It does not constitute financial advice, investment recommendations, or a solicitation to buy or sell any financial instruments. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.