Margin-Berechnung: Forex, Futures - Für fortgeschrittene ...

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]

ATO Australian tax treatment for options trades 🇦🇺

I am posting this as I hope it will help other Australian options traders trading in US options with their tax treatment for ATO (Australian Tax Office) purposes. The ATO provides very little guidance on tax treatment for options trading and I had to do a lot of digging to get to this point. I welcome any feedback on this post.

The Deloitte Report from 2011

My initial research led me to this comprehensive Deloitte report from 2011 which is hosted on the ASX website. I've been through this document about 20 times and although it's a great report to understand how different scenarios apply, it's still really hard to find out what's changed since 2011.
I am mainly relating myself to the scenario of being an individual and non-sole trader (no business set up) for my trading. I think this will apply to many others here too. According to that document, there isn't much guidance on what happens when you're an options premium seller and close positions before they expire.
Note that the ATO sometimes uses the term "ETO" (Exchange Traded Option) to discuss what we're talking about here with options trading.
Also note: The ATO discusses the separate Capital Gains Tax ("CGT") events that occur in each scenario in some of their documents. A CGT event will then determine what tax treatment gets applied if you don't know much about capital gains in Australia.

ATO Request for Advice

Since the Deloitte report didn't answer my questions, I eventually ended up contacting the ATO with a request for advice and tried to explain my scenario: I'm an Australian resident for tax purposes, I'm trading with tastyworks in $USD, I'm primarily a premium seller and I don't have it set up with any business/company/trust etc. In effect, I have a rough idea that I'm looking at capital gains tax but I wanted to fully understand how it worked.
Initially the ATO respondent didn't understand what I was talking about when I said that I was selling a position first and buying it to close. According to the laws, there is no example of this given anywhere because it is always assumed in ATO examples that you buy a position and sell it. Why? I have no idea.
I sent a follow up request with even more detail to the ATO. I think (hope) they understood what I meant now after explaining what an options premium seller is!

Currency Gains/Losses

First, I have to consider translating my $USD to Australian dollars. How do we treat that?
FX Translation
If the premium from selling the options contract is received in $USD, do I convert it to $AUD on that day it is received?
ATO response:
Subsection 960-50(6), Item 5 of the Income Tax Assessment Act 1997 (ITAA 1997) states the amount should be translated at the time of the transaction or event for the purposes of the Capital Gains Tax provisions. For the purpose of granting an option to an entity, the time of the event is when you grant the option (subsection 104-20(2) ITAA 1997).
This is a very detailed response which even refers to the level of which section in the law it is coming from. I now know that I need to translate my trades from $USD to $AUD according to the RBA's translation rates for every single trade.
But what about gains or losses on translation?
There is one major rule that overrides FX gains and losses after digging deeper. The ATO has a "$250k balance election". This will probably apply to a lot of people trading in balances below $250k a lot of the FX rules don't apply. It states:
However, the $250,000 balance election broadly enables you to disregard certain foreign currency gains and losses on certain foreign currency denominated bank accounts and credit card accounts (called qualifying forex accounts) with balances below a specified limit.
Therefore, I'm all good disregarding FX gains and losses! I just need to ensure I translate my trades on the day they occurred. It's a bit of extra admin to do unfortunately, but it is what it is.

Credit Trades

This is the scenario where we SELL a position first, collect premium, and close the position by making an opposite BUY order. Selling a naked PUT, for example.
What happens when you open the position? ATO Response:
The option is grantedCGT event D2 happens when a taxpayer grants an option. The time of the event is when the option is granted. The capital gain or loss arising is the difference between the capital proceeds and the expenditure incurred to grant the option.
This seems straight forward. We collect premium and record a capital gain.
What happens when you close the position? ATO Response:
Closing out an optionThe establishment of an ETO contract is referred to as opening a position (ASX Explanatory Booklet 'Understanding Options Trading'). A person who writes (sells) a call or put option may close out their position by taking (buying) an identical call or put option in the same series. This is referred to as the close-out of an option or the closing-out of an opening position.
CGT event C2 happens when a taxpayer's ownership of an intangible CGT asset ends. Paragraph 104-25(1)(a) of the ITAA 1997 provides that ownership of an intangible CGT asset ends by cancellation, surrender, or release or similar means.
CGT event C2 therefore happens to a taxpayer when their position under an ETO is closed out where the close-out results in the cancellation, release or discharge of the ETO.
Under subsection 104-25(3) of the ITAA 1997 you make a capital gain from CGT event C2 if the capital proceeds from the ending are more than the assets cost base. You make a capital loss if those capital proceeds are less than the assets reduced cost base.
Both CGT events (being D2 upon granting the option and C2 upon adopting the close out position) must be accounted for if applicable to a situation.
My take on this is that the BUY position that cancels out your SELL position will most often simply realise a capital loss (the entire portion of your BUY position). In effect, it 'cancels out' your original premium sold, but it's not recorded that way, it's recorded as two separate CGT events - your capital gain from CGT event D2 (SELL position), then, your capital loss from CGT event C2 (BUY position) is also recorded. In effect, they net each other out, but you don't record them as a 'netted out' number - you record them separately.
From what I understand, if you were trading as a sole tradecompany then you would record them as a netted out capital gain or loss, because the trades would be classified as trading stock but not in our case here as an individual person trading options. The example I've written below should hopefully make that clearer.
EXAMPLE:
Trade on 1 July 2020: Open position
Trade on 15 July 2020: Close position
We can see from this simple example that even though you made a gain on those trades, you still have to record the transactions separately, as first a gain, then as a loss. Note that it is not just a matter of netting off the value of the net profit collected and converting the profit to $AUD because the exchange rate will be different on the date of the opening trade and on the date of the closing trade we have to record them separately.

What if you don't close the position and the options are exercised? ATO Response:
The option is granted and then the option is exercisedUnder subsection 104-40(5) of the Income Tax Assessment Act 1997 (ITAA 1997) the capital gain or loss from the CGT event D2 is disregarded if the option is exercised. Subsection 134-1(1), item 1, of the ITAA 1997 refers to the consequences for the grantor of the exercise of the option.
Where the option binds the grantor to dispose of a CGT asset section 116-65 of the ITAA 1997 applies to the transaction.
Subsection 116-65(2) of the ITAA 1997 provides that the capital proceeds from the grant or disposal of the shares (CGT asset) include any payment received for granting the option. The disposal of the shares is a CGT event A1 which occurs under subsection 104-10(3) of the ITAA 1997 when the contract for disposal is entered into.
You would still make a capital gain at the happening of the CGT event D2 in the year the event occurs (the time the option is granted). That capital gain is disregarded when the option is exercised. Where the option is exercised in the subsequent tax year, the CGT event D2 gain is disregarded at that point. An amendment may be necessary to remove the gain previously included in taxable income for the year in which the CGT event D2 occurred.
This scenario is pretty unlikely - for me personally I never hold positions to expiration, but it is nice to know what happens with the tax treatment if it ultimately does come to that.

Debit Trades

What about the scenario when you want to BUY some options first, then SELL that position and close it later? Buying a CALL, for example. This case is what the ATO originally thought my request was about before I clarified with them. They stated:
When you buy an ETO, you acquire an asset (the ETO) for the amount paid for it (that is, the premium) plus any additional costs such as brokerage fees and the Australian Clearing House (ACH) fee. These costs together form the cost base of the ETO (section 109-5 of the ITAA 1997). On the close out of the position, you make a capital gain or loss equal to the difference between the cost base of the ETO and the amount received on its expiry or termination (subsection 104-25(3) of the ITAA 1997). The capital gain or loss is calculated on each parcel of options.
So it seems it is far easier to record debit trades for tax purposes. It is easier for the tax office to see that you open a position by buying it, and close it by selling it. And in that case you net off the total after selling it. This is very similar to a trading shares and the CGT treatment is in effect very similar (the main difference is that it is not coming under CGT event A1 because there is no asset to dispose of, like in a shares or property trade).

Other ATO Info (FYI)

The ATO also referred me to the following documents. They relate to some 'decisions' that they made from super funds but the same principles apply to individuals they said.
The ATO’s Interpretative Decision in relation to the tax treatment of premiums payable and receivable for exchange traded options can be found on the links below. Please note that the interpretative decisions below are in relation to self-managed superannuation funds but the same principles would apply in your situation [as an individual taxpayer, not as a super fund].
Premiums Receivable: ATO ID 2009/110

Some tips

submitted by cheese-mate-chen-c to options [link] [comments]

What factors predict the success of a Steam game? (An analysis)

What factors predict the success of a Steam game?

