Elliott Wave [LuxAlgo] Modificado v6Script Modificado de Elliot solo es una prueba, no sé cómo funciona bien.Индикатор Pine Script®от armando25077821
NEXOUS_cl Ultimate Institutional SuiteThe NEXOUS_cl Ultimate Suite is a professional-grade trading ecosystem designed to reveal institutional market mechanics. It combines three core engines: Quantum Order Flow Engine: Analyzes sub-second transaction data (up to 1S granularity) to classify orders into 7 tiers, from retail noise to massive institutional whales. Structural Delivery (CISD) Engine: Detects the "Change in State of Delivery" to identify high-probability reversals and liquidity sweeps. Adaptive Ichimoku PTS Engine: A revolutionary cloud system that automatically adjusts its lengths based on volume oscillators (TFS, OBV, Klinger) and dual-ATR volatility. Equipped with real-time dashboard tables, automated support/resistance zones, and a logic-driven pattern recognition system, NEXOUS_cl provides unprecedented visibility into the smart money footprint. 🛠️ Technical Analysis & Features 1. NEXOUS_cl Quantum Order Flow Analyzes the flow of orders in Lower Timeframe (1S) to reveal what is happening within each candle. 7-Tier Classification: Separates trades into Standard, Significant, Major, Massive, Institutional, Reversal and Trap. Flow Delta Bar: A dynamic bar at the top of the chart that shows the net pressure of buyers/sellers in real time. Whale Tracking: Detects "Massive" orders that have the power to move the market autonomously. 2. NEXOUS_cl Structural CISD (Change in State of Delivery) Detects when the market changes "delivery state" (from Accumulation to Distribution and vice versa). Liquidity Sweeps: Detects when Swing Highs/Lows (Stop Hunts) are "swept" before large moves. Noise Filter System: Uses advanced algorithms to reject false structure changes (Market Noise). Dynamic Candle Coloring: Candles change color automatically based on the current Market State (Bullish/Bearish Delivery). 3. NEXOUS_cl Adaptive Ichimoku Cloud The first Ichimoku system that is not static, but changes length depending on market momentum. Adaptive Lengths: Tenkan, Kijun and Senkou are automatically adjusted via 5 different Volume Oscillators. Kijun Divider Tool: Creates up to 4 Kijun sub-levels for more accurate Support & Resistance. Volatility Sync: The system "stretches" or "contracts" depending on the ATR (Volatility Ratio). 📊 User Manual How to read the Order Book Standard (Gray): Retail noise. Ignore it. Major/Massive (Purple/Orange): This is where the "Big Fish" are. Follow their direction. Institutional Pattern (Light Blue): Indicates algorithmic order execution. It is the most reliable trend indicator. Trap (Fuchsia): Beware! The market has set a liquidity trap. Expect an immediate opposite move. Reversal & Sweep Strategy Wait for the Structural Engine to detect a Liquidity Sweep (green or red arrow ▲/▼). Confirm via Order Flow that Major or Institutional orders appear in the opposite direction. Enter the trade when the Adaptive Ichimoku changes color (Kumo Twist). ⚠️ Caution & Error Handling Data Latency: Using 1 second (1S) data is demanding. Make sure your Internet is stable. Market Context: Do not use signals in isolation. Order Flow shows what is happening, Structure (CISD) shows where it is happening. Their combination is key. Validation: If the selected Timeframe is larger than the chart, the algorithm automatically reverts to 1S to avoid calculation errors. ⚖️ Copyright & Legal Notice © 2026 NEXOUS_cl. All Rights Reserved. This software and technical analysis are the intellectual property of NEXOUS_cl. Reproduction, redistribution or sale without prior written permission is prohibited. Disclaimer: Trading involves risk. NEXOUS_cl Ultimate Suite is an analysis tool and not guaranteed financial advice.Индикатор Pine Script®от NEXOUS_cl9
PK FIB AUTO - NO DAILY//@version=6 indicator("PK FIB AUTO - NO DAILY", overlay=true, max_lines_count=500) // --- COLORS --- color C_Y = color.blue color C_S = color.rgb(121, 85, 72) // Brown (6-Month) color C_M = color.black color C_W = color.green // --- DATA FETCH --- = request.security(syminfo.tickerid, "12M", [high , low , open , close ], lookahead=barmerge.lookahead_on) = request.security(syminfo.tickerid, "6M", [high , low , open , close ], lookahead=barmerge.lookahead_on) = request.security(syminfo.tickerid, "M", [high , low , open , close ], lookahead=barmerge.lookahead_on) = request.security(syminfo.tickerid, "W", [high , low , open , close ], lookahead=barmerge.lookahead_on) // --- DRAWING FUNCTION --- drawLevel(float price, string txt, color col, string lStyle="solid") => if barstate.islast and not na(price) lineStyle = (lStyle == "dashed") ? line.style_dashed : line.style_solid line.new(bar_index - 1, price, bar_index, price, color=col, extend=extend.both, width=2, style=lineStyle) label.new(bar_index, price, txt, textcolor=col, style=label.style_none, size=size.normal) // --- EXECUTION --- if barstate.islast // 1. YEARLY float yD = yH - yL drawLevel(yH, "YEARLY HIGH", C_Y), drawLevel(yL, "YEARLY LOW", C_Y) drawLevel(yO, "YEARLY OPEN", C_Y), drawLevel(yC, "YEARLY CLOSE", C_Y) drawLevel(yL + (yD * 0.5), "YEARLY 0.5", C_Y) drawLevel(yL + (yD * 0.786), "YEARLY INSTITUTE LVL", C_Y), drawLevel(yH - (yD * 0.786), "YEARLY INSTITUTE LVL", C_Y) drawLevel(yL + (yD * 1.272), "YEARLY 127%", C_Y), drawLevel(yH - (yD * 1.272), "YEARLY 127%", C_Y) // 2. 6-MONTH float sD = sH - sL drawLevel(sH, "6M HIGH", C_S), drawLevel(sL, "6M LOW", C_S) drawLevel(sO, "6M OPEN", C_S), drawLevel(sC, "6M CLOSE", C_S) drawLevel(sL + (sD * 0.5), "6M MID", C_S) drawLevel(sL + (sD * 0.786), "6M INSTITUTE LVL", C_S), drawLevel(sH - (sD * 0.786), "6M INSTITUTE LVL", C_S) drawLevel(sL + (sD * 1.272), "6M 127%", C_S), drawLevel(sH - (sD * 1.272), "6M 127%", C_S) // 3. MONTHLY float mD = mH - mL drawLevel(mH, "MONTHLY HIGH", C_M), drawLevel(mL, "MONTHLY LOW", C_M) drawLevel(mO, "MONTHLY OPEN", C_M), drawLevel(mC, "MONTHLY CLOSE", C_M) drawLevel(mL + (mD * 0.5), "MONTHLY MID", C_M) drawLevel(mL + (mD * 0.786), "MONTHLY INSTITUTE LVL", C_M), drawLevel(mH - (mD * 0.786), "MONTHLY INSTITUTE LVL", C_M) drawLevel(mL + (mD * 1.272), "MONTHLY 127%", C_M), drawLevel(mH - (mD * 1.272), "MONTHLY 127%", C_M) // 4. WEEKLY float wD = wH - wL drawLevel(wH, "WEEKLY HIGH", C_W), drawLevel(wL, "WEEKLY LOW", C_W) drawLevel(wO, "WEEKLY OPEN", C_W), drawLevel(wC, "WEEKLY CLOSE", C_W) drawLevel(wL + (wD * 0.5), "WEEKLY MID", C_W) drawLevel(wL + (wD * 0.786), "WEEKLY INSTITUTE LVL", C_W), drawLevel(wH - (wD * 0.786), "WEEKLY INSTITUTE LVL", C_W) drawLevel(wL + (wD * 1.272), "WEEKLY 127%", C_W), drawLevel(wH - (wD * 1.272), "WEEKLY 127%", C_W)Индикатор Pine Script®от sudhanvj19945
PRO Scalping Strategy EMA50 + RSI3 + ADX5Consiste en unir varios indicadores como rsi adx y ema50 para hacer scalping Стратегия Pine Script®от jesusito2164
WLD 4H Auto Entry ConfirmedUT bot, MACD and EMA confirmation strategy. This a strategy for 4H timeframe, confimring when to go in a short/long and where to take TP/SL based on ATR levelsСтратегия Pine Script®от farshad_hamidi10115
Stochastic Heat MapOverview The Darwin Stochastic Heat Map is a multi-timeframe momentum oscillator designed to visualize market saturation and trend exhaustion. Instead of relying on a single lookback period, this indicator simultaneously calculates 28 different Stochastic Oscillator lengths and plots them as a seamless, gradient-filled heatmap background. By combining this macro-level view with a Williams VIX Fix (WVF) pressure engine and a real-time dashboard, traders can easily spot underlying divergences between price action, momentum, and volatility. How the Core Math Works The 28-Level Heat Map: The script calculates 28 separate Stochastic values based on incrementally increasing lookback periods (from fast 10-bar lookbacks up to macro 160-bar lookbacks). Deep Red (Boiling): The asset is completely overbought across multiple timeframes (>75). Yellow/Orange (Warming): The asset is in a neutral or transition zone. Deep Green (Freezing): The asset is completely oversold across multiple timeframes (<25). Fast & Slow Momentum Lines: The indicator calculates the mathematical average of all 28 stochastic levels. It then plots a Fast moving average (colored based on extremes) and a Slow moving average (default EMA) of that total average. When the Fast line crosses the Slow line, it indicates a shift in aggregate momentum. The WVF Pressure Engine: To filter out the noise of 1-tick price fluctuations, the script utilizes a modified Williams VIX Fix (WVF) logic. It measures the distance between the highest close and the current low over a 22-bar period (Bearish Pressure), and compares it to the lowest close and the current high (Bullish Pressure). This provides a smoothed, "sticky" trend filter that ignores minor chop. The Real-Time Dashboard To save screen space and mental energy, the built-in HUD (Heads Up Display) calculates the background math in real-time: Macro Temp: The exact average of all 28 Stochastic arrays. Saturation: A raw count of how many of the 28 individual levels are currently pinned in the overbought or oversold extremes. WVF Pressure: Displays whether the underlying volatility favors the Bulls or the Bears based on the 22-period WVF logic. True Signal: A custom divergence engine that compares the Macro Temp to the WVF Pressure. For example, if the heatmap is boiling Red (Macro Overbought), but the WVF Pressure flips to Bearish, the dashboard will trigger a "BEARISH DIVERGENCE (SHORT)" alert. How to Use It Avoid the Chop: When the background is yellow/orange and the Saturation spread is mixed, the market is range-bound. Catch the Reversal: Look for the entire background to flush Deep Red or Deep Green. Once you have a fully saturated background, wait for the Dashboard's "True Signal" to spot a divergence, or wait for the Fast Line to confidently cross the Slow Line to time your entry. Trend Riding: If the WVF Pressure is firmly Bullish and the Fast Line remains above the Slow line, use short-term dips (green flashes at the bottom of the heatmap) as potential continuation entries. Disclaimer: This script is for educational and analytical purposes only. It is not financial advice. Always use proper risk management and pair this tool with your own market analysis.Индикатор Pine Script®от DarwinIsidro4
Stoic Master IndicatorStoic is an all-in-one Smart Money Concepts indicator that combines market structure tools with optional ICT Killzones and timezone-aware session boxes. It includes: Order Blocks Break of Structure Mitigated blocks Fair Value Gaps Opening Gaps Volume Imbalances Previous Daily / Weekly / Monthly Highs & Lows Equal Highs / Equal Lows Trend and retest candle highlights The built-in ICT module lets you plot: Asia London New York AM Lunch New York PM with selectable timezone support, making session visualization more accurate across different trading locations. Stoic is built for traders looking for clean chart confluence between structure, liquidity, imbalance, and session timing. For educational use only.Индикатор Pine Script®от schanvnnom8
Trading Sessions Asia / London / New York ( benjamin.M)Trading Sessions Asia / London / New York This indicator was created to identify the best trading time windows. It helps analyze the moments of the day when the market is most active and when the best opportunities appear. With this tool, traders can better understand which hours offer the most favorable volatility and volume, allowing them to optimize their entries and improve their trading strategy. Индикатор Pine Script®от benjamin_moreau161205
Triple Alignment Strategy EMA 5/15/60minWe're using a Cascade Trading (Multi-Timeframe) system, which is one of the most robust methods for avoiding being misled by market "noise." 🛡️ The Concept: Triple Confirmation Your strategy is based on a simple principle: Strength in numbers. Instead of looking at a single chart, the script scans three timeframes simultaneously (5 min, 15 min, 1 hour). It will only give you a signal if all three are perfectly aligned in the same direction. ⚙️ Technical Operation The script monitors your three exponential moving averages (EMAs): 6-period EMA (Yellow): The fastest, it closely follows the price. 9-period EMA (Green): The intermediate one, it confirms the momentum. 12-period EMA (Red): The slowest, it serves as the baseline. 📈 BUY Signal (Bullish) All conditions must be met on all 3 timeframes: Yellow is above Green. Green is above Red. Result: The chart turns light green and you receive a "MULTI BUY" alert. 📉 SELL Signal (Bearish) All conditions must be met on all 3 timeframes: Yellow is below Green. Green is below Red. Result: The chart turns light red and you receive a "MULTI SELL" alert. 📱 Smartphone Alert The script is optimized for the TradingView app: It waits for the candle to close to validate the signal (avoids false flashing signals). It sends a push notification directly to your phone with the asset name (e.g., BTCUSD) and the signal type. 💡 Why is this an excellent strategy? Fewer "Fakes": If the 5-minute chart says "Buy" but the 1-hour chart is falling, the script will remain silent. It protects you against counter-trend trading. Visibility: Even if you stay on your 5-minute chart to refine your entry, you instantly know what the "big" players are doing on the 1-hour chart. Simplicity: It's visual. No need to think; if the colors align and your phone rings, the probability of success is statistically higher. It's a powerful tool for trend following! Do you want me to show you how to adjust the alerts so they stop automatically after a certain time, or is that all you need?Индикатор Pine Script®от peacefulOil340515
MACD + CCI Balanced ProEnglish Version My custom indicator combines MACD and CCI, with full access to settings directly from the interface — you can adjust periods, signals, and everything else without editing the code. It can also be combined with my previous EMA for better results and a clearer market perspective. RU. Мой кастомный индикатор объединяет MACD и CCI, с полным доступом к настройкам прямо из интерфейса — можно менять периоды, сигналы и всё остальное без правки кода. Его также можно комбинировать с моим предыдущим EMA для лучшего результата и более наглядного видения рынка.Индикатор Pine Script®от OpenYourMind13183
30min ORB This code creates horizontal lines on your chart representing the first 30 minutes of trading (09:15 to 09:45). It captures the highest and lowest prices from that period and draws them as permanent levels for the rest of the day.Индикатор Pine Script®от sudhakar_kb8
Stoic Master IndicatorStoic is an all-in-one Smart Money Concepts indicator that combines market structure tools with optional ICT Killzones and timezone-aware session boxes. It includes: Order Blocks Break of Structure Mitigated blocks Fair Value Gaps Opening Gaps Volume Imbalances Previous Daily / Weekly / Monthly Highs & Lows Equal Highs / Equal Lows Trend and retest candle highlights The built-in ICT module lets you plot: Asia London New York AM Lunch New York PM with selectable timezone support, making session visualization more accurate across different trading locations. Stoic is built for traders looking for clean chart confluence between structure, liquidity, imbalance, and session timing. For educational use only.Индикатор Pine Script®от schanvnnom2
Simple Buy/Sell SignalsScriptz made by me. Buy and sell signal created with AI. Trial and error lets see how good it works.Индикатор Pine Script®от JustWin883
AleksDU Liquidity SweepThis indicator detects liquidity sweeps and stop hunts. It highlights situations where price breaks previous highs or lows but quickly returns back inside the range. Useful for spotting fake breakouts and potential reversals.Индикатор Pine Script®от AleksDU3
MTF RSI Analytics BoxMTF RSI Dashboard for Swing Trading and Scalping NasdaqИндикатор Pine Script®от fundbyshaoor2
Forex Sessions Boxes UTC-4//@version=5 indicator("Forex Sessions Boxes UTC-4", overlay=true, max_boxes_count=500, max_labels_count=500) // Session Times (UTC-4) asianSession = input.session("19:00-04:00", "Asian Session") londonSession = input.session("03:00-12:00", "London Session") newyorkSession = input.session("08:00-17:00", "New York Session") // Colors asianColor = color.new(color.blue, 85) londonColor = color.new(color.green, 85) nyColor = color.new(color.red, 85) // Session Detection inAsian = not na(time(timeframe.period, asianSession, "UTC-4")) inLondon = not na(time(timeframe.period, londonSession, "UTC-4")) inNY = not na(time(timeframe.period, newyorkSession, "UTC-4")) // Variables var box asianBox = na var box londonBox = na var box nyBox = na var label asianLabel = na var label londonLabel = na var label nyLabel = na var float asianHigh = na var float asianLow = na var float londonHigh = na var float londonLow = na var float nyHigh = na var float nyLow = na // -------------------- ASIAN SESSION -------------------- if inAsian and not inAsian asianHigh := high asianLow := low asianBox := box.new(bar_index, high, bar_index, low, bgcolor = asianColor, border_color = color.blue, border_width = 2) if inAsian asianHigh := math.max(asianHigh, high) asianLow := math.min(asianLow, low) box.set_right(asianBox, bar_index) box.set_top(asianBox, asianHigh) box.set_bottom(asianBox, asianLow) if inAsian and not na(asianBox) and na(asianLabel) asianLabel := label.new(bar_index, asianHigh, "ASIAN", style = label.style_label_down, color = color.blue, textcolor = color.white) // -------------------- LONDON SESSION -------------------- if inLondon and not inLondon londonHigh := high londonLow := low londonBox := box.new(bar_index, high, bar_index, low, bgcolor = londonColor, border_color = color.green, border_width = 2) if inLondon londonHigh := math.max(londonHigh, high) londonLow := math.min(londonLow, low) box.set_right(londonBox, bar_index) box.set_top(londonBox, londonHigh) box.set_bottom(londonBox, londonLow) if inLondon and not na(londonBox) and na(londonLabel) londonLabel := label.new(bar_index, londonHigh, "LONDON", style = label.style_label_down, color = color.green, textcolor = color.white) // -------------------- NEW YORK SESSION -------------------- if inNY and not inNY nyHigh := high nyLow := low nyBox := box.new(bar_index, high, bar_index, low, bgcolor = nyColor, border_color = color.red, border_width = 2) if inNY nyHigh := math.max(nyHigh, high) nyLow := math.min(nyLow, low) box.set_right(nyBox, bar_index) box.set_top(nyBox, nyHigh) box.set_bottom(nyBox, nyLow) if inNY and not na(nyBox) and na(nyLabel) nyLabel := label.new(bar_index, nyHigh, "NEW YORK", style = label.style_label_down, color = color.red, textcolor = color.white)Индикатор Pine Script®от kaleempansota7861
Auto RSI PineConnectorAuto RSI PineConnector – Trading Automation Script This Pine Script generates automated buy and sell signals using the Relative Strength Index (RSI). The script is designed to work with PineConnector to automatically execute trades on MetaTrader 5. The strategy monitors the RSI indicator with a period of 14: • A BUY signal is triggered when RSI crosses above 30 (oversold reversal). • A SELL signal is triggered when RSI crosses below 70 (overbought reversal). When a signal occurs, the script sends an alert message formatted for PineConnector. PineConnector then forwards the signal to MetaTrader 5, where trades can be executed automatically. Key Features: - RSI-based reversal signals - Automated alert messages compatible with PineConnector - Designed for auto-trading with MT5 - Lightweight and easy to modify This script is intended for educational and experimental purposes. Users should test the strategy on a demo account before trading with real funds.Индикатор Pine Script®от jedenewilliams94Обновлено 1
Nifty breadthIf the 10 EMA and 20 EMA of Nifty breadth are above 50, it is considered bullish. If they are below 50, it is considered bearish.” 📈📉Индикатор Pine Script®от sudhakar_kb3
Scalping Strategy Improved v2Esta estrategia da mucha rentabilidad, integra muchos indicadores y medias moviles Стратегия Pine Script®от jesusito2161
Stoic Master IndicatorStoic is an all-in-one Smart Money Concepts indicator that combines market structure tools with optional ICT Killzones and timezone-aware session boxes. It includes: Order Blocks Break of Structure Mitigated blocks Fair Value Gaps Opening Gaps Volume Imbalances Previous Daily / Weekly / Monthly Highs & Lows Equal Highs / Equal Lows Trend and retest candle highlights The built-in ICT module lets you plot: Asia London New York AM Lunch New York PM with selectable timezone support, making session visualization more accurate across different trading locations. Stoic is built for traders looking for clean chart confluence between structure, liquidity, imbalance, and session timing. For educational use only.Индикатор Pine Script®от schanvnnom0
Realtime Tick Counter + DisplacementRealtime tick counter per bar Range of tick per bar Added Displacement candle highlighterИндикатор Pine Script®от supertokki521
Yen Carry Trade Risk -10Y JGB vs 10Y US Treasury Yields + USDJPYBy plotting delta between 10Y JGB and 10Y UST along side the currency performance of Yen versus USD to determine the risk of Japan shorting overseas assets to bring back the Yen.Индикатор Pine Script®от JeSuisBonheur1
RegalRides Pro Indicator - Hourly ResetImportant note This version will: reset hourly, and also reset immediately after TP/SL. So it can generate multiple setups in the same dayИндикатор Pine Script®от trader_ramjiram16