There are several key levels and/or conditions that I have considered important over the years.  And within the past year, @FinancialTrader has further inspired and validated the use of those levels based on the methodical way he trades opening range breakout (ORB) setups. 
A few examples of the levels include where the stock currently trades (or has traded) in relationship to the prior high of day (pHOD) as well as the prior low of day (pLOD), and the 30 minute opening range.
A few examples of the levels include where the stock currently trades (or has traded) in relationship to the prior high of day (pHOD) as well as the prior low of day (pLOD), and the 30 minute opening range.
So with my daily watchlist, I wanted to quickly see those conditions within a quote window with simple green and red boxes, so that I wouldn't have to even view and/or flip through multiple charts.
I've been a TradeStation user for many years and had already programmed the conditions within a customizable quote window they call RadarScreen.  But unless you meet certain trading volumes every month, they will charge you $60/month just for the RadarScreen add-on (in addition to the base platform fee of $99/month AND exchange data fees which never get waived).  
Doesn't seem like a good deal, especially since I'm winding down my trading volume and will likely miss my volume thresholds in the future.  So I wanted alternatives to TradeStation...as much as I love the platform.
This is where thinkorswim / TOS comes into play. Hard to believe I've had an account with them for nearly 20 years, ever since they were Datek and they had just created their revolutionary Island ECN...oh those were the days.  
I've NEVER paid any data or platform fees to TOS, even though the account has been mostly dormant for nearly 10 years!  Since FREE > $60/month, I started a crash course last month to learn more about TOS and programming with thinkScript.  
I credit a lot of my recent thinkScript learning to:
For the ORB code, it was great to see in the header comments for the original code that Prospectus created the script based on inspiration from the old school Trader-X blog.  That blog inspired me to return back to trading several years ago, and it feels like I've come full circle.  And although the blog is no longer active, it sure was good to see Trader-X post a new update back in February.
Explained below are few examples of how and what you can do to create red/green (or whatever color you choose) conditional boxes / columns in quote windows.  The code is based on very small modifications I've made to popular scripts that have in use for a while.  Since I'm still a novice, any good shortcuts or suggestions for improvements is much appreciated.
HOW TO ADD CUSTOM QUOTE INDICATOR COLUMNS WITH CONDITIONAL COLOR HIGHLIGHTING
1) Within a quote window, RIGHT click the small gray circle in the upper right part of the box next to Symbol.  Then click "Customize"
2)  Within the Customize Quotes or Watchlist window, scroll down to an unused "Custom..." item, and double-click it
3)  Go into the "Column name" and change it to the name of your new study (see below)
4)  Just to the right of "Column name" change the "Aggregation" to 5 min.
5)  Select the "thinkScript Editor" tab
6)  Remove any content within the editor
7)  Copy/paste your new code (see below) into the editor and press OK
8)  Highlight your newly created Custom Quote column in the left column, and move it to the right under "Current Set" 
9)  Press OK, and you should see the column in your quote window
CUSTOM COLUMN CODE BELOW
Custom column name: ORB
Definition:  If last traded price is either above or below the 30 minute opening range, then display green box with + or red box with -
thinkScript code:
# Original code by Prospectus & Thinkscripter
# Prospectus:
# Automatic Opening Range and Fibonacci Levels
# By Prospectus @ http://readtheprospectus.
# Inspired by Trader-X @ http://traderx.blogspot.com
# Thinkscripter:
# TS_OpeningRangeCloud
# Modified by @grove_under to display as custom column quotes
# with green/red background boxes
# Opening Range custom quote
input showOnlyToday = YES;
input InitialBalanceMinutes = 30;
input Market_Open_Time = 0930;
input Market_Close_Time = 1600;
def day = GetDay();
def lastDay = GetLastDay();
def isToday = If(day == lastDay, 1, 0);
def shouldPlot = If(showOnlyToday and isToday, 1, If(!showOnlyToday, 1, 0));
def pastOpen = If((SecondsTillTime(Market_
def pastClose = If((SecondsTillTime(Market_
def marketOpen = If(pastOpen and !pastClose, 1, 0);
def firstBar = If (day[1] != day, day - 1, 0);
def secondsUntilOpen = SecondsTillTime(Market_Open_
def regularHours = SecondsTillTime(Market_Close_
def secondsFromOpen = SecondsFromTime(Market_Open_
def pastOpeningRange = If(secondsFromOpen >= (InitialBalanceMinutes * 60), 1, 0);
rec displayedHigh = If(high > displayedHigh[1] and marketOpen, high, If(marketOpen and !firstBar, 
displayedHigh[1], high));
rec displayedLow = If(low < displayedLow[1] and marketOpen, low, If(marketOpen and !firstBar, 
displayedLow[1], low));
rec IBHigh = If(pastOpeningRange, IBHigh[1], displayedHigh);
rec IBLow = If(pastOpeningRange, IBLow[1], displayedLow);
plot IBH = If(pastOpeningRange and marketOpen and shouldPlot, IBHigh, Double.NaN);
plot IBL = If(pastOpeningRange and marketOpen and shouldPlot, IBLow , Double.NaN);
assignBackgroundColor(if close > IBH then color.green else if close < IBL then color.red else 
color.current);
AddLabel(yes,if close > IBH then "+" else if close < IBL then "-" else " ", Color.DARK_ORANGE);
* * * * * * * * * *
Custom column name: pHOD/pLOD
Definition:  If last traded price is either above or below the pHOD or pLOD, then display green box with > or red box with <
thinkScript code:
# pHOD/pLOD +/- quote indicator
# Modified by @grove_under to display as custom column quotes
# with green/red background boxes if last price above pHOD or below pLOD
input aggregationPeriod = AggregationPeriod.DAY;
input length = 1;
input displace = -1;
plot PrevDayHigh = Highest(high(period =
aggregationPeriod)[-displace], length);
PrevDayHigh.SetDefaultColor(
PrevDayHigh.
plot PrevDayLow = Lowest(low(period =
aggregationPeriod)[-displace], length);
PrevDayLow.SetDefaultColor(
PrevDayLow.
AddLabel(yes, if Close > PrevDayHigh then ">" else if Close < PrevDayLow then "<" else " ", Color.DARK_ORANGE);
* * * * * * * * * *
Custom column name: pLOD
Definition:  If today's low of day is below prior low of day, then red box
thinkScript code:
# pLOD broken
# Modified by @grove_under to display as custom column quotes
# with red background box if today's LOD < pLOD
input aggregationPeriod = AggregationPeriod.DAY;
input length = 1;
input displace = -1;
plot TodayHigh = Highest(high(period =
aggregationPeriod), length);
plot TodayLow = Lowest(low(period =
aggregationPeriod), length);
plot PrevDayHigh = Highest(high(period =
aggregationPeriod)[-displace], length);
plot PrevDayLow = Lowest(low(period =
aggregationPeriod)[-displace], length);
# Assign color to quote background
assignBackgroundColor(if TodayLow < PrevDayLow then color.dark_red else color.current);
AddLabel(yes, if TodayLow < PrevDayLow then "pLOD" else " ", Color.DARK_ORANGE);
* * * * * * * * * *
Custom column name: pHOD
Definition:  If today's high of day is above prior high of day, then display green box with pHOD
thinkScript code:
# pHOD broken
# Modified by @grove_under to display as custom column quotes
# with red background box if today's HOD > pHOD
input aggregationPeriod = AggregationPeriod.DAY;
input length = 1;
input displace = -1;
plot TodayHigh = Highest(high(period =
aggregationPeriod), length);
plot TodayLow = Lowest(low(period =
aggregationPeriod), length);
plot PrevDayHigh = Highest(high(period =
aggregationPeriod)[-displace], length);
plot PrevDayLow = Lowest(low(period =
aggregationPeriod)[-displace], length);
# Assign color to quote background
assignBackgroundColor(if TodayHigh > PrevDayHigh then color.dark_green else color.current);
AddLabel(yes, if TodayHigh > PrevDayHigh then "pHOD" else " ", Color.DARK_ORANGE);





 
10 comments:
Hello
not real good at coding... been trying to add background colors to quotes for a while. the thing is i use conditional wizard and for some reason it just wont work to add a color if conditionals are met.. any help ?
im trying to use CCI and its avg as a enter and exit signal in a certain alogo play.
Hi Benjamin,
I'm very sorry your message slipped through the cracks and for the very late reply. Hope you were able to figure it out, but if not, let me know and I might be able to point you in some good directions.
@grove_under
Looking for a script that will spot and highlight intraday reversals in my watchlist. Thinkorswim platform.
Would love to have a Custom Column for the watchlist. Would work on 5 or 15 min time frame.
Colors column field red if stock is 2-3 bars lower than high of day.
Colors column field green if stock is 2-3 bars higher than low of day.
Anyway this is possible ?
Thanks very much.
Dan
wonderful news shearing by you keep it up.....
Commodity Market Tips
More details on my need some TOS code so I can spot intraday reversals in the stocks in my watchlist
without having to look at charts.
TOS charts, if set to show TODAY timeframe (via the Customize option when switching time frames) for a particular time frame will show the intraday Hi and Lo of a stock on the chart using bubbles (Hi: xx Lo: xx).
These are great as it's often a good place to watch for a reversal trade.
However if you don't have the chart for a particular stock opened you won't see it.
My need is for a Custom Column in my watchlist where these Hi and Lo indications can be seen, even if the chart for that stock is not open. I work on 5 or 15 min time frame generally during the day.
Maybe mark the column field "H" if stock is X bars lower than high of day.
and "L" if stock is X bars higher than low of day.
Remove the letter (change to color grey)
after X bars as the move may have already played out as far as a good scalp.
Is this something you have already scripted or could I pay you to create this script.
Thanks
Hi Aram,
Sorry about the delay, I'm glad I saw your comment before it slipped through the cracks.
This is something that "should" be relatively easy (it always starts out that way, haha), but I'm much more familiar with coding in TradeStation vs. TOS. My knowledge in TOS thinkScript is very novice.
Unfortunately, my time is very limited these days, so as much as I'd like to help, I'm not sure I'd do a very good job in a reasonable time.
Here are the two key sites where I learned about thinkScript via examples, and I would have to imagine the sites and the folks there would be able to help you much better than I ever could.
https://readtheprospectus.wordpress.com
http://www.thinkscripter.com/
If you can't get progress with the sites above then let me know and I might be able to give you other suggestions. Good luck!
Awesome tutorial and code, thanks for sharing. I've been dabbling with creating custom columns recently, but have had trouble creating the text labels instead of numeric. This code helped explain what I was missing, so thanks! -Josiah
Thanks Aram - I am also a TradeStation user that had done some moderate level coding in EL. This is the first thing I tackled with EL so finding an already built code is a real score. It took me about 6 minutes - works perfectly. This will save many hours going forward and makes TOS quotes a lot more visual. You rock man! Much appreciated.
Selling good and fresh cvv fullz
track 1 and 2 with pin
bank login
Fresh Cards, Selling Dumps, Cvvs, Fullz
Tickets,Hotels,Credit card topup...Paypal transfer, Mailer,Smtp,western union login,
Book Flight Online
SELL CVV GOOD And HACK BIG CVV GOOD Credit Card
Fresh Cards. Selling Dumps, Cvvs, Fullz.Tickets,Hotels,Credit cards
Sell Cvv(cc) - Wu Transfer - Card Dumps - Bank login/paypal
And many more other hacking services
Contacts below
gary.jones00222@gmail.com
Telegram: @validvendors
- I have account paypal with good balance
- Dumps prices
- Tracks 1&2 US =
- Tracks 1&2 UK =
- Tracks 1&2 CA / AU =
- Tracks 1&2 EU =
Bank Logins Prices US UK CA AU EU
- Bank Us : ( HALIFAX,BOA,CHASE,Wells Fargo...
FORMAT OF LEADS/FULLZ/PROS
->FULL NAME
->SSN
->DATE OF BIRTH
->DRIVING LICENSE NUMBER WITH EXPIRY DATE
->COMPLETE ADDRESS
->PHONE NUMBER, EMAIL, I.P ADDRESS
->EMPLOYMENT DETAILS
->REALTIONSHIP DETAILS
->MORTGAGE INFO
->BANK ACCOUNT DETAILS
>Fresh Leads for tax returns & w-2 form filling
''OTHER GADGETS PROVIDING'
>SSN+DOB Fullz
>CC with CVV
>Photo ID's
>Dead Fullz
>Spamming Tutorials
>Carding Tutorials
>Hacking Tutorials
>SMTP Linux Root
>DUMPS with pins track 1 and 2
>Sock Tools
>Server I.P's
>HQ Emails with passwords
- I hope u good customers and will be long-term cooperation
Contacts below
gary.jones00222@gmail.com
Email: jdenterprises@qualityservice.com
hark212@hotmail.com
Telegram: @validvendors
icq: chat- 711343039
Hello Guy's
Fresh Fullz USA UK CANADA available now
Bulk quantity available
Valid & Guaranteed
SSN DOB DL ADDRESS EMPLOYEE & BANK ACCOUNT
NIN DOB ADDRESS ACCOUNT NUMBER SORT CODE
SIN DOB ADDRESS MMN PHONE EMAIL
DL SCAN PHOTOS FRONT BACK WITH SELFIE
CHILDREN FULLZ USA (2011-2023)
Dead Fullz
High Credit Scores Pros
CC with CVV & Billing Address
DL Fullz with Issue & Expiry Dates
DL Fullz with MVR
DL Fullz with front back with Selfie & SSN
& many more stuff available
Here you can find us:
@ killhacks - @ leadsupplier - Tele Gram
+1 7.2.7 7.8.8 6.1.2.9 - What's App
t.me/ leadsproviderworldwide - TG Channel
hacksp007 at gmail dot com - Email
*Be-aware from fake & Cloned usernames or ID
#SSN #SSNDOBDL #SellSSN #CCShop #CCSELLCVV #ShopSSNDOBDLADDRESS #FULLZ #SSNFULLZ
#REALDLSCAN #YoungAgeFullz #Fullzseller #USAFULLZ #FULLZUSA #SellerSSNDOB
#SIN #SINDOBDL #SellSIN #SINMMNFULLZ #MMNPROSSIN #MMNSIN #CCShop #CCSELLCVV #ShopSINDOBDLADDRESS #FULLZ #SINFULLZ
#REALDLSCAN #YoungAgeFullz #Fullzseller #CANADAFULLZ #FULLZCANADA
#NIN #NINDOBDL #SellNIN #CCShop #CCSELLCVV #ShopNINDOBDLADDRESS #FULLZ #NINFULLZ
#REALDLSCAN #YoungAgeFullz #Fullzseller #UKFULLZ #FULLZUK #SellerNINDOB #ShopNINDOB
SSN|NIN|SIN FULLZ BULK QUANTITY
USA|UK|CA Leads Crypto|Casino|Forex|Business|SweepStakes|Meidcal
UK & Canada DL Front back with Selfie
W-2 Forms with DL & SSN
Old & Young Fullz
Dumps with Pin Track 101 & 202
USA UK CA CC's with CVV
Fullz For KYC|Tax Return|SBA|PUA|Uber Eats|Door Dash|FASFA
Specific Fullz available (Gender|Age|City|States|Banks)
Bank Statements & Utility Bills
Business EIN Company Pros
All stuff will be valid & guaranteed
Invalid info will be replaced
No Refund, Only Replacement
Payment will be upfront & only in crypto
Post a Comment