I've seen quite a few discussions, comments and questions on /gamedev about what determines a game's success. How much does quality matter? Is establishing market awareness before launch the only thing that matters? Does a demo help or hurt? If your game has a poor launch, how likely is it to recover? Is it possible to roughly predict the sales of a game before launch?
In preparation for my game's launch, I spent a lot of time monitoring upcoming releases trying to find the answer to these questions. I compiled a spreadsheet, noted followers, whether it was Early Access or not, and saw how many reviews it received in the first week, month and quarter.
I'm sharing this data now in the hopes that it helps other developers understand and predict their games' sales.
First some notes on the data:
Game Price Launch Discount Week Guess Week actual 3 Month 3 Month/week Followers Early Access Demo Review Score
Pit of Doom 9.99 0 7 27 43 1.592592593 295 Y N 0.8
Citrouille 9.99 0.2 16 8 12 1.5 226 N N
Corspe Party: Book 14.99 0.1 32 40 79 1.975 1015 N N 0.95
Call of Cthulhu 44.99 0 800 875 1595 1.822857143 26600 N N 0.74
On Space 0.99 0.4 0 0 0 4 N N
Orphan 14.99 0 50 0 8 732 N N
Black Bird 19.99 0 20 13 34 2.615384615 227 N N
Gloom 6.99 0 20 8 17 2.125 159 N N
Gilded Rails 5.99 0.35 2 3 7 2.333333333 11 N Y
The Quiet Man 14.99 0.1 120 207 296 1.429951691 5596 N N 0.31
KartKraft 19.99 0.1 150 90 223 2.477777778 7691 Y N 0.84
The Other Half 7.99 0 2 3 27 9 91 N Y 0.86
Parabolus 14.99 0.15 0 0 0 16 N Y
Yet Another Tower Defense 1.99 0.4 20 22 38 1.727272727 396 N N 0.65
Galaxy Squad 9.99 0.25 8 42 5.25 3741 Y N 0.87
Swords and Soldiers 2 14.99 0.1 65 36 63 1.75 1742 N N 0.84
SpitKiss 2.99 0 3 1 2 2 63 N N
Holy Potatoes 14.99 0 24 11 22 2 617 N N 0.7
Kursk 29.99 0.15 90 62 98 1.580645161 2394 N N 0.57
SimpleRockets 2 14.99 0.15 90 142 272 1.915492958 3441 Y N 0.85
Egress 14.99 0.15 160 44 75 1.704545455 7304 Y N 0.67
Kynseed 9.99 0 600 128 237 1.8515625 12984 Y N 0.86
11-11 Memories 29.99 0 30 10 69 6.9 767 N N 0.96
Rage in Peace 12.99 0.1 15 10 42 4.2 377 N N 0.85
One Hour One Life 19.99 0 12 153 708 4.62745098 573 N N 0.81
Optica 9.99 0 0 2 3 1.5 18 N N
Cybarian 5.99 0.15 8 4 18 4.5 225 N N
Zeon 25 3.99 0.3 3 11 12 1.090909091 82 Y N
Of Gods and Men 7.99 0.4 3 10 18 1.8 111 N Y
Welcome to Princeland 4.99 0.1 1 15 55 3.666666667 30 N N 0.85
Zero Caliber VR 24.99 0.1 100 169 420 2.485207101 5569 Y N 0.73
HellSign 14.99 0 100 131 334 2.549618321 3360 Y N 0.85
Thief Simulator 19.99 0.15 400 622 1867 3.001607717 10670 N N 0.81
Last Stanza 7.99 0.1 8 2 4 2 228 N Y
Evil Bank Manager 11.99 0.1 106 460 4.339622642 8147 Y N 0.78
Oppai Puzzle 0.99 0.3 36 93 2.583333333 54 N N 0.92
Hexen Hegemony 9.99 0.15 3 1 5 5 55 Y N
Blokin 2.99 0 0 0 0 0 10 N N
Light Fairytale Ep 1 9.99 0.1 80 23 54 2.347826087 4694 Y N 0.89
The Last Sphinx 2.99 0.1 0 0 1 0 17 N N
Glassteroids 9.99 0.2 0 0 0 0 5 Y N
Hitman 2 59.99 0 2000 2653 3677 1.385978138 52226 N N 0.88
Golf Peaks 4.99 0.1 1 8 25 3.125 46 N N 1
Sipho 13.99 0 24 5 14 2.8 665 Y N
Distraint 2 8.99 0.1 40 104 321 3.086538462 1799 N N 0.97
Healing Harem 12.99 0.1 24 10 15 1.5 605 N N
Spark Five 2.99 0.3 0 0 0 0 7 N N
Bad Dream: Fever 9.99 0.2 30 78 134 1.717948718 907 N N 0.72
Underworld Ascendant 29.99 0.15 200 216 288 1.333333333 8870 N N 0.34
Reentry 19.99 0.15 8 24 78 3.25 202 Y N 0.95
Zvezda 5.99 0 2 0 0 0 25 Y Y
Space Gladiator 2.99 0 0 1 2 2 5 N N
Bad North 14.99 0.1 500 360 739 2.052777778 15908 N N 0.8
Sanctus Mortem 9.99 0.15 3 3 3 1 84 N Y
The Occluder 1.99 0.2 1 1 1 1 13 N N
Dark Fantasy: Jigsaw 2.99 0.2 1 9 36 4 32 N N 0.91
Farming Simulator 19 34.99 0 1500 3895 5759 1.478562259 37478 N N 0.76
Don't Forget Our Esports Dream 14.99 0.13 3 16 22 1.375 150 N N 1
Space Toads Mayhem 3.99 0.15 1 2 3 1.5 18 N N
Cattle Call 11.99 0.1 10 19 53 2.789473684 250 Y N 0.71
Ralf 9.99 0.2 0 0 2 0 6 N N
Elite Archery 0.99 0.4 0 2 3 1.5 5 Y N
Evidence of Life 4.99 0 0 2 4 2 10 N N
Trinity VR 4.99 0 2 8 15 1.875 61 N N
Quiet as a Stone 9.99 0.1 1 1 4 4 42 N N
Overdungeon 14.99 0 3 86 572 6.651162791 77 Y N 0.91
Protocol 24.99 0.15 60 41 117 2.853658537 1764 N N 0.68
Scraper: First Strike 29.99 0 3 3 15 5 69 N N
Experiment Gone Rogue 16.99 0 1 1 5 5 27 Y N
Emerald Shores 9.99 0.2 0 1 2 2 12 N N
Age of Civilizations II 4.99 0 600 1109 2733 2.464382326 18568 N N 0.82
Dereliction 4.99 0 0 0 0 #DIV/0! 18 N N
Poopy Philosophy 0.99 0 0 6 10 1.666666667 6 N N
NOCE 17.99 0.1 1 3 4 1.333333333 35 N N
Qu-tros 2.99 0.4 0 3 7 2.333333333 4 N N
Mosaics Galore. Challenging Journey 4.99 0.2 1 1 8 8 14 N N
Zquirrels Jump 2.99 0.4 0 1 4 4 9 N N
Dark Siders III 59.99 0 2400 1721 2708 1.573503777 85498 N N 0.67
R-Type Dimensions Ex 14.99 0.2 10 48 64 1.333333333 278 N N 0.92
Artifact 19.99 0 7000 9700 16584 1.709690722 140000 N N 0.53
Crimson Keep 14.99 0.15 20 5 6 1.2 367 N N
Rival Megagun 14.99 0 35 26 31 1.192307692 818 N N
Santa's Workshop 1.99 0.1 3 1 1 1 8 N N
Hentai Shadow 1.99 0.3 2 12 6 14 N N
Ricky Runner 12.99 0.3 3 6 13 2.166666667 66 Y N 0.87
Pro Fishing Simulator 39.99 0.15 24 20 19 0.95 609 N N 0.22
Broken Reality 14.99 0.1 60 58 138 2.379310345 1313 N Y 0.98
Rapture Rejects 19.99 0 200 82 151 1.841463415 9250 Y N 0.64
Lost Cave 19.99 0 3 8 11 1.375 43 Y N
Epic Battle Fantasy 5 14.99 0 300 395 896 2.26835443 4236 N N 0.97
Ride 3 49.99 0 75 161 371 2.304347826 1951 N N 0.74
Escape Doodland 9.99 0.2 25 16 19 1.1875 1542 N N
Hillbilly Apocalypse 5.99 0.1 0 1 2 2 8 N N
X4 49.99 0 1500 2638 4303 1.63115997 38152 N N 0.7
Splotches 9.99 0.15 0 2 1 0.5 10 N N
Above the Fold 13.99 0.15 5 2 6 3 65 Y N
The Seven Chambers 12.99 0.3 3 0 0 #DIV/0! 55 N N
Terminal Conflict 29.99 0 5 4 11 2.75 125 Y N
Just Cause 4 59.99 0 2400 2083 3500 1.680268843 50000 N N 0.34
Grapple Force Rena 14.99 0 11 12 29 2.416666667 321 N Y
Beholder 2 14.99 0.1 479 950 1.983298539 16000 N N 0.84
Blueprint Word 1.99 0 12 15 1.25 244 N Y
Aeon of Sands 19.99 0.1 20 12 25 2.083333333 320 N N
Oakwood 4.99 0.1 32 68 2.125 70 N N 0.82
Endhall 4.99 0 4 22 42 1.909090909 79 N N 0.84
Dr. Cares - Family Practice 12.99 0.25 6 3 8 2.666666667 39 N N
Treasure Hunter 16.99 0.15 200 196 252 1.285714286 4835 N N 0.6
Forex Trading 1.99 0.4 7 10 14 1.4 209 N N
Ancient Frontier 14.99 0 24 5 16 3.2 389 N N
Fear the Night 14.99 0.25 25 201 440 2.189054726 835 Y N 0.65
Subterraneus 12.99 0.1 4 0 3 #DIV/0! 82 N N
Starcom: Nexus 14.99 0.15 53 119 2.245283019 1140 Y N 0.93
Subject 264 14.99 0.2 25 2 3 1.5 800 N N
Gris 16.9 0 100 1484 4650 3.133423181 5779 N N 0.96
Exiled to the Void 7.99 0.3 9 4 11 2.75 84 Y N
Column Explanations
For the columns that are not self-explanatory:

Question 1: Does Quality Predict Success?

There was a recent blog post stating that the #1 metric for indie games' success is how good it is.
Quality is obviously a subjective metric. The most obvious objective measure of quality for Steam games is their % Favorable Review score. This is the percentage of reviews by purchasers of the game that gave the game a positive rating. I excluded any game that did not have at least 20 user reviews in the first month, which limited the sample size to 56.
The (Pearson) correlation of a game's review score to its number of reviews three months after its release was -0.2. But 0.2 (plus or minus) isn't a very strong correlation at all. More importantly, Pearson correlation can be swayed if the data contains some big outliers. Looking at the actual games, we can see that the difference is an artifact of an outlier. Literally. Valve's Artifact by far had the most reviews after three months and had one of the lowest review scores (53% at the time). Removing this game from the data changed the correlation to essentially zero.
Spearman's Rho, an alternative correlation model that correlates rank position and minimizes the effect of huge outliers produced a similar result.
Conclusion: If there is correlation between a game's quality (as measured by Steam review score) and first quarter sales (as measured by total review count), it is too subtle to be detected in this data.

Question 2: Do Demos, Early Access or Launch Discounts Affect Success/Failure?

Unfortunately, there were so few games that had demos prior to release (10) that only a very strong correlation would really tell us anything. As it happens, there was no meaningful correlation one way or another.
There were more Early Access titles (28), but again the correlation was too small to be meaningful.
More than half the titles had a launch week discount and there was actually a moderate negative correlation of -0.3 between having a launch discount and first week review count. However it appears that this is primarily the result of the tendency of AAA titles (which sell the most copies) to not do launch discounts. Removing the titles that likely grossed over a $1 million in the first week reduced the correlation to basically zero.
Conclusion: Insufficient data. No clear correlation between demos, Early Access or launch discount and review counts: if they help or hurt the effect is not consistent enough to be seen here.

Question 3: Does pre-launch awareness (i.e., Steam followers) predict success?

You can see the number of "followers" for any game on Steam by searching for its automatically-created Community Group. Prior to launch, this is a good rough indicator of market awareness.
The correlation between group followers shortly before launch and review count at 3 months was 0.89. That's a very strong positive correlation. The rank correlation was also high (0.85) suggesting that this wasn't the result of a few highly anticipated games.
Save for a single outlier (discussed later), the ratio of 3 month review counts to pre-launch followers ranged from 0 (for the handful of games that never received any reviews) to 1.8, with a median value of 0.1. If you have 1000 followers just prior to launch, then at the end of the first quarter you should expect "about" 100 reviews.
One thing I noticed was that there were a few games that had follower counts that seemed too high compared to secondary indicators of market awareness, such as discussion forum threads and Twitter engagement. After some investigation I came to the conclusion that pre-launch key activations are treated as followers by Steam. If a game gave away a lot of Steam keys before launch (say as Kickstarter rewards or part of beta testing) this would cause the game to appear to have more followers than it had gained "organically."
Conclusion: Organic followers prior to launch are a strong predictor of a game's eventual success.

Question 4: What about price?

