Daily + 4H MACD & RSI Screeneri used this script for my swing trading entry.
//@version=5
indicator("Daily + 4H MACD & RSI Screener", overlay=false)
// settings
rsiLength = input.int(14, "RSI Length")
rsiLevel = input.int(50, "RSI Threshold")
macdFast = input.int(12, "MACD Fast")
macdSlow = input.int(26, "MACD Slow")
macdSignal = input.int(9, "MACD Signal")
// ---- daily timeframe ----
dailyRsi = request.security(syminfo.tickerid, "D", ta.rsi(close, rsiLength))
= request.security(syminfo.tickerid, "D", ta.macd(close, macdFast, macdSlow, macdSignal))
dailyRsiPass = dailyRsi < rsiLevel
dailyMacdPass = dailyMacd < 0
dailyCondition = dailyRsiPass and dailyMacdPass
// ---- 4H timeframe ----
h4Rsi = request.security(syminfo.tickerid, "240", ta.rsi(close, rsiLength))
= request.security(syminfo.tickerid, "240", ta.macd(close, macdFast, macdSlow, macdSignal))
h4RsiPass = h4Rsi < rsiLevel
h4MacdPass = h4Macd < 0
h4Condition = h4RsiPass and h4MacdPass
// ---- combined condition ----
finalCondition = dailyCondition and h4Condition
// plot signals
plotshape(finalCondition, style=shape.triangledown, location=location.top, color=color.red, size=size.large, title="Signal")
bgcolor(finalCondition ? color.new(color.red, 85) : na)
// ---- table (3 columns x 4 rows) ----
var table statusTable = table.new(position=position.top_right, columns=3, rows=4, border_width=1)
// headers
table.cell(statusTable, 0, 0, "Timeframe", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(statusTable, 1, 0, "RSI", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(statusTable, 2, 0, "MACD", text_color=color.white, bgcolor=color.new(color.black, 0))
// daily row
table.cell(statusTable, 0, 1, "Daily", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(statusTable, 1, 1, str.tostring(dailyRsi, "#.##"),
text_color=color.white, bgcolor=dailyRsiPass ? color.new(color.green, 60) : color.new(color.red, 60))
table.cell(statusTable, 2, 1, str.tostring(dailyMacd, "#.##"),
text_color=color.white, bgcolor=dailyMacdPass ? color.new(color.green, 60) : color.new(color.red, 60))
// 4H row
table.cell(statusTable, 0, 2, "4H", text_color=color.white, bgcolor=color.new(color.black, 0))
table.cell(statusTable, 1, 2, str.tostring(h4Rsi, "#.##"),
text_color=color.white, bgcolor=h4RsiPass ? color.new(color.green, 60) : color.new(color.red, 60))
table.cell(statusTable, 2, 2, str.tostring(h4Macd, "#.##"),
text_color=color.white, bgcolor=h4MacdPass ? color.new(color.green, 60) : color.new(color.red, 60))
// status row (simulate colspan by using two adjacent cells with the same bgcolor)
table.cell(statusTable, 0, 3, "Status", text_color=color.white, bgcolor=color.new(color.black, 0))
statusText = finalCondition ? "match" : "no match"
statusBg = finalCondition ? color.new(color.green, 0) : color.new(color.red, 0)
table.cell(statusTable, 1, 3, statusText, text_color=color.white, bgcolor=statusBg, text_size=size.large)
table.cell(statusTable, 2, 3, "", text_color=color.white, bgcolor=statusBg)
Educational
Ratios -> PROFABIGHI_CAPITAL🌟 Overview
This Ratios → PROFABIGHI_CAPITAL implements a comprehensive risk-adjusted performance analysis framework combining Sharpe, Sortino, and Omega ratios for superior portfolio evaluation and trading signal generation.
It provides Triple-ratio calculation engine with Sharpe volatility analysis, Sortino downside deviation measurement, and Omega probability-weighted performance assessment , Advanced smoothing system using EMA filtering for noise reduction and signal clarity , Dynamic threshold-based color coding with configurable strong and weak performance levels , and Configurable annualization framework supporting different market types and trading frequencies for institutional-grade risk management.
🔧 Advanced Risk-Adjusted Analysis Framework
Professional triple-ratio system integrating three distinct risk-adjusted performance methodologies for comprehensive portfolio evaluation
Source Selection Architecture enabling close, high, low, or other price inputs for flexible ratio calculation adaptation
Calculation Period Management with adjustable lookback periods balancing statistical significance versus market responsiveness
EMA Smoothing Integration reducing market noise while preserving important performance trends for enhanced decision-making accuracy
Grouped Parameter Organization separating general settings, Sharpe parameters, Sortino configuration, and Omega controls for streamlined optimization
Configurable Annualization Factor supporting different market types with customizable days-per-year calculation for accurate performance scaling
📊 Sharpe Ratio Implementation Engine
Risk-Free Rate Configuration providing adjustable annual risk-free rate for excess return calculation over benchmark performance
Volatility-Adjusted Performance measuring excess return per unit of total risk using standard deviation methodology
Strong/Weak Threshold Management offering configurable performance levels for signal generation and visual classification
Mathematical Precision Framework implementing proper annualization scaling with square root adjustment for volatility normalization
Zero-Division Protection ensuring continuous calculation through proper handling of zero volatility conditions
Periodic Return Calculation using bar-to-bar percentage changes for accurate return measurement across different timeframes
📈 Sortino Ratio Advanced Framework
Downside Deviation Focus measuring risk-adjusted performance using only negative deviations below risk-free threshold
Sophisticated Downside Calculation implementing loop-based accumulation of squared negative deviations for precise downside risk measurement
Risk-Free Rate Integration supporting independent risk-free rate configuration for Sortino-specific benchmark setting
Downside Risk Isolation excluding upward volatility from risk calculation for more accurate downside risk assessment
Mean Downside Deviation calculating average squared downside deviations with proper mathematical normalization
Square Root Scaling applying proper mathematical transformation for downside deviation with annualization adjustment
⚙️ Omega Ratio Probability Framework
Target Return Configuration enabling customizable annual target return threshold for gain-loss probability analysis
Cumulative Gain Calculation measuring total returns above target threshold through iterative accumulation methodology
Cumulative Loss Measurement calculating total shortfalls below target threshold for comprehensive downside assessment
Probability-Weighted Analysis implementing gains-to-losses ratio for probability-based performance evaluation
Target Return Conversion transforming annual target returns to periodic equivalents for accurate threshold comparison
Null Value Handling managing mathematical edge cases when no losses occur through proper validation logic
🔄 Advanced Smoothing Implementation
Triple-Ratio EMA Smoothing applying Exponential Moving Average filtering to all three ratios for enhanced signal clarity
Configurable Smoothing Period balancing signal responsiveness versus noise reduction through adjustable EMA length
Null Value Protection ensuring continuous smoothing through proper handling of undefined raw ratio values
Omega Ratio Special Handling using zero fallback for undefined Omega values to maintain continuous EMA calculation
Signal Persistence Enhancement reducing false signals while preserving important trend changes through mathematical smoothing
Real-Time Smoothing Updates providing current smoothed values for immediate performance assessment and signal generation
🎨 Dynamic Visualization Framework
Threshold-Based Color Coding using green for strong performance above threshold, red for weak performance below threshold, and gray for neutral zones
Sharpe Ratio Visualization displaying green/red/gray coloring based on smoothed values relative to strong and weak threshold lines
Sortino Ratio Display implementing blue for strong performance, yellow for weak performance, and gray for neutral conditions
Omega Ratio Presentation using orange for strong performance, purple for weak performance, and gray for intermediate levels
Multi-Line Plot System presenting all three smoothed ratios simultaneously with distinct colors and line weights
Reference Line Framework displaying horizontal dashed lines for strong and weak thresholds with color-coded identification
🔍 Mathematical Precision Implementation
Accurate Return Calculation using proper percentage change methodology for consistent return measurement
Annualization Scaling implementing correct mathematical formulations for time-period adjustment with square root factors
Statistical Validation ensuring mathematical accuracy through proper mean and standard deviation calculations
Loop-Based Calculations using efficient iteration for downside deviation and Omega ratio cumulative calculations
Error Prevention Framework incorporating comprehensive validation for zero division and undefined value conditions
Precision Maintenance preserving calculation accuracy across different smoothing periods and market conditions
📋 Performance Analysis Applications
Risk-Adjusted Signal Generation using threshold crossovers for entry and exit signal identification across all three ratios
Portfolio Performance Ranking comparing multiple assets or strategies using standardized risk-adjusted performance metrics
Market Regime Detection identifying favorable and unfavorable market conditions through ratio trend analysis
Strategy Optimization evaluating trading strategy performance using multiple risk-adjusted methodologies simultaneously
Drawdown Analysis Enhancement utilizing Sortino ratio focus on downside risk for better drawdown assessment
Probability-Based Decision Making leveraging Omega ratio gain-loss probability analysis for position sizing and risk management
✅ Key Takeaways
Comprehensive triple-ratio framework combining Sharpe volatility analysis, Sortino downside focus, and Omega probability-weighted assessment for complete risk-adjusted evaluation
Advanced smoothing implementation using EMA filtering for noise reduction while preserving important performance trends and signal clarity
Dynamic threshold-based visualization with color-coded performance states enabling immediate identification of strong, weak, and neutral conditions
Mathematical precision implementation using proper statistical formulations with comprehensive error handling and edge case management
Configurable parameter framework supporting different market types through adjustable annualization factors and independent threshold settings
Professional visualization system with multi-colored ratio lines and reference threshold displays for institutional-grade performance analysis
Flexible calculation periods enabling adaptation to different trading styles and market analysis requirements for versatile risk management applications
TPO Levels [VAH/POC/VAL] with Poor H/L, Single Prints & NPOCs### 🎯 Advanced Market Profile & Key Level Analysis
This script is a unique and comprehensive technical analysis tool designed to help traders understand market structure, value, and key liquidity levels using the principles of **Auction Market Theory** and **Market Profile**.
This script is unique (and shouldn't be censored) because :
It allows large history of levels to be displayed
Accurate as possible tick size
Doesn't draw a profile but only the actual levels
Supports multi-timeframe levels even on the daily mode giving macro context
There is no indicator out there that does it
While these concepts are universal, this indicator was built primarily for the dynamic, 24/7 nature of the **cryptocurrency market**. It helps you move beyond simple price action to understand *why* the market is moving, which is especially crucial in the volatile crypto space.
### ## 📊 The Concepts Behind the Calculations
To use this script effectively, it's important to understand the core concepts it is built upon. The entire script is self-contained and does not require other indicators.
* **What is Market Profile?**
Market Profile is a unique charting technique that organizes price and time data to reveal market structure. It's built from **Time Price Opportunities (TPOs)**, which are 30-minute periods of market activity. By stacking these TPOs, the script builds a distribution, showing which price levels were most accepted (heavily traded) and which were rejected (lightly traded) during a session.
* **What is the Value Area (VA)?**
The Value Area is the heart of the profile. It represents the price range where **70%** of the session's trading volume occurred. This is considered the "fair value" zone where both buyers and sellers were in general agreement.
* **Point of Control (POC):** The single price level with the most TPOs. This was the most accepted or "fairest" price of the session and acts as a gravitational line for price.
* **Value Area High (VAH):** The upper boundary of the 70% value zone.
* **Value Area Low (VAL):** The lower boundary of the 70% value zone.
VAH and VAL are dynamic support and resistance levels. Trading outside the previous session's value area can signal the start of a new trend.
***
### ## 📈 Key Features Explained
This script automatically calculates and displays the following critical market-generated information:
* **Multi-Timeframe Market Profile**
Automatically draws Daily, Weekly, and Monthly profiles, allowing you to analyze market structure across different time horizons. The script preserves up to 20 historical sessions to provide deep market context.
* **Naked Point of Control (nPOC)**
A "Naked" POC is a Point of Control from a previous session that has **not** been revisited by price. These levels often act as powerful magnets for price, representing areas of unfinished business that the market may seek to retest. The script tracks and displays Daily, Weekly, and Monthly nPOCs until they are touched.
* **Single Prints (Imbalance Zones)**
A Single Print is a price level where only one TPO traded during the session's development. This signifies a rapid, aggressive price move and an imbalanced market. These areas, like gaps in a traditional chart, are frequently revisited as the market seeks to "fill in" these thin parts of the profile.
* **Poor Structure (Unfinished Auctions)**
A **Poor High** or **Poor Low** occurs when the top or bottom of a profile is flat, with two or more TPOs at the extreme price. This suggests that the auction in that direction was weak and inconclusive. These weak structures often signal a high probability that price will eventually break that high or low.
***
### ## 💡 How to Use This Indicator
This tool is not a signal generator but an analytical framework to improve your trading decisions.
1. **Determine Market Context:** Start by asking: Is the current price trading *inside* or *outside* the previous session's Value Area?
* **Inside VA:** The market is in a state of balance or range-bound. Look for trades between the VAH and VAL.
* **Outside VA:** The market is in a state of imbalance and may be starting a trend. Look for continuation or acceptance of prices outside the prior value.
2. **Identify Key Levels:**
* Use historical **nPOCs** as potential profit targets or areas to watch for a price reaction.
* Treat historical **VAH** and **VAL** levels as significant support and resistance zones.
* Note where **Single Prints** are. These are often price magnets that may get "filled" in the future.
3. **Spot Weakness:**
* A **Poor High** suggests weak resistance that may be easily broken.
* A **Poor Low** suggests weak support, signaling a potential for a continued move lower if broken.
***
### ## ⚙️ Customization & Crypto Presets
The indicator is highly customizable, allowing you to change colors, transparency, the number of historical sessions, and more.
To help traders get started quickly, the indicator includes **built-in layout presets** specifically calibrated for major cryptocurrencies: ** BINANCE:BTCUSDT.P , BINANCE:ETHUSDT.P , and BINANCE:SOLUSDT.P **. These presets automatically adjust key visual parameters to better suit the unique price characteristics and volatility of each asset, providing an optimized view right out of the box.
***
### ## ⚠️ Disclaimer
This indicator is a tool for market analysis and should not be interpreted as direct buy or sell signals. It provides information based on historical price action, which does not guarantee future results. Trading involves significant risk, and you should always use proper risk management. This script is designed for use on standard chart types (e.g., Candlesticks, Bar) and may produce misleading information on non-standard charts.
RSI Divergence — BibhutiRSI Divergence with 30/70 filter. No repainting , but many false signals also. Still can be used in conjuction with other momentum indicators
CPR with EMA & VWAP ConfirmationIF this Indicator not properly alignment in chart.. just click indicator three dot more option and choose pine to scale (Pinned to A or right )
The Full CPR indicator is a complete intraday trading framework that combines Central Pivot Range (CPR) levels, Pivot Targets (R1/R2/R3, S1/S2/S3), and trend confirmations using EMA & VWAP. It is designed for traders who rely on CPR-based setups for intraday trend, breakout, and reversal opportunities.
Key Features
CPR Levels (Pivot, BC, TC): Auto-calculated daily from the previous day’s High, Low, and Close.
Target Zones: Standard targets (R1, R2, S1, S2) plus optional extensions (R3, S3).
EMA & VWAP Filters: Flexible entry confirmations with selectable buffer % and modes:
EMA only
VWAP only
Both
Any
Narrow/Wide CPR Detection: Identifies Narrow CPR (possible trending days) and Wide CPR (possible sideways/range days).
Previous Day High/Low (PDH/PDL): Plotted with shaded zones for support/resistance.
Auto Labels & Tags: Session labels for Pivot, BC, TC, targets, plus CPR Type (NARROW / WIDE / NORMAL).
Shaded Zones: CPR, bullish (R1–R2), bearish (S1–S2), and extension zones filled with transparency controls.
Entry Triggers:
Long entry when price closes above upper CPR band (or BC, depending on mode).
Short entry when price closes below lower CPR band (or TC, depending on mode).
Stoploss (SL): Opposite CPR band is marked as SL.
Target Tracking: Auto-marks T1/T2/T3 hits for both long and short trades.
Alerts: Built-in alerts for Long/Short entry, Target hits, and Stoploss triggers.
How to Use
Trend Days (Narrow CPR): Look for strong breakouts beyond CPR with EMA/VWAP confirmation.
Range Days (Wide CPR): Expect sideways movement; use CPR and PDH/PDL for quick scalps.
Entry & SL:
Go long when price breaks above CPR upper band (SL = lower band).
Go short when price breaks below CPR lower band (SL = upper band).
Targets: Use R1/R2/R3 (bullish) or S1/S2/S3 (bearish) as progressive booking levels.
Disclaimer
This script is for educational purposes only. It does not guarantee profits and should not be considered financial advice. Always backtest thoroughly and use proper risk management before live trading.
Big Player Buy/Sell SignalHow It Works:
Detects volume spikes over SMA of recent volume.
Signals a buy if there’s a green candle near a recent swing low on high volume (possible big player accumulation).
Signals a sell if there’s a red candle near a swing high on high volume (possible big player distribution).
This is a proxy, not a direct measure of institutional trades, but it often works surprisingly well in liquid markets like Nifty 50 or Bank Nifty.
If you want, I can make an advanced version that combines RSI, EMA, and first occurrence detection for higher accuracy in catching big player moves.
Trading hours candle markerTake control of your trading sessions with this powerful time-highlighting tool.
This indicator automatically shades selected hours on your chart, giving you instant clarity on when the market is most relevant for your strategy.
Whether you’re backtesting or trading live, you’ll quickly see which candles form inside or outside your setup windows—helping you avoid mistakes and stay focused on high-probability trades.
✔ Customize your own start and end hours
✔ Instantly spot restricted or setup periods
✔ Works on any timeframe and market
✔ Adjustable UTC offset to perfectly match your local time
Bring more structure and precision to your trading with a simple, clean visual overlay.
EMA Support & ResistanceEducational Purpose only
This indicator combines VWAP, multiple Exponential Moving Averages (EMA 20,/VWAP ), Support and Resistance
VWAP (Volume Weighted Average Price) helps identify fair value and intraday bias.
EMA 20 act as dynamic support and resistance levels for short, medium, and long-term trends.
CPR (Central Pivot Range) is calculated from the previous day’s High, Low, and Close. It provides intraday reference zones S1/S2/S3 & R1/R2/R3 that traders use to gauge market direction and trend strength.
This tool is built for educational purposes only — to help visualize common support & resistance zones and learn how VWAP + EMAs + S/R interact in live markets. It is not financial advice and should not be used as a standalone trading system.
Highlight 10-11 AM NY//@version=5
indicator("Highlight 10-11 AM NY", overlay=true)
// Inputs for flexibility
startHour = input.int(10, "Start Hour (NY time)")
endHour = input.int(11, "End Hour (NY time)")
// Check if the current bar is within the session (uses chart time zone)
inSession = (hour(time, syminfo.timezone) >= startHour) and (hour(time, syminfo.timezone) < endHour)
// Highlight background
bgcolor(inSession ? color.new(color.yellow, 85) : na)
Profit booking Indicatorbasic indicator to check swing highs and lows. it uses macd cross over along with moving average of 20 and 50. when candle crosses 50ema it will give buy signal and when crosses below 20ema it gives sell signal.
Value Investing IndicatorThis is based on PeterNagy Indicator. I just update it from v.4 to v.6 and modify. Open for tweak
GusteriTBL
time based liq
am salvat o copie de la OGDubsky, pentru a putea lucra ulterior pe aceasta
GC Checklist Signals (All TF, v6 • SR-safe • Clean blocks)GC (COMEX Gold) checklist strategy with a 3:1 reward-to-risk to your training bot. It enforces the following rules:
Heiken Ashi chart logic for color, wicks, and doji detection
100-EMA filter (only buys above / sells below)
Market structure: higher-low above EMA for buys; lower-high below EMA for sells (simple pivot check)
Clean pullback: at least 2 opposite-color candles; clean = no top wicks (buys) / no bottom wicks (sells)
Entry: on high-volume doji (body ≤ ~12% of range and volume ≥ last 1–3 candles), as soon as it closes
Stops: sell = above doji high; buy = below doji low
GC Checklist Signals (All Timeframes, v6)GC (COMEX Gold) checklist strategy with a 3:1 reward-to-risk to your training bot. It enforces your rules:
Heiken Ashi chart logic for color, wicks, and doji detection
100-EMA filter (only buys above / sells below)
Market structure: higher-low above EMA for buys; lower-high below EMA for sells (simple pivot check)
Clean pullback: at least 2 opposite-color candles; clean = no top wicks (buys) / no bottom wicks (sells)
Entry: on high-volume doji (body ≤ ~12% of range and volume ≥ last 1–3 candles), as soon as it closes
Stops: sell = above doji high; buy = below doji low
Chartlense Dashboard (Data, Trend & Levels)Chartlense Dashboard (Data, Trend & Levels)
Overview
This dashboard is designed to solve two common problems for traders: chart clutter and the manual drawing of support and resistance levels . It consolidates critical data from multiple indicators into a clean table overlay and automatically plots the most relevant S&R levels based on recent price action. The primary goal is to provide a clear, at-a-glance overview of the market's structure and data.
It offers both a vertical and horizontal layout to fit any trader's workspace.
Key Concepts & Calculations Explained
This indicator is more than a simple collection of values; it synthesizes data to provide unique insights. Here’s a conceptual look at how its core components work:
Automatic Support & Resistance (Pivot-Based):
The dashed support (green) and resistance (red) lines are not manually drawn. They are dynamically calculated based on the most recent confirmed pivot highs and pivot lows . A pivot is a foundational concept in technical analysis that identifies potential turning points in price action.
How it works: A pivot high is a candle whose `high` is higher than a specific number of candles to its left and right (the "Pivot Lookback" is set to 5 by default in the settings). A pivot low is the inverse. By automatically identifying these confirmed structural points, the script visualizes the most relevant levels of potential supply and demand on the chart.
Relative Volume (RVOL):
This value in the table is not the standard volume. It measures the current bar's volume against its recent average (specifically, `current volume / 10-period simple moving average of volume`).
Interpretation: A reading above 2.0 (indicated by green text) suggests that the current volume is more than double the recent average. This technique is used to identify significant volume spikes, which can add conviction to breakouts or signal potential market climaxes.
Consolidated Data for Context:
Other values displayed in the table, such as the EMAs (9, 20, 200) , Bollinger Bands (20, 2) , RSI (14) , MACD (12, 26, 9) , and VWAP (on intraday charts), use their standard industry calculations. They are included to provide a complete contextual picture without needing to load each indicator separately, saving valuable chart space.
How to Use This in Your Trading
This dashboard is designed as a tool for confluence and context , not as a standalone signal generator. Here are some ways to integrate it into your analysis workflow:
As a Trend Filter: Before considering a trade, quickly glance at the EMAs and the MACD values in the table. A price above the key EMAs and a positive MACD can serve as a quick confirmation that you are aligned with the dominant trend.
To Validate Breakouts: When the price is approaching a key Resistance level (red pivot line), watch the RVOL value . A reading above 2.0 on the breakout candle adds significant confirmation that the move is backed by strong interest. The same logic applies to breakdowns below a support level.
To Spot Potential Reversals: Confluence is key. For example, if the price is testing a Support level (green pivot line) AND the RSI in the table is approaching oversold levels (e.g., near 30), it can signal a higher probability reversal setup.
About This Indicator
This indicator was developed by the team at ChartLense to help traders declutter their charts and focus on the data that matters. We believe in making complex analysis more accessible and organized. We hope this free tool is a valuable addition to your trading process.
AA1 MACD 09.2025this is a learing project i want to share
the script is open for anyone
I combain some ema's mcad and more indicators to help find stocks in momentum
Futures Tick & Point Value [BoredYeti]Futures Tick & Point Value
This utility displays tick size, dollars per tick, and (optionally) a per-point row for the current futures contract.
Features
• Hardcoded $/tick map for common CME/NYMEX/CBOT/COMEX contracts
• Automatic fallback using pointvalue * mintick for any other symbol
• Table settings: adjustable position, text size, customizable colors
• Optional “Per Point” row showing ticks and $/point
Notes
• Contract specs can vary by broker/exchange and may change over time. Always confirm with official specifications.
• Educational tool only; not financial advice.
SOLACEThis overlay combines a fast/slow EMA price-action system with rich context tools. Buy prints on the current bar when both EMAs (5 & 21) are below the OHLC average and the 21 EMA crosses below the 5 EMA; Sell prints when both EMAs are above the average and the 21 EMA crosses above the 5 EMA. It also plots MACD, VWAP, Bollinger Bands (20,2), SMA50/200, plus dynamic support/resistance lines from recent swing highs/lows (20/40/60 bars) for confluence. Labels fire same-bar for early entries, and alerts are included for both signals; fractal logic is prepared for future use.
Margin Cost Calculator Screener - Taylor V1.2# Leverage Position Cost Calculator & Stop Lose Cost Screener #
Designed to provide traders with crucial insights into their leveraged positions directly on the TradingView chart.
Key Features:
> Dynamic Display: Choose to view only the estimated entry cost, or a comprehensive overview including potential losses at specific stop-loss levels, and a custom remark.
> Contract Size Input: Easily specify the contract size for your trades.
> Leverage Level Input: Set your desired leverage level, with helpful tooltips explaining the margin requirements for various leverage ratios (e.g., 25x, 10x, 5x) and an included fee estimate.
> Cost Calculation: Accurately calculates the estimated entry cost for your position based on the current market price, contract size, and leverage.
> Stop-Loss Projections: It projects potential losses for stop-loss orders set at 3% and 5% below the entry price, helping you manage risk effectively.
> Clear Table Visualization: All calculated data is presented in a clean, organized table anchored to the bottom-left of your chart, making it easy to reference at a glance.
> Symbol Identification: Automatically displays the short ticker symbol for the asset you are analyzing.
This tool is invaluable for traders who utilize leverage and need a quick, visual way to understand their financial exposure and potential outcomes before entering or managing a trade.
Raid & Imbalance Suite (ICT-inspired)**What it is**
Raid & Imbalance Suite is an invite-only indicator that visualizes liquidity raids and fair-value-gap (FVG) context directly on the chart. It is inspired by ICT concepts but is an independent implementation (not affiliated with ICT).
**What it shows**
• Liquidity raid highlights (sweeps)
• FVG / imbalance context overlays
• Light session / structure context for additional clarity
• Intentional minimalism — internal thresholds/logic are not disclosed
**How to use**
• Works on most symbols and timeframes supported by TradingView indicators
• Use as chart context alongside your own plan and risk management
• This tool does not place trades, generate signals, or guarantee outcomes
**Inputs & Alerts**
• Toggles for raids / FVG / sessions
• Basic visual settings
• Optional alerts for newly detected events
**Access**
This is an **invite-only** script. Request access via TradingView messages (username: @ASevilla28). Access is granted manually to approved users.
**Disclaimer**
For educational/charting purposes only. Not financial advice. No performance guarantees. Markets involve risk. Use at your own discretion.
*(The author is not affiliated with or endorsed by any third party referenced by “ICT-inspired”.)*
Price Action By ProfitAlgo.io Price Action Alerts combined with the BackEnd Order Matrix and TrendSync Tool Kit.
ProfitAlgo.io Price Action
A companion tool to the Backend Order Matrix and TrendSync, this indicator helps visualize trade direction with A/B/C/D retracement lines that align with fib retracement levels which can react as a BIG BOUNCE RETEST ENTRY, multi-timeframe support/resistance, and an RSI filter. It’s designed as a guide for bias confirmation, not a signal to enter every mark. Combine it with the Backend Order Matrix (for liquidity/stop-hunt zones) and TrendSync (for trend confirmation) to better spot where stop hunts become opportunities and price action aligns with higher-probability setups.
Price is shown bullish and the retracement lines are defined by the dotted lines. You may color the lines to your discretion to be able to quickly differentiate the different retracments lines on the chart aligning to Fib levels for possible early entries. Here you can anticipate for price to have a significant reaction with placing your stop loss being the Buy-Side Liquidity as show below. Though the BackEnd Order Matrix liquidity can be swept so keep in mind being more patient to wait for the liquidity sweep as the point entry can serve as another approach to minimize risk exposure.
Exiting at the SellSide Liquidity where price can have an reaction to the downside.
Vise Versa for bearish trend following retracement entires.
⚙️ Settings Guide – ProfitAlgo.io Price Action
Retracement Line (A/B/C/D) → Shows potential price action setups where price can have a strong reaction. Having Price above the lines- price can be shown to buy at these levels. If Price is below the lines and the trend is showing bearish the price can be shown to retest and sell at these levels.
Multi-Timeframe S/R → Plots higher-timeframe support and resistance levels for added context.
RSI Filter → Filters entries when RSI conditions are extreme, helping avoid false setups.
Top-Down Analysis (TDA) → Aligns lower-timeframe entries with higher-timeframe structure.
📌 Tip: The TrendSync's trend detection visual representation Together with Backend Order Matrix (for liquidity zones/stop hunts) helps Traders understand trend based trading with liquidity stop hunts which can be used as a entry model that does not happen as many times as the Price Action Tool does for early entries signals. If you would like to read more on how the The BackEnd Order Matrix and TrendSync Simulation Tool works. Feel free to read the articles below.
The How to Use The BackEnd Order Matrix?
The How to Use The TrendSync Simulation Tool?
Sharad FVG (Last FVG SL/TP + Entry + % + Label Size)Sharad Fair Value Gap — Last FVG Entry, SL & TP (with % Labels)
What it is
A streamlined Fair Value Gap (FVG) tool that plots exact trading levels for the latest unmitigated FVG only:
Entry (yellow)
Stop-Loss (red)
Target (green) computed from a configurable Risk:Reward
Price and percentage distance printed on the right of each line
Optional dashboard and optional visualization of recent unmitigated/mitigated FVGs
The goal is simple: find the newest valid imbalance and give you just three actionable levels—no clutter.
How it detects FVGs
The script uses the standard 3-candle FVG logic (inspired by LuxAlgo’s implementation):
Bullish FVG forms when:
low > high and close > high and the gap size exceeds the Threshold filter.
The bullish gap is between high (lower bound) and low (upper bound).
Bearish FVG forms when:
high < low and close < low and the gap size exceeds the Threshold filter.
The bearish gap is between low (lower bound) and high (upper bound).
Threshold % filters small/weak gaps. You can also enable Auto, which estimates a dynamic threshold from recent candle ranges, so tiny imbalances don’t spam your chart in low-volatility regimes.
You may set Timeframe to detect FVGs on the chart timeframe or any higher/lower TF via request.security.
“Latest FVG only” levels (the core feature)
From the most recent unmitigated FVG (bullish or bearish), the script draws:
Entry
Bullish FVG → Entry = higher side of the gap (the gap max)
Bearish FVG → Entry = lower side of the gap (the gap min)
Stop-Loss (SL) = the opposite side of that same gap
Target (TP) = Entry + (Risk × R:R) for bulls, Entry − (Risk × R:R) for bears
where Risk = |Entry − SL| and R:R is your input (default 1:2)
Each line shows the price and its absolute % distance from Entry in parentheses—like TradingView’s long/short tool.
Alerts included
These are carried over from the base logic so you can build workflows:
Bullish FVG – when a new bullish gap is detected
Bearish FVG – when a new bearish gap is detected
Bullish FVG Mitigation – when a bullish gap is filled
Bearish FVG Mitigation – when a bearish gap is filled
Credits & License
Inspiration & base logic: LuxAlgo’s “Fair Value Gap ”.
This script: modified and extended by Sharad (Entry/SL/TP for latest FVG, price/% labels, label sizing, decluttered drawing).
License: This derivative keeps the original CC BY-NC-SA 4.0 license.
Attribution: Credit LuxAlgo for the original FVG approach and detection logic.
Non-Commercial: You may not use this for commercial purposes.
Share-Alike: If you remix/redistribute, you must use the same license and provide attribution.
Disclaimer:
Educational use only. Nothing in this script or its description is financial advice or a recommendation to buy/sell any asset. Markets involve substantial risk. Past performance and historical fill rates do not guarantee future results. You are solely responsible for your trading decisions and risk management. Data feeds, broker routing, spreads, slippage, and TradingView’s real-time behavior (especially with MTF) can affect outcomes. Test thoroughly on a demo account and consider multiple forms of confirmation before risking capital.
SOLACE PROSOLACE PRO is a confirmation-based trend/breakout indicator that computes on the previous candle to cut intrabar noise and repainting. It plots VWAP, Bollinger Bands (20,2), and SMA50/200, and signals BUY when the prior bar closed above the upper band and above VWAP/SMA50/SMA200 with MACD > signal; SELL when it closed below the lower band and below VWAP/SMAs with MACD < signal. Labels are stamped on the prior bar (offset −1), duplicate same-side signals are suppressed, and alert conditions are included for instant notifications.