bojunGGAE Ribbonssma 20 smma7
sma99 smma50
리본끼리 데크나거나 골크나거나
지지받으면 개상승
뚫리면 개떡락
아주명확함
그냥 sma ema보다 훨신나음 보기에
sma 20 smma7
sma99 smma50
Ribbons are decked or tall
If you get support, you will be rehabilitated.
If it is pierced, it will be a slap in the face
Very clear
It's much better than just SMA EMA to look at
Chỉ báo Bill Williams
Quantum Phoenix 2.0 Quantum Phoenix 2.0 – Strategy Documentation
Version: Pine Script v5
Platform: TradingView
Script Type: Strategy (Backtest & Alerts)
Overlay: Yes
Purpose: To identify high-probability breakout entries with trend, volume, and multi-timeframe confirmation.
🔧 Inputs
Parameter Description Default
Risk % Percentage of account risked per trade 1.0%
Account Size ($) Virtual capital for position size calculation 10,000
Take Profit % Target profit per trade 3.0%
Stop Loss % Maximum allowed loss per trade 1.5%
Min. ADX Strength Minimum trend strength to validate entry 20
Volume Filter If enabled, filters out low-volume conditions Enabled
📈 Indicators Used
EMA 50 & EMA 200: Trend confirmation
RSI (14): Momentum condition
MACD Histogram: Entry timing filter
SuperTrend (3,7): Trend direction
ADX & DMI (14): Trend strength and direction
Volume + 20 SMA: Volume filter
ATR (14): Used for dynamic position sizing
MTF EMAs (1H): Higher timeframe trend confirmation
📊 Entry Conditions
🟢 LONG:
Price > EMA200
EMA50 > EMA200
RSI between 40–70
MACD Histogram > 0
1H EMA50 > 1H EMA200 (MTF Trend Up)
ADX > threshold and SuperTrend is Bullish
Volume filter (if enabled) must be met
🔴 SHORT:
Price < EMA200
EMA50 < EMA200
RSI between 30–60
MACD Histogram < 0
1H EMA50 < 1H EMA200 (MTF Trend Down)
ADX > threshold and SuperTrend is Bearish
Volume filter (if enabled) must be met
💼 Risk Management
Uses ATR-based position sizing
Position Size = (AccountSize * Risk%) / ATR
Take Profit and Stop Loss levels are calculated based on % of price
📉 Strategy Orders
pinescript
Kopyala
Düzenle
strategy.entry("Long", strategy.long, when=longCond)
strategy.exit("TP/SL Long", from_entry="Long", limit=TP Level, stop=SL Level)
strategy.close("Long", when=MACD Histogram < 0 or RSI > 70)
strategy.entry("Short", strategy.short, when=shortCond)
strategy.exit("TP/SL Short", from_entry="Short", limit=TP Level, stop=SL Level)
strategy.close("Short", when=MACD Histogram > 0 or RSI < 30)
📊 Visual Components
EMA Lines: EMA50 (orange), EMA200 (teal)
Labels on Chart: “AL” for Long, “SAT” for Short
Dashboard Table (Top-Right):
Strategy name
Account balance
TP & SL rates
Current ADX & ATR values
Multi-Timeframe Trend Status (UP / DOWN / FLAT)
🚨 Alerts
LONG Giriş: Triggers when all Long conditions are met
SHORT Giriş: Triggers when all Short conditions are met
Ideal for automated alert-based trading bots or Telegram signal bots
📌 Notes
Script is designed for educational and strategic testing purposes.
Real trading decisions must include manual confirmation and risk assessment.
Strategy results may vary based on asset type and market conditions.
Hull MA with Support/Resistance📊 Combined Hull MA & Support/Resistance Indicator
🌟 Core Features Overview
This indicator integrates two powerful tools:
Hull Moving Average (Hull MA) - An optimized MA variant that reduces lag and closely follows price action.
Dynamic Support/Resistance System - Automatically identifies key price levels based on market structure.
Dual Advantage: Simultaneously identifies trends with Hull MA while pinpointing critical price zones for optimal entries.
⚙️ How It Works
Component Functionality Key Attributes Hull MA
- Trend identification
- Reversal signals via color changes - Low latency
- Color-coded (green/red) momentum
Support/Resistance - Key level detection
- Noise filtering via pivot points - Auto-adjusting
- Extended line visualization
📈 Practical Applications Trend Trading:
Buy when Hull MA turns green + price breaks Resistance
Sell when Hull MA turns red + price breaks Support
Breakout/Pullback Strategies:
Combine S/R breakouts with Hull MA slope for signal confirmation
Risk Management:
Place stop-loss orders beyond nearest S/R levels
⚡ Performance Optimization
Default Settings:
Hull MA: 16 periods (ideal for H1/D1 timeframes)
S/R: 1-bar pivot (short-term swing points)
Advanced Customization:
Increase Hull MA sensitivity by reducing periods
Widen S/R zones with Left/Right Bars >1
📌 Critical Notes
• Most effective in trending markets
• Recommended to combine with volume or RSI for confirmation
• Always backtest across multiple timeframes before live trading
💡 Pro Tip: Use Hull MA as primary trend filter - only trade when price retests S/R levels aligned with the MA's color.
BTC 고승률 전략: 2번째 눌림 진입 신호 (롱/숏)//@version=5
indicator("BTC 고승률 전략: 2번째 눌림 진입 신호 (롱/숏)", overlay=true)
// 고점 및 저점 돌파 감지
high_20 = ta.highest(high, 20)
low_20 = ta.lowest(low, 20)
// 이동평균선 (SMA 20, 50)
sma20 = ta.sma(close, 20)
sma50 = ta.sma(close, 50)
plot(sma20, title="SMA 20", color=color.aqua)
plot(sma50, title="SMA 50", color=color.orange)
// 스토캐스틱
k = ta.stoch(close, high, low, 14)
d = ta.sma(k, 3)
stoch_golden = ta.crossover(k, d) and k < 30
stoch_dead = ta.crossunder(k, d) and k > 70
// 볼륨 반등 감지
vol_avg = ta.sma(volume, 10)
vol_surge = volume > vol_avg * 1.3
// 롱: 돌파 후 두 번째 눌림
var float last_high_break = na
var int long_pullback_count = 0
if (close > high_20 and close < high_20)
last_high_break := high_20
long_pullback_count := 1
else if (long_pullback_count == 1 and close < high_20)
long_pullback_count := 2
second_pullback_long = (long_pullback_count == 2) and close > sma20 and close > sma50
long_entry = second_pullback_long and stoch_golden and vol_surge
// 숏: 저점 돌파 후 두 번째 반등
var float last_low_break = na
var int short_pullback_count = 0
if (close < low_20 and close > low_20)
last_low_break := low_20
short_pullback_count := 1
else if (short_pullback_count == 1 and close > low_20)
short_pullback_count := 2
second_pullback_short = (short_pullback_count == 2) and close < sma20 and close < sma50
short_entry = second_pullback_short and stoch_dead and vol_surge
// 시각화
plotshape(long_entry, title="롱 진입", location=location.belowbar, style=shape.labelup, color=color.green, text="LONG")
plotshape(short_entry, title="숏 진입", location=location.abovebar, style=shape.labeldown, color=color.red, text="SHORT")
// 알림
alertcondition(long_entry, title="롱 진입 알림", message=" 2차 눌림 롱 진입 시그널 발생")
alertcondition(short_entry, title="숏 진입 알림", message=" 2차 반등 숏 진입 시그널 발생")
ALEX traderUse this indicator on any time frame and asset. Adjust HEMA lengths to match your trading style—shorter lengths for scalping or intraday, longer for swing trading. The shaded area between HEMAs helps visually define the current trend. Watch for crossovers: a bullish crossover plots a green support box just below price, and a bearish one plots a red resistance box just above. These zones act as short-term decision points. When price returns to test a box and confirms with strong rejection (e.g., closes above for bullish or below for bearish), a triangle symbol is plotted. These tests can signal strong trend continuation. For traders looking for clean entries, combining the crossover with a successful retest improves reliability. Alerts can be enabled for all key signals: trend shift, test confirmations, and continuation conditions, making it suitable for automated setups or discretionary traders tracking multiple charts.
1MG Group Premium🔹 Indicator Name: SMART 1MG
🔹 Description: A professional indicator developed to accurately identify entry and exit points using innovative strategy development methods.
It relies on intelligent trend analysis and works efficiently across various timeframes and markets (Forex, Cryptocurrencies, Gold, Stocks).
🔹 Features:
Clear signals with a distinctive color.
Full support for entry and exit points.
Can be used within a trading robot or automated notifications.
Works without redrawing.
Easy to use and features a clean interface.
🔹 Usage:
Add the indicator to the chart.
Monitor the color signals:
✅ Buy and Smart Buy = Buy Entry
❌ Sell and Smart Sell = Sell Entry
📌 Important Notes:
Best used with strict risk management.
HEMA Trend Levels [ALEXtrader]Use this indicator on any time frame and asset. Adjust HEMA lengths to match your trading style—shorter lengths for scalping or intraday, longer for swing trading. The shaded area between HEMAs helps visually define the current trend. Watch for crossovers: a bullish crossover plots a green support box just below price, and a bearish one plots a red resistance box just above. These zones act as short-term decision points. When price returns to test a box and confirms with strong rejection (e.g., closes above for bullish or below for bearish), a triangle symbol is plotted. These tests can signal strong trend continuation. For traders looking for clean entries, combining the crossover with a successful retest improves reliability. Alerts can be enabled for all key signals: trend shift, test confirmations, and continuation conditions, making it suitable for automated setups or discretionary traders tracking multiple charts.
Key Financial index**Basic Indicators** (updates may be delayed by a few weeks after dividend distribution):
1. **P/E Ratio**: *Price-to-Earnings*. This ratio shows the price investors are willing to pay for each unit of profit the company generates.
- A P/E below 8 is considered good, meaning the company yields a 12.5% annual profit, which implies a payback period of 8 years.
2. **P/B Ratio**: *Price-to-Book Ratio*. This is used to compare a company's market value with its book value.
- A low P/B (usually below 1): May indicate that the stock is undervalued compared to the company’s net asset value. This can be a good investment opportunity but may also signal financial trouble.
- A high P/B (usually above 3): May suggest the stock is overvalued relative to the company’s net assets. This could reflect high growth expectations or potential overvaluation.
3. **D/E Ratio**: *Debt-to-Equity Ratio* is a financial metric that measures a company’s financial leverage.
D/E Ratio = Total Liabilities / Shareholders' Equity.
It compares the total liabilities of a company to its equity to indicate how much debt is used to finance its assets compared to shareholder investments.
- D/E Ratio below 1: Generally considered safe.
- D/E Ratio between 1 and 2: May be acceptable depending on the industry.
- D/E Ratio above 2: May indicate high financial risk.
4. **CR Ratio**: *Current Ratio*, an important liquidity metric used to assess a company’s ability to pay off short-term liabilities using its short-term assets.
- CR Ratio > 1: Indicates the company has enough current assets to pay off its short-term debts. The higher the ratio, the better the liquidity position.
- CR Ratio < 1: Suggests the company may face difficulties in meeting short-term obligations. This can be a red flag for financial stability.
5. **Profit Margin**: A key financial indicator that measures a company’s profitability relative to its revenue. It shows what percentage of revenue remains after all related costs are deducted.
**General significance of Profit Margin**:
- **Operational Efficiency**: A high profit margin indicates efficient cost management and the ability to generate strong profits from revenue.
- **Industry Comparison**: Comparing a company’s profit margin with its industry peers helps assess its competitive position and relative performance.
**Note**:
- There is no single “good” margin across all industries. Each industry has different cost structures and competition levels, leading to varying average margins.
- When analyzing profit margins, one must consider the industry context, the company’s business model, and market trends.
6. **Growth Expectation ↑**: This refers to the expected profit growth. The percentage figure reflects how much growth the market expects the company to achieve in the next financial report based on the current stock price.
- The lower the expected growth rate (typically below 15%), the safer the current price is considered.
- A high expected growth rate may indicate that the market anticipates a profit breakthrough or that the stock is trading above its intrinsic value relative to actual earnings.
RSI 및 볼린저밴드 신호 (2시간봉, 1시간봉, 30분봉, 15분봉 기준)This is indecate to us a long and short signal BB and rsi.
you can get the money from this good signal.
vwap nobitaNobita Dinh Quoc Tuan Trader will provide you with a very useful vwap indicator that calculates the average by session. Let's try to see the effectiveness of this indicator.
Sonic R+EMA PYTAGOSonic R is a famous discovery of a trader from Singapore. This is a famous trader with topics that attract great interest from the community. Here we will learn about the Sonic R indicator through the following contents:
What is Sonic R?
Install Sonic R on Tradingview
Structure of the Sonic R indicator
03 applications of the Sonic R indicator
Sonic R system rules
How to use Sonic R effectively in trading
06 notes when using Sonic R
What is Sonic R?
Sonic R is an indicator that has been used for a long time in the world, but in Vietnam it has only been popular in the past few years. This EMA set still has the properties of all EMAs:
Trend: Price is above Sonic R for an uptrend, below Sonic R for a downtrend.
Price goes too far and tends to converge with the EMA.
Dynamic support and resistance: price breaks through the EMA and acts to return to test.
Sonic R is an indicator like a moving support resistance resistance with a combination of EMA lines. Including EMA 34, 89 and 200. So why EMA 34 and 89? According to Elliott wave theory, each large wave will have 34 main waves and 89 corrective waves. The EMA lines act as psychological support and resistance. The larger the EMA, the greater the resistance.
Moving Average PairSonic R is a famous discovery of a trader from Singapore. This is a famous trader with topics that attract great interest from the community. Here we will learn about the Sonic R indicator through the following contents:
What is Sonic R?
Install Sonic R on Tradingview
Structure of the Sonic R indicator
03 applications of the Sonic R indicator
Sonic R system rules
How to use Sonic R effectively in trading
06 notes when using Sonic R
What is Sonic R?
Sonic R is an indicator that has been used for a long time in the world, but in Vietnam it has only been popular in the past few years. This EMA set still has the properties of all EMAs:
Trend: Price is above Sonic R for an uptrend, below Sonic R for a downtrend.
Price goes too far and tends to converge with the EMA.
Dynamic support and resistance: price breaks through the EMA and acts to return to test.
Sonic R is an indicator like a moving support resistance resistance with a combination of EMA lines. Including EMA 34, 89 and 200. So why EMA 34 and 89? According to Elliott wave theory, each large wave will have 34 main waves and 89 corrective waves. The EMA lines act as psychological support and resistance. The larger the EMA, the greater the resistance.
RSI + Stochatic RSI BOTSonic R is a famous discovery of a trader from Singapore. This is a famous trader with topics that attract great interest from the community. Here we will learn about the Sonic R indicator through the following contents:
What is Sonic R?
Install Sonic R on Tradingview
Structure of the Sonic R indicator
03 applications of the Sonic R indicator
Sonic R system rules
How to use Sonic R effectively in trading
06 notes when using Sonic R
What is Sonic R?
Sonic R is an indicator that has been used for a long time in the world, but in Vietnam it has only been popular in the past few years. This EMA set still has the properties of all EMAs:
Trend: Price is above Sonic R for an uptrend, below Sonic R for a downtrend.
Price goes too far and tends to converge with the EMA.
Dynamic support and resistance: price breaks through the EMA and acts to return to test.
Sonic R is an indicator like a moving support resistance resistance with a combination of EMA lines. Including EMA 34, 89 and 200. So why EMA 34 and 89? According to Elliott wave theory, each large wave will have 34 main waves and 89 corrective waves. The EMA lines act as psychological support and resistance. The larger the EMA, the greater the resistance.
Bollinger BandsVolatility-based Bollinger Bands are a technical analysis tool that adjust their width based on market volatility, using standard deviations from a moving average. Typically, they consist of a simple moving average (SMA) with two bands plotted above and below it, set at 2 standard deviations from the average. In high volatility, the bands widen; in low volatility, they narrow. This helps traders identify overbought (price near upper band) or oversold (price near lower band) conditions, as well as potential breakouts or reversals. The standard setting uses a 20-period SMA, but this can be customized.
AST + SMA (Alvin Strategy)New indicator combine with Adaptive Super Trend and SMA20.
This indicator suitable for scalper that focusing on trend trading. It give confirmation for a scalp trader and suggest a close entry.
Gaan Levels This Pine Script code plots horizontal lines at perfect square levels (e.g., 1, 4, 9, 16, ..., 841) on a TradingView chart. These lines, called "Gaan Levels", can be used as potential support and resistance zones for technical analysis.
غـــلا - استراتيجية الدوجي V.1.0 Doji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zonesDoji strategy with liquidity zones
Inverted Hammer at Daily HighInverted Hammer candle formed on daily high indicates that bearish momentum
Scalper's Fractal Cloud with RSI + VWAP + MACD (Fixed)Scalper’s Fractal Confluence Dashboard
1. Purpose of the Indicator
This TradingView indicator script provides a high-confluence setup for scalping and day trading. It blends momentum indicators (RSI, MACD), trend bias tools (EMA Cloud, VWAP), and structure (fractal swings, gap zones) to help confirm precise entries and exits.
2. Components of the Indicator
- EMA Cloud (50 & 200 EMA): Trend bias – green means bullish, red means bearish. Avoid longs under red cloud.
- VWAP: Institutional volume anchor. Ideal entries are pullbacks to VWAP in direction of trend.
- Gap Zones: Shows open-air zones (white space) where price can move fast. Used to anticipate momentum moves.
- ZigZag Swings: Marks structural pivots (highs/lows) – useful for stop placement and range anticipation.
- MACD Histogram: Shows bullish or bearish momentum via background color.
- RSI: Overbought (>70) or oversold (<30) warnings. Good for exits or countertrend reversion plays.
- EMA Spread Label: Quick view of momentum strength. Wide spread = strong trend.
3. Scalping Entry Checklist
Before entering a trade, confirm these conditions:
• • Bias: EMA cloud color supports trade direction
• • Price is above/below VWAP (confirming institutional flow)
• • MACD histogram matches direction (green for long, red for short)
• • RSI not at extreme (unless you’re fading trend)
• • If entering gap zone, expect fast move
• • Recent swing high/low nearby for target or stop
4. Risk & Sizing Guidelines
Risk 1–2% of account per trade. Place stop below recent swing low (for longs) or high (for shorts). Use fractional sizing near VWAP or white space zones for scalping reversals.
5. Daily Trade Journal Template
- Date:
- Ticker:
- Setup Type (VWAP pullback, Gap Break, EMA reversion):
- Entry Time:
- Bias (Green/Red Cloud):
- RSI Level / MACD Reading:
- Stop Loss:
- Target:
- Result (P/L):
- What I Did Well:
- What Needs Work:
🎯 Daytrade Pro Strategy (v6)This powerful intraday indicator is designed for professional day traders who want precision entries during high-volume market sessions. Built on advanced techniques from institutional playbooks, it combines:
✅ Trend Confirmation (EMA 9/21, VWAP)
✅ Momentum Filters (RSI, MACD Histogram)
✅ Volatility Awareness (ATR-based TP/SL)
✅ Volume Spike Detection
✅ Opening Range Breakout Logic
✅ Time-Based Trading Filter (e.g. 15:30–17:00 UTC)
✅ Live Debug Table for Transparency
✅ Visual Targets & Stops
Only shows trade signals when all technical and strategic conditions align. Designed for scalping and momentum-based intraday setups.
V10 REVERSAL {BASHA FX}The V10 SCALPER & REVERSAL By BASHA FX is an advanced trading algorithm designed for intraday scalping with a focus on exhaustion reversal signals. The algorithm combines a powerful Smart Money Concepts (SMC) strategy to identify precise entry and exit points. It integrates customizable features for stop loss, take profit, and the ability to toggle different strategies on and off, allowing users to personalize their trading experience.
Key Features:
Exhaustion Reversal Signals: The algorithm identifies market exhaustion points, generating accurate reversal signals based on price action. This allows for optimal entry points with clear stop loss and take profit levels.
Example of Exhaustion Reversal Signal:
snapshot
Smart Money Concepts (SMC): By incorporating SMC principles, this algorithm enhances its ability to detect market shifts and trends, improving accuracy in entry and exit decisions.
Customizable Settings: The algorithm features easy-to-use toggle buttons, allowing traders to enable or disable specific features. Users can activate or deactivate the exhaustion reversal signals, SMC strategy, and other customizable options to fine-tune their trading approach.
Stop Loss and Take Profit Management: Integrated risk management with user-defined stop loss and take profit levels ensures better control over trade outcomes, based on a customizable risk-to-reward ratio.
Example of a trade with stop loss and take profit:
Why Choose V10 SCALPER & REVERSAL By BASHA FX?
This algorithm is ideal for traders seeking an edge in the market, combining sophisticated market analysis with advanced customization options. Whether you prefer automated trading or manual fine-tuning, V10 SCALPER & REVERSAL By BASHA FX provides the tools you need to execute trades with precision and flexibility.
V10 SCALPER [Basha FX]The Mayfair Fx Scalper V10 By BASHA FX is an advanced trading algorithm designed for intraday scalping with a focus on exhaustion reversal signals. The algorithm combines a powerful Smart Money Concepts (SMC) strategy to identify precise entry and exit points. It integrates customizable features for stop loss, take profit, and the ability to toggle different strategies on and off, allowing users to personalize their trading experience.
Key Features:
Exhaustion Reversal Signals: The algorithm identifies market exhaustion points, generating accurate reversal signals based on price action. This allows for optimal entry points with clear stop loss and take profit levels.
Example of Exhaustion Reversal Signal:
snapshot
Smart Money Concepts (SMC): By incorporating SMC principles, this algorithm enhances its ability to detect market shifts and trends, improving accuracy in entry and exit decisions.