GHLA SuperTrend CCI HighLow Activator For ThinkOrSwim

Join useThinkScript to post your question to a community of 21,000+ developers and traders.

GHLA SuperTrend CCI High-Low Activator Oscillator
A multi-layered trend and momentum indicator that combines Gann-inspired high/low levels, a SuperTrend mechanism, and a custom CCI oscillator. It provides dynamic entry and exit signals, confirming bullish or bearish trends while filtering out market noise. The accompanying oscillator visually represents trend strength and direction, allowing traders to quickly identify opportunities and avoid indecision zones.
View attachment 26314
Code:
# GHLA_SuperTrend_CCI_High_Low_Activator_Oscillator
#By CANDO13579
 
declare lower;
declare real_size;
input ghlaPeriod = 10;
input stPeriod = 14;
input stShiftTicks = 20.0;
input useFilter = yes;

def minTick = TickSize();
def shift = stShiftTicks * minTick;

# -----------------------------
# GHLA Logic
# -----------------------------
def ghlaAvgH = Average(high, ghlaPeriod);
def ghlaAvgL = Average(low, ghlaPeriod);

def sw = if close > ghlaAvgH then 1
         else if close < ghlaAvgL then -1
         else 0;

def ghlaDir = CompoundValue(1, if sw != 0 then sw else ghlaDir[1], 0);
def ghlaLevel = if ghlaDir < 0 then ghlaAvgH else ghlaAvgL;

# -----------------------------
# Custom CCI using Typical Price
# -----------------------------
def tp = (high + low + close) / 3;
def tpSMA = Average(tp, stPeriod);
def meanDev = Average(AbsValue(tp - tpSMA), stPeriod);
def cciValue = if meanDev == 0 then 0 else (tp - tpSMA) / (0.015 * meanDev);

# -----------------------------
# SuperTrend State Machine
# -----------------------------

# stFlag: 1=long, -1=short
rec stFlag = if IsNaN(stFlag[1]) then if cciValue >= 0 then 1 else -1
             else if cciValue > 0 and stFlag[1] <= 0 then 1
             else if cciValue < 0 and stFlag[1] >= 0 then -1
             else stFlag[1];

rec st = if IsNaN(st[1]) then if cciValue >= 0 then low - shift else high + shift
         else
            if cciValue > 0 and stFlag[1] <= 0 then low - shift
            else if cciValue < 0 and stFlag[1] >= 0 then high + shift
            else
                if stFlag > 0 and (low - shift) > st[1] then low - shift
                else if stFlag < 0 and (high + shift) < st[1] then high + shift
                else
                    if useFilter and stFlag > 0 and st[1] < st[1] and (close < open or high < high[1]) then st[1]
                    else if useFilter and stFlag < 0 and st[1] > st[1] and (close > open or low > low[1]) then st[1]
                    else st[1];

# -----------------------------
# signals
# -----------------------------
def notNaST = !IsNaN(st);
def upSignal = notNaST and close > st and close > ghlaLevel;
def downSignal = notNaST and close < st and close < ghlaLevel;
def neutralSignal = notNaST and !upSignal and !downSignal;

# -----------------------------
# Output (centered)
# -----------------------------
def signalCenter = 0;
plot Sig = signalCenter;
Sig.SetPaintingStrategy(PaintingStrategy.HORIZONTAL);
Sig.SetLineWeight(4);

Sig.AssignValueColor(
    if upSignal then Color.GREEN
    else if downSignal then Color.RED
    else Color.LIGHT_GRAY
);

# Boundary reference lines
# -----------------------------
plot UpperLine = 1;
UpperLine.SetDefaultColor(Color.DARK_GRAY);
UpperLine.SetStyle(Curve.SHORT_DASH);

plot LowerLine = -1;
LowerLine.SetDefaultColor(Color.DARK_GRAY);
LowerLine.SetStyle(Curve.SHORT_DASH);

# Gann High/Low Activator Oscillator

input activatorPeriod = 14;

# Calculate simple moving averages
def avgHigh = Average(high, activatorPeriod);
def avgLow = Average(low, activatorPeriod);

# Determine state
def bullState = close > avgHigh;
def bearState = close < avgLow;

# Track the last valid state
def lastState = CompoundValue(1,
    if bullState then 1
    else if bearState then -1
    else lastState[1],
0);