The correlation between price and review count at 3 month is 0.36, which is moderate correlation. I'm not sure how useful that data point is: it is somewhat obvious that higher budget games have larger marketing budgets.
There is a correlation between price and review score of -0.41. It seems likely that players do factor price into their reviews and a game priced at $60 has a higher bar to clear to earn a thumbs up review than a game priced at $10.

Question 5: Do first week sales predict first quarter results?

The correlation between number of reviews after 1 week and number of reviews after 3 months was 0.99. The Spearman correlation was 0.97. This is the highest correlation I found in the data.
Excluding games that sold very few copies (fewer than 5 reviews after the first week), most games had around twice as many reviews after 3 months as they did after 1 week. This suggests that games sell about as many copies in their first week as they do in the next 12 weeks combined. The vast majority of games had a tail ratio (ratio of reviews at 3 months to 1 week) of between 1.3 to 3.2.
I have seen a number of questions from developers whose game had a poor launch on Steam and wanted to know what they can do to improve sales. While I'm certain post-launch marketing can have an effect on continuing sales, your first week does seem to set hard bounds on your results.
Conclusion: ALL SIGNS POINT TO YES

Question 6: Does Quality Help with a Game's "Tail"?

As discussed in the last question while first week sales are very strongly correlated with first quarter, there's still quite a wide range of ratios. Defining a game's Tail Ratio as the ratio of reviews after 3 months to after 1 week, the lowest value was 0.95 for "Pro Fishing Simulator" which actually managed to lose 1 review. The highest ratio was 6.9, an extreme outlier that I'll talk about later. It is perhaps not a coincidence that the worst tail had a Steam score of 22% and the best tail had a Steam score of 96%.
The overall correlation between the Tail Ratio and Steam score was 0.42.
Conclusion: Even though there is no clear correlation between quality and overall review count/sales, there is a moderate correlation between a game's review score and its tail. This suggests that "good games" do better in the long run than "bad games," but the effect is small compared to the more important factor of pre-launch awareness.

Question 7: Is it possible to predict a game's success before launch without knowing its wishlists?

While I was compiling the data for each game, sometime prior to its scheduled launch date, I would make a prediction of how many reviews I thought it would receive in its first week and add that prediction to the spreadsheet.
The #1 factor I used in making my prediction was group follower count. In some cases I would adjust my prediction if I thought that value was off, using secondary sources such as Steam forum activity and Twitter engagement.
The correlation between my guess and the actual value was 0.96, which is a very strong correlation. As you can see in the data, the predictions are, for the most part, in the right ballpack with a few cases where I was way off.
Based on my experience, multiplying the group follower count by 0.1 will, in most cases, give you a ballpark sense of the first week quarter review count. If a game doesn't have at least one question in the discussion forum for every 100 followers, that may indicate that there are large number of "inorganic" followers and you may need to adjust your estimate.
Conclusion: Yes, with a few exceptions, using follower data and other indicators you can predict first week results approximately. Given the strong correlation between first week and quarter sales, it should also be possible to have a ballpark idea of first quarter results before launch.

Final Question: What about the outliers you mentioned?

There were a few games in the data that stood out significantly in one way or another.
Outlier #1: Overdungeon. This game had 77 group followers shortly before launch, a fairly small number and based solely on that number I would have expected fewer than a dozen reviews in the first week. It ended up with 86. Not only that, it had a strong tail and finished its first quarter with 572 reviews. This was by a wide margin the highest review count to follower ratio in the sample.
Based on the reviews, it appears to basically be Slay the Spire, but huge in Asia. 90% of the reviews seem to be in Japanese or Chinese. If anyone has some insight to this game's unusual apparent success, I'm very curious.
This seems to be the only clear example in the data of a game with minimal following prior to launch going on to having a solid first quarter.
Outlier #2: 11-11 Memories Retold. This game had 767 group followers shortly before launch, ten times as many as Overdungeon. That's still not a large number for even a small indie title. It had a fair amount going for it, though: it was directed by Yoan Fanise, who co-directed the critally acclaimed Valiant Hearts, a game with a similar theme. It was animated by Aardman Studios of "Wallace and Gromit" fame. Its publisher was Bandai Namco Europe, a not inexperienced publisher. The voice acting was by Sebastian Koch and Elijah Wood. It has dozens of good reviews in both gaming and traditional press. It currently has a 95% positive review rating on Steam.
Despite all that, nobody bought it. 24 hours after it came out it had literally zero reviews on Steam. One week after it came out it had just 10. Three months later it had demonstrated the largest tail in the data, but even then it had only climbed to 69 reviews. Now it's at about 100, an incredible tail ratio, but almost certainly a commercial failure.
This is a solid example that good game + good production values does necessarily equal good sales.

Final notes:
The big take-aways from this analysis are:
Thanks for reading!
submitted by justkevin to gamedev [link] [comments]

How to get started in Forex - A comprehensive guide for newbies

Almost every day people come to this subreddit asking the same basic questions over and over again. I've put this guide together to point you in the right direction and help you get started on your forex journey.

A quick background on me before you ask: My name is Bob, I'm based out of western Canada. I started my forex journey back in January 2018 and am still learning. However I am trading live, not on demo accounts. I also code my own EA's. I not certified, licensed, insured, or even remotely qualified as a professional in the finance industry. Nothing I say constitutes financial advice. Take what I'm saying with a grain of salt, but everything I've outlined below is a synopsis of some tough lessons I've learned over the last year of being in this business.

LET'S GET SOME UNPLEASANTNESS OUT OF THE WAY

I'm going to call you stupid. I'm also going to call you dumb. I'm going to call you many other things. I do this because odds are, you are stupid, foolish,and just asking to have your money taken away. Welcome to the 95% of retail traders. Perhaps uneducated or uninformed are better phrases, but I've never been a big proponent of being politically correct.

Want to get out of the 95% and join the 5% of us who actually make money doing this? Put your grown up pants on, buck up, and don't give me any of this pc "This is hurting my feelings so I'm not going to listen to you" bullshit that the world has been moving towards.

Let's rip the bandage off quickly on this point - the world does not give a fuck about you. At one point maybe it did, it was this amazing vision nicknamed the American Dream. It died an agonizing, horrible death at the hand of capitalists and entrepreneurs. The world today revolves around money. Your money, my money, everybody's money. People want to take your money to add it to theirs. They don't give a fuck if it forces you out on the street and your family has to live in cardboard box. The world just stopped caring in general. It sucks, but it's the way the world works now. Welcome to the new world order. It's called Capitalism.

And here comes the next hard truth that you will need to accept - Forex is a cruel bitch of a mistress. She will hurt you. She will torment you. She will give you nightmares. She will keep you awake at night. And then she will tease you with a glimmer of hope to lure you into a false sense of security before she then guts you like a fish and shows you what your insides look like. This statement applies to all trading markets - they are cruel, ruthless, and not for the weak minded.

The sooner you accept these truths, the sooner you will become profitable. Don't accept it? That's fine. Don't bother reading any further. If I've offended you I don't give a fuck. You can run back home and hide under your bed. The world doesn't care and neither do I.

For what it's worth - I am not normally an major condescending asshole like the above paragraphs would suggest. In fact, if you look through my posts on this subreddit you will see I am actually quite helpful most of the time to many people who come here. But I need you to really understand that Forex is not for most people. It will make you cry. And if the markets themselves don't do it, the people in the markets will.

LESSON 1 - LEARN THE BASICS

Save yourself and everybody here a bunch of time - learn the basics of forex. You can learn the basics for free - BabyPips has one of the best free courses online which explains what exactly forex is, how it works, different strategies and methods of how to approach trading, and many other amazing topics.

You can access the BabyPips course by clicking this link: https://www.babypips.com/learn/forex

Do EVERY course in the School of Pipsology. It's free, it's comprehensive, and it will save you from a lot of trouble. It also has the added benefit of preventing you from looking foolish and uneducated when you come here asking for help if you already know this stuff.

If you still have questions about how forex works, please see the FREE RESOURCES links on the /Forex FAQ which can be found here: https://www.reddit.com/Forex/wiki/index

Quiz Time
Answer these questions truthfully to yourself:

-What is the difference between a market order, a stop order, and a limit order?
-How do you draw a support/resistance line? (Demonstrate it to yourself)
-What is the difference between MACD, RSI, and Stochastic indicators?
-What is fundamental analysis and how does it differ from technical analysis and price action trading?
-True or False: It's better to have a broker who gives you 500:1 margin instead of 50:1 margin. Be able to justify your reasoning.

If you don't know to answer to any of these questions, then you aren't ready to move on. Go back to the School of Pipsology linked above and do it all again.

If you can answer these questions without having to refer to any kind of reference then congratulations, you are ready to move past being a forex newbie and are ready to dive into the wonderful world of currency trading! Move onto Lesson 2 below.

LESSON 2 - RANDOM STRANGERS ARE NOT GOING TO HELP YOU GET RICH IN FOREX

This may come as a bit of a shock to you, but that random stranger on instagram who is posting about how he is killing it on forex is not trying to insprire you to greatness. He's also not trying to help you. He's also not trying to teach you how to attain financial freedom.

99.99999% of people posting about wanting to help you become rich in forex are LYING TO YOU.

Why would such nice, polite people do such a thing? Because THEY ARE TRYING TO PROFIT FROM YOUR STUPIDITY.

Plain and simple. Here's just a few ways these "experts" and "gurus" profit from you:


These are just a few examples. The reality is that very few people make it big in forex or any kind of trading. If somebody is trying to sell you the dream, they are essentially a magician - making you look the other way while they snatch your wallet and clean you out.

Additionally, on the topic of fund managers - legitimate fund managers will be certified, licensed, and insured. Ask them for proof of those 3 things. What they typically look like are:

If you are talking to a fund manager and they are insisting they have all of these, get a copy of their verification documents and lookup their licenses on the directories of the issuers to verify they are valid. If they are, then at least you are talking to somebody who seems to have their shit together and is doing investment management and trading as a professional and you are at least partially protected when the shit hits the fan.


LESSON 3 - UNDERSTAND YOUR RISK

Many people jump into Forex, drop $2000 into a broker account and start trading 1 lot orders because they signed up with a broker thinking they will get rich because they were given 500:1 margin and can risk it all on each trade. Worst-case scenario you lose your account, best case scenario you become a millionaire very quickly. Seems like a pretty good gamble right? You are dead wrong.

As a new trader, you should never risk more than 1% of your account balance on a trade. If you have some experience and are confident and doing well, then it's perfectly natural to risk 2-3% of your account per trade. Anybody who risks more than 4-5% of their account on a single trade deserves to blow their account. At that point you aren't trading, you are gambling. Don't pretend you are a trader when really you are just putting everything on red and hoping the roulette ball lands in the right spot. It's stupid and reckless and going to screw you very quickly.

Let's do some math here:

