Jump to content

Welcome to the new Traders Laboratory! Please bear with us as we finish the migration over the next few days. If you find any issues, want to leave feedback, get in touch with us, or offer suggestions please post to the Support forum here.

  • Welcome Guests

    Welcome. You are currently viewing the forum as a guest which does not give you access to all the great features at Traders Laboratory such as interacting with members, access to all forums, downloading attachments, and eligibility to win free giveaways. Registration is fast, simple and absolutely free. Create a FREE Traders Laboratory account here.

trader273

Finding Globex High and Low in Easylanguage

Recommended Posts

I was wondering if someone could help me out. I'm using OEC and trying to write a code that will draw a line for the globex high and globex low. I got it drawing from midnight, but just can't figure out how to get it when globex officially re-opens. EG 4:30pm EST for the ES as opposed to midnight. Any help is appreciated.

Share this post


Link to post
Share on other sites

Here's what I currently have:

 

Inputs: 
Globex_Start(0000), GLOBEX_END(930);

vars:
G_H(0), G_L(0);



//BEGIN CALCULATION OF GLOBEX HIGH AND LOW //
If Time=Globex_Start then begin
G_H=High;G_L=Low;
end;

If Time> Globex_Start and Time<=Globex_End then begin
If High>G_H then G_H=High;
if Low< G_L then G_L=low;
end;
//END CALCULATION OF GLOBEX HIGH AND LOW //



Plot1(G_H,"G-High");
Plot2(G_L,"G-Low");

 

This one gives me the high and low from midnight, I can't seem to figure out how to tell it to go the previous day and look to see if a low or high was there.

Share this post


Link to post
Share on other sites

you can declare a set of variables for the morning session, and a set of variables for the evening session.

 

e.g.

 

var:

G_morn_H(0),

G_morn_L(0),

 

G_even_H(0),

G_even_L(0);

 

then assign the respective highs and lows to the respective variables.

then plot the max of the 2 high variables, and the min of the 2 low variables.

 

 

This is the idea.

I will throw something together later tonight.

Share this post


Link to post
Share on other sites

Here is my version I am using. It is most likely not the best way of doing it as I am not a very efficient programmer and it is not 100% there. The minute between 23:59 and midnight is ignored, so you have a small chance of missing the high/low if it is made during that minute. I am only using it on time based charts, but I think it should work on tick and volume based charts too.

 

inputs:
StartTime1	(1530),
EndTime1	(2359),
StartTime2	(0000),
EndTime2	(0830),
PlotStartTime	(0830),
PlotEndtime	(1515),
TLSize		(1),
TLStyle	(1),
ONH_Color	(red),
ONL_Color	(green);


variables:
ON_High(0),
Plot_High(0),
ON_Low(999999999),
Plot_Low(0),
TL_ON_High(0),
TL_ON_Low(0),
ONH_Txt(0),
ONL_Txt(0),
TextStyleHoriz(1),	 	
TextStyleVert(1);		

If Time > PlotStartTime and Time[1] <= PlotStartTime then 
begin
Plot_High = ON_High;
Plot_Low = ON_Low;
ON_High = 0;
ON_Low = 999999999;
end;

if (Time >= StartTime1 and Time <= Endtime1) or (Time >= StartTime2 and Time <= EndTime2)  then
begin
if High > ON_High then ON_High = High; 
if Low < ON_Low then	On_Low = Low;
end ;

if Time > PlotStartTime then 
begin
TL_ON_High = TL_New(Date, PlotStartTime, Plot_High, Date, PlotEndTime, Plot_High);
	TL_SetColor(TL_ON_High, ONH_Color);
	TL_SetSize(TL_ON_High, TLSize);	
	TL_SetStyle(TL_ON_High, TLStyle);

TL_ON_Low = TL_New(Date, PlotStartTime, Plot_Low, Date, PlotEndTime, Plot_Low);
	TL_SetColor(TL_ON_Low, ONL_Color);
	TL_SetSize(TL_ON_Low, TLSize);	
	TL_SetStyle(TL_ON_Low, TLStyle);

ONH_Txt = Text_New(Date, PlotEndTime, Plot_High, "ONH");
	Text_SetStyle(ONH_Txt, TextStyleHoriz, TextStyleVert);	
	Text_SetColor(ONH_Txt, ONH_Color);

ONL_Txt = Text_New(Date, PlotEndTime, Plot_Low, "ONL");
	Text_SetStyle(ONL_Txt, TextStyleHoriz, TextStyleVert);	
	Text_SetColor(ONL_Txt, ONL_Color);
