MFI Volume Profile [Kodexius]The MFI Volume Profile indicator blends a classic volume profile with the Money Flow Index so you can see not only where volume traded, but also how strong the buying or selling pressure was at those prices. Instead of showing a simple horizontal histogram of volume, this tool adds a money flow dimension and turns the profile into a price volume momentum heat map.
The script scans a user controlled lookback window and builds a set of price levels between the lowest and highest price in that period. For every bar inside that window, its volume is distributed across the price levels that the bar actually touched, and that volume is combined with the bar’s MFI value. This creates a volume weighted average MFI for each price level, so every row of the profile knows both how much volume traded there and what the typical money flow condition was when that volume appeared.
On the chart, the indicator plots a stack of horizontal boxes to the right of current price. The length of each box represents the relative amount of volume at that price, while the color represents the average MFI there. Levels with stronger positive money flow will lean toward warmer shades, and levels with weaker or negative money flow will lean toward cooler or more neutral shades inside the configured MFI band. Each row is also labeled in the format Volume , so you can instantly read the exact volume and money flow value at that level instead of guessing.
This gives you a detailed map of where the market really cared about price, and whether that interest came with strong inflow or outflow. It can help you spot areas of accumulation, distribution, absorption, or exhaustion, and it does so in a compact visual that sits next to price without cluttering the candles themselves.
Features
Combined volume profile and MFI weighting
The indicator builds a volume profile over a user selected lookback and enriches each price row with a volume weighted average MFI. This lets you study both participation and money flow at the same price level.
Volume distributed across the bar price range
For every bar in the window, volume is not assigned to a single price. Instead, it is proportionally distributed across all price rows between the bar low and bar high. This creates a smoother and more realistic profile of where trading actually happened.
MFI based color gradient between 30 and 70
Each price row is colored according to its average MFI. The gradient is anchored between MFI values of 30 and 70, which covers typical oversold, neutral and overbought zones. This makes strong demand or distribution areas easier to spot visually.
Configurable structure resolution and depth
Main user inputs are the lookback length, the number of rows, the width of the profile in bars, and the label text size. You can quickly switch between coarse profiles for a big picture and higher resolution profiles for detailed structure.
Numeric labels with volume and MFI per row
Every box is labeled with the total volume at that level and the average MFI for that level, in the format Volume . This gives you exact values while still keeping the visual profile clean and compact.
Calculations
Money Flow Index calculation
currentMfi is calculated once using ta.mfi(hlc3, mfiLen) as usual,
Creation of the profileBins array
The script creates an array named profileBins that will hold one VPBin element per price row.
Each VPBin contains
volume which is the total volume accumulated at that price row
mfiProduct which is the sum of volume multiplied by MFI for that row
The loop;
for i = 0 to rowCount - 1 by 1
array.push(profileBins, VPBin.new(0.0, 0.0))
pre allocates a clean structure with zero values for all rows.
Finding highest and lowest price across the lookback
The script starts from the current bar high and low, then walks backward through the lookback window
for i = 0 to lookback - 1 by 1
highestPrice := math.max(highestPrice, high )
lowestPrice := math.min(lowestPrice, low )
After this loop, highestPrice and lowestPrice define the full price range covered by the chosen lookback.
Price range and step size for rows
The code computes
float rangePrice = highestPrice - lowestPrice
rangePrice := rangePrice == 0 ? syminfo.mintick : rangePrice
float step = rangePrice / rowCount
rangePrice is the total height of the profile in price terms. If the range is zero, the script replaces it with the minimum tick size for the symbol. Then step is the price height of each row. This step size is used to map any price into a row index.
Processing each bar in the lookback
For every bar index i inside the lookback, the script checks that currentMfi is not missing. If it is valid, it reads the bar high, low, volume and MFI
float barTop = high
float barBottom = low
float barVol = volume
float barMfi = currentMfi
Mapping bar prices to bin indices
The bar high and low are converted into row indices using the known lowestPrice and step
int indexTop = math.floor((barTop - lowestPrice) / step)
int indexBottom = math.floor((barBottom - lowestPrice) / step)
Then the indices are clamped into valid bounds so they stay between zero and rowCount - 1. This ensures that every bar contributes only inside the profile range
Splitting bar volume across all covered bins
Once the top and bottom indices are known, the script calculates how many rows the bar spans
int coveredBins = indexTop - indexBottom + 1
float volPerBin = barVol / coveredBins
float mfiPerBin = volPerBin * barMfi
Here the total bar volume is divided equally across all rows that the bar touches. For each of those rows, the same fraction of volume and volume times MFI is used.
Accumulating into each VPBin
Finally, a nested loop iterates from indexBottom to indexTop and updates the corresponding VPBin
for k = indexBottom to indexTop by 1
VPBin binData = array.get(profileBins, k)
binData.volume := binData.volume + volPerBin
binData.mfiProduct := binData.mfiProduct + mfiPerBin
Over all bars in the lookback window, each row builds up
total volume at that price range
total volume times MFI at that price range
Later, during the drawing stage, the script computes
avgMfi = bin.mfiProduct / bin.volume
for each row. This is the volume weighted average MFI used both for coloring the box and for the numeric MFI value shown in the label Volume .
חפש סקריפטים עבור "poc"
YM Ultimate SNIPER v5# YM Ultimate SNIPER v5 - Documentation & Trading Guide
## 🎯 Unified GRA + DeepFlow | YM/MYM Optimized
**TARGET: 3-7 High-Confluence Trades per Day**
---
## ⚡ QUICK START
```
┌─────────────────────────────────────────────────────────────────┐
│ YM ULTIMATE SNIPER v5 │
├─────────────────────────────────────────────────────────────────┤
│ │
│ SIGNALS: │
│ S🎯 = S-Tier (50+ pts) → HOLD position │
│ A🎯 = A-Tier (25-49 pts) → SWING trade │
│ B🎯 = B-Tier (12-24 pts) → SCALP quick │
│ Z = Zone entry (price at FVG zone) │
│ │
│ SESSIONS (ET): │
│ LDN = 3:00-5:00 AM (London) │
│ NY = 9:30-11:30 AM (New York Open) │
│ PWR = 3:00-4:00 PM (Power Hour) │
│ │
│ COLORS: │
│ 🟩 Green zones = Bullish FVG (buy zone) │
│ 🟥 Red zones = Bearish FVG (sell zone) │
│ 🟣 Purple lines = Single prints (S/R levels) │
│ │
│ TABLE (Top Right): │
│ Pts = Candle point range │
│ Tier = S/A/B/X classification │
│ Vol = Volume ratio (green = good) │
│ Delta = Buy/Sell dominance │
│ Sess = Current session │
│ Zone = In FVG zone status │
│ Score = Confluence score /10 │
│ CVD = Cumulative delta direction │
│ R:R = Risk:Reward ratio │
│ │
└─────────────────────────────────────────────────────────────────┘
```
---
## 📋 VERSION 5 CHANGES
### What's New
- **Removed all imbalance code** - caused compilation errors
- **Simplified delta analysis** - uses candle structure instead of intrabar data
- **Cleaner confluence scoring** - 5 clear factors, max 10 points
- **Reliable table** - updates on last bar only, no flickering
- **Works on YM and MYM** - same logic applies to micro contracts
### Removed Features
- Candle-anchored imbalance markers
- Imbalance S/R zones
- Intrabar volume profile analysis
- POC visualization
### Kept & Improved
- Tier classification (S/A/B)
- FVG zone detection & visualization
- Single print detection
- Session windows with backgrounds
- Confluence scoring
- Stop/Target auto-calculation
- All alerts
---
## 🎯 SIGNAL TYPES
### Tier Signals (S🎯, A🎯, B🎯)
These are high-confluence signals that pass all filters:
| Tier | Points | Value/Contract | Action | Hold Time |
|------|--------|----------------|--------|-----------|
| **S** | 50+ | $250+ | HOLD | 2-5 min |
| **A** | 25-49 | $125-245 | SWING | 1-3 min |
| **B** | 12-24 | $60-120 | SCALP | 30-90 sec |
**Filters Required:**
1. Tier threshold met (points)
2. Volume ≥ 1.8x average
3. Delta dominance ≥ 62%
4. Body ratio ≥ 70%
5. Range ≥ 1.3x average
6. Proper wicks (no reversal wicks)
7. CVD confirmation (optional)
8. In trading session
### Zone Signals (Z)
Zone entries trigger when:
- Price is inside an FVG zone
- Delta shows dominance in zone direction
- Volume is above average
- In active session
- No tier signal already present
---
## 📊 CONFLUENCE SCORING
**Maximum Score: 10 points**
| Factor | Points | Condition |
|--------|--------|-----------|
| Tier | 1-3 | B=1, A=2, S=3 |
| In Zone | +2 | Price inside FVG zone |
| Strong Volume | +2 | Volume ≥ 2x average |
| Strong Delta | +2 | Delta ≥ 70% |
| CVD Momentum | +1 | CVD trending with signal |
**Score Interpretation:**
- **7-10**: Elite setup - full size
- **5-6**: Good setup - standard size
- **4**: Minimum threshold - reduced size
- **< 4**: No signal shown
---
## ⏰ SESSION WINDOWS
### London (3:00-5:00 AM ET)
- European institutional flow
- Character: Slow build-up, clean trends
- Expected trades: 1-2
- Best for: Zone entries, A/B tier
### NY Open (9:30-11:30 AM ET)
- Highest volume, most institutional activity
- Character: Initial balance, breakouts
- Expected trades: 2-3
- Best for: S/A tier, zone confluence
### Power Hour (3:00-4:00 PM ET)
- End-of-day rebalancing, MOC orders
- Character: Mean reversion or trend acceleration
- Expected trades: 1-2
- Best for: Zone entries, B tier scalps
---
## 🟩 FVG ZONES
### What Are FVG Zones?
Fair Value Gaps (FVGs) are price gaps between candles where price moved so fast that a gap was left. These gaps often act as support/resistance.
### Zone Requirements
- Gap size ≥ 25% of ATR
- Impulse candle has strong body (≥ 70%)
- Impulse candle is 1.5x average range
- Volume above average on impulse
- Created during active session
### Zone States
1. **Fresh** (bright color) - Just created, untested
2. **Tested** (gray) - Price touched zone midpoint
3. **Broken** (removed) - Price closed through zone
### Trading FVG Zones
| Zone | Approach From | Expected |
|------|--------------|----------|
| 🟩 Bull | Above (falling) | Support - look for bounce |
| 🟥 Bear | Below (rising) | Resistance - look for rejection |
---
## 🟣 SINGLE PRINTS
Single prints mark candles with:
- Range > 1.3x average
- Body > 70% of range
- Volume > 1.8x average
- Clear delta dominance
These become horizontal support/resistance lines extending into the future.
---
## 📊 TABLE REFERENCE
| Row | Label | Meaning |
|-----|-------|---------|
| 1 | Pts | Current candle point range |
| 2 | Tier | S/A/B/X classification |
| 3 | Vol | Volume ratio vs 20-bar average |
| 4 | Delta | Buy/Sell percentage dominance |
| 5 | Sess | Current session (LDN/NY/PWR/OFF) |
| 6 | Zone | In FVG zone (BULL/BEAR/---) |
| 7 | Score | Confluence score out of 10 |
| 8 | CVD | Delta momentum direction |
| 9 | R:R | Risk:Reward if signal active |
### Color Coding
- **Green/Lime**: Good, meets threshold
- **Yellow**: Caution, borderline
- **Red**: Bad, below threshold
- **Gray**: Inactive/neutral
---
## 🔧 SETTINGS GUIDE
### Tier Thresholds
| Setting | Default | Notes |
|---------|---------|-------|
| S-Tier | 50 pts | ~$250/contract |
| A-Tier | 25 pts | ~$125/contract |
| B-Tier | 12 pts | ~$60/contract |
### Sniper Filters
| Setting | Default | Notes |
|---------|---------|-------|
| Min Volume Ratio | 1.8x | Lower = more signals |
| Delta Dominance | 62% | Lower = more signals |
| Body Ratio | 70% | Higher = fewer, cleaner |
| Range Multiplier | 1.3x | Higher = fewer, bigger moves |
| CVD Confirm | On | Off = more signals |
### Recommended Configurations
**Conservative (3-4 trades/day):**
```
Min Confluence: 6
Volume Ratio: 2.0
Delta Threshold: 65%
Body Ratio: 75%
```
**Standard (5-7 trades/day):**
```
Min Confluence: 4
Volume Ratio: 1.8
Delta Threshold: 62%
Body Ratio: 70%
```
**Aggressive (7-10 trades/day):**
```
Min Confluence: 3
Volume Ratio: 1.5
Delta Threshold: 60%
Body Ratio: 65%
```
---
## ✓ ENTRY CHECKLIST
Before entering any trade:
1. ☐ Signal present (S🎯, A🎯, B🎯, or Z)
2. ☐ Session active (LDN, NY, or PWR)
3. ☐ Score ≥ 4 (preferably 6+)
4. ☐ Vol shows GREEN
5. ☐ Delta colored (not gray)
6. ☐ CVD arrow matches direction
7. ☐ Note stop/target lines
8. ☐ Execute at signal candle close
---
## ⛔ DO NOT TRADE
- Session shows "OFF"
- Score < 4
- Vol shows RED
- Delta gray (no dominance)
- Multiple conflicting signals
- Major news imminent (FOMC, NFP, CPI)
- Overnight session (11:30 PM - 3:00 AM ET)
---
## 🎯 POSITION SIZING
| Tier | Score | Size | Stop |
|------|-------|------|------|
| S (50+ pts) | 7+ | 100% | Below/above candle |
| A (25-49 pts) | 5-6 | 75% | Below/above candle |
| B (12-24 pts) | 4 | 50% | Below/above candle |
| Zone | Any | 50% | Beyond zone |
---
## 🚨 ALERTS
### Priority Alerts (Set These)
| Alert | Action |
|-------|--------|
| 🎯 S-TIER | Drop everything, check immediately |
| 🎯 A-TIER | Evaluate within 15 seconds |
| 🎯 B-TIER | Check if available |
| 🎯 ZONE | Good context entry |
### Info Alerts (Optional)
| Alert | Purpose |
|-------|---------|
| NEW BULL/BEAR FVG | Mark zones on mental map |
| SINGLE PRINT | Note for future S/R |
| SESSION OPEN | Prepare to trade |
---
## 📈 TRADE JOURNAL
```
DATE: ___________
SESSION: ☐ LDN ☐ NY ☐ PWR
TRADE:
├── Time: _______
├── Signal: S🎯 / A🎯 / B🎯 / Z
├── Direction: LONG / SHORT
├── Score: ___/10
├── Entry: _______
├── Stop: _______
├── Target: _______
├── In Zone: ☐ Yes ☐ No
├── Result: +/- ___ pts ($_____)
└── Notes: _______________________
DAILY:
├── Trades: ___
├── Wins: ___ | Losses: ___
├── Net P/L: $_____
└── Best setup: _______________________
```
---
## 🏆 GOLDEN RULES
> **"Wait for the session. Off-hours = noise."**
> **"Score 6+ is your edge. Anything less is gambling."**
> **"Zone + Tier = bread and butter combo."**
> **"One great trade beats five forced trades."**
> **"Leave every trade with money. YM gives you time."**
---
## 🔧 TROUBLESHOOTING
| Issue | Solution |
|-------|----------|
| No signals | Lower min score to 3-4 |
| Too many signals | Raise min score to 6+ |
| Zones cluttering | Reduce max zones to 8 |
| Missing sessions | Check timezone setting |
| Table not updating | Resize chart or refresh |
---
## 📝 TECHNICAL NOTES
- **Pine Script v6**
- **Works on**: YM, MYM, any Dow futures
- **Recommended TF**: 1-5 minute for day trading
- **Min TradingView Plan**: Free (no intrabar data required)
---
*© Alexandro Disla - YM Ultimate SNIPER v5*
*Clean Build | Proven Components Only*
8-Hours Overnight Volume Profile @MaxMaserati 3.08-Hours Overnight Volume Profile MaxMaserati 3.0
The 8-Hours Overnight Volume Profile indicator provides comprehensive volume distribution analysis for overnight trading sessions, helping traders understand institutional accumulation patterns and key price levels developed during low-liquidity periods.
Core Functionality
This indicator analyzes volume distribution across overnight sessions (default: 1:00 AM - 9:00 AM EST) to identify critical price levels where the most trading activity occurred. By utilizing lower timeframe data for accurate volume calculations, it maintains consistency across all chart timeframes while providing detailed profile resolution.
Key Features & Educational Value
Volume Profile Components:
POC (Point of Control): Identifies the price level with highest traded volume, representing the fairest price acceptance during the session
Fair Value Area (FVA): Highlights the price range containing the specified percentage of total volume (default 40%), indicating the primary area of value
High Volume Nodes (HVN): Shows areas of strong price acceptance and potential support/resistance
Low Volume Nodes (LVN): Reveals areas of price rejection that may act as continuation zones
Market Bias Table:
The integrated bias analysis table provides educational context for price action relative to overnight value areas:
Bullish Bias: Close above FVA suggests upside continuation potential
Bearish Bias: Close below FVA indicates downside pressure
P-Shaped or Top-Heavy : Price rallied above FVA but closed inside, suggesting potential rejection
B-Shaped or Bottom-Heavy: Price dropped below FVA but closed inside, indicating potential support
Neutral: Price remained within FVA, suitable for range-based strategies
Professional Customization
Multiple Color Themes: Professional Blue, Dark Gold, Neon, Minimal Gray, or Custom
Visual Styles: Choose between Solid, 3D, or Outlined bar styles
Gradient Effects: Optional gradient intensity for enhanced visual depth
Flexible Display: Adjustable profile width, resolution, and session count
Trading Applications
This tool serves educational purposes by helping traders:
Understand where overnight institutional activity established value
Identify potential support/resistance levels based on volume acceptance
Recognize bias shifts when price moves beyond established value areas
Plan entries based on value area relationships and market structure
Technical Implementation
The indicator uses multi-timeframe analysis to ensure accurate volume calculation regardless of your chart timeframe, providing reliable profile data from lower timeframe consolidation. The session-based approach isolates overnight activity, making it particularly useful for traders analyzing pre-market and early regular session dynamics.
This indicator is designed for educational purposes to enhance understanding of volume profile analysis and overnight market structure. All trading decisions should be made based on comprehensive analysis and proper risk management.
Pristine Adaptive Alpha ScreenerThe Pristine Adaptive Alpha Screener allows users to screen for all of the trading signals embedded in our premium suite of TradingView tools🏆
▪ Pristine Value Areas & MGI - enables users to perform comprehensive technical analysis through the lens of the market profile in a fraction of the time!
▪ Pristine Fundamental Analysis - enables users to perform comprehensive fundamental stock analysis in a fraction of the time!
▪ Pristine Volume Analysis - organizes volume, liquidity, and share structure data, allowing users to quickly gauge the relative volume a security is trading on, and whether it is liquid enough to trade
💠 How is this Screener Original?
▪ The screener allows users to screen for breakouts, breakdowns, bullish and bearish trend reversals, and allows users to narrow a universe of stocks based purely on fundamentals, or purely on technicals. One screening tool to support an entire technofundamental workflow!
💠 Signals Overview
Each of the below signals serves one of two purposes:
1) A pivot point to be used as a long or short entry
2) A tool for narrowing a universe of stocks to a shorter list of stocks that have a higher potential for superperformance
▪ HVY(highest volume in a year) -> Featured in Pristine Volume Analysis -> Entry signal
▪ Trend Template -> Inspired by Mark Minervini's famous trend filters -> Tool for narrowing a universe of stocks to a shorter list with a higher potential for superperformance
▪ Rule of 100 -> Metrics from Pristine Fundamental Analysis -> Tool for narrowing a universe of stocks to a shorter list with a higher potential for superperformance
▪ Bullish 80% Rule -> Featured in Pristine Value Areas & MGI -> Long entry signal -> Trend Reversal
▪ Bearish 80% Rule -> Featured in Pristine Value Areas & MGI -> Short entry signal -> Trend Reversal
▪ Break Above VAH -> Featured in Pristine Value Areas & MGI -> Long entry signal -> Trend Continuation
▪ Break Below VAL -> Featured in Pristine Value Areas & MGI -> Short entry signal -> Trend Continuation
💠 Signals Decoded
▪ HVY(highest volume in a year)
Volume is an important metric to track when trading, because abnormally high volume tends to occur when a new trend is kicking off, or when an established trend is hitting a climax. Screen for HVY to quickly curate every stock that meets this condition.
▪ Trend Template
Mark Minervini's gift to the trading world. Via his book "Think and Trade Like a Stock Market Wizard". Stocks tend to make their biggest moves when they are already in uptrends, and the Minervini Trend template provides criteria to assess whether a stock is in a clearly defined uptrend. Filter for trend template stocks using our tool.
▪ Rule of 100
Pristine Capital's gift to the trading world. The rule of 100 filters for stocks that meet the following condition: YoY EPS Growth + YoY Sales Growth >= 100%. Stocks that meet this criteria tend to attract institutional investors, making them strong candidates for swing trading to the long side.
💠 Market Profile Introduction
A Market Profile is a charting technique devised by J. Peter Steidlmayer, a trader at the Chicago Board of Trade (CBOT), in the 1980's. He created it to gain a deeper understanding of market behavior and to analyze the auction process in financial markets. A market profile is used to analyze an auction using price, volume, and time to create a distribution-based view of trading activity. It organizes market data into a bell-curve-like structure, which reveals areas of value, balance, and imbalance.
💠 How is a Value Area Calculated?
A value area is a distribution of 68%-70% of the trading volume over a specific time interval, which represents one standard deviation above and below the point of control, which is the most highly traded level over that period.
The key reference points are as follows:
Value area low (VAL) - The lower boundary of a value area
Value area high (VAH) - The upper boundary of a value area
Point of Control (POC) - The price level at which the highest amount of a trading period's volume occurred
If we take the probability distribution of trading activity and flip it 90 degrees, the result is our Pristine Value Area!
Market Profile is our preferred method of technical analysis at Pristine Capital because it provides an objective and repeatable assessment of whether an asset is being accumulated or distributed by institutional investors. Market Profile levels work remarkably well for identifying areas of interest, because so many institutional trading algorithms have been programmed to use these levels since the 1980's!
The benefits of using Market Profile include better trade location, improved risk management, and enhanced market context. It helps traders differentiate between trending and consolidating markets, identify high-probability trade setups, and adjust their strategies based on whether the market is in balance (consolidation) or imbalance (trending). Unlike traditional indicators that rely on past price movements, Market Profile provides real-time insights into trader behavior, giving an edge to those who can interpret its nuances effectively.
▪ Bullish 80% Rule
If a security opens a period below the value area low , and subsequently closes above it, the bullish 80% rule triggers, turning the value area green. One can trade for a move to the top of the value area, using a close below the value area low as a potential stop!
In the below example, HOOD triggered the bullish 80% rule after it reclaimed the monthly value area!
HOOD proceeded to rally through the monthly value area and beyond in subsequent trading sessions. Finding the first stocks to trigger the bullish 80% rule after a market correction is key for spotting the next market leaders!
▪ Bearish 80% Rule
If a security opens a period above the value area high , and subsequently closes below it, the bearish 80% rule triggers, turning the value area red. One can trade for a move to the bottom of the value area, using a close above the value area high as a potential stop!
ES proceeded to follow through and test the value area low before trending below the weekly value area
▪ Break Above VAH
When a security is inside value, the auction is in balance. When it breaks above a value area, it could be entering a period of upward price discovery. One can trade these breakouts with tight risk control by setting a stop inside the value area! These breakouts can be traded on all chart timeframes depending on the style of the individual trader. Combining multiple timeframes can result in even more effective trading setups.
RBLX broke out from the monthly value area on 4/22/25👇
RBLX proceeded to rally +62.78% in 39 trading sessions following the monthly VAH breakout!
▪ Break Below VAL
When a security is inside value, the auction is in balance. When it breaks below a value area, it could be entering a period of downward price discovery. One can trade these breakdowns with tight risk control by setting a stop inside the value area! These breakouts can be traded on all chart timeframes depending on the style of the individual trader. Combining multiple timeframes can result in even more effective trading setups.
CHWY broke below the monthly value area on 7/20/23👇
CHWY proceeded to decline -53.11% in the following 64 trading sessions following the monthly VAL breakdown!
💠 Metric Columns
▪ %𝚫 - 1-day percent change in price
▪ YTD %𝚫 - Year-to-date percent change in price
▪ MTD %𝚫 - Month-to-date percent change in price
▪ MAx Moving average extension - ATR % multiple from the 50D SMA -Inspired by Jeff Sun
▪ 52WR - Measures where a security is trading in relation to it’s 52wk high and 52wk low. Readings near 100% indicate close proximity to a 52wk high and readings near 0% indicate close proximity to a 52wk low
▪ Avg $Vol - Average volume (50 candles) * Price
▪ Vol RR - Candle volume/ Avg candle volume
💠 Best Practices
Monday -> Friday Post-market Analysis
1) Begin with a universe of stocks. I use the following linked universe screen as a starting point: www.tradingview.com
2) Screen for the HVY signal -> Add those stocks to a separate flagged (colored) watchlist
3) Screen for the Bullish 80% Rule signal -> Add those stocks to a separate flagged (colored) watchlist
4) Screen for the Break Above VAH Signal -> Add those stocks to a separate flagged (colored) watchlist
5) Screen for the Break Below VAL Signal -> Add those stocks to a separate flagged (colored) watchlist
6) Screen for the Bearish 80% Rule Signal -> Add those stocks to a separate flagged (colored) watchlist
7) Screen for the Bearish 80% Rule Signal -> Add those stocks to a separate flagged (colored) watchlist
8) Screen for the Trend Template Signal -> Add those stocks to a separate flagged (colored) watchlist
9) Toggle through each list and analyze each stock chart using the Supercharts tool in TradingView
10)Record the number of stocks in each list as a way of analyzing market conditions
Weekend Analysis
1) Begin with a universe of stocks. I use the following linked universe screen as a starting point: www.tradingview.com
2) Screen for the Rule of 100 Signal. Use this as a starting point for deeper fundamental and/or thematic and/or technical research
3) Screen for stocks that meet specific performance thresholds, such as YTD %𝚫 > 100% etc
💠 Get Creative
▪Users have the ability to layer signals on top of each other when screening. To do so, filter for a signal, and then filter your new list by another signal! Play around with the screener, and find what works best for you!
Orderflow - Full suiteThis indicator provides a comprehensive institutional view of the market by aggregating real-time volume and delta data from the four largest crypto derivatives exchanges: Binance, Bybit, OKX, and Gate.io.
Unlike standard indicators that rely on a single data feed, this tool normalizes and combines volume from multiple sources to reveal the "True Market Volume." It features a sophisticated 1-Minute Granularity Scanner that analyzes the underlying 1m data within your current timeframe to detect hidden whale activity that is often smoothed out on higher timeframe charts.
Key Features:
🌊 Multi-Exchange Aggregation: Automatically fetches and sums volume from Binance, Bybit, OKX, and Gate.io. It handles currency normalization (converting USDT volume to Base Currency) to ensure accurate apples-to-apples calculations.
🐋 1-Minute Big Trade Scanner: The script scans the 1-minute candles underlying your current bar. It detects "Whale," "Huge," and "Large" trades that occur within a single minute, revealing aggressive market participants hiding inside consolidated candles.
🛡️ Absorption Detection: Identifies specific moments where high aggregated volume meets minimal price movement, highlighting areas where passive limit orders are absorbing aggressive flow.
📉 CVD Divergence: accumulating Aggregated Delta to spot divergences between price action and order flow (e.g., Price making Lower Lows while CVD makes Higher Lows).
📊 Dynamic Volume Profile: A fully functional Volume Profile driven by the global aggregated data, including Value Area (VAH/VAL) and POC logic.
⚖️ Market Balance & Retests: Automatically detects if the market is Balanced or Imbalanced and highlights valid retests of Value Area High/Low levels.
How to Use:
Bubbles: Represent Big Trades detected on the 1m timeframe (Blue = Buy, Red = Sell). Size indicates relative volume.
Diamonds: Indicate Absorption events (High volume, zero price progress).
Triangles: Indicate CVD Divergences (Potential reversals).
Right Panel: Displays the Volume Profile and Key Levels based on the total market liquidity.
Note: This indicator uses request.security_lower_tf to scan granular data. It is optimized for Crypto Perpetual pairs (USDT.P).
DTR Volume 1DDTR Volume 1D is a powerful tool to analyze volume and market activity across different trading sessions. It provides detailed session-level insights to help traders understand where the market is most active and identify key price levels.
Key Features:
1. Session Volume Profiles
- Displays volume distribution for each session.
- Supports Tokyo, London, New York, Daily, Weekly, Monthly, Quarterly, and Yearly sessions.
- Optional Forex session boxes without profiles.
2. Volume Analysis Tools
- Highlights POC (Point of Control) – the price level with the highest traded volume.
- Shows VAH (Value Area High) and VAL (Value Area Low) with optional Value Area Box.
- Tracks live session zones for real-time monitoring.
3. Customizable Display
- Adjustable resolution for finer or coarser profiles.
- Multiple bar modes for different visual styles.
- Fully customizable colors for up/down volume, boxes, lines, and POC.
- Option to smooth volume data for assets with large volume spikes.
4. Data Type Options
- Supports standard Volume or Open Interest data.
5. Session Boxes and Labels
- Automatically draws session boxes with high/low range.
- Optional session labels for easy identification.
6. Smart Calculations
- Auto-detects session start and end.
- Calculates volume profiles based on user-defined resolution.
- Highlights important levels dynamically during the session.
DTR Volume 1D is ideal for traders who want a clear, actionable view of volume distribution and session dynamics, helping you make better trading decisions with session-level insights.
DTR OI IndicatorThe DTR OI Indicator is a multi-exchange open interest indicator designed for futures traders.
It aggregates OI from multiple exchanges to provide a unified and more reliable view of market positioning.
MAIN FUNCTIONS
• Open Interest Candles
• Open Interest Delta
• Delta × Relative Volume
• Open Interest RSI
• Threshold-based alerts for unusually large OI increases or decreases
• Optional OI EMA smoothing
PROFILE SYSTEM
Includes an OI-based distribution profile similar to a volume profile.
Shows Value Area, POC, and structural nodes based on OI activity within the visible chart range.
WHAT IT HELPS IDENTIFY
• Liquidations and rekt events
• Aggressive long/short buildup
• Position unwinds ahead of reversals
• OI-driven levels of interest
• Momentum confirmation (Delta × rVOL)
• Trend exhaustion (OI RSI)
NOTES
• Works across several exchanges for broader accuracy
• Coin or USD quoting supported
• Profile mode is resource-intensive
• No repainting
Ideal for traders who rely on OI, delta, and market positioning to understand futures flows and liquidity shifts.
Advanced Custom Volume Profile [KRUTO]⚠️ LANGUAGE NOTICE: This script features a SLOVAK (SK) user interface (settings and tooltips).
This is a highly customizable and versatile Volume Profile indicator designed for precise market analysis. It separates itself from standard tools by offering dynamic anchoring modes, advanced HVN/LVN detection logic, and a "Smart Lines" feature that keeps your chart clean.
Key Features
1. Three Dynamic Anchoring Modes:
Fixed Range (Na čiare výberu): Define exact Start and End times manually. Includes vertical dashed lines to visualize the range.
Anchor to Last Candle (Na poslednej sviečke): Calculates volume from a specific start time up to the current live price. The profile is always anchored to the most recent bar.
Visible Range (Visible - Viditeľné sviečky): Dynamically calculates the profile based only on the candles currently visible on your screen. As you scroll or zoom, the profile updates automatically.
2. HVN & LVN Detection:
HVN (High Volume Nodes): Automatically highlights areas of high consolidation (Green zones). Includes a "merge tolerance" setting to group nearby nodes.
LVN (Low Volume Nodes): Highlights areas of low liquidity/rejection (Red zones).
3. Key Levels & Visuals:
Displays POC (Point of Control), VAH (Value Area High), and VAL (Value Area Low) with extendable lines.
Smart Offset: Keeps the profile at a fixed distance from the latest candle (or right edge) to prevent chart clutter.
Clean Look: Vertical range lines automatically disappear when not in "Fixed Range" mode.
Translation Guide (Slovak -> English)
Since the settings are in Slovak, here is a quick guide for English users:
Zdroj dát profilu (Source):
Na čiare výberu = Fixed Time Range
Na poslednej sviečke = Fixed Start to Current Bar
Visible = Visible Range
Počet úrovní (Bins): Resolution of the histogram (e.g., 160).
Value Area (%): Percentage of volume considered as value (Standard 70%).
Začiatočný / Koncový čas: Start / End Time.
Offset: Distance of the profile from the price action.
Zobraziť HVN / LVN: Show High/Low Volume Nodes.
Credits: Custom logic developed for advanced volume analysis with anti-overlap algorithms for node visualization.
Enjoy the script! 🚀
BTC Energy + HR + Longs + M2
BTC Energy Ratio + Hashrate + Longs + M2
The #1 Bitcoin Macro Weapon on TradingView 🚀🔥
If you’re tired of getting chopped by fakeouts, ETF noise, and Twitter hopium — this is the one chart that finally puts you on the right side of every major move.
What you’re looking at:
Orange line → Bitcoin priced in real-world mining energy (Oil × Gas + Uranium × Coal) × 1000
→ The true fundamental floor of BTC
Blue line → Scaled hashrate trend (miner strength & capex lag)
Green line → Bitfinex longs EMA (leveraged bull sentiment)
Purple line → Global M2 money supply (US+EU+CN+JP) with 10-week lead (the liquidity wave BTC rides)
Why this indicator prints money:
Most tools react to price.
This one predicts where price is going based on energy, miners, leverage, and liquidity — the only four things that actually drive Bitcoin long-term.
It has nailed:
2022 bottom at ~924 📉
2024 breakout above 12,336 🚀
2025 top at 17,280 🏔️
And right now it’s flashing generational accumulation at ~11,500 (Nov 2025)
13 permanent levels with right-side labels — no guessing what anything means:
20,000 → 2021 Bull ATH
17,280 → 2025 ATH
15,000 → 2024 High Resist
14,000 → Overvalued Zone
13,000 → 2024 Breakout
12,336 → Bull/Bear Line (the most important level)
12,000 → 2024 Volume POC
10,930 → Key Support 2024
9,800 → Strong Buy Fib
8,000 → Deep Support 2023
6,000 → 2021 Mid-Cycle
4,500 → 2023 Accum Low
924 → 2022 Bear Low
Live dashboard tells you exactly what to do — no thinking required:
Current ratio (updates live)
Hashrate + 24H %
Longs trend
Risk Mode → Orange vs Hashrate (RISK ON / RISK OFF)
180-day correlation
RSI
13-tier Zone + SIGNAL (STRONG BUY / ACCUMULATE / HOLD / DISTRIBUTE / EXTREME SELL)
Dead-simple rules that actually work:
Weekly timeframe = cleanest view
Blue peaking + orange holding support → miner pain = next leg up
Green spiking + orange failing → overcrowded longs = trim
Purple rising → liquidity coming in = ride the wave
Risk Mode = RISK OFF → price is cheap vs miners → buy
Set these 3 alerts and walk away:
Ratio > 12,336 → Bull confirmed → add
Ratio > 14,000 → Start scaling out
Ratio < 9,800 → Generational buy → back up the truck
No repainting • Fully open-source • Forced daily data • Works on any TF
Energy is the only real backing Bitcoin has.
Hashrate lag is the best leading indicator.
Longs show greed.
M2 is the tide.
This chart combines all four — and right now it’s screaming ACCUMULATE.
Load it. Trust it.
Stop trading hope. Start trading reality.
DYOR • NFA • For entertainment purposes only 😎
#bitcoin #macro #energy #hashrate #m2 #cycle #riskon #riskoff
[CASH] Crypto And Stocks Helper (MultiPack w. Alerts)ATTENTION! I'm not a good scripter. I have just learned a little basics for this project, stolen code from other public scripts and modified it, and gotten help from AI LLM's.
If you want recognition from stolen code please tell me to give you the credit you deserve.
The script is not completely finished yet and contains alot of errors but my friends and family wants access so I made it public.
_________________________________________________________________________________
CASH has multiple indicators (a true all-in-one multipack), guides and alerts to help you make better trades/investments. It has:
- Bitcoin Bull Market Support Band
- Dollar Volume
- 5 SMA and 5 EMA
- HODL Trend (a.k.a SuperTrend) indicator
- RSI, Volume and Divergence indicators w. alerts
More to come as well, like Backburner and a POC line from Volume Profile.
Everything is fully customizable, appearance and off/on etc.
More information and explainations along with my guides you can find in settings under "Input" and "Style".
920 Order Flow SATY ATR//@version=6
indicator("Order-Flow / Volume Signals (No L2)", overlay=true)
//======================
// Inputs
//======================
rvolLen = input.int(20, "Relative Volume Lookback", minval=5)
rvolMin = input.float(1.1, "Min Relative Volume (× avg)", step=0.1)
wrbLen = input.int(20, "Wide-Range Lookback", minval=5)
wrbMult = input.float(1, "Wide-Range Multiplier", step=0.1)
upperCloseQ = input.float(0.60, "Close near High (0-1)", minval=0.0, maxval=1.0)
lowerCloseQ = input.float(0.40, "Close near Low (0-1)", minval=0.0, maxval=1.0)
cdLen = input.int(25, "Rolling CumDelta Window", minval=5)
useVWAP = input.bool(true, "Use VWAP Bias Filter")
showSignals = input.bool(true, "Show Long/Short OF Triangles")
//======================
// Core helpers
//======================
rng = high - low
tr = ta.tr(true)
avgTR = ta.sma(tr, wrbLen)
wrb = rng > wrbMult * avgTR
// Relative Volume
volAvg = ta.sma(volume, rvolLen)
rvol = volAvg > 0 ? volume / volAvg : 0.0
// Close location in bar (0..1)
clo = rng > 0 ? (close - low) / rng : 0.5
// VWAP (session) + SMAs
vwap = ta.vwap(close)
sma9 = ta.sma(close, 9)
sma20 = ta.sma(close, 20)
sma200= ta.sma(close, 200)
// CumDelta proxy (uptick/downtick signed volume)
tickSign = close > close ? 1.0 : close < close ? -1.0 : 0.0
delta = volume * tickSign
cumDelta = ta.cum(delta)
rollCD = cumDelta - cumDelta
//======================
// Signal conditions
//======================
volActive = rvol >= rvolMin
effortBuy = wrb and clo >= upperCloseQ
effortSell = wrb and clo <= lowerCloseQ
cdUp = ta.crossover(rollCD, 0)
cdDown = ta.crossunder(rollCD, 0)
biasBuy = not useVWAP or close > vwap
biasSell = not useVWAP or close < vwap
longOF = barstate.isconfirmed and volActive and effortBuy and cdUp and biasBuy
shortOF = barstate.isconfirmed and volActive and effortSell and cdDown and biasSell
//======================
// Plot ONLY on price chart
//======================
// SMAs & VWAP
plot(sma9, title="9 SMA", color=color.orange, linewidth=3)
plot(sma20, title="20 SMA", color=color.white, linewidth=3)
plot(sma200, title="200 SMA", color=color.black, linewidth=3)
plot(vwap, title="VWAP", color=color.new(color.aqua, 0), linewidth=3)
// Triangles with const text (no extra pane)
plotshape(showSignals and longOF, title="LONG OF",
style=shape.triangleup, location=location.belowbar, size=size.tiny,
color=color.new(color.green, 0), text="LONG OF")
plotshape(showSignals and shortOF, title="SHORT OF",
style=shape.triangledown, location=location.abovebar, size=size.tiny,
color=color.new(color.red, 0), text="SHORT OF")
// Alerts
alertcondition(longOF, title="LONG OF confirmed", message="LONG OF confirmed")
alertcondition(shortOF, title="SHORT OF confirmed", message="SHORT OF confirmed")
//────────────────────────────
// End-of-line labels (offset to the right)
//────────────────────────────
var label label9 = na
var label label20 = na
var label label200 = na
var label labelVW = na
if barstate.islast
// delete old labels before drawing new ones
label.delete(label9)
label.delete(label20)
label.delete(label200)
label.delete(labelVW)
// how far to move the labels rightward (increase if needed)
offsetBars = input.int(3)
label9 := label.new(bar_index + offsetBars, sma9, "9 SMA", style=label.style_label_left, textcolor=color.white, color=color.new(color.orange, 0))
label20 := label.new(bar_index + offsetBars, sma20, "20 SMA", style=label.style_label_left, textcolor=color.black, color=color.new(color.white, 0))
label200 := label.new(bar_index + offsetBars, sma200, "200 SMA", style=label.style_label_left, textcolor=color.white, color=color.new(color.black, 0))
labelVW := label.new(bar_index + offsetBars, vwap, "VWAP", style=label.style_label_left, textcolor=color.black, color=color.new(color.aqua, 0))
//────────────────────────────────────────────────────────────────────
//────────────────────────────────────────────
// Overnight High/Low + HOD/LOD (no POC)
//────────────────────────────────────────────
sessionRTH = input.session("0930-1600", "RTH Session (exchange tz)")
levelWidth = input.int(2, "HL line width", minval=1, maxval=5)
labelOffsetH = input.int(10, "HL label offset (bars to right)", minval=0)
isRTH = not na(time(timeframe.period, sessionRTH))
rthOpen = isRTH and not isRTH
// --- Track Overnight High/Low during NON-RTH; freeze at RTH open
// --- Track Overnight High/Low during NON-RTH; freeze at RTH open
var float onHigh = na
var float onLow = na
var int onHighBar = na
var int onLowBar = na
var float onHighFix = na
var float onLowFix = na
var int onHighFixBar = na
var int onLowFixBar = na
if not isRTH
if na(onHigh) or high > onHigh
onHigh := high
onHighBar := bar_index
if na(onLow) or low < onLow
onLow := low
onLowBar := bar_index
if rthOpen
onHighFix := onHigh
onLowFix := onLow
onHighFixBar := onHighBar
onLowFixBar := onLowBar
onHigh := na, onLow := na
onHighBar := na, onLowBar := na
// ──────────────────────────────────────────
// Candle coloring + labels for 9/20/VWAP crosses
// ──────────────────────────────────────────
showCrossLabels = input.bool(true, "Show cross labels")
// Helpers
minAll = math.min(math.min(sma9, sma20), vwap)
maxAll = math.max(math.max(sma9, sma20), vwap)
// All three lines
goldenAll = open <= minAll and close >= maxAll
deathAll = open >= maxAll and close <= minAll
// 9/20 only (exclude cases that also crossed VWAP)
dcUpOnly = open <= math.min(sma9, sma20) and close >= math.max(sma9, sma20) and not goldenAll
dcDownOnly = open >= math.max(sma9, sma20) and close <= math.min(sma9, sma20) and not deathAll
// Candle colors (priority: all three > 9/20 only)
var color cCol = na
cCol := goldenAll ? color.yellow : deathAll ? color.black :dcUpOnly ? color.lime :dcDownOnly ? color.red : na
barcolor(cCol)
// Labels
plotshape(showCrossLabels and barstate.isconfirmed and goldenAll, title="GOLDEN CROSS",
style=shape.labelup, location=location.belowbar, text="GOLDEN CROSS",
color=color.new(color.yellow, 0), textcolor=color.black, size=size.tiny)
plotshape(showCrossLabels and barstate.isconfirmed and deathAll, title="DEATH CROSS",
style=shape.labeldown, location=location.abovebar, text="DEATH CROSS",
color=color.new(color.black, 0), textcolor=color.white, size=size.tiny)
plotshape(showCrossLabels and barstate.isconfirmed and dcUpOnly, title="DC UP",
style=shape.labelup, location=location.belowbar, text="DC UP",
color=color.new(color.lime, 0), textcolor=color.black, size=size.tiny)
plotshape(showCrossLabels and barstate.isconfirmed and dcDownOnly, title="DC DOWN",
style=shape.labeldown, location=location.abovebar, text="DC DOWN",
color=color.new(color.red, 0), textcolor=color.white, size=size.tiny)
// ──────────────────────────────────────────
// Audible + alert conditions
// ──────────────────────────────────────────
alertcondition(goldenAll, title="GOLDEN CROSS", message="GOLDEN CROSS detected")
alertcondition(deathAll, title="DEATH CROSS", message="DEATH CROSS detected")
alertcondition(dcUpOnly, title="DC UP", message="Dual Cross UP detected")
alertcondition(dcDownOnly,title="DC DOWN", message="Dual Cross DOWN detected")
Support & Resitance LinesIntroduction:
Support & Resistance levels are time consuming to mark on charts. They also must be maintained. If the user has multiple charts they analyze, this adds to the workload. This indicator attempts to automate that work flow for the user.
Description:
Psychological Support and Resistances
are marked with a horizontal ray and labeled.
Levels marked include the 1 Month, 1 Week, and the Daily.
If a candle closes on the marked levels, the horizontal ray marking that level will disappear.
Volume Based Support and Resistances [/i
With the fixed range volume profile tool, marked levels include the point of control(POC) and the Value Areas (VA). This includes both the Value Area Low (VAL) and the Value Area High (VAH). Levels marked include the 1 Year, 6 Month, and the 1 Month fixed range volume profile.
If a candle closes on the marked levels, the horizontal ray marking that level will disappear.
How to use:
1) Turn on indicator and make sure you are on the 1D time frame.
2) Find areas of high confluence and mark with rectangular box.
3) Once all areas are marked, turn off indicator to save CPU time.
4) It is now ready to use and you can scan the chart using multiple time frames.
Useful Tips:
1) Use this tool to see if these levels marked are respected in forward testing.
2) You can turn off labels and color code horizontal rays to make tool run more efficiently for the CPU.
3) Use RSI, MACD, Wave Trend with Crosses , or any other oscillator to identify divergences once price hits support & resistance. Observe if price reacts.
4) Confluence is key, the higher the confluence, the better.
SMC S&R MA Market Vol All Indicator[SumitQuants]🚀 SMC S&R + Market Sessions + Volume Profile + Order Flow Suite
The Only All-In-One Institutional Trading System You’ll Ever Need.
Looking for an indicator that actually brings clarity to chaotic markets?
Meet the SMC S&R MA Market Volume & Sessions Order Flow System — a powerhouse that fuses Smart Money Concepts, Session Profiles, and Dynamic Volume Flow into one ultra-optimized institutional toolkit.
This is not “just another SMC indicator.”
This is your complete trading ecosystem.
💠 What This Indicator Does (In Simple Terms)
It automatically reads the market the way institutions do — and displays it cleanly on your chart with zero clutter.
Below is everything packed inside 👇
🔥 1. Market Sessions + Volume Profile (Real Institutional Map)
✔ Tokyo- Asia | London- Europe | New York- US sessions auto-detected ⏱️
✔ Each session gets its own Volume Profile 📊
✔ See POC, VAH, VAL, Value Area Box for each session
✔ Live Developing Profile in real-time
✔ Wick-based and body-volume distribution for ultra-accurate auctions
✔ Session Boxes that highlight imbalance zones
✔ Perfect for:
High-volume Asia breaks
London volatility expansion
NY reversal traps
👉 Think of it as having pro-level TPO/Volume Profile inside TradingView.
🎯 2. Advanced S&R Strength Engine (Buyer vs Seller Power Meter)
✔ Detects strongest Support & Resistance zones
✔ Measures Buyer Strength & Seller Strength (% based)
✔ Auto-plots S/R Lines + S/R Zones
✔ Detects Bounce signals, Rejection points, Pressure shifts
✔ Zero repaint logic
You get institutional footprints directly on your chart.
📈 3. Smart Money Concepts (Full Automation)
✔ BOS / CHoCH detection
✔ Internal + Swing Structure
✔ Order Blocks (Internal + Swing)
✔ Equal Highs & Equal Lows
✔ Fair Value Gaps (FVG)
✔ Strong/Weak Highs + Lows labeling
✔ Trend coloring (optional)
✔ Premium / Discount Zones
All plotted with precision.
All customizable.
All built to remove guesswork.
💹 4. Multi-MA Engine (5 Fully Configurable MAs)
✔ EMA, SMA, WMA, VWMA, SMMA
✔ Choose length, color, and source
✔ Ideal for trend confirmation + dynamic S/R
Smooth. Clean. Non-laggy.
📊 5. Enhanced Supertrend (Toggles + Filters)
✔ Switch between Line / Histogram / Hidden
✔ Optional background trend coloring
✔ Buy/Sell signals with trend-change alerts
✔ No repaint
Perfect for directional bias.
⚡ 6. Breakout Detection + Volume Confirmation
✔ Auto-detects Support/Resistance Breaks
✔ Confirms breaks through Volume Surge % Oscillator
✔ Detects:
Bullish Breaks
Bearish Breaks
Bullish Rejections
Bearish Rejections
You instantly know when a breakout is real or fake.
📍 7. VWAP System with Multi-Band Zones
✔ Session-based VWAP
✔ Bands via Std Deviation or %
✔ Clean pullback zones
✔ Perfect for intraday institutions-style precision
🧠 8. Fully Integrated Alerts
Alerts for:
✔ BOS / CHoCH (Internal + Swing)
✔ Order Block Breakouts
✔ Equal Highs / Equal Lows
✔ Fair Value Gaps
✔ S/R Zone Interactions
✔ Trend Shifts
✔ Breakouts with Volume Confirmation
✔ Supertrend Reversals
And more.
Never miss major price shifts again.
🎨 9. Clean UI + Auto-Adaptive Watermark
✔ Auto-contrast watermark
✔ Minimalistic but premium
✔ Chart-friendly colors
✔ Built to match dark or light themes
🌍 Who This Indicator Is For?
✔ Intraday traders
✔ Swing traders
✔ SMC traders
✔ Volume/Order Flow traders
✔ Forex, Crypto, Index & Stocks
✔ Anyone wanting a single all-in-one trading system
🔥 Why 90% Traders Love This System
Because it gives you:
🔥 Session Bias
🔥 Volume-backed Zones
🔥 Clean Market Structure
🔥 Trend Bias + Liquidity Areas
🔥 Institutional S/R with Strength Meter
🔥 Accurate Order Flow Reactions
Everything you need to trade like top-tier professionals — without needing 10 indicators.
🛒 Get Full Access
This premium institutional system is available as part of the Courses Section on the official website.
👉 Purchase the indicator as a Course at:
www.ironmindtrader.com
Inside the course, you'll get:
✔ Access instructions
✔ Setup guide
✔ Trading rules
✔ Updates included
TradeX Labs Pivot MasterLucrorStrategies — Automated Price Action Execution Framework
This indicator-strategy automation is built for traders who want a simple, consistent, and rules-based trading system—no multi-timeframe chaos or overcomplicated confirmation layers. It trades purely from prior-day price action, keeping volatility, structure, and logic constant across all sessions.
Every entry, stop, and target comes directly from the same volatility-adjusted model. If the trade can’t fit your defined dollar risk, it simply won’t execute or plot.
⸻
IMPORTANT NOTE
***Since TradingView utilizes close of bar for plots, this is best utilized for real time entry/exit signals on 1 second charts or lower. If you do not have 1 second charts we can not recommend you to upgrade your subscription but we HIGHLY recommend utilizing this script on a 1 second chart. If utilizing on any higher time frame any signals or trade logic will be delayed and inaccurate or signals can be entirely skipped altogether and populate incorrect entries***
⸻
Purpose & Core Design
The framework is anchored to prior-day settlement data and mathematically transforms it into real-time, session-specific trading levels. This creates a daily map of opportunity that evolves with volatility while maintaining a consistent structure.
This approach eliminates guesswork and ensures the same conditions that produced historical edge apply to every live session.
⸻
Key Inputs & Control
1. Dollar Risk
Set your maximum dollar risk per trade. The system automatically sizes positions to stay at or below that risk limit based on stop distance.
• If the trade qualifies: a red-to-green gradient fill and entry label appear.
• If not: no fill, no entry, no false visual signals.
2. Timer Exit (Default: 30 Minutes)
The strategy is designed for momentum capture in the first 30 minutes after market open. If a trade remains active beyond that time, it is closed automatically.
All back tests and live reports reference this same window to maintain integrity. (Adjustable if you wish.)
3. Days to Keep Lines
Controls how many sessions of plotted levels and fills stay visible (up to 10).
To explore further back, use TradingView’s replay mode. The indicator will continue plotting as far as platform data allows.
4. Font & Label Size
• Price Label Size: Adjusts the numerical price levels beside pivots for manual pre-market entries.
• Level Label Size: Controls the on-chart text size for active trade signals. Both fully customizable.
⸻
Level Structure & Trade Mechanics
All plotted levels originate from a proprietary prior-day volatility formula. You will see:
• Middle Green Horizontal Lines — Support Levels
These mark historically reactive zones where price has a higher probability of holding or bouncing.
• Middle Blue Horizontal Lines — Resistance Levels
These represent opposing zones where price tends to reject or stall.
(Solid and dotted variants handle different roles in execution logic.)
• Red Horizontal Lines — Points of Control (POC Zones)
These are high-impact levels where price historically either rejects violently or breaks with strength.
⸻
Trade Logic
Long Trades
• Trigger: The solid blue line above the current structure acts as the long trigger.
• Stop: The solid blue line below is the stop-loss.
• Target: The next solid blue line above serves as the target.
Long trades are executed when price hits the solid blue trigger above the current level, using solid levels exclusively for entry, stop, and target.
Short Trades
• Trigger: The dotted blue line below the current structure is the short trigger.
• Stop: The dotted blue line above is the stop-loss.
• Target: The next dotted blue line below becomes the target.
Short trades use only dotted levels to define all key mechanics — entry, stop, and target — keeping short setups visually distinct and structurally independent from longs.
This dual structure allows for clean, symmetrical trade logic across both sides of the market, with consistent volatility mapping from prior-day data.
⸻
High-Priority Red Levels (Points of Control)
Red horizontal levels represent areas of major interest — typically where institutional activity concentrated previously. Price often reacts sharply here: either reversing instantly or breaking through with momentum.
These are optional reference points but often signal where the strongest reactions occur.
⸻
Visualization & Behavior
• Executed trades show the red-to-green gradient fill.
• Trades that exceed risk parameters simply do not appear.
• Levels remain clean and persistent day to day for back testing, journaling, or educational
use.
⸻
Disclaimer
This is a closed, proprietary LucrorStrategies tool. It is provided for analytical and educational use only. It does not predict price or guarantee profit. All trade execution, configuration, and outcomes remain the responsibility of the user.
smaemarvwapClaireLibrary "smaemarvwapClaire"
repeat_character(count)
Parameters:
count (int)
f_1_k_line_width()
is_price_in_merge_range(p1, p2, label_merge_range)
Parameters:
p1 (float)
p2 (float)
label_merge_range (float)
get_pre_label_string(kc, t, is_every)
Parameters:
kc (VWAP_key_levels_draw_settings)
t (int)
is_every (bool)
f_is_new_period_from_str(str)
Parameters:
str (string)
total_for_time_when(source, days, ma_set)
Parameters:
source (float)
days (int)
ma_set (ma_setting)
f_calculate_sma_ema_rolling_vwap(src, length, ma_settings)
Parameters:
src (float)
length (simple int)
ma_settings (ma_setting)
f_calculate_sma_ema_rvwap(ma_settings)
Parameters:
ma_settings (ma_setting)
f_get_ma_pre_label(ma_settings, sma, ema, rolling_vwap)
Parameters:
ma_settings (ma_setting)
sma (float)
ema (float)
rolling_vwap (float)
f_smart_ma_calculation(ma_settings2)
Parameters:
ma_settings2 (ma_setting)
f_calculate_endpoint(start_time, kc, is_every, endp, extend1, extend2, line_label_extend_length)
Parameters:
start_time (int)
kc (VWAP_key_levels_draw_settings)
is_every (bool)
endp (int)
extend1 (bool)
extend2 (bool)
line_label_extend_length (int)
f_single_line_label_fatory(left_point, right_point, line_col, line_width, lines_style_select, labeltext_col, label_text_size, label_array, line_array, label_col, label_text, l1, label1)
根据两个点创建线段和/或标签,并将其添加到对应的数组中
Parameters:
left_point (chart.point) : 左侧起点坐标
right_point (chart.point) : 右侧终点坐标
line_col (color) : 线段颜色
line_width (int) : 线段宽度
lines_style_select (string) : 线段样式(实线、虚线等)
labeltext_col (color) : 标签文字颜色
label_text_size (string) : 标签文字大小
label_array (array) : 存储标签对象的数组
line_array (array) : 存储线段对象的数组
label_col (color) : 标签背景颜色(默认:半透明色)
label_text (string) : 标签文字内容(默认:空字符串)
l1 (bool) : 是否创建线段(默认:false)
label1 (bool) : 是否创建标签(默认:false)
Returns: void
f_line_and_label_merge_func(t, data, l_text, kc, is_every, endp, merge_str_map, label_array, line_array, extend1, extend2, line_label_extend_length, label_merge_control, line_width, lines_style_select, label_text_size)
Parameters:
t (int)
data (float)
l_text (string)
kc (VWAP_key_levels_draw_settings)
is_every (bool)
endp (int)
merge_str_map (map)
label_array (array)
line_array (array)
extend1 (bool)
extend2 (bool)
line_label_extend_length (int)
label_merge_control (bool)
line_width (int)
lines_style_select (string)
label_text_size (string)
plot_ohlc(kc, ohlc_data, extend1, extend2, merge_str_map, label_array, line_array, is_every, line_label_extend_length, label_merge_control, line_width, lines_style_select, label_text_size)
Parameters:
kc (VWAP_key_levels_draw_settings)
ohlc_data (bardata)
extend1 (bool)
extend2 (bool)
merge_str_map (map)
label_array (array)
line_array (array)
is_every (bool)
line_label_extend_length (int)
label_merge_control (bool)
line_width (int)
lines_style_select (string)
label_text_size (string)
plot_vwap_keylevels(kc, vwap_data, extend1, extend2, merge_str_map, label_array, line_array, is_every, line_label_extend_length, label_merge_control, line_width, lines_style_select, label_text_size)
Parameters:
kc (VWAP_key_levels_draw_settings)
vwap_data (vwap_snapshot)
extend1 (bool)
extend2 (bool)
merge_str_map (map)
label_array (array)
line_array (array)
is_every (bool)
line_label_extend_length (int)
label_merge_control (bool)
line_width (int)
lines_style_select (string)
label_text_size (string)
plot_vwap_bardata(kc, ohlc_data, vwap_data, extend1, extend2, merge_str_map, label_array, line_array, is_every, line_label_extend_length, label_merge_control, line_width, lines_style_select, label_text_size)
Parameters:
kc (VWAP_key_levels_draw_settings)
ohlc_data (bardata)
vwap_data (vwap_snapshot)
extend1 (bool)
extend2 (bool)
merge_str_map (map)
label_array (array)
line_array (array)
is_every (bool)
line_label_extend_length (int)
label_merge_control (bool)
line_width (int)
lines_style_select (string)
label_text_size (string)
f_start_end_total_min(session)
Parameters:
session (string)
f_get_vwap_array(anchor1, data_manager, is_historical)
Parameters:
anchor1 (string)
data_manager (data_manager)
is_historical (bool)
f_get_bardata_array(anchorh, data_manager, is_historical)
Parameters:
anchorh (string)
data_manager (data_manager)
is_historical (bool)
vwap_snapshot
Fields:
t (series int)
vwap (series float)
upper1 (series float)
lower1 (series float)
upper2 (series float)
lower2 (series float)
upper3 (series float)
lower3 (series float)
VWAP_key_levels_draw_settings
Fields:
enable (series bool)
index (series int)
anchor (series string)
session (series string)
vwap_col (series color)
bands_col (series color)
bg_color (series color)
text_color (series color)
val (series bool)
poc (series bool)
vah (series bool)
enable2x (series bool)
enable3x (series bool)
o_control (series bool)
h_control (series bool)
l_control (series bool)
c_control (series bool)
extend_control (series bool)
only_show_the_lastone_control (series bool)
bg_control (series bool)
line_col_labeltext_col (series color)
bardata
Fields:
o (series float)
h (series float)
l (series float)
c (series float)
v (series float)
start_time (series int)
end_time (series int)
ma_setting
Fields:
day_control (series bool)
kline_numbers (series int)
ma_color (series color)
ema_color (series color)
rvwap_color (series color)
ma_control (series bool)
ema_control (series bool)
rvwap_control (series bool)
session (series string)
merge_label_template
Fields:
left_point (chart.point)
right_point (chart.point)
label_text (series string)
p (series float)
label_color (series color)
merge_init_false (series bool)
anchor_snapshots
Fields:
vwap_current (array)
vwap_historical (array)
bardata_current (array)
bardata_historical (array)
data_manager
Fields:
snapshots_map (map)
draw_settings_map (map)
War Room – Combined HUD v3.4 (Cap T+1, RTH+ON H/L)War Room Combined HUD — Futures / Flow Command Panel
Purpose:
A high-performance multi-layer heads-up display (HUD) designed for intraday futures trading (optimized for NQ/ES). It merges market flow, volume delta, session structure, and directional bias models into a single at-a-glance command panel.
Core Features:
Score / Bias Engine: Aggregates VWAP positioning, delta slope, and CVD structure to produce a live bias score (–5 → +5 scale) and simplified bias label (SBear → SBull).
State Monitor: Detects alignment or conflict between intraday bias and real-time flow. Highlights counter-trend conditions (“Use magnets / half size”) vs. aligned continuation.
Trap Detection (Dual):
Trap Short (shorts trapped, squeeze-up risk)
Trap Long (longs trapped, flush-down risk)
Color-coded strength meter indicates WATCH / TRAPPED / SQUEEZE.
Session CVD Table: Displays cumulative volume delta (CVD) and block delta by region — Asia / London / New York / Global — with auto-classified modes: Initiative Buy, Initiative Sell, Absorption, Distribution, or Neutral.
Flow Dominance Gauge: Tracks Global vs. Local momentum; signals when session flow diverges from the global CVD vector.
Price Anchors: Displays ON (overnight) high/low, RTH (regular trading hours) high/low, and prior session reference points (POC, VAH, VAL, HVN, LVN).
Capitulation T+1 Forecast: Computes early warning probability for next-day capitulation or squeeze events using volatility stretch, CVD intensity, control %, and score extremes. Direction marked with ↑ / ↓ arrow.
Futures / Flow Lower HUD (Optional): A cadence-based flow log showing Time, Px, VWAP, Δ, CVD, Bias, and Trap for the most recent 15-minute blocks — a micro-tape of intraday flow behavior.
Usage:
Primary HUD (top panel) → Real-time decision layer (bias, traps, state, cap-forecast).
Lower HUD (optional) → Historical flow context and confirmation.
Designed for use on 1m–15m charts, tuned for New York RTH bias detection.
Visual Key:
🟩 Green → Bullish continuation or trapped shorts
🟥 Red → Bearish continuation or trapped longs
🟧 Orange → Countertrend / Watch zone
⚫ Gray/Black → Neutral or no signal
Smart Liquidity 📊 # 💎 Smart Liquidity Indicator - User Guide
## 📋 Overview
**Smart Liquidity Indicator** is an advanced technical analysis tool for analyzing liquidity and volume in financial markets. It combines several powerful analytical tools to help you make informed trading decisions.
---
## 🎯 Main Components
### 1. 📊 Volume Profile
- **Function**: Displays volume distribution across different price levels
- **Benefit**: Identify strong support and resistance zones based on trading activity
- **Elements**:
- Colored boxes representing volume density at each level
- Labels showing HIGH/LOW of the price range
- PEAK FLOW line indicating the strongest volume level
### 2. 📦 Order Blocks
- **Function**: Identify bullish and bearish Order Block zones
- **Benefit**: Potential areas for price reversal or trend continuation
- **Displayed Information**:
- Delta %: Zone strength (difference between buying and selling pressure)
- Liquidity: Accumulated liquidity in the zone
- Buy/Sell ratios within the zone
### 3. 📈 SuperTrend (Market Direction)
- **Two lines for confirmation**:
- **🎯 Current SuperTrend** (Green/Red): Current timeframe direction
- **🔄 MTF SuperTrend** (Light Green/Red): Higher timeframe direction (4H default)
- **Benefit**: Trade with the overall market trend
### 4. 📊 Dashboard (Information Panel)
- Display current market status
- Trend and momentum information
- Active Order Blocks statistics
---
## 🚀 How to Use
### 1️⃣ **Reading Volume Profile**
- **Dense boxes** = High volume accumulation areas = Strong support/resistance
- **PEAK FLOW line** = Strongest price level (POC - Point of Control)
- **HIGH/LOW Labels** = Boundaries of the analyzed price range
### 2️⃣ **Analyzing Order Blocks**
- **Positive Delta (+)** = Strong buying pressure → Reliable bullish zone
- **Negative Delta (-)** = Strong selling pressure → Reliable bearish zone
- **Delta near 0** = Balance → Weak zone, avoid it
### 3️⃣ **Using SuperTrend**
- **Current TF (Green bullish / Red bearish)**: Current timeframe direction
- **MTF (Light Green bullish / Light Red bearish)**: Higher timeframe direction
- **Best Trading**: When both lines agree on the same direction
### 4️⃣ **Suggested Strategy**
```
✅ Strong Entry Signal:
1. Order Block with strong Delta (>30% or <-30%)
2. Current SuperTrend and MTF in the same direction
3. Volume Profile confirms the level (dense box or PEAK)
4. Price tests the zone for the first time
❌ Avoid Entry When:
- Weak Delta (between -10% and +10%)
- Conflict between Current and MTF SuperTrend
- Zone tested multiple times (weakened)
```
---
## 🎨 Understanding Colors
### Order Blocks
- 🟢 **Green**: Bullish Order Block
- 🔴 **Red**: Bearish Order Block
### SuperTrend
- 🟢 **Green**: Current SuperTrend bullish (same color as Order Blocks)
- 🔴 **Red**: Current SuperTrend bearish (same color as Order Blocks)
- 🟢 **Light Green**: MTF SuperTrend bullish
- 🔴 **Light Red**: MTF SuperTrend bearish
**Note**: Each SuperTrend has different transparency levels based on trend strength
### Volume Profile
- **Gradient from light to dark**: Represents volume density (darker = higher volume)
---
## ⚡ Performance Tips
### For Maximum Speed (Current Settings):
✅ **Enabled**:
- Order Blocks: 2 zones per side
- Volume Profile: 20 levels
- SuperTrends: Both active
- Strength Delta: Displayed
❌ **Disabled** (for speed):
- Gradient Fill
- Predictive Zones
- Background Fill
- MTF Calculations (in internal calculations)
### If Indicator is Slow:
1. Reduce `Profile Rows` from 20 → 15
2. Reduce `Lookback Period` from 50 → 40
3. Reduce `Max Zones` from 2 → 1
4. Turn off `Show OB Labels` if not needed
---
## 🔄 Additional Tools
### ♻️ Reset Now
- **Location**: Visual Tweaks
- **Usage**: If Volume Profile is cluttered, enable it to redraw
- **Note**: Disable after use
### 🎯 Draw Mode
- **Live**: Direct drawing on the last candle
- **Confirmed**: Draw only on closed candles (more stable)
---
## ⚠️ Disclaimer
### 🚨 Important Notice
**This indicator is a technical analysis tool only and is not considered financial advice or a trading recommendation.**
#### 📌 Please Note:
1. **Just an Analytical Tool**:
- The indicator provides technical information based on historical data
- Past results do not guarantee future results
2. **Personal Responsibility**:
- You are solely responsible for your own trading decisions
- Conduct your own research before making any investment decision
- Use appropriate risk management (Stop Loss, Position Sizing)
3. **No Guarantees**:
- There is no guarantee of profit or success in trading
- Financial markets carry high risks
- You may lose your entire invested capital
4. **Consult a Professional**:
- Consult a licensed financial advisor before making important investment decisions
- Ensure you fully understand the risks associated with trading
5. **Proper Use**:
- The indicator is designed as an assistive tool, not an automated trading system
- Preferably combine it with your own analysis and other tools
- Do not rely on a single signal alone
#### ⚖️ Acceptance:
By using this indicator, you acknowledge and agree that:
- The indicator developer is not responsible for any financial losses
- All trading decisions are your personal responsibility
- You understand the risks associated with trading in financial markets
---
## 💡 Final Advice
**"The best traders use tools wisely, not blindly"**
- Learn how the indicator works before relying on it
- Test settings on a demo account first
- Always use Stop Loss
- Don't risk more than you can afford to lose
---
## 📞 Contact and Support
**If you need any help or have any questions, feel free to contact me.**
I'm here to help you understand and use the indicator correctly! 🤝
---
**Good Luck & Trade Safe! 🚀📈**
OutsiderEdge - Adaptive Node Efficiency Function (ANEF)Overview - What is ANEF?
ANEF is a zero-centered oscillator that blends price efficiency, effective volume around VWAP (node proximity), order-flow imbalance (uptick/downtick proxy), and returns volatility into a single, normalized score. The goal is to help you spot efficient breakouts and inefficient mean-reversions in a way that’s transparent, systematic, and easy to align with your own analysis.
Users can combine ANEF’s components to build rules such as: “ Only consider short breakout signals when trend context is bearish and the ANEF score pushes into the Efficient Zone ,” or “ Look for mean-reversion setups when the ANEF score sinks into the Inefficient Zone while trend context remains bullish. ”
While ANEF can stand on its own, it also works well as a secondary confirmation layer to a user’s primary process (volume profile, price action, S/R, market structure, or your preferred overlays).
🔹 FEATURES
Below is each ANEF component/feature in the order that typically leads to the most confluence.
ANEF Core (Normalized Score)
Combines a price change term with effective volume near VWAP and order-flow imbalance, scaled by volatility and normalized into a zero-centered oscillator.
Read it like a pressure gauge: high positive values = efficient upside impulse risk; deep negative values = inefficient pressure that often reverts.
Efficient & Inefficient Zones (Thresholds)
Two user-set levels (default ≥ +4.6 and ≤ −4.6) to quickly see when ANEF pushes into efficient breakout territory (top zone) or inefficient territory (bottom zone).
Thresholds are not overbought/oversold; they’re contextual “efficiency bands.”
2nd-Signal Confirmation (Optional)
An opt-in rule to ignore the first signal of a type and only print the second occurrence within X bars (default 6).
Reduces one-off noise without repainting or lookahead.
Trend Context (EMA-based Wave, Optional)
A lightweight EMA context that lets you filter signals (e.g., only show ▼ in downtrend, only show ▲ in uptrend).
The context is plotted as a sub-pane wave centered around zero so it doesn’t fight for price-panel space.
Clean Alerts (Raw & Confirmed)
Raw alerts fire at zone interactions.
Confirmed alerts respect the 2nd-signal rule and (optionally) the trend filter.
Price-Panel Markers (through force_overlay)
Even with the oscillator in a separate pane, ANEF can print mini markers on the main chart.
Useful to correlate impulses/reversions with structure, S/R, or higher-TF levels.
🔹 USAGE
In the examples below, you see chart snapshot with five labeled points of (in)efficiency breakouts.
ICMARKETS:UK100
Point 1 — Efficient Downside Breakout (▼)
ANEF surges into the Efficient Zone, indicating downside momentum that’s aligned with node volume/imbalance and volatility. Typical use: trend-following continuation, takeprofit on existing long or tightening risk on existing shorts (invalidations above recent structure).
Point 2 — Inefficient Upside Reversion (▲)
First rebound after the selloff with ANEF deep in the Inefficient Zone. Not an ideal long entry on its own, but a good management cue: take partial profits on shorts or tighten stops as an early confirmation that the drop may be exhausting.
Point 3, 4 and 5 — Inefficient Upside Reversion (▲)
Another 3x ▲ appears as price forms a higher low and ANEF prints a less extreme negative reading. With the “second-signal within X bars” option enabled, this becomes a more credible mean-reversion attempt. Possible long entries or takeprofits on existing shorts.
Trading involves substantial risk. This tool is for educational purposes only and is not financial advice. Past performance does not guarantee future results. You are solely responsible for your trading decisions and risk management.
🔹 NAVIGATING MARKET CONDITIONS
Trending phases:
Expect more time in or near the zones in the trend direction.
Consider allowing only trend-aligned signals (filter ON) and using counter zone exits for trail/partials rather than counter-trend trades.
Ranging phases:
Expect frequent dips and surges into the (In)efficient Zones and back.
Counter-moves (▲ in range downs, ▼ in range ups) can be productive with tight invalidation and the 2nd-signal rule to reduce noise.
Regime shifts:
Watch for repeated failures of one side’s signals plus cross-pane confluence (e.g., context flips while ANEF re-anchors around zero).
That sequence often marks transitions where your rules should adapt (e.g., disable the trend filter temporarily or widen your 2nd-signal window).
🔹 SETTINGS SUMMARY
ANEF Core: lengthPrice, lengthVol, lengthVolat, imbalanceCap
Zones: Efficient (≥), Inefficient (≤)
Confirmation: Require 2nd signal, Lookahead bars
Trend Filter: Enable, EMA length, optional smoothing & “only show ▲/▼ with trend”
Chart Markers: Also show on main chart (force_overlay)
Alerts: Raw vs Confirmed (pick what suits your workflow)
🔹 GOOD PRACTICES
Treat signals as context cues, not as mechanical buy/sell calls. You can align ANEF with structure (S/R, HTF bias, LVN, HVN or POC) and risk management (partials on zone exit, invalidation beyond recent swing). Start with defaults; tweak parameters to match your market/TF.
🔹 LIMITATIONS / DISCLAIMER
ANEF does not use lookahead and does not repaint, but no indicator guarantees outcomes.
Thresholds are heuristics; markets can remain efficient/inefficient longer than expected.
Use appropriate position sizing and independent validation.
Trading involves substantial risk. This tool is for educational purposes only and is not financial advice. Past performance does not guarantee future results. You are solely responsible for your trading decisions and risk management.
Release Notes
v1.0 — Initial invite-only release with: normalized ANEF core, Efficient/Inefficient zones, optional EMA trend context, 2nd-signal confirmation, raw & confirmed alerts, and optional price-panel markers via force_overlay.
My Smart Volume Profile – Fixed
Title: 🔹 My Smart Volume Profile – Fixed
Description:
Lightweight custom Volume Profile showing POC, VAH, and VAL levels from recent bars. Highlights the value area, marks price touches, and supports optional alerts.
Developer Note:
Created with precision and simplicity by Magnergy
My Smart Volume Profile – Fixed
Title: 🔹 My Smart Volume Profile – Fixed
Description:
Lightweight custom Volume Profile showing POC, VAH, and VAL levels from recent bars. Highlights the value area, marks price touches, and supports optional alerts.
Developer Note:
Created with precision and simplicity by Magnergy
My Smart Volume Profile – Fixed
Title: 🔹 My Smart Volume Profile – Fixed
Description:
Lightweight custom Volume Profile showing POC, VAH, and VAL levels from recent bars. Highlights the value area, marks price touches, and supports optional alerts.
Developer Note:
Created with precision and simplicity by Magnergy
Jitendra Volume Pro / Fixed RangeHello All,
This script calculates and shows Volume Profile for the fixed range. Recently we have box.new() feature in Pine Language and it's used in this script as an example. Thanks to Pine Team and Tradingview!..
Sell/Buy volumes are calculated approximately!.
Options:
"Number of Bars" : Number of the bars that volume profile will be calculated/shown
"Row Size" : Number of the Rows
"Value Area Volume %" : the percent for Value Area
and there are other options for coloring and POC line style
Enjoy!
Jitendra Sankpal
Bull Run Galaxy
2.11.2025






