You put $2,000 into your trading account.
Risking 1% means you are willing to lose $20 per trade. That means you are going to be trading micro lots, or 0.01 lots most likely ($0.10/pip). At that level you can have a trade stop loss at -200 pips and only lose $20. It's the best starting point for anybody. Additionally, if you SL 20 trades in a row you are only down $200 (or 10% of your account) which isn't that difficult to recover from.
Risking 3% means you are willing to lose $60 per trade. You could do mini lots at this point, which is 0.1 lots (or $1/pip). Let's say you SL on 20 trades in a row. You've just lost $1,200 or 60% of your account. Even veteran traders will go through periods of repeat SL'ing, you are not a special snowflake and are not immune to periods of major drawdown.
Risking 5% means you are willing to lose $100 per trade. SL 20 trades in a row, your account is blown. As Red Foreman would call it - Good job dumbass.

Never risk more than 1% of your account on any trade until you can show that you are either consistently breaking even or making a profit. By consistently, I mean 200 trades minimum. You do 200 trades over a period of time and either break-even or make a profit, then you should be alright to increase your risk.

Unfortunately, this is where many retail traders get greedy and blow it. They will do 10 trades and hit their profit target on 9 of them. They will start seeing huge piles of money in their future and get greedy. They will start taking more risk on their trades than their account can handle.

200 trades of break-even or profitable performance risking 1% per trade. Don't even think about increasing your risk tolerance until you do it. When you get to this point, increase you risk to 2%. Do 1,000 trades at this level and show break-even or profit. If you blow your account, go back down to 1% until you can figure out what the hell you did differently or wrong, fix your strategy, and try again.

Once you clear 1,000 trades at 2%, it's really up to you if you want to increase your risk. I don't recommend it. Even 2% is bordering on gambling to be honest.


LESSON 4 - THE 500 PIP DRAWDOWN RULE

This is a rule I created for myself and it's a great way to help protect your account from blowing.

Sometimes the market goes insane. Like really insane. Insane to the point that your broker can't keep up and they can't hold your orders to the SL and TP levels you specified. They will try, but during a flash crash like we had at the start of January 2019 the rules can sometimes go flying out the window on account of the trading servers being unable to keep up with all the shit that's hitting the fan.

Because of this I live by a rule I call the 500 Pip Drawdown Rule and it's really quite simple - Have enough funds in your account to cover a 500 pip drawdown on your largest open trade. I don't care if you set a SL of -50 pips. During a flash crash that shit sometimes just breaks.

So let's use an example - you open a 0.1 lot short order on USDCAD and set the SL to 50 pips (so you'd only lose $50 if you hit stoploss). An hour later Trump makes some absurd announcement which causes a massive fundamental event on the market. A flash crash happens and over the course of the next few minutes USDCAD spikes up 500 pips, your broker is struggling to keep shit under control and your order slips through the cracks. By the time your broker is able to clear the backlog of orders and activity, your order closes out at 500 pips in the red. You just lost $500 when you intended initially to only risk $50.

It gets kinda scary if you are dealing with whole lot orders. A single order with a 500 pip drawdown is $5,000 gone in an instant. That will decimate many trader accounts.

Remember my statements above about Forex being a cruel bitch of a mistress? I wasn't kidding.

Granted - the above scenario is very rare to actually happen. But glitches to happen from time to time. Broker servers go offline. Weird shit happens which sets off a fundamental shift. Lots of stuff can break your account very quickly if you aren't using proper risk management.


LESSON 5 - UNDERSTAND DIFFERENT TRADING METHODOLOGIES

Generally speaking, there are 3 trading methodologies that traders employ. It's important to figure out what method you intend to use before asking for help. Each has their pros and cons, and you can combine them in a somewhat hybrid methodology but that introduces challenges as well.

In a nutshell:

Now you may be thinking that you want to be a a price action trader - you should still learn the principles and concepts behind TA and FA. Same if you are planning to be a technical trader - you should learn about price action and fundamental analysis. More knowledge is better, always.

With regards to technical analysis, you need to really understand what the different indicators are tell you. It's very easy to misinterpret what an indicator is telling you, which causes you to make a bad trade and lose money. It's also important to understand that every indicator can be tuned to your personal preferences.

You might find, for example, that using Bollinger Bands with the normal 20 period SMA close, 2 standard deviation is not effective for how you look at the chart, but changing that to say a 20 period EMA average price, 1 standard deviation bollinger band indicator could give you significantly more insight.


LESSON 6 - TIMEFRAMES MATTER

Understanding the differences in which timeframes you trade on will make or break your chosen strategy. Some strategies work really well on Daily timeframes (i.e. Ichimoku) but they fall flat on their face if you use them on 1H timeframes, for example.

There is no right or wrong answer on what timeframe is best to trade on. Generally speaking however, there are 2 things to consider:


If you are a total newbie to forex, I suggest you don't trade on anything shorter than the 1H timeframe when you are first learning. Trading on higher timeframes tends to be much more forgiving and profitable per trade. Scalping is a delicate art and requires finesse and can be very challenging when you are first starting out.


LESSON 7 - AUTOBOTS...ROLL OUT!

Yeah...I'm a geek and grew up with the Transformers franchise decades before Michael Bay came along. Deal with it.

Forex bots are called EA's (Expert Advisors). They can be wonderous and devastating at the same time. /Forex is not really the best place to get help with them. That is what /algotrading is useful for. However some of us that lurk on /Forex code EA's and will try to assist when we can.

Anybody can learn to code an EA. But just like how 95% of retail traders fail, I would estimate the same is true for forex bots. Either the strategy doesn't work, the code is buggy, or many other reasons can cause EA's to fail. Because EA's can often times run up hundreds of orders in a very quick period of time, it's critical that you test them repeatedly before letting them lose on a live trading account so they don't blow your account to pieces. You have been warned.

If you want to learn how to code an EA, I suggest you start with MQL. It's a programming language which can be directly interpretted by Meta Trader. The Meta Trader terminal client even gives you a built in IDE for coding EA's in MQL. The downside is it can be buggy and glitchy and caused many frustrating hours of work to figure out what is wrong.

If you don't want to learn MQL, you can code an EA up in just about any programming language. Python is really popular for forex bots for some reason. But that doesn't mean you couldn't do it in something like C++ or Java or hell even something more unusual like JQuery if you really wanted.

I'm not going to get into the finer details of how to code EA's, there are some amazing guides out there. Just be careful with them. They can be your best friend and at the same time also your worst enemy when it comes to forex.

One final note on EA's - don't buy them. Ever. Let me put this into perspective - I create an EA which is literally producing money for me automatically 24/5. If it really is a good EA which is profitable, there is no way in hell I'm selling it. I'm keeping it to myself to make a fortune off of. EA's that are for sale will not work, will blow your account, and the developer who coded it will tell you that's too darn bad but no refunds. Don't ever buy an EA from anybody.

LESSON 8 - BRING ON THE HATERS

You are going to find that this subreddit is frequented by trolls. Some of them will get really nasty. Some of them will threaten you. Some of them will just make you miserable. It's the price you pay for admission to the /Forex club.

If you can't handle it, then I suggest you don't post here. Find a more newbie-friendly site. It sucks, but it's reality.

We often refer to trolls on this subreddit as shitcunts. That's your word of the day. Learn it, love it. Shitcunts.


YOU MADE IT, WELCOME TO FOREX!

If you've made it through all of the above and aren't cringing or getting scared, then welcome aboard the forex train! You will fit in nicely here. Ask your questions and the non-shitcunts of our little corner of reddit will try to help you.

Assuming this post doesn't get nuked and I don't get banned for it, I'll add more lessons to this post over time. Lessons I intend to add in the future:
If there is something else you feel should be included please drop a comment and I'll add it to the above list of pending topics.

Cheers,

Bob



submitted by wafflestation to Forex [link] [comments]

Answers to the straight questions to the GV Team

Hi all! Recently we had a bunch of great questions that were asked in the Reddit, right over here: https://www.reddit.com/genesisvision/comments/bbtolk/straight_questions_to_the_gv_team_ten_so_fa
We took some time to prepare a reply and here it is!


