1 Min Forex Scalping Trading System

My home-made bar replay for MT4

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 
submitted by Learning_2 to Forex [link] [comments]

Some trading wisdom, tools and information I picked up along the way that helped me be a better trader. Maybe it can help you too.

Its a bit lengthy and I tried to condense it as much as I can. So take everything at a high level as each subject is has a lot more depth but fundamentally if you distill it down its just taking simple things and applying your experience using them to add nuance and better deploy them.
There are exceptions to everything that you will learn with experience or have already learned. If you know something extra or something to add to it to implement it better or more accurately. Then great! However, my intention of this post is just a high level overview. Trading can be far too nuanced to go into in this post and would take forever to type up every exception (not to mention the traders individual personality). If you take the general information as a starting point, hopefully you will learn the edge cases long the way and learn how to use the more effectively if you end up using them. I apologize in advice for any errors or typos.
Introduction After reflecting on my fun (cough) trading journey that was more akin to rolling around on broken glass and wondering if brown glass will help me predict market direction better than green glass. Buying a $100 indicator at 2 am when I was acting a fool, looking at it and going at and going "This is a piece of lagging crap, I miss out on a large part of the fundamental move and never using it for even one trade". All while struggling with massive over trading and bad habits because I would get bored watching a single well placed trade on fold for the day. Also, I wanted to get rich quick.
On top all of that I had a terminal Stage 4 case of FOMO on every time the price would move up and then down then back up. Just think about all those extra pips I could have trading both directions as it moves across the chart! I can just sell right when it goes down, then buy right before it goes up again. Its so easy right? Well, turns out it was not as easy as I thought and I lost a fair chunk of change and hit my head against the wall a lot until it clicked. Which is how I came up with a mixed bag of things that I now call "Trade the Trade" which helped support how I wanted to trade so I can still trade intra day price action like a rabid money without throwing away all my bananas.
Why Make This Post? - Core Topic of Discussion I wish to share a concept I came up with that helped me become a reliable trader. Support the weakness of how I like to trade. Also, explaining what I do helps reinforce my understanding of the information I share as I have to put words to it and not just use internalized processes. I came up with a method that helped me get my head straight when trading intra day.
I call it "Trade the Trade" as I am making mini trades inside of a trade setup I make from analysis on a higher timeframe that would take multiple days to unfold or longer. I will share information, principles, techniques I used and learned from others I talked to on the internet (mixed bag of folks from armatures to professionals, and random internet people) that helped me form a trading style that worked for me. Even people who are not good at trading can say something that might make it click in your head so I would absorbed all the information I could get.I will share the details of how I approach the methodology and the tools in my trading belt that I picked up by filtering through many tools, indicators strategies and witchcraft. Hopefully you read something that ends up helping you be a better trader. I learned a lot from people who make community posts so I wanted to give back now that I got my ducks in a row.
General Trading Advice If your struggling finding your own trading style, fixing weakness's in it, getting started, being reliably profitable or have no framework to build yourself higher with, hopefully you can use the below advice to help provide some direction or clarity to moving forward to be a better trader.
  1. KEEP IT SIMPLE. Do not throw a million things on your chart from the get go or over analyzing what the market is doing while trying to learn the basics. Tons of stuff on your chart can actually slow your learning by distracting your focus on all your bells and whistles and not the price action.
  2. PRICE ACTION. Learn how to read price action. Not just the common formations, but larger groups of bars that form the market structure. Those formations carry more weight the higher the time frame they form on. If struggle to understand what is going on or what your looking at, move to a higher time frame.
  3. INDICATORS. If you do use them you should try to understand how every indicator you use calculates its values. Many indicators are lagging indicators, understanding how it calculates the values can help you learn how to identify the market structure before the indicator would trigger a signal . This will help you understand why the signal is a lagged signal. If you understand that you can easily learn to look at the price action right before the signal and learn to watch for that price action on top of it almost trigging a signal so you can get in at a better position and assume less downside risk. I recommend using no more than 1-2 indicators for simplicity, but your free to use as many as you think you think you need or works for your strategy/trading style.
  4. PSYCOLOGY. First, FOMO is real, don't feed the beast. When you trade you should always have an entry and exit. If you miss your entry do not chase it, wait for a new entry. At its core trading is gambling and your looking for an edge against the house (the other market participants). With that in mind, treat as such. Do not risk more than you can afford to lose. If you are afraid to lose it will negatively effect your trade decisions. Finally, be honest with your self and bad trading happens. No one is going to play trade cop and keep you in line, that's your job.
  5. TRADE DECISION MARKING: Before you enter any trade you should have an entry and exit area. As you learn price action you will get better entries and better exits. Use a larger zone and stop loss at the start while learning. Then you can tighten it up as you gain experience. If you do not have a area you wish to exit, or you are entering because "the markets looking like its gonna go up". Do not enter the trade. Have a reason for everything you do, if you cannot logically explain why then you probably should not be doing it.
  6. ROBOTS/ALGOS: Loved by some, hated by many who lost it all to one, and surrounded by scams on the internet. If you make your own, find a legit one that works and paid for it or lost it all on a crappy one, more power to ya. I do not use robots because I do not like having a robot in control of my money. There is too many edge cases for me to be ok with it.However, the best piece of advice about algos was that the guy had a algo/robot for each market condition (trending/ranging) and would make personalized versions of each for currency pairs as each one has its own personality and can make the same type of movement along side another currency pair but the price action can look way different or the move can be lagged or leading. So whenever he does his own analysis and he sees a trend, he turns the trend trading robot on. If the trend stops, and it starts to range he turns the range trading robot on. He uses robots to trade the market types that he is bad at trading. For example, I suck at trend trading because I just suck at sitting on my hands and letting my trade do its thing.

Trade the Trade - The Methodology

