Anomalías en Rendimientos LogarítmicosLogarithmic Returns Anomalies
This indicator detects unusual or extreme movements in the logarithmic returns of price data, helping to identify atypical market events.
It calculates the moving average and standard deviation of logarithmic returns over a configurable period, and visually highlights when the return deviates significantly from the average using thresholds based on multiples of the standard deviation.
Features:
Identifies high and low anomalies in logarithmic returns.
Clear visualization with lines for the mean and upper/lower thresholds.
Circle markers highlight anomalies in a separate pane.
Customizable parameters to adjust indicator sensitivity.
Ideal for quantitative traders and technical analysts looking to spot sharp changes or unusual behavior in financial assets.
Indicatori di ampiezza
Confirmed Entry Grid Pro//@version=5
indicator("Confirmed Entry Grid Pro", overlay=true)
// === المتوسطات ===
ma9 = ta.sma(close, 9)
ma21 = ta.sma(close, 21)
ma200 = ta.sma(close, 200)
// === الاتجاه ===
trendBull = close > ma200
trendBear = close < ma200
// === الزخم ===
rsi = ta.rsi(close, 14)
rsiBull = rsi > 50
rsiBear = rsi < 50
// === الحجم ===
volMA = ta.sma(volume, 20)
volHigh = volume > volMA
// === شموع ابتلاعية ===
bullEngulf = close > open and open < close and close > open
bearEngulf = close < open and open > close and close < open
// === بولنجر باند ===
basis = ta.sma(close, 20)
dev = ta.stdev(close, 20)
upper = basis + 2 * dev
lower = basis - 2 * dev
bbBreakUp = close > upper
bbBreakDown = close < lower
// === دعم / مقاومة ديناميكية ===
support = ta.lowest(low, 20)
resistance = ta.highest(high, 20)
nearSupport = math.abs(close - support) / close < 0.015
nearResistance = math.abs(close - resistance) / close < 0.015
// === تقاطع المتوسطات ===
crossUp = ta.crossover(ma9, ma21)
crossDown = ta.crossunder(ma9, ma21)
// === ATR ===
atr = ta.atr(14)
atrActive = atr > ta.sma(atr, 14)
// === SMC: BOS + CHOCH ===
bosUp = high > high and low > low
bosDown = low < low and high < high
chochUp = close > high and close < high
chochDown = close < low and close > low
smcBuy = bosUp and chochUp
smcSell = bosDown and chochDown
// === مناطق السيولة ===
liqHigh = ta.highest(high, 30)
liqLow = ta.lowest(low, 30)
liquidityBuyZone = close < liqLow
liquiditySellZone = close > liqHigh
// === حساب النقاط لكل صفقة ===
buyScore = (trendBull ? 1 : 0) + (rsiBull ? 1 : 0) + (volHigh ? 1 : 0) + (bullEngulf ? 1 : 0) + (smcBuy ? 1 : 0) + (bbBreakUp ? 1 : 0) + (nearSupport ? 1 : 0) + (crossUp ? 1 : 0) + (atrActive ? 1 : 0) + (liquidityBuyZone ? 1 : 0)
sellScore = (trendBear ? 1 : 0) + (rsiBear ? 1 : 0) + (volHigh ? 1 : 0) + (bearEngulf ? 1 : 0) + (smcSell ? 1 : 0) + (bbBreakDown ? 1 : 0) + (nearResistance ? 1 : 0) + (crossDown ? 1 : 0) + (atrActive ? 1 : 0) + (liquiditySellZone ? 1 : 0)
// === شروط الإشارات مع منع التكرار خلال آخر 5 شموع ===
var int lastBuyBar = na
var int lastSellBar = na
canBuy = buyScore >= 5 and (na(lastBuyBar) or bar_index - lastBuyBar > 5)
canSell = sellScore >= 5 and (na(lastSellBar) or bar_index - lastSellBar > 5)
if canBuy
lastBuyBar := bar_index
if canSell
lastSellBar := bar_index
showBuy = canBuy
showSell = canSell
// === طول الخطوط ===
var int lineLen = 5
// === رسم الإشارات ===
plotshape(showBuy, title="BUY", location=location.belowbar, style=shape.triangleup, size=size.small, color=color.green)
plotshape(showSell, title="SELL", location=location.abovebar, style=shape.triangledown, size=size.small, color=color.red)
// === خطوط الصفقة ===
var line buyLines = array.new_line(0)
var line sellLines = array.new_line(0)
if (showBuy)
entry = low
tpLevels = array.new_float(5)
array.set(tpLevels, 0, 0.618)
array.set(tpLevels, 1, 1.0)
array.set(tpLevels, 2, 1.272)
array.set(tpLevels, 3, 1.618)
array.set(tpLevels, 4, 2.0)
slLevel = -0.618
for i = 0 to 4
tp = entry + array.get(tpLevels, i) * atr
line = line.new(bar_index, tp, bar_index + lineLen, tp, color=color.green)
array.push(buyLines, line)
sl = entry + slLevel * atr
slLine = line.new(bar_index, sl, bar_index + lineLen, sl, color=color.red)
array.push(buyLines, slLine)
if (showSell)
entry = high
tpLevels = array.new_float(5)
array.set(tpLevels, 0, -0.618)
array.set(tpLevels, 1, -1.0)
array.set(tpLevels, 2, -1.272)
array.set(tpLevels, 3, -1.618)
array.set(tpLevels, 4, -2.0)
slLevel = 0.618
for i = 0 to 4
tp = entry + array.get(tpLevels, i) * atr
line = line.new(bar_index, tp, bar_index + lineLen, tp, color=color.green)
array.push(sellLines, line)
sl = entry + slLevel * atr
slLine = line.new(bar_index, sl, bar_index + lineLen, sl, color=color.red)
array.push(sellLines, slLine)
// === نسبة المخاطرة ===
label.new(bar_index, showBuy ? low : na, "Risk: 38.2%", style=label.style_label_left, textcolor=color.white, size=size.tiny, color=color.gray)
label.new(bar_index, showSell ? high : na, "Risk: 38.2%", style=label.style_label_left, textcolor=color.white, size=size.tiny, color=color.gray)
ICT Unicorn Strategy [RoboQuant]Baseline Calculation –
• A «period‑length» «moving average / VWAP / Donchian midline» establishes directional bias.
Momentum Layer –
• A «RSI / MACD histogram / custom oscillator» gauges buying vs. selling pressure.
Signal Generation –
• A long/short arrow prints when both:
Price closes «above / below» the baseline, and
Momentum crosses «+/- zero line / threshold X».
• Color‑coded background highlights confirmed trends; gray background warns of chop.
Day Trading Buy/Sell (EMA+RSI+VWAP)This is designed for quick day trading signals but still filters out some noise.
Force Acheteurs vs VendeursRSI Money Flow and Obv. Working like an RSI so above 70 it's buyers who control the flow and below 30 it's the seller.
MA Crossover with Dots📘 Strategy Description – Moving Average Crossover with Dot Signals
This indicator is based on a Simple Moving Average (SMA) crossover strategy, which is a classic method to identify trend changes and potential buy/sell signals in the market.
📊 Core Logic:
It calculates two SMAs:
Fast SMA: 20-period moving average (short-term trend)
Slow SMA: 50-period moving average (longer-term trend)
✅ Buy Signal (Green Dot):
When the Fast SMA crosses above the Slow SMA, a Buy signal is generated.
This suggests bullish momentum or the start of an uptrend.
❌ Sell Signal (Red Dot):
When the Fast SMA crosses below the Slow SMA, a Sell signal is generated.
This suggests bearish momentum or the start of a downtrend.
📍 Visual Representation:
The Buy and Sell signals are plotted as colored dots at different levels:
Green dot = Buy
Red dot = Sell
The dots are plotted at fixed vertical positions in a separate panel below the chart for better clarity and to avoid overlap.
FG_Index v1.5.3 Pro (Multi-Asset Time4H) === FG_Index 4H Sentiment Indicator ===
// 多品种4小时情绪评分指标,适用于黄金、比特币、美股、原油等。
// 分数范围 0~100:
// - score > 70:贪婪,考虑减仓
// - score < 30:恐慌,关注低吸
// - score > 80:极度贪婪,注意风险
// - score < 20:极度恐慌,可能超卖
// 建议搭配趋势/结构指标一起使用
// 图表自动显示主因子解释,辅助判断情绪来源
//
// === English Usage ===
// FG_Index is a 4H sentiment score indicator for multi-assets (Gold, BTC, SPX, Oil, etc.).
// Score scale: 0–100
// - score > 70: Greed – consider reducing positions
// - score < 30: Fear – potential buy zone
// - score > 80: Extreme greed – risk warning
// - score < 20: Extreme fear – may be oversold
// Recommended to use with trend/structure filters
// Top factor contributions are displayed on chart
RSI CONPECT - GBPUSDToday, I will share with you about the Relative Strength Index (RSI) and its value range, which is displayed relatively for the GBPUSD currency pair on the chart. This helps us anticipate which support level the price will retrace to and which resistance level it will reach to exit the entry.
HDJ Multi-Divergence Trend Indicator(MACD/RSI/OBV/VOL)HDJ Indicator is named after the initials of the Chinese name of its author. The HDJ Indicator features powerful automatic detection of multi-indicator divergences (MACD/RSI/OBV/VOL) and includes multi-timeframe resonance recognition for identifying bullish and bearish trends.
The HDJ Indicator’s view consists of three main lines:
· Price Line (Closing Price, Green/Red)
· VWAP Line (Yellow)
· EMA200 Line (Blue)
The RSI value is displayed in real-time at the top-right corner of the indicator’s view.
Usage Guide :
1. Bottom Divergence / Top Divergence
Bottom Divergence Signal : Typically appears below the Price Line (Closing Price, Red), marked with a triangle symbol (△) and the name of the diverging indicator (in Green). The △ symbol corresponds to the candlestick’s position.
Top Divergence Signal : Typically appears above the Price Line (Closing Price, Green), marked with a triangle symbol (△) and the name of the diverging indicator (in Red). The △ symbol corresponds to the candlestick’s position.
Note: A divergence signal will only be displayed if two or more indicators show divergence simultaneously. Single-indicator divergences will not trigger a marker.
2. Bull / Bear Trend
Bull Trend : When the MACD Line and Signal Line of the MACD indicator are above the zero line on the 1-minute, 5-minute, 15-minute, and 1-hour timeframes, and the current timeframe’s MACD Line crosses above the Signal Line (while also above the zero line), and the current closing price is above both VWAP and EMA200, a "×" symbol with a green "Bull Trend" label will appear. The × symbol corresponds to the candlestick’s position.
Bear Trend : When the MACD Line and Signal Line of the MACD indicator are below the zero line on the 1-minute, 5-minute, 15-minute, and 1-hour timeframes, and the current timeframe’s MACD Line crosses below the Signal Line (while also below the zero line), and the current closing price is below both VWAP and EMA200, a "×" symbol with a red "Bear Trend" label will appear. The × symbol corresponds to the candlestick’s position.
3. RSI
· RSI < 30: Displayed in Red.
· RSI ≥ 30: Displayed in Green.
中文版:
HDJ指标采用了编写该指标的本作者的中文名字首字母为命名,HDJ指标有着强大的自动识别多重指标背离的功能(MACD/RSI/OBV/VOL),同时还带了多周期共振识别看涨、看跌趋势的功能。HDJ指标视图中主要由3条线组成, 分别是 价格线(收盘价, 绿色/红色)、VWAP线(黄色)、EMA200线(蓝色), 指标视图右上角实时显示的是RSI指标值。
使用方法:
1. 底背离 / 顶背离
- 底背离信号: 一般出现在 价格线(收盘价, 红色) 的下方, 三角形符号(△)+背离的指标名称作标记(绿色), △符号对应的是K线的坐标。
- 顶背离信号: 一般出现在 价格线(收盘价, 绿色) 的上方, 三角形符号(△)+背离的指标名称作标记(红色), △符号对应的是K线的坐标。
* 注意:单个指标背离不会被触发背离标记符号显示,仅显示两个指标以上的同时背离信号标记。
2. Bull / Bear 趋势
- Bull Trend:当 1分钟、5分钟、15分钟、1小时视图MACD指标的MACD线、Single线都在0轴上方时,并且HDJ指标所在当前周期MACD指标的MACD线上穿了Single线, 同时也在MACD指标0轴上方和当前周期的价格(收盘价)大于VWAP、EMA200, 此时会显示×符号带"Bull Trend"绿色标签的信号标记,×符号对应的是K线的坐标。
- Bear Trend: 当 1分钟、5分钟、15分钟、1小时视图MACD指标的MACD线、Single线都在0轴下方时,并且HDJ指标所在当前周期MACD指标的MACD线下穿了Single线, 同时也在MACD指标0轴下方和当前周期的价格(收盘价)小于VWAP、EMA200, 此时会显示×符号带"Bear Trend"红色标签的信号标记,×符号对应的是K线的坐标。
3. RSI
- RSI值 < 30 时显示红色,RSI值 >= 30 时显示绿色。
FİBO FİNAL An Indicator Suitable for Further Development
OK3 Final Buy
S1 Take Profit
S2 Close Half of the Position
S3 Close the Position
Volume MA Breakout T3 [Teyo69]🧭 Overview
Volume MA Breakout T3 highlights volume bars that exceed a dynamic moving average threshold. It helps traders visually identify volume breakouts—periods of significant buying or selling pressure—based on user-selected MA methods (SMA, EMA, DEMA).
🔍 Features
Volume Highlighting: Green bars indicate volume breakout above the MA; red bars otherwise.
Custom MA Options: Choose between SMA, EMA, or Double EMA for volume smoothing.
Dynamic Threshold: The moving average line adjusts based on user-defined length and method.
⚙️ Configuration
Length: Number of bars used for the moving average calculation (default: 14).
Method: Type of moving average to use:
"SMA" - Simple Moving Average
"EMA" - Exponential Moving Average
"Double EMA" - Double Exponential Moving Average
📈 How to Use
Apply to any chart to visualize volume behavior relative to its MA.
Look for green bars: These suggest volume is breaking out above its recent average—potential signal of momentum.
Red bars indicate normal/subdued volume.
⚠️ Limitations
Does not provide directional bias—use with price action or trend confirmation tools.
Works best with additional context (e.g., support/resistance, candle formations).
🧠 Advanced Tips
Use shorter MAs (e.g., 5–10) in volatile markets for more responsive signals.
Combine with OBV, MFI, or accumulation indicators for confluence.
📌 Notes
This is a volume-based filter, not a signal generator.
Useful for breakout traders and volume profile enthusiasts.
📜 Disclaimer
This script is for educational purposes only. Always test in a simulated environment before live trading. Not financial advice.
لعلي بابا على ساعة Moving averages indicator for the 10 and 20 averages, relative strength index, and Bollinger Bands Moving averages indicator for the 10 and 20 averages, relative strength index, and Bollinger Bands
Nifty 50 Gainers Losers Table
How it Works
1. Dropdown List Selection
allows for dynamic interaction, making it flexible and user-friendly.
Scripts added to list as per Their Weightage Allocated in Nifty_50 Index.
Switch Lists Option: to Check Complete List of 50 ( List is Splitted Because of Restriction to use of 40)
Use the dropdown to switch between "Main 40" and "Remaining 10" lists dynamically.
2. Interpret Values
User Setting to Show Hide Column : Unchanged
Gainers (Green): Number of stocks that closed higher than the previous day.
Losers (Red): Number of stocks that closed lower.
Unchanged (Gray): No change in close from the previous day.
3. Compact Table Display :
User Setting to show Hide Table & Table Position As per Need (TOP,Bottom,Middle Etc)
is smartly placed and keeps the layout clean and readable.
4. User Input to Set Text Size. you can change Text Size as per Need.
✅ How to Use This Indicator Effectively
🔹 Step-by-Step User Flow:
Add to Chart
Apply this indicator to any chart—ideally NIFTY or NIFTY FUTURES (to keep contextually relevant).
Use in Decision Making
Use this internally as a market breadth tool.
If Gainers >> Losers, the market is strong/bullish.
If Losers >> Gainers, the market is weak/bearish.
If balanced, market is range-bound or sector-specific moves dominate.
Activity and Volume Orderflow Profile [JCELERITA]A volume and order flow indicator is a trading tool that analyzes the relationship between trade volume and the flow of buy and sell orders in the market. Unlike traditional indicators that rely solely on price action, this type of indicator provides insight into market sentiment by revealing whether buying or selling pressure is dominant at a given time. It typically uses data from the order book and executed trades (such as footprint charts or delta volume) to show imbalances, helping traders identify potential reversals, breakouts, or hidden strength/weakness in price movements. This makes it especially valuable for scalpers and day traders aiming to time entries and exits with precision.
Horizontal Grid from Base PriceSupport & Resistance Indicator function
This inductor is designed to analyze the "resistance line" according to the principle of mother fish technique, with the main purpose of:
• Measure the price swing cycle (Price Swing Cycle)
• analyze the standings of a candle to catch the tempo of the trade
• Used as a decision sponsor in conjunction with Price Action and key zones.
⸻
🛠️ Main features
1. Create Automatic Resistance Boundary
• Based on the open price level of the Day (Initial Session Open) bar.
• It's the main reference point for building a price framework.
2. Set the distance around the resistance line.
• like 100 dots/200 dots/custom
• Provides systematic price tracking (Cycle).
3. Number of lines can be set.
• For example, show 3 lines or more of the top-bottom lines as needed.
4. Customize the color and style of the line.
• The line color can be changed, the line will be in dotted line format according to the user's style.
• Day/night support (Dark/Light Theme)
5. Support for use in conjunction with mother fish techniques.
• Use the line as a base to observe whether the "candle stand above or below the line".
• It is used to help see the behavior of "standing", "loosing", or "flow" of prices on the defensive/resistance line.
6. The default is available immediately.
• The default is based on the current Day bar opening price.
• Round distance, e.g. 200 points, top and bottom, with 3 levels of performance
DXTRADE//@version=5
indicator(title="DXTRADE", shorttitle="", overlay=true)
// التأكد من أن السوق هو XAUUSD فقط
isGold = syminfo.ticker == "XAUUSD"
// حساب شموع الهايكن آشي
haClose = (open + high + low + close) / 4
var float haOpen = na
haOpen := na(haOpen ) ? open : (haOpen + haClose ) / 2
haHigh = math.max(high, math.max(haOpen, haClose))
haLow = math.min(low, math.min(haOpen, haClose))
// إعداد المعلمات
atr_len = input.int(3, "ATR Length", group="SuperTrend Settings")
fact = input.float(4, "SuperTrend Factor", group="SuperTrend Settings")
adxPeriod = input(2, title="ADX Filter Period", group="Filtering Settings")
adxThreshold = input(2, title="ADX Minimum Strength", group="Filtering Settings")
// حساب ATR
volatility = ta.atr(atr_len)
// حساب ADX يدويًا
upMove = high - high
downMove = low - low
plusDM = upMove > downMove and upMove > 0 ? upMove : 0
minusDM = downMove > upMove and downMove > 0 ? downMove : 0
smoothedPlusDM = ta.rma(plusDM, adxPeriod)
smoothedMinusDM = ta.rma(minusDM, adxPeriod)
smoothedATR = ta.rma(volatility, adxPeriod)
plusDI = (smoothedPlusDM / smoothedATR) * 100
minusDI = (smoothedMinusDM / smoothedATR) * 100
dx = math.abs(plusDI - minusDI) / (plusDI + minusDI) * 100
adx = ta.rma(dx, adxPeriod)
// حساب SuperTrend
pine_supertrend(factor, atr) =>
src = hl2
upperBand = src + factor * atr
lowerBand = src - factor * atr
prevLowerBand = nz(lowerBand )
prevUpperBand = nz(upperBand )
lowerBand := lowerBand > prevLowerBand or close < prevLowerBand ? lowerBand : prevLowerBand
upperBand := upperBand < prevUpperBand or close > prevUpperBand ? upperBand : prevUpperBand
int _direction = na
float superTrend = na
prevSuperTrend = superTrend
if na(atr )
_direction := 1
else if prevSuperTrend == prevUpperBand
_direction := close > upperBand ? -1 : 1
else
_direction := close < lowerBand ? 1 : -1
superTrend := _direction == -1 ? lowerBand : upperBand
= pine_supertrend(fact, volatility)
// فلتر التوقيت (من 8 صباحاً إلى 8 مساءً بتوقيت العراق UTC+3)
withinSession = time >= timestamp("Asia/Baghdad", year, month, dayofmonth, 8, 0) and time <= timestamp("Asia/Baghdad", year, month, dayofmonth, 20, 0)
// إشارات الدخول مع فلتر ADX والتوقيت
validTrend = adx > adxThreshold
longEntry = ta.crossunder(dir, 0) and isGold and validTrend and withinSession
shortEntry = ta.crossover(dir, 0) and isGold and validTrend and withinSession
// وقف الخسارة والهدف
pipSize = syminfo.mintick * 10
takeProfit = 150 * pipSize
stopLoss = 150 * pipSize
// حساب الأهداف والستوب بناءً على شمعة الدخول (haClose للشمعة الحالية)
longTP = haClose + takeProfit
longSL = haClose - stopLoss
shortTP = haClose - takeProfit
shortSL = haClose + stopLoss
// إشارات الدخول
plotshape(series=longEntry, location=location.belowbar, color=color.green, style=shape.labelup, title="BUY")
plotshape(series=shortEntry, location=location.abovebar, color=color.red, style=shape.labeldown, title="SELL")
// رسم خطوط الأهداف ووقف الخسارة عند بداية الشمعة التالية للإشارة
if longEntry
line.new(bar_index, haClose + takeProfit, bar_index + 10, haClose + takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose - stopLoss, bar_index + 10, haClose - stopLoss, color=color.red, width=2, style=line.style_dashed)
if shortEntry
line.new(bar_index, haClose - takeProfit, bar_index + 10, haClose - takeProfit, color=color.green, width=2, style=line.style_dashed)
line.new(bar_index, haClose + stopLoss, bar_index + 10, haClose + stopLoss, color=color.red, width=2, style=line.style_dashed)
// إضافة تنبيهات
alertcondition(longEntry, title="Buy Alert", message="Gold Scalping - Buy Signal!")
alertcondition(shortEntry, title="Sell Alert", message="Gold Scalping - Sell Signal!")
Supply/Demand Zones - Fixed v3 (Cross YES Only)This Pine Script indicator creates Supply/Demand Zones with specific filtering criteria for TradingView. Here's a comprehensive description:
Supply/Demand Zones -(Cross YES Only)
Core Functionality
Session-Based Analysis: Identifies and visualizes price ranges during user-defined time sessions
Cross Validation Filter: Only displays zones when the "Cross" condition is met (Open and Close prices cross the mid-range level)
Real-Time Monitoring: Tracks price action during active sessions and creates zones after session completion
Key Features
Time Range Configuration
Customizable session hours (start/end time with minute precision)
Timezone support (default: Europe/Bucharest)
Flexible scheduling for different trading sessions
Visual Elements
Range Border: Dotted outline showing the full session range (High to Low)
Key Levels: Horizontal lines for High, Low, and Mid-range levels
Sub-Range Zones: Shaded areas showing Open and Close price zones
Percentage Labels: Display the percentage of range occupied by Open/Close zones
Active Session Background: Blue background highlighting during active sessions
Smart Filtering System
Cross Condition: Only creates zones when:
Open < Mid AND Close > Mid (bullish cross), OR
Open > Mid AND Close < Mid (bearish cross)
This filter ensures only significant price movements that cross the session's midpoint are highlighted
Customization Options
Display Controls: Toggle visibility for borders, lines, zones, and labels
Color Schemes: Full color customization for all elements
Transparency Settings: Adjustable transparency for zone fills
Text Styling: Configurable label colors and information display
Technical Specifications
Maximum capacity: 500 boxes, 500 lines, 200 labels
Overlay indicator (draws directly on price chart)
Bar-time based positioning for accurate historical placement
Use Cases
Supply/Demand Trading: Identify key price levels where institutions may have interest
Session Analysis: Understand price behavior during specific trading hours
Breakout Detection: Focus on sessions where price crosses significant levels
Support/Resistance: Use range levels for future trade planning
What Makes It Unique
The "Cross YES Only" filter ensures that only meaningful price sessions are highlighted - those where the market shows directional bias by crossing from one side of the range to the other, indicating potential institutional interest or significant market sentiment shifts.
Institutional PA EngineInstitutional Price Action Pine Script for TradingView
This script framework is for advanced traders seeking to automate and visually structure institutional trading concepts—Order Blocks (OB), Liquidity Sweeps, Volume Spikes, and Fair Value Gaps (FVG)—for pinpointing entries, stop-loss, and take-profit targets.
Core Strategy Concepts
• Order Blocks: Institutional order footprints to act as entry/retest zones.
• Liquidity Sweeps: Identifies stop-loss hunting by price spiking through swing highs/lows, then reversing.
• Volume Spikes: Confirms entries where institutional activity is likely.
• Fair Value Gaps: Untraded imbalanced zones, used as magnets for price targets or further entries.
ABLSGroup TechThis script will display SMA and gap detector on charts, also pivot points and many more. Good for technical analyze
Custom MA Crossover with Labels/*
This indicator displays two customizable moving averages (Fast and Slow),
defaulting to 10-period and 100-period respectively.
Key Features:
- You can choose between Simple Moving Average (SMA) or Exponential Moving Average (EMA).
- When the Fast MA crosses above the Slow MA, a green "BUY" label appears below the candle.
- When the Fast MA crosses below the Slow MA, a red "SELL" label appears above the candle.
- Alerts are available for both Buy and Sell crossovers.
Usage:
- Helps identify trend direction and potential entry/exit points.
- Commonly used in trend-following strategies and crossover systems.
- Suitable for all timeframes and assets.
Tip:
- You can adjust the Fast and Slow MA periods to fit your trading strategy.
- Try using this with volume or momentum indicators for confirmation.
*/
Pajinko - Buy/Sell + Div Alerts (Indicator)Trade more accurately with this template made for Cyborg EA users!
Real-time entry points with MSL and custom zones to match the system.
Free for all Cyborg users – full guide & support here: lin.ee
Super SharkThis script plots the 200-period Exponential Moving Average (EMA) on the main chart, helping traders identify the long-term trend direction.
It is suitable for trend following and support/resistance analysis.
Trade what you see, Not what you think