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.

AgeKay

Data Feed with API for Order Book Analysis

Recommended Posts

I am looking for a data feed with an API that allows me to do order book analysis on Eurex. This requires a data feed with an API that allows one to enumerate every single order book update (including trades) in the order it occurred. An added plus would be exchange time stamps with high resolution (i.e. milliseconds or smaller).

 

To do this for Eurex, that means that the vendor either has to subscribe directly to the Enhanced Broadcast Solution (EBS) at Eurex [members only so unlikely that vendors subscribe to it] or to the CEF ultra+ Eurex feed from Deutsche Börse (this is basically just EBS + trade recovery) [for non-members such as vendors]. I could find only a handful of vendors on the website of Deutsche Börse that are connected to the CEF ultra+ Eurex feed (one of them is CQG).

 

Another important part is that the API must allow one to receive order book updates and trades in a synchronous manner so that the correct order of events can be ensured. Also no updates may be missed when the thread that the event handler is raised on is blocked (e.g. due to long processing) [i.e. the API instead queues those updates].

 

The only data vendor I've found so far that seems to meet both these requirements is CQG (waiting for confirmation from CQG). Please share your experience with their API if you have any.

 

Are there any other out there besides CQG that meet my requirements?

Share this post


Link to post
Share on other sites

Zen-Fire should do this, or at least seems to based on my usage of the API - even though I never used it for the level 2 feed (order book).

 