Base Principles These are the base principles I use behind "Trade the Trade". Its called that because you are technically trading inside your larger high time frame trade as it hopefully goes as you have analyzed with the trade setup. It allows you to scratch that intraday trading itch, while not being blind to the bigger market at play. It can help make sense of why the price respects, rejects or flat out ignores support/resistance/pivots.
  1. Trade Setup: Find a trade setup using high level time frames (daily, 4hr, or 1hr time frames). The trade setup will be used as a base for starting to figure out a bias for the markets direction for that day.
  2. Indicator Data: Check any indicators you use (I use Stochastic RSI and Relative Vigor Index) for any useful information on higher timeframes.
  3. Support Resistance: See if any support/resistance/pivot points are in currently being tested/resisted by the price. Also check for any that are within reach so they might become in play through out the day throughout the day (which can influence your bias at least until the price reaches it if it was already moving that direction from previous days/weeks price action).
  4. Currency Strength/Weakness: I use the TradeVision currency strength/weakness dashboard to see if the strength/weakness supports the narrative of my trade and as an early indicator when to keep a closer eye for signs of the price reversing.Without the tool, the same concept can be someone accomplished with fundamentals and checking for higher level trends and checking cross currency pairs for trends as well to indicate strength/weakness, ranging (and where it is in that range) or try to get some general bias from a higher level chart that may help you out. However, it wont help you intra day unless your monitoring the currency's index or a bunch of charts related to the currency.
  5. Watch For Trading Opportunities: Personally I make a mental short list and alerts on TradingView of currency pairs that are close to key levels and so I get a notification if it reaches there so I can check it out. I am not against trading both directions, I just try to trade my bias before the market tries to commit to a direction. Then if I get out of that trade I will scalp against the trend of the day and hold trades longer that are with it.Then when you see a opportunity assume the directional bias you made up earlier (unless the market solidly confirms with price action the direction while waiting for an entry) by trying to look for additional confirmation via indicators, price action on support/resistances etc on the low level time frame or higher level ones like hourly/4hr as the day goes on when the price reaches key areas or makes new market structures to get a good spot to enter a trade in the direction of your bias.Then enter your trade and use the market structures to determine how much of a stop you need. Once your in the trade just monitor it and watch the price action/indicators/tools you use to see if its at risk of going against you. If you really believe the market wont reach your TP and looks like its going to turn against you, then close the trade. Don't just hold on to it for principle and let it draw down on principle or the hope it does not hit your stop loss.
  6. Trade Duration Hold your trades as long or little as you want that fits your personality and trading style/trade analysis. Personally I do not hold trades past the end of the day (I do in some cases when a strong trend folds) and I do not hold trades over the weekends. My TP targets are always places I think it can reach within the day. Typically I try to be flat before I sleep and trade intra day price movements only. Just depends on the higher level outlook, I have to get in at really good prices for me to want to hold a trade and it has to be going strong. Then I will set a slightly aggressive stop on it before I leave. I do know several people that swing trade and hold trades for a long period of time. That is just not a trading style that works for me.
Enhance Your Success Rate Below is information I picked up over the years that helped me enhance my success rate with not only guessing intra day market bias (even if it has not broken into the trend for the day yet (aka pre London open when the end of Asia likes to act funny sometimes), but also with trading price action intra day.
People always say "When you enter a trade have an entry and exits. I am of the belief that most people do not have problem with the entry, its the exit. They either hold too long, or don't hold long enough. With the below tools, drawings, or instruments, hopefully you can increase your individual probability of a successful trade.
**P.S.*\* Your mileage will vary depending on your ability to correctly draw, implement and interpret the below items. They take time and practice to implement with a high degree of proficiency. If you have any questions about how to do that with anything listed, comment below and I will reply as I can. I don't want to answer the same question a million times in a pm.
Tools and Methods Used This is just a high level overview of what I use. Each one of the actions I could go way more in-depth on but I would be here for a week typing something up of I did that. So take the information as a base level understanding of how I use the method or tool. There is always nuance and edge cases that you learn from experience.
Conclusion
I use the above tools/indicators/resources/philosophy's to trade intra day price action that sometimes ends up as noise in the grand scheme of the markets movement.use that method until the price action for the day proves the bias assumption wrong. Also you can couple that with things like Stoch RSI + Relative Vigor Index to find divergences which can increase the probability of your targeted guesses.

Trade Example from Yesterday This is an example of a trade I took today and why I took it. I used the following core areas to make my trade decision.
It may seem like a lot of stuff to process on the fly while trying to figure out live price action but, for the fundamental bias for a pair should already baked in your mindset for any currency pair you trade. For the currency strength/weakness I stare at the dashboard 12-15 hours a day so I am always trying to keep a pulse on what's going or shifts so that's not really a factor when I want to enter as I would not look to enter if I felt the market was shifting against me. Then the higher timeframe analysis had already happened when I woke up, so it was a game of "Stare at the 5 min chart until the price does something interesting"
Trade Example: Today , I went long EUUSD long bias when I first looked at the chart after waking up around 9-10pm Eastern. Fortunately, the first large drop had already happened so I had a easy baseline price movement to work with. I then used tool for currency strength/weakness monitoring, Pivot Points, and bearish divergence detected using Stochastic RSI and Relative Vigor Index.
I first noticed Bearish Divergence on the 1hr time frame using the Stochastic RSI and got confirmation intra day on the 5 min time frame with the Relative Vigor Index. I ended up buying the second mini dip around midnight Eastern because it was already dancing along the pivot point that the price had been dancing along since the big drop below the pivot point and dipped below it and then shortly closed back above it. I put a stop loss below the first large dip. With a TP goal of the middle point pivot line
Then I waited for confirmation or invalidation of my trade. I ended up getting confirmation with Bearish Divergence from the second large dip so I tightened up my stop to below that smaller drip and waited for the London open. Not only was it not a lower low, I could see the divergence with the Relative Vigor Index.
It then ran into London and kept going with tons of momentum. Blew past my TP target so I let it run to see where the momentum stopped. Ended up TP'ing at the Pivot Point support/resistance above the middle pivot line.
Random Note: The Asian session has its own unique price action characteristics that happen regularly enough that you can easily trade them when they happen with high degrees of success. It takes time to learn them all and confidently trade them as its happening. If you trade Asia you should learn to recognize them as they can fake you out if you do not understand what's going on.

TL;DR At the end of the day there is no magic solution that just works. You have to find out what works for you and then what people say works for them. Test it out and see if it works for you or if you can adapt it to work for you. If it does not work or your just not interested then ignore it.
At the end of the day, you have to use your brain to make correct trading decisions. Blindly following indicators may work sometimes in certain market conditions, but trading with information you don't understand can burn you just as easily as help you. Its like playing with fire. So, get out there and grind it out. It will either click or it wont. Not everyone has the mindset or is capable of changing to be a successful trader. Trading is gambling, you do all this work to get a edge on the house. Trading without the edge or an edge you understand how to use will only leave your broker happy in the end.
submitted by marcusrider to Forex [link] [comments]

A random guide for scalping - Part V - Understanding Intraday Liquidity

Hi there guys,
Welcome back to my weekly rants. Decided to add some info that should be pretty useful to your daily trading, thanks to the comments of u/Neokill1 and u/indridcold91.
If you have not read the rest of the series, I recommend you take your time and read those before continuing with this piece (check my user activity and scroll down...)
This rant is based on this little comment I posted on the last post:
Price moves because of the imbalance between buying and selling. This happens all the time. Price move where liquidity is, and that seeking of liquidity makes the price to go up and down.
Why price extends on a particular direction? Because longer term players decide it.
So the idea behind what I'm writing about is to follow that longer-term trend, taking advantage of a counter-trend wave that is looking for intra-day liquidity. If I'm bullish on the week, I want to pair my buying with intra-day selling. Because I expect longer-term traders to push price by buying massively. And instead of riding a big wave, I want to ride that push and get out before it retraces.
And also answers to this: why for example would it make sense to draw support/resistance lines on a EUUSD chart? Why would anyone "support" the price of a spread? What are you predicting to happen by drawing those lines, that someone will exchange their currency there simply because it's the same price they exchanged it for in the past and that number is special to them?
A good question that deserves an answer
That question is a pretty good one, and one any trader worth of that name should ask himself why. Why price reacts the way it does? Why price behaves in predetermined ways? Why if I draw a line or area on specific candle places, I expect the price to react?
And the answer is simple and at the same time kinda complicated and fascinating. Why price rallies and rallies andd rallies and then suddenly it stops at a point ,and reverses? . The answer is , because there are sellers at that point. There is liquidity there. There is people at that point that decided it was worth to sell enough to reverse that rally.
All the market does is to put together buyers and sellers. If you want to buy something at some price, someone must agree with you. If no ones agrees, then you will have to offer more. When buyers and sellers agree on similar terms, price is stable. Buying and selling happens on a tight range, because both consider that particular price range worth.
But then, perhaps, someone wants to buy big. And there are not enough sellers. This big boy will dry the available liquidity , and it is hungry for more. So price will move from a balanced state to an imbalanced state. This imbalance in volume between buyers and sellers will cause the price to move up, taking all available liquidity till the monster is satiated. Then the exhaustion of bids, or buying, will cause the price to reverse to a point where buying interest is back.
The same applies for selling activity. The main take away you should get from this is simply that the market keeps moving from balance to imbalance to balance to imbalance all the time. And the points where the big bois deploy this activity of buying , of selling, of protecting levels, of slowly entering the markets, are mostly predetermined. Surprised? Most of the institutional activity happens at : 00 ,20, 50 and 80 levels.
So why drawing a line makes sense? It makes sense because when price stalls at some point, is because sellers or buyers stepped in and stopped the movement. Its a level where something interesting is happening.
It's a level where liquidity was present, and the question is, what is going to happen the next time price touches the area? Is someone stepping in to buy or sell at this point? Or perharps the first touch dried the liquidity, and there is nothing preventing price from going up again??
Lets see a real example of a trade I took today on GBPUSD, where I analyze step by step the balance and imbalance of the market liquidity in real time at those levels. The only way to see this is usingfutures. Because forex is a decentralized market and blah blah blah, and futures are centralized so you can see the volume, the limit orders through the DOM and blah blah blah....
So first things first, read well this articule : https://optimusfutures.com/tradeblog/archives/order-flow-trading
Understand well what is said there. Take it easy. Take your time. And then come back to me.
If you have followed my work, you know how I like to ride the market. I want a retracement on the most liquid moment in the market - the NY-London Overlap, and I need a daily BIAS on the pair.
For today, I'm bullish on the GBPUSD.
So lets check the pics.
https://imgur.com/a/kgev9lT
The areas you see marked on the 30 min charts are based on the price relationships that happened last Friday. As you can see, those areas are always in a place where price stalled, retraced, pushed through,came back to the area and reacted in some way. Are those black magic? Why price reacts so smoothly today on them? Ah you Criptochihuahua, this is 20/20 insight, you are lying....
Those points are marked before today's open, simply because of the price relationship I described earlier. And if you remember the earlier rant, price stalls in there because sellers or buyers were present.
So I would expect that the levels are still interesting, and we should be watching carefully how price reacts in real time.
Now, today I got at 1.2680 and got out at 1.2725. Let's check the 2nd pic, keep following the narrative with your own charts.
What you are seeing is the first touch at the big figure with the total volume chart, and the bid/ask order flow chart. You can see how the price is pulled toward that level through the exhaustion of offers being filled. You can see how exactly they are depleted at 15:51. Why? Because at the next min, you can see how there are no offers being filled, compared to the bids.
Remember, when offers are getting filled , price pulls up. When the bids are predominantly being filled, price is pulled down.
And also take a look on the volume. This is key. If an imbalance is to happen, is because there should be a huge difference between bids and asks. Good volume on such a level, good sign. Price hugging the level without good volume, the level will most likely be broken.
Look at the next pic. See the price behavior in combination with the volume? Price is hugging the level on low volume. Great signal. That means the level is not that greatly defended, at this point.
What are we looking for? We are looking for the bids to be exhausted at our next level with a good volume reaction. Watch what happens.
Next pic is our retracement , and we are watching carefully. And look at that beauty. Do you see the volume? Do you see the bids exhaustion? Do you see how the market orders are getting absorbed by the limit orders at that point? Someone does not want the price to go down. Price jumps as a result. It does not huge the level. Do you see? I'm all in, I want to take part of this trade.
But wait, there is more.... look at the next pic, because you yet have another opportunity to get into this train.... at 17:23.. Even a bigger reaction, while on the other side.... we got more hugging...
No more pics for today. You see what happens next. The level gets broken and price rallies to take the previous day high. Trade was a success.
So I hope this added some value, and explained why drawing lines is useful, and how levels are indeed defended.
P.S - I lied: Extra Pic, you got a VWAP chart with Standard Deviations. You can see how the pullback nicely fits in our long framework as well and adds confluence to the trade. Research about this :)
submitted by Cryptochihuahua to Forex [link] [comments]

