TTM Squeeze Overlay (Wave A/B/C Visible)This indicator shows three different cycle wave energy ( long, short and now )
Cycles
Sessioni di Trading - Londra & New YorkIndicator for mechanics 3.0 marking the London and New York sessions with vertical dotted lines
Sessioni di Trading - Londra & New YorkMarks the London and New York trading sessions with vertical colored lines (Mechanics 3.0)
Volatility Gaussian Bands [BigBeluga]The Volatility Gaussian Bands are a technical analysis tool used to assess market volatility and potential price movements. They are constructed by integrating Gaussian (normal) distribution principles with volatility measures to create dynamic bands around price data.
Key Features of Volatility Gaussian Bands:
Basis in Gaussian Distribution:
These bands assume that price returns follow a normal distribution, allowing for probabilistic modeling of expected price ranges.
Bitcoin Monthly Seasonality [Alpha Extract]The Bitcoin Monthly Seasonality indicator analyzes historical Bitcoin price performance across different months of the year, enabling traders to identify seasonal patterns and potential trading opportunities. This tool helps traders:
Visualize which months historically perform best and worst for Bitcoin.
Track average returns and win rates for each month of the year.
Identify seasonal patterns to enhance trading strategies.
Compare cumulative or individual monthly performance.
🔶 CALCULATION
The indicator processes historical Bitcoin price data to calculate monthly performance metrics
Monthly Return Calculation
Inputs:
Monthly open and close prices.
User-defined lookback period (1-15 years).
Return Types:
Percentage: (monthEndPrice / monthStartPrice - 1) × 100
Price: monthEndPrice - monthStartPrice
Statistical Measures
Monthly Averages: ◦ Average return for each month calculated from historical data.
Win Rate: ◦ Percentage of positive returns for each month.
Best/Worst Detection: ◦ Identifies months with highest and lowest average returns.
Cumulative Option
Standard View: Shows discrete monthly performance.
Cumulative View: Shows compounding effect of consecutive months.
Example Calculation (Pine Script):
monthReturn = returnType == "Percentage" ?
(monthEndPrice / monthStartPrice - 1) * 100 :
monthEndPrice - monthStartPrice
calcWinRate(arr) =>
winCount = 0
totalCount = array.size(arr)
if totalCount > 0
for i = 0 to totalCount - 1
if array.get(arr, i) > 0
winCount += 1
(winCount / totalCount) * 100
else
0.0
🔶 DETAILS
Visual Features
Monthly Performance Bars: ◦ Color-coded bars (teal for positive, red for negative returns). ◦ Special highlighting for best (yellow) and worst (fuchsia) months.
Optional Trend Line: ◦ Shows continuous performance across months.
Monthly Axis Labels: ◦ Clear month names for easy reference.
Statistics Table: ◦ Comprehensive view of monthly performance metrics. ◦ Color-coded rows based on performance.
Interpretation
Strong Positive Months: Historically bullish periods for Bitcoin.
Strong Negative Months: Historically bearish periods for Bitcoin.
Win Rate Analysis: Higher win rates indicate more consistently positive months.
Pattern Recognition: Identify recurring seasonal patterns across years.
Best/Worst Identification: Quickly spot the historically strongest and weakest months.
🔶 EXAMPLES
The indicator helps identify key seasonal patterns
Bullish Seasons: Visualize historically strong months where Bitcoin tends to perform well, allowing traders to align long positions with favorable seasonality.
Bearish Seasons: Identify historically weak months where Bitcoin tends to underperform, helping traders avoid unfavorable periods or consider short positions.
Seasonal Strategy Development: Create trading strategies that capitalize on recurring monthly patterns, such as entering positions in historically strong months and reducing exposure during weak months.
Year-to-Year Comparison: Assess how current year performance compares to historical seasonal patterns to identify anomalies or confirmation of trends.
🔶 SETTINGS
Customization Options
Lookback Period: Adjust the number of years (1-15) used for historical analysis.
Return Type: Choose between percentage returns or absolute price changes.
Cumulative Option: Toggle between discrete monthly performance or cumulative effect.
Visual Style Options: Bar Display: Enable/disable and customize colors for positive/negative bars, Line Display: Enable/disable and customize colors for trend line, Axes Display: Show/hide reference axes.
Visual Enhancement: Best/Worst Month Highlighting: Toggle special highlighting of extreme months, Custom highlight colors for best and worst performing months.
The Bitcoin Monthly Seasonality indicator provides traders with valuable insights into Bitcoin's historical performance patterns throughout the year, helping to identify potentially favorable and unfavorable trading periods based on seasonal tendencies.
Aroon Buy & Sell (5m Trend, 100% Signal on 1m)Purpose of the Script:
This Pine Script creates a buy and sell signal system that:
Tracks trend direction on the 5-minute (5m) chart using Aroon indicators.
Generates buy and sell signals on the 1-minute (1m) chart based on the 5-minute trend and when Aroon Up/Down reaches 100%.
Components of the Script:
1. Aroon Calculation Function (f_aroon):
This function calculates the Aroon Up and Aroon Down values based on the high and low of the last 14 bars:
Aroon Up: Measures how recently the highest high occurred over the last 14 bars.
Aroon Down: Measures how recently the lowest low occurred over the last 14 bars.
Both values are expressed as a percentage:
Aroon Up is calculated by 100 * (14 - barssince(high == highest(high, 14))) / 14
Aroon Down is calculated by 100 * (14 - barssince(low == lowest(low, 14))) / 14
2. Getting Aroon Values for 5m and 1m:
aroonUp_5m, aroonDown_5m: These are the Aroon values calculated from the 5-minute chart (Aroon Up and Aroon Down).
aroonUp_1m, aroonDown_1m: These are the Aroon values calculated for the 1-minute chart, on which we will plot the signals.
3. Trend Detection (5-minute):
Bullish trend: When the Aroon Up crosses above the Aroon Down on the 5-minute chart, indicating a potential upward movement (uptrend).
Bearish trend: When the Aroon Down crosses above the Aroon Up on the 5-minute chart, indicating a potential downward movement (downtrend).
These are detected using ta.crossover() functions:
bullishCross_5m: Detects when Aroon Up crosses above Aroon Down.
bearishCross_5m: Detects when Aroon Down crosses above Aroon Up.
We then track these crossovers using two variables:
inBullishTrend_5m: This is set to true when we are in a bullish trend (Aroon Up crosses above Aroon Down on 5m).
inBearishTrend_5m: This is set to true when we are in a bearish trend (Aroon Down crosses above Aroon Up on 5m).
4. Cooldown Logic:
This prevents the signals from repeating too frequently:
buyCooldown: Ensures that a buy signal is only generated every 20 bars (approx. every 100 minutes).
sellCooldown: Ensures that a sell signal is only generated every 20 bars (approx. every 100 minutes).
We use:
buyCooldown := math.max(buyCooldown - 1, 0) and sellCooldown := math.max(sellCooldown - 1, 0) to decrease the cooldown over time.
5. Buy/Sell Signal Logic:
Buy signal: A buy signal is generated when:
The 5-minute trend is bullish (Aroon Up > Aroon Down on 5m).
Aroon Down on the 1-minute chart reaches 100% (indicating an extreme oversold condition in the context of the current bullish trend).
The signal is only generated if the cooldown (buyCooldown == 0) allows it.
Sell signal: A sell signal is generated when:
The 5-minute trend is bearish (Aroon Down > Aroon Up on 5m).
Aroon Up on the 1-minute chart reaches 100% (indicating an extreme overbought condition in the context of the current bearish trend).
The signal is only generated if the cooldown (sellCooldown == 0) allows it.
6. Plotting the Signals:
Plot Buy Signals: When a buy signal is triggered, a green "BUY" label is plotted below the bar.
Plot Sell Signals: When a sell signal is triggered, a red "SELL" label is plotted above the bar.
The signal conditions are drawn on the 1-minute chart but rely on the trend from the 5-minute chart.
7. Alert Conditions:
Alert for Buy signal: An alert is triggered when the buy signal condition is met.
Alert for Sell signal: An alert is triggered when the sell signal condition is met.
How It Works:
Trend Tracking (5m): The script looks for the trend on the 5-minute chart (bullish or bearish based on Aroon Up/Down crossover).
Signal Generation (1m): The script then checks the 1-minute chart for an Aroon value of 100% (for either Aroon Up or Aroon Down).
Signals: Based on the trend, if the conditions are met, the script plots buy/sell signals and sends an alert.
Key Points:
5-minute trend: The script determines the market trend on the 5-minute chart.
1-minute signal: Signals are plotted on the 1-minute chart based on Aroon values reaching 100%.
Cooldown: Prevents signals from repeating too frequently.
Estrategia Institucional EUR/USDIt only enters structural breakout zones if there is a confirmation candle.
Filter by the most liquid institutional sessions.
Manage risk with dynamic SL/TP based on structure.
Visually displays relevant zones (swing highs/lows).
INTELLECT_city - Bitcoin Genesis Block DayBitcoin Genesis Block Day is celebrated on January 3 each year, commemorating the creation of the first block in the Bitcoin blockchain, known as the genesis block, by Satoshi Nakamoto on January 3, 2009. This block, block 0, marked the official launch of the Bitcoin network, embedding a message in its coinbase transaction: "The Times 03/Jan/2009 Chancellor on brink of second bailout for banks," referencing a headline from The Times newspaper. This message highlighted Bitcoin’s purpose as a decentralized alternative to centralized financial systems amid the 2008 financial crisis.
The genesis block is unique because it’s hardcoded into the Bitcoin protocol and cannot be spent, containing 50 BTC that remain unspendable. It established the foundation for Bitcoin’s blockchain, with subsequent blocks building upon it through cryptographic hashing. The day symbolizes the birth of cryptocurrency and is celebrated by the crypto community as a milestone in financial and technological innovation.
INTELLECT_city - Bitcoin Whitepaper DayBitcoin Whitepaper Day is celebrated on October 31 each year, marking the anniversary of the publication of the Bitcoin whitepaper by Satoshi Nakamoto in 2008. Titled "Bitcoin: A Peer-to-Peer Electronic Cash System," the nine-page document introduced the concept of a decentralized digital currency that operates without intermediaries like banks, using a peer-to-peer network, blockchain technology, and proof-of-work to solve the double-spending problem.
Published on a cryptography mailing list during the 2008 financial crisis, the whitepaper laid the foundation for Bitcoin and the broader cryptocurrency ecosystem, influencing innovations like Ethereum, decentralized finance (DeFi), and NFTs. It’s a day celebrated by the crypto community to honor the revolutionary ideas that sparked a new era of financial sovereignty and technological innovation. Some note the symbolic connection to October 31, also Reformation Day, suggesting Nakamoto chose it to signify a break from centralized financial systems, though this is speculative.
INTELLECT_city - Quarters - Q1-Q2-Q3-Q4Quarters - Q1-Q2-Q3-Q4
Quarter dates.
Sometimes it is useful to find patterns when a quarter ends.
INTELLECT_city - New Year Chinese (Chine)Time of dates.
Sometimes you need to look at the years to find some patterns, especially on Chinese New Year.
INTELLECT_city - New YearsTime of dates.
Sometimes you need to look at the years to find some patterns.
--------------
Время дат.
Иногда нужно смотреть на года что бы находить какие то паттерны.
Macro Time Block 15mIndicator zeigt die Macrozeit 15 Minuten vor und 15 Minuten nach voller Stunde an.
Macro Time Block (15m przed i po)Indicator zeigt die Macrozeit 15 Minuten vor und 15 minuten nach voller Stunde.
Gann Square NumbersThis is initial version of Gann square numbers.
This is initial version of Gann square numbers.
This is initial version of Gann square numbers.
This is initial version of Gann square numbers.
This is initial version of Gann square numbers.
ICT Macro and Daye QT ShiftEST Vertical Lines - Auto DST Adjustment
Overview
This indicator draws customizable vertical lines at specific Eastern Time (EST/EDT) points throughout the trading day, automatically adjusting for daylight savings time. Designed for precision trading on 1-minute and 5-minute charts, it highlights key intraday moments when price action tends to accelerate.
Features
- **18 pre-configured NY session times** (09:50-15:45 ET)
- **Auto timezone conversion** - Always shows correct EST/EDT regardless of your local timezone
- **3 line styles** - Choose between solid/dashed/dotted lines
- **Clean labeling** - Optional time markers above each line
- **1m/5m optimized** - Perfect for scalpers and day traders
- **Visual alerts** - "TOUCH" labels when price interacts with lines
Inputs
| Parameter | Description | Default |
|-----------|-------------|---------|
| Line Times | Comma-separated HH:MM times | 09:50,10:10,...15:45 |
| Line Color | Line color | Black |
| Line Width | 1-5px thickness | 2 |
| Line Style | Solid/Dashed/Dotted | Solid |
| Show Labels | Display time markers | true |
How To Use
1. Apply to 1m or 5m charts
2. Lines appear automatically at specified EST times
3. Watch for price reactions at these key levels
4. Customize styles via indicator settings
Ideal For
- NY open/London close traders
- Earnings/News traders
- Breakout traders
- Market open/close strategies
Updates
v1.1 - Added line style customization
v1.0 - Initial release
Market Cipher B Multi-TF Momentum FilteredMy new script signals when alignment in momentum is achieved at the same time in 4hr, 1hr and 12min only... I have seen that when momentum waves are deep in overbought or oversold territory (+- 53) and we have divergences many of time have explosion moves as LTF and HTF's are aligned...
Hope you enjoy it and let me know any thoughs...
Weekday Signal [QuantAlchemy]The modified "Weekday Signal " Pine Script enhances the original by expanding from one entry and one exit condition to six independent entry and six independent exit conditions, each with its own weekdays, trading session, and time zone. While the original used a single time zone and produced one enter and one exit signal, the updated script maintains single enter and exit outputs by combining the six conditions for each using logical OR, ensuring compatibility with automated strategies. It retains the original’s main chart overlay, green/red backgrounds for entry/exit signals, and signal exposure for external scripts, aligning with the initial visualization and integration capabilities.
EMA Trend Dashboardthis just shows what position the user defined EMAs are on 4 different TFs. also the TF are user defined. and the TXT size is user defined. if you have trouble with bias maybe this is the script you need.
BLCKBOX Moving Average RibbonThe BLCKBOX Moving Average Ribbon is a simple moving average ribbon overlayed on the chart with the following timeframes;
7, 21, 42, 90, 180, 365
I hope you find this indicator useful. I have released several indicators that can be used in conjunction to hopefully improve your chances of making a ton of money!
BLCKBOX indicators include;
BLCKBOX Buying / Selling Sentiment
BLCKBOX MACD Indicator
BLCKBOX Relative Strength Index
BLCKBOX Crypto Bear Market Prediction
BLCKBOX Stochtastic
BLCKBOX EMA Cross Study
BLCKBOX Moving Average Ribbon
If you find this or any other indicator useful and wish to show your gratitude, you may!
Doge
DJwW7XazGk2R8nXjt8y5ydQfGKYSz3XV3h
Litecoin
ltc1qh8t4dmz8sugjcd5unn0g49985u0tz5gs6kf98y
Bitcoin
bc1q0deh9t9w9tm3qgd3npn7965rzel35qumez7m5v
Ethereum
0xa23a7bbde03ea31f5cce4b115c8ef1ea8bc9f467
Pepe
Pr7DZSXKwVGv7LYhRQ9oSuuWxUecc3Dvwq
BLCKBOX EMA Cross StudyThe BLCKBOX EMA Cross Study is a simple EMA ribbon overlayed on the chart with the following timeframes;
7, 14, 21, 42, 90, 180
I hope you find this indicator useful. I have released several indicators that can be used in conjunction to hopefully improve your chances of making a ton of money!
BLCKBOX indicators include;
BLCKBOX Buying / Selling Sentiment
BLCKBOX MACD Indicator
BLCKBOX Relative Strength Index
BLCKBOX Crypto Bear Market Prediction
BLCKBOX Stochtastic
BLCKBOX EMA Cross Study
If you find this or any other indicator useful and wish to show your gratitude, you may!
Doge
DJwW7XazGk2R8nXjt8y5ydQfGKYSz3XV3h
Litecoin
ltc1qh8t4dmz8sugjcd5unn0g49985u0tz5gs6kf98y
Bitcoin
bc1q0deh9t9w9tm3qgd3npn7965rzel35qumez7m5v
Ethereum
0xa23a7bbde03ea31f5cce4b115c8ef1ea8bc9f467
Pepe
Pr7DZSXKwVGv7LYhRQ9oSuuWxUecc3Dvwq
BLCKBOX StochasticAnother dirty indicator that is based on the Trading View Stochtastic indicator with the addition of directional arrow indicators that show the anticipated price direction (up/down).
I have released several indicators that can be used in conjunction to hopefully improve your chances of making a ton of money!
BLCKBOX indicators include;
BLCKBOX Buying / Selling Sentiment
BLCKBOX MACD Indicator
BLCKBOX Relative Strength Index
BLCKBOX Crypto Bear Market Prediction
BLCKBOX Stochtastic
If you find this or any other indicator useful and wish to show your gratitude, you may!
Doge
DJwW7XazGk2R8nXjt8y5ydQfGKYSz3XV3h
Litecoin
ltc1qh8t4dmz8sugjcd5unn0g49985u0tz5gs6kf98y
Bitcoin
bc1q0deh9t9w9tm3qgd3npn7965rzel35qumez7m5v
Ethereum
0xa23a7bbde03ea31f5cce4b115c8ef1ea8bc9f467
Pepe
Pr7DZSXKwVGv7LYhRQ9oSuuWxUecc3Dvwq