end;

Share this post


Link to post
Share on other sites

After posting the code above, I have been thinking about how to prevent the "missing minute" and I think the code below does this. The code above also assumed that the overnight session ends at the same time the regular session starts since I have coded it for the e-mini's. I think the code below will work if there is a gap between the overnight session end and regular session start.

 

I have not really tested this version other than briefly compared it to the previous one and there might be some logic errors in my thought process. Hopefully this will give you something to build on.

inputs:
StartTime	(1530),
EndTime	(0830),
PlotStartTime	(0830),
PlotEndtime	(1515),
TLSize		(1),
TLStyle	(1),
ONH_Color	(red),
ONL_Color	(green);


variables:
ON_High(0),
ON_Low(999999999),
TL_ON_High(0),
TL_ON_Low(0),
ONH_Txt(0),
ONL_Txt(0),
TextStyleHoriz(1),	 	
TextStyleVert(1),
Counter(0);

If Time > EndTime and Time[1] <= EndTime then 
begin
ON_High = 0;
ON_Low = 999999999; 
Counter = 1;

While Time[counter] > 0000 and date[counter] = Date begin
	if High[counter] > ON_High then ON_High = High[counter]; 
	if Low[counter] < ON_Low then On_Low = Low[counter];
	Counter = Counter + 1;
end;

While Time[counter] > StartTime begin
	if High[counter] > ON_High then ON_High = High[counter]; 
	if Low[counter] < ON_Low then On_Low = Low[counter];
	Counter = Counter + 1;
end;
end;

if Time > PlotStartTime then 
begin
TL_ON_High = TL_New(Date, PlotStartTime, ON_High, Date, PlotEndTime, ON_High);
	TL_SetColor(TL_ON_High, ONH_Color);
	TL_SetSize(TL_ON_High, TLSize);	
	TL_SetStyle(TL_ON_High, TLStyle);

TL_ON_Low = TL_New(Date, PlotStartTime, ON_Low, Date, PlotEndTime, ON_Low);
	TL_SetColor(TL_ON_Low, ONL_Color);
	TL_SetSize(TL_ON_Low, TLSize);	
	TL_SetStyle(TL_ON_Low, TLStyle);

ONH_Txt = Text_New(Date, PlotEndTime, ON_High, "ONH");
	Text_SetStyle(ONH_Txt, TextStyleHoriz, TextStyleVert);	
	Text_SetColor(ONH_Txt, ONH_Color);

ONL_Txt = Text_New(Date, PlotEndTime, ON_Low, "ONL");
	Text_SetStyle(ONL_Txt, TextStyleHoriz, TextStyleVert);	
	Text_SetColor(ONL_Txt, ONL_Color);
end;

Share this post


Link to post
Share on other sites

Here's a possibility rather than dividing the session in two it uses a flag for moving in to and out of globex hours. Just edited the original code and didn't test it but should work (or only need a minor tweak).

 

Inputs: 
Globex_Start(1615), GLOBEX_END(930);

vars:
G_H(0), G_L(0), Globex(false);

if not Globex and Time >= Globex_Start then begin
G_H=High; G_L=Low;
Globex = True;
end;

If Globex and Time >= GLOBEX_END then
Globex = false;

If Globex then begin	
If High>G_H then G_H=High;
if Low< G_L then G_L=low;
end;

Plot1(G_H,"G-High");
Plot2(G_L,"G-Low");

Share this post


Link to post
Share on other sites
Here's a possibility rather than dividing the session in two it uses a flag for moving in to and out of globex hours. Just edited the original code and didn't test it but should work (or only need a minor tweak).

 

Inputs: 
Globex_Start(1615), GLOBEX_END(930);

vars:
G_H(0), G_L(0), Globex(false);

if not Globex and Time >= Globex_Start then begin
G_H=High; G_L=Low;
Globex = True;
end;

If Globex and Time >= GLOBEX_END then
Globex = false;

If Globex then begin	
If High>G_H then G_H=High;
if Low< G_L then G_L=low;
end;

Plot1(G_H,"G-High");
Plot2(G_L,"G-Low");

 

Hi Blowfish

 

This is certainly much simpler, but I don't think this will work. This line:

 

If Globex and Time >= GLOBEX_END then

Globex = false;

 

will set Globex to false at 16:15 because 16:15 > 9:30 (globex_end). So at the first bar after 16:15 (globex_start), Globex is set to true with the first if statement and then immediately set to false with the next if statement.