So you wanna trade Forex? - tips and tricks inside

Let me just sum some stuff up for you newbies out there. Ive been trading for years, last couple of years more seriously and i turned my strategies into algorithms and i am currently up to 18 algorithms thats trading for me 24/7. Ive learned alot, listened to hundreds of podcasts and read tons of books + research papers and heres some tips and tricks for any newbie out there.

  1. Strategy - How to... When people say "you need a trading strategy!!" Its because trading is very hard and emotional. You need to stick to your rules at all times. Dont panic and move your stop loss or target unless your rules tell you to. Now how do you make these rules? Well this is the part that takes alot of time. If your rules are very simple (for example: "Buy if Last candles low was the lowest low of the past 10 candles." Lets make this a rule. You can backtest it manually by looking at a chart and going back in time and check every candle. or you can code it using super simple software like prorealtime, MT4 ++ Alot of software is basicly "click and drag" and press a button and it gives you backtest from 10-20-30 years ago in 5 seconds. This is the absolute easiest way to backtest rules and systems. If your trading "pure price action" with your drawn lines and shit, the only way to truly backtest that kind of trading is going in a random forex pair to a random point in time, could be 1 year ago, 1 month ago, 5 years ago.. and then you just trade! Move chart 1 candle at a time, draw your lines and do some "actual trading" and look at your results after moving forward in the chart. If you do not test your strategy your just going in blind, which could be disaster.. Maybe someone told u "this is the correct way to trade" or "this strategy is 90% sure to win every trade!!!" If you think you can do trading without a strategy, then your most likely going to look back at an empty account and wonder why you moved that stop loss or why you didnt take profit etc.. and then your gonna give up. People on youtube, forums, interwebz are not going to give you/sell you a working strategy thats gonna make you rich. If they had a working strategy, they would not give it away/sell it to you.
  2. Money management - How to.... Gonna keep this one short. Risk a small % of your capital on each trade. Dont risk 10%, dont risk 20%. You are going to see loosing trades, your probably gonna see 5-10 loss in a row!! If your trading a 1000$ account and your risking 100$ on each trade (10%) and you loose 5 in a row, your down -50% and probably you cant even trade cus of margin req. Game over.. Now how does one get super rich, super fast, from risking 1-3% of your account on each trade?? Well heres the shocking message: YOU CANT GET RICH FAST FROM TRADING UNLESS YOUR WILLING TO GO ALL IN! You can of course go all in on each trade and if you get em all right, you might get 1000%, then you go all in 1 more time and loose it all... The whole point of trading is NOT going bust. Not loosing everything, cus if you loose it all its game over and no more trading for you.
  3. Find your own trading style.... Everyone is different. You can have an average holding period of 1 month or you could be looking at a 1 min chart and average holding time = 10 minutes. For some, less volatility helps them sleep at night. For others, more volatility gives them a rush and some people crave this. There is no "correct" timeframes, or holding periods, or how much to profit or how much to loose. We are all individuals with different taste in risk. Some dont like risk, others wanna go all in to get rich over night. The smart approach is somewhere in the middle. If you dont risk anything, your not gonna get anything. If you risk everything, your most likely going to loose everything. When people are talking about trading style, this is kinda what that means.
  4. There are mainly 2 ways to trade: Divergence and Convergence. Or in other words: Mean reversion or trend following. Lets talk about them both: Trend following is trying to find a trend and stay with the trend until its over. Mean reversion is the belief that price is too far away from the average XX of price, and sooner or later, price will have to return to its average/mean (hence the name: MEAN reversion). Trend following systems usually see a lower winrate (30-40% winrate with no money management is not uncommon to see when backtesting trend following systems.. You can add good money management to get the winrate % higher. Why is the % winrate so low? Well a market, whatever that market is, tend to get real choppy and nasty right after a huge trend. So your gonna see alot of choppy fake signals that might kill 5-6 trades in a row, until the next huge trend starts which is going to cover all the losses from the small losses before the trend took off. Then you gotta hold that trade until trade is done. How do you define "when trend starts and stops"? Well thats back to point 1, find a strategy. Try defining rules for an entry and exit and see how it goes when you backtest it. For mean reversion the win % is usually high, like 70-90% winrate, but the average winning trade is alot smaller than the average loosing trade. this happens because you are basicly trying to catch a falling knife, or catch a booming rocket. Usually when trading mean reversion, waiting for price to actually reverse can very often leave you with being "too late", so you kinda have to find "the bottom" or "the top" before it actually has bottomed/ topped out and reversed. How can you do this you ask? Well your never going to hit every top or every bottom, but you can find ways to find "the bottom-ish" or "the top-ish", thens ell as soon as price reverts back to the mean. Sometimes your gonna wish you held on to the trade for longer, but again, back to point 1: Backtest your rules and figure that shit out.

Read these 4 points and try to follow them and you are at least 4 steps closer to being a profitable trader. Some might disagree with me on some points but i think for the majority, people are going to agree that these 4 points are pretty much universal. Most traders have done or are doing these things every day, in every trade.
Here is some GREAT material to read: Kevin Davey has won trading championship multiple times and he has written multiple great books, from beginner to advanced level. Recommend these books 100%, for example: Building winning algorithmic trading systems" will give you alot to work with when it comes to all 4 of the above points. Market wizards, Reminiscences of a stock operator are 2 books that are a great read but wont give you much "trading knowledge" that you can directly use for your trading. Books on "The turtles" are great reading. Then you have podcasts and youtube. I would stay away from youtube as much as possible when it comes to "Heres how to use the rsi!!!" or "this strategy will make you rich!!". Most youtube videoes are made by people who wanna sell you a course or a book. Most of this is just pure bullshit. Youtube can very harmfull and i would honestly advice about going there for "strategy adivce" and such. Podcasts tho are amazing, i highly recommend: Better systems trader, Chat with traders, Top traders unplugged, We study billionairs, to name a few :)
Also, on a less funny note.. Please realize that you are, and i am, real fucking stupid and lazy compared to the actual pro's out there. This is why you should not go "all in" on some blind stupid strategy youve heard about. This is why this is indeed VERY FUCKING HARD and most, if not everyone has busted an account or two before realizing just this. Your dumb.. your not going to be super rich within 1 year.. You can not start with 500$ account and make millions! (some might have been able to do this, but know that for every winner, theres 999 loosers behind him that failed... Might work fine first 5 trades, then 1 fuckup tho and ur gone..
And lastly: Try using a backtesting software. Its often FREE!!! (on a demo account) and often so simple a baby could use it. If your trading lines and such there exists web broweser "games" and softwares that lets you go "1 and 1 candle ahead" in random forex pairs and that lets you trade as if its "real" as it goes.
A big backtesting trap however is backtesting "losely" by just drawing lines and looking at chart going "oh i would have taken this trade FOR SURE!! I would have made so much money!!" however this is not actually backtesting, its cherry picking and its biased beyond the grave, and its going to hurt you. Try going 1 candle at a time doing "real and live" trades and see how it goes.

Bonus point!!
many people misunderstands what indicators like the RSI is telling you. Indeed something is "overbought" or "oversold" but only compared to the last average of xx amounts of bars/candles.
It doesn't tell you that RIGHT NOW is a great time to sell or buy. It only tells you that the math formula that is RSI, gives you a number between 1-100, and when its above 70 its telling you that momentum is up compared to the last average 14 candles. This is not a complete buy/sell signal. Its more like a filter if anything. This is true for MOST indicators. They INDICATE stuff. Dont use them as pure buy/sell signals.. At least backtest that shit first! Your probably gonna be shocked at the shitty results if you "buy wehn rsi is undeer 30 and sell when RSI is above 70".

Editedit: Huge post already, why not copy paste my comment with an example showing the difference in trend following vs mean reversion:
The thing about trend following is that we never know when a trade starts and when it ends. So what often happens is that you have to buy every breakout going up, but not every breakout is a new trend. Lets do an example. Check out the photo i included here: https://imageshost.eu/image/image.RcC

THE PHOTO IS JUST AN EXAMPLE THAT SHOWS WHY A TYPICAL TREND FOLLOWING STRATEGY HAVE A "LOW" WINRATE.
THE PHOTO IS NOT SHOWING AN EXAMPLE OF MY STRATEGIES OR TRADING.

  1. We identify the big orange trend up.
  2. We see the big break down (marked with the vertical red line) this is telling us we are not going higher just yet. Our upwards trend is broken. However we might continue going up in a new trend, but when will that trend come?
  3. We can draw the blue trend very earyly using highs and lows, lines up and down. Then we begin to look for breakouts of the upper blue line. So every time price breaks upper blue line we have to buy (cus how else are we going to "catch the next trend going up?)
As you can see we get 5 false breakouts before the real breakout happens!
Now if you could tell fake breakouts from real breakouts, your gonna be rich hehe. For everyone else: Take every signal you can get, put a "tight" stop loss so in case its a fake signal you only loose a little bit. Then when breakout happens as you can clearly see in chart, your going to make back all the small losses.
So in this example we fail 5 times, but get 1 HUGE new trend going further up. This 1 huge trade, unless we fuck it up and take profits too early or shit like that, is going to win back all those small losses + more.
This is why trend following has a low winrate. You get 5 small loss and 1 big win.

Now lets flip this! Imagine if your trading Mean reversion on all the same red arrows! So every time price hits the blue line, we go short back to the bottom (or middle) again! You would have won 5 trades with small profits, but on that last one you would get stopped out so hard. Meaning 5 small wins, 1 big loss (as some have pointed out in comments, if you where trading mean reverting you would wanna buy the lows as well as short the tops - photo was suppose to show why trend following strategies have a lower % winrate.)

Final edit: sorry this looks like a wall of text on ur phones.
submitted by RipRepRop to Forex [link] [comments]

Question regarding fees. Also need someone to review my recent trade decisions

1. Fees affecting my decisions
If my target is 1.5%/1% P/L. Should I keep my position in most cases untill one or the other happens? I had many opportunities to sell on 0.3-0.5% profit but I'm trading crypto and maker fees would put me on breakeven slight loss or profit that doesn't really justify the risk taken or even if I want to take what i'm given I still wait for the confirmation candle and by the time it closes my profit potential is gone. Feels like i'm missing out on many opportunities to make a number of small trades while waiting for larger increase. So I keep the position and couple times already that resulted in stop loss. That I know I could avoid
I also wonder are fees just as brutal on forex market? On kraken maker pays 0.016% + 0.002% for margin call. I don't trade with much, only $600 i don't expect to make money, best I hope for is to break even but those crypto trading fees really make it confusing to see If I'm making any progress at all
2. Review of my trades
I'm completely new to this my plan is to document my trades and ask people what i could do better.
overall look at a chart: https://i.imgur.com/bOe0tzZ.png
closer look: https://i.imgur.com/MCjLLy7.png
  1. With my first trade (very left of the chart) I went against the trend which at the time seemed like a good idea. But I was trying to predict breakup based on macd and a gut feeling telling me that ETH is oversold. So in the end I decided to sell as soon as price allowed me to cover the fees. Unfortunely breakup eventually did happen. I'm not sure what my risk there was honestly. On average I'm guessing it was a correct idea to sell rather than hope especially when chart keeps on going down with no sign of stopping
  2. Next trade is a short. This time I decided to draw trend lines based on 3 min chart. (Did I draw trend lines correctly?) Again this might have been a bad idea but it at the time i felt like galaxy brain move. I saw resistance later I honestly wanted to sell at that time. I would make like 0.40% but I had fees on my mind and decided to wait. This time stop loss at 1% was triggered. :(
  3. https://i.imgur.com/kmNWSlP.png With that trade I admit I was a little bit tiled I knew i could avoid my previous loss. I drew new upper trend line based on 15 min chart (again, did I draw it correctly?) and decided to short again. One youtuber I watch says that every reaction is an overeaction so my guess was that it's unlikely for price to hit new high. At the moment of writng this this position is at +0.53% P/L. I feel like I should keep this position I plan to sell it once price is near bottom line. Because I've read that once chart breaks through the resistance line, that line is most likely to become a new support
submitted by ItsMango to Daytrading [link] [comments]

Teach me please :)

Teach me please :)
Hey everyone,
My name is Allen and I am new to Forex trading. I've messed around with trading stocks a year ago, but never got good enough to profitability yet. Now, I want to learn how to trade Forex and hoping I can become profitable through consistency and persistence.
I recently opened a live account and have made 7 trades: 2 wins, 4 losses. I have been trading small and have followed my stop losses so my losses have been small. I am down net -$35 currently. Here are a few of my trades. If anyone has feedback or sees a pattern in my trading that I can improve on, please let me know. I mainly execute trades off when market taps a resistance/support level or EMA line.
Things that I think I need to improve on: 1) Identifying correct market trend
- Ex) sometimes I have trouble figuring out if market is pulling back on a downtrend or starting to create a higher low and reversing