Hello.
I am Ruslan Kamenskiy, the person responsible for the GV products in our team.
Thank you for the many questions. I will try to answer them as fully as possible, but before answering, I would like to make a small introduction so that members of the community understand more why things are happening anyway.
- Development of any project is always a series of trade-offs. Resources are always limited and the need to choose where to send them is always present. Our task is to distribute our resources optimally considering short-term missions and long-term objectives.
- We have a very active and large community. It consists of many different representatives. Everyone has their own needs, expectations, problems and pains. And often in some decisions, you need to look for a middle ground, and you can not please everyone. Investors want maximum security, minimum commissions and maximum profits. Managers want huge investments, minimum responsibility and maximum opportunities. Brokers and exchanges want maximum trading volumes from us. And many requirements of different market participants contradict each other. Therefore, we must always look for optimal solutions.
- As I said, we have a vast and active community. And as a result, we have a tremendous amount of feedback and suggestions. Every day they come to us from all channels (feedback portal, social networks, Reddit, support mail, and even private messages in telegram). Right now in our task tracker in backlog 160 feedbacks are hanging for implementation. We appreciate the feedback of our users, but unfortunately, due to limited resources, we cannot implement everything at the same time, so we prioritise requests and suggestions. It is excruciating for us to receive messages from our users stating "I suggested this a month ago, but this has not been implemented yet," but we hope for understanding. We are trying.
- Investors want the maximum possible profit with minimal risk. But this is impossible. If we go the route of the maximum of investors' safety (for example, we prohibit trading with leverage, we make maximum stop-outs, etc.), this will minimise the potential investor's profit and make the platform uninteresting for managers. We try to find the right balance between protecting investors from rogue managers and allowing investors to make informed on their decisions based on the analytical tools we provide to create transparency in the managers’ trading strategies. However, we do not believe that restricting managers too much is the best path forward for the ecosystem. We view our job as creating a fully transparent system that allows participants to make highly educated decisions => it is then up to them to take ownership of said decision.
- Almost every day we get the questions "When exactly this will be." We have internal deadlines for the implementation of various functions, but to make public statements about the exact date of the implementation of some functionality is not always the best idea, because there are many factors affecting the real state of affairs. And the delay, even for a couple of hours, is always perceived by the community as extremely negative. But we do not refuse to share information about our current work and immediate plans.
Why do you allow numerous programs by the same manager? Do you intend to curtail it to a limited number? If yes, how many? When will you implement?
Allowing managers to have several programs is necessary for the following reasons:
All information on the number and performance of all programs is public and available to investors.
Do you intend to pose restrictions on entry and success fees to prevent exploitative fees? If yes, what restrictions and when will you implement?
Restrictions on maximum fees are already present. At the same time, this information is available in the program details, which allows the investor to evaluate all the sizes of the commissions before making a decision on investing. Additionally, in order to avoid exploitative fees, the entry fee is charged only for programs that have reached level 3. All this together provides, in our opinion, a fairly transparent system of commissions, in which the investor has all the necessary information to make an educated decision. However, if you have any specific constructive suggestions for improving the system, we are always happy to listen and take them into account.
Do you intend to start adopting some form of intervention when a trader goes on downward money losing spiral? Some form of trading floor manager action after x% losses? If yes, how and when? If not, why not?
We have introduced the Stop-out functionality, just designed to limit the loss of investors. This is an industry standard solution that helps solve the problem described.
Do you intend to impose a cool-down time limit or even fee increase limit to prevent managers to close a program and immediately reopen another one? If yes, what/when will you implement?
Managers close and open new programs for various reasons, which is a normal workflow, and we do not want to artificially limit them in this. At the same time, information about the number of manager’s programs, as well as their performance, is public and available to investors for analysis. This information, in our opinion, should be sufficient to determine how honest a particular manager acts.
Do you intend to implement some form of deletion? In which way? When?
The level system is currently being analyzed and re-thought. At the same time, our community takes an active part in this process. Actual information can be obtained in our telegram (work on this is going right now).
Do you intend to return entree fees when a program that is announced for a period of X days terminates the program before the end of the period? When?
Entry fee is charged starting from 3rd level programs. This means that this is not a new program, but already having a certain history of successful trading.
However, your proposal is absolutely reasonable, and in some situations, returning an entry fee may be a fair decision. We are currently working on this issue and are considering how to improve the current situation.
Do you intend to implement a policy so that entry fees only vest if the manager makes more profit, net of success fees, than what was charged in the entry fee? When?
If you think about it, then this is quite a delicate issue, and we cannot count everything only by profit. I will give a specific example - in the first case, the investor invests 1 BTC in the Forex program, according to the results of the period, the manager does not show a substantial profit (say, he does not cover the entry fee minus the success fee), but during this time the whole crypto market has fallen by 50% (and we all know that this happens). Formally, the conditions for obtaining the entry fee you described are not met, but the manager has helped the investor save (and even multiply) his BTC holdings.
Here’s another situation - the investor invests the same 1 BTC in the ETH program, the manager shows a profit sufficient to pay the entry fee according to your policy, but due to a significant drop in the cost of the ETH, the investor is still in the red.
So who of these managers really deserves the entry fee? We believe both. Entry Fee is available to programs only from level 3, which means that the manager has successful trading experience, although even with many programs this value is set to zero. A performance-based fee is a success fee, and the entry fee, taking into account all factors, is wiser to leave unconditional, in order to observe the interests of all categories of users.
Do you intend to review the way the GVT token is used in the platform to actually create demand for the token? What are the ideas that you have recently been discussing? When are any of those ideas likely to be implemented?
Yes, we are constantly working on this issue. Some ideas have been described in recent blog posts (GVT burning, profit distribution in GVT, payment of a subscription for copying in GVT)
Nowadays, while the platform have programs with not too much capital, the amount of GVT required to get a discount does not make economic sense. Would you consider a temporary reduction in the number of GVT one needs to hold to get discounts on fees, in the same vein that Binance had very friendly reduced fees in its first year?
We have a discount for GVT holders selling on GM in the same way asBinance has discounts for holding BNB on their exchange. And you need to understand that Binance had very friendly fees during a completely different state of the crypto market. The capitalization of all cryptocurrency grew and was much easier to keep them low then it is now.
But we are working in this direction.
We already know you are planning a new level system. What are some additional concrete investor protection actions the GV team plans to implement? When can we expect them to be implemented?
The system of levels is now being revised with the participation of the community. Actual information can be obtained in our telegram (i.e., work on this is underway right now)
Will you rethink the functionality and design of the reinvestment toggle, and add clear labels so that users do not have their money tied up in funds that they do not wish to invest in? If yes, when?
The reinvest button has already been renamed to “Reinvest profit” for better understanding.
When and how will the UI be revamped (The dashboard, so it is clearer how investments are performing; More filters; Display of overall manager performance across all their programs)?
Regarding the question “how”, I can not answer shortly. For the answer, you would need to write a whole article, but you can be sure that we are constantly working on improving the UI based on your feedback. If you have been following the development of the platform for a long time, you might notice that with each major update, the UI changes significantly. This is due to the fact that Genesis Vision is a complex system with a lot of information, so it is often possible to find the right balance between informational content and convenience only through trial and error and only with the active participation of product users.
Will there be a way to withdraw everything at the next ending of a period? When/how are you going to implement this?
Yes, it is already being worked on, but we cannot point to an exact date at the moment.
Could you study a way to enable investors to withdraw invested money before the end of the reporting period, in particular if there is money not currently allocated to a trade? What is your thinking about alternative ways to implement this?
This issue is not so obvious. If you withdraw funds during the trading period, this can disrupt the manager's trading strategy. Even if these funds are now free, they can be used to maintain margins when trading with leverage. And if you take the money, then Margin Call will happen (and then Stop out) and all investors will lose money, because funds are not enough to maintain the position.
submitted by genesis-vision to genesisvision [link] [comments]

Metatrader 4 - How to Install the Software on the Linux Platform

There is an immense curiosity about how traders should Easy Insta Profits Review use the very popular trading program Metatrader four on the Linux platform. The following content tells you the basic steps of installing MT4 in the Linux. Forex trader can adapt his distribution in an easy way, and install in on his or her ubuntu VPS. But until the Metaquotes really offers a native Linux version, or temporarily what one can do is to simply run the program under WINE emulation, and let the WINE tools to do the mundane job for you. Sixth, the whole MT4 download is complete, foreign currency traders should be able to detect an icon on their respective desktops and locate a current install of MT4 under their Linux. If they have any problems concerning the installation, they should consult the brokers and seek for online installation support, if many attempts of download fail.
First of all, Forex traders should install WINE if it is not yet previously installed. Trader should key in: sudo apt-get install wine, then wait for things to happen. Once the WINE is installed, the trader needs to configure it, yet the process involved is pretty easy. A typical user should run /winecfg/ from the terminal and automatic set up will then begin. If you want further configuration or detailed tweaking, recheck the tabs when necessary, for more complex handling investors should consult online service or trading expertise. But usually one has to set it as a default, its equipment is more than enough for ordinary usage. Since currency trading involves some risks, it is recommended that the customer tests the software on a demo account to familiarize himself to the system. If the demo program does not satisfy the customer's needs, he can return the program with a 100 percent refund.
What about the drawdown of the system This currency trading product's drawdown is 0.35 percent. This percentage figure shows the maximum percent of capital that this robot has lost. Compared to typical Forex drawdown rates of 10 percent to 20 percent, FAP Turbo's drawdown rate is low. This explains why the equity graph of this software is as smooth as shown on its website.FAP Turbo remains consistent in maintaining profitability even when the same rules as applied to its back tests are also applied to its live trading performance. This software product provides a lifetime membership to its customers. Members could get access to all the versions of the software as well as to all the latest updates. Installation instructions are included in the package.
It's cumbersome to start off with foreign exchange trading. If you want to consistently earn profits in less time and effort, automated currency trading software are available. All you have to do is press buttons and expect your profit margin to rise.Your IvyBot purchase will never be outdated. Purchasing IvyBot for an affordable one-time fee includes having you as a lifelong member with IvyBot. With this membership, you'll be provided with free upgrades that will keep your robot updated with the Forex market and ensure that your robot stay profitable.Moreover, installing IvyBot is simple. Included in the package are video tutorials on how to install and operate the system as well as other additional indicators and scripts.Beginners and veteran Forex traders will appreciate IvyBot's automation and customization features. IvyBot is currently sold at $149.95.
https://optimusforexreview.com/easy-insta-profits-review/


submitted by beulamary3 to u/beulamary3 [link] [comments]

Indonesian Review of InziderX Exchange

Indonesian Review of InziderX Exchange
Indonesian Review of InziderX Exchange - from one of our Bounty members - thanks to indocafe!!
https://preview.redd.it/3ws4hnaf5mr11.png?width=960&format=png&auto=webp&s=158ae4627e1a050475467ac24b5e30f02eb24344

Pasar OTC Tempat Leverage Terdesentralisasi
Foto InziderX.

VISI KAMI
InziderX adalah pasar OTC tempat leverage terdesentralisasi di mana Anda dapat menukar 20 aset digital teratas secara pribadi dan tanpa verifikasi. Transaksi dilakukan di antara orang dalam anonim, dompet ke dompet menggunakan Atom Swap. Likuiditas disediakan oleh sistem relay berdasarkan teknologi Lightning Network.
User friendly, terminal InziderX dikhususkan untuk para pedagang aktif dan algoritma mencari pengejaran dan eksekusi kualitas. Platform kami akan menyediakan alat untuk membantu mereka menerapkan strategi mereka dengan jenis pesanan yang kompleks, paket grafik Pro-trading dan memajukan perintah API.
https://www.youtube.com/watch?v=wZYPIYic8Uo
https://preview.redd.it/cg4iu5lh5mr11.png?width=640&format=png&auto=webp&s=2a27ea5e101be5ab9c1b858f40a7b5d678677a37

KARAKTERISTIK
DESENTRALISASI EXCHANGE
Teknologi pertukaran kami berbasis dompet - Dapp. Ini aman dengan desain.
Karena Anda memiliki benih dompet Anda dan tidak ada honeypot untuk diretas, Anda dapat yakin dana Anda aman.
Yang Anda perlukan untuk memulai perdagangan adalah dengan menahan aset Anda ke dalam dompet multi-aset.
Tidak ada prasasti, verifikasi atau pembatasan.


https://i.redd.it/xupli06l5mr11.gif


JARINGAN LIGHTNING
Dengan memasukkan likuiditas dari sentralisasi bursa yang lebih besar dan pemain besar lainnya melalui Lightning Network, kami mendapatkan yang terbaik dari kedua dunia.
Keamanan desentralisasi dan likuiditas sentralisasi.
Jadi menciptakan jendela tentang apa yang akan menjadi masa depan besok:
Dunia jaringan - pasar pasar.

https://i.redd.it/fcoe4kim5mr11.gif


ADVANCE TRADING TOOLS
Fokus platform kami adalah pada perdagangan aktif dan algoritma.
Dengan memberikan jenis perintah kompleks akses, paket grafik Pro-trading dan perintah API lanjutan.
Kami akan menyediakan alat yang hilang yang digunakan pedagang di terminal Forex terbaru:
Margin, pendanaan perdagangan, short selling, jenis posisi FX, hedging.

https://preview.redd.it/oanp1yao5mr11.png?width=200&format=png&auto=webp&s=00b3ab8a3be6ed97424c9a468426bcc5792575da


PERDAGANGAN KOMUNITAS
Komunitas adalah kuncinya dan itulah mengapa InziderX akan memberi imbalan kepada para pedagang dengan banyak program.
Di forum di blockchain kedua untuk tips trader dan analisis pribadi, komunitas akan dapat belajar sendiri cara paling maju dalam trading.
Kontes untuk trader terbaik, program layanan sinyal, dan perubahan voting untuk pengembangan platform.
Menjadi seorang inzider, bergabunglah dengan komunitas!

