Trade Forex, Futures and Options from One MT4 Account ...

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]

Difference Between MT4 MT5 And Which Among Them Is Best For Your Brokerage

Both include specialist advisors with groundbreaking electronic trading programs.
MT4 was primarily developed for forex traders, while MT5 was designed to offer CFDs, stocks and futures access to traders.
Let’s know which one is best suitable for your brokerage business:
Well, the answer is that it completely depends on the trader as in how easily they could trade and handle the trading platforms.
MT5 surely comes with a few more added features and tools as compared to MT4 but for the novice traders, it might be a bit complicated to use MT5.
MT4 trading platform is surely easy to use and could be used conveniently. But in case, if you have got really experienced traders, then going with MT5 is surely a great option.
But all in all the conclusion to the above statements is that MT4 is the best choice and widely accepted trading platform globally.
submitted by azeem65 to u/azeem65 [link] [comments]

Any Luck with Ninjascript?

Hey guys, A little about me - I've been writing algos on and off for about a year and a half now. I started with Quantopian way back using python to write stock algos, then realised I couldn't live trade with it, so that put me off that.
I then found MT4 and MetaEditor and the world of forex... I was immediately in love with the simplicity of the language (C#), but I ditched it because forex just felt impossible to code around with all the volatility and news based price action. (I'm sure there's exceptions to this - but does anyone have a similar experience with it?)
I finally landed on NinjaTrader and scalping futures, which is amazing and seems to fit way better.
I'm wondering if anyone has experiences with successful Ninjascript trading systems and what advice they have etc. I've written up a few, one with a 76% success rate over 50 days but I'm starting to see how commission and tax really can have an impact...I'd also like to know about the reliability of backtesting using the Strategy Analyser vs Market Replay...
Who's out there! :)
submitted by photoshoplad to algotrading [link] [comments]

WikiFX: the murky business and the murkier methods

WikiFX: the murky business and the murkier methods
https://preview.redd.it/1rf74ljv34l51.png?width=960&format=png&auto=webp&s=566235871ce22dd3078f0532dfb672bff6eb0707
The irony of financial markets is that this business that officially has got as much regulation as arms trafficking, has also got the same problem –- numerous illegal entities that evolve around the niche.
Scam brokers, funds recovery services that rob the robbed traders, HYIPs, “learn how to make millions overnight” trading courses and a number of other schemes all tend to exploit the weak point of human nature – the belief that there is the magic device with the “MORE MONEY” button out there, that someone can sell you.

A thief shouting “Thief!”

Considering the above there is a high demand in society for truthful and unbiased information about the market players. WikiFX claims to be the provider of such honest information about brokers but in fact, makes money by blackmailing brokers and promoting any company that offers to pay enough in their rankings.
WikiFX is a classic illustration of a thief shouting “Get the thief!” louder than anybody else in the crowd. The strategy works unfortunately and traders tend to trust WikiFx broker’s ratings without questioning what these ratings are based on and who sponsors this global brokers’ database.

Paving the road with some good intentions

Even the most horrible crimes against humanity were done under the cover of best intentions. Starting with the first crusades and ending with the holocaust. There are always some sound arguments, protected people and reliable methods.
Ask any trader whether each forex broker must be regulated by a third party? The answer will be “yes” with a near 100% probability and this answer is totally correct. Know-your-customer procedures and some unbiased third-party control are essential for maintaining the overall transparency of any business in a sphere of finance. This is the argument that WikiFX starts with when promoting its service and there is absolutely no point to argue. Starting with an indisputable truth is a good strategy to win the debate.
“The long-term presence on the market adds credibility”, – says WikiFX, and hears “yes” again.
“Don’t you agree that the longer the company is in the business, the better?”. “Sure”, – the trader agrees one more time.
The mission is completed. This is when the broker ranker can add any other criteria to their appraisal methods. Traders will tend to trust the service because they’ve agreed upon the most important criteria. The rest are minor details.
But what if the rest of the appraisal methods are not just minor issues? What if these details can be the means to manipulate the facts as much as they want to?

Can WikiFX appraisal criteria be trusted?

If we take a look at any broker’s WikiFX rating, we can see that the criteria of appraisal are the following:
  • The year of registration
  • Regulations
  • Market Making license
  • Software license
For example, this is what the top-rated broker’s summary looks like at WikiFX:
WikiFX Forex com example
https://preview.redd.it/t4ugtbt344l51.png?width=625&format=png&auto=webp&s=95fddf8434faf8938d1a3f18bbd5f1da2ceb47e4
Looks good. Really. Regardless of the attitude to this particular brokerage, the work seems to be done fine. All the regulators are listed below, the information on the used software, licensing, and years of operation is included.
But what if we take some other random brokerage with one of the lowest rankings at WikiFX?
NinjaTraderBrokerage WIkiFX Ranking
https://preview.redd.it/pgyqp0u644l51.png?width=631&format=png&auto=webp&s=eb268faac83608a494c31a39eb1621f7132e3520
This is where the truth reveals itself. Once again, regardless of the attitude to this particular brokerage this is really easy to find out what they do, what licenses they’ve got and what kind of software they use.
Suspicious clone? Seriously? If WikiFX staff cared enough to do any investigation prior to stamping that “Suspicious” mark on the brokerage, they would have seen that both domains, nijatrader com and ninjatraderbrokerage com belong to the same entity.
NinyaTrader whois data
https://preview.redd.it/2097lkw944l51.png?width=563&format=png&auto=webp&s=079cc4248b825a3cd941c6b691a67bb9769f4f7f
If they cared enough to collect information on the brokerage from at least one reliable source, like Investopedia or any other similarly known database, they would also have found out that the company not only provides the brokerage service, but also is known for its trading platform with advanced technical analysis tools. But the only trading software that WikiFX considers reliable seems to be MT4/MT5. They simply ignore the fact that trading does not evolve around MetaTrader products, no matter how good and popular they are. WikiFX lowers the score of any brokerage with custom-developed software. We can clearly see this with the above example.
Other criteria that WikiFX is proud to use for the broker’s appraisal are regulations. Using the same example let’s see how well they do the appraisal in this field. As you can see above, WikiFX used the “Suspicious Regulatory License” stamp for NinjaTrader Brokerage.
And here is what The National Futures Association, that NinjaTrader is registered with as a futures broker has on its record:
NFA regulation of NTB proof that WikiFX did not consider to be trustworthy

https://preview.redd.it/di8fwkdd44l51.png?width=629&format=png&auto=webp&s=2de618d5df26bd8fcca99c51a6030f4bdfa7f776
We can’t expect every trader to know that any futures broker that wants to operate on the US market must be a member of NFA. This is the requirement of the Commodity Futures Trading Commission regarding the futures broker’s operations. But this is totally unacceptable for a broker ranking website, which WikiFX claims to be, to mark NFA-registered futures brokerage as non-reliable.
By the way, did you notice on the above screenshot that NTB has obtained the NFA license in 2004? Yet, this does not prevent WikiFX from claiming that the brokerage has only been providing its services for 1-2 years only, instead of the factual 16 years of operations.
We can long discuss the reasons that lie behind such selectivity of WikiFX but this random example clearly shows that any brokerage that provides access to non-forex derivatives trading or dares to suggest custom-developed software to its traders is in danger of receiving a negative review at WikiFX regardless of the factual reliability and regulations.

What lies beneath WikiFX selectivity?

WikiFX claims to have a team of professionals that are all involved in objective appraisal of broker’s services, licenses and used software. The methods used by these professionals remain unrevealed and as we see from the above comparison two similarly reliable brokerages can get any score from 1.0 and up to 10.0 at WikiFX, no matter what regulations they’ve got, for how long they’ve been in the business and what kind of software they use.
This is difficult to say what lies behind such selectivity with 100% confidence. The first thing that comes to mind is that WikiFX might be affiliated with some brokers. The hypothesis gets even more realistic if we try to understand who sponsors WikiFX.
There are no transparent built-in ads neither on the web-version of the website nor in its applications. There are no paid subscriptions for access to the database. This means that users sponsor the service with neither their attention to ads nor directly. Being the non-charity and non-governmental organization WikiFX can’t be sponsored with donations or a government. The only option that we have left is that brokers sponsor this ranking system directly, which automatically makes the whole system non-reliable and highly biased.
The only transparent method that we know WikiFX uses to collect money is sponsorship fees they collect from their offline events participants. Let’s have a look at the exhibitors of the recent WikiFX Expo in Thailand.
WikiFX Expo Exhibitors

  • TLC is a non-regulated investment platform that was founded in 2019
  • Samtrade FX is not regulated by any of the agencies that WikiFX itself lists as reliable
  • Forex4you is not regulated by any of the agencies that WikiFX itself lists as reliable
  • B2 Broker is a non-regulated broker
  • XDL FX is a non-regulated broker
  • VAT FX is a non-regulated broker
    Six out of sixteen WikiFX recent expo exhibitors do not have proper legal status according to the “standards” of WikiFX itself. This fact does not prevent them from promoting the services of these companies at their offline events. This conspicuous fact tells a lot about the attitude of WikiFX to common traders looking for reliable partners. Reputation is nothing but a sale item for this brokers’ ranking system.

Murky & Murkier

So far we’ve only discussed the facts that anyone can check himself using free tools and sources.
It was not that difficult to discover that WikiFX uses non-transparent standards for brokers’ appraisal. It ignores the specifics of some brokerages lowering their scores due to non-standard derivatives they offer to trade or custom trading software. It also promotes non-regulated and non-licensed brokerages, which is 100% against the declared WikiFX values and mission.
The rumors are that this company was also noticed blackmailing brokers with the purpose of making them pay for better reviews at WikiFX. There are also some signs that indicate suspicious promotion of WikiFX platform through social media and Quora. Some of the WikiFX positive reviews also look highly suspicious. All of the above is a matter of further investigation.
Nevertheless, thousands of users keep relying on the information provided by this scam ranking system. It may even look like all these users are satisfied. WikiFX has got 4.5 starts at Google Play, which sounds good enough. However, positive WikiFX reviews use similar semantics and are also highly suspicious. Despite the high average grade, Google Play finds the following messages to be most relevant and brings them to the top of WikiFX reviews:
Google Play most relevant WikiFX reviews

https://preview.redd.it/kftutvcl44l51.png?width=532&format=png&auto=webp&s=1ccb74ee156388285a2fab711dd604945c04377c

You’ve got the facts now and it’s time to make your own conclusions.

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

Binary Options Review; Best Binary Options Brokers

Binary Options Review; Best Binary Options Brokers

Binary Options Review; Best Binary Options Brokers
We have compared the best regulated binary options brokers and platforms in May 2020 and created this top list. Every binary options company here has been personally reviewed by us to help you find the best binary options platform for both beginners and experts. The broker comparison list below shows which binary trading sites came out on top based on different criteria.
You can put different trading signals into consideration such as using payout (maximum returns), minimum deposit, bonus offers, or if the operator is regulated or not. You can also read full reviews of each broker, helping you make the best choice. This review is to ensure traders don't lose money in their trading account.
How to Compare Brokers and Platforms
In order to trade binary options, you need to engage the services of a binary options broker that accepts clients from your country e.g. check US trade requirements if you are in the United States. Here at bitcoinbinaryoptionsreview.com, we have provided all the best comparison factors that will help you select which trading broker to open an account with. We have also looked at our most popular or frequently asked questions, and have noted that these are important factors when traders are comparing different brokers:
  1. What is the Minimum Deposit? (These range from $5 or $10 up to $250)
  2. Are they regulated or licensed, and with which regulator?
  3. Can I open a Demo Account?
  4. Is there a signals service, and is it free?
  5. Can I trade on my mobile phone and is there a mobile app?
  6. Is there a Bonus available for new trader accounts? What are the Terms and
  7. conditions?
  8. Who has the best binary trading platform? Do you need high detail charts with technical analysis indicators?
  9. Which broker has the best asset lists? Do they offer forex, cryptocurrency, commodities, indices, and stocks – and how many of each?
  10. Which broker has the largest range of expiry times (30 seconds, 60 seconds, end of the day, long term, etc?)
  11. How much is the minimum trade size or amount?
  12. What types of options are available? (Touch, Ladder, Boundary, Pairs, etc)
  13. Additional Tools – Like Early closure or Metatrader 4 (Mt4) plugin or integration
  14. Do they operate a Robot or offer automated trading software?
  15. What is Customer Service like? Do they offer telephone, email and live chat customer support – and in which countries? Do they list direct contact details?
  16. Who has the best payouts or maximum returns? Check the markets you will trade.
The Regulated Binary Brokers
Regulation and licensing is a key factor when judging the best broker. Unregulated brokers are not always scams, or untrustworthy, but it does mean a trader must do more ‘due diligence’ before trading with them. A regulated broker is the safest option.
Regulators - Leading regulatory bodies include:
  • CySec – The Cyprus Securities and Exchange Commission (Cyprus and the EU)
  • FCA – Financial Conduct Authority (UK)
  • CFTC – Commodity Futures Trading Commission (US)
  • FSB – Financial Services Board (South Africa)
  • ASIC – Australia Securities and Investment Commission
There are other regulators in addition to the above, and in some cases, brokers will be regulated by more than one organization. This is becoming more common in Europe where binary options are coming under increased scrutiny. Reputable, premier brands will have regulation of some sort.
Regulation is there to protect traders, to ensure their money is correctly held and to give them a path to take in the event of a dispute. It should therefore be an important consideration when choosing a trading partner.
Bonuses - Both sign up bonuses and demo accounts are used to attract new clients. Bonuses are often a deposit match, a one-off payment, or risk-free trade. Whatever the form of a bonus, there are terms and conditions that need to be read.
It is worth taking the time to understand those terms before signing up or clicking accept on a bonus offer. If the terms are not to your liking then the bonus loses any attraction and that broker may not be the best choice. Some bonus terms tie in your initial deposit too. It is worth reading T&Cs before agreeing to any bonus, and worth noting that many brokers will give you the option to ‘opt-out’ of taking a bonus.
Using a bonus effectively is harder than it sounds. If considering taking up one of these offers, think about whether, and how, it might affect your trading. One common issue is that turnover requirements within the terms, often cause traders to ‘over-trade’. If the bonus does not suit you, turn it down.
How to Find the Right Broker
But how do you find a good broker? Well, that’s where BitcoinBinaryOptionsReview.com comes in. We assess and evaluate binary options brokers so that traders know exactly what to expect when signing up with them. Our financial experts have more than 20 years of experience in the financial business and have reviewed dozens of brokers.
Being former traders ourselves, we know precisely what you need. That’s why we’ll do our best to provide our readers with the most accurate information. We are one of the leading websites in this area of expertise, with very detailed and thorough analyses of every broker we encounter. You will notice that each aspect of any broker’s offer has a separate article about it, which just goes to show you how seriously we approach each company. This website is your best source of information about binary options brokers and one of your best tools in determining which one of them you want as your link to the binary options market.
Why Use a Binary Options Trading Review?
So, why is all this relevant? As you may already know, it is difficult to fully control things that take place online. There are people who only pose as binary options brokers in order to scam you and disappear with your money. True, most of the brokers we encounter turn out to be legit, but why take unnecessary risks?
Just let us do our job and then check out the results before making any major decisions. All our investigations regarding brokers’ reliability can be seen if you click on our Scam Tab, so give it a go and see how we operate. More detailed scam reports than these are simply impossible to find. However, the most important part of this website can be found if you go to our Brokers Tab.
There you can find extensive analyses of numerous binary options brokers irrespective of your trading strategy. Each company is represented with an all-encompassing review and several other articles dealing with various aspects of their offer. A list containing the very best choices will appear on your screen as you enter our website whose intuitive design will allow you to access all the most important information in real-time.
We will explain minimum deposits, money withdrawals, bonuses, trading platforms, and many more topics down to the smallest detail. Rest assured, this amount of high-quality content dedicated exclusively to trading cannot be found anywhere else. Therefore, visiting us before making any important decisions regarding this type of trading is the best thing to do.
CONCLUSION: Stay ahead of the market, and recover from all kinds of binary options trading loss, including market losses in bitcoin, cryptocurrency, and forex markets too. Send your request via email to - [email protected]
submitted by Babyelijah to u/Babyelijah [link] [comments]

Made 18k yesterday, today pulled out profits at 1.5k dont be like me

Studying forex for over a year and ive been trading real money for like 2months. I’ve been keeping my risk low for the first month trusting my system down to the wire made 3,5k on a 15k account then volatility really hit. I truly believed in tge recession so i cought the aud swing pretty early and made 11k, but i was still following my system( scaling out, not adding to much to trades)
Might of got to my head those numbers cuz yesterday caught big swing down on the aud and the de30eur ( over leveraged by accident but payed off) so what did i do when my profits were at 12, i double dipped shot down to 16k and i did the same but by the time it hit 18k it shot up quick after that.
Seeing my it hit 16k didnt phase me, i was just thinking bout future profits after retracement 12k startled me but i believe in the recession and the aus going down, didnt realize how much leverage i was using and it didnt need to go all the way back up to loose all profits. So i continued believing it would go down and i was chasing my profits looking at mt4 for 6hrs straight until i pulled out with 1.5k made that day.
Even if im positive, i feel like shit just down af, i couldve of pulled out a 12 k but instead removed my stop loss. Im going to take this as a blessing tho or atleast try to i knew it was that much would be unsustainable just lucky i didnt go negative and damage my account.
Forex is truly crack cocaine, pls dont be like me
submitted by dejesusofficial to Forex [link] [comments]

Things you need to know about MT5

Things you need to know about MT5
If you have been involved in online trading for some time, chances are you have used the MT5 software.
Even if you are new to online trading, I am sure you have heard about MT5 from more experienced traders in your network.
But the platform isn’t just popular for no reason. Both traders and brokers find it useful because:
  1. It has impressive functionalities that you can’t get on any other platform
  2. It is openly available to all brokers and traders.
However, that is not all there is to MT5. So this post will be looking at some exciting things about MetaTrader 5, including:
  • Its features
  • The types of account it offers
  • Basic terms every professional trader should know
Before we delve into highlighting the features, let’s look at what MetaTrader 5 really is.
So what is MT5?
MetaTrader is a multi-asset platform that offers traders the tools to trade forex, stocks, and futures.
The first version of the software, MT4, was created in 2005 by MetaQuotes Software Corporation. The second version, MT5, was released in 2010 to offer more functionalities and better trading experience to users and brokers.
With the history out of the way, let’s look at the features that make MT5 the software of choice for most brokers and traders.
5 features of MT5 that make it the market leader
  • Multi-asset trading platform
  • Automated trades to test trading strategies
  • Automated bots by experts
  • Hedging and netting allowed
  • 21 time-frames — from minutes to years
The 3 types of MT5 accounts available on Deriv.com
One of the things that have made MT5 very popular is its open-source nature. This has allowed different brokers to integrate it into their respective trading platform.
But at Deriv.com, we didn’t just integrate MT5 into our platform.
We blended the powerful functionalities of the MT5 with our experience as pioneers in the online trading industry and we call it — DMT5 an all-in-one forex and CFD trading platform.
When you trade with DMT5, you have the option to choose from three different account types, each designed to appeal to traders with varying styles of trading and experience.
The three account types are explained in the images below.

Types of DMT5 account

DMT5 Accounts
It is worthy to note that synthetic indices are only available to Deriv.com traders and can be traded even on weekends.
Another point to note is that while Deriv.com created the synthetic indices algorithm, the market mimics the real-world financial market.
Lastly, let’s look at some of the terms that you should know if you want to succeed in online trading.
Basic terms every professional trader should know
1. Leverage
Leverage gives you the ability to trade a larger position using your existing capital.
2. Order execution
There are two types of order execution: instant execution and market execution.
Instant execution places your order at the price available at that time. Requotes are possible only if the price fluctuates by a lot before the execution of the order is completed.
Market execution allows you to place an order at the broker’s price. The price is agreed upon in advance, there are no requotes.
3. Spread
A ‘spread’ is the difference between the buy and sell prices. A fixed spread is subject to changes at the company’s absolute discretion, whereas a variable spread means that the spread is constantly changing. A fixed spread is not affected by market conditions, a variable spread depends on market conditions.
4. Commission
Brokers usually charge a commission for each trade that is placed. Deriv.com, however, charges no commission across all account types, except cryptocurrencies.
5. Margin call
Your account is placed under margin call when the funds in your account are unable to cover the leverage or margin requirement. To prevent a margin call from escalating to a stop out level, close any open positions, or deposit additional funds into your account.
6. Stop out level
Your account will reach the stop out level where it will be unable to sustain any open positions if it has been under margin call for an extended period of time. This will lead to all pending orders being canceled and open positions being closed forcibly (also known as “forced liquidation”).
7. Cryptocurrency trading
Indicates the availability of cryptocurrency trading on a particular account.
These are the basic things you should know about MT5. If you are new to online trading, we highly recommend you read the following posts:
https://medium.com/@derivdotcom/things-you-need-to-know-about-mt5-961b2665a4fb
submitted by justvisuals to Mt5 [link] [comments]

Recommendation for Microlot broker (german customer)?

Hi, I wanna trade forex. or , currently, I mostly wanna build an expert advisor and if it is successfull in some demo account, I might wanna try it on some small account trading microlots.
but in either case, even to test the robot, i somewhere need an account at a broker.
and looking to the future plans of trading, I would love to open an account with a broker that offers microlots for forex.
can you recommend one?
I am not entirely sure if currently using MQL4 or MQL5, respectively Metatrader 4 or 5 is better.
I would prefer 4 (simply cause it's very well known and common) but am not sure if by now, MT4 isn't kind of "outdated" or having obvious disadvantages vs MT5.
so not sure about which one would be smarter to use.
soo anyways, what qwould be a broker that you can recommedn that allows microlots, or in general offers unusually small lot sizes?
also, thing is, I'm from germany, europe. so not every broker might be accepting me.
happy about any recommendations anyways :-)
submitted by densch92 to Trading [link] [comments]

Preparing for the Impulse: The Japanese Yen Surge

Preparing for the Impulse: The Japanese Yen Surge
See first: https://www.reddit.com/Forex/comments/clx0v9/profiting_in_trends_planning_for_the_impulsive/

Against it's major counterparts, the JPY has been showing a lot of strength. It's now getting into areas where it is threatening breakouts of decade long support and resistance levels.

Opportunity for us as traders if this happens is abundant. We've not seen trading conditions like this for over 10 years on this currency, and back then it was a hell of a show! In this post I'll discuss this, and my plans to trade it.

I'm going to focus on one currency pair, although I do think this same sort of move will be reflected across most of the XXXJPY pairs. The pair I will be using is GBPJPY. I like the volatility in this pair, and along with the JPY looking continually strong and there being uncertainty in the GBP with possible Brexit related issues, this seems like an ideal target for planning to trade a strong move up in the JPY.

The Big Overview

I'll start by drawing your attention to something a lot of you will have probably not been aware of. GBPJPY has always been in a downtrend. All this stuff happening day to day, week to week and month to month has always fitted into an overall larger downtrend. In the context of that downtrend, there have been no surprises in the price moves GBPJPY has made. This is not true of the real world events that drove these moves. Things like market crashes, bubbles and Brexit.

https://preview.redd.it/5gfhwxcy6wj31.png?width=663&format=png&auto=webp&s=4d4806dee84a7bbe073e08d153da946222893eeb

Source: https://www.poundsterlinglive.com/bank-of-england-spot/historical-spot-exchange-rates/gbp/GBP-to-JPY

I know this has been largely sideways for a long time, but it is valid to say this is a downtrend. The highs are getting lower, and the lows have been getting lower (last low after the Brexit fall and following 'flash crash' some weeks later).
This is important to understand, because it's going to help a lot when we look at what has happened over the last 5 - 10 years in this pair, and what it tells us might be about to happen in the coming few months and year to come. If the same pattern continues, a well designed and executed trade plan can make life changing money for the person who does that. I hope those of you who take the time to check the things I say here understand that is very feasible.

The last Decade


In the same way I've shown you how we can understand when a trend has corrective weeks and see certain sorts of price structure in that, from 2012 to 2015 GBPJPY had a corrective half decade. In the context of large price moves over decades, this was a sharp correction. I've discussed at length in my posts how sharp corrections can then lead into impulse legs.

https://preview.redd.it/kvnrqau07wj31.png?width=675&format=png&auto=webp&s=8e96f02a189a811d511ef7946037fd670d106b1b
I've explained though my posts and real time analysis and trades in the short term how in an impulse leg we would expect to see a strong move in line with the trend, then it stalling for a while. Choppy range. Then there being a big spike out move of that range. Making dramatic new lows. Then we'd enter into another corrective cycle (I've been showing you weeks, it's more practical. We'll be looking at the same thing scaled out over longer, that's all).

At this point, we can say the following things which are all non-subjective.
  • GBPJPY has always been in a downtrend.
  • A clear high after a strong rally was made in 2016
  • Since then, GBPJPY has downtrended
5 year chart confirms the latter two points.

https://preview.redd.it/a44rzzs47wj31.png?width=686&format=png&auto=webp&s=43fbebe933fa80d1c24a1f8fde2c08653d125d18

These are interesting facts. We can do a lot of with this information to understand where we may really be in the overall context of what this pair is doing.

The Clear Trend Cycle of the Last 5 Years


If we were to use the Elliot Wave theory, based on the above data we have we'd expect to see down trending formations on the weekly chart over the last 5 years. These would form is three distinct trend legs, each having a corrective pattern after. We would expect to see after that a strong correction (corrective year in down trending 5 year cycle), it stop at the 61.8% fib and then resume a down trend. The down trend would form similarly in three main moves.

https://preview.redd.it/ghvgzr577wj31.png?width=663&format=png&auto=webp&s=caeedc4f48ab3b4d1ed921ef519a33200db62868

Whether or not you believe Elliot Wave theory is any good or not, this is what it would predict. If you gave someone who knew about Elliot trading the facts we've established - they'd make this prediction. So let's see how that would look on the GBPJPY chart. I'm having problems with my cTrader platform today, so will have to use MT4 charting.


These are three distinct swings from a high to a low. It also fits all the other Elliot rules about swing formation (which I won't cover, but you can Google and learn if you'd like to). We then go into a period of correction. GBPJPY rallies for a year.
This corrective year does not look very different from a corrective week. Which I've shown how we can understand and trade though various different posts.

https://preview.redd.it/m9ga8pp97wj31.png?width=590&format=png&auto=webp&s=6ed069207b8297c0ab67d6608206b57a1b354fef
Source: https://www.reddit.com/Forex/comments/cwwe34/common_trading_mistakes_how_trend_strategies_lose/

Compare the charts, there is nothing different. It's not because I've copied this chart, it is just what a trend and correction looks like. I've shown this is not curve fitting by forecasting these corrective weeks and telling you all my trades in them (very high success rate).

What about the retrace level?
When we draw fibs from the shoulders high (which is where the resistance was, there was a false breakout of it giving an ever so slightly higher high), it's uncanny how price reacted to this level.

https://preview.redd.it/68pa0bgc7wj31.png?width=667&format=png&auto=webp&s=8f78ce2c11f267f32dacd17c8717dcfa1f8bcb6a
This is exactly what the theory would predict. I hope even those sceptical about Elliot theory can agree this looks like three trend moves with corrections, a big correction and then a top at 61.8%. Which is everything the starting data would predict if the theory was valid and in action.

Assumptions and Planning


To this point, I've made no assumptions. This is a reporting/highlighting of facts on historical data of this pair. Now I am going to make some assumptions to use them to prepare a trade plan. These will be;

  • This is an Elliot formation, and will continue to be.
  • Since it is, this leg will have symmetry to the previous leg.

I'll use the latter to confirm the former. I'll use a projection of what it'd look like if it was similar to the previous move. I'll put in my markers, and look for things to confirm or deny it. There'll be ways to both suggest I am right, and suggest I am wrong. For as long as nothing that obviously invalidates these assumptions happens in the future price action, I'll continue to assume them to be accurate.

Charting Up for Forecasts

The first thing I have do here is get some markers. What I want to do is see if there is a consistency in price interactions on certain fib levels (this is using different methods from what I've previously discussed in my posts, to avoid confusion for those who follow my stuff). I am going to draw extension swings and these will give level forecasts. I have strategies based upon this, and I'm looking for action to be consistent with these, and also duplicated in the big swings down.
I need to be very careful with how I draw my fibs. Since I can see what happened in the chart, it obviously gives me some bias to curve fit to that. This does not suit my objective. Making it fit will not help give foresight. So I need to look for ways to draw the fib on the exact same part of the swing in both of the moves.

https://preview.redd.it/d5qwm8vg7wj31.png?width=662&format=png&auto=webp&s=ad2deba557f9f6d8a0fe06d34cbe3307e7cccc24

These two parts of price moves look like very similar expressions of each other to me. There is the consolidation at the low, and then a big breakout. Looking closer at the top, both of them make false breakouts low before making a top. So I am going to use these swings to draw my fibs on, from the low to the high. What I will be looking for as specific markers is the price reaction to the 1.61% level (highly important fib).
A strategy I have designed around this would look for price to stall at this level, bounce a bit and then make a big breakout and strong trend. This would continue into the 2.20 and 2.61 extension levels. So I'm interested to see if that matches in.

https://preview.redd.it/mpoqz4aj7wj31.png?width=663&format=png&auto=webp&s=710d72120085c1e137c800f57a36f910f78eebcb
Very similar price moves are seen in the area where price traded through the 1.61 level. The breakout strategy here predicts a retracement and then another sell to new lows.
On the left swing, we made a retracement and now test lows. On the right swing, we've got to the point of testing the lows here. This is making this level very important. The breakout strategy here would predict a swing to 61 is price breaks these lows. This might sound unlikely, but this signal would have been flagged as possible back in 2008. It would require the certain criteria I've explained here, and all of this has appeared on the chart since then. This gives me many reasons to suspect a big sell is coming.

On to the next assumption. For this fall to happen in a strong style like all of these are suggesting, it'd have to be one hell of a move. Elliot wave theory would predict this, if it was wave 3 move, these are the strongest. From these I'm going to form a hypothesis and then see if I can find evidence for or against it. I am going to take the hypothesis that where we are in this current GBPJPY chart is going to late come to been seen in a larger context as this.

https://preview.redd.it/tkfzja5n7wj31.png?width=661&format=png&auto=webp&s=47fc014619a61728f16e1527e729b82edad6b94e

This hypothesis would have the Brexit lows and correction from this being the same as the small bounce up before this market capitulated. This would forecast there being a break in this pair to the downside, and that then being followed by multiple sustained strong falls. I know this looks insanely big ... but this is not much in the context of the theme of the last 50 years. This sort of thing has always been what happened when we made this breakout.

Since I have my breakout strategy forecasting 61, I check for confluence of anything that may also give that area as a forecast. I'm looking for symmetry, so I take the ratio of the size of the first big fall on the left to the ratio of when it all out crashed. These legs are close to 50% more (bit more, this is easy math). The low to high of the recent swing would be 7,500 pips. So this would forecast 11,000.
When you take that away from the high of 156, it comes in very close to 61. Certainly close enough to be considered within the margin of error this strategy has for forecasting.

I will be posting a lot more detailed trade plans that this. Dealing specific levels to plan to engage the market, stop trailing and taking profit. I'll also quite actively track my trades I am making to enter into the market for this move. This post is to get the broad strokes of why I'm looking for this trade in place, and to help you to have proper context by what I mean when you hear me talking about big sells on this pair and other XXXJPY pairs.
submitted by whatthefx to Forex [link] [comments]

Amanpuri CEO ISAO FUJIWARA latest interview In March of 2020 part2

part1
https://www.reddit.com/usemimrama/comments/fqk82l/amanpuri_ceo_isao_fujiwara_latest_interview_in/
Doesn’t the dividend put pressure on management?
Kato: At AMANPURI, 5% of exchange earnings are returned to holders of AMAL tokens. Isn’t this putting pressure on management?
Fujiwara: That’s 5% as a figure to not put pressure on the management. It’s easy to tout high numbers to get users interested, but there’s no point in doing so. In fact, many of those exchanges, which they used to excuse various things, are already gone.
We hold a number of events for the enjoyment of our users, as well as dividends, but this too can’t be a management-crushing prize or content. No matter what happens, we will return the surplus funds to the users with a margin that will not affect the management.
So, while the numbers may be less impressive, it’s more reassuring than anywhere else. And I think you will be more satisfied than you ever imagined.
How do we siphon off input from the community?
Kato: It’s important to get feedback from the community, so what kind of measures does AMANPURI have in place to get feedback from the community?
Fujiwara:We don’t take any special measures, but the voices of AMAL holders and users reach the management directly. I believe that AMANPURI is a project that is relatively close to its operation and community members.
All of us members understand how important community is in the blockchain industry. In particular, the holders who have held AMAL since before AMANPURI opened are like shareholders.
However, it does not absorb all opinions. There are many different opinions, but we try not to bend our beliefs. In the end, we believe that this belief is in the best interest of the holder and the user.
If a user needs individual support, they can ask questions in the community and we can look it up and answer them right away. This support system is one of the things that we are always aware of.
Reasons for the delay in starting to offer leveraged trading
Kato: Currently, our leveraged trading offerings have been delayed from the original schedule. If you don’t mind, can you explain the situation?
Fujiwara:We will start offering leveraged trading on March 27, 2020. It was originally supposed to be available in January or February, but due to my selfishness it was postponed by about a month.
While it’s impossible to capture a large share of virtual currency users through physical trading alone, I don’t think we’re going to be able to encompass them right away just by opening up our leverage.
No matter how good an exchange is, it will take time for its usability and transparency to sink in.
We wanted to attract a sufficient number of active traders to open it from the very beginning, not to mention marketing it once we opened it. I was given a month as time to do so. As a result, the number of new accounts opened per day has been growing steadily.
For those of you who were looking forward to the start of leveraged trading in February, I’m sure I let you down a bit, but the March 27th start of leveraged trading should provide plenty of liquidity from the open and make you feel comfortable trading.
AMANPURI’s Roadmap
Kato: What is the roadmap for AMANPURI in the future? Please let us know what’s left before the full opening and if there are any new service additions planned.
Fujiwara: There are a lot of additional features from small to large, so please see the roadmap from the official website for details. In particular, we would like to see the addition of “MAM”, “MT5”, and “Forex stocks”.
Fujiwara:Most active traders and investors are familiar with MAM, but our MAM system is completely different from the MAM system offered in MT4/5 in terms of functionality and transparency. It will be a completely original MAM. It completely limits the risk and allows investors to manage their assets with peace of mind.
The addition of MT5 and forex stocks will simply increase the share of forex traders’ users. Forex currently has more users and a larger industry than cryptotrader. Our exchange will attract a lot of forex traders. We believe this will be the first time in the industry that you can use AMAL for foreign exchange commissions and get a discount on commissions.
We believe that we can provide the most profitable environment for scalpers and short-term traders anywhere. If you’re a currency trader, you may not be familiar with the idea of using tokens for commissions at first. But don’t worry. We have partners all over the world, so they will lecture you carefully and you will soon be talking about it.
A message to those who support you.
Kato: Finally, please give us a message to the people who support Amanpuri.
Fujiwara: We will open leveraged trading on March 27, 2020. Since our exchange is based on the BitMEX business model, the basic features that come with BitMEX are implemented in the same way. That’s why it’s a platform that’s readily accepted by those who are used to trading on BitMEX. It provides a very comfortable trading environment for active traders and botter.
We are an exchange that is based on BitMEX, and we have improved the confusing and difficult to use parts, added features that we wish we had, and improved the service. It is also designed to be easy to understand for those who are just starting out in trading. We invite you to join our community. At any time, you’ll have immediate support from our staff and unique members.
Our exchange is 100% A-book for both virtual currency and currency exchange. Equally and transparently at all times, we can continue to provide an environment that is comfortable for users to trade in.
submitted by mimrama to u/mimrama [link] [comments]

Preparing for the Impulse: The Japanese Yen Surge

Preparing for the Impulse: The Japanese Yen Surge
Against it's major counterparts, the JPY has been showing a lot of strength. It's now getting into areas where it is threatening breakouts of decade long support and resistance levels.

Opportunity for us as traders if this happens is abundant. We've not seen trading conditions like this for over 10 years on this currency, and back then it was a hell of a show! In this post I'll discuss this, and my plans to trade it.

I'm going to focus on one currency pair, although I do think this same sort of move will be reflected across most of the XXXJPY pairs. The pair I will be using is GBPJPY. I like the volatility in this pair, and along with the JPY looking continually strong and there being uncertainty in the GBP with possible Brexit related issues, this seems like an ideal target for planning to trade a strong move up in the JPY.

The Big Overview

I'll start by drawing your attention to something a lot of you will have probably not been aware of. GBPJPY has always been in a downtrend. All this stuff happening day to day, week to week and month to month has always fitted into an overall larger downtrend. In the context of that downtrend, there have been no surprises in the price moves GBPJPY has made. This is not true of the real world events that drove these moves. Things like market crashes, bubbles and Brexit.

https://preview.redd.it/9r6rnqo4rvj31.png?width=1258&format=png&auto=webp&s=738602a2157e08c3f9ec6c588ae603edb5b71a36
Source: https://www.poundsterlinglive.com/bank-of-england-spot/historical-spot-exchange-rates/gbp/GBP-to-JPY

I know this has been largely sideways for a long time, but it is valid to say this is a downtrend. The highs are getting lower, and the lows have been getting lower (last low after the Brexit fall and following 'flash crash' some weeks later).
This is important to understand, because it's going to help a lot when we look at what has happened over the last 5 - 10 years in this pair, and what it tells us might be about to happen in the coming few months and year to come. If the same pattern continues, a well designed and executed trade plan can make life changing money for the person who does that. I hope those of you who take the time to check the things I say here understand that is very feasible.

The last Decade


In the same way I've shown you how we can understand when a trend has corrective weeks and see certain sorts of price structure in that, from 2012 to 2015 GBPJPY had a corrective half decade. In the context of large price moves over decades, this was a sharp correction. I've discussed at length in my posts how sharp corrections can then lead into impulse legs.
https://preview.redd.it/j5q3jrtvsvj31.png?width=1269&format=png&auto=webp&s=a76fdb3de6e943234352f4b9832483c35e082a4b
I've explained though my posts and real time analysis and trades in the short term how in an impulse leg we would expect to see a strong move in line with the trend, then it stalling for a while. Choppy range. Then there being a big spike out move of that range. Making dramatic new lows. Then we'd enter into another corrective cycle (I've been showing you weeks, it's more practical. We'll be looking at the same thing scaled out over longer, that's all).

At this point, we can say the following things which are all non-subjective.
  • GBPJPY has always been in a downtrend.
  • A clear high after a strong rally was made in 2016
  • Since then, GBPJPY has downtrended
5 year chart confirms the latter two points.

https://preview.redd.it/ac1kjwr1uvj31.png?width=1249&format=png&auto=webp&s=f94861cab758119231fff168233bebac832cf456

These are interesting facts. We can do a lot of with this information to understand where we may really be in the overall context of what this pair is doing.

The Clear Trend Cycle of the Last 5 Years


If we were to use the Elliot Wave theory, based on the above data we have we'd expect to see down trending formations on the weekly chart over the last 5 years. These would form is three distinct trend legs, each having a corrective pattern after. We would expect to see after that a strong correction (corrective year in down trending 5 year cycle), it stop at the 61.8% fib and then resume a down trend. The down trend would form similarly in three main moves.

Whether or not you believe Elliot Wave theory is any good or not, this is what it would predict. If you gave someone who knew about Elliot trading the facts we've established - they'd make this prediction. So let's see how that would look on the GBPJPY chart. I'm having problems with my cTrader platform today, so will have to use MT4 charting.


https://preview.redd.it/s8vguiimvvj31.png?width=823&format=png&auto=webp&s=96d023db99041c9ba91f61ab87d3bd48de8da514
These are three distinct swings from a high to a low. It also fits all the other Elliot rules about swing formation (which I won't cover, but you can Google and learn if you'd like to). We then go into a period of correction. GBPJPY rallies for a year.
This corrective year does not look very different from a corrective week. Which I've shown how we can understand and trade though various different posts.
https://preview.redd.it/yowdmil6wvj31.png?width=733&format=png&auto=webp&s=bad142803823e6a7f8af56ef63ebebc574210c4b
Source: https://www.reddit.com/Forex/comments/cwwe34/common_trading_mistakes_how_trend_strategies_lose/

Compare the charts, there is nothing different. It's not because I've copied this chart, it is just what a trend and correction looks like. I've shown this is not curve fitting by forecasting these corrective weeks and telling you all my trades in them (very high success rate).

What about the retrace level?
When we draw fibs from the shoulders high (which is where the resistance was, there was a false breakout of it giving an ever so slightly higher high), it's uncanny how price reacted to this level.
https://preview.redd.it/axvtd22wwvj31.png?width=822&format=png&auto=webp&s=518f309232552ea33921e939b08d2bf28ba76f0b
This is exactly what the theory would predict. I hope even those sceptical about Elliot theory can agree this looks like three trend moves with corrections, a big correction and then a top at 61.8%. Which is everything the starting data would predict if the theory was valid and in action.

Assumptions and Planning


To this point, I've made no assumptions. This is a reporting/highlighting of facts on historical data of this pair. Now I am going to make some assumptions to use them to prepare a trade plan. These will be;

  • This is an Elliot formation, and will continue to be.
  • Since it is, this leg will have symmetry to the previous leg.

I'll use the latter to confirm the former. I'll use a projection of what it'd look like if it was similar to the previous move. I'll put in my markers, and look for things to confirm or deny it. There'll be ways to both suggest I am right, and suggest I am wrong. For as long as nothing that obviously invalidates these assumptions happens in the future price action, I'll continue to assume them to be accurate.

Charting Up for Forecasts

The first thing I have do here is get some markers. What I want to do is see if there is a consistency in price interactions on certain fib levels (this is using different methods from what I've previously discussed in my posts, to avoid confusion for those who follow my stuff). I am going to draw extension swings and these will give level forecasts. I have strategies based upon this, and I'm looking for action to be consistent with these, and also duplicated in the big swings down.
I need to be very careful with how I draw my fibs. Since I can see what happened in the chart, it obviously gives me some bias to curve fit to that. This does not suit my objective. Making it fit will not help give foresight. So I need to look for ways to draw the fib on the exact same part of the swing in both of the moves.

https://preview.redd.it/xgvofjcl0wj31.png?width=823&format=png&auto=webp&s=6d2564bbe2ece9506c425397c672c16cd75a2766
These two parts of price moves look like very similar expressions of each other to me. There is the consolidation at the low, and then a big breakout. Looking closer at the top, both of them make false breakouts low before making a top. So I am going to use these swings to draw my fibs on, from the low to the high. What I will be looking for as specific markers is the price reaction to the 1.61% level (highly important fib).
A strategy I have designed around this would look for price to stall at this level, bounce a bit and then make a big breakout and strong trend. This would continue into the 2.20 and 2.61 extension levels. So I'm interested to see if that matches in.

https://preview.redd.it/4tl024da2wj31.png?width=810&format=png&auto=webp&s=09a813fcdf67a0fac41ff1d9a44b540fd1298106
Very similar price moves are seen in the area where price traded through the 1.61 level. The breakout strategy here predicts a retracement and then another sell to new lows.
On the left swing, we made a retracement and now test lows. On the right swing, we've got to the point of testing the lows here. This is making this level very important. The breakout strategy here would predict a swing to 61 is price breaks these lows. This might sound unlikely, but this signal would have been flagged as possible back in 2008. It would require the certain criteria I've explained here, and all of this has appeared on the chart since then. This gives me many reasons to suspect a big sell is coming.

On to the next assumption. For this fall to happen in a strong style like all of these are suggesting, it'd have to be one hell of a move. Elliot wave theory would predict this, if it was wave 3 move, these are the strongest. From these I'm going to form a hypothesis and then see if I can find evidence for or against it. I am going to take the hypothesis that where we are in this current GBPJPY chart is going to late come to been seen in a larger content as this.

https://preview.redd.it/ctcill674wj31.png?width=814&format=png&auto=webp&s=538847fce98009b8177e079aa6a3ecba0684e73f
This hypothesis would have the Brexit lows and correction from this being the same as the small bounce up before this market capitulated. This would forecast there being a break in this pair to the downside, and that then being followed by multiple sustained strong falls.
Since I have my breakout strategy forecasting 61, I check for confluence of anything that may also give that area as a forecast. I'm looking for symmetry, so I take the ratio of the size of the first big fall on the left to the ratio of when it all out crashed. These legs are close to 50% more (bit more, this is easy math). The low to high of the recent swing would be 7,500 pips. So this would forecast 11,000.
When you take that away from the high of 156, it comes in very close to 61. Certainly close enough to be considered within the margin of error this strategy has for forecasting.

I will be posting a lot more detailed trade plans that this. Dealing specific levels to plan to engage the market, stop trailing and taking profit. I'll also quite actively track my trades I am making to enter into the market for this move. This post is to get the broad strokes of why I'm looking for this trade in place, and to help you to have proper content by what I mean when you hear me talking about big sells on this pair and other XXXJPY pairs.
submitted by whatthefx to u/whatthefx [link] [comments]

Placing Buy/ Sell Stop and Buy/ Sell Limit orders on MT4 app.

Hello. Whereas I am new to Forex, I am not new to trading in general with years of experience in both stocks and futures. I have learned the basics on Forex and the trading concepts are pretty general when traveling across different instruments and securities.
That being said, I am new to Meta Trader 4 (I use the app). For some unknown reason (Demo version) the Place Order button is greyed out for any type of order unless I just do a market order. No matter how far above or below the price points I set the prices the button is greyed out. Unsure if I'm doing something wrong. Could anyone familiar with MT4 provide some feedback please?
Apologies in advance if I am unable to get back to reply today and thank you again for any help.
submitted by Poor_Man_Child to Forex [link] [comments]

BTCMTX- WILL BE THE NEW UNICORN IN TRADING WORLD?

BTCMTX- WILL BE THE NEW UNICORN IN TRADING WORLD?
BTCMTX- WILL BE THE NEW UNICORN IN TRADING WORLD?

The 4.0 technology revolution is developing and changing human habits from traditional methods to digital technology. Financial technology is developing very strongly and popularly.
THE TREND OF THE TECHNOLOGIC STOCKS are Online Trading, Online payment, Online support and Online data sharing. The daily trading volume of digital financial products reaches trillions of dollars. With the potential of the digital finance market, btcmtx was born with the mission of bringing great profits to investors.
Forex financial markets, stocks are the most liquid market in the world: the market is open 24 hours a day, especially compared to other traditional financial markets "commodities" of the financial market forex, stock are very fast and trading costs are very low. Today, the value of Forex and stock markets is about 4 to 6 trillion dollars. The trading value of the Forex and Stocks market is five times greater than the total trading value of all other financial markets combined.


BUSINESS TECHNOLOGY CENTER is technical company and construction partner for exchanges such as MT4, MT5. They provide technology solutions forex, stocks for major exchanges in the world. They have extensive experience in creating and operating exchanges.
With the big data system of big financial products, they have a huge data source for trading decisions.
BTCMTX offers full range of trading instruments:
Stocks - Stock CFDs from the most popular Stock Exchanges (SP500)
Forex - Major, Minor and Exotic currency pairs
Precious metals, including unique Gold instruments
CFDs on Commodity Futures and Indices
With over 15 years of experience in trading, the number of customers reaches 65,000 people from 75 countries, they are confident in their products that bring value to the community.
Btcmtx can trade in the world's largest stock markets such as: Nasdaq, New York Stock Exchange (NYSE), London stockexchange, Shanghai Stock Exchange (SSE), Tokyo Stock Exchange (TSE)...).
Btcmtx can trade in the forex market, the 2nd largest financial market in the world. Btcmtx's technology can be traded on multiple exchanges at the same time.
Why do we think btcmtx is a new unicorn in financial markets? BTCMTX is a leading brokerage company in Stock CFD and Forex markets, which provides world class services with number of significant and unique advantages. Some of the instruments are exclusive and offered by BTCMTX only.
With The Trading Opportunities with unique MTX Method
Own Stocks From S&P 500
Receive dividends stocks
100% win rate with MTX
Analysis technology based on artificial intelligence (AI)
10%-18% profit every month

BTCMTX offers full range of trading instruments:
Stocks - Stock CFDs from the most popular Stock Exchanges (SP500)
Forex - Major, Minor and Exotic currency pairs
Precious metals, including unique Gold instruments
CFDs on Commodity Futures and Indices
Trading Opportunities with unique MTX Method
Own Stocks From S&P 500
Receive dividends stocks
100% win rate with MTX
Analysis technology based on artificial intelligence (AI)
10%-18% profit every month
BTCMTX really brings a new wind to the trading market. We believe that they (BTCMTX) will really make a big impact on the world of the trader community through their new trading platform.

Follow BTCMTX on various channels:🏦
1/ Facebook: https://www.facebook.com/BTCMTX/
2/ Medium: https://medium.com/@btcmtxexchange
3/ Twitter: https://twitter.com/btcmtx
4/ Telegram Group: https://t.me/BtcmtxGroup
5/ Reddit: https://www.reddit.com/useBTCMTX

Media Contact
Company Name: BTCMTX
Contact Person: Media Relations
Email: Send Email
Country: United Kingdom
Website: https://btcmtx.com/



https://preview.redd.it/hkg6vb1kjev31.jpg?width=629&format=pjpg&auto=webp&s=9a4ceb151f1439e4df93d8428aaa63da44200dd4
submitted by BTCMTX to u/BTCMTX [link] [comments]

"Satoshi Nakamoto" the mysterious creator of Bitcoin is no other than the CIA

Bitcoin has surged to all time highs, Who created Bitcoin, and why?
The creator of Bitcoin is officially a name, “Satoshi Nakamoto” – very few people believe that it was a single male from Japan. In the early days of Bitcoin development this name is associated with original key-creation and communications on message boards, and then the project was officially handed over to others at which point this Satoshi character never appeared again (Although from time to time someone will come forward saying they are the real Satoshi Nakamoto, and then have their posts deleted).
Bitcoin could very well be the ‘one world currency’ that conspiracy theorists have been talking about for some time. It’s a kill five birds with one stone solution – not only is Bitcoin an ideal one world currency, it allows law enforcement a perfect record of all transactions on the network. It states very clearly on bitcoin.org (the official site) in big letters “Bitcoin is not anonymous” :
Some effort is required to protect your privacy with Bitcoin. All Bitcoin transactions are stored publicly and permanently on the network, which means anyone can see the balance and transactions of any Bitcoin address. However, the identity of the user behind an address remains unknown until information is revealed during a purchase or in other circumstances. This is one reason why Bitcoin addresses should only be used once.
Another advantage of Bitcoin is the problem of Quantitative Easing – the Fed (and thus, nearly all central banks in the world) have painted themselves in a corner, metaphorically speaking. QE ‘solved’ the credit crisis, but QE itself does not have a solution. Currently all currencies are in a race to zero – competing with who can print more money faster. Central Bankers who are in systemic analysis, their economic advisors, know this. They know that the Fiat money system is doomed, all what you can read online is true (just sensationalized) – it’s a debt based system based on nothing. That system was created, originally in the early 1900’s and refined during Breton Woods followed by the Nixon shock (This is all explained well in Splitting Pennies). In the early 1900’s – there was no internet! It is a very archaic system that needs to be replaced, by something modern, electronic, based on encryption. Bitcoin! It’s a currency based on ‘bits’ – but most importantly, Bitcoin is not the ‘one world currency’ per se, but laying the framework for larger cryptocurrency projects. In the case of central banks, who control the global monetary system, that would manifest in ‘Settlement Coin’ :
Two resources available almost exclusively to central banks could soon be opened up to additional users as a result of a new digital currency project designed by a little-known startup and Swiss bank UBS. One of those resources is the real-time gross settlement (RTGS) system used by central banks (it’s typically reserved for high-value transactions that need to be settled instantly), and the other is central bank-issued cash. Using the Utility Settlement Coin (USC) unveiled today, the five-member consortium that has sprung up around the project aims to help central banks open-up access to these tools to more customers. If successful, USC has the potential to create entirely new business models built on instant settling and easy cash transfers. In interview, Robert Sams, founder of London-based Clearmatics, said his firm initially worked with UBS to build the network, and that BNY Mellon, Deutsche Bank, ICAP and Santander are only just the first of many future members.
the NSA/CIA often works for big corporate clients, just as it has become a cliche that the Iraq war was about big oil, the lesser known hand in global politics is the banking sector. In other words, Bitcoin may have very well been ‘suggested’ or ‘sponsored’ by a banker, group of banks, or financial services firm. But the NSA (as we surmise) was the company that got the job done. And probably, if it was in fact ‘suggested’ or ‘sponsored’ by a private bank, they would have been waiting in the wings to develop their own Bitcoin related systems or as in the above “Settlement Coin.” So the NSA made Bitcoin – so what?
The FX markets currently represent the exchange between ‘major’ and ‘minor’ currencies. In the future, why not too they will include ‘cryptocurrencies’ – we’re already seeing the BTC/EUR pair popup on obscure brokers. When BTC/USD and BTC/EUR are available at major FX banks and brokers, we can say – from a global FX perspective, that Bitcoin has ‘arrived.’ Many of us remember the days when the synthetic “Euro” currency was a new artificial creation that was being adopted, although the Euro project is thousands of degrees larger than the Bitcoin project. But unlike the Euro, Bitcoin is being adopted at a near exponential rate by demand (Many merchants resisted the switch to Euros claiming it was eating into their profit margins and they were right!).
And to answer the question as to why Elite E Services is not actively involved in Bitcoin the answer is that previously, you can’t trade Bitcoin. Now we’re starting to see obscure brokers offering BTC/EUR but the liquidity is sparse and spreads are wacky – that will all change. When we can trade BTC/USD just like EUUSD you can bet that EES and a host of other algorithmic FX traders will be all over it! It will be an interesting trade for sure, especially with all the volatility, the cross ‘pairs’ – and new cryptocurrencies. For the record, for brokers- there’s not much difference adding a new symbol (currency pair) in MT4 they just need liquidity, which has been difficult to find.
So there’s really nothing revolutionary about Bitcoin, it’s just a logical use of technology in finance considering a plethora of problems faced by any central bank who creates currency. And there are some interesting caveats to Bitcoin as compared to major currencies; Bitcoin is a closed system (there are finite Bitcoin) – this alone could make such currencies ‘anti-inflationary’ and at the least, hold their value (the value of the USD continues to deteriorate slowly over time as new M3 introduced into the system.) But we need to pay
Here’s some interesting theories about who or whom is Satoshi:
A corporate conglomerate
Some researchers proposed that the name ‘Satoshi Nakamoto’ was derived from a combination of tech companies consisting of Samsung, Toshiba, Nakayama, and Motorola. The notion that the name was a pseudonym is clearly true and it is doubtful they reside in Japan given the numerous forum posts with a distinctly English dialect.
Craig Steven Wright
This Australian entrepreneur claims to be the Bitcoin creator and provided proof. But soon after, his offices were raided by the tax authorities on ‘an unrelated matter’
Soon after these stories were published, authorities in Australia raided the home of Mr Wright. The Australian Taxation Office said the raid was linked to a long-running investigation into tax payments rather than Bitcoin. Questioned about this raid, Mr Wright said he was cooperating fully with the ATO. “We have lawyers negotiating with them over how much I have to pay,” he said.
Other potential creators
Nick Szabo, and many others, have been suggested as potential Satoshi – but all have denied it:
The New Yorker published a piece pointing at two possible Satoshis, one of whom seemed particularly plausible: a cryptography graduate student from Trinity College, Dublin, who had gone on to work in currency-trading software for a bank and published a paper on peer-to-peer technology. The other was a Research Fellow at the Oxford Internet Institute, Vili Lehdonvirta. Both made denials. Fast Company highlighted an encryption patent application filed by three researchers – Charles Bry, Neal King and Vladimir Oks­man – and a circumstantial link involving textual analysis of it and the Satoshi paper which found the phrase “…computationally impractical to reverse” in both. Again, it was flatly denied.
THE WINNER: It was the NSA
The NSA has the capability, the motive, and the operational capacity – they have teams of cryptographers, the biggest fastest supercomputers in the world, and they see the need. Whether instructed by their friends at the Fed, in cooperation with their owners (i.e. Illuminati banking families), or as part of a DARPA project – is not clear and will never be known (unless a whistleblower comes forward). In fact, the NSA employs some of the best mathematicians and cryptographers in the world. Few know about their work because it’s a secret, and this isn’t the kind of job you leave to start your own cryptography company.
But the real smoking Gun, aside from the huge amount of circumstantial evidence and lack of a credible alternative, is the 1996 paper authored by NSA “HOW TO MAKE A MINT: THE CRYPTOGRAPHY OF ANONYMOUS ELECTRONIC CASH”
The NSA was one of the first organizations to describe a Bitcoin-like system. About twelve years before Satoshi Nakamotopublished his legendary white paper to the Metzdowd.com cryptography mailing list, a group of NSA information security researchers published a paper entitled How to Make a Mint: the Cryptography of Anonymous Electronic Cash in two prominent places, the first being an MIT mailing list and the second being much more prominent, The American Law Review
The paper outlines a system very much like Bitcoin in which secure financial transactions are possible through the use of a decentralized network the researchers refer informally to as a Bank. They list four things as indispensable in their proposed network: privacy, user identification (protection against impersonation), message integrity (protection against tampering/substitution of transaction information – that is, protection against double-spending), and nonrepudiation (protection against later denial of a transaction – a blockchain!).
It is evident that SHA-256, the algorithm Satoshi used to secure Bitcoin, was not available because it came about in 2001. However, SHA-1 would have been available to them, having been published in 1993.
Why would the NSA want to do this? One simple reason: Control.
As we explain in Splitting Pennies – Understanding Forex – the primary means the US dominates the world is through economic policy, although backed by bombs. And the critical support of the US Dollar is primarily, the military. The connection between the military and the US Dollar system is intertwined inextricably. There are thousands of great examples only one of them being how Iraq switched to the Euro right before the Army’s invasion.
In October 2000 Iraq insisted on dumping the US dollar – ‘the currency of the enemy’ – for the more multilateral euro. The changeover was announced on almost exactly the same day that the euro reached its lowest ebb, buying just $0.82, and the G7 Finance Ministers were forced to bail out the currency. On Friday the euro had reached $1.08, up 30 per cent from that time.
Almost all of Iraq’s oil exports under the United Nations oil-for-food programme have been paid in euros since 2001. Around 26 billion euros (£17.4bn) has been paid for 3.3 billion barrels of oil into an escrow account in New York. The Iraqi account, held at BNP Paribas, has also been earning a higher rate of interest in euros than it would have in dollars.
The point here is there are a lot of different types of control. The NSA monitors and collects literally all electronic communications; internet, phone calls, everything. They listen in even to encrypted voice calls with high powered microphones, devices like cellphones equipped with recording devices (See original “Clipper” chip). It’s very difficult to communicate on planet Earth in private, without the NSA listening. So it is only logical that they would also want complete control of the financial system, including records of all electronic transactions, which Bitcoin provides.
Could there be an ‘additional’ security layer baked into the Blockchain that is undetectable, that allows the NSA to see more information about transactions, such as network location data? It wouldn’t be so far fetched, considering their past work, such as Xerox copy machines that kept a record of all copies made (this is going back to the 70’s, now it’s common). Of course security experts will point to the fact that this layer remains invisible, but if this does exist – of course it would be hidden.
More to the point about the success of Bitcoin – its design is very solid, robust, manageable – this is not the work of a student. Of course logically, the NSA employs individuals, and ultimately it is the work of mathematicians, programmers, and cryptographers – but if we deduce the most likely group capable, willing, and motivated to embark on such a project, the NSA is the most likely suspect. Universities, on the other hand, didn’t product white papers like this from 1996.
Another question is that if it was the NSA, why didn’t they go through more trouble concealing their identity? I mean, the internet is rife with theories that it was in fact the NSA/CIA and “Satoshi Nakamoto” means in Japanese “Central Intelligence” – well there are a few answers for this, but to be congruent with our argument, it fits their profile.
Where could this ‘hidden layer’ be? Many think it could be in the public SHA-256, developed by NSA (which ironically, was the encryption algorithm of choice for Bitcoin – they could have chosen hundreds of others, which arguably are more secure):
Claims that the NSA created Bitcoin have actually been flung around for years. People have questioned why it uses the SHA-256 hash function, which was designed by the NSA and published by the National Institute for Standards and Technology (NIST). The fact that the NSA is tied to SHA-256 leads some to assume it’s created a backdoor to the hash function that no one has ever identified, which allows it to spy on Bitcoin users.
“If you assume that the NSA did something to SHA-256, which no outside researcher has detected, what you get is the ability, with credible and detectable action, they would be able to forge transactions. The really scary thing is somebody finds a way to find collisions in SHA-256 really fast without brute-forcing it or using lots of hardware and then they take control of the network,” cryptography researcher Matthew D. Green of Johns Hopkins University said in a previous interview.
Then there’s the question of “Satoshi Nakamoto” – if it was in fact the NSA, why not just claim ownership of it? Why all the cloak and dagger? And most importantly, if Satoshi Nakamoto is a real person, and not a group that wants to remain secret – WHY NOT come forward and claim your nearly $3 Billion worth of Bitcoin (based on current prices).
Did the NSA create Satoshi Nakamoto?
The CIA Project, a group dedicated to unearthing all of the government’s secret projects and making them public, hasreleased a video claiming Bitcoin is actually the brainchild of the US National Security Agency.
The video entitled CIA Project Bitcoin: Is Bitcoin a CIA or NSA project? claims that there is a lot of compelling evidences that proves that the NSA is behind Bitcoin. One of the main pieces of evidence has to do with the name of the mysterious man, woman or group behind the creation of Bitcoin, “Satoshi Nakamoto”.
According to the CIA Project, Satoshi Nakamoto means “Central Intelligence” in Japanese. Doing a quick web search, you’ll find out that Satoshi is usually a name given for baby boys which means “clear thinking, quick witted, wise,” while Nakamoto is a Japanese surname which means ‘central origin’ or ‘(one who lives) in the middle’ as people with this surname are found mostly in the Ryukyu islands which is strongly associated with the Ry?ky? Kingdom, a highly centralized kingdom that originated from the Okinawa Islands. So combining Nakamoto and Satoshi can be loosely interpreted as “Central Intelligence”.
Is it so really hard to believe? This is from an organization that until the Snowden leaks, secretly recorded nearly all internet traffic on the network level by splicing fiber optic cables. They even have a deep-sea splicing mission that will cut undersea cables and install intercept devices. Making Bitcoin wouldn’t even be a big priority at NSA.
Certainly, anonymity is one of the biggest myths about Bitcoin. In fact, there has never been a more easily traceable method of payment. Every single transaction is recorded and retained permanently in the public “blockchain”. The idea that the NSA would create an anarchic, peer-to-peer crypto-currency in the hope that it would be adopted for nefarious industries and become easy to track would have been a lot more difficult to believe before the recent leaks by Edward Snowden and the revelation that billions of phone calls had been intercepted by the US security services. We are now in a world where we now know that the NSA was tracking the pornography habits of Islamic “radicalisers” in order to discredit them and making deals with some of the world’s largest internet firms to insert backdoors into their systems.
And we’re not the only ones who believe this, in Russia they ‘know’ this to be true without sifting through all the evidence.
Nonetheless, Svintsov’s remarks count as some of the more extreme to emanate from the discussion. Svintsov told Russian broadcast news agency REGNUM:“All these cryptocurrencies [were] created by US intelligence agencies just to finance terrorism and revolutions.”Svintsov reportedly went on to explain how cryptocurrencies have started to become a payment method for consumer spending, and cited reports that terrorist organisations are seeking to use the technology for illicit means.
Let’s elaborate on what is ‘control’ as far as the NSA is concerned. Bitcoin is like the prime mover. All future cryptocurrencies, no matter how snazzy or functional – will never have the same original keys as Bitcoin. It created a self-sustained, self-feeding bubble – and all that followed. It enabled law enforcement to collect a host of criminals on a network called “Silk Road” and who knows what other operations that happened behind the scenes. Because of pesky ‘domestic’ laws, the NSA doesn’t control the internet in foreign countries. But by providing a ‘cool’ currency as a tool, they can collect information from around the globe and like Facebook, users provide this information voluntarily. It’s the same strategy they use like putting the listening device in the chips at the manufacturing level, which saves them the trouble of wiretapping, electronic eavesdropping, and other risky methods that can fail or be blocked. It’s impossible to stop a cellphone from listening to you, for example (well not 100%, but you have to physically rewire the device). Bitcoin is the same strategy on a financial level – by using Bitcoin you’re giving up your private transactional information. By itself, it would not identify you per se (as the blockchain is ‘anonymous’ but the transactions are there in the public register, so combined with other information, which the NSA has a LOT OF – they can triangulate their information more precisely.
That’s one problem solved with Bitcoin – another being the economic problem of QE (although with a Bitcoin market cap of $44 Billion, that’s just another day at the Fed buying MBS) – and finally, it squashes the idea of sovereignty although in a very, very, very subtle way. You see, a country IS a currency. Until now, currency has always been tied to national sovereignty (although the Fed is private, USA only has one currency, the US Dollar, which is exclusively American). Bitcoin is a super-national currency, or really – the world’s first one world currency.
Of course, this is all great praise for the DOD which seems to have a 50 year plan – but after tens of trillions spent we’d hope that they’d be able to do something better than catching terrorists (which mostly are artificial terrorists)
submitted by PeopleWhoDied to conspiracy [link] [comments]

Choosing the right broker

Hello!
I am ready to dive in the world of trading and after my basic education I am starting to pappertrade. I figured out that I sould choose from now the boroker I am gonna use in the future to get used to the platform. The problem is that there are WAY to many brokers out there and its hard to choose. I need your help reddit!

What I need:
- I am mainly gonna daytrade forex, maybe some stocks and futures at the future.
- Low commisions, fees & spreads! I'm thikning of taking trades on small timeframes (5-20 mins , or a few hours). I am looking for a true ECN with comission model. I dont want conflict of interests with my broker
- A good platform. I don't like MT4. I liked cTrader.
- No requotes - No slippage - Fast executions!
- Leverage. I need at least 1:200 , so I probably need a broker in Australia (?)
- No problems with withdrawals.
- Regulation and good reputation! I don't want to loose my money!
- Low minimum deposit! I'm thinking about starting with 1000 euros, maybe 2000 max.

Brokers I have found surfing the net:
- Interactive Brokers
- Saxo bank
- IG
- Dukascopy
and the cTrader brokers:
- IC markets
- Pepperstone
- FxPro
- Roboforex

What do you guys think? Have you got any experience with those guys? What would you suggest? All comments and extra info are welcome!
submitted by geomad26 to Daytrading [link] [comments]

05-20 03:54 - 'Best Forex Indicator Cashpower' (self.Bitcoin) by /u/ForexIndicator removed from /r/Bitcoin within 9-19min

'''
🏅Forex CashPower Indicator NON REPAINT Signals *LIFETIME LICENSE* @2019 Version. Indicator for Metatrader 4 with Smart algorithms calculations that emit signals with high-precision (In this new controled version) in strong sellers/Buyers reversal zones with big trades volumes.
.
💎 [link]3 [w.forexcashpowerindicator.com]2
( 55 usd promotion Price, Limited time offer ).
.
🎯Accuracy are betweem 87 and 96 %. Works in all time frames. You can use to trade Forex pairs ( alls ), bonds, indices, metals, energy, crypto currency, binary options, futures hard and soft commodity.
.
🏅*Lifetime License* Forex CashPower Non Repaint Indicator New @2019 Version. Discover in an new way how start make contant profits. Lifetime License PROMOTION PRICE 55 usd.
.
🚩Old Version 2018 of CashPower Indicator with ( DarkBlue & YELLOW SIGNALS) round arrows signals stayed behind, outdated, discarded Version.
.
💎New Version @2019 compiled, with refinements and updates in its algorithmic coding to send perfect entry points making it more powerful with high-precision signals.
.
⏳ Limited time Offer, Special Edition V.2019 Marketing restricted only with our Company CashPower. Restricted use on authorized MT4 accounts. 🔒Safety seal and Protection turn this indicator available only here. , Unique special version.🔑 Contact us🔓.
...........….…………...........................................
#forexindicators #Cashpowerindicator #forexindicator #mt4indicator #forexsignals #indicatorforex
[link]4
'''
Best Forex Indicator Cashpower
Go1dfish undelete link
unreddit undelete link
Author: ForexIndicator
1: w*w.f*rexc*shp*we*indic*tor*c*m/ 2: w*w.f*rex***hpo*er*ndicator.c*m/ 3: [wW**^1 4: i*redd.it*daus*j**da*21.*ng
Unknown links are censored to prevent spreading illicit content.
submitted by removalbot to removalbot [link] [comments]

Tomorrow’s features, today. – Bitozz Exchange

Bozz is an ERC-20 token which is the native token of the Bitozz cryptocurrency exchange platform. Bitozz team is creating a decentralized exchange that will offer its users unlimited trading opportunities like never before.
On the bitozz exchange platform, trading fees will be very low and there will be no trading fee for buying bitozz in the platform and any related service involving bitozz,the bitozz will be one of the first exchange to pioneer Margin trading of cryptocurrencies: this option will give a trader liberty to borrow crypto-asset and trade it within the exchange.
BITOZZ is passionately creating diversified financial instruments to trade in crypto assets starting with futures and options for all cryptocurrencies listed in the beginning. The Bitozz already has plans for any type of future asset trading on its platform so basically we’re working towards incorporating future trading opportunities into the present trading opportunities.On the bitozz platform a trader can easily set a stop loss in the course of trading which functions like that of the MT4 forex trading platform.The Bitozz exchange platform will be the first crypto exchange platform to introduce the American Options in cryptocurrency trading,the implementation of these strategies is to guide traders on the platform.Some of these options are “Long Call”,”Short Put”, “Bull Call Spread”,”Collar” e.t.c https://bitozz.com/home
https://medium.com/@bitozzexchange/tomorrows-features-today-9f36c9bc40db?fbclid=IwAR2OLw0Q7rWzO6AGrM3nXE7X28YOpl0DOT1W-TILmshr9wZ-G4y3BTUSHio
submitted by aninditadatta to Crypto_ico [link] [comments]

Are you looking for an exchange you can trust and trade with ease?

The current trading experience on cryptocurrencies could be a serious headache for most people who are just coming into the trading community, even those who have been trading the forex market for a long time still face difficulties as most professional traders in the cryptocurrency world still complain as well because most exchanges require a very long registration process which later follows with a very complicated trading platform causing many traders to see cryptocurrency trading as a headache, I personally have been frustrated so many times by this same factors but all hope is not lost as One of Trade.io's major objective is to make trading various cryptocurrency pairs as easy as possible with their super advanced platform which gets you signed up and trading under 2 mins and to crown it all, they are planning FX integration on trade.io platform via MT4 (MetaTrader 4). MT4 is the most advance trading software for the forex market and I am very sure most forex traders are very familiar with the MT4 and as a result, trade.io will ease the migration of Forex only traders to the crypto trading community. Trade.io brings the future closer and simpler. Follow the link to signup today and get a chance to win 400,000Tios https://trade.io/l/7lag join the trade revolution and win 400,000Tios
submitted by Batumbu to TradeIOICO [link] [comments]

Global Visionariez and IML My 30 day Experience

To summarize my experience with the "product." It is 99.9% stalling and wasting your time with shit like this https://www.youtube.com/watch?v=za3tUUoj2iQ and hyping their own products. Dudes acting like "whaaaaaaaa" and showing phone screens with profits. Facebook is flooded with these people showing off how their boy "[insert name here]" is selling money and yada yada. Most of the content they post and host is just recruitment hype videos to bring more people in. Seriously... Like all day every day it felt like. Most the videos feature some hipsters and text screenshots of them being like: "OMG I gots some mad pips brah, 100 million pipz lulz #winning [intense sarcasm]."
Do yourself a favor and unfriend anyone who tries to sell you this shit. Because they are not your friend, and they view you as a $35 a month paycheck if you sign up. Most the common stuff you see in groups is people touting the wins, but don't fool yourself... Everyone is keeping their losses quiet because no one wants to make a fool out of themselves. I mean who makes videos of them watching someone else in video chat? Someone who doesn't know what the hell their doing or how to work technology... Which they happen to have some miracle program that will "change" your life. Oh, and the haters, HA you should just ignore them because they all don't like grape koolaide.
TL:DR Oh, look ma some YOLO saying swag fags are saying they can teach me to make mad bread. But it is just a job selling a job selling jobs to other people who in turn will be selling said jobs to others who will do the same.
4/24/16 EDIT This is the kind of shit that constantly keeps popping up in my feeds and spamming my cell phone in texts.
I just got started with Global Visionariez and iMarketsLive, What is next?! First off, Welcome to our family! My name is[removed name of person] Founder of GV, an organization that is changing lives and lifestyles around the globe. It's an honor to have you apart of the revolutionary team where our visions align towards a common cause. We have some of the best leadership hand to hand with the greatest opportunity in the game right now, which makes it a complete power house! The goal is the be able take the average person and have them take the road less travelled towards becoming an entrepreneur and attaining true freedom! The skills you will learn working along side with GV and IML are long lasting skills that you can pass down for generations to come and will help you develop and craft yourself into becoming the best version of yourself. We live by the Triple T's; TRADE. TRAVEL. TRANSFORM. Lifestyle by design. As we believe these are some of the main 3 keys towards freedom and happiness! 📈.✈.🚧.
Let's get started, you just bought your new car, now let's adjust the seats it to how you like it and what you want. The first thing you want to do is be able to get activated on your services and plugged into the sessions.
🔌 STAY PLUGGED IN AROUND THE CAMPFIRE 🔸 Subscribe To GV Updates [removed link]
📡Want to EARN before you LEARN and get connected to the Automatic Mirror Trader? [link removed] (1) FIRST create your broker account (Trading Funds Account) Choose the broker of your choice, we suggest Tradersway or FXCM 🔸 Tradersway ($8/month on FxSignalsLive - Better Leverage) INCLUDING PROMOTION (Less Deposit Fees, 18+, Deposit Bonus) [link removed] 🔸 FXCM (FREE on FxSignalsLive): [link removed] (2) How To Set Up Your Mirror-Trader? [more yolo swag links removed...]
📈📉 Want to start trading yourself? It's CRUCIAL to LEARN before you try to EARN trading yourself! Practice, practice, practice before you go LIVE. RULE #1, Don't EVER EVER EVER try to PREDICT the markets yourself, Don't have a gambling mindset! Be smart, Be strategic. Start with a DEMO account until you feel comfortable enough to trade with REAL money (30-90+ DAYS). If you want to start trading your real money deposit and connect with an MIRROR-TRADER [link removed] and trade with Chris Terry during LONDON / NY Sessions! Keep in mind, TRADING is 80% Mental (Psychology) and 20% Fundamental (Skillset) 📚(1) EDUCATE YOURSELF (STUDY more than you TRADE): 🔸 IML EDUCATION: Log into imarketslive.com -> TRADING -> TRADING LIBRARY 🔸 BEGINNERS KNOWLEDGE A-Z: [link removed] ; ⚠COMPLETE Pre-School before trading live 🔸 GVWSA COURSE: [link removed] ($50 one time) 🐾GV WALLSTREET (GVWSA): Train with Quillan Black through his legendary discounted course for IML members ONLY for $50 one time, completely up to you if you would like access, feel free to ask anyone around GV if it was worth it. If you plan to go to the next level trading and marking up charts you want to plug in ASAP! (2) SET UP MT4 (Trading Platform) + IML HARMONIC SCANNER 🔸 Download "MetaTrader 4" through App Store 🔸 Download MT4 / Scanner (Windows) [link removed] 🔸 Download MT4 /Scanner (MAC) [link removed] ⚠ Make sure you go through the Harmonic Scanner Course in IML Backoffice before you start using it. The Harmonic Scanner is primarily a confirmation tool to combine with your own analysis do NOT take trades off of it based of its entry calls, it is not 100% right neither would any software ever be. Use this in the right way and you will rock your world! (3) TRADE and LEARN with C. Terry 🔸 LONDON SESSION (Tues, Wed, Thurs) ⏰ 2am EST - 3am EST [more links removed] 🔸 NEW YORK SESSION (Mon - Fri) FOREX + FUTURES ⏰ 8am EST - 12pm EST [link removed] FULL RISK DISCLOSURE: Trading contains substantial risk and is not for every investor. An investor could potentially lose all or more than the initial investment. Risk capital is money that can be lost without jeopardizing ones financial security or life style. Only risk capital should be used for trading and only those with sufficient risk capital should consider trading. Past performance is not necessarily indicative of future results.
🗣 Paid sharing a retail service that is teaching you a financially independent skillset and helping you generate wealth in the worst economy? The FACT that you can potentially earn RESIDUAL income by sharing (marketing) a service that you would share for free anyways! The average MILLIONAIRE has 7 streams of income and never puts all of their eggs in one basket, especially throughout your journey of becoming a trader, the comfort of knowing you have a weekly residual income while you are trading in the markets truly powerful! YOUR FIRST GOAL ASAP........PERFECT STORM BONUS IN YOUR FIRST 14 DAYS. How to SHARE: What is Forex?: [link removed] What is IML (Overview): [link removed] Compensation Plan PDF: [link removed] Compensation Plan Video: [link removed] **TAG THE NEWEST MEMBER TO HAVE THEM START OFF THE RIGHT FOOT👇👇👇
edit 2 Removed links from post, I apologize I didn't notice the rule for this subreddit and fixed it before an admin got onto me. =) Edit/update 3* 5-21-16 Been a while now, still end up getting spam texts and other crap in my inbox on social media and email.
submitted by rjrttu86 to Forex [link] [comments]

US Trader Woes, Looking For Advice

Hello! I'm an experienced stock & options trader but am relatively new to Forex. The reason I sought out forex to add to my current trading patterns was the ease of automation. My two passions are trading and computer science, so I became very interested in MetaTrader when I discovered it several months ago. I made an account with Forex.com and have been messing around with MT4 and EAs which I've come to enjoy. I've already made tons of trades using EAs and am constantly learning new things. My EAs got my meager $50 initial deposit to $85 in a couple of days so, obviously, I was inclined to add more. Big mistake. It was too perfect, something was wrong. Enter: Market Maker brokers! It seems I've been duped, which was my fault for being foolish and not digging deeper before giving them money. I'm fairly confident that I've been betting against them and now it's cost me a couple hundred buckaroonies. Oh well.
Anyway- now I'm looking at other brokers such as ATC Brokers who claim they're STP, but that still leaves the potential for Market Making. Also looking at FastBrokers, and plenty of others. My question is: should I continue on this route and cross my fingers, or should I abandon spot forex as a US resident? I see sooooo many good reputable true ECN brokers in Australia, etc but sadly they aren't options for me.
I hear good things about futures currency trading, but I have yet to explore that.
Is there any method for automating forex futures trading? Is that reasonable? Should I still pursue spot forex? Should I try another broker? Should I just go back to stocks & options and accept it? Should I kill myself? I'm kind of at a loss as to how I should proceed, so any opinions are welcome. Thanks :)
TL;DR Any worthwhile spot forex brokers for US residents that don't bet against you and/or can I automate futures trading somehow.
submitted by Battelman2 to Forex [link] [comments]

Cryptocurrency Trading Simplified with Money Trade Coin Group

The Money Trade Coin Group has initiated a training course program for cryptocurrency trading. Money Trade Coin will provide physical courses in countries such as UAE, Thailand, and Switzerland from May 15th Onwards. The courses will be of three days span long in each country and will teach cryptocurrency users more than just crypto trading but also divulge into concepts such as futures and derivatives in the FOREX market.
Join the Trading Course No matter whether you are an amateur, an accomplished crypto trader, or someone willing to learn new skills in cryptocurrency, this physical course will benefit you greatly as it is created to expand knowledge on the subject. Using this training course crypto holders will be able to invest wisely in a very competitive platform in order to make profits and minimize any risks.
What You Will Learn With the Crypto Training Course • How cryptocurrencies work and how to trade them • Profits and loss with cryptocurrencies • Tactics for effective cryptocurrency trading • An extensive tour of the market • What are Bitcoin and altcoins • Which coins you should buy and sell • How to store your coins • All about trading on the platform • Crypto exchanges and which ones you should use • Trading concepts and tools • Maximizing profit and risk management • What are the exact entry points, targets, and stop loss points • What support and resistance are in trading • How much research to do before starting your trading
How do we stand out?
With Money trade Coin Group you have ensured the best crypto training through our program and it is designed to cover all important aspects of cryptocurrency investment and trading on the platform. Our trainers and experienced traders have been involved in crypto trading for many years and hold impressive qualifications. Your progress throughout the course will be monitored and feedback will tell you where your strengths and weaknesses lie.
You will not only know how to trade but also understand the concepts behind crypto trading, the entire market and exchange systems. You will be able to trust your own decisions and strategies instead of relying on news pages or forums for your information which may be outdated or incorrect. Learning the ropes can help in setting fixed targets for your trade, buying and selling, stop loss and more.
Additionally, our course features futures and derivatives on the Foreign Exchange platform apart from MT4 software. By learning about the types of contracts you can buy and sell into, arbitrage, and hedging, you can minimize any risks you may come across trading in foreign currencies.
submitted by moneytradecoin to u/moneytradecoin [link] [comments]

The only arguments against tying POT to Pot, summarily answered

This was a reply to an old post I made last night. I want everyone to see it. I'm obviously replying to the quoted parts.

tl;dr at bottom.
Look at the chart.
I had to comment on this post because it seems like no one in the 'crypto' world actually recognizes the amount of money (FIAT) that goes into creating a business of a grow/co-op.
While I can appreciate your need to speak for "everyone" you do not speak for me. I have and currently do represent a number of Arizona dispensaries in the much needed, reputation management area. I know PRECISELY what goes into a dispensary and grow operation as far as initial capital, fees, build-out, final inspections, advertising, investing in the grow or coop. And then monthly maintenance, building costs, labor, etc, etc. It's a business, we get it. Further, one of my better clients... I know how much he makes per year after costs. And as a non-profit, it has to be given away. If you can give it away and create an economy at the same time...?
And we didn't tell you to
  1. convert solely to cryptocurrency
  2. hold a high stake at any given time in any particular crypto.
Everyone is in a disillusioned world of crypto that doesn't even exist yet.
Once again... speaking for everyone, thanks. YOU are the one that exists in a world where crypto doesn't exist. We are in a different world. Most of us had smartphones while everyone was sporting RAZRs. We had a web presence before many fortune 500 companies. We... are your future. You want national adoption... adopt us first.
WE, are trying to tell you, accept the future, or become the next Blockbuster.
I am going to list some of my expenses that I can't pay for with POTcoin:
Yay
  • Electricity
Solar. There are, good, electronics stores that take BTC for solar. Cause ya'know, hippies. Don't say it can't be done. It's past-tense.
  • Internet * Phone
I really don't have time to list why this is not worth listing.
  • Rent
Everyone in the United States pays rent or mortgage.
  • Insurance
Right, here is an industry that needs crypto too.
  • Payroll
Have you asked? Have you said, hey... wanna get paid in this untraceable currency? You know, the one you don't have to report getting?
  • Taxes
See, previous. Maybe you haven't heard? FedSEC says, Crypto no bueno currency, Crypto = Property. Dispensaries here are non-profit. Donate your property (Pot), we donate our property (POT) and no income is triggered, because POT is based on Pot. Parity trade. NO taxes!
  • Advertising (ads, business cards, flyers)
Dude... if you ACCEPT crypto... you won't spend another dollar on advertising for at least a year. I promise. Everyone HERE promises. Not another dime on advertising. Put that in your pipe and smoke it.
  • Office Supplies (pens and paper to computers and printers/ink to office chairs and furniture)
I'll just pretend you didn't list this. If you're hurting so bad for these items, you either need to have a talk with that staff of yours, change habits, or change systems. If it is a matter of state requirements. Don't list it.
  • Maintenance & Cleaning (from paying people to clean to the supplies they use)
So, you can't find some undocumenteds that want bueno crypto? Really? Tell them, UNTRACEABLE... CAN SEND ACROSS ANY BORDER AT 1% OR LESS!
  • Fertilizers and growing supplies
See solar. Hippies. Many accept BTC.
  • Legal Fees
Find a lawyer that takes crypto, they exist.
How do you expect me to forget the fiat game?
Don't want you to. We want you to accept it on par with fiat. That's the idea. YOU are creating the economy.
Even if I only accepted POTcoin,
Surely don't want you to do that. Plus if you are a legit place you have AARP customers that probably aren't privy to crypto. They will cover the rent.
I'd have to exchange to FIAT to pay my bills because AT&T is never going to take PotCoin as payment...
That's actually a direction I am moving toward... servicing customers like you that have crypto and want to interact with the non-crypto world. You add me to your utilities and bills, and I am like the online bill pay for altcoin.
But see, it has to start somewhere!
In 1993 I was begging people to buy domain names. "What the hell do I need that for?" Indeed. I cashed out most of my single noun and single verb domains in the late 90's before the dot com collapse and didn't work for a few years after that from the sales. Coasted right thru the crash.
and the only way to not get screwed by any crazy jumps in the market are to do it instantly at the point of transaction for every purchase... even waiting a day could lose me 20% on days like today.
Once again, that's where my company will fill a need. I'm actually very well trained in high speed trading and forex coding in MT4. This, is rather simple, comparatively.
I will guarantee no-slip membership levels. That means, LOCKED IN TRADES. We take the hit if we make a bad trade, in getting your fiat back.
Please I would love to hear any real options and this isn't an attack on the posters or people in this community, just a very real down to earth and inquisitive request.
Please... take a chance...
THEN... be negative if it doesn't work. Or be a hero, WHEN it does.
The price of your coin went from 1POT = $0.01USD to 1POT = $0.0055USD <~ pretty much a 50% drop in price in the past 3 days. HOW ARE YOU NOT ALL UPSET BY THIS! Even as the price per BTC of POTcoin goes up, you are losing value because you are tied to BTC.

tl;dr
We want to untie from BTC and tie to Weed. I ideally, would like to see a range of:
 0.125 - 0.420 for 1/8th of Medical Grade bottom shelf California state average 
California chosen due to per capita and population.
In fact, here's a nice plot.
http://i.imgur.com/aKxK7yo.jpg
Does that grab your attention? Do you understand how to pay your bills now?
You have to realize, with FedSECs ruling... this is a LEGIT thing. You can literally create value out of nothing. NO ONE HERE WILL COMPLAIN IF YOU FIX THE PRICE OF POT TO POT. Promise. Cross my Heart.
And the biggest thing is... if you can buy an 1/8th of weed for 0.420POT...
it is PHYSICALLY IMPOSSIBLE for the coin to collapse... ever.
Think about it. But it needs to be mutual agreement, almost cartel like, no undercutting, etc. It's for the benefit of everyone. I even promise not to shop at a place that is undercutting if you fix POT to Pot.
If you fix that price of POT to anything more than a decimal point over in value vs USD... you make A LOT of POTcoin holders wealthy. And the first place they will come to spend their money is on real pot. And depending on how wealthy... maybe AT YOUR PLACE. Because I need a vaca.
http://www.gogreensolar.com/pages/bitcoin-for-solar-energy
http://www.businessinsider.com/defense-lawyer-who-accepts-bitcoins-2013-5
http://eastwesthydro.com/grow-room-resources/buy-hydroponics-with-bitcoins
http://growershouse.com/buy-hydroponics-supplies-with-bitcoins
submitted by SirPokeSmottington to potcoin [link] [comments]

MT4 Forex Trading For Beginners. How to Trade Forex Using ... Making a Trade in MT4 How to Trade on MetaTrader 4 and 5  Forex Trading ... How to Set Buy & Sell Stop/Limit Order (MT4) Forex Trading ... First Time Trading on MT4?  Short Forex Guide - YouTube How to Copy and Paste Forex Trades on MetaTrader 4 - YouTube First time trading on MT4? - YouTube

Trade Forex from your smartphone or tablet. Learn more. Automate your trading and let an Expert Advisor analyze markets and trade for you. Learn more . Trade in financial markets via any browser on any operating system. Learn more. Buy or rent trading robots and technical indicators to raise your trading to a new level. Learn more. Subscribe to a signal to copy trades of an experienced trader ... Pingback: Trade Forex, Futures and Options from One MT4 Account! - Forex Alchemy. Comments are closed. Join our Newsletter. The latest posts delivered to your inbox. I accept the privacy rules of this site. Popular; New; 10 Richest Traders in the World. 27/10/2017; Fun Stuff; 7 Fun Facts about the Stock Exchange . 15/12/2017; Fun Stuff; Top-5 Secrets of Billionaire Traders. 20/11/2017; Fun ... FOREX.com is a registered FCM and RFED with the CFTC and member of the National Futures Association (NFA # 0339826). Forex trading involves significant risk of loss and is not suitable for all investors. Full Disclosure. Spot Gold and Silver contracts are not subject to regulation under the U.S. Commodity Exchange Act. *Increasing leverage ... Plus the availability of custom indicators is large and easy to impement. MT4 is also a good platform. I guess you could keep opening demo accounts and spending lots of time evaluating countless other platforms. But why do that when you've found one you like. Unfortuntely, there isn't a broker that offers futures for MT4. I have no desire to ... Der erste Futures Kontrakt wurde bereits im Jahr 1851 aufgesetzt. Das darin am Chicago Board of Trade (CBOT) gehandelte Produkt war Mais. Der Plan zwischen Verkäufer, einem Landwirt, und Käufer, einem Industrieunternehmen, bestand darin, den zukünftigen Austausch eines Produkts zu einem festen Preis zu vereinbaren. Traders usually on mt4 modify order-level points, change stop loss, and target levels. In this article, we will explain how to modify a trade on the MT4 desktop platform and mobile phone. How to Modify Trade on MT4 for android. If users want to modify a trade on MT4 in the android app, they need to option “Trade” tap and hold an open ... FOREX.com is a registered FCM and RFED with the CFTC and member of the National Futures Association (NFA # 0339826). Forex trading involves significant risk of loss and is not suitable for all investors. Full Disclosure. Spot Gold and Silver contracts are not subject to regulation under the U.S. Commodity Exchange Act. *Increasing leverage ...

[index] [14735] [23687] [24181] [26348] [23777] [19926] [8176] [15290] [14842] [21714]

MT4 Forex Trading For Beginners. How to Trade Forex Using ...

What do i do on MT4? Did i just place an order on MT4? How do i put in a stop-loss on MT4? How do i cancel my order on MT4? How do i place a sell on MT4?-begin... Let's take a look at the variety of ways to place a trade within the MT4 platform. _ For more information about Topstep and becoming a funded trader, visit h... MT4 Forex Trading for Beginners- Understanding Order Types and How to Execute Trades on MT4 Click For More Info on Trading With Us: http://www.TeachMeToTrade... https://www.TradersCommaClub.comLearn How To Trade Forex https://bit.ly/34kt7XyForex Broker I Use https://bit.ly/2XdqfXs In this video you will learn how to ... follow me on instagram : @kaicristopher free signals and education - fx, crypto , & indices. link below . join while free! https://t.me/vipelitefree feel fre... Learn how to trade Forex and CFDs in MetaTrader 4 and 5 in this free Forex trading tutorial. Just some of what we cover is different order types, buy orders, li... In this video, we cover: - What do we do on MT4? - How to place an order on MT4 - How do I place a stop loss and take profit in MT4 - How to add in and remov...

#