2) Identifying proper entry signals
- I am still working on interpreting price action. I usually enter trades on 15min chart or 1 hour chart. I may need to stop using 15min chart because I get faked out easily from it. One thing I've been implementing and it has helped my patience is waiting for candles to close before assuming market trend. Such as waiting for 15min candle or 1hour candle to close before entering a trade.


Here are some examples of my trades:
1) NZD/USD (Loss) Entry: short 0.65313 Exit: 0.65394
Reason for entry: I thought the market was going to respect the green trend line. Stop loss was right above the trend line. I saw a wick on 15 min chart and a red engulfing candle following it.


1 hour chart

-----------------------------------------------------------------------------------------------------------------------------------------------------------------------
2) USD/CHF (Loss) Entry: short 1.00876 Exit: 1.00942
Reason for entry: In the 1 hour chart, it broke it's uptrend structure by creating a lower low. It rejected off the .50 level of Fibonacci Retracement, which signaled me that it is possibly going to continue downtrending. Both, 4hour and 1 hour charts were under the 34EMA (orange trend line).
15 min chart


-----------------------------------------------------------------------------------------------------------------------------------------------------------------------


3) EUNZD (Win) Entry: short 1.71027 Exit: 1.70674 | 1.70884
Reasons for entry: - Market went under key level (orange horizontal line) - Market was under 34EMA (yellow trend line) - Broke through support (white horizontal line)
15 min chart
Where could I have gotten a better entry on this trade? I was negative for a long time until it finally broke the support. What will signal me if the market will be rejected off a resistance level or break through a resistance level?