https://preview.redd.it/y18zal8q5mr11.png?width=198&format=png&auto=webp&s=8a97bfae15f3a221168716582627824d44520df7


PERTUKARAN
Alat terminal perdagangan paling maju digabungkan dengan teknologi terbaruInziderX adalah jendela pedagang di pasar besok

https://preview.redd.it/dx96d8zr5mr11.png?width=640&format=png&auto=webp&s=7edcee25fddee75bc9c458f17a02bee2d2e130c4


MARGIN & PENDANAAN PERDAGANGANPengguna dapat meminjam jumlah dana yang diinginkan untuk memasuki posisi margin. Pendanaan pesanan pengguna lain menyediakan cara untuk mendapatkan laba.
JENIS PESANAN KOMPLEKSMemiliki stop loss dan order take profit menempel pada entri memungkinkan Anda menetapkan tingkat pengambilan profit dan membatasi risiko terlebih dahulu. Anda sekarang dapat duduk, menonton, dan bersantai.
PAKET GRAFIK PRO TRADINGMengintegrasikan paket grafik Tradingview terbaru dengan lebih dari 50 alat gambar, 100 indikator dan osilator. Hapus dan tunjukan grafik untuk analisis terbaik.
ALGORITME MEMUNGKINKAN APICara mudah dan efisien untuk membangun strategi perdagangan otomatis dengan semua perintah untuk mengontrol dompet Anda dan banyak lagi. Kemungkinannya tidak terbatas.
INTEGRASI DOMPET HDJangan pernah mengekspos kunci pribadi Anda dengan menjaganya agar tetap aman di bawah cold storage dengan integrasi dompet HD seperti Ledger Nano S atau MetaMask.
PROGRAM PEMBUAT PASARBiaya perdagangan dan program hadiah yang lebih rendah untuk pedagang bervolume besar akan mendukung likuiditas, spread yang ketat dan selip yang rendah.
KOMUNITAS PEMBELAJARAN AKTIFPedagang mengajar pedagang lain, bertukar ide, strategi, algoritma. Dapatkan imbalan atas kontribusi Anda. Komunitas adalah kuncinya.
KONTES TRADERTunjukkan kami strategi dan algoritme terbaik Anda, tulis dompet Anda untuk perekaman sinyal masuk. Dapatkan imbalan dari komunitas untuk kontribusi Anda.
PERDAGANGAN SINYALPedagang terbaik dari Kontes Trader memberikan sinyal kepada pengguna lain dan mendapatkan imbalan untuk itu. Pilih penyedia sinyal Anda dengan profil risiko dan waktu memegangnya.
PROGRAM HADIAHBerikan imbalan kepada Market Maker, kepada para pemenang Kontes Pedagang, penyedia sinyal dan orang-orang yang berkontribusi paling banyak kepada masyarakat.
SUARA KOMUNITASApa modifikasi selanjutnya yang harus kita lihat di bursa kami, beri tahu kami melalui program voting. Pengembang kami mendengarkan.
PESAN TERENKRIPSI DAN TIDAK BISA DILACAKDompet ini mencakup sistem pesan terenkripsi dan tidak dapat dilacak yang didasarkan pada blockchain. Grup dapat berbagi wawasan real-time.
MASA DEPAN
InziderX adalah awal dari visi baru - Desentralisasi Sejati.
Transaksi dilakukan P2P, dompet ke dompet, tanpa kontrol atau pengaruh pihak ketiga. Swap atom memberikan keamanan dan likuiditas Jaringan Petir.
Tidak mungkin untuk menurunkan nilai tukar, karena tidak ada server. Data benar-benar terdesentralisasi di seluruh buku besar blockchain terdistribusi sehingga tidak dapat dicuri atau rusak.
Tidak ada prasasti, verifikasi atau pembatasan. Unduh dompet kami dan mulailah berdagang. Sesederhana itu.
Dompetnya adalah pertukaran!
KERTAS PUTIH
The Whitepaper InziderX menjelaskan secara rinci karakteristik baik dari pertukaran kamiBerkontribusi untuk ICO kami dan mengambil bagian dalam masa depan pertukaran perdagangan aset digital - Desentralisasi yang benar
KERTAS PUTIH
The Whitepaper InziderX menjelaskan secara rinci karakteristik baik dari pertukaran desentralisasi kami
EKONOMI
Ekonomi - penawaran, softcap, hardcap, opsi pra-penjualan, bonus dan alokasi dana
SATU PAGER
Dapatkan gambaran singkat tentang proyek-proyek InziderX dalam mode power point
PROGRAM BOUNTY
Jadilah bagian dari promosi ICO InziderX dan dapatkan imbalan di INX. Beberapa program hadiah terbuka!

TERJEMAHAN & DOKUMEN LAIN
PETA JALAN
November 2017STUDI TEKNOLOGI - SEDANG BERLANGSUNGBeberapa tes dan studi dilakukan pada teknologi terbaru
Maret 2018TULISAN PUTIH - DILENGKAPIMenetapkan visi Pertukaran InziderX
Juli hingga Desember 2018INX SALE - ICOKemitraan untuk EcoSystem masa depan
Desember 2018FORUM KOMUNITAS INZIDERXAktivasi forum & distribusi INC
Febuary 2019DISTRIBUSI INXRilis dompet dan distribusi INX
Juli 2019RILIS INZIDERX EXCHANGE PERTAMAKarakteristik dasar
Januari 2020PENGEMBANGAN KOMUNITASReward, kontes & program sinyal
Febuary 2020IMPLEMENTASI SISTEM VOTINGKomunitas mengambil kendali
Mars 2020SARAN KOMUNITASPelaksanaan
Juni 2020PERTUKARAN INZIDERXSemua karakteristik sepenuhnya diaktifkan
Juli 2020KOMUNITAS INZIDERXSemua karakteristik sepenuhnya diaktifkan
Agustus 2020MENDENGARKAN KOMUNITASSedang berlangsung
TEMUI TIMGagasan itu tak terkalahkan tetapi membutuhkan tim yang hebat untuk dicapai.

MITRA
Untuk Informasi lebih luas bisa Klik di bawah ini :
WEBSITE - ANN - WHITEPAPER - TWITTER - FACEBOOK - STEEMIT - TELEGRAM
USERNAME PROFIL BTT : INDOCAFE
submitted by InziderX to u/InziderX [link] [comments]

ITALIAN InziderX Whitepaper Translation

ITALIAN InziderX Whitepaper Translation

https://preview.redd.it/gp2ksmvyh3m11.png?width=1446&format=png&auto=webp&s=3c75b22ae8854cda5a5c5411ddec39aae124cdbd

Sommario

Satoshi Nakamoto; il nome stesso sembra uno pseudonimo. Fino a quando la sua identità rimarrà sconosciuta, sarà impossibile sapere quali fossero le sue reali intenzioni quando rese disponibile al pubblico il codice Bitcoin nel 2009 - basato su due tecnologie già esistenti al momento: hascash e PGP ma con l'aggiunta di una soluzione geniale al problema della doppia spesa. Il messaggio incluso nel blocco di genesi potrebbe essere un indizio: "The Times 3 gennaio 2009 Cancelliere in vista del secondo salvataggio per le banche". Ha raggiunto il suo obiettivo?


Introduzione

l'impero è in fiamme, il nuovo gioco in città è l'"asset digitale". Dopo la quotazione del future XBT, l'annuncio era ufficiale. Nonostante il biasimo per questo nuovo asset immateriale, i grandi protagonisti del "vecchio" mercato si stanno silenziosamente posizionando su quello nuovo.

Il 26 Febbraio 2018, Bloomberg ha pubblicato un articolo sostenendo che Circle Financial Ltd, supportata finanziariamente dalla più grande banca di investimento, Goldman Sach, aveva acquisito l'exchange Poloniex per $ 400 milioni USD.

La banca JPMorgan, il cui famoso direttore Jamie Dimon è noto per aver ripetutamente screditato chi investe in Bitcoin e ha definito questa tecnologia una frode, ha inventato di recente il proprio sistema di transazioni decentralizzate denominato Quorum - una copia modificata del codice Ethereum.

Blythe Master, una persona importante nel mondo degli investimenti, è diventata CEO di Digital Asset Holding LLC nel 2015, una società di tecnologia finanziaria aperta nel 2014 che sta sviluppando tecnologie basate su blockchain per l'intero settore degli investimenti, servizi finanziari oltre ad essere fornitori di infrastrutture per il mercato, exchanges e banche.

Ripple e il suo ricco direttore, già si presentano come il Bitcoin per le banche.

Per un occhio attento, gli esempi non mancano e tutto ciò che serve è leggere tra le righe per sapere chi sarà il prossimo.

Dopo il crollo del mercato immobiliare del 2008 e il salvataggio delle banche da parte della FED, l'indice Dow Jones è cresciuto di oltre il 300% dal suo minimo di 6626 nel 2008 a 26 667 nel 2018. L'Heng Seng del 200% da 10 600 a 33 642, il DAX del 125% da 3458 a 7781 ed il Nikkei del 245% da 6988 a 24171. Questi incrementi esponenziali sono stati finanziati da fondi pubblici, ma principalmente dalla diminuzione del valore delle valute mondiali, detto quantitative
easing.

Il dollaro USD, come il Denarius al tempo dei Romani, si sta indebolendo. In realtà, tutte le valute mondiali hanno solo il 5% del potere d'acquisto di 100 anni fa, se non meno. Ma quando il prezzo delle valute estere non diminuisce drasticamente perché tutti i paesi fanno lo stesso gioco, è difficile sapere il suo reale potere d'acquisto.

La guerra valutaria è reale e gli effetti collaterali sono disastrosi. In India, il governo aveva informato la popolazione solo 4 ore prima dell'eliminazione di banconote da 500 e 1000 rupie che rappresentano l'80% delle proprie emissioni. Lasciando la sua popolazione, il 95% dei quali usa banconote, in un vicolo cieco.

Dopo aver gonfiato e sgonfiato tutto, il denaro investito nel mercato valutario e i fondi del mercato azionario sono alla ricerca di un nuovo gioco; la vecchia terra è bruciata, vuota. In effetti, la correzione del 70% del prezzo BTC nel gennaio 2018 è un eccellente livello di acquisto a lungo termine e non vi è più motivo di attendere un momento migliore per trasferire il valore. Crediamo fosse ricercato !

All'inizio del 2017, la capitalizzazione degli asset digitali era più o meno $ 27 miliardi USD ed a metà anno di $ 180 miliardi USD. Nel 2018, ora è di circa $ 800 miliardi USD e più di 325.000 transazioni sono processate quotidianamente sulla blockchain Bitcoin.

Il volume giornaliero delle transazioni sul New York Exchange è di circa $ 75 milioni, il volume del mercato dei cambi Forex è di circa $ 4,5 miliardi USD.