Share this post


Link to post
Share on other sites
Hi Blowfish

 

This is certainly much simpler, but I don't think this will work. This line:

 

If Globex and Time >= GLOBEX_END then

Globex = false;

 

will set Globex to false at 16:15 because 16:15 > 9:30 (globex_end). So at the first bar after 16:15 (globex_start), Globex is set to true with the first if statement and then immediately set to false with the next if statement.

 

Your quite right I used >= so it would be OK with other chart types (tick,volume, range etc.) changing that to = will fix it for time based charts i think but it will not work for bar types that don't line up exactly with the start time and end time. Let me ponder a bit.

Share this post


Link to post
Share on other sites
Your quite right I used >= so it would be OK with other chart types (tick,volume, range etc.) changing that to = will fix it for time based charts i think but it will not work for bar types that don't line up exactly with the start time and end time. Let me ponder a bit.

 

Maybe if you change it to:

 

If Globex and Time >= GLOBEX_END and Time[1] < GLOBEX_END then

Globex = false;

 

it will work for non time based charts as well?

Share this post


Link to post
Share on other sites

Inputs: 
Session_Start(930), Session_End(1615);

vars:
G_H(0), G_L(0), Globex(false);

If Globex and Time >= Session_Start and time < Session_End then
Globex = false;

if not Globex and Time >= Session_End then begin // Should only execute first tick of Globex session
G_H=High; G_L=Low;
Globex = True;
end;

If Globex then begin	
If High>G_H then G_H=High;
if Low< G_L then G_L=low;
end;

Plot1(G_H,"G-High");
Plot2(G_L,"G-Low");

 

Hows that? Might still be wrong as I don't have Multicharts to test on right now. (and I have tied my brain in a knot too but it seems plausible!)

 

It is looking for regular session first and resetting on regular session end. (I changed the variables to session start/end rather than globex start end as I find that easier to visualise.)

Share this post


Link to post
Share on other sites
Maybe if you change it to:

 

If Globex and Time >= GLOBEX_END and Time[1] < GLOBEX_END then

Globex = false;

 

it will work for non time based charts as well?

 

That may well work too, I am not sure about tick and constant volume I think it might be possible to have two bars with the same time stamp.

Share this post


Link to post
Share on other sites

 

Hows that? Might still be wrong as I don't have Multicharts to test on right now. (and I have tied my brain in a knot too but it seems plausible!)

 

It is looking for regular session first and resetting on regular session end. (I changed the variables to session start/end rather than globex start end as I find that easier to visualise.)

 

This one works like a charm and much to my dismay for the hours I have spent on my version, is much simpler too. :)

Maybe my version can be used as an example on how not to overcomplicate things...

Share this post


Link to post
Share on other sites
This one works like a charm and much to my dismay for the hours I have spent on my version, is much simpler too. :)

Maybe my version can be used as an example on how not to overcomplicate things...

 

Excellent! I was probablly the worlds worst programmer when I started out (if thats any comfort). The first proper job I had after university they sent me to be re-trained on the stuff I was supposed to know. Like most things the way to get better at coding is to code. No surprises there then.

Share this post


Link to post
Share on other sites

Thanks everyone for your help. I got the code that blowfish had to compile in MC, unfortunately it wont compile in OEC. I have attached the errors that it gives me. Anyone got any ideas?

 

30iudmt.png

Share this post


Link to post
Share on other sites

Just out of interest are Globex extremes still good to trade against? I used too in the ES with fairly good effect. Not sure why I removed them from my charts to be honest. I guess there are so many lines that 'work' often enough to be useful. Are you using them as potential S/R areas? Maybe now I have the indicator I should watch them again!

Share this post


Link to post
Share on other sites
Just out of interest are Globex extremes still good to trade against? I used too in the ES with fairly good effect. Not sure why I removed them from my charts to be honest. I guess there are so many lines that 'work' often enough to be useful. Are you using them as potential S/R areas? Maybe now I have the indicator I should watch them again!

 

BF - I watch those areas on the bonds and indexes for sure. If nothing else, good to know where the highest high and lowest low held in overnight hours. To me that shows that the bulls or bears were willing to step in right there and there's a chance they'll do it again.

 

As w/ anything, see how it works for you first.

Share this post


Link to post
Share on other sites

Yeah they always 'worked' for me in the past. There are so many valid lines you can put on your charts that 'work' though. Confluence is always interesting and tends to add weight, for example if the globex high is at yesterdays POC and last weeks mid point.

 