-----------------------------------------------------------------------------------------------------------------------------------------------------------------------

4) NZD/USD (Win) Entry: 0.65426 Exit: 0.65335 | 0.65215 | 0.65188
Reasons for entry:
- downward market trend - market rejected off 34EMA trendline (yellow trend line) - big red engulfing candle
https://preview.redd.it/7u6fidd78h131.png?width=1560&format=png&auto=webp&s=701cf325906e056ec5b71544c5bc4895a0117c02
Lessons I learned from this trade: - Be more patient on my take profit. Took first profits out too quickly because it was dropping so quick and I was scared it would bounce back up
- Find better entry
- Similar to the previous trade, I was in the negative for a while before it worked out. Where would be a proper signal for a short? Long wick followed by a red engulfing candle at resistance level?


Sorry for the long post! Hope you learned something from my mistakes and I would greatly appreciate any feedback you guys can give me! I believe forex trading can become the gateway to financial freedom for me and I want to do my best to make it work. I also live in Orange County, CA and wouldn't mind meeting anyone who is in the area to discuss strategies and learn from each other!
Hope everyone has a great night!
submitted by allenaxie to Forex [link] [comments]

Shorting Noobs - Common Trend Following Mistakes I'm Trading Against.

Shorting Noobs - Common Trend Following Mistakes I'm Trading Against.
Part [1] [2] [3]