Se consideriamo che parte del volume dei mercati tradizionali sarà gradualmente trasferita a questo nuovo mercato, il suo sviluppo è appena iniziato. E per quelli che credono che un crollo del mercato azionario sia imminente, questa affermazione ha ancora più senso.


Analisi Mercato

Gli ultimi progressi nella tecnologia blockchain sono veramente interessanti. Gli sviluppatori che indossano t-shirt con unicorni, lama e dischi volanti ci hanno gentilmente dato gli smart contract.

https://preview.redd.it/wyipyuh0i3m11.jpg?width=640&format=pjpg&auto=webp&s=d8c8c1e1fcd58d3ead578e28804451288917ade4


Diversi atomic swap tra blockchain sono già stati fatti senza l'intervento di terzi e il network Lightning è già in uso.
Tutti ne parlano ma siamo ancora senza una soluzione affidabile per negoziare attivamente o algoritmicamente gli asset digitali in un ambiente sicuro e con strumenti professionali.

La prossima rivoluzione sarà morale e la tecnologia blockchain ci darà un nuovo strumento per andare verso questa realtà. Satoshi è stato così gentile da risolvere il problema della doppia spesa, gli smart contract consentono l'esecuzione consensuale senza l'intervento di terzi, gli atomic swaps consentono il trasferimento di valore tra diverse blockchain e il Network Lightning trasferimenti istantanei a basso costo.

Il passo successivo è un exchage liquido e decentralizzato con smart contract e in grado di eseguire atomic swap e migliaia di transazioni al secondo senza problemi. Un'analisi della situazione rivela i difetti del sistema di scambi centralizzato attuale.

In un certo senso, lo scambio di asset digitali centralizzato è già finito, è solo una questione di apparenza se non di tempo. Dati i problemi del passato e la loro incapacità di competere con ciò che sta arrivando, non hanno futuro.
Dobbiamo comunque dare loro credito perché dal 2009 ad oggi il mercato emergente degli asset digitali è stato uno dei più rischiosi. Rischioso per l'utente ma anche per gli exchage stessi: dal punto di vista legislativo, tecnologico e finanziario. Gli imprenditori di questi exchagne hanno dato agli utenti il primo accesso a questo mercato. Dobbiamo essergliene grati.

Sono state create belle piattaforme di trading che forniscono liquidità e buoni spread Bid / Ask oltre a strumenti vanzati come il margine di trading e il margine di finanziamento. Sfortunatamente, la soluzione attualmente in essere non soddisfa le aspettative di una clientela più esperta, se non addirittura l'utente inesperto.

Chi non ha visto il valore del suo account trading ridotto di un terzo, se non scomparso del tutto, dopo che un exchange centralizzato fosse "vittima di un hacker". Una nuova settimana, un nuovo hack in modo sempre più impressionante.
Oggettivamente, la sicurezza degli exchage centralizzati di asset digitali è indubitabilmente inadeguata.

Cosa pensare dei limiti di prelievo giornalieri, altrimenti viene chiesto di pagare le imposte sul reddito al ritiro dei valori sull'exchange, senza una valutazione obiettiva dei guadagni/perdite, altrimenti subire il rifiuto del prelievo. Entro il 2018, tutti gli scambi con sede negli Stati Uniti saranno diventati obsoleti.

L'elenco dellesituazioni inaccettabili è esaustivo e sconcerta il negoziatore più informato.
-Hack settimanali di importo sempre più elevato
- Un exchange popolare chiuso per 72 ore in un mercato attivo 24/24h
- Verifiche di identità senza risposta per più di 3 mesi dopo la richiesta di apertura di un account
- Errori di prelievo automatici nel conto bancario degli utenti che causano situazioni
difficili
- La richiesta di depositi iniziali astronomici
- Troppa leva nei prodotti CFD o nessuna leva per lo spot.
- Quotazioni bloccate, movimenti di prezzo irregolari che attivano gli ordini di stop per poi tornare al prezzo iniziale

Negoziare su questi exchange centralizzati sta mettendo gli utenti in una posizione di ostaggio. Per non citare il loro potere tirannico di quotare, cancellare o negare un asset digitale in modo puramente arbitrario - Bitshares.

E nonostante il loro tentativo di rendere la loro piattaforma di facile utilizzo, la maggior parte di questi exchange non include gli strumenti necessari per la negoziazione attiva o algoritmica.

La presentazione di grafici e strumenti di analisi è per lo più di scarsa qualità, i tipi di ordini sono insufficienti e la loro presentazione confusa. Queste piattaforme sono in effetti la replica amatoriale di strumenti professionali.

Nel migliore dei mondi possibili, uno exchage decentrato risolve questo gap di sicurezza che danneggia gli exchage centralizzati.

Alcune iniziative hanno già mostrato risultati interessanti. Le piattaforme exchange decentralizzate di Bisc, Bitshares e Komodo sono esempi eccellenti.

Bisc consente l'acquisto di asset digitali tramite bonifico bancario, Bitshares può eseguire 100.000 transazioni al secondo (più di Visa e Mastercard combinate) e Komodo consente l'atomic swap - il trasferimento di valori tra diverse blockchain.

Senza nominare le altre caratteristiche ingegnose di queste piattaforme, esse sono un secondo, non trascurabile passo verso un sistema exchange di asset digitali sicuro che sia efficiente e affidabile per i suoi utenti.

Cosa manca se tutti i pezzi del puzzle sono a posto? In effetti, questi exchange decentralizzati hanno una grande debolezza: la loro liquidità.

Se ci si sofferma a studiare questi exchange, questo fatto diventa semplicemente ovvio. Non è realmente possibile negoziare attivamente il BTC/USD con uno spread Bid/Ask di $ 200 altrimenti uno "slippage" di oltre il 4% sul prezzo di entrata a causa della mancanza di volume.

Non si discute su questo punto e l'ultima ICO di exchange decentralizzati non spiega come possano risolvere questo grave problema. È come l'elefante in una stanza.

Questo per non parlare della loro scelta commerciale di offrire a tutti l'opportunità di creare il proprio token sulla propria piattaforma in meno di 5 minuti. Questo approccio peggiora solo la situazione di mancanza di liquidità diminuendo l'elenco degli asset negoziabili presentate agli utenti. Un vero "gratis per tutti".

Ecco perché altre notevoli soluzioni di exchage decentralizzati presentate sotto il modello di token ERC20 non sono davvero interessanti, anche con un volume di scambi rispettabile. Inoltre, è praticamente impossibile valutare il valore di un asset quando la coppia è stabilita con un token della "casa".

E' preferibile un piccolo gruppo di asset digitali "blue chips" per il trading attivo o automatico.

Sfortunatamente, nonostante l'innegabile miglioramento della sicurezza, le soluzioni di exchange decentralizzate non hanno ancora soddisfatto i bisogni dei trader attivi e algoritmici.

Tentatare di fare trading attivo o algoritmica nel mercato dei beni digitali è diventata un'esperienza dolorosa e rischiosa. E la volatilità non è la causa principale di questo rischio.

Gli exchange centralizzati non sono più una soluzione e gli exchage decentralizzati non soddisfano le reali esigenze dei negoziatori.

Che opzioni abbiamo?!

Il concetto di exchange ideale è chiaro, ma non è stato ancora applicato. Questo è comprensibile perché è stato necessario attendere fino a quando ogni parte è pensata con calma, ingegnosamente, inventata.

Il nostro riconoscimento per i suoi sviluppatori è illimitato.

Nonostante l'apertura a concetti innovativi di numerosi exchange decentralizzati , il mondo degli asset digitali non ha ancora infrastrutture di base per stabilire i pilastri del mercato di domani. Educazione di massa, creazione di un wallet facile, sicurezza, liquidità e rapidità nei cambiamenti: c'è ancora molto da fare.

InziderX farà la sua parte fornendo ai trader attivi e algoritmici un exchange sicuro che combina strumenti avanzati di negoziazione con le ultime tecnologie.


La Nostra Visione

La soluzione che il nostro team ha in programma di mettere in preatica è l'exchange InziderX. La nostra missione è creare un exchange decentralizzato che sia facile da usare per i principianti, ma principalmente per i trader attivi e algoritmici con tutte le giuste condizioni per l'esecuzione della loro strategia.

Un exchange decentralizzato, basato sul portafoglio (Dapp), che è liquido e la cui piattaforma di analisi grafica include tutti gli strumenti più avanzati nel suo ambito.

In realtà, InziderX vuole diventare la scelta sensata se non l'unica opzione logica per i negoziatori d'elite e algoritmici. Il nostro obiettivo sarà sempre la qualità degli strumenti disponibili, l'esecuzione e la liquidità degli ordini.

È giunto il momento di un cambiamento, i trader di asset digitali hanno avuto troppe delusioni per rimanere ostaggio di exchange centralizzati hackerati e cambiamenti arbitrari nella legislazione del governo.

InziderX vuole essere lo scambio OTC in cui negoziamo tra gli addetti ai lavori, in modo anonimo.

https://inziderx.io/docs/InziderX.io-Whitepaper-ITA.pdf

#ico #exchange #inziderx #bitcoin #cryptocurrency
submitted by InziderX to u/InziderX [link] [comments]

Top 5 Websites and Stocks to Invest in

In a variety of stocks to invest in, it’s very important to find a trustworthy one. That is when our Top 5 business trading portals will assist you! We have prepared the set of those platforms that have actual and useful data available, are trusty, and can really help you in earning. Thus, we would like to share our reliable services and stocks to invest in – which one to choose is up to you upon reading this article!
Everything about Cryptocurrency and Financial Markets
The first place in our Top 5 belongs to investing.com. This portal has a global influence since it consists of 28 editions in about 20 languages. Besides, each edition covers a wide range of world and local financial instruments and vehicles. Being launched in 2007, the platform already impresses by its growing and expanding readership.
It contains a variety of data about cryptocurrency – from their types to main features. Also, the resource provides breaking news, important analyses of business trading, and market overview. For those, who look for interactives, there are charts about Forex, indices, stocks, and so on. Brokers will get here working tools and even can count on education in this sphere.
Trustworthy Bitcoin Exchange
The 2nd place is deservedly held by cex.io – the service for Bitcoin exchange that was established as the first provider of cloud mining. Since then, it has become a multifunctional cryptocurrency exchange used by over one million people.
It’s based on cross-platform trading via official website and applications. The portal distinguished itself by a variety of payment options, strong security, globe coverage, margin trading, competitive commissions, legal compliance, advanced reporting, and high liquidity. What’s more, 0% of users witnessed theft of the service – that means time-proven stability.
The Biggest Exchange in European Volume
Are you ready to see the 3rd position in our Top 5? That is the portal kraken.com to buy, sell, and trade Bitcoin that has become the largest exchange in European volume. It works as with dollars, so British pounds, and yen. The portal was the first one in many spheres: to display the Bloomberg Terminal, to pass a verifiable audit that is proof of reserves, and to become the partner of the first bank that used cryptocurrency.
The platform features advanced order types, ranked #1 security, reliability, fast funding, low fees, and leveraged trading. You can create your account to get more options at hour hand or open its blog for more information. Besides, it offers trading guide and charts to ease the process of understating such a difficult topic.
Gold and Silver Buyer and Seller
Now it’s high time to present our fourth place of stocks to invest in – kitco.com. This world-famous and award-winning service renders to buy and sell gold and silver. It’s a true expert in market commentaries that provides information and up-to-the-minute news. As a result, it disposes of about a million users a day.
At the website, one can get to know with all metal quotes, necessary data and useful charts, markets with their overviews and future development options, etc. There is a special section called ‘Jeweler resources’ for those who are keen on this topic, while users interested in mining will be glad to read the latest press releases and stock indices.
Currency Exchange of the Next Generation
And the last place for today is taken by bittrex.com! It offers as businesses, so individuals to buy and sell digital tokens and cryptocurrency. The portal is a kind of go-to spot for those traders who appreciate safe strategies, reliable wallets, and fast trade operations.
The service works with such types of currencies as Bitcoin, Ubiq, Gridcoin, Litecoin, Ethereum, etc. It’s based on blockchain technologies that don’t stop to innovate and algorithmic trading, that’s why the platform can be called the next-generation digital currency exchange, where security comes first.
Other ratings can be found on our website:https://www.ratrating.com/
submitted by netbiz777 to u/netbiz777 [link] [comments]