Instinctively the Globex levels will be 'fresher' having just occurred but perhaps less significant as they tend to form on low(ish) volume. e.g A 3 day H/L represents a longer struggle with more protagonists.

Share this post


Link to post
Share on other sites

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Reply to this topic...

×   Pasted as rich text.   Paste as plain text instead

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.


  • Topics

  • Posts

    • Date: 7th April 2025.   Asian Markets Plunge as US-China Trade War Escalates; Wall Street Futures Signal Further Turmoil.   Global financial markets extended last week’s massive sell-off as tensions between the US and its major trading partners deepened, rattling investors and prompting sharp declines across equities, commodities, and currencies. The fallout from President Trump’s sweeping new tariff measures continued to spread, raising fears of a full-blown trade war and economic recession.   Asian stock markets plunged on Monday, extending a global market rout fueled by rising tensions between the US and China. The latest wave of aggressive tariffs and retaliatory measures has unnerved investors worldwide, triggering sharp sell-offs across the Asia-Pacific region.   Asian equities led the global rout on Monday, with dramatic losses seen across the region. Japan’s Nikkei 225 index tumbled more than 8% shortly after the open, while the broader Topix fell over 6.5%, recovering only slightly from steeper losses. In mainland China, the Shanghai Composite sank 6.7%, and the blue-chip CSI300 dropped 7.5% as markets reopened following a public holiday. Hong Kong’s Hang Seng Index opened more than 9% lower, reflecting deep concerns about escalating trade tensions.           South Korea’s Kospi dropped 4.8%, triggering a circuit breaker designed to curb panic selling. Taiwan’s Taiex index collapsed by nearly 10%, with major tech exporters like TSMC and Foxconn hitting circuit breaker limits after each fell close to 10%. Meanwhile, Australia’s ASX 200 shed as much as 6.3%, and New Zealand’s NZX 50 lost over 3.5%.   Despite the escalation, Beijing has adopted a measured tone. Chinese officials urged investors not to panic and assured markets that the country has the tools to mitigate economic shocks. At the same time, they left the door open for renewed trade talks, though no specific timeline has been set.   US Stock Futures Plunge Ahead of Monday Open   US stock futures pointed to another brutal day on Wall Street. Futures tied to the S&P 500 dropped over 3%, Nasdaq futures sank 4%, and Dow Jones futures lost 2.5%—equivalent to nearly 1,000 points. The Nasdaq Composite officially entered a bear market on Friday, down more than 20% from its recent highs, while the S&P 500 is nearing bear territory. The Dow closed last week in correction. Oil prices followed suit, with WTI crude dropping over 4% to $59.49 per barrel—its lowest since April 2021.   Wall Street closed last week in disarray, erasing more than $5 trillion in value amid fears of an all-out trade war. The Nasdaq Composite officially entered a bear market on Friday, sinking more than 20% from its recent peak. The S&P 500 is approaching bear territory, and the Dow Jones Industrial Average has slipped firmly into correction territory.   German Banks Hit Hard Amid Escalating Trade Tensions   German banking stocks were among the worst hit in Europe. Shares of Commerzbank and Deutsche Bank plunged between 9.5% and 10.3% during early Frankfurt trading, compounding Friday’s steep losses. Fears over a global trade war and looming recession are severely impacting the financial sector, particularly export-driven economies like Germany.   Eurozone Growth at Risk   Eurozone officials are bracing for economic fallout, with Greek central bank governor Yannis Stournaras warning that Trump’s tariff policy could reduce eurozone GDP by up to 1%. The EU is preparing retaliatory tariffs on $28 billion worth of American goods—ranging from steel and aluminium to consumer products like dental floss and luxury jewellery.   Starting Wednesday, the US is expected to impose 25% tariffs on key EU exports, with Brussels ready to respond with its own 20% levies on nearly all remaining American imports.   UK Faces £22 Billion Economic Blow   In the UK, fresh research from KPMG revealed that the British economy could shrink by £21.6 billion by 2027 due to US-imposed tariffs. The analysis points to a 0.8% dip in economic output over the next two years, undermining Chancellor Rachel Reeves’ growth agenda. The report also warned of additional fiscal pressure that may lead to future tax increases and public spending cuts.   Wall Street Braces for Recession   Goldman Sachs revised its US recession probability to 45% within the next year, citing tighter financial conditions and rising policy uncertainty. This marks a sharp jump from the 35% risk estimated just last month—and more than double January’s 20% projection. J.P. Morgan issued a bleaker outlook, now forecasting a 60% chance of recession both in the US and globally.   Global Leaders Respond as Trade Tensions Deepen   The dramatic market sell-off was triggered by China’s sweeping retaliation to a new round of US tariffs, which included a 34% levy on all American imports. Beijing’s state-run People’s Daily released a defiant statement, asserting that China has the tools and resilience to withstand economic pressure from Washington. ‘We’ve built up experience after years of trade conflict and are prepared with a full arsenal of countermeasures,’ it stated.   Around the world, policymakers are responding to the growing threat of a trade-led economic slowdown. Japanese Prime Minister Shigeru Ishiba announced plans to appeal directly to Washington and push for tariff relief, following the US administration’s decision to impose a blanket 24% tariff on Japanese imports. He aims to visit the US soon to present Japan’s case as a fair trade partner.   In Taiwan, President Lai Ching-te said his administration would work closely with Washington to remove trade barriers and increase purchases of American goods in an effort to reduce the bilateral trade deficit. The island's defence ministry has also submitted a new list of US military procurements to highlight its strategic partnership.   Economists and strategists are warning of deeper economic consequences. Ronald Temple, chief market strategist at Lazard, said the scale and speed of these tariffs could result in far more severe damage than previously anticipated. ‘This isn’t just a bilateral conflict anymore — more countries are likely to respond in the coming weeks,’ he noted.   Analysts at Barclays cautioned that smaller Asian economies, such as Singapore and South Korea, may face challenges in negotiating with Washington and are already adjusting their economic growth forecasts downward in response to the unfolding trade crisis.           Oil Prices Sink on Demand Concerns   Crude oil continued its sharp slide on Monday, driven by recession fears and weakened global demand. Brent fell 3.9% to $63.04 a barrel, while WTI plunged over 4% to $59.49—both benchmarks marking weekly losses exceeding 10%. Analysts say inflationary pressures and slowing economic activity may drag demand down, even though energy imports were excluded from the latest round of tariffs.   Vandana Hari of Vanda Insights noted, ‘The market is struggling to find a bottom. Until there’s a clear signal from Trump that calms recession fears, crude prices will remain under pressure.’   OPEC+ Adds Further Pressure with Output Hike   Bearish sentiment intensified after OPEC+ announced it would boost production by 411,000 barrels per day in May, far surpassing the expected 135,000 bpd. The alliance called on overproducing nations to submit compensation plans by April 15. Analysts fear this surprise move could undo years of supply discipline and weigh further on already fragile oil markets.   Global political risks also flared over the weekend. Iran rejected US proposals for direct nuclear negotiations and warned of potential military action. Meanwhile, Russia claimed fresh territorial gains in Ukraine’s Sumy region and ramped up attacks on surrounding areas—further darkening the outlook for markets.   Always trade with strict risk management. Your capital is the single most important aspect of your trading business.   Please note that times displayed based on local time zone and are from time of writing this report.   Click HERE to access the full HFM Economic calendar.   Want to learn to trade and analyse the markets? Join our webinars and get analysis and trading ideas combined with better understanding of how markets work. Click HERE to register for FREE!   Click HERE to READ more Market news.   Andria Pichidi HFMarkets   Disclaimer: This material is provided as a general marketing communication for information purposes only and does not constitute an independent investment research. Nothing in this communication contains, or should be considered as containing, an investment advice or an investment recommendation or a solicitation for the purpose of buying or selling of any financial instrument. All information provided is gathered from reputable sources and any information containing an indication of past performance is not a guarantee or reliable indicator of future performance. Users acknowledge that any investment in Leveraged Products is characterized by a certain degree of uncertainty and that any investment of this nature involves a high level of risk for which the users are solely responsible and liable. We assume no liability for any loss arising from any investment made based on the information provided in this communication. This communication must not be reproduced or further distributed without our prior written permission.
    • AMZN Amazon stock watch, good buying (+313%) toi hold onto the 173.32 support area at https://stockconsultant.com/?AMZN
    • META stock watch, local support and resistance areas at 507.48, 557.84 at https://stockconsultant.com/?META
    • TMUS T-Mobile stock, watch for a top of range breakout at https://stockconsultant.com/?TMUS
    • KULR KULR Technology stock watch, pullback to 1.25 triple support area with bullish indicators at https://stockconsultant.com/?KULR
×
×
  • Create New...

Important Information

By using this site, you agree to our Terms of Use.