def avgRange = avgHigh - avgLow;
def oscillator =
    if avgRange != 0 then
        if lastState == 1 then (close - avgLow) / avgRange
        else if lastState == -1 then (close - avgHigh) / avgRange
        else 0.5
    else 0.5;

# Plot oscillator
plot GannOsc = oscillator;
GannOsc.SetLineWeight(2);
GannOsc.AssignValueColor(
    if lastState == 1 then CreateColor(0, 255, 0) # Green
    else if lastState == -1 then CreateColor(255, 165, 0) # Orange
    else Color.GRAY
);

# Plot midline
plot MidLine = 0.5;
MidLine.SetDefaultColor(Color.LIGHT_GRAY);
MidLine.SetStyle(Curve.SHORT_DASH);
Sorry to go a bit off topic here - can I ask what you are using to plot the Support / Resistance lines in the main chart body of the original attachment? I like the look of that & would like to try it out.
 
Hi ,do not know if this is what you expected but ,try this.

View attachment 26524
Code:
declare upper;
declare real_size;
input ghlaPeriod = 10;
input stPeriod = 14;
input stShiftTicks = 20.0;
input useFilter = yes;
input activatorPeriod = 14;

def minTick = TickSize();
def shift = stShiftTicks * minTick;

# -----------------------------
# GHLA Logic
# -----------------------------
def ghlaAvgH = Average(high, ghlaPeriod);
def ghlaAvgL = Average(low, ghlaPeriod);

def sw = if close > ghlaAvgH then 1
else if close < ghlaAvgL then -1
else 0;

def ghlaDir = CompoundValue(1, if sw != 0 then sw else ghlaDir[1], 0);
def ghlaLevel = if ghlaDir < 0 then ghlaAvgH else ghlaAvgL;

# -----------------------------
# Custom CCI using Typical Price
# -----------------------------
def tp = (high + low + close) / 3;
def tpSMA = Average(tp, stPeriod);
def meanDev = Average(AbsValue(tp - tpSMA), stPeriod);
def cciValue = if meanDev == 0 then 0 else (tp - tpSMA) / (0.015 * meanDev);

# -----------------------------
# SuperTrend State Machine
# -----------------------------
rec stFlag = if IsNaN(stFlag[1]) then if cciValue >= 0 then 1 else -1
else if cciValue > 0 and stFlag[1] <= 0 then 1
else if cciValue < 0 and stFlag[1] >= 0 then -1
else stFlag[1];

rec st = if IsNaN(st[1]) then if cciValue >= 0 then low - shift else high + shift
else
if cciValue > 0 and stFlag[1] <= 0 then low - shift
else if cciValue < 0 and stFlag[1] >= 0 then high + shift
else
if stFlag > 0 and (low - shift) > st[1] then low - shift
else if stFlag < 0 and (high + shift) < st[1] then high + shift
else
if useFilter and stFlag > 0 and st[1] < st[1] and (close < open or high < high[1]) then st[1]
else if useFilter and stFlag < 0 and st[1] > st[1] and (close > open or low > low[1]) then st[1]
else st[1];

# -----------------------------
# signals
# -----------------------------
def notNaST = !IsNaN(st);
def upSignal = notNaST and close > st and close > ghlaLevel;
def downSignal = notNaST and close < st and close < ghlaLevel;
def neutralSignal = notNaST and !upSignal and !downSignal;

# -----------------------------
# Output (centered)
# -----------------------------
def signalCenter = 0;
plot Sig = signalCenter;
Sig.SetPaintingStrategy(PaintingStrategy.HORIZONTAL);
Sig.SetLineWeight(4);

Sig.AssignValueColor(
if upSignal then Color.GREEN
else if downSignal then Color.RED
else Color.LIGHT_GRAY
);

# Boundary reference lines
# -----------------------------
plot UpperLine = 1;
UpperLine.SetDefaultColor(Color.DARK_GRAY);
UpperLine.SetStyle(Curve.SHORT_DASH);

plot LowerLine = -1;
LowerLine.SetDefaultColor(Color.DARK_GRAY);
LowerLine.SetStyle(Curve.SHORT_DASH);

# Gann High/Low Activator Oscillator

# Calculate simple moving averages
def avgHigh = Average(high, activatorPeriod);
def avgLow = Average(low, activatorPeriod);