Marginal trading will save the crypto-investor’s deposit

The general enthusiasm for cryptocurrencies did not make all representatives of the crypto-community fabulously rich. Only a few of them managed to achieve a really good profit. Most crypto-traders were in the red. How and why did this happen? Has it happened due to the lack of professional actions of new stock players, or the roots of the problem lie much deeper? We talked about this and many other things with the representative of the Forex broker Larson Holz IT Ltd, the head of control and audit-Alexander Smirnov.
– Exchange trading of crypto assets made some traders. fabulously rich, but most of the others parted with the lion’s share of their deposits on the first fall of bitcoin and were disappointed in crypto-trading. Why did this happen? All the fault is solely the actions of the investors themselves, isn’t it?
– This is a very good question, which is much more difficult to answer than it seems at first glance. The rapid growth in the value of cryptocurrencies has turned many people’s heads. More recently, the price of the same bitcoin could increase by 20 – 25 percent in a week. The desire to earn well, while making a minimum effort, attract to crypto-exchanges lots of players who had little idea where they got and what they are going to do. Young crypto-traders who did not have time to rely on serious exchange battles really lost 70, or even 80 percent of deposits on the first fall of bitcoin. But this happened not only because the actions of investors were too risky or rash – just crypto -trading, in the form in which it was offered to them, turned out to be a one-way game, the rules of which are written so that an ordinary user in 99 percent of cases is more likely to lose than win.
– What do you mean by that?
– The functionality of the platforms on which crypto-traders started trading, simply did not assume any other development of events. Perhaps, if people had carefully studied the rules of the game, none of this would have happened, but all people rushed to trade, and only realizing that things were not going as well as we would like, began to delve into the essence of things. The reality turned out to be harsh: it turned out that behind the beautiful words about “freedom” from monopolists, about unhindered trade in high-yield assets and the movement to a new independent economy, there was a rather primitive design for pumping money out of the population.
– So you’re saying it was a trap?
– Think yourself: 99 percent of crypto-exchanges do not have functionality for both simple and technical analysis, it is impossible to put stop-losses on them, but there are big buttons “buy” and “sell”. For any more or less experienced trader at first glance it will be clear that it is not necessary to communicate with such sites, because it is not so much an exchange as a casino, where nothing depends on the actions of a player by and large.
– But crypto-traders who came to earn bitcoin,were not embarrassed by interface or a very limited functionality…
– Absolutely. Moreover, the loyalty of crypto-traders was almost boundless: people believed, and still believe that it is absolutely normal to have regular pauses on. platforms, “technical updates” at the wrong time, the inability to make transactions with assets over several days and even a large-scale hacking of crypto-exchanges! For 2 – 3 days, the cost of the crypto-asset can both soar to the skies and fall below the floor, and people humbly wait for the crypto-exchange to restart the servers! But any such “simple” costs tens or even hundreds of millions of dollars of net losses due to the inability to get rid of the asset that started to sharply become cheaper in time!
– It turns out that trading of cryptocurrencies is a true scam?
– Of course it is not. Do not turn away from crypto-trading after the first failures. As you know, they learn from mistakes, and those who managed to fill their bumps will continue to treat stock trading much more responsibly. The size of the initial deposit has decreased by half, three times? This doesn’t explain anything. Correct actions and several successful transactions will return you to success, and the deposit to its original state.
– But how to trade if the account is almost empty?
– Civilized trading environment knows the correct answer to this question: marginal trading. In a broad sense, it is making transactions on the stock exchange at the expense of credit funds provided to the trader by the broker under the guarantee of a certain deposit. The beauty of this trade is that with only $ 1,000 of your own funds, you can open a deal for $ 500,000 or even $ 1,000,000. If the transaction is successful-all. profit (minus interest on leverage) is yours, if not – by and large you risk only with your deposit.
– That is, the risk is present in any case?
– All stock trading is based on risk. The question is how big and justified it is. Marginal trading is a really handy tool that can give a trader a very good results if they follow a few simple but very important rules.
First, a successful trader does not care whether the market is growing or falling: he earns on price movements. An asset rises in price – a trader opens a long position, becomes cheaper – make it shorter. Second, a good trader never works with just one asset. He switches from cryptocurrency to Fiat and back. . But the most important thing is the understanding that the success of a trader depends not only on what he does, but also where. People who know how to count money will never get involved with sites that hang out at the most interesting place or from which someone can steal something.
– You would like to hint that it is better not to mess with crypto-exchanges?
– I am not hinting, but saying that brokerage companies that have functionality for working with crypto-instruments look much preferable to crypto-exchanges at least because of the use of Meta Trader 4 and Meta Trader 5 trading terminals. First broker with initially specializes in crypto-trading was LH-CRYPTO. It opens for a crypto-trader all currently known trading instruments from one crypto-account. At the moment, this site, both in terms of functionality and terms of trade, simply does not have worthy competitors.
Press about us:
http://cryptoconsulting.info/blog/2018/09/10/marginal-trading-will-save-the-crypto-investor-s-deposit/?noredirect=en_US
submitted by LHCrypto to u/LHCrypto [link] [comments]

MetaTrader 4 (MT4) - How to use the Terminal window Forex. How to Open a New Order in ForexCent Client Terminal How to use the terminal window in MetaTrader 4 MT4 - YouTube Understanding Forex Leverage, Margin Requirements & Trade ... Forex for Beginners, How Margin Trading Works, Examples ... Margin Trading  Trading Terms - YouTube Was ist ein Trading Hebel? - Erklärung und Berechnen für ... شرح في برنامج ميتاتريدر 4 , terminal ,trade,balance,equity,margin,free margin MT4 Tips - How to View Trade History Statements and ... Lesson 6.1: What is swap in forex trading? - YouTube

Margin-Berechnung für Retail Forex, Futures. Die Handelsplattform bietet verschiedene Modelle für das Risikomanagement, welche definieren, wie ein Trade vor dem Ausführen kontrolliert werden kann. Aktuell werden die folgenden Modelle genutzt: Für Retail Forex, Futures — genutzt für den OTC Markt. Die Margin-Berechnung basiert auf dem Typ des Instruments. Für die Börsenausführung ... Forex Trading Calculators - Verwenden Sie Forex Margin Calculator, Pip, Pivot und Positionsrechner, die Ihnen von FXCC zur Verfügung gestellt werden. There are five such indicators in the MetaTrader 4 terminal: Balance, Equity, Collateral or Margin, Free or Free Margin, Level. These indicators are available in the "Terminal" tab. Fig. 1. Button for calling the “Terminal” tab. Let us consider in more detail what each of the five indicators of a trading account means. Philosophy of margin level trading: Use a reliable. broker offering: high leverage (1:200 - 1:500), microlots, low trading costs (ECN preferred), fast and accurate execution, (optionally) negative balance protection, a client cabinet with instant internal transfers between accounts. Keep your entire risk capital in a wallet/purse (if provided), or in a dedicated 'deposit' account which you ... Margin.de is a cryptocurrency trading terminal and platform whose goal is to have a solution for the needs of every type of trader. Margin.de includes a variety of features, such as a strategy editor, an automated trading bot, charting, and a configurable GUI. With Margin.de traders are able to use bots and place orders across all accounts from one place. So, is this trading terminal a solid ... I always see that so many traders who trade forex, don’t know what margin, leverage, balance, equity, free margin and margin level are. As a result, they don’t know how to calculate the size of their positions. Indeed, they have to calculate the position size according to the the risk and the stop loss size. Margin and leverage are two important terms that are usually hard for the forex ... Forex. The margin for the Forex instruments is calculated by the following formula: Volume in lots * Contract size / Leverage. For example, let's calculate the margin requirements for buying one lot of EURUSD, while the size of one contract is 100,000 and the leverage is 1:100. After placing the appropriate values to the equation, we will obtain the following result: 1 * 100 000 / 100 = 1 000 ...

[index] [28361] [8979] [18218] [2362] [20271] [2233] [6892] [29467] [7578] [22552]

MetaTrader 4 (MT4) - How to use the Terminal window

Manage open trades in the MT4 terminal - Display the terminal - Understand the information contained within the trade tab - Close an open position from withi... Detailed video presentation on how to Open a New Order in ForexCent Client Terminal. The Deal opens in MetaTrader trading terminal. Get more information about IG US by visiting their website: https://www.ig.com/us/future-of-forex Get my trading strategies here: https://www.robbooker.com C... ما هو نداء الهامش (المارجن كول) أو "Margin Call" في سوق العملات (الفوركس - Forex) - Duration: 12:48. Trade Captain 25,829 views 12:48 View our Top 7 MT4 Tips and Tricks here: https://www.gomarkets.com.au/7-of-our-best-metatrader-4-tips-and-tricks/ Printing Out a MT4 Trading Statement and Ac... Forex trading for beginners, part 5 - How Margin trading works, examples of why and when margin call and stop out happens. What is Equity and Free Margin. I ... Understanding forex leverage, margin requirements and sizing trades for successful trading. One trading jargon that you’ll hear very often is margin. It’s usually in terms like margin account, margin trading and even margin call. It seems a bit comp... In this video we show you how to link to your trading terminal that show you your balance, margin, free margin and P&L. Also, the terminal covers news, alerts from you broker, etc. We also ... Was ist ein Trading Hebel? - Erklärung und Berechnen für CFD/Forex Anfänger Mehr über den Trading Hebel: https://www.trading-fuer-anfaenger.de/trading-hebe...

#