Although I very strongly recommend that you don't block the API even if you don't want to process the events immediately (ie you need guaranteed synchronous processing). I used a thread to pull the events from the API and place them in a local memory queue (actually a Queue in C#) and then processed them from that queue. If the API itself does it, all good and well - I'm just saying that it's not a requirement and none that I know do it (most APIs are geared towards technologically advanced users, all of which have their own methods for synchronising threads and prefer to retain control over it).

 

Best part: Zen-Fire API access is free. Can't comment on quality of data though.

Share this post


Link to post
Share on other sites

Thank you for your detailed response gooni. Zen-Fire is a very fast feed which is excellent for execution but based on Fulcrum's investigations its data not always complete.

 

Thank you also for the heads up for not blocking the API. I don't do that anyway and always queue all events to be processed on another thread. The reason for this being a requirement is to make sure that the API does not miss any data during fast markets because even if you immediately pull the data and queue it, you can miss data if the API does not queue unprocessed data. At least that was my experience with the X_Trader API because their feed is also optimized for execution like Zen-Fire. On the other hand, I never miss any data from IQFeed sockets API but it's not connected to the data feeds I mentioned above (it's connected to CEF Core from Deutsche Börse that delivers netted order book data).

Share this post


Link to post
Share on other sites

No problems AgeKay, just wanted to be sure you understood the difference between the API blocking and your event thread queuing.

 

Regarding Zen-Fire, the suggestion from FulcrumTrader is that the order book updates might come out of sequence with regards to the trades themselves, causing a mild discrepancy that over time could build up when one is doing bid-ask cumulative delta work.

 

However, you need to ask yourself whether this affects you. If you look at, say, a Ninja DOM when connected to Zen-Fire, the frequency of updates is quite good. Is this guaranteed to be in the same order that is disseminated by the exchange? I'd be amazed if it was. But is it good enough for what you want to do, given that it's free and easy to program to?

 

As always, it might be more prudent trying what's free and easy before attempting to expensively solve a problem you may never have.

Share this post


Link to post
Share on other sites

gooni, thanks again for your concern.

 

For the kind of analysis I want to do I actually do need a "perfect" feed with all order book updates that can be enumerated in the order they were received. I've done lots of research for this already and unfortunately haven't found anything cheap that meets my requirements. I am not surprised though considering that this is pretty high-end analysis that I want to do (think what algos do). I actually just got confirmation from CQG that they do meet my requirements and they cost about as much as X_Trader and their API is cheaper than TT's API.

 

I've already implemented the order book visualization which would show me "interesting" behaviour in the order book, unfortunately it wasn't as helpful even though it was connected to feeds that are considered "good" for trading because I was missing lots of data (I could actually see that things were not adding up). If I get the feed I am looking for, then I am literally not going to miss anything going on in the order book, which would enable me to see things that guys like UrmaBlume are looking for.

Share this post


Link to post
Share on other sites
Zen-Fire should do this, or at least seems to based on my usage of the API - even though I never used it for the level 2 feed (order book).

 

Although I very strongly recommend that you don't block the API even if you don't want to process the events immediately (ie you need guaranteed synchronous processing). I used a thread to pull the events from the API and place them in a local memory queue (actually a Queue in C#) and then processed them from that queue. If the API itself does it, all good and well - I'm just saying that it's not a requirement and none that I know do it (most APIs are geared towards technologically advanced users, all of which have their own methods for synchronising threads and prefer to retain control over it).

 

Best part: Zen-Fire API access is free. Can't comment on quality of data though.

 

I just started with Zenfire and C#. I have ticks running into a grid last, BB & BA no 'level II' yet. I am kind of learning it all as I go along. I came to a similar conclusion.....have a single queue for ticks that raises events for interested methods. Zen is not thread safe but using a single queue and then multi threaded from there on seems like the right way to proceed. Time to read the multi thread chapters of 'CLR via C#'. I have to say it seems like a massively complex environment. One thing that occurs to me is that there is no way to know if a race condition can occur within the Zen API itself.

Share this post


Link to post
Share on other sites
Time to read the multi thread chapters of 'CLR via C#'. I have to say it seems like a massively complex environment.

 

I find multi-threading one of the hardest things to do. Debugging a threading problem is nightmare but VS 2010 supposedly makes it much easier (still using VS 2008). The best tutorial of threading in C# is this. Try to keep it simple. Most of the time, all you need to do is to prevent a piece of code from being entered by two threads at the same time to ensure data you access is the same it was when you entered that piece of code. You can use the 'lock' keyword on any instance of a reference type to do that. All the other times, I just use a 'ConsumerThread' class I developed that consumes data on another thread.

 

One thing that occurs to me is that there is no way to know if a race condition can occur within the Zen API itself.

 

This can only happen if they raise events on different threads. If they always raise events on the same thread, then no race condition. Best to just ask them.

Share this post


Link to post
Share on other sites
The best tutorial of threading in C# is this.

This is the tutorial I used when writing my Zen-Fire API connector (C#). Can't recommend it highly enough. If you'd like some code, PM me.

 

Since I come from a messaging/integration background, I naturally created a single 'hub' that would receive ticks from Zen-Fire, and I then distribute to interested 'tick sinks' (which are plugins). Some tick sinks are files, others are the console itself, others are trading programs etc. This saves having to rewrite sections of code and manage multiple connections.

 

By far the largest issue was reconnection after a connection failure. The API is meant to take care of it internally, but it simply doesn't always work. I had to resort to actually killing my daemon and restarting it. This works nicely :)

 

Note that Zen-Fire is definitely not thread-safe. All access to its events etc should be single threaded. This is especially important for GUI applications (which I try and avoid).

Share this post


Link to post
Share on other sites

I seem to keep hijacking threads with this .net stuff. Perhaps I should start a 'roll your own with .net c#'.

 

Anyway coming from a background of linked lists pointers procedures etc. I am finding it quite hard to 'unlearn' and actually start thinking in OO. I have looked at (and read chunks of) various books in series that I have liked in the past. Most are heavy going (even the 'beginners' ones) with page counts in thousands. That site is refreshingly concise. Another one that I came across that clicked in a similar way is at brainbell C Sharp Tutorials I have just got to the multi-threading section so can't comment on that but have had several aha moments up to that point.

Share this post


Link to post
Share on other sites

I don't mind you hijacking my thread. I've put this one hold as it seems that CQG doesn't meet one of my requirements after talking to them. I have to work on my own trading as that has been going downhill lately. .NET is massive and there is no one who knows everything about it, just many experts for one or two domains. I've been programming exclusively in .NET since its introduction (7-8 years ago) and I am still having problems catching up with all the new stuff they keep introducing (I am still using .NET 3.5/ C# 3 / VS 2008 and haven't had a chance too look much at the .NET 4 / C# 4 / VS 2010 stuff). Learning the C# language is the easy part as it's basically like any other OO languages plus very cool features that it stole and improved upon from other languages. The only thing that might take some time to wrap your head around is generics when there are multiple nested type parameters involved, but the concept is similar to templates in C++, just much better. The framework itself includes so much that it's unlikely that you'll learn (or even need) more than 10% of it. Just stick with the newest technologies for each domain. E.g. use WPF instead of Windows Forms, ASP.NET MVC2 instead of ASP.NET Web Controls, etc.

 

Also, get Resharper, I would refuse to develop software without it. Some people find CodeRush also very useful, but I've never really tried it.

Share this post


Link to post
Share on other sites

Uncanny how you answer some of my questions before I asked them :) one of them being forms vs WPF. Everything screams WPF except forms just seem so much easier not to mention there are loads of open source libraries whereas the WPF ones seem to be about a grand and a half a pop.

 

Yeah it became apparent to me early on that it is pretty much all about the framework rather than the language however c# seems like the best tool to generate IL.

Share this post


Link to post
Share on other sites

Win Forms were introduced with .NET 1.1 and only updated in .NET 2.0. It's been WPF since .NET 3.0 (before .NET 4.0 there was also a .NET 3.5 release) so you can't expect much support for Win Forms in the future. Silverlight is also basically just a cut down version of WPF so it pays off to know it. WPF is initially harder to understand because it does a lot of "magic". You should know that you don't even need to use XAML to use WPF. XAML is just transformed to code during compilation anyway. I am not a big fan of books when it comes to technology (because they get outdated so quickly) but you should definitely read "Windows Presentation Foundation Unleashed" by Adam Nathan if you want to use WPF, it's the only software development book I still own. I didn't really "get" WPF and how it does its "magic" until I read that book and it's the best software development book I've read in years.

Share this post


Link to post
Share on other sites

I am looking for a good broker with API connection to connect to Tradestation to trade FDax and other stocks with system. I like to work with Zen-Fire and Nijatrader but I learned that I have to invest 1500 bucks for a multi broker version to work with API and a broker.

 

Does anybody have an idea how I can save the 1500 or is there no way out?

Share this post


Link to post
Share on other sites

I've already implemented the order book visualization which would show me "interesting" behaviour in the order book, unfortunately it wasn't as helpful even though it was connected to feeds that are considered "good" for trading because I was missing lots of data (I could actually see that things were not adding up).

 

Before getting too deep into this, I think you should question a lot of assumptions you are making here first...

How can you be so sure the feed was the problem?

My thinking on the book has always been polluted by that action market theory guy that runs a trading room with some quote that "the book is just noise until a trade happens"...

While obviously the book is far from "noise" if we were all trading at equal time frames and with equal data feed latency, I do think he is correct that from his time frame and data latency, thinking of the book as anything but noise is foolish.

Max Dama on Automated Trading: Current Competitive Latency

If you look at that visualization, to even start to get a clear picture of the book its going to cost you 10-50k a month for a data feed....even though latency arbs are skimming off the top and distorting things and it seems obvious that zenfire themselves are certainly the slowest of the slow on there, no matter how fast they ship it to you once they get the data...

I've started shifting my thinking that this retail obsession over "true tick data", aggregated data?? BOOOOO...

Obviously execution speed matters a ton, but since the highest end is operating on microsecond time frames..you might be better off with aggregated data that has some millisecond aggregation built in to keep you out of this fools game of trying to beat guys that are so so far ahead of the curve and just picking off the most obvious rare setups.

Share this post


Link to post
Share on other sites
Anyway coming from a background of linked lists pointers procedures etc. I am finding it quite hard to 'unlearn' and actually start thinking in OO. I have looked at (and read chunks of) various books in series that I have liked in the past.

 

Maybe you are getting hung up on programming your own classes? Or at least on how to override a class?

I'm so glad I'm a 1999, dot com, CS dropout...OOP makes sense to build huge programs like windows, linked list pointers make sense to handle computation on machines in 1985 because memory management mattered.

Now? Who cares...

To me its a real shame CS hasn't evolved to be "the study of writing algorithms for parallel computation" at this point. Hardware has practically brute forced to meaningless the science part of 1999 CS...Academia is obviously not the most efficient market though for such things.

Don't waste your time learning to "think" in OOP...its a total waste of time given the scale of the project you will ever work on in the markets.

You should really consider learning R or matlab...steal from better programmers/bigger shut ins than you will ever be..

Great quote from the hack the market blog i posted in the other thread on here:

"“Good programmers write good programs. Great programmers steal good programs.”"

 

I would change that to "great programmers steal great algorithms"...No one here is geeky enough to "take out" anyone who has wrote a matlab or R function...

Edited by natedredd10

Share this post


Link to post
Share on other sites
"“Good programmers write good programs. Great programmers steal good programs.”"

 

(OT)

 

and...

 

Good traders don't scalp.

Great traders ... (fill in the blank).

 

LOL

Share this post


Link to post
Share on other sites
Before getting too deep into this, I think you should question a lot of assumptions you are making here first...

 

You're making a lot more assumptions than I do. My visualization is based on the order matching principles of the exchange.

 

How can you be so sure the feed was the problem?

 

The data just didn't add up. I then asked data providers and they confirmed it.

 

If you look at that visualization, to even start to get a clear picture of the book its going to cost you 10-50k a month for a data feed....

 

like you knew anything about my visualization. A direct connection with the exchange would be 10k, not more. The problem with other feeds that provide the same data is not that they don't get it, but their APIs do not support what I wanted to do.

 

 

even though latency arbs are skimming off the top and distorting things and it seems obvious that zenfire themselves are certainly the slowest of the slow on there, no matter how fast they ship it to you once they get the data...

 

did you read that in a chat room too? Reasonable latency does not matter as long as you get the complete data in the right order. The human eye/brain takes much longer to process the data than any expected latency.

 

you might be better off with aggregated data that has some millisecond aggregation built in to keep you out of this fools game of trying to beat guys that are so so far ahead of the curve and just picking off the most obvious rare setups.

 

Making a comment like that and the earlier comment just shows how little research you have done yourself and how little knowledge and experience you have with the order book and order matching algorithms. Please refrain from posting your useless comments unless your ideas are original or YOU have made the experience yourself (i.e. not other sources).

Share this post


Link to post
Share on other sites
I'm so glad I'm a 1999, dot com, CS dropout...

 

So you're saying that you haven't programmed for 10 years and you think you can comment on what technologies someone should use?

 

OOP makes sense to build huge programs like windows, linked list pointers make sense to handle computation on machines in 1985 because memory management mattered.

 

OOP always makes sense when you need to model something. You need to use the right tools for the right job. You also still need to know data structures like linked lists to decide which data structure is the best in terms of performance / memory for what you need to do. Btw, memory management still matters, it's just a lot easier nowadays.

 

To me its a real shame CS hasn't evolved to be "the study of writing algorithms for parallel computation" at this point. Hardware has practically brute forced to meaningless the science part of 1999 CS...Academia is obviously not the most efficient market though for such things.

 

The real shame is that you have no idea what you're talking about. Academia is always many years behind current technology. Concurrency is important today but what is the point of studying its algorithms? Microsoft and other companies have already solved the problem and you bet you they do it better than a professor could teach at a college. You just have to know how and when to use them - not how they work, this applies to pretty much any technology nowadays, including data structures.

 

No one here is geeky enough to "take out" anyone who has wrote a matlab or R function...

 

You confuse programmers with mathematicians.

Share this post


Link to post
Share on other sites

Jeez guys ... I thought that of all the conversations here this would be one of the most civilized. Why can't you bring this passion to the scammers who turn up here trying to sell us stuff?

 

An interesting discussion despite the emotion though so thanks :)

Share this post


Link to post
Share on other sites
Maybe you are getting hung up on programming your own classes? Or at least on how to override a class?

 

I don't believe so. (though I mist admit I am mixing in some of the issues with 'managed frameworks') I just find it counter-intuitive to 'think' in the OOP paradigm at all. Having written code for over 30 years I like to think I am capable of writing pretty tight, efficient and re-usable stuff. I am fortunate enough to have learnt tricks and techniques (plagiarised if you like :)). from some pretty smart guys. They (we) where using many of the ideas adopted by oops way back then.The key difference was that the data and routines that acted on it where not encapsulated by the compiler (I should say assembler). In fact none of the principles where forced by the compiler. Hell often there was no operating system (let alone a frame work to manage your code). Straight jackets are pretty good for preventing certain patients from harming themselves, interestingly bad programmers will still find a way to gurt themselves despite the OOP straight jacket. :D

Share this post


Link to post
Share on other sites

You should really consider learning R or matlab...steal from better programmers/bigger shut ins than you will ever be...

 

I agree with AK you assume far too much about everyone else's objectives and their ability to achieve them. There are people that are doing/have done stuff that you are obviously simply reading about. you will never fully discover what can or can not be done or the best way to do it simply reading about things.

 

I can't imagine why on earth one would want to learn R or matlab. With a view to what exactly? (I have looked at their source code to steal some very specific algorithms and guess what? a) they didn't have exactly what I required & b) I found their implementations of similar function where far from optimal!). I usually know exactly what I want to do before I look at tools (though I am not adverse to playing with stuff to see how it works). Having said that I would certainly not presume to tell people what they should be doing based on stuff I had simply played with.

Share this post


Link to post
Share on other sites

I can't imagine why on earth one would want to learn R or matlab.

 

I can't imagine why you would not. Top of the food change prototype ideas there because of speed of getting things done and testing new shit.

Here is a R package for Ralph Vince's Leverage Space Portfolio Model...

R-Forge: Leverage Space Portfolio Modeler: Project Info

functions to explore his 2009 book...Maybe its worth something, maybe its not..

Makes way more sense to me than writing your own functions to explore such an idea.

If you want to wait for public C# or C++ code then give it 10-20 years.

Anything new and interesting will come out for you to rob in R or matlab first..

Here is a 100 tick boxplot chart of some tick data from 2004 ES...Maybe there is something there, maybe there is not..

Took more time to format the data because of my ignorance than the simple call to a function in matlab to plot the data...

Edited by natedredd10

Share this post


Link to post
Share on other sites
I can't imagine why you would not.

 

Because I am not interested in modelling portfolio risk. If I was, there are much much easier ways that are more than adequate. I would caution anyone from dicking around with modelling tools unless they have a very clear and well defined purpose. One of the reasons that traders never get going (let alone fail) is that they do not work purposefully towards specific goals or the goals are not actually appropriate to advance them along the path to 'successful trading'

 

I do wonder if you really are familiar with these tools (to be honest it doesn't sound like it)? Your "waiting 10-20 years" comment is nonsense, R is open source so it's all available now and guess what? ... if you use a licensed copy of Matlab MathWorks will provide details of algorithms and even chunks of source code.

 

As I asked before I am interested in what you are using Matlab / R for?

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.


  • Similar Content

    • By Analytics
      Hello all,
      I'm new here so be gentle if I've posted something incorrect. I'm looking for a data feed or API (push or pull at this point) that provides the ability to pull trades based on any set of criteria. All services I am looking at require a Symbol at least. I'm looking for the ability to ADHOC query on any field on the trade or quote and then be able to analyse the information I'm getting, tweak my parameters, to narrow down to symbols I want to watch or monitor. 
      I will be building this within a .net framework so something that works nicely with .net is a plus but at this point I'll code around the difficulties if I find a solution that provides this functionality. 
      Does anyone know if this exists?
      Thanks!
  • Topics

  • Posts

    • TDUP ThredUp stock, watch for a top of range breakout above 2.94 at https://stockconsultant.com/?TDUP
    • TDUP ThredUp stock, watch for a top of range breakout above 2.94 at https://stockconsultant.com/?TDUP
    • NFLX Netflix stock watch, local support and resistance areas at 838.12 and 880.5 at https://stockconsultant.com/?NFLX
    • Date: 8th April 2025.   Markets Rebound Cautiously as US-China Tariff Tensions Deepen     Global markets staged a tentative recovery on Tuesday following a wave of volatility sparked by escalating trade tensions between the United States and China. The Asia-Pacific region showed signs of stability after a chaotic start to the week—though some pockets remained under pressure. Taiwan’s Taiex dropped 4.4%, dragged lower by losses in tech heavyweight TSMC. The world’s largest chipmaker fell another 4% on Tuesday and has now slumped 13.5% since April 2, when US President Donald Trump first unveiled what he called ‘Liberation Day’ tariffs.   However, broader sentiment across the region turned more positive, with several markets rebounding sharply after Monday’s dramatic sell-offs. Japan’s Nikkei 225 surged over 6% in early trading, rebounding from an 18-month low. South Korea’s Kospi rose marginally, and Australia’s ASX 200 gained 1.9%, driven by strength in mining stocks. Hong Kong’s Hang Seng rose 1.6%, though still far from recovering from Monday’s 13.2% crash—its worst day since the 1997 Asian financial crisis. China’s Shanghai Composite added 0.9%.   In Europe, DAX and FTSE 100 are up more than 1% in opening trade. EU Commission President von der Leyen repeated yesterday that the EU had offered reciprocal zero tariffs on manufactured goods previously and continues to stand by that offer. Others are also trying again to talk to Trump to get some sort of agreement that limits the impact.   Much of the rally appeared to be driven by dip-buying, as well as hopes that the intensifying trade war could still be defused through negotiations.   China Strikes Back: ‘We Will Fight to the End’   Tensions reached a boiling point after Trump threatened to impose an additional 50% tariff on all Chinese imports unless Beijing rolled back its retaliatory measures by April 8. ‘If China does not withdraw its 34% increase above their already long-term trading abuses by tomorrow... the United States will impose additional tariffs on China of 50%,’ Trump declared on social media.   If implemented, the new tariffs would bring total US duties on Chinese goods to a staggering 124%, factoring in the existing 20%, the 34% recently announced, and the proposed 50%.   In response, China’s Ministry of Commerce issued a stern warning, stating: ‘The US threat to escalate tariffs is a mistake on top of a mistake... If the US insists on its own way, China will fight to the end.’ The ministry also called for equal and respectful dialogue, though signs of compromise on either side remain scarce.   Beijing acted quickly to contain a market fallout. State funds intervened to support equities, and the People’s Bank of China set the yuan fixing at its weakest level since September 2023 to boost export competitiveness. Additionally, five-year interest rate swaps in China fell to their lowest levels since 2020, indicating potential for further monetary easing.   Trump Talks Tough on EU Too   Trump’s hardline approach extended beyond China. Speaking at a press conference, he rejected the European Union’s offer to eliminate tariffs on cars and industrial goods, accusing the bloc of ‘being very bad to us.’ He insisted that Europe would need to source its energy from the US, claiming the US could ‘knock off $350 billion in one week.’   The EU, meanwhile, backed away from a proposed 50% retaliatory tariff on American whiskey, opting instead for 25% duties on selected US goods in response to Trump’s steel and aluminium tariffs.     Volatile Wall Street Adds to the Drama   Wall Street experienced wild swings on Monday as investors processed the rapidly evolving trade conflict. The S&P 500 briefly fell 4.7% before rebounding 3.4%, nearly erasing its losses in what could have been its biggest one-day jump in years—if it had held. The Dow Jones Industrial Average sank by as much as 1,700 points early in the day but later climbed nearly 900 points before closing 349 points lower, down 0.9%. The Nasdaq ended up 0.1%.   The brief rally was fueled by a false rumour that Trump was considering a 90-day pause on tariffs—rumours that the White House quickly labelled ‘fake news.’ The market's sharp reaction underscored how desperate investors are for any sign that tensions might ease.   Oil Markets in Focus: Goldman Sachs Revises Forecasts   Crude prices also reflected the uncertainty, with US crude briefly dipping below $60 per barrel for the first time since 2021. As of early Tuesday, Brent crude was trading at $64.72, while WTI hovered around $61.26.   Goldman Sachs, in a note dated April 7, lowered its average price forecasts for Brent and WTI through 2025 and 2026, citing mounting recession risks and the potential for higher-than-expected supply from OPEC+.       Under a base-case scenario where the US avoids a recession and tariffs are reduced significantly before the April 9 implementation date, Goldman sees Brent at $62 per barrel and WTI at $58 by December 2025. These figures fall further to $55 and $51, respectively, by the end of 2026. This outlook also assumes moderate output increases from eight OPEC+ countries, with incremental boosts of 130,000–140,000 barrels per day in June and July.   However, should the US slip into a typical recession and OPEC production aligns with the bank’s baseline assumptions, Brent could retreat to $58 by the end of this year and to $50 by December 2026.   In a more bearish scenario involving a global GDP slowdown and no change to OPEC+ output levels, Brent prices might fall to $54 by year-end and $45 by late 2026. The most extreme projection—based on a simultaneous economic downturn and a full reversal of OPEC+ production cuts—would see Brent plunge to below $40 per barrel by the end of 2026.   Goldman noted that oil prices could outperform forecasts significantly if there was a dramatic shift in tariff policy and a surprise in global demand recovery.   Cautious Optimism, But Warnings Persist   With both Washington and Beijing showing no signs of backing down, markets are likely to remain volatile in the days ahead. Investors now turn their attention to upcoming trade meetings and policy decisions, hoping for clarity in what has become one of the most unpredictable trading environments in recent years.   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.
    • CVNA Carvana stock watch, rebound to 166.56 support area at https://stockconsultant.com/?CVNA
×
×
  • Create New...

Important Information

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