# Determine state
def bullState = close > avgHigh;
def bearState = close < avgLow;

# Track the last valid state
def lastState = CompoundValue(1,
if bullState then 1
else if bearState then -1
else lastState[1],
0);

def avgRange = avgHigh - avgLow;
def oscillator =
if avgRange != 0 then
if lastState == 1 then (close - avgLow) / avgRange
else if lastState == -1 then (close - avgHigh) / avgRange
else 0.5
else 0.5;

# Plot oscillator
plot GannOsc = oscillator;
GannOsc.SetLineWeight(2);
GannOsc.AssignValueColor(
if lastState == 1 then CreateColor(0, 255, 0) # Green
else if lastState == -1 then CreateColor(255, 165, 0) # Orange
else Color.GRAY
);

# Plot midline
plot MidLine = 0.5;
MidLine.SetDefaultColor(Color.LIGHT_GRAY);
MidLine.SetStyle(Curve.SHORT_DASH);

# -----------------------------
# Vertical lines on oscillator crosses
# -----------------------------

# Detect midline crosses
def crossAbove = oscillator crosses above MidLine;
def crossBelow = oscillator crosses below MidLine;

# Add vertical lines on crosses
AddVerticalLine(crossAbove, "", Color.CYAN, Curve.SHORT_DASH);
AddVerticalLine(crossBelow, "", Color.MAGENTA, Curve.SHORT_DASH);

# Optional: Add labels at top of chart for better visibility
#AddChartBubble(crossAbove, high, "Cross Above", Color.CYAN, yes);
#AddChartBubble(crossBelow, high, "Cross Below", Color.MAGENTA, yes);

Here
Thanks
 
Here is a run down on the indicator. The indicator is in the VIP section. Join VIP for this and a myriad of other great proven scripts.

Horizontal Line (Signal Line)
This is a thick horizontal line at 0 on the oscillator pane:
  • Color meanings:
    • Green: Indicates a bullish condition (price is strong).
    • Red: Indicates a bearish condition (price is weak).
    • Gray: Neutral – no clear bullish or bearish trend.
This line shows trend bias at a glance — it's not moving; the color is what changes to indicate market trend shifts.

Oscillator Line (Gann Oscillator)

This is the actual dynamic line that moves between 0 and 1:

What it represents:
  • It's a normalized measure of price strength, calculated based on where the close sits between a moving average of highs and lows.
  • It tells you how strong bulls or bears are, depending on where the line is relative to 0.5 (the center).
How to read it:
  • Above 0.5 → bullish momentum.
  • Below 0.5 → bearish momentum.
  • The higher above 0.5, the stronger the bull trend.
  • The lower below 0.5, the stronger the bear trend.
What happens when the oscillator crosses 0.5?
This is a momentum shift signal:
  • Crossing above 0.5 → shift from bear to bull bias.
  • Crossing below 0.5 → shift from bull to bear bias.
It’s often used as a confirmation that a trend is beginning or strengthening.

Right-hand Axis Values
The numbers along the right side of the oscillator pane typically range between 0 and 1, showing the current oscillator value.

Key levels:
  • 0.5 = Neutral (centerline).
  • 1 = Max bull strength.
  • 0 = Max bear strength.
You’ll also see lines at standard deviation levels, like:
  • UpperLine1 / UpperLine2 (usually red): Overbought levels (e.g., 0.85, 0.9+)
  • LowerLine1 / LowerLine2 (usually green): Oversold levels (e.g., 0.15, 0.1-)
Zone Interpretation (based on colors and zones)

The oscillator has zones like:

Zone NameMeaningColor
Overbought 2σVery strong — might be overextendedRed
Overbought 1.5σStrong bullish, potential toppingRed
Oversold 1.5σBearish pressure, possible bottomingGreen
Oversold 2σExtremely oversold — reversal possibleGreen
In RangeNormal price actionGray
Summary
  • Color of horizontal line = current trend bias (green/red/gray).
  • Oscillator line = price strength, moves dynamically between 0–1.
  • Crossing 0.5 = momentum shift.
  • Right axis values = actual oscillator values.
  • Overbought/Oversold clouds = zones to watch for reversals or overextensions.
Tip for New Users

