Double Top Forex Pattern:As the name clearly and succinctly describes, this pattern consists of two tops (peaks) of approximately equal heights. A parallel line is drawn against a resistance line that connects the two tops.
http://twitter.com/forex_in_world/status/1277487676493619200EUR/USD Analysis: Bulls managed to defend double-top neckline enhance https://t.co/JkiEeYOGmY— FOREX IN WORLD (@forex_in_world) June 29, 2020
http://twitter.com/forex_in_world/status/1276053876358230021EUR/USD Forecast: Gloom, doom, and double top level lower as coronavirus rages in the US https://t.co/YCp7NWEmxK— FOREX IN WORLD (@forex_in_world) June 25, 2020
@AlphaexCapital : Check out How To Trade Double Tops and Bottoms by @alphatsignals. Click here to read: https://t.co/lUJqWMdwdA. #forex #trading #tradingsignals #crypto #bitcoin
@AlphaexCapital : Gold wanders lower after double top....$1500 and intraday moving average support eyed. https://t.co/IDsL0WEoYg #forex #forextrading #investing
I made a home-made bar replay for MT4 as an alternative to the tradingview bar replay. You can change timeframes and use objects easily. It just uses vertical lines to block the future candles. Then it adjusts the vertical lines when you change zoom or time frames to keep the "future" bars hidden. I am not a professional coder so this is not as robust as something like Soft4fx or Forex Tester. But for me it gets the job done and is very convenient. Maybe you will find some benefit from it. Here are the steps to use it: 1) copy the text from the code block 2) go to MT4 terminal and open Meta Editor (click icon or press F4) 3) go to File -> New -> Expert Advisor 4) put in a title and click Next, Next, Finish 5) Delete all text from new file and paste in text from code block 6) go back to MT4 7) Bring up Navigator (Ctrl+N if it's not already up) 8) go to expert advisors section and find what you titled it 9) open up a chart of the symbol you want to test 10) add the EA to this chart 11) specify colors and start time in inputs then press OK 12) use "S" key on your keyboard to advance 1 bar of current time frame 13) use tool bar buttons to change zoom and time frames, do objects, etc. 14) don't turn on auto scroll. if you do by accident, press "S" to return to simulation time. 15) click "buy" and "sell" buttons (white text, top center) to generate entry, TP and SL lines to track your trade 16) to cancel or close a trade, press "close order" then click the white entry line 17) drag and drop TP/SL lines to modify RR 18) click "End" to delete all objects and remove simulation from chart 19) to change simulation time, click "End", then add the simulator EA to your chart with a new start time 20) When you click "End", your own objects will be deleted too, so make sure you are done with them 21) keep track of your own trade results manually 22) use Tools-> History center to download new data if you need it. the simulator won't work on time frames if you don't have historical data going back that far, but it will work on time frames that you have the data for. If you have data but its not appearing, you might also need to increase max bars in chart in Tools->Options->Charts. 23) don't look at status bar if you are moused over hidden candles, or to avoid this you can hide the status bar. Here is the code block.
//+------------------------------------------------------------------+ //| Bar Replay V2.mq4 | //| Copyright 2020, MetaQuotes Software Corp. | //| https://www.mql5.com | //+------------------------------------------------------------------+ #property copyright "Copyright 2020, MetaQuotes Software Corp." #property link "https://www.mql5.com" #property version "1.00" #property strict #define VK_A 0x41 #define VK_S 0x53 #define VK_X 0x58 #define VK_Z 0x5A #define VK_V 0x56 #define VK_C 0x43 #define VK_W 0x57 #define VK_E 0x45 double balance; string balance_as_string; int filehandle; int trade_ticket = 1; string objectname; string entry_line_name; string tp_line_name; string sl_line_name; string one_R_line_name; double distance; double entry_price; double tp_price; double sl_price; double one_R; double TP_distance; double gain_in_R; string direction; bool balance_file_exist; double new_balance; double sl_distance; string trade_number; double risk; double reward; string RR_string; int is_tp_or_sl_line=0; int click_to_cancel=0; input color foreground_color = clrWhite; input color background_color = clrBlack; input color bear_candle_color = clrRed; input color bull_candle_color = clrSpringGreen; input color current_price_line_color = clrGray; input string start_time = "2020.10.27 12:00"; input int vertical_margin = 100; //+------------------------------------------------------------------+ //| Expert initialization function | //+------------------------------------------------------------------+ int OnInit() { Comment(""); ChartNavigate(0,CHART_BEGIN,0); BlankChart(); ChartSetInteger(0,CHART_SHIFT,true); ChartSetInteger(0,CHART_FOREGROUND,false); ChartSetInteger(0,CHART_AUTOSCROLL,false); ChartSetInteger(0,CHART_SCALEFIX,false); ChartSetInteger(0,CHART_SHOW_OBJECT_DESCR,true); if (ObjectFind(0,"First OnInit")<0){ CreateStorageHLine("First OnInit",1);} if (ObjectFind(0,"Simulation Time")<0){ CreateTestVLine("Simulation Time",StringToTime(start_time));} string vlinename; for (int i=0; i<=1000000; i++){ vlinename="VLine"+IntegerToString(i); ObjectDelete(vlinename); } HideBars(SimulationBarTime(),0); //HideBar(SimulationBarTime()); UnBlankChart(); LabelCreate("New Buy Button","Buy",0,38,foreground_color); LabelCreate("New Sell Button","Sell",0,41,foreground_color); LabelCreate("Cancel Order","Close Order",0,44,foreground_color); LabelCreate("Risk To Reward","RR",0,52,foreground_color); LabelCreate("End","End",0,35,foreground_color); ObjectMove(0,"First OnInit",0,0,0); //--- create timer EventSetTimer(60); return(INIT_SUCCEEDED); } //+------------------------------------------------------------------+ //| Expert deinitialization function | //+------------------------------------------------------------------+ void OnDeinit(const int reason) { //--- destroy timer EventKillTimer(); } //+------------------------------------------------------------------+ //| Expert tick function | //+------------------------------------------------------------------+ void OnTick() { //--- } //+------------------------------------------------------------------+ //| ChartEvent function | //+------------------------------------------------------------------+ void OnChartEvent(const int id, const long &lparam, const double &dparam, const string &sparam) { if (id==CHARTEVENT_CHART_CHANGE){ int chartscale = ChartGetInteger(0,CHART_SCALE,0); int lastchartscale = ObjectGetDouble(0,"Last Chart Scale",OBJPROP_PRICE,0); if (chartscale!=lastchartscale){ int chartscale = ChartGetInteger(0,CHART_SCALE,0); ObjectMove(0,"Last Chart Scale",0,0,chartscale); OnInit(); }} if (id==CHARTEVENT_KEYDOWN){ if (lparam==VK_S){ IncreaseSimulationTime(); UnHideBar(SimulationPosition()); NavigateToSimulationPosition(); CreateHLine(0,"Current Price",Close[SimulationPosition()+1],current_price_line_color,1,0,true,false,false,"price"); SetChartMinMax(); }} if(id==CHARTEVENT_OBJECT_CLICK) { if(sparam=="New Sell Button") { distance = iATR(_Symbol,_Period,20,SimulationPosition()+1)/2; objectname = "Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1],foreground_color,2,5,false,true,true,"Sell"); objectname = "TP for Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1]-distance*2,clrAqua,2,5,false,true,true,"TP"); objectname = "SL for Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1]+distance,clrRed,2,5,false,true,true,"SL"); trade_ticket+=1; } } if(id==CHARTEVENT_OBJECT_CLICK) { if(sparam=="New Buy Button") { distance = iATR(_Symbol,_Period,20,SimulationPosition()+1)/2; objectname = "Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1],foreground_color,2,5,false,true,true,"Buy"); objectname = "TP for Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1]+distance*2,clrAqua,2,5,false,true,true,"TP"); objectname = "SL for Trade # "+IntegerToString(trade_ticket); CreateHLine(0,objectname,Close[SimulationPosition()+1]-distance,clrRed,2,5,false,true,true,"SL"); trade_ticket+=1; } } if(id==CHARTEVENT_OBJECT_DRAG) { if(StringFind(sparam,"TP",0)==0) { is_tp_or_sl_line=1; } if(StringFind(sparam,"SL",0)==0) { is_tp_or_sl_line=1; } Comment(is_tp_or_sl_line); if(is_tp_or_sl_line==1) { trade_number = StringSubstr(sparam,7,9); entry_line_name = trade_number; tp_line_name = "TP for "+entry_line_name; sl_line_name = "SL for "+entry_line_name; entry_price = ObjectGetDouble(0,entry_line_name,OBJPROP_PRICE,0); tp_price = ObjectGetDouble(0,tp_line_name,OBJPROP_PRICE,0); sl_price = ObjectGetDouble(0,sl_line_name,OBJPROP_PRICE,0); sl_distance = MathAbs(entry_price-sl_price); TP_distance = MathAbs(entry_price-tp_price); reward = TP_distance/sl_distance; RR_string = "RR = 1 : "+DoubleToString(reward,2); ObjectSetString(0,"Risk To Reward",OBJPROP_TEXT,RR_string); is_tp_or_sl_line=0; } } if(id==CHARTEVENT_OBJECT_CLICK) { if(sparam=="Cancel Order") { click_to_cancel=1; Comment("please click the entry line of the order you wish to cancel."); } } if(id==CHARTEVENT_OBJECT_CLICK) { if(sparam!="Cancel Order") { if(click_to_cancel==1) { if(ObjectGetInteger(0,sparam,OBJPROP_TYPE,0)==OBJ_HLINE) { entry_line_name = sparam; tp_line_name = "TP for "+sparam; sl_line_name = "SL for "+sparam; ObjectDelete(0,entry_line_name); ObjectDelete(0,tp_line_name); ObjectDelete(0,sl_line_name); click_to_cancel=0; ObjectSetString(0,"Risk To Reward",OBJPROP_TEXT,"RR"); } } } } if (id==CHARTEVENT_OBJECT_CLICK){ if (sparam=="End"){ ObjectsDeleteAll(0,-1,-1); ExpertRemove(); }} } //+------------------------------------------------------------------+ void CreateStorageHLine(string name, double value){ ObjectDelete(name); ObjectCreate(0,name,OBJ_HLINE,0,0,value); ObjectSetInteger(0,name,OBJPROP_SELECTED,false); ObjectSetInteger(0,name,OBJPROP_SELECTABLE,false); ObjectSetInteger(0,name,OBJPROP_COLOR,clrNONE); ObjectSetInteger(0,name,OBJPROP_BACK,true); ObjectSetInteger(0,name,OBJPROP_ZORDER,0); } void CreateTestHLine(string name, double value){ ObjectDelete(name); ObjectCreate(0,name,OBJ_HLINE,0,0,value); ObjectSetInteger(0,name,OBJPROP_SELECTED,false); ObjectSetInteger(0,name,OBJPROP_SELECTABLE,false); ObjectSetInteger(0,name,OBJPROP_COLOR,clrWhite); ObjectSetInteger(0,name,OBJPROP_BACK,true); ObjectSetInteger(0,name,OBJPROP_ZORDER,0); } bool IsFirstOnInit(){ bool bbb=false; if (ObjectGetDouble(0,"First OnInit",OBJPROP_PRICE,0)==1){return true;} return bbb; } void CreateTestVLine(string name, datetime timevalue){ ObjectDelete(name); ObjectCreate(0,name,OBJ_VLINE,0,timevalue,0); ObjectSetInteger(0,name,OBJPROP_SELECTED,false); ObjectSetInteger(0,name,OBJPROP_SELECTABLE,false); ObjectSetInteger(0,name,OBJPROP_COLOR,clrNONE); ObjectSetInteger(0,name,OBJPROP_BACK,false); ObjectSetInteger(0,name,OBJPROP_ZORDER,3); } datetime SimulationTime(){ return ObjectGetInteger(0,"Simulation Time",OBJPROP_TIME,0); } int SimulationPosition(){ return iBarShift(_Symbol,_Period,SimulationTime(),false); } datetime SimulationBarTime(){ return Time[SimulationPosition()]; } void IncreaseSimulationTime(){ ObjectMove(0,"Simulation Time",0,Time[SimulationPosition()-1],0); } void NavigateToSimulationPosition(){ ChartNavigate(0,CHART_END,-1*SimulationPosition()+15); } void NotifyNotEnoughHistoricalData(){ BlankChart(); Comment("Sorry, but there is not enough historical data to load this time frame."+"\n"+ "Please load more historical data or use a higher time frame. Thank you :)");} void UnHideBar(int barindex){ ObjectDelete(0,"VLine"+IntegerToString(barindex+1)); } void BlankChart(){ ChartSetInteger(0,CHART_COLOR_FOREGROUND,clrNONE); ChartSetInteger(0,CHART_COLOR_CANDLE_BEAR,clrNONE); ChartSetInteger(0,CHART_COLOR_CANDLE_BULL,clrNONE); ChartSetInteger(0,CHART_COLOR_CHART_DOWN,clrNONE); ChartSetInteger(0,CHART_COLOR_CHART_UP,clrNONE); ChartSetInteger(0,CHART_COLOR_CHART_LINE,clrNONE); ChartSetInteger(0,CHART_COLOR_GRID,clrNONE); ChartSetInteger(0,CHART_COLOR_ASK,clrNONE); ChartSetInteger(0,CHART_COLOR_BID,clrNONE);} void UnBlankChart(){ ChartSetInteger(0,CHART_COLOR_FOREGROUND,foreground_color); ChartSetInteger(0,CHART_COLOR_CANDLE_BEAR,bear_candle_color); ChartSetInteger(0,CHART_COLOR_CANDLE_BULL,bull_candle_color); ChartSetInteger(0,CHART_COLOR_BACKGROUND,background_color); ChartSetInteger(0,CHART_COLOR_CHART_DOWN,foreground_color); ChartSetInteger(0,CHART_COLOR_CHART_UP,foreground_color); ChartSetInteger(0,CHART_COLOR_CHART_LINE,foreground_color); ChartSetInteger(0,CHART_COLOR_GRID,clrNONE); ChartSetInteger(0,CHART_COLOR_ASK,clrNONE); ChartSetInteger(0,CHART_COLOR_BID,clrNONE);} void HideBars(datetime starttime, int shift){ int startbarindex = iBarShift(_Symbol,_Period,starttime,false); ChartNavigate(0,CHART_BEGIN,0); if (Time[WindowFirstVisibleBar()]>SimulationTime()){NotifyNotEnoughHistoricalData();} if (Time[WindowFirstVisibleBar()]=0; i--){ vlinename="VLine"+IntegerToString(i); ObjectCreate(0,vlinename,OBJ_VLINE,0,Time[i],0); ObjectSetInteger(0,vlinename,OBJPROP_COLOR,background_color); ObjectSetInteger(0,vlinename,OBJPROP_BACK,false); ObjectSetInteger(0,vlinename,OBJPROP_WIDTH,vlinewidth); ObjectSetInteger(0,vlinename,OBJPROP_ZORDER,10); ObjectSetInteger(0,vlinename,OBJPROP_FILL,true); ObjectSetInteger(0,vlinename,OBJPROP_STYLE,STYLE_SOLID); ObjectSetInteger(0,vlinename,OBJPROP_SELECTED,false); ObjectSetInteger(0,vlinename,OBJPROP_SELECTABLE,false); } NavigateToSimulationPosition(); SetChartMinMax();} }//end of HideBars function void SetChartMinMax(){ int firstbar = WindowFirstVisibleBar(); int lastbar = SimulationPosition(); int lastbarwhenscrolled = WindowFirstVisibleBar()-WindowBarsPerChart(); if (lastbarwhenscrolled>lastbar){lastbar=lastbarwhenscrolled;} double highest = High[iHighest(_Symbol,_Period,MODE_HIGH,firstbar-lastbar,lastbar)]; double lowest = Low[iLowest(_Symbol,_Period,MODE_LOW,firstbar-lastbar,lastbar)]; ChartSetInteger(0,CHART_SCALEFIX,true); ChartSetDouble(0,CHART_FIXED_MAX,highest+vertical_margin*_Point); ChartSetDouble(0,CHART_FIXED_MIN,lowest-vertical_margin*_Point); } void LabelCreate(string labelname, string labeltext, int row, int column, color labelcolor){ int ylocation = row*18; int xlocation = column*10; ObjectCreate(0,labelname,OBJ_LABEL,0,0,0); ObjectSetString(0,labelname,OBJPROP_TEXT,labeltext); ObjectSetInteger(0,labelname,OBJPROP_COLOR,labelcolor); ObjectSetInteger(0,labelname,OBJPROP_FONTSIZE,10); ObjectSetInteger(0,labelname,OBJPROP_ZORDER,10); ObjectSetInteger(0,labelname,OBJPROP_BACK,false); ObjectSetInteger(0,labelname,OBJPROP_CORNER,CORNER_LEFT_UPPER); ObjectSetInteger(0,labelname,OBJPROP_ANCHOR,ANCHOR_LEFT_UPPER); ObjectSetInteger(0,labelname,OBJPROP_XDISTANCE,xlocation); ObjectSetInteger(0,labelname,OBJPROP_YDISTANCE,ylocation);} double GetHLinePrice(string name){ return ObjectGetDouble(0,name,OBJPROP_PRICE,0); } void CreateHLine(int chartid, string objectnamey, double objectprice, color linecolor, int width, int zorder, bool back, bool selected, bool selectable, string descriptionn) { ObjectDelete(chartid,objectnamey); ObjectCreate(chartid,objectnamey,OBJ_HLINE,0,0,objectprice); ObjectSetString(chartid,objectnamey,OBJPROP_TEXT,objectprice); ObjectSetInteger(chartid,objectnamey,OBJPROP_COLOR,linecolor); ObjectSetInteger(chartid,objectnamey,OBJPROP_WIDTH,width); ObjectSetInteger(chartid,objectnamey,OBJPROP_ZORDER,zorder); ObjectSetInteger(chartid,objectnamey,OBJPROP_BACK,back); ObjectSetInteger(chartid,objectnamey,OBJPROP_SELECTED,selected); ObjectSetInteger(chartid,objectnamey,OBJPROP_SELECTABLE,selectable); ObjectSetString(0,objectnamey,OBJPROP_TEXT,descriptionn); } //end of code
Hi guys, I have been using reddit for years in my personal life (not trading!) and wanted to give something back in an area where i am an expert. I worked at an investment bank for seven years and joined them as a graduate FX trader so have lots of professional experience, by which i mean I was trained and paid by a big institution to trade on their behalf. This is very different to being a full-time home trader, although that is not to discredit those guys, who can accumulate a good amount of experience/wisdom through self learning. When I get time I'm going to write a mid-length posts on each topic for you guys along the lines of how i was trained. I guess there would be 15-20 topics in total so about 50-60 posts. Feel free to comment or ask questions. The first topic is Risk Management and we'll cover it in three parts Part I
Why it matters
Position sizing
Kelly
Using stops sensibly
Picking a clear level
Why it matters
The first rule of making money through trading is to ensure you do not lose money. Look at any serious hedge fund’s website and they’ll talk about their first priority being “preservation of investor capital.” You have to keep it before you grow it. Strangely, if you look at retail trading websites, for every one article on risk management there are probably fifty on trade selection. This is completely the wrong way around. The great news is that this stuff is pretty simple and process-driven. Anyone can learn and follow best practices. Seriously, avoiding mistakes is one of the most important things: there's not some holy grail system for finding winning trades, rather a routine and fairly boring set of processes that ensure that you are profitable, despite having plenty of losing trades alongside the winners.
Capital and position sizing
The first thing you have to know is how much capital you are working with. Let’s say you have $100,000 deposited. This is your maximum trading capital. Your trading capital is not the leveraged amount. It is the amount of money you have deposited and can withdraw or lose. Position sizing is what ensures that a losing streak does not take you out of the market. A rule of thumb is that one should risk no more than 2% of one’s account balance on an individual trade and no more than 8% of one’s account balance on a specific theme. We’ll look at why that’s a rule of thumb later. For now let’s just accept those numbers and look at examples. So we have $100,000 in our account. And we wish to buy EURUSD. We should therefore not be risking more than 2% which $2,000. We look at a technical chart and decide to leave a stop below the monthly low, which is 55 pips below market. We’ll come back to this in a bit. So what should our position size be? We go to the calculator page, select Position Size and enter our details. There are many such calculators online - just google "Pip calculator". https://preview.redd.it/y38zb666e5h51.jpg?width=1200&format=pjpg&auto=webp&s=26e4fe569dc5c1f43ce4c746230c49b138691d14 So the appropriate size is a buy position of 363,636 EURUSD. If it reaches our stop level we know we’ll lose precisely $2,000 or 2% of our capital. You should be using this calculator (or something similar) on every single trade so that you know your risk. Now imagine that we have similar bets on EURJPY and EURGBP, which have also broken above moving averages. Clearly this EUR-momentum is a theme. If it works all three bets are likely to pay off. But if it goes wrong we are likely to lose on all three at once. We are going to look at this concept of correlation in more detail later. The total amount of risk in our portfolio - if all of the trades on this EUR-momentum theme were to hit their stops - should not exceed $8,000 or 8% of total capital. This allows us to go big on themes we like without going bust when the theme does not work. As we’ll see later, many traders only win on 40-60% of trades. So you have to accept losing trades will be common and ensure you size trades so they cannot ruin you. Similarly, like poker players, we should risk more on trades we feel confident about and less on trades that seem less compelling. However, this should always be subject to overall position sizing constraints. For example before you put on each trade you might rate the strength of your conviction in the trade and allocate a position size accordingly: https://preview.redd.it/q2ea6rgae5h51.png?width=1200&format=png&auto=webp&s=4332cb8d0bbbc3d8db972c1f28e8189105393e5b To keep yourself disciplined you should try to ensure that no more than one in twenty trades are graded exceptional and allocated 5% of account balance risk. It really should be a rare moment when all the stars align for you. Notice that the nice thing about dealing in percentages is that it scales. Say you start out with $100,000 but end the year up 50% at $150,000. Now a 1% bet will risk $1,500 rather than $1,000. That makes sense as your capital has grown. It is extremely common for retail accounts to blow-up by making only 4-5 losing trades because they are leveraged at 50:1 and have taken on far too large a position, relative to their account balance. Consider that GBPUSD tends to move 1% each day. If you have an account balance of $10k then it would be crazy to take a position of $500k (50:1 leveraged). A 1% move on $500k is $5k. Two perfectly regular down days in a row — or a single day’s move of 2% — and you will receive a margin call from the broker, have the account closed out, and have lost all your money. Do not let this happen to you. Use position sizing discipline to protect yourself.
Kelly Criterion
If you’re wondering - why “about 2%” per trade? - that’s a fair question. Why not 0.5% or 10% or any other number? The Kelly Criterion is a formula that was adapted for use in casinos. If you know the odds of winning and the expected pay-off, it tells you how much you should bet in each round. This is harder than it sounds. Let’s say you could bet on a weighted coin flip, where it lands on heads 60% of the time and tails 40% of the time. The payout is $2 per $1 bet. Well, absolutely you should bet. The odds are in your favour. But if you have, say, $100 it is less obvious how much you should bet to avoid ruin. Say you bet $50, the odds that it could land on tails twice in a row are 16%. You could easily be out after the first two flips. Equally, betting $1 is not going to maximise your advantage. The odds are 60/40 in your favour so only betting $1 is likely too conservative. The Kelly Criterion is a formula that produces the long-run optimal bet size, given the odds. Applying the formula to forex trading looks like this: Position size % = Winning trade % - ( (1- Winning trade %) / Risk-reward ratio If you have recorded hundreds of trades in your journal - see next chapter - you can calculate what this outputs for you specifically. If you don't have hundreds of trades then let’s assume some realistic defaults of Winning trade % being 30% and Risk-reward ratio being 3. The 3 implies your TP is 3x the distance of your stop from entry e.g. 300 pips take profit and 100 pips stop loss. So that’s 0.3 - (1 - 0.3) / 3 = 6.6%. Hold on a second. 6.6% of your account probably feels like a LOT to risk per trade.This is the main observation people have on Kelly: whilst it may optimise the long-run results it doesn’t take into account the pain of drawdowns. It is better thought of as the rational maximum limit. You needn’t go right up to the limit! With a 30% winning trade ratio, the odds of you losing on four trades in a row is nearly one in four. That would result in a drawdown of nearly a quarter of your starting account balance. Could you really stomach that and put on the fifth trade, cool as ice? Most of us could not. Accordingly people tend to reduce the bet size. For example, let’s say you know you would feel emotionally affected by losing 25% of your account. Well, the simplest way is to divide the Kelly output by four. You have effectively hidden 75% of your account balance from Kelly and it is now optimised to avoid a total wipeout of just the 25% it can see. This gives 6.6% / 4 = 1.65%. Of course different trading approaches and different risk appetites will provide different optimal bet sizes but as a rule of thumb something between 1-2% is appropriate for the style and risk appetite of most retail traders. Incidentally be very wary of systems or traders who claim high winning trade % like 80%. Invariably these don’t pass a basic sense-check:
How many live trades have you done? Often they’ll have done only a handful of real trades and the rest are simulated backtests, which are overfitted. The model will soon die.
What is your risk-reward ratio on each trade? If you have a take profit $3 away and a stop loss $100 away, of course most trades will be winners. You will not be making money, however! In general most traders should trade smaller position sizes and less frequently than they do. If you are going to bias one way or the other, far better to start off too small.
How to use stop losses sensibly
Stop losses have a bad reputation amongst the retail community but are absolutely essential to risk management. No serious discretionary trader can operate without them. A stop loss is a resting order, left with the broker, to automatically close your position if it reaches a certain price. For a recap on the various order types visit this chapter. The valid concern with stop losses is that disreputable brokers look for a concentration of stops and then, when the market is close, whipsaw the price through the stop levels so that the clients ‘stop out’ and sell to the broker at a low rate before the market naturally comes back higher. This is referred to as ‘stop hunting’. This would be extremely immoral behaviour and the way to guard against it is to use a highly reputable top-tier broker in a well regulated region such as the UK. Why are stop losses so important? Well, there is no other way to manage risk with certainty. You should always have a pre-determined stop loss before you put on a trade. Not having one is a recipe for disaster: you will find yourself emotionally attached to the trade as it goes against you and it will be extremely hard to cut the loss. This is a well known behavioural bias that we’ll explore in a later chapter. Learning to take a loss and move on rationally is a key lesson for new traders. A common mistake is to think of the market as a personal nemesis. The market, of course, is totally impersonal; it doesn’t care whether you make money or not. Bruce Kovner, founder of the hedge fund Caxton Associates There is an old saying amongst bank traders which is “losers average losers”. It is tempting, having bought EURUSD and seeing it go lower, to buy more. Your average price will improve if you keep buying as it goes lower. If it was cheap before it must be a bargain now, right? Wrong. Where does that end? Always have a pre-determined cut-off point which limits your risk. A level where you know the reason for the trade was proved ‘wrong’ ... and stick to it strictly. If you trade using discretion, use stops.
Picking a clear level
Where you leave your stop loss is key. Typically traders will leave them at big technical levels such as recent highs or lows. For example if EURUSD is trading at 1.1250 and the recent month’s low is 1.1205 then leaving it just below at 1.1200 seems sensible. If you were going long, just below the double bottom support zone seems like a sensible area to leave a stop You want to give it a bit of breathing room as we know support zones often get challenged before the price rallies. This is because lots of traders identify the same zones. You won’t be the only one selling around 1.1200. The “weak hands” who leave their sell stop order at exactly the level are likely to get taken out as the market tests the support. Those who leave it ten or fifteen pips below the level have more breathing room and will survive a quick test of the level before a resumed run-up. Your timeframe and trading style clearly play a part. Here’s a candlestick chart (one candle is one day) for GBPUSD. https://preview.redd.it/moyngdy4f5h51.png?width=1200&format=png&auto=webp&s=91af88da00dd3a09e202880d8029b0ddf04fb802 If you are putting on a trend-following trade you expect to hold for weeks then you need to have a stop loss that can withstand the daily noise. Look at the downtrend on the chart. There were plenty of days in which the price rallied 60 pips or more during the wider downtrend. So having a really tight stop of, say, 25 pips that gets chopped up in noisy short-term moves is not going to work for this kind of trade. You need to use a wider stop and take a smaller position size, determined by the stop level. There are several tools you can use to help you estimate what is a safe distance and we’ll look at those in the next section. There are of course exceptions. For example, if you are doing range-break style trading you might have a really tight stop, set just below the previous range high. https://preview.redd.it/ygy0tko7f5h51.png?width=1200&format=png&auto=webp&s=34af49da61c911befdc0db26af66f6c313556c81 Clearly then where you set stops will depend on your trading style as well as your holding horizons and the volatility of each instrument. Here are some guidelines that can help:
Use technical analysis to pick important levels (support, resistance, previous high/lows, moving averages etc.) as these provide clear exit and entry points on a trade.
Ensure that the stop gives your trade enough room to breathe and reflects your timeframe and typical volatility of each pair. See next section.
Always pick your stop level first. Then use a calculator to determine the appropriate lot size for the position, based on the % of your account balance you wish to risk on the trade.
So far we have talked about price-based stops. There is another sort which is more of a fundamental stop, used alongside - not instead of - price stops. If either breaks you’re out. For example if you stop understanding why a product is going up or down and your fundamental thesis has been confirmed wrong, get out. For example, if you are long because you think the central bank is turning hawkish and AUDUSD is going to play catch up with rates … then you hear dovish noises from the central bank and the bond yields retrace lower and back in line with the currency - close your AUDUSD position. You already know your thesis was wrong. No need to give away more money to the market.
Coming up in part II
EDIT: part II here Letting stops breathe When to change a stop Entering and exiting winning positions Risk:reward ratios Risk-adjusted returns
Coming up in part III
Squeezes and other risks Market positioning Bet correlation Crap trades, timeouts and monthly limits *** Disclaimer:This content is not investment advice and you should not place any reliance on it. The views expressed are the author's own and should not be attributed to any other person, including their employer.
[Strategies] Here is My Trading Approach, Thought Process and Execution
Hello everyone. I've noticed a lot of us here are quite secretive about how we trade, especially when we comment on a fellow trader's post. We're quick to tell them what they're doing isn't the "right way" and they should go to babypips or YouTube. There's plenty of strategies we say but never really tell them what is working for us. There's a few others that are open to share their experience and thought processes when considering a valid trade. I have been quite open myself. But I'm always met with the same "well I see what you did is quite solid but what lead you to deem this trade valid for you? " The answer is quite simple, I have a few things that I consider which are easy rules to follow. I realized that the simpler you make it, the easier it is for you to trade and move on with your day. I highlight a few "valid" zones and go about my day. I've got an app that alerts me when price enters the zone on my watchlist. This is because I don't just rely on forex trading money, I doubt it would be wise to unless you're trading a 80% win rate strategy. Sometimes opportunities are there and we exploit them accordingly but sometimes we are either distracted by life issues and decide to not go into the markets stressed out or opportunities just aren't there or they are but your golden rules aren't quite met. My rules are pretty simple, one of the prime golden rules is, "the risk is supposed to be very minimal to the reward I want to yield from that specific trade". i.e I can risk -50 pips for a +150 and more pips gain. My usual target starts at 1:2 but my most satisfying trade would be a 1:3 and above. This way I can lose 6/10 trades and still be profitable. I make sure to keep my charts clean and simple so to understand what price does without the interference of indicators all over my charts. Not to say if you use indicators for confluence is a complete no-no. Each trader has their own style and I would be a narcissistic asshole if I assumed my way is superior than anybody else's. NB: I'm doing this for anybody who has a vague or no idea of supply and demand. Everything here has made me profitable or at least break even but doesn't guarantee the same for you. This is just a scratch on the surface so do all you can for due diligence when it comes to understanding this topic with more depth and clear comprehension. Supply and Demand valid zones properties; what to me makes me think "oh this zone has the potential to make me money, let me put it on my watchlist"? Mind when I say watchlist, not trade it. These are different in this sense. 👉With any zone, you're supposed to watch how price enters the zone, if there's a strong push in the opposite direction or whatever price action you're observing...only then does the zone becomes valid. YOU TRADE THE REACTION, NOT THE EXPECTATION Some setups just fail and that's okay because you didn't gamble. ✍ !!!IMPORTANT SUBJECT TO LEARN BEFORE YOU START SUPPLY AND DEMAND!!! FTR. Failure to Return.(Please read on these if you haven't. They are extremely important in SnD). Mostly occur after an impulse move from a turning point. See attached examples: RBR(rally base rally)/DBD(drop base drop). They comprise of an initial move to a certain direction, a single candle in the opposite direction and followed by 2 or more strong candles in the initial direction. The opposite candle is your FTR(This is your zone) The first time price comes back(FTB) to a zone with an FTR has high possibilities to be a strong zone. How to identify high quality zones according to my approach:
Engulfing zones; This is a personal favorite. For less errors I identify the best opportunities using the daily and 4H chart.
On the example given, I chose the GBPNZD trade idea I shared here a month ago I believe. A double bottom is easily identified, with the final push well defined Bullish Engulfing candle. To further solidify it are the strong wicks to show strong rejection and failure to close lower than the left shoulder. How we draw our zone is highlight the whole candle just before the Engulfing Candle. That's your zone. After drawing it, you also pay attention to the price that is right where the engulfing starts. You then set a price alert on your preferred app because usually price won't get there immediately. This is the second most important part of trading, PATIENCE. If you can be disciplined enough to not leave a limit order, or place a market order just because you trust your analysis...you've won half the battle because we're not market predictors, we're students. And we trade the reaction. On the given example, price had already reached the zone of interest. Price action observed was, there was a rejection that drove it out of the zone, this is the reaction we want. Soon as price returns(retests)...this is your time to fill or kill moment, going to a 4H or 1H to make minimum risk trades. (See GBPNZD Example 1&2)
Liquidity Run; This approach looks very similar to the Engulfing zones. The difference is, price makes a few rejections on a higher timeframe level(Resistance or support). This gives the novice trader an idea that we've established a strong support or resistance, leading to them either selling or buying given the opportunity. Price then breaks that level trapping the support and resistance trader. At this point, breakout traders have stop orders below or above these levels to anticipate a breakout at major levels with stops just below the levels. Now that the market has enough traders trapped, it goes for the stop losses above or below support and resistance levels after taking them out, price comes back into the level to take out breakout traders' stop losses. This is where it has gathered enough liquidity to move it's desired direction.
The given example on the NZDJPY shows a strong level established twice. With the Bearish Engulfing movement, price leaves a supply zone...that's where we come in. We go to smaller timeframes for a well defined entry with our stops above the recent High targeting the next demand zone. The second screenshot illustrates how high the reward of this approach is as well. Due diligence is required for this kind of approach because it's not uncommon but usually easily misinterpreted, which is why it's important it's on higher timeframes. You can back test and establish your own rules on this but the RSI in this case was used for confluence. It showed a strong divergence which made it an even easier trade to take. ...and last but definitely not least,
Double Bottom/Top. (I've used double bottoms on examples because these are the only trades I shared here so we'll talk about double bottoms. Same but opposite rules apply on double tops).
The first most important rule here is when you look to your left, price should have made a Low, High and a Lower Low. This way, the last leg(shoulder) should be lower than the first. Some call this "Hidden Zones". When drawing the zones, the top border of the zone is supposed to be on the tip of the Low and covering the Lower Low. **The top border is usually the entry point. On the first given example I shared this week, NZDCAD. After identifying the structure, you start to look for zones that could further verify the structure for confluence. Since this was identified on the 4H, when you zoom out to the daily chart...there's a very well defined demand zone (RBR). By now you should know how strong these kind of zones are especially if found on higher timeframes. That will now be your kill zone. You'll draw another zone within the bigger zone, if price doesn't close below it...you've got a trade. You'll put your stop losses outside the initial zone to avoid wicks(liquidity runs/stop hunts) On the second image you'll see how price closed within the zone and rallied upwards towards your targets. The second example is CHFJPY; although looking lower, there isn't a rally base rally that further solidifies our bias...price still respected the zone. Sometimes we just aren't going to get perfect setups but it is up to us to make calculated risks. In this case, risk is very minimal considering the potential profit. The third example (EURNZD) was featured because sometimes you just can't always get perfect price action within your desired zone. Which is why it's important to wait for price to close before actually taking a trade. Even if you entered prematurely and were taken out of the trade, the rules are still respected hence a re entry would still yield you more than what you would have lost although revenge trading is wrong. I hope you guys learnt something new and understand the thought process that leads to deciding which setups to trade from prepared supply and demand trade ideas. It's important to do your own research and back testing that matches your own trading style. I'm more of a swing trader hence I find my zones using the Daily and 4H chart. Keeping it simple and trading the reaction to your watched zone is the most important part about trading any strategy. Important Note: The trade ideas on this post are trades shared on this sub ever since my being active only because I don't want to share ideas that I may have carefully picked to make my trading approach a blind pick from the millions on the internet. All these were shared here. Here's a link to the trade ideas analyzed for this post specifically Questions are welcome on the comments section. Thank you for reading till here.
As PTI comes onto two years, I felt like making this post on account of seeing multiple people supporting PML-N for having an allegedly better economy for Pakistan, particularly with allegations present that PTI has done nothing for the economy. So here's a short list of some major achievements done by PTI in contrast to PML-N.
Stopping Pakistan from defaulting: The move to devalue the rupee was one done despite knowing the backlash that would be faced. Under Nawaz Sharif the rupee was artificially overvalued through loans and forex reserves, this meant Pakistan had no sustainable way for repaying those massive loans. Imran Khan on the other hand had to approach the IMF due to these overlaying maturing debts, lack of growth in exports under PMLN, decline in Foreign Direct Investment and an ever higher import bill. This was done at the cost of letting the rupee massively devalue against the dollar, however paved the path for economic stability as noted by the IMF.
Renewed focus on taxation: Easily the most controversial facet of the economic policy by PTI, but one that has shown merit and results. Overall, there has been a 40% increase in returns filers and a 17% revenue increase. This coupled with a massive austerity scheme, meant that the government has started an incline towards increasing it's revenues. While this hasn't been met with open arms, it presents a solution to the everpresent crisis that the Pakistan government has faced, in it's inability to increase it's revenues. Not only that, but the general taxation system was streamlined, making it easier for individuals to file taxes. Introductions of new apps and consolidating activities for the FBR were among the efforts as well. Moreover, businesses that were entitled to tax refunds are finally being granted them, under PMLN they were held onto so as to inflate collection numbers, however under PTI that has changed and it's not inflated. It is worth noting, that because of the covid-19 pandemic, the effect of the austerity schemes and feasibility have seriously dampened, and it's created a bigger problem for increasing revenue collection.
The account deficit: Arguably one of the biggest examples of progress has been in the reduction of the account deficit. Under PML-N the account deficit had carried forward, and increased to nearly $5 billion, but shrunk massively once PTI came into power. A total decrease of nearly 78% from the previous fiscal year. The lowest recorded from the previous 5 years. Even when looked at from the perspective of the account deficit in percentage of GDP; the general trend has been improving under PTI. Under PMLN the total account deficit as a % of GDP had grown to -5.4%, however under PTI it has shrunk to -1.1% of GDP in FY2020 and was -3.4% in 2019.
It is worth noting, that some may criticise the overall decrease in the account deficit to be a result of the decrease in imports, and the increase in worker remittances, however this was indeed a result of the overall economic impact from the covid-19 pandemic. And that general trends support the notion of exports increasing and the account deficit decreasing in the second quarter of 2019.
Tourism: The reforms and measures taken to facilitate tourism in Pakistan were evidently among the most successful — Pakistan went from being sidelined to being amongst the worlds top destinations to visit. There were multiple reasons for this, the removal of the mandatory NOC, the initiative for online visas for upto 175 countries alongside visa-on-arrival for 50 countries were among the facilitating measures taken for tourism.
Foreign Direct Investment: What can be appreciated is the general reception of Pakistan's economic outlook, where FDI climbed by upto 137% within this fiscal year, gathering upto nearly $2.1 billion. Yet, once again — the pandemic will undoubtedly cause most countries to rethink their economic policies for now, and the overall FDI might see a downward trend with regards to global decrease in FDI. Despite, the increases in FDI are welcomed, especially considering total foreign investment rose 380 percent to $2.375 billion in July-March FY2020. Yet the sustainability of this remains to be seen.
Dealing with covid: Despite all odds, Pakistan has somehow managed to deal well with the pandemic. Coming out relatively alright, in perspective of countries such as India, Mexico, Italy, Brazil etc. The factor that plays out, is that despite being incredibly vulnerable, the country managed to pull through and has markedly reduced the impact of the virus. With regards to the economy, taking a bold risk of abating a complete lockdown, whilst met with criticism was once again a factor that showed competency. Keeping in mind that 51 million Pakistanis lived below the poverty line, and the adverse effect it would have on the economy. Pakistan managed to come through the economic contraction with only a -0.38% growth. Although the full effects are still not abated or understood, what's commendable is the fact that Pakistan under PTI has kept itself from an even worse situation. Whilst managing to keep covid under relative control. Especially given increases in exports despite the pandemic in countries such as Qatar, Saudi Arabia, and Italy.
This is by no means a highly comprehensive list, just my opinion on some of the bigger achievements; saving the economy from defaulting, adopting tax reforms, tourism reforms, export reforms among them whilst managing covid and economic stability with relative success. There are of course a multitude of other factors, successfully avoiding a blacklist from the FATF, macroeconomic reforms, attempts to strengthen the working class; ehsaas programs, Naya Pakistan housing schemes alongside other relief efforts. These are measures in accordance with curtailing the effect of increasing taxation and attempts to abate the economic slowdown that came as a result of forcing an increase in government revenue. Alongside the focus on multiple new hydroelectric dams, industrial cities, reduction of the PM office staff from 552 to 298, 10 billion tree project and an overall renewed interest in renewable energy and green Pakistan. The list is comprehensive. Pakistan remains on a rocky path, it is not out of the woods yet. Covid-19 has seriously hampered the overall projections, and caused a worldwide economic contraction. Not only that, but there are criticisms that can be attributed to the government as well, as they are not without fault. However, the overall achievements of the government with regards to the economy do present hope for the long-term fiscal policy and development of Pakistan.
When I first started trading, I used to add all indicators on my chart. MACD, RSI, super trend, ATR, ichimoku cloud, Bollinger Bands, everything! My chart was pretty messy. I understood nothing and my analysis was pretty much just a gamble. Nothing worked. DISCLOSURE- I've written this article on another sub reddit, if you've already read it, you make skip this one and come back tomorrow. Then I learned price action trading. And things started to change. It seemed difficult and unreliable at first. There's a saying in my country. "Bhav Bhagwan Che" it means "Price Is GOD". That holds true in the market. Amos Every indicator you see is based on price. RSI uses open/close price and so does moving average. MACD uses price. Price is what matters the most. Everything depends on the price, and then the indicators send a signal. Price Action trading is trading based on Candlestick patterns and support and resistance. You don't use any indicators (SMA sometimes), use plot trend lines and support and resistance zones, maybe Fibs or Pivot points. It is not 100% successful, but the win rate is quite high if you know how to analyse it correctly. How To Learn Price Action Trading? YouTube channels- 1. Trading with Rayner Teo. 2. Adam Khoo. 3. The Chart Guys. 4. The Trading Channel (and some other channels including regional ones). Books- 1. Technical Analysis Explained. 2. The trader's book of volume. 3. Trading price action trends. 4. Trading price action reversals. 5. Trading price actions ranges. 6. Naked forex. 7. Technical analysis of the financial markets. I think this is enough information to help you get started. Price Action trading includes a few parts.
Candlestick patterns You'll have to be able to spot a bullish engulfing or a bearish engulfing pattern. Or a doji or a morning star.
Chart Patterns. The flag, wedge, channels or triangles. These are often quite helpful in chart analysis without using indicators.
Support or Resistance. I've seen people draw 15 lines of support and resistance, this just makes your chart messy and you don't know where the price will take a support.
You can also you the demand and supply zone concept if you're more comfortable with that.
Volume. There's a quote "Boule precedes price". Volume analysis is a bit hard, but it's totally worth learning. Divergence is also a great concept.
Multiple time frames. To confirm a trend or find the long term support or resistance, you can use a higher time frame. Plus, it is more reliable and divergence is way stronger on it.
You can conclude everything to make a powerful system. Like if there's a divergence (price up volume down) and there's a major resistance on some upper level and a double top is formed, That's a very reliable strategy to go short. Combinations of various systems work very good imo. Does this mean that indicators are useless? No, I use moving averages and RSI quite frequently. Using price action and confirming it through indicators gives me a higher win rate. "Bhav Bhagwan Che". -Vikrant C.
One of the good things about trading is that everybody can have their own unique style. albeit two different trading styles conflict, it doesn’t mean that one strategy is true and one is wrong. With thousands upon thousands of stocks to settle on from, there’s always an abundance of effective ways to trade. Technical analysis is usually lumped together into one specific style, but not all indicators point within the same direction. We’re all conversant in commonly used technical concepts like support and resistance and moving averages, alongside more refined tools like MACD and RSI. No single indicator may be a golden goose for trading profits, but when utilized in the right situations, you'll spot opportunities before the bulk of the gang . One technical trading indicator that tends to fly under the radar is that the Fisher Transform Indicator. Despite its lack of recognition , the Fisher Transform Indicator may be a useful gizmo to feature to your trading arsenal since it’s fairly easy to read and influence . What is the Fisher Transform Indicator? One of the best struggles in marketing research is the way to affect such a lot of random data. The distribution of stock prices makes it difficult to locate trends and patterns, which is why technical analysis exists within the first place. Hey, if the trends were easy to identify , everyone would get rich trading stocks and therefore the advantage provided by technical analysis would be whittled away. But since technical trends are difficult to identify with an untrained eye, we believe trading tools just like the RSI and MACD to form informed decisions. The Fisher Transform Indicator was developed by John F. Ehlers, who’s authored market books like Rocket Science For Traders. Visit Equiti Forex The Fisher Transform Indicator attempts to bring order to chaos by normalizing the distribution of stock prices over various timeframes. Instead of messy, random prices, the Fisher Transform Indicators puts prices into a Gaussian Gaussian distribution . you would possibly know such a distribution by its more commonly used name – the bell curve. Bell curves usually want to measure school grades, but during this instance, it’s wont to more neatly smooth prices along a selected timeline. Think of stock prices like players on a five – if you organize everyone during a pattern by height, you’ll have a way better understanding of the makeup of the team. So what does the Fisher Transform Indicator look for? Extreme market conditions. Unlike other trading signals where many false positives are delivered on a day to day , this indicator is meant to pop only during rare market moments. By utilizing a normal distribution , much of the noise made by stock prices is ironed away. Despite the complex mathematics, Fisher Transform tends to offer clear overbought and oversold signals since the extremes of the indicator are rarely reached. How Can Traders Utilize the Fisher Transform Indicator? One of the advantages of the Fisher Transform Indicator is its role as a number one indicator, not a lagging indicator. Lagging indicators tend to inform us of information we already know. a number one indicator is best at remarking potential trend reversals before they occur, not as they’re occurring or after the very fact . There are two main ways to trade the Fisher Transform Indicator – a sign reversal or the reaching of a particular threshold. For a sign reversal, you’re simply trying to find the indicator to vary course. If the Fisher Transform indicator had been during a prolonged upswing but suddenly turned down, it might be foreshadowing a trend reversal within the stock price. On the opposite hand, the Fisher Transform Indicator might be used as a “breach” indicator for identifying trade opportunities that support certain levels. A signal line often accompanies the Fisher Transform Indicator, which may be wont to spot opportunities in not just stocks, but assets like commodities and forex also . Examples Alphabet (NASDAQ: GOOGL) Google has been one among tech’s best stay-at-home plays during the coronavirus pandemic, but you wouldn’t have thought that back in late March when shares cratered down near the $1000 mark. A bounce eventually came, but the stock didn’t rebound quickly. However, the Fisher Transform Indicator provided a playbook for the stock beginning in February. The extreme boundary was reached around the same time because the market was high, offering a sell signal before the top of the month. because the shares fell, the Fisher Transform Indicator moved right down to the boundary and bottomed before the stock. Buying when the indicator eclipsed the signal line in mid-April would have allowed you to catch most of the rebound. Nikola Corporation (NASDAQ: NKLA) Before becoming marred in controversy, Nikola Corporation was the most well liked stock of summer 2020. The obscure car maker was toiling within the $10-12 range before exploding higher in June. And I don’t mean just a fast double or triple up – Nikola reached a high of $93 before the music stopped. When a stock goes parabolic, one among the toughest things to work out is when to require profits and bail. Nikola was a cautionary tale since the corporate seemed pretty shady from the beginning , but traders using the Fisher Transform Indicator got a sign that the highest was in before the stock began its quick descent backtrack . The June high coincided with the Fisher Transform Indicator reaching its highest level since December of 2019, a sign that sounded the alarm for observant traders.
Disclaimer: None of this is financial advice. I have no idea what I'm doing. Please do your own research or you will certainly lose money. I'm not a statistician, data scientist, well-seasoned trader, or anything else that would qualify me to make statements such as the below with any weight behind them. Take them for the incoherent ramblings that they are. TL;DR at the bottom for those not interested in the details. This is a bit of a novel, sorry about that. It was mostly for getting my own thoughts organized, but if even one person reads the whole thing I will feel incredibly accomplished.
Background
For those of you not familiar, please see the various threads on this trading system here. I can't take credit for this system, all glory goes to ParallaxFX! I wanted to see how effective this system was at H1 for a couple of reasons: 1) My current broker is TD Ameritrade - their Forex minimum is a mini lot, and I don't feel comfortable enough yet with the risk to trade mini lots on the higher timeframes(i.e. wider pip swings) that ParallaxFX's system uses, so I wanted to see if I could scale it down. 2) I'm fairly impatient, so I don't like to wait days and days with my capital tied up just to see if a trade is going to win or lose. This does mean it requires more active attention since you are checking for setups once an hour instead of once a day or every 4-6 hours, but the upside is that you trade more often this way so you end up winning or losing faster and moving onto the next trade. Spread does eat more of the trade this way, but I'll cover this in my data below - it ends up not being a problem. I looked at data from 6/11 to 7/3 on all pairs with a reasonable spread(pairs listed at bottom above the TL;DR). So this represents about 3-4 weeks' worth of trading. I used mark(mid) price charts. Spreadsheet link is below for anyone that's interested.
System Details
I'm pretty much using ParallaxFX's system textbook, but since there are a few options in his writeups, I'll include all the discretionary points here:
I'm using the stop entry version - so I wait for the price to trade beyond the confirmation candle(in the direction of my trade) before entering. I don't have any data to support this decision, but I've always preferred this method over retracement-limit entries. Maybe I just like the feeling of a higher winrate even though there can be greater R:R using a limit entry. Variety is the spice of life.
I put my stop loss right at the opposite edge of the confirmation candle. NOT at the edge of the 2-candle pattern that makes up the system. I'll get into this more below - not enough trades are saved to justify the wider stops. (Wider stop means less $ per pip won, assuming you still only risk 1%).
All my profit/loss statistics are based on a 1% risk per trade. Because 1 is real easy to multiply.
There are definitely some questionable trades in here, but I tried to make it as mechanical as possible for evaluation purposes. They do fit the definitions of the system, which is why I included them. You could probably improve the winrate by being more discretionary about your trades by looking at support/resistance or other techniques.
I didn't use MBB much for either entering trades, or as support/resistance indicators. Again, trying to be pretty mechanical here just for data collection purposes. Plus, we all make bad trading decisions now and then, so let's call it even.
As stated in the title, this is for H1 only. These results may very well not play out for other time frames - who knows, it may not even work on H1 starting this Monday. Forex is an unpredictable place.
I collected data to show efficacy of taking profit at three different levels: -61.8%, -100% and -161.8% fib levels described in the system using the passive trade management method(set it and forget it). I'll have more below about moving up stops and taking off portions of a position.
And now for the fun. Results!
Total Trades: 241
Raw Winrates:
TP at -61.8%: 177 out of 241: 73.44%
TP at -100%: 156 out of 241: 64.73%
TP at -161.8%: 121 out of 241: 50.20%
Adjusted Proft % (takes spread into account):
TP at -61.8%: 5.22%
TP at -100%: 23.55%
TP at -161.8%: 29.14%
As you can see, a higher target ended up with higher profit despite a much lower winrate. This is partially just how things work out with profit targets in general, but there's an additional point to consider in our case: the spread. Since we are trading on a lower timeframe, there is less overall price movement and thus the spread takes up a much larger percentage of the trade than it would if you were trading H4, Daily or Weekly charts. You can see exactly how much it accounts for each trade in my spreadsheet if you're interested. TDA does not have the best spreads, so you could probably improve these results with another broker. EDIT: I grabbed typical spreads from other brokers, and turns out while TDA is pretty competitive on majors, their minors/crosses are awful! IG beats them by 20-40% and Oanda beats them 30-60%! Using IG spreads for calculations increased profits considerably (another 5% on top) and Oanda spreads increased profits massively (another 15%!). Definitely going to be considering another broker than TDA for this strategy. Plus that'll allow me to trade micro-lots, so I can be more granular(and thus accurate) with my position sizing and compounding.
A Note on Spread
As you can see in the data, there were scenarios where the spread was 80% of the overall size of the trade(the size of the confirmation candle that you draw your fibonacci retracements over), which would obviously cut heavily into your profits. Removing any trades where the spread is more than 50% of the trade width improved profits slightly without removing many trades, but this is almost certainly just coincidence on a small sample size. Going below 40% and even down to 30% starts to cut out a lot of trades for the less-common pairs, but doesn't actually change overall profits at all(~1% either way). However, digging all the way down to 25% starts to really make some movement. Profit at the -161.8% TP level jumps up to 37.94% if you filter out anything with a spread that is more than 25% of the trade width! And this even keeps the sample size fairly large at 187 total trades. You can get your profits all the way up to 48.43% at the -161.8% TP level if you filter all the way down to only trades where spread is less than 15% of the trade width, however your sample size gets much smaller at that point(108 trades) so I'm not sure I would trust that as being accurate in the long term. Overall based on this data, I'm going to only take trades where the spread is less than 25% of the trade width. This may bias my trades more towards the majors, which would mean a lot more correlated trades as well(more on correlation below), but I think it is a reasonable precaution regardless.
Time of Day
Time of day had an interesting effect on trades. In a totally predictable fashion, a vast majority of setups occurred during the London and New York sessions: 5am-12pm Eastern. However, there was one outlier where there were many setups on the 11PM bar - and the winrate was about the same as the big hours in the London session. No idea why this hour in particular - anyone have any insight? That's smack in the middle of the Tokyo/Sydney overlap, not at the open or close of either. On many of the hour slices I have a feeling I'm just dealing with small number statistics here since I didn't have a lot of data when breaking it down by individual hours. But here it is anyway - for all TP levels, these three things showed up(all in Eastern time):
7pm-4am: Fewer setups, but winrate high.
5am-6am: Lots of setups, but but winrate low.
12pm-3pm Medium number of setups, but winrate low.
I don't have any reason to think these timeframes would maintain this behavior over the long term. They're almost certainly meaningless. EDIT: When you de-dup highly correlated trades, the number of trades in these timeframes really drops, so from this data there is no reason to think these timeframes would be any different than any others in terms of winrate. That being said, these time frames work out for me pretty well because I typically sleep 12am-7am Eastern time. So I automatically avoid the 5am-6am timeframe, and I'm awake for the majority of this system's setups.
Moving stops up to breakeven
This section goes against everything I know and have ever heard about trade management. Please someone find something wrong with my data. I'd love for someone to check my formulas, but I realize that's a pretty insane time commitment to ask of a bunch of strangers. Anyways. What I found was that for these trades moving stops up...basically at all...actually reduced the overall profitability. One of the data points I collected while charting was where the price retraced back to after hitting a certain milestone. i.e. once the price hit the -61.8% profit level, how far back did it retrace before hitting the -100% profit level(if at all)? And same goes for the -100% profit level - how far back did it retrace before hitting the -161.8% profit level(if at all)? Well, some complex excel formulas later and here's what the results appear to be. Emphasis on appears because I honestly don't believe it. I must have done something wrong here, but I've gone over it a hundred times and I can't find anything out of place.
Moving SL up to 0% when the price hits -61.8%, TP at -100%
Winrate: 46.4%
Adjusted Proft % (takes spread into account): 5.36%
Taking half position off at -61.8%, moving SL up to 0%, TP remaining half at -100%
Winrate: 65.97%
Adjusted Proft % (takes spread into account): -1.01% (yes, a net loss)
Now, you might think exactly what I did when looking at these numbers: oof, the spread killed us there right? Because even when you move your SL to 0%, you still end up paying the spread, so it's not truly "breakeven". And because we are trading on a lower timeframe, the spread can be pretty hefty right? Well even when I manually modified the data so that the spread wasn't subtracted(i.e. "Breakeven" was truly +/- 0), things don't look a whole lot better, and still way worse than the passive trade management method of leaving your stops in place and letting it run. And that isn't even a realistic scenario because to adjust out the spread you'd have to move your stoploss inside the candle edge by at least the spread amount, meaning it would almost certainly be triggered more often than in the data I collected(which was purely based on the fib levels and mark price). Regardless, here are the numbers for that scenario:
Moving SL up to 0% when the price hits -61.8%, TP at -100%
Winrate(breakeven doesn't count as a win): 46.4%
Adjusted Proft % (takes spread into account): 17.97%
Taking half position off at -61.8%, moving SL up to 0%, TP remaining half at -100%
Winrate(breakeven doesn't count as a win): 65.97%
Adjusted Proft % (takes spread into account): 11.60%
From a literal standpoint, what I see behind this behavior is that 44 of the 69 breakeven trades(65%!) ended up being profitable to -100% after retracing deeply(but not to the original SL level), which greatly helped offset the purely losing trades better than the partial profit taken at -61.8%. And 36 went all the way back to -161.8% after a deep retracement without hitting the original SL. Anyone have any insight into this? Is this a problem with just not enough data? It seems like enough trades that a pattern should emerge, but again I'm no expert. I also briefly looked at moving stops to other lower levels (78.6%, 61.8%, 50%, 38.2%, 23.6%), but that didn't improve things any. No hard data to share as I only took a quick look - and I still might have done something wrong overall. The data is there to infer other strategies if anyone would like to dig in deep(more explanation on the spreadsheet below). I didn't do other combinations because the formulas got pretty complicated and I had already answered all the questions I was looking to answer.
2-Candle vs Confirmation Candle Stops
Another interesting point is that the original system has the SL level(for stop entries) just at the outer edge of the 2-candle pattern that makes up the system. Out of pure laziness, I set up my stops just based on the confirmation candle. And as it turns out, that is much a much better way to go about it. Of the 60 purely losing trades, only 9 of them(15%) would go on to be winners with stops on the 2-candle formation. Certainly not enough to justify the extra loss and/or reduced profits you are exposing yourself to in every single other trade by setting a wider SL. Oddly, in every single scenario where the wider stop did save the trade, it ended up going all the way to the -161.8% profit level. Still, not nearly worth it.
Correlated Trades
As I've said many times now, I'm really not qualified to be doing an analysis like this. This section in particular. Looking at shared currency among the pairs traded, 74 of the trades are correlated. Quite a large group, but it makes sense considering the sort of moves we're looking for with this system. This means you are opening yourself up to more risk if you were to trade on every signal since you are technically trading with the same underlying sentiment on each different pair. For example, GBP/USD and AUD/USD moving together almost certainly means it's due to USD moving both pairs, rather than GBP and AUD both moving the same size and direction coincidentally at the same time. So if you were to trade both signals, you would very likely win or lose both trades - meaning you are actually risking double what you'd normally risk(unless you halve both positions which can be a good option, and is discussed in ParallaxFX's posts and in various other places that go over pair correlation. I won't go into detail about those strategies here). Interestingly though, 17 of those apparently correlated trades ended up with different wins/losses. Also, looking only at trades that were correlated, winrate is 83%/70%/55% (for the three TP levels). Does this give some indication that the same signal on multiple pairs means the signal is stronger? That there's some strong underlying sentiment driving it? Or is it just a matter of too small a sample size? The winrate isn't really much higher than the overall winrates, so that makes me doubt it is statistically significant. One more funny tidbit: EUCAD netted the lowest overall winrate: 30% to even the -61.8% TP level on 10 trades. Seems like that is just a coincidence and not enough data, but dang that's a sucky losing streak. EDIT: WOW I spent some time removing correlated trades manually and it changed the results quite a bit. Some thoughts on this below the results. These numbers also include the other "What I will trade" filters. I added a new worksheet to my data to show what I ended up picking.
Total Trades: 75
Raw Winrates:
TP at -61.8%: 84.00%
TP at -100%: 73.33%
TP at -161.8%: 60.00%
Moving SL up to 0% when the price hits -61.8%, TP at -100%: 53.33%
Taking half position off at -61.8%, moving SL up to 0%, TP remaining half at -100%: 53.33% (yes, oddly the exact same winrate. but different trades/profits)
Adjusted Proft % (takes spread into account):
TP at -61.8%: 18.13%
TP at -100%: 26.20%
TP at -161.8%: 34.01%
Moving SL up to 0% when the price hits -61.8%, TP at -100%: 19.20%
Taking half position off at -61.8%, moving SL up to 0%, TP remaining half at -100%: 17.29%
To do this, I removed correlated trades - typically by choosing those whose spread had a lower % of the trade width since that's objective and something I can see ahead of time. Obviously I'd like to only keep the winning trades, but I won't know that during the trade. This did reduce the overall sample size down to a level that I wouldn't otherwise consider to be big enough, but since the results are generally consistent with the overall dataset, I'm not going to worry about it too much. I may also use more discretionary methods(support/resistance, quality of indecision/confirmation candles, news/sentiment for the pairs involved, etc) to filter out correlated trades in the future. But as I've said before I'm going for a pretty mechanical system. This brought the 3 TP levels and even the breakeven strategies much closer together in overall profit. It muted the profit from the high R:R strategies and boosted the profit from the low R:R strategies. This tells me pair correlation was skewing my data quite a bit, so I'm glad I dug in a little deeper. Fortunately my original conclusion to use the -161.8 TP level with static stops is still the winner by a good bit, so it doesn't end up changing my actions. There were a few times where MANY (6-8) correlated pairs all came up at the same time, so it'd be a crapshoot to an extent. And the data showed this - often then won/lost together, but sometimes they did not. As an arbitrary rule, the more correlations, the more trades I did end up taking(and thus risking). For example if there were 3-5 correlations, I might take the 2 "best" trades given my criteria above. 5+ setups and I might take the best 3 trades, even if the pairs are somewhat correlated. I have no true data to back this up, but to illustrate using one example: if AUD/JPY, AUD/USD, CAD/JPY, USD/CAD all set up at the same time (as they did, along with a few other pairs on 6/19/20 9:00 AM), can you really say that those are all the same underlying movement? There are correlations between the different correlations, and trying to filter for that seems rough. Although maybe this is a known thing, I'm still pretty green to Forex - someone please enlighten me if so! I might have to look into this more statistically, but it would be pretty complex to analyze quantitatively, so for now I'm going with my gut and just taking a few of the "best" trades out of the handful. Overall, I'm really glad I went further on this. The boosting of the B/E strategies makes me trust my calculations on those more since they aren't so far from the passive management like they were with the raw data, and that really had me wondering what I did wrong.
What I will trade
Putting all this together, I am going to attempt to trade the following(demo for a bit to make sure I have the hang of it, then for keeps):
"System Details" I described above.
TP at -161.8%
Static SL at opposite side of confirmation candle - I won't move stops up to breakeven.
Trade only 7am-11am and 4pm-11pm signals.
Nothing where spread is more than 25% of trade width.
Looking at the data for these rules, test results are:
Winrate: 58.19%
Adjusted Proft % (takes spread into account): 47.43%
I'll be sure to let everyone know how it goes!
Other Technical Details
ATR is only slightly elevated in this date range from historical levels, so this should fairly closely represent reality even after the COVID volatility leaves the scalpers sad and alone.
The sample size is much too small for anything really meaningful when you slice by hour or pair. I wasn't particularly looking to test a specific pair here - just the system overall as if you were going to trade it on all pairs with a reasonable spread.
Raw Data
Here's the spreadsheet for anyone that'd like it. (EDIT: Updated some of the setups from the last few days that have fully played out now. I also noticed a few typos, but nothing major that would change the overall outcomes. Regardless, I am currently reviewing every trade to ensure they are accurate.UPDATE: Finally all done. Very few corrections, no change to results.) I have some explanatory notes below to help everyone else understand the spiraled labyrinth of a mind that put the spreadsheet together.
I'm on the East Coast in the US, so the timestamps are Eastern time.
Time stamp is from the confirmation candle, not the indecision candle. So 7am would mean the indecision candle was 6:00-6:59 and the confirmation candle is 7:00-7:59 and you'd put in your order at 8:00.
I found a couple AM/PM typos as I was reviewing the data, so let me know if a trade doesn't make sense and I'll correct it.
Insanely detailed spreadsheet notes
For you real nerds out there. Here's an explanation of what each column means:
Pair - duh
Date/Time - Eastern time, confirmation candle as stated above
Win to -61.8%? - whether the trade made it to the -61.8% TP level before it hit the original SL.
Win to -100%? - whether the trade made it to the -100% TP level before it hit the original SL.
Win to -161.8%? - whether the trade made it to the -161.8% TP level before it hit the original SL.
Retracement level between -61.8% and -100% - how deep the price retraced after hitting -61.8%, but before hitting -100%. Be careful to look for the negative signs, it's easy to mix them up. Using the fib% levels defined in ParallaxFX's original thread. A plain hyphen "-" means it did not retrace, but rather went straight through -61.8% to -100%. Positive 100 means it hit the original SL.
Retracement level between -100% and -161.8% - how deep the price retraced after hitting -100%, but before hitting -161.8%. Be careful to look for the negative signs, it's easy to mix them up. Using the fib% levels defined in ParallaxFX's original thread. A plain hyphen "-" means it did not retrace, but rather went straight through -100% to -161.8%. Positive 100 means it hit the original SL.
Trade Width(Pips) - the size of the confirmation candle, and thus the "width" of your trade on which to determine position size, draw fib levels, etc.
Loser saved by 2 candle stop? - for all losing trades, whether or not the 2-candle stop loss would have saved the trade and how far it ended up getting if so. "No" means it didn't save it, N/A means it wasn't a losing trade so it's not relevant.
Spread(ThinkorSwim) - these are typical spreads for these pairs on ToS.
Spread % of Width - How big is the spread compared to the trade width? Not used in any calculations, but interesting nonetheless.
True Risk(Trade Width + Spread) - I set my SL at the opposite side of the confirmation candle knowing that I'm actually exposing myself to slightly more risk because of the spread(stop order = market order when submitted, so you pay the spread). So this tells you how many pips you are actually risking despite the Trade Width. I prefer this over setting the stop inside from the edge of the candle because some pairs have a wide spread that would mess with the system overall. But also many, many of these trades retraced very nearly to the edge of the confirmation candle, before ending up nicely profitable. If you keep your risk per trade at 1%, you're talking a true risk of, at most, 1.25% (in worst-case scenarios with the spread being 25% of the trade width as I am going with above).
Win or Loss in %(1% risk) including spread TP -61.8% - not going to go into huge detail, see the spreadsheet for calculations if you want. But, in a nutshell, if the trade was a win to 61.8%, it returns a positive # based on 61.8% of the trade width, minus the spread. Otherwise, it returns the True Risk as a negative. Both normalized to the 1% risk you started with.
Win or Loss in %(1% risk) including spread TP -100% - same as the last, but 100% of Trade Width.
Win or Loss in %(1% risk) including spread TP -161.8% - same as the last, but 161.8% of Trade Width.
Win or Loss in %(1% risk) including spread TP -100%, and move SL to breakeven at 61.8% - uses the retracement level columns to calculate profit/loss the same as the last few columns, but assuming you moved SL to 0% fib level after price hit -61.8%. Then full TP at 100%.
Win or Loss in %(1% risk) including spread take off half of position at -61.8%, move SL to breakeven, TP 100% - uses the retracement level columns to calculate profit/loss the same as the last few columns, but assuming you took of half the position and moved SL to 0% fib level after price hit -61.8%. Then TP the remaining half at 100%.
Overall Growth(-161.8% TP, 1% Risk) - pretty straightforward. Assuming you risked 1% on each trade, what the overall growth level would be chronologically(spreadsheet is sorted by date).
Pairs
AUD/CAD
AUD/CHF
AUD/JPY
AUD/NZD
AUD/USD
CAD/CHF
CAD/JPY
CHF/JPY
EUAUD
EUCAD
EUCHF
EUGBP
EUJPY
EUNZD
EUUSD
GBP/AUD
GBP/CAD
GBP/CHF
GBP/JPY
GBP/NZD
GBP/USD
NZD/CAD
NZD/CHF
NZD/JPY
NZD/USD
USD/CAD
USD/CHF
USD/JPY
TL;DR
Based on the reasonable rules I discovered in this backtest:
Date range: 6/11-7/3
Winrate: 58.19%
Adjusted Proft % (takes spread into account): 47.43%
Demo Trading Results
Since this post, I started demo trading this system assuming a 5k capital base and risking ~1% per trade. I've added the details to my spreadsheet for anyone interested. The results are pretty similar to the backtest when you consider real-life conditions/timing are a bit different. I missed some trades due to life(work, out of the house, etc), so that brought my total # of trades and thus overall profit down, but the winrate is nearly identical. I also closed a few trades early due to various reasons(not liking the price action, seeing support/resistance emerge, etc). A quick note is that TD's paper trade system fills at the mid price for both stop and limit orders, so I had to subtract the spread from the raw trade values to get the true profit/loss amount for each trade. I'm heading out of town next week, then after that it'll be time to take this sucker live!
86 Trades
Date range: 7/9-7/30
Winrate: 52.32%
Adjusted Proft % (takes spread into account): 20.73%
Starting Balance: $5,000
Ending Balance: $6,036.51
Live Trading Results
I started live-trading this system on 8/10, and almost immediately had a string of losses much longer than either my backtest or demo period. Murphy's law huh? Anyways, that has me spooked so I'm doing a longer backtest before I start risking more real money. It's going to take me a little while due to the volume of trades, but I'll likely make a new post once I feel comfortable with that and start live trading again.
I've been out of control for 2 years, spending an average of 7154,85€ / month...
Yes, this is the day. My accountant made the calculations for 2019 income and corporate tax. It's 37580,39€ combined which i have to pay at the end of feb 2021. I was shocked, to say the least. My business is doing well, so i will have no problem paying that, but that really got me thinking, i need to get frugal NOW! So here are my expenses, which i never displayed like this before: 2020 expenses This shit is not sustainable (it is, but i hate to pay taxes and wasting money like this) and i will cut back pretty hard this year.
....a little background... I started selling stuff online mid 2014 and got to 1Mil gross/year in 2017 netting around 12-15%. I was young (31 lol) and stupid, so i bought 2 cars, expensive ones, 0% loans at least(wow i'm so smart).... Fast forward, i now pay 7154,85€ every month to keep this useless bimbo lifestyle which ich absolutely HATE looking at these numbers... I do prepay some incometax but it is not nearly enough, so i anticipate to pay 2k/month on top of this for the next year starting March 2021
As you can clearly see, i did and am doing all the mistakes a douchbag can do
buying cars.
pissing money away on Amazon.
buying the most expensive gas for your car because it can only use that...
Takeout at least 4-5 times a Month.
Saving money where you should not save, on food.
taking private loans for even more useless stuff.
I hate myself so much right now, seeing all the money drained which could have doubled my income when used the right way, i'm in tears... I did trade a lot of forex in 2010 to 2012, of course loosing money on the way, one thing i learned tho was to use a stop loss, which will cancel any open trade when reaching a certain value. So i'm pulling the stop loss on my spending right now, as i can't take it anymore.
I will be living in my office by the end of this year, bringing Rent, Internet and Netflix from around 1000€/month to ZERO.
One car will be paid in full on feb 2021, will sell it immediately using the money to pay of the private loan, bringing the private loan from 1000€/month to ZERO.
cutting back on Amazon, charging the amazon account with only 100€/Month, saving at least 500€/month.
No more fucking MCD and BK! I'm fat as hell....saving 127€/month.
Driving only when necessary. I hope to get it down to around 100€ / month. Gas is so expensive, i'm from germany, you know, it's expensive as hell....
I will not be paying using cash money anymore, as i can't trace it later...
This measures will free up around 3500€/month at least, which will go to tax prepayment and the other car loan. Oh boy, writing this down has done so much for me the last hour, i will go even further, cutting everything i can. Can you believe that the isurance for my car is 1000€/year? lol, hear's to having a 300 hp car. New tires are ~850€. I'm fucking done with all this, the only thing i will spend more on is my body and mind, healthier food, sports. I can't wait. Thank you for reading, if you did. Hope you don't make the same mistakes i do/did.
Due to popular demand I've decided to bring this series back for a week 2 and I'll continue to release 3-5 trading ideas every Saturday. How do you guys feel about the name of this series? Would you like me to change the name to something like "Setup Saturdays" or are you guys cool with the current naming scheme? So this week I wanted to be a lot more in depth in my analysis and setups since I didn't think I was super clear last week with my reasoning on some the setups. I want these posts to be as beginner friendly as possible because there's a lot more beginners in this Subreddit than I had realized. I want you to use this as an educational tool and not as a signal service as a result I'm going to give you possible trade setups and I want you to be the judge of whether you should enter once/if price gets to that point since I feel like that will benefit beginners in the long run. I got a couple questions about top down time frame analysis so that'll be a focus of today's post. Scroll down to NZDJPY if you really want an in-depth look at how I perform top down time frame analysis. I'll include a picture of a chart and my TradingView chart so if you want to zoom in and out of the chart you'll have that ability to do so. Quick Disclaimer: Some of the charts pricing might be off by a bit since I started working on this during the New York session on Friday. If any of the charts are impacted in a way that alters the setup I'll be sure to update the charts before I post this on Saturday. Just gotta hope that hope that Powell doesn't break the market or else I might have to redo this entire post. AUDUSD: AUDUSD Daily TradingView Link For Daily: https://www.tradingview.com/chart/AUDUSD/Wb5K2bS8-AUDUSD-Daily-For-Reddit-Post-6-20-U-AD3133/ Analysis: Which way is the trend pointing? It looks like it's pointing up which we can see with the green trend line but how about we zoom in to the 4 hour char to see if that's actually the case. Tip: When drawing a trend line, especially on the daily and higher time frames, remember to hit as many wicks as possible since they are relevant and not just some anomaly you can ignore. AUDUSD 4 Hour TradingView Link For 4 Hour: https://www.tradingview.com/chart/AUDUSD/aah8294z-AUDUSD-4-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: When we got close to where we are with price and we draw a Fibonacci Retracement from the point where price took off to the point where price peaked we can see that price came down to .5 Fibonacci level where it then started going up again. Coincidence? Possibly. As a result I believe that price could continue higher and it would be justified if it did. However, if we look at the trend lines we can see that price appears to have broke put of of our major trend line (Green) which means that price could fall to the downside if it's actually a breakout. Price then appears like it would then adhere to the new minor trend line (Red). There's also the possibility that this was just a fake breakout and price could go up and adhere to green trend line. I'm going to have a selling bias on this trade since price looks like it double topped at the highs of this year and it looks like we could see price fall. I'm leaning towards the drop of price due to the symmetrical triangle pattern created by the major and minor trend line and looks like price is going to get pushed down which we should get an idea of soon. Tip: Every time price makes a large move and falls/rises after making a peak/valley always pull out the Fibonacci retracement tool to see if price will bounce from the .382, .5, or .618 levels as they are the most significant levels. This can tell you if you're going to likely get a trend continuation. AUDUSD 1 Hour TradingView Link For 1 Hour: https://www.tradingview.com/chart/AUDUSD/IHgrnfYs-AUDUSD-1-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: I drew out multiple different scenarios which I think can play out since like I said before we're not trying to predict a single movement but we're preparing to be reactive to an ideal condition which may be thrown at us. Remember that major trend line we drew in on the daily chart well it's going to play a large role here. This trend line has been in the making since March so we're not just going to brush it off. The trend line appears to have been broken and we seem to be sticking that minor trend line after the break of the symmetrical triangle pattern. After the break of the symmetrical triangle pattern price usually gets pushed heavily to one side and it looks like price is wanting to get pushed to the downside. As a result, I'm going to really keep on eyes on scenario the blue arrows display since I think it's the most probable. Looking at the scenario there are going to be two potentially good entry points for a sell. The first being when price goes up to retest the green trend line which would also serve as a bounce from our red trend line. Once we get that bounce we could enter in for a sell with a take profit hopefully somewhere around the .66 area. Another good entry would be when price breaks the zone of support of .68 and after it retests it. Wait for a confirmation candlestick pattern showing price will fall when retesting (i.e. railroad track, bullish engulfment candle, evening star, shooting star, etc.). Look for these candlestick patterns on the 15 minute chart. Once you got the confirmation take the sell and ride price down to the .66 zone. The other scenario that could occur is we could see price go back into the green trend line by breaking the red trend line (Orange Arrows). If this occurs we want to catch the retest bounce of the red trend line and ride price up to the high of the year which is at .702. At that point price could break the resistance at which point we could catch the retest of the zone and ride price up. Or it could go up to .702 create a triple top and fall. If you get a candlestick confirmation saying it'll fall then take a sell at the high of the year. NZDUSD: If there's something I really like in Forex it's definitely got to be harmonic patterns due to their high accuracy. NZDUSD just recently completed one of them and this is a really good indicator of what price is going to do. NZDUSD Daily TradingView Chart For Daily: https://www.tradingview.com/chart/NZDUSD/zQpHzUcK-NZDUSD-Daily-For-Reddit-Post-6-20-U-AD3133/ Analysis: Yes, we have trend line that says that price is going up however I make exceptions for Harmonic patterns since they are accurate about 80%-90% of the time. The pattern you see above is know as a Bearish Bat Pattern. Like the name says it's an indicator that price is going to go Bearish so although the trend line is going up I'm going to have a bearish bias on this trade. NZDUSD 4 Hour TradingView Chart For 4 Hour: https://www.tradingview.com/chart/NZDUSD/C29kpCyO-NZDUSD-4-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: Not really much to add here just tossed on a Fibonacci retracement tool from where price took off to the peak just to check for any potential support from any of the major levels which we don't appear to have. We'll go a lot more in-depth on this pair on the 1 hour chart since that's where things get interesting. NZDUSD 1 Hour TradingView Link For 1 Hour: https://www.tradingview.com/chart/NZDUSD/dKJatcM7-NZDUSD-1-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: Looking at price we can see that since June 11th price has been trading in a boxed consolidation range. Again I drew out the possibilities I believe could be ideal for us. Remember that I said Harmonics work 80%-90%. Well that means that they fail 10%-20% of the time which is definitely not something we can neglect. We can see that there's a descending triangle which price is reaching the end of. This means that price is getting ready to move to one direction since big moves always come after consolidation. If it moves to upside wait for price to close above the the spot marked D then you can enter for a buy and ride price up to the .67525 zone where price could break to upside or bounce back down (Orange Arrow). Remember to wait for it to actually close above point D since it could create a triple top and drive price back down. It's the same procedure as AUDUSD here if it makes this move where if it breaks it then catch the retest and if it looks like it's wanting to fall down wait for a confirmation pattern. If it breaks the box to the downside and breaks the support zone then take a sell and ride price down to the trend line at which point you should close the trade as there's a chance price could move against you and it's best to secure profits while you can. Once at the trend line it could bounce and if it does you should be able to ride price up to that .67525 zone (Green Arrow). If price breaks the trend line then wait for the retest and you should be able to ride price down pretty far (Red Arrows). I think you should be able to ride it down to .5918 zone but you'll have to keep your on it. EURNZD: EURNZD Daily TradingView Link For Daily:https://www.tradingview.com/chart/EURNZD/jzgmGcRe-EURNZD-Daily-For-Reddit-Post-6-20-U-AD3133/ Analysis: Well we got a pretty clear descending channel and price looks like it's at the top part of the channel currently so we're going to want to look for some optimal selling conditions due to the down trend. EURNZD 4 Hour TradingView Link For 4 Hour:https://www.tradingview.com/chart/EURNZD/YzOpvcH7-EURNZD-4-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: Looking at the 4 hour chart we can see that there appears to be a symmetrical triangle coming to it's end meaning price is getting ready to get pushed to a side. I believe it'll break the triangle and fall to the downside so once you see it break it would be a good idea to take a sell and ride price down to that support zone at 1.7187. Price could also briefly break to the upside then bounce off the top of the channel and it does take a trade from the bounce and ride price down to the same support zone. At that point, I'll leave it up to you to determine how you think price will go and what you should be looking for. Consider it to be a little quiz if you want to think of it like that. You've got my charts so use them as a reference since I've already marked some crucial support/resistance zones which we should keep our on for the next couple weeks. EURNZD 1 Hour TradingView Link For 1 Hour:https://www.tradingview.com/chart/EURNZD/ICWvgEsg-EURNZD-1-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: There's nothing that special on the one hour chart that I have to point out since I think we pretty much got all the big stuff out of the way on our analysis of the 4 hour chart. Be sure to get a good sell in there since there are two potentially good setups which I've outlined for you. Also be sure to be careful and wait for the bounce of the channel if price goes that way since there's a chance price could break the channel and I don't want you to take a loss because you were impatient. NZDJPY: This pair is going to be really fun since we're going to be looking through a lot of time frames so if you really want to learn about a top down approach to analyzing time frames and trends then pay very close attention to how I break down this trade. NZDJPY Monthly TradingView Link For Monthly:https://www.tradingview.com/chart/NZDJPY/jZh4F2Jv-NZDJPY-Monthly-For-Reddit-Post-6-20-U-AD3133/ Analysis: Yes, we're actually going to be looking at the monthly chart. I bet you guys don't do that very often. Looking at it we can see that price has been following a clear down trend line since late 2014. If you look at the wick of this month's candle you can see that it appears to have touched the trend line meaning we could see a good opportunity to catch a sell since it had just recently bounced off. Let's take a look at lower time frames to see if this continues to be true. NZDJPY Weekly TradingView Link For Weekly:https://www.tradingview.com/chart/NZDJPY/dpvI29BB-NZDJPY-Weekly-For-Reddit-Post-6-20-U-AD3133/ Analysis: When zooming into the weekly we can see that using the wicks of the candles we can actually draw a channel for the low portion that runs pretty much in parallel to the trend line we drew on the monthly chart. We can see that price clearly bounced from the trend line and I think this gives us good reason to believe in the coming weeks we could see the price drop. Also looking at the Bollinger Bands we can see that price also bounced from the top band which also supports a drop of price. Let's go into the daily to see if we can get a better idea. NZDJPY Daily TradingView Link For Daily:https://www.tradingview.com/chart/NZDJPY/NbWLURkU-NZDJPY-Daily-For-Reddit-Post-6-20-U-AD3133/ Analysis: Looking at the daily time frame we can see that price is currently consolidated and remember big moves always come after consolidation. If you look closely however you can see that price looks like it's about to break the 200 day EMA (Orange line). If it breaks the EMA we could see price drop pretty far at an accelerated rate. Besides those couple observations there's not much else going on with the daily chart. NZDJPY 4 Hour TradingView Link For 4 Hour:https://www.tradingview.com/chart/NZDJPY/d1kaogH5-NZDJPY-4-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: Would you look at that, it looks like we got a descending triangle on the 4 hour chart which looks like it's coming to an end. Looking at price it looks like it's wanting to push to the downside. Once you get a break below the lows of the day of June 11th I think it would be a safe bet to take a sell trade and ride it down for 66.825 for this week. If it breaks the 66.825 support zone then I'll definitely take a sell and try to ride price down to the bottom of the channel which we drew on the weekly chart. There's also the possibility that price could take support at any of these support zones and then head back up to test the top of the channel. At which point I'll be looking to get into a sell at the top of the channel but I won't ride price up to the channel since at this current point in time I feel like there's a large amount of risk in that. NZDJPY 1 Hour TradingView Link For 1 Hour:https://www.tradingview.com/chart/NZDJPY/83b47mFS-NZDJPY-1-Hour-For-Reddit-Post-6-20-U-AD3133/ Analysis: Not much more to add here since I think by this point we got the entire story so I'm not going to say much more about the 1 hour chart since I think the analysis for the 4 hour chart also sums this up pretty well. Well that was a lot of information to go through and I hope you found some value in this since it took me quite a few hours to put this together for you guys. Truth be told, I spent most of Friday working on this so I hope at least one person finds some value in which case I'll consider it a win. So you guys tired of me yet or do you want me to continue this series for a week 3? It takes a lot of time and effort to put this together so I'll only do it if people want it or else I'll pretty much feel like I wasted my time. I might put together a little lesson on how to use the COT in order to catch some big reversal moves in the market since the COT pretty much tells you what the hedge funds are doing and you also want to trade with the hedge funds and institutions. It'll probably take a couple weeks since I'll have to compile some data together and wait for a setup before putting that out but I'll be working on it. Are there any other things you may want explained? Let me know and I'll try to find setups which contain the topic you may want more details on. I hope you have a great trading week!
November 2030 Well, uh, this sucks. Just a few short months after the Arab States of the Gulf finally unified, the world economy decided to explode. This is what we in the business of economics call a very bad thing. The effects across the FAS have been relatively disparate. The United Arab Emirates, easily the most diversified economy in the region, has been the least heavily impacted (though it's still bad). Diversification programs in Oman and Bahrain have also helped to stave off some of the worst impacts of the crisis, though they haven't been as successful in avoiding the effects as the UAE. Qatar and Kuwait, still almost entirely reliant on hydrocarbon exports, are not happy with this turn of events. Falling global oil prices, though propped up a little by a sudden increase in demand from China, have left their economies struggling much more than the rest of the country, and in desperate need of assistance from the better off parts of the country. One major pain point in this crisis has been the FAS's economic ties to the United States. While most of the FAS's trade is with Asia, Africa, and Europe, the US financial system still plays a crucial role in the FAS. The stability of the US Dollar has long been used to protect the economies of the Gulf using their vast Forex reserves (earned from oil sales) to peg their currency to the US Dollar. With the US Dollar in complete collapse, the value of the Khaleeji is plummeting right along with it, causing a significant degree of harm to the FAS's economy. To help offset this harm (and to decouple the FAS's economy from a country that the FAS is starting to view as maybe not the most reliable economic partner), the Central Bank in Dubai has announced that the Khaleeji will switch its peg from the US Dollar to a basket of foreign currencies (the Euro, the Pound Sterling, the Swiss Franc, the US Dollar, and the Japanese Yen). The FAS hopes that this will help to salvage the Khaleeji's value, better protecting the economy from the collapse of the dollar-based international financial system. Rumor has it that the Central Bank is discussing the idea of unpegging the Khaleeji entirely and allowing it to float freely, but so far, the Central Bank has made no moves towards floating the Khaleeji. Crises suck. They shatter the status quo and throw established norms and procedures into chaos. No one really wins during a crisis. But in another sense, they're a double-edged sword. The status quo is often a repressive entity, reinforcing existing hierarchies and preventing dramatic shifts in the order of things. Chaos breaks that apart, giving the ingenuitive and the entrepreneurial on opportunity to better their lot in ways they otherwise could not. Put differently: chaos is a ladder, and the FAS intends to be the one climbing it. As the largest economy in the Arab World (and one of the world's 20 largest economies) by both nominal GDP and GDP per capita (by a significant margin--it's probably either Saudi Arabia or Egypt in second place in nominal GDP, and definitely Saudi Arabia in second place in GDP per capita, but the FAS more than doubles the country in second place in both categories, so it's sort of a moot point), the FAS hopes to cement its place as the regional economic power. The FAS has announced a new slate of policies intended to attract rich investors, manufacturing firms, and financiers fleeing the new nationalization program of the United States. New free trade zones have been created throughout the country--especially in the struggling, undiversified regions of Kuwait and Qatar--with the goal of convincing fleeing American manufacturers to set up shop in these areas. Attractions include wildly low tax rates (as low as zero percent in some instances), a common law framework (as opposed to the Sharia-based legal system in most of the FAS), highly subsidized land prices (sometimes free), relaxed financial restrictions (making it easier to move money in and out of the FTZ), and, for large enough firms moving enough operations into the country, preferential visa treatment (making it easier for them to relocate foreign employees into the country). Sitting at one of the major crossroads of global trade, moving operations to the FAS offers easy access to both the world's established consumer markets (like the EU and East Asia) as well as to some of its largest growing markets (South and Southeast Asia, East Africa, and MENA). Pair this with wildly high standards of living (for people who aren't slaves Asian or African migrant workers) and established expatriate communities, and the FAS becomes an incredibly attractive option for American and other foreign firms looking to relocate. In addition to manufacturing-oriented FTZs, special attention has been paid to attracting service-oriented firms to new and existing FTZs in the vein of Dubai Internet City, Dubai Design District, Dubai Knowledge Park, and Dubai Media City, with the goal of developing a robust service economy that can capture growing markets in the MENA, South Asia, and East African regions. In advertising these zones, the governments of the FAS have highlighted the success of previous ventures in Dubai, which have attracted the regional headquarters of giants like Facebook, Intel, LinkedIn, Google, Dell, Samsung, Microsoft, IBM, Tata Consultancy, and more. Perhaps one of the most substantial pushes, though, is to attract American financial services and FinTech firms to base in the FAS (particularly Dubai, Kuwait City, Doha, and Abu Dhabi, the traditional centers of regional finance). New financial industry free trade zones have been set up in the four cities, structured in the vein of the Dubai International Financial Centre (DIFC). These financial FTZs boast an independent and internationally regulated regulatory and judicial system, a common law framework, and extremely low taxation rates. All government services in these regions are available in English (the lingua franca of international finance), and in events where ambiguity exists in the legal and regulatory systems, the systems are set to default to English Common Law (except for the Kuwait City International Financial Centre, which is hoping to better tailor itself towards American financial firms by defaulting to American Civil Law from pre-2020 rather than English Common Law). Much like in the DIFC, these new FTZs will also run their own courts, staffed in large part by top judicial talent from Common Law (or in the case of Kuwait City, American Civil Law) jurisdictions like Singapore, England, and (formerly) Hong Kong. Using these FTZ, the four cities hope to raise their profile as financial centers. Dubai in particular is hoping to break into the top ten global financial centers--and it stands a good chance of doing so, too, as it sits at number 12, just behind cities like LA, SF, and Shenzhen--while the other cities are just hoping to boost their profile into the 20s or 10s (according to Long Finance, Dubai is number 12 in the world and 1 in the region, Abu Dhabi is number 39 in the world and two in the region, Doha is number 48 in the world, and Kuwait City is number 91).
[Free] The Complete Day Trading Course - YouTube Playlist (New 2020)
Day Trading & Technical Analysis System For Intraday Trading Stocks, Forex, Crypto, Options Trading & Financial Trading What you'll learn
Learn All The Charting Tools, Trading Strategies And Profitable Hacks For Day Trading With Real World Examples! Dedicated Support from the Course Instructors and the Learning Community. 100% Questions Answered Within 24 Hours! How to Build a Solid Strong Foundation For Day Trading How to Use TradingView For Chart Analysis & Paper Trading How to Choose The Best Chart Time Frames For Day Trading How to Use Different Day Trading Order Types How to Short Sell & Deal With Short Squeezes How to Avoid Blowing Up Your Account How to Use Support & Resistance How to Trade Profitable Technical Indicators & Overlays That Work Well For Day Trading How to Identify Market Directions Using EMA How to Identify Market Directions Using MACD How to Identify Overbought and Oversold Conditions Using RSI How to Use Bollinger Bands to Buy Low Sell High How to Trade Profitable Chart Patterns That Work Well For Day Trading How to Trade Broadening Tops and Bottoms How to Trade Wedges and Triangles How to Trade Flags and Pennants How to Trade Gaps How to Trade Double Tops and Bottoms How to Trade Rounding Tops and Bottoms How to Trade Diamond Tops and Bottoms How to Trade Cup and Handle How to Trade Head and Shoulders How to Trade Dead-Cat Bounces And a lot more...
Beim Double-Top sollten also nicht mehrere Prozent Unterschied auftreten. Weiterhin ist es bei der Chartformation Double Top außerordentlich wichtig, dass die verlaufende Kurskorrektur und die anschließende Erholung keinen allzu langen Zeitraum und Kurskorridor in Anspruch nimmt. Wenn all diese Vorraussetzungen auch tatsächlich erfüllt werden, kann von einem Double-Top gesprochen werden ... The double top pattern is one of the most common technical patterns used by Forex traders. It’s certainly one of my go-to methods of identifying a potential top. Just as the name implies, this price action pattern involves the formation of two highs at a critical resistance level. The idea that the market was rejected from this level not once, but twice, is an indication that the level is ... Die Double Top Forex Swing Trading Strategie ist eine Kombination von Metatrader 4 (MT4) Indikator(s) und Vorlage. Die Essenz dieser Forex-Strategie ist es, die akkumulierten Historiendaten und Trading-Signale zu transformieren. Die Double Top Forex Swing Trading Strategie bietet die Möglichkeit, verschiedene Besonderheiten und Muster in Preisdynamik erkennen, die mit dem bloßen Auge nicht ... Double Top Formation is one of the most reliable signs that a parity that is continuing its upward trend is changing in direction of decline. The parity comes to a point during the uptrend, which is no longer able to withstand sales pressures and starts to return. Here is the first leg of the dual peak is formed. Savings owners, who see that the trend changes direction and who are in a buying ... Double Top Pattern in Forex is a Bearish Reversal Pattern that occurs after an extended uptrend. It is one of the most traders’ favorite pattern. It is easy to spot on the chart and forms more often in the market. In this lesson, we shall explain the double tops and how to trade using them. What is a double top pattern in forex? How to Trade the Double Top in Forex. While there are many different ways that traders trade the Double Top in the Forex market, I’ve identified 3 ways to trade it. All of them work well, so it comes down to which one you feel the most comfortable trading. Trading Strategy #1: Break of Neckline. This is how Technical Analysts trade the Double Top and is the most standard way of trading it ... No chart pattern is more common in trading than the double bottom or double top.In fact, this pattern appears so often that it alone may serve as proof positive that price action is not as wildly ... When a double top or double bottom chart pattern appears, a trend reversal has begun. Let’s learn how to identify these chart patterns and trade them. Double Top . A double top is a reversal pattern that is formed after there is an extended move up. The “tops” are peaks which are formed when the price hits a certain level that can’t be broken. After hitting this level, the price will ... Double top chart patterns are very popular among forex traders. Learn how to spot double tops in forex and stock charts, and how to use them to plan your trades. A double top pattern usually forms at the top of an uptrend with the price failing to form a fresh higher high. Instead, the price finds resistance at a previous swing high and reverses, forming two highs at roughly the same price level (hence the name, double top.) A double top pattern is shown in the following EUR/USD chart. Notice points (1 ...
How to Best Trade Double Tops and Double Bottoms in Forex Trading strategies
http://goo.gl/BMLh7F The double top pattern is one of the most common technical patterns used by Forex traders. It is a reversal pattern that forms after an ... It looks so simple when you look at it for the first time. Two tops or two bottoms at the same price levels and that gives a clear signal. But it’s never tha... How to Trade Double Tops double bottom pattern trading Double Top Definition The double top is a chart pattern with two swing highs very close in price. Th... how to properly trade the double top in forex, crypto or stocks - duration: 16:05. wise wisdom 13,415 views. 16:05. No chart pattern trading setups are more common in trading than the double bottom or double top. Forex double tops and forex double bottoms are two well-know... Learn FOREX - Double top and Double bottom formation patterns - Duration: 2:39. Trade It Simple 16,172 views. 2:39 [Tutorial] How to trade the Head & Shoulders pattern - Duration: 16:18. ...