Not much in terms of adjustments to add from previous post. I'm going to implement all risk adjustments at the weekend. In the meantime I've used some manual hedging to prevent from over exposure.
In this post I'll talk more about the ideal trades I am looking for. The mistakes people make at these areas, and how to build forward looking trade plans so you are less likely to find yourself caught in one of these market traps. I do consider these to be traps. I think price routinely moves in ways that induce market participants to take losing positions. I think this is done in algorithmic fashion and this means it leaves clues in forms of recurring ways laying traps.
This is just an opinion. I don't know.

First we will examine the classic structure of a trend. All examples will use a downtrend.

Basic Recurring Trend Structure:

Basic Trend Structure

Most of you will have seen this before, and probably recognise it as Elliot Wave theory (EWT). Whether or not you think EWT is valid or not, there are some things I think all of us can agree on. That is for the market to be in a downtrend, it has to keep making new lows. If it doesn't, it's not in a downtrend anymore. You'll also probably agree there are retraces in moves. That not often are new lows consistently made without any retrace. In a broad sense, this is all EWT is describing, which makes it noteworthy in good trending conditions.

Here are the points where most mistakes are made by traders in EWT cycles.


Trend Best/Worst Entries

All areas marked off in orange are places where it's easy to make mistakes.

Looking closer, this is what the more detailed price action on these sorts of moves tend to look like on lower timeframes.


Detailed Best/Worst Entries

Brown boxes are where buying mistakes are made. Purple circles are where selling mistakes are made.
We'll look a bit closer at what the specific mistakes are usually based on (conventional technical analysis theories) soon. First here is an example of this on a real AUDUSD chart.


AUDUSD Example Chart
This is a 45 minute chart, so the swings are not as detailed as the ones I've drawn (mine are more like 15 min), but you should be able to see how this concept can be transferred over onto a real chart. All of us who have been trading for a while know there are times we have made these mistakes. Everyone has ended up selling the bottom pip, or getting stopped out right before it reversed. Many of these times (in a trending market) fit into these areas.
This is not just curve fitting. Using rules to help to describe these conditions to pick the best trades and trading against the trades strategy providers offer, I picked up these trades. This was not perfect, what I'm doing needs a lot of work.

AUDUSD Trade

Here we can see a couple few of the mistakes. The green lines are profits and orange lines are losses. Here shorting these mistakes has done quite well on the spike out low. It's hard to see, but it also got a lot of good buys at the low. There are some losses at the high, but there is a far larger position accumulated around the mistake level.

AUDUSD Result
See previous analysis on these trades in [2] [3]
A big trend leg followed this build up of positions and hit take profits where stops were set under the low. This is where people start to sell, but this is also usually a mistake to sell immediately after this breakout.

The types of mistakes made are due to a handful of concepts. Here I've numbered them.

Mistake Types
Rules/Rational people have in mind making these mistakes.

1 - Breakout/new high relative to recent leg / stops above previous high on sell/ previous low on buy.
2 - Single candle price action mistake.
3 - Breakout trading rushing in / stops go under recent supports/ over recent resistance.
4 - Break and retest.
5 - Deep correction.

Everything listed above has the potential to be very useful and valid in a technical analysis based strategy. However, in some contexts they are literally the very worst thing you can do. That's the thing about trading, you can do the same thing at different times and get wildly different results. What I'm trying to do here is not find people who lose every trade (I want them to win overall, actually. So I can keep copying them). I just want to work out ways to bet against mistakes they are likely to make. I think people will make these mistakes more reliably than an automated system will pick up trades.
I should add that most of these areas the mistakes happen at will be hit with a lot of velocity. This I think is what triggers the mistakes from so many impulsive traders. The market will amble along in a slow non-threatening / uninteresting sort of way, then suddenly all in a rush make these moves that imply something BIG is happening in a certain direction, when actually it's just about to move against these very positions if you take them. Velocity is one of my key filters.

Let's talk about the end of the two leg correction, this is one of the places I think most of the money is made and lost. At this point in an EWT cycle, the market is gearing up to enter it's strongest move. The best move to trade, and the smart market is going to need to get people on the wrong side. This is usually achieved with three things. One, the market makes it's first false reversal from a 50% retrace, and then moves with a lot of velocity into the 61.8% fib (briefly described in [2]). Then there's a second false breakout with price trading a little over the 61.8%, followed by a price crash into new lows.
The interesting thing about this move is if you speak to anyone with any sort of interest in EWT, they will tell you this move often completes with a news spike. There is positive news, the market moves quickly in the direction it "should" and then quickly makes a rapid reversal. Sometimes the move on the news makes absolutely no sense what-so-ever fundamentally. but does strike these areas.
Here is the Brexit chart.
Brexit trend continuation from 61.8% spike out pattern

Let's go further back.

Scotland Vote High
Here is where GBP made it's high point. This was after the fantastic fundamental news (apparently) that Scotland was staying in the UK. Price shot up, then began to heavily downtrend. I've marked in the start to the previous swing with a line, if you check these fibs you'll see it fits with the mistake. We are now in the part of cycle where GBP is aggressive pulling away from the range where the false reversals happened. This is punishing those who bought in this range, and we should expect to see it end in a violent spike down. Remember the people who thought buying Sterling after Brexit was free money? Nah uh.
This happens a lot. When it happens I see people trying to explain it with all sorts of theories. Usually involving the saying "priced in already". People often refer to these in aloof and vague ways, as if there was no way we could have ever known, and it's certainly not worth trying to forecast these sorts of things ... but next time you see this, have a quick check and see if we happened to be in a correction that spiked out a 50% high and reversed around 61.8%. It is wiser to look at what happened than take wild guesses as to why. I am not saying that it always it, nor am I saying it works like magic. I'm just saying it can be quantified. When someone says, "Well you see it was not what was said, or the number, but what was inferred ...", really means nothing. It's an opinion. We're better to look for things we can test, in my view at least.

So, let me talk you through the mental mindset of people when they're making these mistakes. I'm going to use this big Sterling chart, so this will also be a bit of a price forecast.


Mistakes Thinking Patterns.
1 - Price has been going up strongly, it's retraced and there is a single candle PA buy signal. Sets people up to take a horrible trade.
2 - Price has been falling hard and made yet another breakout, it's an easy sell ...
3 - This has fell too far, it's a reversal now. Look how strong it is.
4 - This is a strong breakout and this must be the start of a bigger move.
5 - Wow, it's broke the lows and look how hard it's falling, big sell time.

I think we will see stage 5 complete around 1.190. I think we may be due a fast move into this. Maybe in the coming week or two. It would be typical of the spike nature of end of this sort of move that this will be a single candle of over 150 pips that fills this. Being and holding GBPUSD shorts targeting 1.196 seems a great idea to me.

These five mistakes, made at these handful of areas are the ones I wanting to trade against, and if you'd like to be a profitable trader, are the places you should be looking for entries.
submitted by whatthefx to Forex [link] [comments]

GBPUSD Shaping Up for Good Sell (But not quite yet)