Look for alignment between:
  • Green oscillator AND green horizontal line = strong bull trend
  • Red oscillator AND red line = strong bear trend
  • Oscillator bouncing off overbought/oversold zones = possible reversals
You're on the right path, understanding these tools takes time, but you're already ahead by asking the right questions.
Proven? In what way?
 
Proven? In what way?

@antwerks is a key VIP contributor, who provides an in-depth range of proofing studies:
https://usethinkscript.com/search/2...&c[title_only]=1&c[users]=antwerks&o=date&g=1
XdwsCIL.png
 
Horizontal Line (Signal Line)
This is a thick horizontal line at 0 on the oscillator pane:
  • Color meanings:
    • Green: Indicates a bullish condition (price is strong).
    • Red: Indicates a bearish condition (price is weak).
    • Gray: Neutral – no clear bullish or bearish trend.
This line shows trend bias at a glance — it's not moving; the color is what changes to indicate market trend shifts.

Oscillator Line (Gann Oscillator)

This is the actual dynamic line that moves between 0 and 1:

What it represents:
  • It's a normalized measure of price strength, calculated based on where the close sits between a moving average of highs and lows.
  • It tells you how strong bulls or bears are, depending on where the line is relative to 0.5 (the center).
How to read it:
  • Above 0.5 → bullish momentum.
  • Below 0.5 → bearish momentum.
  • The higher above 0.5, the stronger the bull trend.
  • The lower below 0.5, the stronger the bear trend.
What happens when the oscillator crosses 0.5?
This is a momentum shift signal:
  • Crossing above 0.5 → shift from bear to bull bias.
  • Crossing below 0.5 → shift from bull to bear bias.
It’s often used as a confirmation that a trend is beginning or strengthening.

Right-hand Axis Values
The numbers along the right side of the oscillator pane typically range between 0 and 1, showing the current oscillator value.

Key levels:
  • 0.5 = Neutral (centerline).
  • 1 = Max bull strength.
  • 0 = Max bear strength.
You’ll also see lines at standard deviation levels, like:
  • UpperLine1 / UpperLine2 (usually red): Overbought levels (e.g., 0.85, 0.9+)
  • LowerLine1 / LowerLine2 (usually green): Oversold levels (e.g., 0.15, 0.1-)
Zone Interpretation (based on colors and zones)

The oscillator has zones like:

Zone NameMeaningColor
Overbought 2σVery strong — might be overextendedRed
Overbought 1.5σStrong bullish, potential toppingRed
Oversold 1.5σBearish pressure, possible bottomingGreen
Oversold 2σExtremely oversold — reversal possibleGreen
In RangeNormal price actionGray
Summary
  • Color of horizontal line = current trend bias (green/red/gray).
  • Oscillator line = price strength, moves dynamically between 0–1.
  • Crossing 0.5 = momentum shift.
  • Right axis values = actual oscillator values.
  • Overbought/Oversold clouds = zones to watch for reversals or overextensions.
Tip for New Users

Look for alignment between:
  • Green oscillator AND green horizontal line = strong bull trend
  • Red oscillator AND red line = strong bear trend
  • Oscillator bouncing off overbought/oversold zones = possible reversals
You're on the right path, understanding these tools takes time, but you're already ahead by asking the right questions.
This is fantastic and extremely helpful!! THANK YOU for finding time to explain in detail. I find a lot of value in a comprehensive indicator. One follow on question...I attached a screenshot of SPX. If I understand correctly, the magnitude of the oscillator line (i.e. 2.0 & -2.6 in the attached screenshot) is an indication of the strength of the trend. Is that correct? Thanks again @antwerks . You were extremely helpful.
 

Attachments

  • 2026-01-04-TOS_CHARTS.png
    2026-01-04-TOS_CHARTS.png
    447.2 KB · Views: 157
Last edited by a moderator:
This is fantastic and extremely helpful!! THANK YOU for finding time to explain in detail. I find a lot of value in a comprehensive indicator. One follow on question...I attached a screenshot of SPX. If I understand correctly, the magnitude of the oscillator line (i.e. 2.0 & -2.6 in the attached screenshot) is an indication of the strength of the trend. Is that correct? Thanks again @antwerks . You were extremely helpful.

