Average True Range Trailing Stops
|
|
|
- Cecilia Neal
- 9 years ago
- Views:
Transcription
1 In this second of a three-part series we will compare trailing-stop methods using an average true range (ATR) trailing stop. he average true range T (ATR) was developed by J. Welles Wilder and introduced in his book New Concepts In Technical Trading Systems. The ATR indicator measures a security s volatility. Wilder defined the true range concept as the greatest value of the: Current high less the current low Absolute value of the current high less the previous close Absolute value of the current low less the previous close. Wilder then calculated an average of this value for creating the average true range. Like most technical analysis programs, MetaStock has a predefined ATR indicator (ATR (period)). But if you need to calculate it yourself, it can be created as follows: TRADING STRATEGIES Using Stops, Part 2 Average True Range Trailing Stops by Sylvain Vervoort {Get the required ATR period;} period:=input( ATR Period :,1,100,5); {Calculate the biggest difference based on the true range concept;} diff1:=max(h-l,abs(h-ref(c,-1))); diff2:=max(diff1,abs(l-ref(c,-1))); {Use Wilders moving average method to calculate the Average True Range;} Mov(diff2,period*2-1,E) With this formula you could create an ATR value based on something other than the close, such as an average price. To create a trailing stop based on the ATR value, you need to calculate the maximum-allowed loss based on the ATR value multiplied by a factor. In Figure 1 you can see the 14% fixed trailing-stop value plotted in red on the chart of AMD. The blue line is the ATR trailing stop based on a five-day ATR average multiplied by a factor of 3.5. Note the ATR trailing buy & sell points on the chart. You would buy (green arrow) when the closing price moves above the trailing stop of the previous day and sell when the closing price falls below the previous trailing-stop value (red EXIT sign). The complete MetaStock formula for an ATR-based trailing stop value on the closing price can be found in sidebar ATR Trailing Stop. You basically use the same formula setup as with the fixed-percentage trailing stop. The first step is to select the ATR average period to be used. I use a five-day average as the default since I found this value to be the most common profitable value using the more volatile stocks:
2 METASTOCK FIGURE 1: AVERAGE TRUE RANGE TRAILING STOP. Here you see a chart of AMD with a 14% fixed closing price trailing stop (red) and a 3.5 times five-day ATR average (blue). Next, you must determine the ATR average multiplication factor. I use 3.5 as the default value since it seems to be the most common profitable value when using more volatile stocks: After that, you calculate the loss value based on the ATR value and the multiplication factor: Then you start calculating the trailing value in exactly the same way as you did for the fixed-percentage trailing loss. trail:= If(C>PREV AND Ref(C,-1)>PREV, Max(PREV,C-loss), If(C<PREV AND Ref(C,-1)<PREV, Min(PREV,C+loss), If(C>PREV,C-loss,C+loss))); Looking at Figure 1, you can see that the first buy-point is slower for the ATR trailing stop. However, the first selling point is two days earlier. The price volatility at that moment in time is rather low, and that brings the trailing stop closer to the price activity compared to the fixed-percentage trailing stop. The next buy & sell is at the same point. However, the last buy signal on the chart is later for the ATR trailing stop. This is due to the high price volatility with bigger gaps a few weeks earlier. This maintains the ATR trailing stop at a higher level than the one with the fixed trailing stop and, as a result, breaking later in time. It is clear that the trailing stop based on ATR is a dynamic stop related to the higher or lower volatility in price action. Is it better than the fixed-percentage trailing stop? TEST RESULTS With the $25,000 starting capital ($1,000 per stock) using the stocks and rules mentioned earlier, you end up with a profit of $61,730 or 247% profit with an average of 16 trades per stock. Compared to the 14% fixed trailing stop discussed in ATR TRAILING STOP {SVE_Stop_trail_ATR} trail:= If(C>PREV AND Ref(C,-1)>PREV, Max(PREV,C-loss), If(C<PREV AND Ref(C,-1)<PREV, Min(PREV,C+loss), If(C>PREV,C-loss,C+loss))); Trail
3 TRADING STRATEGIES part 1, you get 70% more profit with fewer trades. Figure 2 shows the individual results for all the stocks. The last column is the count of the winning/losing trades per stock. Average true range (ATR) trailing stop from start date Since you are using your own trading method to find entry points, you certainly want to be able to use your own entry date. Since the number of input parameters in MetaStock is limited to six, it becomes necessary to create separate formulas for a long position and short position. Long position: SVE_StopLong_Trail_ATR_Date. FIGURE 2: TEST RESULTS WITH STANDARD ATR TRAILING STOP. Here you see the results of each individual stock using a standard 3.5 times ATR(5) trailing stop. {SVE_StopLong_Trail_ATR_Date - ATR trailing stop long from date} InitStop:=Input( Initial Stop Price,0.1,10000,10); atrfact:=input( ATR multiplication :,1,10,3.5); Entry:= InpYear=Year() AND InpMonth=Month() AND InpDay=DayOfMonth(); StopLong:=ExtFml( AdvancedStop.StopLong, Entry,InitStop,0,C-Loss,0,0,0,0); StopLong Short position: SVE_StopShort_Trail_ATR_Date. FIGURE 3: ATR TRAILING STOP FOR LONG POSITION. In the chart of Salesforce, you see the ATR trailing stop from the buy date. {SVE_StopShort_Trail_ATR_Date - ATR trailing stop short from date} InitStop:=Input( Initial Stop Price,0.1,10000,10); atrfact:=input( ATR multiplication :,1,10,3.5); Entry:= InpYear=Year() AND InpMonth=Month() AND InpDay=DayOfMonth(); StopShort:=ExtFml( AdvancedStop.StopShort,Entry, InitStop,0,C+Loss,0,0,0,0); StopShort
4 FIGURE 4: ATR TRAILING STOP FOR SHORT POSITION. Here you see the ATR trailing stop from the start of a short position. In the chart of Salesforce.com in Figure 3, you can see how the trailing stop nicely captures a five-wave Elliott up move. The input settings are displayed in the chart. Note in Figure 4 that after the formation of the Elliott top- 5 wave in Salesforce.com, the downward trending corrective wave (C) stays within the trailing stop until completed. This wave is made up of a double zigzag forming a WXY wave. Entry parameters are displayed in the chart. MODIFIED ATR TRAILING STOP Creating the modified ATR I will now look into Wilder s concept for the true range that is, the: Current high minus the current low Absolute value of the current high minus the previous close Absolute value of the current low minus the previous close. There are some changes I would like to try out to verify if I can come up with a higher profit than if I were using the standard trailing ATR: 1 The current high minus the current low can be big in very volatile markets. To avoid the influence of extreme moves in one day, I will limit the extreme price change of a single bar to a maximum of one and a half times the ATR moving average of the high minus low prices. 2 The absolute value of the current high minus the The trailing stop based on average true range is a dynamic stop, but is it better than the fixed-percentage trailing stop? ATR MODIFIED {SVE_ATR_Mod} period:=input( ATR Period :,1,100,5); HiLo:=If(H-L<1.5*Mov(H-L,period,S),H-L, 1.5*Mov(H-L,period,S)); Href:=If(L<=Ref(H,-1),H-Ref(C,-1),(H-Ref(C,- 1))-(L-Ref(H,-1))/2); Lref:=If(H>=Ref(L,-1),Ref(C,-1)-L,(Ref(C,-1)- L)-(Ref(L,-1)-H)/2); Wilders(diff2,period); previous close may be distorted by a large gap between the previous high and current low. Since a gap does give support, I would like to limit the influence of the gap. This I do by taking into account just half the size of the gap. 3 The absolute value of the current low less the previous close may also be distorted by a (big) gap between the previous low and the current high. Let s also limit that influence taking into account only half the size of the gap. The MetaStock formula for this modified ATR can be found in sidebar ATR Modified. First you need to determine the ATR average. The default value is 5: period:=input( ATR Period :,1,100,5); Then look at the price difference between the current high and low value. If this value stays within one and a half times the ATR moving average, you keep the value as the difference between the high and low. If however, the current value of the high price minus the low is greater than one and a half times the ATR moving average, you limit the value to one and a half times the moving average of the current high minus low price. This way, several consecutive high-volatility days will still create a volatile ATR while a single high-volatility day will only have a moderate influence: HiLo:=If(H-L<1.5 * Mov(H-L,period,S),H-L, 1.5 * Mov(H-L,period,S)); Next, you treat the case of a gap in an up move. If there is no gap, keep the current value of the high price minus the previous closing price. If there is a gap, deduct half the size of the gap from the value of the current high price minus the previous closing price: Href:=If(L<=Ref(H,-1),H-Ref(C,-1),(H-Ref(C,-1)) -(L-Ref(H,-1))/2); You use the same reasoning for a gap in a down move. If there is no gap, keep the value of the previous closing price minus the current low price (we are turning the expressions around to avoid the use of an extra absolute command). In
5 FIGURE 5: STANDARD ATR VS. MODIFIED ATR. The standard ATR is shown in blue and the modified ATR is shown in red. Note how a one-day price move or gap can increase the value of the standard ATR. FIGURE 6: MODIFIED ATR WITH TRAILING STOP. Here you see the standard trailing stop with 3.5 times ATR(5) in blue and the modified version in green. During periods of more volatile price moves, the modified ATR (green) trailing value will be close to the price action compared to the standard ATR value (blue). the event of a gap, deduct half the value of the gap from the basic expression: Lref:=If(H>=Ref(L,-1),Ref(C,-1)-L,(Ref(C,-1)-L) -(Ref(L,-1)-H)/2); The following step is to find out which of the three values is the largest: The final step is to take Wilder s average on the largest value: Wilders(diff2,period); In Figure 5 you can see how the standard ATR(5) (blue) creates tops in the ATR(5) value when there is a big one-day price move or a large gap. In the modified ATR(5) (red), note that the levels are balanced, creating lower tops. MODIFIED ATR WITH TRAILING STOPS The complete MetaStock formula for a trailing stop based on the modified ATR trailing stop on the closing price can be seen in the sidebar Modified ATR With Trailing Stops. It is simply the basic ATR trailing stop setup, extended with the calculation of the modified ATR value. In periods of more volatile price moves (Figure 6), the modified ATR (green) trailing value will be closer to the price action than the standard ATR value (blue). This sometimes results in an earlier buy or sell signal, like the one-day earlier buy signal in February on the chart of AMD. TEST RESULTS With $25,000 starting capital ($1,000 per stock) using the stocks and rules mentioned previously, you get a profit of $67,994 or a 272% profit with an average of 16 trades per stock. As expected, there is not much of a difference from the standard ATR, but nevertheless, you still end up with 25% more profit. Figure 7 shows the individual results for all the stocks. The last column is the count of the winning/losing trades per stock. MODIFIED ATR TRAILING STOP FROM START DATE Since you are using your own trading method to finding entry points, you certainly want to be able to use your own entry date. So again, since the number of input parameters in MetaStock is limited to six, we have to create separate formulas for a long or a short position: Long position: SVE_StopLongMod_Trail_ATR_Date. {SVE_StopLongMod_Trail_ATR_Date} MODIFIED ATR WITH TRAILING STOPS {SVE_Stop_Trail_ATR_Mod} period:=input( ATR period :,1,100,5); HiLo:=If(H-L<1.5*Mov(H-L,period,S),H-L, 1.5*Mov(H- L,period,S)); Href:=If(L<=Ref(H,-1),H-Ref(C,-1),(H-Ref(C,-1))-(L-Ref(H,- 1))/2); Lref:=If(H>=Ref(L,-1),Ref(C,-1)-L,(Ref(C,-1)-L)-(Ref(L,-1)-H)/2); atrmod:=wilders(diff2,period); loss:=atrfact*atrmod; trail:= If(C>PREV AND Ref(C,-1)>PREV, Max(PREV,C-loss), If(C<PREV AND Ref(C,-1)<PREV, Min(PREV,C+loss), If(C>PREV,C-loss,C+loss))); Trail
6 TRADING STRATEGIES HiLo:=If(H-L<1.5*Mov(H-L,period,S),H-L, 1.5*Mov(H-L,period,S)); Href:=If(L<=Ref(H,-1),H-Ref(C,-1),(H-Ref(C,-1))-(L- Ref(H,-1))/2); Lref:=If(H>=Ref(L,-1),Ref(C,-1)-L,(Ref(C,-1)-L)- (Ref(L,-1)-H)/2); atrmod:=wilders(diff2,period); loss:=atrfact*atrmod; Entry:= InpYear=Year() AND InpMonth=Month() AND InpDay=DayOfMonth(); StopShort:=ExtFml( AdvancedStop.StopShort, Entry,InitStop,0,C+Loss,0,0,0,0); StopShort In the last part of this series, we will look at the trailing resistance and support (TR&NDS) stop, which can be applied to shorter-term trades. FIGURE 7: TRADING RESULTS OF THE MODIFIED 3.5 TIMES ATR(5) TRAILING STOP. Although there is not a drastic difference from the standard ATR, you still do make 25% more InitStop:=Input( Initial Stop Price,0.1,10000,10); period:=input( ATR period :,1,100,5); HiLo:=If(H-L<1.5*Mov(H-L,period,S),H-L, 1.5*Mov(H- L,period,S)); Href:=If(L<=Ref(H,-1),H-Ref(C,-1),(H-Ref(C,-1))-(L- Ref(H,-1))/2); Lref:=If(H>=Ref(L,-1),Ref(C,-1)-L,(Ref(C,-1)-L)-(Ref(L,- 1)-H)/2); atrmod:=wilders(diff2,period); loss:=atrfact*atrmod; Entry:= InpYear=Year() AND InpMonth=Month() AND InpDay=DayOfMonth(); StopLong:=ExtFml( AdvancedStop.StopLong, Entry,InitStop,0,C-Loss,0,0,0,0); StopLong Sylvain Vervoort, who lives in the Flemish part of Belgium, is a retired electronics engineer. He will be coming out with a new book, Capturing Profit With Technical Analysis, around July 2009 from Marketplace Books. It will focus on applied technical analysis introducing a trading method called LOCKIT. SUGGESTED READING Vervoort, Sylvain [2009]. Using Initial And Trailing Stops, part 1, Technical Analysis of STOCKS & COMMODITIES, Volume 27: May. Wilder, J. Welles [1978]. New Concepts In Technical Trading Systems, Trend Research. S&C Short position: SVE_StopShortMod_Trail_ATR_Date. {SVE_StopShortMod_Trail_ATR_Date} InitStop:=Input( Initial Stop Price,0.1,10000,10); period:=input( ATR period :,1,100,5);
Trading Medium-Term Divergences
TRADING SYSTEMS Spotting Trend Reversals Trading Medium-Term Divergences Detect medium-term divergences by using the zero-lagging exponential moving average, support and resistance lines, and trendlines.
Trendline Tips And Tricks
Tantalizing! Trendline Tips And Tricks How do you capture those medium- to longer-term moves when trying to enter and exit trades quickly? D by Sylvain Vervoort aydreaming about trading? Get in a trade
Chapter 6 - Rahul Mohindar Oscillator System
Chapter 6 - Rahul Mohindar Oscillator System The Rahul Mohindar Oscillator and its associated tools and indicators were developed by Mr. Rahul Mohindar of VIRATECH (viratechindia.com). In addition to being
Trading with the Intraday Multi-View Indicator Suite
Trading with the Intraday Multi-View Indicator Suite PowerZone Trading, LLC indicators can provide detailed information about the conditions of the intraday market that may be used to spot unique trading
My Favorite Futures Setups. By John F. Carter www.tradethemarkets.com
My Favorite Futures Setups By John F. Carter www.tradethemarkets.com Recognizing Momentum Incredibly easy to do in hindsight. Get in Before the Move? I m a big believer in not chasing markets. By the time
Alerts & Filters in Power E*TRADE Pro Strategy Scanner
Alerts & Filters in Power E*TRADE Pro Strategy Scanner Power E*TRADE Pro Strategy Scanner provides real-time technical screening and backtesting based on predefined and custom strategies. With custom strategies,
The Jim Berg Entry and Exit System. 1.
The Jim Berg Entry and Exit System. 1. Note. The description below is given for educational purposes only in order to show how this may be used with AmiBroker charting software. As described here it is
Advanced Trading Systems Collection FOREX TREND BREAK OUT SYSTEM
FOREX TREND BREAK OUT SYSTEM 1 If you are a part time trader, this is one system that is for you. Imagine being able to take 20 minutes each day to trade. A little time at night to plan your trades and
Trading with the High Performance Intraday Analysis Indicator Suite
Trading with the High Performance Intraday Analysis Indicator Suite PowerZone Trading indicators can provide detailed information about the conditions of the intraday market that may be used to spot unique
Understanding the market
Understanding the market Technical Analysis Approach: part I Xiaoguang Wang President, Purdue Quantitative Finance Club PhD Candidate, Department of Statistics Purdue University [email protected] Outline
How Well Do Traditional Momentum Indicators Work? Cynthia A. Kase, CMT President, Kase and Company, Inc., CTA October 10, 2006
How Well Do Traditional Momentum Indicators Work? Cynthia A. Kase, CMT President, Kase and Company, Inc., CTA October 10, 2006 1.0 Introduction Most market technicians believe traditional momentum indicators,
Disclaimer: The authors of the articles in this guide are simply offering their interpretation of the concepts. Information, charts or examples
Disclaimer: The authors of the articles in this guide are simply offering their interpretation of the concepts. Information, charts or examples contained in this lesson are for illustration and educational
ANTS SuperGuppy. ANTS for esignal Installation Guide. A Guppy Collaboration For Success PAGE 1
ANTS SuperGuppy A Guppy Collaboration For Success ANTS for esignal Installation Guide PAGE 1 IMPORTANT INFORMATION Copyright Under copyright legislation, this publication may not be reproduced or transmitted
More informed trading Technical Analysis: Trading Using Multiple Time-frames
Technical Analysis: Trading Using Multiple Time-frames Intermediate Level Introduction 1 Stock markets worldwide function because, at any given time, some traders want to buy whilst others want to sell.
ADX breakout scanning ADX breakouts can signal momentum setups as well as exit conditions for intraday and swing traders. FIGURE 1: AFTER ADX > 40
TRADING STRATEGIES ADX breakout scanning ADX breakouts can signal momentum setups as well as exit conditions for intraday and swing traders. BY KEN CALHOUN FIGURE 1: AFTER ADX > 40 Spotting volatility
MATHEMATICAL TRADING INDICATORS
MATHEMATICAL TRADING INDICATORS The mathematical trading methods provide an objective view of price activity. It helps you to build up a view on price direction and timing, reduce fear and avoid overtrading.
My Daily Trading Preparation. Establishing Risk Parameters and Positions
My Daily Trading Preparation Establishing Risk Parameters and Positions My Trading Goals My goals have to be consistent with my trading plan each day. For stocks, I am primarily a long-only trader (and
FreeStockCharts.com Chart Set-up
FreeStockCharts.com Chart Set-up Note: Thanks to Alan Profitt, a member of MHT, for providing the text for this paper. FSC offers PVT and MFI indicators along with a beautiful chart to help you in MHT.
Guidelines to use with Fibonacciqueen trade setups!!!
Guidelines to use with Fibonacciqueen trade setups!!! Updated January 2014 As far as the price analysis that I run every day in the markets, there are three different types of Fibonacci price relationships
OVERNIGHT GAP STRATEGY FOR 2016 By Daryl Guppy
OVERNIGHT GAP STRATEGY FOR 2016 By Daryl Guppy Gap openings are becoming more frequent in 2016 markets. This is a reflection of a change in market volatility and a change in the structure of the market
RISK DISCLOSURE STATEMENT / DISCLAIMER AGREEMENT
RISK DISCLOSURE STATEMENT / DISCLAIMER AGREEMENT Trading any financial market involves risk. This report and all and any of its contents are neither a solicitation nor an offer to Buy/Sell any financial
The First Touch Trade
The First Touch Trade The first touch trade is a trade I use after a very strong move. The First Touch has five important components, each of these components should be in place for a valid First Touch
Trading Systems Series
Trading Systems Series HOW DO I TRADE STOCKS.COM Copyright 2012 THE RENKO CHART Renko charts have their origins in the early days of the markets being traded in Japan, some 140 years ago and were first
Trading with ATR Price Projections.
By Nitin Suvarna Trading with ATR Price Projections. J. Welles Wilder developed "Average True Range" (ATR) as a tool for a more precise calculation of price activity and volatility. True Range measure
Technical Indicators Explained
Chapter I. Technical Indicators Explained In This Chapter The information in this chapter is provided to help you learn how to use the technical indicators that are available for charting on the AIQ TradingExpert
Larry Williams Indicators
Larry Williams Indicators Larry Williams Indicators - Williams COT NetPositions OI... 2 Larry Williams Indicators - Williams COT Comm Index... 3 Larry Williams Indicators - Williams COT LrgSpec Index...
Welcome to the topic on creating key performance indicators in SAP Business One, release 9.1 version for SAP HANA.
Welcome to the topic on creating key performance indicators in SAP Business One, release 9.1 version for SAP HANA. 1 In this topic, you will learn how to: Use Key Performance Indicators (also known as
Timing the Trade How to Buy Right before a Huge Price Advance
Timing the Trade How to Buy Right before a Huge Price Advance By now you should have read my first two ebooks and learned about the life cycle of a market, stock, or ETF, and discovered the best indicators
GMMA 2.0 User Guide. August 2010 Edition PF-30-01-02
GMMA 2.0 User Guide GMMA 2.0 User Guide August 2010 Edition PF-30-01-02 Support Worldwide Technical Support and Product Information www.nirvanasystems.com Nirvana Systems Corporate Headquarters 7000 N.
ValueCharts for thinkorswim
ValueCharts for thinkorswim Contents What are ValueCharts? What is ValueCharts Scanner? What are ValueAlertsSM? What are ValueBarsSM? What are ValueBandsSM What are ValueLevelsSM? What are ValueFlagsSM?
CHAPTER 8. REVERSAL TRADING STRATEGIES
CHAPTER 8. REVERSAL TRADING STRATEGIES Today you will Learn Reversal trading strategies are great or mid-day and afternoon trades, especially on days when momentum is a big slower. Why Is This Important?
Elliott-Wave Fibonacci Spread Trading
Elliott-Wave Fibonacci Spread Trading Presented by Ryan Sanden The inevitable disclaimer: Nothing presented constitutes a recommendation to buy or sell any security. While the methods described are believed
CYCLE TIMING CAN IMPROVE YOUR TIMING PERFORMANCE by Walter Bressert, CTA
CYCLE TIMING CAN IMPROVE YOUR TIMING PERFORMANCE by Walter Bressert, CTA The HOLY GRAIL OF TRADING is: Trade with the trend; if up, buy the dips; if down, sell the rallies. With cycles you can identify
Simpler Options. Indicator guide. An informative reference for John Carter s commonly used trading indicators. www.simpleroptions.
Simpler Options Indicator guide An informative reference for John Carter s commonly used trading indicators At Simpler Options you will see a handful of proprietary indicators on John Carter s charts.
Exit Strategies for Stocks and Futures
Exit Strategies for Stocks and Futures Presented by Charles LeBeau E-mail [email protected] or visit the LeBeau web site at www.traderclub.com Disclaimer Each speaker at the TradeStationWorld Conference
Nexgen Software Services
Nexgen Software Services Trading Guide June 2016 2016 Nexgen Software Services Inc. Please read and understand the following disclaimers before proceeding: Futures, FX and SECURITIES and or options trading
Stochastic Oscillator.
Stochastic Oscillator. By Jay Lakhani www.4x4u.net George Lane was the originator of the stochastic indicator in the 1960 s; the indicator tracks the market momentum. Lane observed that as prices rise
My EA Builder 1.1 User Guide
My EA Builder 1.1 User Guide COPYRIGHT 2014. MyEABuilder.com. MetaTrader is a trademark of MetaQuotes www.metaquotes.net. Table of Contents MAIN FEATURES... 3 PC REQUIREMENTS... 3 INSTALLATION... 4 METATRADER
OPENING RANGE BREAKOUT (ORB- Advanced)
OPENING RANGE BREAKOUT (ORB- Advanced) Weekly volatility breakout strategy. On Monday morning check the London opening price, 08.00 GMT. The difference between this weekly ORB Basic and this ORB Advanced
www.tradingeducators.com
The following is provided by www.tradingeducators.com Trading Educators, Inc. 1814 Carriage Club Dr Cedar Park, TX 78613 USA Phone: 800-476-7796 or 512-249-6930 Fax: 512-249-6931 Email: [email protected]
Directions for Frequency Tables, Histograms, and Frequency Bar Charts
Directions for Frequency Tables, Histograms, and Frequency Bar Charts Frequency Distribution Quantitative Ungrouped Data Dataset: Frequency_Distributions_Graphs-Quantitative.sav 1. Open the dataset containing
Premier Trader University. Trend Jumper
Trend Jumper 1 Basic Premise The Trend Jumper seeks to find near term support and resistance levels and then identifies places on the chart to JUMP off of, for quick and immediate profits. 2 Long trades
PART 1 CROSSING EMA. I will pause between the two parts for questions, but if I am not clear enough at any stage please feel free to interrupt.
PART 1 CROSSING EMA Good evening everybody, I d like to start by introducing myself. My name is Andrew Gebhardt and I am part of Finex LLP, a small Investment Manager which amongst other endeavours also
Rebalancing Leveraged and Inverse Funds
Rebalancing Leveraged and Inverse Funds Joanne M. Hill, PhD, and Solomon G. Teller, CFA ProFund Advisors LLC and ProShare Advisors LLC November 2009 ABSTRACT Leveraged and inverse Exchange Traded Funds
Forest Carbon for the Private Landowner (2): Protocols, Project Examples and Opportunities Andrea Tuttle*
Forest Carbon for the Private Landowner (2): Protocols, Project Examples and Opportunities Andrea Tuttle* Go to presentation Slide 1. Carbon Assessments and Markets Hello, I'm Andrea Tuttle. I'm a former
Trend Determination - a Quick, Accurate, & Effective Methodology
Trend Determination - a Quick, Accurate, & Effective Methodology By; John Hayden Over the years, friends who are traders have often asked me how I can quickly determine a trend when looking at a chart.
OPTIONS TRADING AS A BUSINESS UPDATE: Using ODDS Online to Find A Straddle s Exit Point
This is an update to the Exit Strategy in Don Fishback s Options Trading As A Business course. We re going to use the same example as in the course. That is, the AMZN trade: Buy the AMZN July 22.50 straddle
The Moving Average. 2004 W. R. Booker II. All rights reserved forever and ever. And ever.
The Moving Average By Rob Booker 2004 W. R. Booker II. All rights reserved forever and ever. And ever. The information contained in this ebook is designed to teach you methods of watching forex quotes
ALGEBRA. sequence, term, nth term, consecutive, rule, relationship, generate, predict, continue increase, decrease finite, infinite
ALGEBRA Pupils should be taught to: Generate and describe sequences As outcomes, Year 7 pupils should, for example: Use, read and write, spelling correctly: sequence, term, nth term, consecutive, rule,
How to Use e-commerce on www.avantormaterials.com
How to Use e-commerce on www.avantormaterials.com Welcome to the Avantor Website! Setting up an account, ordering products and checking your order status have never been easier. Simply follow the instructions
PERPETUITIES NARRATIVE SCRIPT 2004 SOUTH-WESTERN, A THOMSON BUSINESS
NARRATIVE SCRIPT 2004 SOUTH-WESTERN, A THOMSON BUSINESS NARRATIVE SCRIPT: SLIDE 2 A good understanding of the time value of money is crucial for anybody who wants to deal in financial markets. It does
AN INTRODUCTION TO THE CHART PATTERNS
AN INTRODUCTION TO THE CHART PATTERNS AN INTRODUCTION TO THE CHART PATTERNS www.dukascopy.com CONTENTS TECHNICAL ANALYSIS AND CHART PATTERNS CHARACTERISTICS OF PATTERNS PATTERNS Channels Rising Wedge Falling
Maths Workshop for Parents 2. Fractions and Algebra
Maths Workshop for Parents 2 Fractions and Algebra What is a fraction? A fraction is a part of a whole. There are two numbers to every fraction: 2 7 Numerator Denominator 2 7 This is a proper (or common)
I Really Trade. Trading Patterns for Stocks & Commodities. Introducing The False Break Buy and Sell Pattern
2008 Trading Patterns for Stocks & Commodities It doesn t matter if you are a longterm investor, short swing trader or day trader, you are always looking for an advantageous spot to enter your position.
www.forexrobottrader.com
The Steinitz Fractal Breakout Indicator (SFBI) was developed by Don Steinitz through rigorous research since 2003. Its unique properties make it far more advanced than any other indicator available on
FOREX PROFIT MASTER USER GUIDE. http://www.forexprofitmaster.com
FOREX PROFIT MASTER USER GUIDE http://www.forexprofitmaster.com DISCLAIMER Please be aware of the loss, risk, personal or otherwise consequences of the use and application of this book s content. The author
marketsurvival.net guide: The advanced guide to fibonacci trading How to trade stocks and Forex with Fibonacci numbers
marketsurvival.net guide: The advanced guide to fibonacci trading How to trade stocks and Forex with Fibonacci numbers Contents FOREWORD... 5 PART 1. INTRODUCTION...7 WHY IS USING THE FIBONACCI TOOLS BETTER
Methods to Trade Forex Successfully for Quick Profits
Methods to Trade Forex Successfully for Quick Profits This article is devoted to the techniques that are used to trade Forex on an intraday basis for quick profits. The aim is to make the trading a successful
Magnet Absolute. www.friendsfirst.ie. Introduction. Introducing Magnet Absolute. Magnet Absolute has two clear performance objectives
Pensions Protection Investments Magnet Absolute Fund Snapshot Asset Holdings Regions Diversification Risk Rating* Absolute Return - Multi 5 Funds low Fund Multi Key features Multi manager 8 3 high 4 asset
3. Locate the different selections of Styles from the Home Tab, Styles Group
Outlining in MS Word 2007 Microsoft Word 2007 provides users with an Outline View and Outlining toolbar, which allows us to create outlines. Outlines in Word are based on Styles. For instance if a line
A guide for end-users
A guide for end-users www.recognia.com Copyright 2013 Recognia Using Technical Insight Event Lookup will allow you to quickly understand the outlook for a particular financial instrument from the perspective
How Does Money Grow Over Time?
How Does Money Grow Over Time? Suggested Grade & Mastery Level High School all levels Suggested Time 45-50 minutes Teacher Background Interest refers to the amount you earn on the money you put to work
Programming Manual. IW Graphic Tool Pro. for IW QuickTrade. User s Manual
Programming Manual IW Graphic Tool Pro for IW QuickTrade User s Manual TABLE OF CONTENTS ProBacktest Introduction Chapter I: Introduction Accessing ProBacktest...2 ProBacktest setup window sections...2
Excel Tutorial. Bio 150B Excel Tutorial 1
Bio 15B Excel Tutorial 1 Excel Tutorial As part of your laboratory write-ups and reports during this semester you will be required to collect and present data in an appropriate format. To organize and
VBM-ADX40 Method. (Wilder, J. Welles from Technical Analysis of Stocks and Commodities, February 1986.)
VBM-ADX40 Method " I ve found that the most important thing in trading is always doing the right thing, whether or not you win or lose this is market savvy money management... I would go so far as to say
Mutual Fund Expense Information on Quarterly Shareholder Statements
June 2005 Mutual Fund Expense Information on Quarterly Shareholder Statements You may have noticed that beginning with your March 31 quarterly statement from AllianceBernstein, two new sections have been
5. Tutorial. Starting FlashCut CNC
FlashCut CNC Section 5 Tutorial 259 5. Tutorial Starting FlashCut CNC To start FlashCut CNC, click on the Start button, select Programs, select FlashCut CNC 4, then select the FlashCut CNC 4 icon. A dialog
5544 = 2 2772 = 2 2 1386 = 2 2 2 693. Now we have to find a divisor of 693. We can try 3, and 693 = 3 231,and we keep dividing by 3 to get: 1
MATH 13150: Freshman Seminar Unit 8 1. Prime numbers 1.1. Primes. A number bigger than 1 is called prime if its only divisors are 1 and itself. For example, 3 is prime because the only numbers dividing
To Begin Customize Office
To Begin Customize Office Each of us needs to set up a work environment that is comfortable and meets our individual needs. As you work with Office 2007, you may choose to modify the options that are available.
Technical Analysis SAmple InveSTIng plans 1
Technical Analysis Sample Investing Plans 1 Important Information All investing plans and rules are provided for informational purposes only, and should not be considered a recommendation of any security,
Macedonian Stock Exchange Inc. www.mse.com.mk www.bestnet.com.mk INSTRUCTIONS. Fundamental Analysis Module
Macedonian Stock Exchange Inc. www.mse.com.mk www.bestnet.com.mk INSTRUCTIONS Fundamental Analysis Module March 2010 Content: 1. INTRODUCTION... 3 1.1 WHAT IS FUNDAMENTAL ANALYSIS?... 3 1.2. WHAT THE MODULE
Unit 7 The Number System: Multiplying and Dividing Integers
Unit 7 The Number System: Multiplying and Dividing Integers Introduction In this unit, students will multiply and divide integers, and multiply positive and negative fractions by integers. Students will
2. Setting Up The Charts
Just take your time if you find this all a little overwhelming - you ll get used to it as long as you don t rush or feel threatened. Since the UK became members of the European Union, we stopped shooting
Alarm Manager. 1. About the Alarm Manager... 4. 2. Overview of the Alarm Manager... 5
Table of Contents 1. About the... 4 2. Overview of the... 5 2.1 Alarms and groups... 5 2.2 Display of alarms... 5 2.3 Triggers... 5 2.3.1 Alarms not yet triggered... 6 2.3.2 Alarm triggered, and condition
Develop Your Intuition about Value Multiples By Serena Morones, CPA, ABV, ASA, CFE
By Serena Morones, CPA, ABV, ASA, CFE Introduction Do you have a reasonable sense about what multiple of EBITDA is appropriate to value your client s business? Or do you toss around standard rules of thumb
CONTENT 1. 2. 5-8 9 5. 6. 7.
User Manual TM CONTENT 1. 2. 3. 4. 5. 6. 7. 8. 9. Introduction The Autochartist Interface Analysis Toolbar (A) Pattern Display (B) Search Pane (C) Results Pane (Completed Patterns) (D) Results Pane (Emerging
The Center for Teaching, Learning, & Technology
The Center for Teaching, Learning, & Technology Instructional Technology Workshops Microsoft Excel 2010 Formulas and Charts Albert Robinson / Delwar Sayeed Faculty and Staff Development Programs Colston
Models of a Vending Machine Business
Math Models: Sample lesson Tom Hughes, 1999 Models of a Vending Machine Business Lesson Overview Students take on different roles in simulating starting a vending machine business in their school that
User Manual. Before you connect, start or configure your new point of sale terminal, please carefully read the User Manual
User Manual Before you connect, start or configure your new point of sale terminal, please carefully read the User Manual Copyright This publication, including all photograhs, illustrations and software,
Chapter 1.4 Trends 0
Chapter 1.4 Trends 0 TECHNICAL ANALYSIS: TRENDS, SUPPORT AND RESISTANCE Charts, charts, charts. When most people think about trading Forex, they think about watching price movements flash by them on the
Using Order Book Data
Q3 2007 Using Order Book Data Improve Automated Model Performance by Thom Hartle TradeFlow Charts and Studies - Patent Pending TM Reprinted from the July 2007 issue of Automated Trader Magazine www.automatedtrader.net
FXQUICK TOOLS. FQ Master Fractals. degrees of time the right way. chart without it. For inquiries, you can reach us at: info@fxquickroute.
FQ Master Fractals Simple but powerful tool that helps you analyze the market in different degrees of time the right way. As soon as you discover the potential of this tool, you will never open a chart
Setting Up A Gradebook. Skyward Educator Access Plus Gradebook Home Page You can access your Gradebook from any computer with Internet access.
Setting Up A Gradebook Skyward Educator Access Plus Gradebook Home Page You can access your Gradebook from any computer with Internet access. Do not use the x use the Exit button Always exit from the homepage
Advanced Excel Charts : Tables : Pivots : Macros
Advanced Excel Charts : Tables : Pivots : Macros Charts In Excel, charts are a great way to visualize your data. However, it is always good to remember some charts are not meant to display particular types
Swing Trading Tactics
Pristine.com Presents Swing Trading Tactics With Oliver L. Velez Founder of Pristine.com, and Author of the best selling book, Tools and Tactics for the Master Day Trader Copyright 2001, Pristine Capital
Advanced Trading Systems Collection MACD DIVERGENCE TRADING SYSTEM
MACD DIVERGENCE TRADING SYSTEM 1 This system will cover the MACD divergence. With this trading system you can trade any currency pair (I suggest EUR/USD and GBD/USD when you start), and you will always
GYM PLANNER. User Guide. Copyright Powerzone. All Rights Reserved. Software & User Guide produced by Sharp Horizon. www.sharphorizon.com.
GYM PLANNER User Guide Copyright Powerzone. All Rights Reserved. Software & User Guide produced by Sharp Horizon. www.sharphorizon.com. Installing the Software The Powerzone gym Planner is a piece of software
ValueCharts TradeStation
ValueCharts TradeStation ValueCharts TradeStation indicator suite can be located in the TradeStation Strategy Network under MicroQuantSM products. Free trial subscription periods are available for all
1 P a g e Questions or comments? Contact us at [email protected]
The Fundamental Score Indicator is an analysis technique created to analyze stocks strictly based on certain financial ratios of the company. The score ranges between 0 and 100, with a higher score signifying
Candlesticks. Bar Charts CANDLESTICK CORNER. When you look at your charts, do you understand everything they re telling you? by Rudy Teseo BEARISH
Stocks & ommodities V. 20:2 (65-69): andlesticks Vs. ar harts by Rudy Teseo NLESTIK ORNER VS andlesticks ar harts When you look at your charts, do you understand everything they re telling you? by Rudy
ECDL. European Computer Driving Licence. Spreadsheet Software BCS ITQ Level 2. Syllabus Version 5.0
European Computer Driving Licence Spreadsheet Software BCS ITQ Level 2 Using Microsoft Excel 2010 Syllabus Version 5.0 This training, which has been approved by BCS, The Chartered Institute for IT, includes
FUTURES STRATEGY: Short-term CCI p. 10. ADJUSTING TO stock index futures shift p. 14. STRADDLES, STRANGLES, and volatility p. 16
May 2009 Volume 3, No. 5 FUTURES STRATEGY: Short-term CCI p. 10 ADJUSTING TO stock index futures shift p. 14 STRADDLES, STRANGLES, and volatility p. 16 FEAR AND LOATHING in the options market p. 20 TRADING
Sequences. A sequence is a list of numbers, or a pattern, which obeys a rule.
Sequences A sequence is a list of numbers, or a pattern, which obeys a rule. Each number in a sequence is called a term. ie the fourth term of the sequence 2, 4, 6, 8, 10, 12... is 8, because it is the
ABOUT THIS DOCUMENT ABOUT CHARTS/COMMON TERMINOLOGY
A. Introduction B. Common Terminology C. Introduction to Chart Types D. Creating a Chart in FileMaker E. About Quick Charts 1. Quick Chart Behavior When Based on Sort Order F. Chart Examples 1. Charting
Scan Physical Inventory
Scan Physical Inventory There are 2 ways to do Inventory: #1 Count everything in inventory, usually done once a quarter #2 Count in cycles per area or category. This is a little easier and usually takes
How I Trade Profitably Every Single Month without Fail
How I Trade Profitably Every Single Month without Fail First of all, let me take some time to introduce myself to you. I am Kelvin and I am a full time currency trader. I have a passion for trading and
BullCharts Review. Easy Installation & Setup. BullCharts Display. By Jason Mitchell
BullCharts Review By Jason Mitchell As many of my readers know I have been a very strong Metastock supporter for a number of years. Over time I have also become accustomed to Metastock and its features
SUPER SCALPER INDICATOR
SUPER SCALPER INDICATOR 2011 www.superscalperindicator.com January 2011 DISCLAIMER Please be aware of the loss, risk, personal or otherwise consequences of the use and application of this book s content.
Calculating profitability indicators - profitability
Calculating profitability indicators - profitability Introduction When a business is deciding whether to grant credit to a potential customer, or whether to continue to grant credit terms to an existing
GRAPHS/TABLES. (line plots, bar graphs pictographs, line graphs)
GRAPHS/TABLES (line plots, bar graphs pictographs, line graphs) Standard: 3.D.1.2 Represent data using tables and graphs (e.g., line plots, bar graphs, pictographs, and line graphs). Concept Skill: Graphs