GBPUSD Shaping Up for Good Sell (But not quite yet)
We have reached a deep point in the retrace of the GBPUSD move, and hit an area that tends to be somewhere people lose money.

We are now trading at the 50% fib, and forming some short term reversal looking patterns here. It might reverse, but it's more likely it will stall at the 50%, make a false sell off and then spike out these early sellers and then reverse from the 61.8%.

https://preview.redd.it/wim46av5n0i31.png?width=824&format=png&auto=webp&s=ce16786492b08551c1de6e6418733b4295ae4e04
Imgur https://imgur.com/a/rKgqjnf

I explained this 50% - 61.8% spike out trap in this post https://www.reddit.com/Forex/comments/cko0d1/shorting_noobs_tweaks_improvements_and_parabolic/ (and others in that series in more detail)

A forecast of this specific GBPUSD move to this point was made in this post, as well as explaining in a lot more detail how we can see this is a likely scenario before it happens based on commonalities in moves that have formed like this after a trending move. https://www.reddit.com/Forex/comments/ctifde/forecasting_the_end_of_major_corrections_and/

Forecast pic

https://preview.redd.it/2k3synvzp0i31.png?width=786&format=png&auto=webp&s=2ec73c9dfc3c2e35ac58068cc294e9b896110a48

This is a good time for us to do two things.

1 - Set small pending orders on the level, just in case it pings it and then crashes quickly.

2 - Set alerts on this level so we are told when price meets there. Then we can use price action confirmation strategies to enter into moves with less chance of being whipsawed (because, remember, this level usually spikes us out if we are arbitrary in it's use. No easy meals in the market. It'll shake you out if it can.

We are looking for classic things. Double tops. Pin bars. Engulfing candles. 1 tick trap spike outs. All of these sorts of things on 15 min and 5 min charts on this level give us a 10 pips stop (20 if you want space) and we have at least 30 pips to the low (target one). If we are to continue trending we should see the next fall dropping at least 50 pips from the entry. Good trade. 1.1986 is the area we have the first big risk of a retracement, this seems like a good target area.

From there, if we bounce a little, we can scalp for a slightly lower low around 1.1820. Then we stop selling. This is a strong risk of a bounce against us area. This is probably where I look for buys on the GBPUSD.

Remember the price action should look strongly bullish as it meets the 61.8 and possibly spikes it out a little bit. It is a horrible place to buy. Prepare, and do not panic. That's the only real secret to profiting in the market, IMO.
submitted by whatthefx to Forex [link] [comments]

When you finally figure out how to trade Forex...

Hi, so I am writing this not to tell you a magic strategy or specific way to win in the market, but I do want to state making money on forex doesn't come down to just simply a few indicators and resistance...

I Started trading in the US Stock market for about 4-5 Months and I lost around 1500 dollars trading which was what I was willing to lose financially. I then took a break for about a week, but my slight addiction and determination brought me back to the market, but I knew the US Stock market wasn't for me so I switched to Forex.
My journey in Forex went a lot better than before and I ended up making around 600 dollars within my first few weeks, but I was then met with the few mistakes of not looking at larger time frames for patterns and also refusing to take a loss which took about 1000 dollars away from me once again.
At this point and time, I was frustrated and was on the edge of giving up so I took a week-long break once again. I then started trading with 300 dollars so I didn't lose too much money but I could also make trading worthwhile if I did win. Once again I lost 100 dollars.
Around this point, I began to develop some skills of patience and I made around 75 dollars which was great when compared to my account size and position sizes. I was finally consistent for more than 2 weeks, and I thought I was ready to start making some real money. I went ahead and deposited 4000 dollars and started trading larger position sizes.
I immediately lost 1200 dollars within a week with two bad trades that I let run way too long.

This is when everything changed...

I began to notice something unusually similar in Forex, it moves in a specific direction and almost always begins to form some kind of pattern. Short term patterns on a 30 min chart are based and leading up to the 4 hour and daily chart patterns. Despite having a bull flag on the 30-minute time frame, the 4-hour chart was showing a bear flag formation.
My point being is depending on your style, I would highly recommend trading based on the higher time frames, It makes it a lot easier to find your perfect exact entry points. You can even day trade the patterns leading up to the bigger move if you want to catch some smaller profits throughout the day which is what I do before the big move.
I know this is long, but here is what I learned ... The charts never lie, and every move happens for a reason. Trust the trend and patterns and use technical analysis and also the news to determine if the market will continue a move or if the move will go in the opposite direction of a breakout.
Use indicators to prove that you're on the right side of the market & Please be Patient!! If you are right on the movement of the stock, It will move to your exact entry point, If it doesn't then you know you are wrong and you need to re-analyze the charts. Don't let your emotions get the best of you!
If you get an entry point and it moves against you showing it is not following your pattern, then get out and take the loss because you were wrong. Don't be afraid to take a loss it will help you make more money in the long run.

Anyways this is my story. I am happy to say I have made my 4000 dollar account back to where I started... 4000$. Which were 1200 dollars in 2 weeks. Have I made more money yet, no I haven't, but I have full faith in myself now and I am for sure positive I will be making the money I have been working my ass off for 8 months.
A few other tips:
1.) Don't focus on the money, focus on the exit point.
2.) Play it safe by putting your fill price at a guaranteed price level.
3.) USE CHANNELS!! I can not repeat how using channels is so useful. It enables you to find entry and exit points.
4.) Begin to understand price action and candle patterns to confirm your trade or tell you something is going wrong.
5.) Keep practicing, and know you are going to fail when starting out.
6.) Size your positions accordingly, maybe use larger sizes on the big move, but use smaller sizes on the moves leading up to it.
7.) Keep practicing!!

I would also like to note, I don't care if you believe me or not, but I know what I am doing is working and if you want to use anything I have learned to benefit you please do, if not fine with me.

Keep Trading!
submitted by levithieme23 to Daytrading [link] [comments]

Technical Traders or those wanting to learn more about it. Share your technical setups here.