You're absolutely right in your interpretation — and this is a very robust multi-layered oscillator that blends:
  • CCI trend logic (confirmation)
  • Gann High/Low Activator (momentum + volatility envelope)
  • Statistical boundaries (standard deviation zones)
  • And a combined signal forecast engine.
    Let’s walk through the meaning of the oscillator value (like +2.0 or -2.6) and how to interpret the entire setup:
What the Oscillator Value Means
The GannOsc line is calculated based on:​
(close - avgLow) / (avgHigh - avgLow)​
or its inverse if in a bearish state.​

Then it’s plotted along with statistical bands:
  • Regression line (Inertia)
  • ±1.5σ and ±2σ bounds (standard deviations)
So, when you see a value like:
  • +2.0 or higher → price is well above the regression average; strongly overbought
  • -2.6 or lower → price is well below the average; strongly oversold
  • ~0.5 → mean reversion, mid-zone, often seen during consolidation
Interpretation of High/Low Oscillator Magnitudes
Oscillator ValueInterpretation
> +2.0Extreme overbought — potential exhaustion, watch for reversal
+1.5 to +2.0Overbought zone — may still trend, but risk rising
+0.5 to +1.5Healthy uptrend — bullish confirmation
~0.5Neutral zone — no edge, often chop
-0.5 to -1.5Healthy downtrend — bearish confirmation
-1.5 to -2.0Oversold zone — trending or weakening sellers
< -2.0Extreme oversold — watch for potential reversal

Why This Is More Than Just an Oscillator
This script doesn't just show trend strength — it uses a state machine to interpret multiple layers:
1. Trend Direction
Based on:​
CCI (for direction)​
SuperTrend + High/Low Activator filters​

2. Momentum & Volatility Zone
  • Are we trending inside or outside expected statistical range?
3. Forecast Signal
Looks at the combination of:
  • Signal direction
  • Oscillator’s zone
  • Labels like:
    • "Strong BUY Zone" (uptrend + deep oversold)
    • "Buying Opportunity" (trend + normal dip)
    • "Selling Opportunity" (trend + pullback)
    • "Wait / Watch" (no alignment or chop)
Summary:
Yes — you understand it correctly. A Gann oscillator value of +2.0 or -2.6 tells you:

🔍 We are statistically outside normal price behavior, in strong trending or extended conditions.

Combined with the trend logic and signal forecast, this gives you:
  • Clear trade bias
  • Dynamic risk awareness
  • Early signals when trend strengthens or weakens
 
Last edited by a moderator:
Might you post a script to plot the width of the cloud? I am curious what a narrowing cloud and an expanding cloud would show. Many Thanks.
 
Hi ,care to explain what 3 sections, Are you referring to?.
sorry for my delay but was not aware of your question. i don't recall now enough to answer. i will try to do that (I am old) and if memory comes back, I'll get back to you.
 

Similar threads

Not the exact question you're looking for?

Start a new thread and receive assistance from our community.

87k+ Posts
1122 Online
Create Post

Similar threads

Similar threads

The Market Trading Game Changer

Join 2,500+ subscribers inside the useThinkScript VIP Membership Club
  • Exclusive indicators
  • Proven strategies & setups
  • Private Discord community
  • ‘Buy The Dip’ signal alerts
  • Exclusive members-only content
  • Add-ons and resources
  • 1 full year of unlimited support

Frequently Asked Questions

What is useThinkScript?

useThinkScript is the #1 community of stock market investors using indicators and other tools to power their trading strategies. Traders of all skill levels use our forums to learn about scripting and indicators, help each other, and discover new ways to gain an edge in the markets.

How do I get started?

We get it. Our forum can be intimidating, if not overwhelming. With thousands of topics, tens of thousands of posts, our community has created an incredibly deep knowledge base for stock traders. No one can ever exhaust every resource provided on our site.

If you are new, or just looking for guidance, here are some helpful links to get you started.

What are the benefits of VIP Membership?
VIP members get exclusive access to these proven and tested premium indicators: Buy the Dip, Advanced Market Moves 2.0, Take Profit, and Volatility Trading Range. In addition, VIP members get access to over 50 VIP-only custom indicators, add-ons, and strategies, private VIP-only forums, private Discord channel to discuss trades and strategies in real-time, customer support, trade alerts, and much more. Learn all about VIP membership here.
How can I access the premium indicators?
To access the premium indicators, which are plug and play ready, sign up for VIP membership here.
Back
Top