Hi all. Being new on Reddit I see beginning traders asking many questions that I did before I began trading, as I'm sure we all asked. I just wanted to share my technical setups and would love others to share as well. As any full time trader could tell you, if you don't have set rules to trade by, and emotionally trade you will lose. What I'm going to share doesn't account for sticking to my personal rules of trading, and this is something you can only learn with practice. It goes without saying, but never just jump right into any strategy without practicing first. Most trading softwares should have a live realtime practice version.
Onto the technicals:
I only trade using BollingerBands, SMA (Simple Moving Average) and Pivot Points. I'm using TDAmeritrade Think or Swim, but any trading software will have these technicals. You can also use these settings for short term day trading (I like 5 and 10 min time frames) daily, weekly, monthly trading, etc. Without outlining my settings in text I have uploaded all images of my settings for BollingerBands, Pivots, and SMA to an imgur album here [http://imgur.com/a/0bRJh]. I've also added images of this strategy working on different time frames, with stocks, futures, and forex because we all trade different items. Even 2 from today trading Platinum and Silver...Silver was good today!!
The Strategy I Use:
1st - Only buy when price action is above the pivot point (midline/pink line) on the charts I've uploaded, for those that don't know what pivot points are. Conversely, only sell when price action is below the pivot point.
2nd - Buy when price action is above the pivot, the SMA crosses above the BollingerBand midline, and price closes above the midline as well.
3rd - Sell when price action is below the pivot, the SMA crosses below the BollingerBand midline, and price closes below the midline as well.
When to cover or sell for profit?
You want to let your runners run and dump the losers asap, but how? When day trading I personally use the pivot points as target price goals. If I buy just over the pivot point, I'll let price run to R1 (first red line) or try to let it, then watch price action. If price moves and closes above R1, I may hold until R2 and so on. I also watch price as it pertains to the BollingerBands, if price breaks outside the BollingerBand I'll watch closely and may sell depending on the next candle. This is where your personal rules come in. If you get hung up by how much money you NEED to make it could be bad. Be more concerned with watching price action, candles, etc. You'll never hit the total price move.
It goes without saying, but when you are shorting just do the opposite of the above.
Also, people like even numbers, maybe even machines do. If a stock is at $24.35 and moving up, human psychology may tend to let this run up to $25. Not a given, just something to think about.
My longer term daily, weekly, monthly, snapshot images of stocks, futures, forex doesn't show the pivots, but you can just change the pivot point "day setting" to weekly, etc to see them.
Lastly, get out of the trade on the buy side when the SMA and price closes below the BB midline, and on the short side when the SMA and price closes above the BB midline. Don't be eager to just jump right into the next trade. Stick to your own rules and be patient for the right setups. I hope this has helped any new trader save time and narrow your focus. Good luck and I look forward to everyone's feedback and personal technical strategies.
submitted by sprichie17 to stocks [link] [comments]

Are you chasing (or practicing) the "Königsdisziplin of trading"?

A recent comment by lazycroco captured well the spirit of something that I have been exploring of late. For those who missed the comment, it was in relation to a question about trading the M1/M5 timescale.
The only thing working in this timeframe is explicit trading: knowing the market inside out, knowing the relevant levels, seeing when price wins levels, when it fails levels etc. That however is the Königsdisziplin of trading and takes lot of effort to master. Plus I doubt anybody would teach it.
from here.
("Königsdisziplin" as best as I can tell translates to "supreme discipline", please correct me if I'm wrong)
Whilst many traders are superficially happy to abandon the idea that there is any "holy grail" of trading that "solves" the market, I feel like many advanced beginner and intermediate price action oriented traders replace the search for the holy grail with something similar to the search for lazycroco's Königsdisziplin concept.
Additionally, you'll see experienced long term traders hint at these ideas, whether explicitly, or indirectly by talking about the necessity of mammoth amounts of chart time to develop the 'feel' for the market.
In either case, there is a marked lack of detail when it comes to trying to tease out what does (or might go into) the process of developing, refining and then consistently implementing these abilities.
What are your thoughts?
submitted by alotmorealots to Forex [link] [comments]

Trading 1 minute candlestick chart for beginners - YouTube Live Trading -1 minute candlestick - candlestick scalping ... Live Trade - EUR/USD 1 minute time chart Trading Ranges Forex Strategy Learn way to analyse candlestick chart- 1 minute ... Trading Signals Using 1-Minute Candle Price Charts - YouTube How to analyse candlestick chart- 1 minute candlestick ... 2019 Best 1 Minute Candle Stick Strategy - 85% Wining ...

The 1 min forex scalping trading system is designed to give you quick and powerful entry and exit signals on the 1 min trading charts. The system consists of the popular CCI indicator and a custom built B/S arrow signals FX indicator. Let’s get started: Chart Setup. MetaTrader4 Indicators: Arrows_Signal_BO.ex4 (default setting), Commodity Channel Index.ex4 (28) Preferred Time Frame(s): 1 ... The 1 minute Daily Forex Trading Strategy Recommended Parabolic SAR Indicator Settings. The Parabolic SAR is a technical indicator and a great tool used to determine the immediate short-term momentum of any currency pair. Since the Parabolic SAR indicator is applied to the 1-minute chart the preferred settings are as follows: Step variable ... The chart above shows a buy and sell example. From the left, the first arrow points to the candlestick that closed after the 25 EMA crossed above the 50 EMA and both these EMA’s were above 100 EMA. A long position is taken at the close of the candle with a 5 – 10 pip take profit, while placing stops 9 – 12 pips below the open of the candle. EUR/USD - real time chart ( 1 min candle - 200 units) The Forex Charts Powered by Investing.com - The Leading Financial Portal. EURUSD - Daily realtime chart ( 5 minutes candle - 300 units) 1 Min Easy Forex Scalping Strategy. Forex scalping doesn’t need to be complicated at all. I developed a very simple strategy with basic indicators that can be applied to low spread currency pairs. Please use it only on the 1 min trading charts. My Chart Setup. Indicators: 12 exponential moving average, 26 exponential moving average, 55 simple moving average Time frame(s): 1 min charts ... You should be using a 1-minute chart with this strategy. You may enter the trade in either of 2 ways – with a long entry or with a short entry. With the long entry, you must wait for the 3EMA to cross above the 18 Bollinger bands middle line. In addition, the RSI needs to be above 50 and the MACD histogram needs to be above 0. On a 1 minute chart the 200 EMA is a good guide for direction, but also as a possible place from where a bounce may happen. This is not some hocus pocus magic, it’s simply because it is the best moving average for this and many many traders have it loaded on their charts. The more people who are watching it, then the higher the possibility that people will be trading around it. You can see ...

[index] [23707] [2629] [23195] [775] [218] [16027] [28992] [22098] [18956] [5406]

Trading 1 minute candlestick chart for beginners - YouTube

Trusted spots blog https://trustedspots1.blogspot.com/?m=1 To register a free account on desktop or laptop, click here https://bit.ly/3ghvlt5 To register a f... How to analyse candlestick chart- 1 minute candlestick live trading 2017 part-1 - Duration: 14:36. ... Great 1 min forex trade set-ups - Duration: 4:10. Traders Friend 50,791 views. 4:10 . Create ... Trusted spots blog https://trustedspots1.blogspot.com/?m=1 To register a free account on desktop or laptop, click here https://bit.ly/3ghvlt5 To register a f... Install My Analysis App https://play.google.com/store/apps/details?id=com.mobile.fxmarkit Free FX Signals App https://play.google.com/store/apps/details?id=c... Trusted spots blog https://trustedspots1.blogspot.com/?m=1 To register a free account on desktop or laptop, click here https://bit.ly/3ghvlt5 To register a f... Trusted spots blog https://trustedspots1.blogspot.com/?m=1 To register a free account on desktop or laptop, click here https://bit.ly/3ghvlt5 To register a f... It's Friday and traders should be done early. Trading Signals Using 1-Minute Candle Price Charts sells or or buy using the Atlas Line or Trade Scalper? The S...

#