31 December 2010

afl to calculate risk, profit and RR Ratio

First save the formulae through FORMULA EDITOR. Then click on COMMENTARY. Immediately guru chart commentary will open. After that click on formula in guruchart commentary and click on LOAD button and select the formulae where you have saved. Then change the parametres of entry, stoploss,target for the current chart. Then click on commentary. You will get results.


"Date="+Date();
Entry=10.15;
StopLoss=9.57;
Target=13.97;
"Entry="+WriteVal(Entry);
"StopLoss="+WriteVal(StopLoss);
"Target="+WriteVal(Target);
Risk=(Entry-StopLoss);
RiskPer=((Entry-StopLoss)/Entry)*100;
"Risk%="+WriteVal(RiskPer);
Profit=(Target-Entry);
ProfitPer=((Target-Entry)/Entry)*100;
"Profit%="+WriteVal(ProfitPer);
RRR=(Profit/Risk);
"RRRatio="+WriteVal(RRR);

30 December 2010

Formula name: MultiCycle 1.0

Description:

This looks at four different cyclic indicators together at one time. When three oscillators synchronize, this signals a strong buy or sell.

The white dotted line is the Volume Flow Indicator, or VFI. If the VFI is above the zero line, look for synchronized oscillators rising out of an oversold condition -- this is a good buy signal. If VFI is below zero, look for overbought conditions and short, instead.

The REI is Tom DeMark's Range Expansion Index. This is the most leading indicator included here. The DSS is a double-smoothed stochastic, good for timing and exact buy or sell point. And the IFT is the Inverse Fisher Transform function.

This indicator works well for any time frame. All it takes is a little getting used to before you become intuitive with it.

I named it the MultiCycle for lack of a better name.
Formula:

/*
MULTICYCLE 1.0
By Brian Richard
*/

/* Volume Flow Indicator */
Period = Param("VFI Period",26,26,1300,1);
Coef=0.2;
VCoef=Param("Max. vol. cutoff",2.5,2.5,50,1);
inter = log(Avg)-log(Ref(Avg,-1));
Vinter = StDev(inter,30);
Cutoff=Coef*Vinter*Close;
Vave=Ref(MA(V,Period),-1);
Vmax=Vave*Vcoef;
Vc=Min(V,VMax);
MF=Avg-Ref(Avg,-1);
VCP=IIf(MF>Cutoff,VC,IIf(MF<-Cutoff,-VC,0)); VFI1=Sum(VCP,Period)/Vave; VFI=EMA(VFI1,3); /* Double Smoothed Stochastic - DSS */ Slw = 4; Pds = 4; A = EMA((Close-LLV(Low,Pds))/(HHV(H,pds)-LLV(L,Pds)),Slw)*100; DSS = EMA((A-LLV(A,pds))/(HHV(A,Pds)-LLV(A,Pds)),Slw)*100; /* Tom DeMark's Range Expansion Index */ HighMom = H - Ref( H, -2 ); LowMom = L - Ref( L, -2 ); Cond1 = ( H >= Ref( L,-5) OR H >= Ref( L, -6 ) );
Cond2 = ( Ref( H, -2 ) >= Ref( C, -7 ) OR Ref( H, -2 ) >= Ref( C, -8 ) );
Cond3 = ( L <= Ref( H, -5 ) OR L <= Ref( H, -6) );
Cond4 = ( Ref( L, -2 ) <= Ref( C, -7 ) OR Ref( L, -2 ) <= Ref( C, -8 ) );
Cond = ( Cond1 OR Cond2 ) AND ( Cond3 OR Cond4 );
Num = IIf( Cond, HighMom + LowMom, 0 );
Den = abs( HighMom ) + abs( LowMom );
TDREI = 100 * Sum( Num, 5 )/Sum( Den, 5 ) ;

// General - purpose Inverse Fisher Transform function
function InvFisherTfm1( array1 )
{
e2y1 = exp( 2 * array1 );
return ( e2y1 - 1 )/( e2y1 + 1 );
}
function InvFisherTfm2( array2 )
{
e2y2 = exp( 2 * array2 );
return ( e2y2 - 1 )/( e2y2 + 1 );
}
function InvFisherTfm3( array3 )
{
e2y3 = exp( 2 * array3 );
return ( e2y3 - 1 )/( e2y3 + 1 );
}

function InvFisherTfm4( array4 )
{
e2y4 = exp( 2 * array4 );
return ( e2y4 - 1 )/( e2y4 + 1 );
}

Value1 = 0.1 * (DSS-55);
Value2 = WMA( Value1, 5 );

Value3 = 0.1 * ( RSI( 5 ) - 50 );
Value4 = WMA( Value3, 10 );

Value5 = 0.03 * (TDREI);
Value6 = WMA( Value5, 10 );

Value10 = VFI;
Value11 = EMA(VFI,10);

Plot( InvFisherTfm1( Value2 ), "DSS", colorDarkGreen, styleThick );
Plot( InvFisherTfm2( Value4 ), "RSI", colorBlue, styleThick );
Plot( InvFisherTfm3( Value6 ), "REI", colorRed, styleThick );
Plot( InvFisherTfm4( Value11 ), "VFI", colorWhite, styleDots );

Plot(0,"",colorDarkBlue,styleDots);
PlotGrid( 0.5 );
PlotGrid(-0.5 );

25 December 2010

Schaff's Trend Cycle - Amibroker

The Schaff Trend Cycle Indicator (STC) by Dough Schaff, was developed to improve upon the speed and accuracy of the MACD indicator when it comes to identifying trends. It uses a MACD Line (the difference between two exponential moving averages) through a reworked stochastic algorithm.

What we get is a faster cycle identifier - an great aid in identifying trend changes and finding faster entries and exits.

Schaff Trend Cycle (STC) oscillates in between 0 and 100 scale.
The 25 level is called a Buy level, the 75 - a Sell level.
The default settings for STC are (10, 23, 50).

Buy Entry:
1. While indicator stays below the 25 - the downtrend is in progress.
2. Once it crosses up above the 25 level - it's the first warning of a changing trend: place a pending Buy order above the corresponding candle on a chart.
3. Wait for the Buy order to be filled. If the order is not filled, and the price continues lower - not a problem. Keep the pending order further while observing Schaff Trend Cycle behavior and new signals.



Opposite true for Sell entries, where the indicator has to cross the 75 level down to send a signal about a trend change setup.

18 December 2010

BEAR MARKET AND STOP LOSS

Bear market,Things are quite bad brokers are tensed they are not able to reach their respective brokerage targets,Traders are feeling the heat no easy money by trading in out.

Is there any way to survive Bear market!!!!

Of course easiest would be not to trade:).

Well that's not possible.
Trader will trade

Many Traders or investors have one thing in common in thinking.
Bear market good for investment...
buying in falls would fetch good return...

Now here few valid points to discuss
how long you ready to wait..
A trader who sits in front of live charts would he be able to see his holding getting ripped off 50-80%.
Secondly,How to analyze which fall is good to buy,and which is not.

Answer would be not an easy task.
With the kind off falls we are witnessing in individual stocks Its a daunting task.

Atleast we can figure out how much we are ready to loose if the trade goes against us.
In more technical terms we need to define risk appetite.
There's a very catchy saying "A trader with out risk is like a nude girl in a boy's hostel"

You just cannot risk more than you ready to loose
Also cannot hold on to it as it keeps your money stuck in a bad trade discouraging to to get into a new trade and of course Capital gets eaten up its a cascading effect .
Lets take an example say a trader gets into a trade he makes 2k loss a amateur trader would
risk double capital to recover 2k loss+ 2k profit and may end up losing 4k.
Some one so rightly pointed out
Trading is serious Business.Accept it or forget it:)

Stop loss is best tool to define ones risk,Without stop loss its kind off gambling or wishful thinking
I came across many traders who say every time we put stop loss it gets hit.
Take this with a pinch of salt if your sl hits in more than 50% of your trades think about something else trading is not your cup of of tea.

16 December 2010



Pivot Identifier (Amibroker AFL)
Price pivots are best conceptualized with three bars. A three-bar pivot low represents support and is formed when buying pressure turns price from down to up. It is designated by a price bar with a higher low that closes above the previous bar's high, where the previous bar's low is lower than the bar that preceded it. This is true in every time frame.

A three-bar pivot high represents resistance and is formed when sellers turn price from up to down. It is seen where a price bar with a lower high closes below the previous bar's low, where the previous bar's high is higher than the bar that preceded it. Structural pivots are more easily recognized and understood when seen in a diagram or on a price chart. This is true in every time frame. (See the below mentioned figure)


Now I introduce the Pivot identifier AFL for Amibroker. You can also identify important supports and resistances in any time frame. The AFL is as follows (also an image attached):

http://2.bp.blogspot.com/_-XgafoM-JX0/TBo8PTCgomI/AAAAAAAAEr8/btyErbOnn2A/s320/Pivot+Identifier.png

_SECTION_BEGIN("Pivot Identifier");
SetChartOptions(0,chartShowArrows|chartShowDates);
_N(Title = StrFormat("{{NAME}} - {{INTERVAL}} {{DATE}} Open %g, Hi %g, Lo %g, Close %g (%.1f%%) {{VALUES}}", O, H, L, C, SelectedValue( ROC( C, 1 ) ) ));
Plot( C, "Close", ParamColor("Color", colorBlack ), styleNoTitle | ParamStyle("Style") | GetPriceStyle() );

dist = 0.5*ATR(10);
//code and plot the pivot top
PivotTop = L < Ref(L,-1) AND H < Ref(H,-1) AND Ref(L,-1) < Ref(L,-2) AND Ref(H,-1) < Ref(H,-2) AND Ref(H,-2) > Ref(H,-3) AND Ref(L,-2) > Ref(L,-3);
PivotBottom = H > Ref(H,-1) AND L > Ref(L,-1) AND
Ref(H,-1) > Ref(H,-2) AND Ref(L,-1) > Ref(L,-2) AND
Ref(L,-2) < Ref(L,-3) AND Ref(H,-2) < Ref(H,-3);
for( i = 0; i < BarCount; i++ )
{
if( PivotTop [i] ) PlotText( "PVT", i-2, H[ i-2 ], colorGreen );
if( PivotBottom [i] ) PlotText( "PVB", i-2, L[ i-2 ] - dist[i] , colorRed );
}
_SECTION_END();

Trapped Traders - Part 1 Written by Lance Beggs




Trapped Traders - Part 1





Trapped traders are a simple concept you may wish to incorporate into your trading strategy, due to its potential to offer higher reliability trade setups.



These are price action based setups in which traders suddenly find themselves trapped in an undesirable situation, either:



a. Stuck in a losing position, desperate to get out; or

b. Stopped out of a position that then moves back in their direction, leaving them desperate to get back in.



The key in both cases is that the price action has placed traders in a position where their normal human emotional response will compel them to make a trade. We can then increase our odds by trading in the same direction as this new surge of order flow.



There are numerous ways this can present itself on a chart. We’ll look at one of my favorites today, and follow up with other trapped trader patterns in future articles.



Today’s pattern is called a 3-swing retrace.



You might also hear it referred to as an ABC correction, or an ABCD correction. It could also be considered in some cases a bull or bear flag.



We’ll start by examining a 3-swing retrace in an uptrend.


http://www.yourtradingcoach.com/images/stories/articles/3-swing-retrace-long.jpg


3-swing retrace - long







The 3 swings in the name refer to price swing AB, followed by BC and CD.



The price action is quite simple. An uptrend leading to:



- A higher high at pivot A, followed by

- A higher low at pivot B,

- A lower high at pivot C,

- A lower low at pivot D, and

- A price reversal back in the direction of the original trend.



The moving average is not essential – it’s just there to make it simpler to see the clear uptrend. And because you’re sure to be wondering, it’s a 20 period EMA. Nothing special about that, although it is a commonly used moving average. Anyway, back to the 3-swing retrace…



Why is this 3-swing retrace a powerful setup? Let’s consider the thought processes of two quite normal traders, trader A and trader B.



Trader A has been watching the uptrend rally from the sidelines, frustrated that he’s missed the move, and desperately seeking any sign of a reversal so he can get on board the next trend early. He’s not going to miss this next trade. Hope comes when he sees the price unable to breach the highs of pivot A, forming the lower high of pivot C. Trader A knows that the definition of an uptrend is a sequence of higher highs and higher lows, so the lower high is a warning sign of possible trend failure which will be confirmed by a break of the pivot low at B. He places an entry order to initiate a short position on a break of B, as is rewarded as a large red candle triggers his entry.



This is quite common thinking. Many traders will see this breakout as a quite reasonable entry point in the short direction. Others will wait for further confirmation such as a close below the pivot low at B, entering at an even worse price. The strong close below the EMA 20 is another bearish sign which should attract other traders seeking an early entry to a reversal.



In this case, the bearish order flow of the reversal traders was insufficient to overcome the force of the uptrend. Price immediately turned and smashed them, via a large green candle closing well above the pivot B breakout entry point and also above the entire red breakout candle.



No-one likes the pain of failure, especially when it comes so rapidly and decisively.



Stops will be triggered, in some cases above the red breakout candle which led to pivot D, or in other cases above the high of pivots C or A. These stop orders, which are a BUY, add to the uptrend bullish order flow, helping to propel price to new highs.



Now let’s consider Trader B. Trader B was lucky enough to catch the original trend and is sitting on a profitable long position. However, as is quite common, Trader B finds it difficult to let profits run. Recognizing the lower high at pivot C, and therefore the potential trend failure, she tightens up the trailing stop to a breakout of the last swing low, pivot B. Stopped out of her position as the red candle moved down to D she feels quite happy with herself and her brilliant tape-reading skills, until the next green candle reaffirms the dominance of the bulls and continues the uptrend without her.



Knowing that she was unfairly stopped out by those damn stop-running brokers who once again were obviously targeting her position, she now scrambles to reenter her position long, either on the close of the green candle, or the breakout above pivots C or A.



Once again, the reentry order, which is a BUY, adds to the bullish order flow helping to propel price to new highs.



All jokes about stop-running brokers aside, this is really quite common. A 3-swing retrace in an uptrend traps the bulls out of their long position, forcing them to have to get back in, and also traps the bears in a losing position, forcing them to get out. Both outcomes, trapped out of a trade, or trapped in a losing trade, lead to further bullish order flow.



Where is our entry?



As soon as we can after the large bullish green candle traps our friends Trader A and B.



Our stop loss of course should be below the pivot D, as price returning to new lows would confirm the failure of our 3-swing retrace setup. Yes, sometimes the trappers can get trapped!!!



Let’s look quickly at a second example, this time in a downtrend.





3-swing retrace - short





This example is not as technically beautiful as the previous one, but then price action patterns are rarely text-book perfect. If you look at the positioning of the labels A to D, you’ll clearly see the 3-swing retracement pattern. In this case we have a downtrend leading to…



- A lower low at pivot A, followed by

- A lower high at pivot B,

- A higher low at pivot C,

- A higher high at pivot D, and

- A price reversal back in the direction of the original trend.





The candle at pivot B offered an excellent rejection of higher prices, perhaps tempting many of the traders in a short position to tighten their stops above this candle. These positions were of course stopped out on the run up to D, trapping the bears out of their position as it then resumed its downward move.



Likewise, anyone entering long on the break above pivot B suffered through a 3 candle pause before being trapped in a drawdown situation.



Both groups of traders, those trapped in a losing long position and those trapped out of a profitable short position, will now contribute to the bearish order flow through their sell orders, as price plummets from pivot D.



We’ll look at more trapped trader patterns in future articles.



Till then, watch out for these patterns when the market is trending. Awareness of these setups can be difficult in real-time as it is quite common for traders to be searching for reversals. It’s important to remember though that trends will often continue a lot further than you can possibly expect. So don’t be too quick to change your bias. Watch counter-trend setups for possible failure opportunities, which often give a great entry back in the original trend direction.

11 December 2010

Harmonic Trading 104 (The Butterfly Pattern )

As we begin to learn about the Butterfly Pattern.

I would like to say that it is not easy. And will take some time to fully comprehend the various Fibonacci rations that makes up each Harmonic pattern.*

If you are an average Joe trader such as myself. I suggest that you find a good Harmonics indicator to help with identifying these patterns in the live market. (And connect with more experienced Harmonic traders to help you on your journey.)*

Never trade with out a stop and use good money management.

So Lets Get Started!!!!


The Butterfly Pattern


The Butterfly is considered a reversal pattern. Especially when found at significant tops (Highs) and Bottoms (Lows)


An ideal Butterfly Pattern, has a Fibonacci ratio of a 0.786 retracement of the XA leg as the B point.

That forms an AB=CD pattern of an extended C.D. leg that is 1.27 or 1.618 of the AB leg.

D. will be below X. in a Bullish Butterfly and D. will be above X. in a Bearish Butterfly.

D. is the Bread and Butter point and projection level with the greatest profit potential if the pattern holds true.* Especially when found at significant tops (Highs) and Bottoms (Lows).





This image has been resized. Click this bar to view the full image. The original image is sized 645x355.




This image has been resized. Click this bar to view the full image. The original image is sized 782x351.


GFT-Butterfly-Bullish.pdf
GFT-Butterfly-Bearish.pdf

10 December 2010

Elliot waves and Harmonic patterns

Let us have a look at an interesting situation on the Gbp/Aud pair.
The daily chart has the makings of a possible bearish Elliot wave.

As we can see, wave2 was a sharp correction to 78.6 of wave1, and it was a classic 3 wave corrective pattern.
So far, we seem to have completed the wave3 and we can expect a pullback/correction towards the upside for a wave4.
Now, price may still continue towards the down side, thus negating the Elliot wave, but we seem to have a couple of factors pointing to a possible upside correction.
The stochastic indicator has been showing a bullish regular divergence, which indicates an upside move.
We seem to looking a possible bearish Butterfly pattern in the making within the corrective wave4.
So, if the low of EW3 holds, then we can expect some moves to the upside to complete the wave4.
We can estimate the possible levels of resistance of this up move as-
a.) The reversal level “D” of the harmonic pattern.
b.) As per the rules of the Elliot wave, the wave4 should never go into the territory of wave2; hence this could also act as a resistance level. (The red line shown in the chart)

Let us have a detailed look at the harmonic pattern – the bearish butterfly

The point B has formed precisely at the 78.6 of X-A and we are looking for some more down moves to form the point ‘C’.
If price does find support at a fib level (at ‘C’) then we can expect a rally to complete the wave ‘C-D’….which should support the wave4 of the Elliot wave.
Thus the target of this bearish butterfly would be the Fib projection 127.2 of A-D…..which would be the wave5 of the Elliot wave.

When we have 2 different factors pointing to a similar setup, then it becomes a high probability trade.
But again, coming back to our ‘Mantra”.
We don’t assume anything and we don’t predict anything. We wait for price to confirm.
So, if the low of EW3 (the point A of the harmonic pattern) holds, then we can expect a corrective move up – the Elliot wave4 and subsequently the wave5.
If price breaks this low, then it becomes a bearish 123 pattern (as shown in the chart) and we can estimate the targets of this bearish move.
Sunil.
“Act….don’t React”

03 December 2010

RADAR FOUNADATION

Radar for The Foundation for Amibroker (AFL)






1 / 5 (Votes 3)
Click a star to give your rating!

This Radar afl is a combination for Southwind’s foundation.

It has heiken trend indicator as well as macd and histogram with buy sell arrows, with various indicators as bearish hook and bullish hooks warnings.

It also gives blue lines showing strength and yellow lines for change in MACD trend.it works well with SW foundation 13.

Screen shot is attached for benefit of members.

Looks like this is done by karthik M , a good work.

Here is a screenshot of how the indicator looks:
Sw_foundation_and_radar_afl

Tags: oscillator, amibroker, exploration

AFL :

// TRADING THE MACD Ver 1.0 by Karthik Marar.


_SECTION_BEGIN("MACD");
r1 = Param( "Fast avg", 12, 2, 200, 1 );
r2 = Param( "Slow avg", 26, 2, 200, 1 );
r3 = Param( "Signal avg", 9, 2, 200, 1 );
r4 = Param( "Wk slow", 17, 2, 200, 1 );
r5 = Param( "Wk fast", 8, 2, 200, 1 );
m1=MACD(r1,r2);
s1=Signal(r1,r2,r3);
GraphXSpace =20;

mycolor=IIf(m1<0>s1, 51,IIf(m1>0 AND m1>s1,colorLime,IIf(m1>0 AND m1Plot( m1, StrFormat(_SECTION_NAME()+"(%g,%g)", r1, r2), mycolor,ParamStyle("MACD style") );
Plot( s1 ,"Signal" + _PARAM_VALUES(), ParamColor("Signal color", colorBlue ), ParamStyle("Signal style") );
histcolor = IIf((m1-s1)-Ref((m1-s1),-1)> 0, colorLime, colorRed );

TimeFrameSet( inDaily );// weekly
m1w=MACD(r4,r5);
s1w=Signal(r4,r5,r3);
kp=m1w-s1w;
kph=Ref(kp,-1);
TimeFrameRestore();

kw=TimeFrameExpand( kp, inDaily ); // expand for display
khw=TimeFrameExpand( kph, inDaily ); // expand for display
mw=TimeFrameExpand( m1w, inDaily ); // expand for display
sw=TimeFrameExpand( s1w, inDaily ); // expand for display

hcolor=IIf(mw<0>sw, 51,IIf(mw>0 AND mw>sw,colorLime,IIf(mw>0 AND mwgcolor=IIf(kw>khw,IIf(kw>0,colorDarkYellow,colorYellow),IIf(kw>0,colorSkyblue,colorBlue));


Plot( m1-s1, "MACD Histogram", mycolor, styleHistogram | styleThick| styleOwnScale );

_SECTION_END();

_SECTION_BEGIN("Signals");
//Zero crossover up

j1=Cross(m1,0);
PlotShapes(IIf(j1,shapeDigit1 ,Null),colorPaleGreen,0,Min(0,0),Min(0,0));
PlotShapes(IIf(j1,shapeUpArrow,Null),colorGreen,0,Min(0,0),-10);

// crossover above zero

j2=Cross(m1,s1) AND m1>0;
PlotShapes(IIf(j2,shapeDigit2 ,Null),colorYellow,0,0,0);
PlotShapes(IIf(j2,shapeUpArrow,Null),colorGreen,0,0,-10);

//Zero crossover down

j3=Cross(s1,m1) AND m1>0;
PlotShapes(IIf(j3,shapeDigit3 ,Null),colorOrange,0,Min(0,0),0);
PlotShapes(IIf(j3,shapeDownArrow,Null),colorOrange,0,Min(0,0),-10);

// crossover below zero

j4=Cross(0,m1);
PlotShapes(IIf(j4,shapeDigit3 ,Null),colorRed,0,0,0);
PlotShapes(IIf(j4,shapeDownArrow,Null),colorRed,0,0,-10);

// Histogram peak and troughs
pt=m1-s1;
Tp = Ref(pT,-1) == HHV(pT,3);
Vl = Ref(pT,-1)==LLV(pT,3);
PlotShapes(IIf(Vl AND m1>s1 ,shapeSmallCircle+ shapePositionAbove,shapeNone),IIf(m1<0 ,colorYellow,colorLime),0,0,0);
PlotShapes(IIf(Tp AND m1
//Zeroline reject bearish
zd=BarsSince(j1);
zlrd1=(zd<6 )AND j4;
PlotShapes(IIf(zlrd1,shapeStar+ shapePositionAbove,shapeNone),colorDarkRed,0,0,20);

//hooks bearish
Hu=BarsSince(j2);
Hu1=(Hu<6)AND j3;
PlotShapes(IIf(Hu1,shapeStar+ shapePositionAbove,shapeNone),colorRed,0,0,20);

//Zeroline reject Bullish
zu=BarsSince(j4);
zlru=zu<6 AND j1;
PlotShapes(IIf(zlru,shapeStar+ shapePositionAbove,shapeNone),colorPink,0,0,20);

//Hook Bullish
Hd=BarsSince(j3);
Hd1=Hd<6 AND j2;
PlotShapes(IIf(Hd1,shapeStar+ shapePositionAbove,shapeNone),colorLime,0,0,20);

//ADX related calculations
plus=EMA(PDI(14),3)>Ref(EMA(PDI(14),3),-5);
ap=EMA(ADX(14),3)>Ref(EMA(ADX(14),3),-5);
Minus=EMA(MDI(14),3)>Ref(EMA(MDI(14),3),-5);

//Power Dips - Bullish
PDIp=ADX(14)>MDI(14) AND PDI(14)>MDI(14) AND ap AND Vl AND m1>s1 AND plus ;
PlotShapes(IIf(PDIp,shapeHollowCircle+ shapePositionAbove,shapeNone),colorCustom12,0,0,0);

//power buys
pr2=ADX(14)>20 AND PDI(14)>20 AND ADX(14)>MDI(14) AND PDI(14)>MDI(14) AND plus AND j2;
PlotShapes(IIf(pr2,shapeHollowCircle+ shapePositionAbove,shapeNone),colorCustom12,0,0,20);

//Power Dips - Bearish
PDIm=ADX(14)>PDI(14) AND MDI(14)>PDI(14) AND ap AND Tp AND m1PlotShapes(IIf(PDIm,shapeHollowCircle+ shapePositionAbove,shapeNone),colorWhite,0,0,0);

//Power shorts
sr2=ADX(14)>20 AND MDI(14)>20 AND ADX(14)>PDI(14) AND MDI(14)>PDI(14) AND Minus AND j4;
PlotShapes(IIf(sr2,shapeHollowCircle+ shapePositionAbove,shapeNone),colorRed,0,0,-20);

//powerbuy2
pr2a=ADX(14)>20 AND PDI(14)>20 AND ADX(14)>MDI(14) AND PDI(14)>MDI(14) AND plus AND j1;
PlotShapes(IIf(pr2a,shapeHollowCircle+ shapePositionAbove,shapeNone),colorCustom12,0,0,20);
_SECTION_END();

_SECTION_BEGIN("Exploration");
Filter = j1 OR j2 OR j3 OR j4 OR PDIp OR PDIm OR pr2 OR sr2 ;

AddColumn(j1,"ZL UP",1);
AddColumn(J2,"MA Up",1);
AddColumn(j3,"MA DN",1);
AddColumn(J4,"ZL DN",1);
AddColumn(PDIp,"PDIP UP",1);
AddColumn(pr2,"PHK UP",1);
AddColumn(PDIm,"PDIP DN",1);
AddColumn(sr2,"PHk UP",1);
_SECTION_END();

_SECTION_BEGIN("Display the Signals");
Title = "Trading the MACD" + " - " + Name() + " - " + EncodeColor(colorRed)+ Interval(2) + EncodeColor() +

" - " + Date() +" - " +EncodeColor(colorLime)+ "MACD= "+WriteVal(m1)+"--"+EncodeColor(colorYellow)+
WriteIf (j1, " MACD Crossed above zero","")+
WriteIf (j2, " Bullish crossover above zero","")+
WriteIf (j4, " MACD Crossed below Zero","")+
WriteIf (j3, " Bearish crossover above zero","")+
WriteIf (PDIP, " Bullish Power Dip","")+
WriteIf (pr2, " & Power Buy","")+
WriteIf (sr2, " & Power Short","")+
WriteIf (PDIm, " Bearish Power Dip","")+
WriteIf (Hd1, " & Bullish Hook","")+
WriteIf (Hu1, " & Bearish Hook","")+
WriteIf (zlrd1, " & Bearish zeroline Reject","")+
WriteIf (zlru, " & Bullish Zeroline Reject","");
_SECTION_END();






















_SECTION_BEGIN("Earth-2");
//Copyright 9Trading.com
VAR2=(High+Low+(Close)*(2))/(4);
B = ((EMA((VAR2-LLV(VAR2,15))/(HHV(Low,15)-LLV(VAR2,15)),2))*(38));
Plot(b, "", 4, 1+4);
bot1 = ((((-1))*(EMA((VAR2-LLV(VAR2,15))/(HHV(Low,15)-LLV(VAR2,15)),2))+0.01)*(38));
Plot(bot1, "", 4, 1+4);
VAR22=((Close-LLV(Low,10))/(HHV(High,10)-LLV(Low,10)))*(100);
VAR33=EMA(VAR22,10);
VAR44=EMA(VAR33,10);
VAR55=(3)*(VAR33)-(2)*(VAR44);
VAR66=EMA(VAR55,5);
BridgeT = (EMA(VAR66,1));
Plot(bridget, "", IIf(bridget > Ref(bridget,-1),colorBlue,colorYellow), 1+4);
Plot(-bridget, "", IIf(bridget > Ref(bridget,-1),colorBlue,colorYellow), 1+4);

trend = (5)*(EMA(((Close-LLV(Low,27))/(HHV(High,27)-LLV(Low,27)))*(100),5))-
(3)*(EMA(EMA(((Close-LLV(Low,27))/(HHV(High,27)-LLV(Low,27)))*(100),5),3))-
EMA(EMA(EMA(((Close-LLV(Low,27))/(HHV(High,27)-LLV(Low,27)))*(100),5),3),2);
Buy1 = Cross(trend,5);
PlotShapes( IIf( Buy1, shapeSmallSquare, shapeNone ), colorGreen, layer = 0, yposition = 0, offset = 3 );
PlotShapes( IIf( Buy1, shapeSmallSquare, shapeNone ),colorGreen, layer = 0, yposition = 0, offset = -4 );

VARA1=((Close>=Ref(Close,-1)) AND (Ref(Close,-1)>=Ref(Close,-2)) AND (Ref(Close,-1)<=Ref(Close,-3))
AND (Ref(Close,-2)<=Ref(Close,-3)) AND ((Ref(Close,-4)>Ref(Close,-2)) OR (Ref(Close,-4)<=Ref(Close,-2))
AND (Ref(Close,-5)>=Ref(Close,-3))) OR (Close>=Ref(Close,-1)) AND (Ref(Close,-1)<=Ref(Close,-2))
AND (Close>=Ref(Close,-2)) AND ((Ref(Close,-3)>Ref(Close,-1)) OR (Ref(Close,-3)<=Ref(Close,-1))
AND (Ref(Close,-4)>=Ref(Close,-2))));
VARA2=LLV(Low,5);
VARA3=HHV(High,5);
VARA4=EMA(((Close-VARA2)/(VARA3-VARA2))*(100),4);
VARA5=EMA((0.66699999)*(Ref(VARA4,-1))+(0.333)*(VARA4),2);
VARA6=(VARA5<24) AND (Open
Buy2 =IIf(VARA1 AND (VARA6),30,0);
Plot(Buy2, "", 8,2+4);
Plot(-Buy2, "", 8,2+4);

_N(Title = StrFormat("\\c02.{{NAME}} | {{DATE}} | {{VALUES}}")+EncodeColor(colorBrightGreen)+WriteIf(Buy2==30,"BuySignal-A","" )+EncodeColor(colorBrightGreen)+WriteIf(Buy1==1," | BuySignal-B",""));


_SECTION_BEGIN("Earth-3");
n = Param("Periods", 14, 5, 25, 1 );
var6=(2*Close+High+Low)/4;
var7=LLV(L,n);
var8=HHV(H,n);
var9=EMA((var6-var7)/(var8-var7)*100,5);
varA=EMA(0.333*Ref(var9,-1)+0.667*var9,3);
UP=Var9;
DOWN=Vara;
barcolor2=
IIf( (Ref(up,-1)>Ref(down,-1) AND Ref(up,-1)>up AND up>down )
OR (Ref(up,-1) , colorBlue,
IIf(up>down,5,4));
Plot(0,"",barcolor2,styleLine);

_SECTION_END();

_SECTION_BEGIN("Earth-1");
EB1 = Close > Ref(Close, -1) AND Ref(Close, -1) > Ref(Close, -2) AND Ref(Close, -1) <>= Ref(Close, -5) ),IIf(Ref(Close, -5) < Ref(Close, -6), 1,Ref(Close, -6) < Ref(Close, -7))));
ES1 = Close <> Ref(Close, -3) AND IIf(Ref(Close, -3) > Ref(Close, -4), 1, IIf(Ref(Close, -4) > Ref(Close, -5),Ref(Close, -1) > Ref(Close, -4) OR( Ref(Close, -2) > Ref(Close, -4) AND Ref(Close, -3) <= Ref(Close, -5) ),IIf(Ref(Close, -5) > Ref(Close, -6), 1,Ref(Close, -6) > Ref(Close, -7))));
PlotShapes( IIf( EB1, shapeHollowSmallSquare, shapeNone ), colorWhite, layer = 0, 0, 0 );
PlotShapes( IIf( ES1, shapeHollowSmallSquare, shapeNone ), colorOrange, layer = 0, 0, 0 );
_SECTION_END();

_SECTION_BEGIN("Exploration");
LastBar = Cum( 1 ) == LastValue( Cum( 1 ) );
Filter = LastBar;

pfrom = Param("Price From", 0, 0, 1000, 0.5 );
pto = Param("Price To", 1000, 0, 1000, 0.5 );
Minv = Param("Minimum Volume (K)", 500, 0, 1000, 50);
dd = Param("Decimal Digits", 1.2, 1, 1.7, 0.1 );

EB21= Buy1;
EB22=Buy2;
//Filter = Buy AND C>pfrom AND C1000*Minv;
Color = IIf(Close>Open, colorGreen, colorRed);
bcolor = IIf(Buy1 OR Buy2, colorGreen, 1);
AddTextColumn(WriteIf(EB1,"Buy",WriteIf(ES1,"Sell","")),"Earth-1",colorDefault,-1);
AddTextColumn(WriteIf(Buy1==1,"Buy-A"," "),"Earth-2a",colorDefault,-1);
AddTextColumn(WriteIf(Buy2==30,"Buy-B"," "),"Earth-2b",colorDefault,-1);
AddTextColumn(WriteIf(bridget > Ref(bridget,-1) AND Ref(bridget,-1)Ref(bridget,-2),"Sell","")),"Earth-2c",colorDefault,-1);
AddTextColumn(WriteIf(barcolor2==colorBlue,"Modarate",WriteIf(barcolor2==4,"Buy",WriteIf(barcolor2==5,"Sell",""))),"Earth-3",colorDefault,-1);
//AddColumn(Buy, "Buy" , 1.1, bcolor);
//AddColumn(O, "Open", dd, textColor = Color);
//AddColumn(C, "Close", dd, textColor = Color);
//AddColumn(V, "Volume", 1, textColor = Color);
//AddTextColumn(FullName(),"Name");
_SECTION_END();










// created by chandrakant
//modified on 120309..credit goes to of Karthik sir

/*1. Here are some observations to keep in mind that will help assure
you are in a good trending move which is detrimental to the success
of the trade moving higher before the inevitable over exhausted trend.

2 Consider only going long on the 5M if the 30M (two rows above) is also blue.

3 Consider the 1hr row as well being blue since it has an effect too.

4 The 15M row has to be blue with NO exceptions

5 The 30M row if blue has less effect on the trade as compared to the 15M row
but keep this in mind. The 30M row being blue helps the 15M row continue to stay blue.

6 The 1hr row has even less effect OR importance but it too keeps the 30M
from weakening to some minor degree.
*/
// Define label bar (x) position location

blankRightBars = 5; //insert actual blank right bars specified in Preferences
barsInView = Status("lastvisiblebarindex") - Status("firstvisiblebarindex") - blankRightBars;
Offset = Param("Offset Bar", 0.95, 0, 1, 0.01);
textOffset = BarCount - (Offset * barsInView);

_SECTION_BEGIN("default");
HaClose =EMA((O+H+L+C)/4,3);
HaOpen = AMA( Ref( HaClose, -1 ), 0.5 );
HaHigh = Max( H, Max( HaClose, HaOpen ) );
HaLow = Min( L, Min( HaClose, HaOpen ) );
PlotText("Heinkein 4T tf :"+Interval(2), textoffset, 41.01, colorYellow);

Color = IIf( Haopen > Haclose,4, IIf( Haopen == Haclose,colorYellow, 6));
Plot(10,"", Color, styleHistogram+styleThick|styleOwnScale|styleNoLabel, 0, 100 );
Plot( 11,"",colorBlack,styleOwnScale|styleArea|styleNoLabel,0, 100 );

_SECTION_BEGIN("4");
Compress4= Param("Compression4",8,2,10,1);
TimeFrameSet(Compress4* Interval());
HaClose4 =EMA((O+H+L+C)/4,3);
HaOpen4 = AMA( Ref( HaClose4, -1 ), 0.5 );
HaHigh4 = Max( H, Max( HaClose4, HaOpen4 ) );
HaLow4 = Min( L, Min( HaClose4, HaOpen4 ) );
PlotText("Heinkein 4T tf :"+Interval(2), textoffset, 41.14, colorYellow);
TimeFrameRestore();
HAopen4f=TimeFrameExpand( Haopen4, Compress4* Interval());
Haclose4f=TimeFrameExpand( Haclose4, Compress4* Interval());
HaHigh4f=TimeFrameExpand( Hahigh4, Compress4* Interval());
HaLow4f=TimeFrameExpand( Halow4, Compress4* Interval());
Color4 = IIf( Haopen4f > Haclose4f,4, IIf( Haopen4f == Haclose4f ,colorYellow, 6));
Plot(10,"", Color4, styleHistogram+styleThick|styleOwnScale|styleNoLabel, 0, 100 );
Plot( 41,"",colorBlack,styleOwnScale|styleArea|styleNoLabel,0, 100 );
_N(Title = "{{NAME}} - {{INTERVAL}} {{DATE}} "+_DEFAULT_NAME()+" : {{OHLCX}} {{VALUES}}" );



27 November 2010

Better Volume (Amibroker Formula)


This is a modified version of Volume indicator in Amibroker. Now have an idea of what type of volumes are building. Climax - Red, Churning - Green, Low Volume - Yellow, Climax Churning - Blue, Low Churning - Lime. With the help of this you can have an idea on where is the smart money flowing for now.

The Amibroker formula is as follows:
//******************************
_SECTION_BEGIN("EMA");

P = Volume;
Periods = Param("PeriodsEMA", 9, 2, 300, 1, 10 );
Plot( EMA( P, Periods ), _DEFAULT_NAME(), colorRed, styleLine
styleThick );
_SECTION_END();

Period = Param("Period", 10, 2, 300, 1, 10 );;
LowColor = colorYellow;
ClimaxColor = colorRed;
ChurnColor = colorGreen;
ClimaxChurnColor=colorBlue;
LowChurnColor= colorLime;

Value1 = V;
Value2 = V*(H-L);
Value3 = V/(H-L);

BarColor = IIf( (Value1 == LLV(Value1,Period)), LowColor,
IIf( (Value2 == HHV(Value2,Period)), ClimaxColor,
IIf( (Value3 == HHV(Value3,Period)), ChurnColor,
IIf( ((Value2 == HHV(Value2,Period) AND (Value3 == HHV(Value3,Period)))), ClimaxChurnColor,
IIf( (Value3 == LLV(Value3,Period)), LowChurnColor, colorBlueGrey)))));

_SECTION_BEGIN("Volume");
Plot( Volume, _DEFAULT_NAME(), BarColor, ParamStyle( "Style", styleHistogram
styleThick, maskHistogram ), 2 );
_SECTION_END();
//******************************

Time To Setup Your Charts - Daytrading or Swing Trading


Here is an example by Ben Brinneman on how you could setup your charts to trade in the choppy and volatile market. He named it as Tripple Whammy Setup. Refer to the time reference for day-trading below.

SET UP YOUR CHART: Ensure first that you have a good real-time streaming chart-package. We can provide that in Amibroker, and make your chart-settings as follows:

1. Chart Data Required: For DAY-Trading, 30 minutes or one hour; for SWING- Trading, 3 days or longer
2. Chart Style: CANDLESTICK
3. Chart Frequency: For DAY-Trading, one minute; for SWING-Trading, 10, 15, or 30 minutes
4. Upper Indicators: EMA (9 period) and BOLLINGER BANDS (20 period)
5. Lower Indicators: MACD (12, 26) and RSI (14) and volume.

For quick profits with a Triple-Whammy Perfect BUY (Buy-Low-then-Sell-High; or Buy-to-Cover Short-Sell), these three legs are as follows:
1. The candlesticks will violate the lower Bollinger Band.
2. RSI must fall into OVERSOLD territory, under 30, and preferably in DEEPLY OVERSOLD territory, under 20.
3. The MACD (blue) line must be under the signal (red) line, and falling; and then must turn back upwards and cross the signal line. The crossover is the final confirmation — but if the turn upwards is sharp enough, you know it’s getting ready to do a crossover, so it’s best to go ahead and act, if the prior two conditions are already in place.

For quick profits with a Triple-Whammy Perfect SELL (Short-Sell-High-then-Buy-Low; or Sell-to-Close Long Position), these same three legs are as follows:
1. The candlesticks will violate the upper Bollinger Band.
2. RSI must rise into OVERBOUGHT territory, over 70, and preferably in STEEPLY OVERBOUGHT territory, over 80.
3. The MACD (blue) line must be above the signal (red) line, and rising; and then must turn back downwards and cross the signal line. The crossover is the final confirmation.
Utilizing this technique allows you to comfortably and very profitably trade any liquid stock or index multiple times during each day. You can enter and exit both Long and Short positions at the perfect points and extract amazing profits from the massive stream of money flowing constantly between those two Bollinger Bands. Refer to the image above for the setup.

Fibonacci Trading (Part - I)

Fibonacci Trading (Part - I)

Exerpts from the famous book by Carolyn Boroden: For those who are not already familiar with the name Fibonacci, you may remember hearing something about it in 2006, when the movie The DaVinci Code appeared in theaters. When Jacques Saunière was found murdered at the Louvre Museum in Paris, the strange position that this deceased character was placed in mimicked the famous painting of the Vitruvian Man by Leonardo da Vinci. This painting has been known to illustrate how Fibonacci ratios appear in the human form. The film also piqued the curiosity of some people when the characters in the film started talking about Fibonacci numbers as part of a clue or code of some sort. For myself, I only chuckled and thought, “It’s about time someone is taking Fibonacci seriously.”

The Fibonacci number series and the properties of this series were made famous by the Italian mathematician Leonardo de Pisa. The Fibonacci number series starts with 0 and 1 and goes out to infinity, with the next
number in the series being derived by adding the prior two. For example, 55 + 89 = 144, 89 + 144 = 233, 144 + 233 = 377, and so on (see the following number series):
0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 610, 987 . . . out to infinity

What is most fascinating about this number series is that there is a constant found within the series as it progresses toward infinity. In the relationship between the numbers in the series, you will find that the ratio
is 1.618, or what is called the Golden Ratio, Golden Mean, or Golden or Divine Proportion. (For example, 55 x 1.618 = 89, and 144 is 1.618 times 89.)

Take any two consecutive numbers in the series after you get beyond the first few and you will find the Golden Ratio. Also note that the inverse or reciprocal of 1.618 is 0.618.

We will not use the Fibonacci number series to analyze the markets. Instead, we will use the ratios derived from this number series. We’ve already discussed 1.618 and 0.618 or the Golden Ratio and its inverse. The
main ratios I use in my everyday analysis are 0.382, 0.50, 0.618, 0.786, 1.00, 1.272, and 1.618.

We will sometimes also include 0.236, 2.618, and 4.236. You saw how we found the 0.618 and 1.618 ratios within the Fibonacci number series, but what about the rest of these ratios? Well, actually, they are all related mathematically.

For example:
  • 1.0 - 0.618 = 0.382
  • 0.618 x 0.618 = 0.382
  • 1.0 / 2 = 0.50
  • Square root of 0.618 = 0.786
  • 0.618 is the reciprocal of 1.618
  • Square root of 1.618 = 1.272
  • 0.618 - 0.382 = 0.236
  • 0.382 x 0.618 = 0.236
  • 1.618 x 1.618 = 2.618
  • 2.618 x 1.618 = 4.236

Now what do we do with these ratios and how do they help us trade? (To be continued.........)

BETA VALUE

I think u all already heard about beta cofficient on stock market..it help to make decesion to enter safe tickers...u can find it by soem calculation and keep in the AB to see each and every scripts....

* b Less than 0:

Negative Beta is possible but not likely. People thought gold stocks should have negative Betas but that hasn't been true. Sometimes negetive beta goes against index progress

* b Equal to 0:

Cash under your mattress, assuming no inflation!

* Beta Between 0 and 1:

Low-volatility investments (e.g., utility stocks).

* b Equal to 1:

Matching the index.

* b Greater than 1:

Anything more volatile than the index.

* b Much Greater than 1:

Impossible, because the stock would be expected to go to zero on any market decline.

Most new high-tech stocks have a Beta greater than one, they offer a higher rate of return but they are also very risky. The Beta is a good indicator of how risky a stock is.

The more risky a stock is, the more its Beta moves upward. A low-Beta stock will protect you in a general downturn.

If beta is 1 that menas if index increases 10% your scripts will also increase 10%.


Ticker Date/Time BETA
2NDICB 25/11/2010 -0.01
3RDICB 25/11/2010 0.11
4THICB 25/11/2010 -0.12
5THICB 25/11/2010 -0.32
6THICB 25/11/2010 0.25
7THICB 25/11/2010 0.12
8THICB 25/11/2010 0.54
ABBANK 25/11/2010 0.48
ACI 25/11/2010 0.3
ACIFORMULA 25/11/2010 0.73
ACIZCBOND 25/11/2010 -0.01
ACTIVEFINE 25/11/2010
AFTABAUTO 25/11/2010 2.63
AGNISYSL 25/11/2010 0.64
AGRANINS 25/11/2010 0.71
AIMS1STMF 24/11/2010 0.31
AL-HAJTEX 25/11/2010 0.86
ALAMINCHEM 30/06/2009 0.6
ALARABANK 25/11/2010 0.39
ALLTEX 27/09/2010 1.54
ALPHATOBA 30/09/2010 0.76
AMAMSEAFD 24/02/2009
AMBEEPHA 23/11/2010 0.83
AMCL(PRAN) 25/11/2010 0.74
ANLIMAYARN 27/09/2010 1.59
ANWARGALV 25/11/2010 1.39
APEXADELFT 25/11/2010 0.68
APEXFOODS 25/11/2010 0.2
APEXSPINN 25/11/2010 0.76
APEXTANRY 25/11/2010 0.8
APEXWEAV 19/10/2010 -0.09
ARAMIT 25/11/2010 0.18
ARAMITCEM 25/11/2010 1.13
ASHRAFTEX 30/06/2009 0.12
ASIAINS 25/11/2010 1.58
ASIAPACINS 25/11/2010 -0.4
ATLASBANG 25/11/2010 0.07
AZIZPIPES 23/11/2010 0.37
BANGAS 25/11/2010 1.07
BANGLAPRO 31/03/2010
BANKASIA 25/11/2010 1.02
BATASHOE 25/11/2010 0.83
BATBC 25/11/2010 0.61
BAYLEASING 25/11/2010 0.33
BCIL 30/06/2009 -0.13
BDAUTOCA 23/11/2010 1.82
BDCOM 25/11/2010 0.88
BDDYE 30/06/2009
BDFINANCE 25/11/2010 0.46
BDLAMPS 25/11/2010 1.64
BDLUGGAGE 15/03/2009
BDONLINE 17/08/2009 0.28
BDPLANT 23/09/2010
BDSERVICE 07/01/2010
BDTHAI 25/11/2010 0.93
BDWELDING 25/11/2010 2.97
BDZIPPER 30/06/2009
BEACHHATCH 25/11/2010 -0.19
BEACONPHAR 25/11/2010

BENGALBISC 16/09/2009 0

BERGERPBL 25/11/2010 0.29
BEXIMCO 25/11/2010 0.6
BEXTEX 25/11/2010 1.21
BGIC 25/11/2010 1.9
BIFC 25/11/2010 1.2
BIONICFOOD 23/02/2009
BLTC 30/09/2010 -0.02
BOC 25/11/2010 0.19
BRACBANK 25/11/2010 0.63
BSC 25/11/2010 -0.11
BSRMSTEEL 25/11/2010 1.43
BXFISHERY 29/10/2008
BXPHARMA 25/11/2010 0.35
BXSYNTH 25/11/2010 1.56
CENTRALINS 25/11/2010 1.42
CHICTEX 16/01/2008
CITYBANK 25/11/2010 -0.68
CITYGENINS 25/11/2010 2.77
CMCKAMAL 23/11/2010 2.73
CONFIDCEM 25/11/2010 0.75
CONTININS 25/11/2010 1.63
CTGVEG 25/11/2010 -0.24
DACCADYE 23/11/2010 1.07
DAFODILCOM 25/11/2010 -0.53
DANDYDYE 16/09/2009
DBH 25/11/2010 1.25
DBH1STMF 25/11/2010 0.04
DELTALIFE 25/11/2010 -0.24
DELTASPINN 25/11/2010 2.07
DESCO 25/11/2010 0.71
DHAKABANK 25/11/2010 0.97
DHAKAFISH 19/10/2010 0.9
DHAKAINS 25/11/2010 1.57
DSEGEN 22/01/2009
DSHGARME 23/11/2010 1.9
DULAMIACOT 24/11/2010 1.9
DUTCHBANGL 25/11/2010 0.94


EASTERNINS 25/11/2010 3.2
EASTLAND 25/11/2010 0.92
EASTRNLUB 25/11/2010 1.1
EBL 25/11/2010 0.96
EBL1STMF 25/11/2010 0.18
ECABLES 25/11/2010 1.3
EHL 25/11/2010 6.28
EXCELSHOE 30/06/2009 0.68
EXIMBANK 25/11/2010 0.1
FAREASTLIF 25/11/2010 3.05
FEDERALINS 25/11/2010 2.91
FIDELASSET 25/11/2010 1.51
FINEFOODS 25/11/2010 1.98
FIRSTSBANK 25/11/2010 0.56
FLEASEINT 25/11/2010 1.02
FUWANGCER 25/11/2010 0.82
FUWANGFOOD 25/11/2010 1.3
GACHIHATA 30/06/2009 0.91

GEMINISEA 24/11/2010 0.94
GLAXOSMITH 25/11/2010 0.32
GLOBALINS 25/11/2010 0.7
GOLDENSON 25/11/2010 1.4
GP 25/11/2010 0.83
GQBALLPEN 25/11/2010 0.43
GRAMEEN1 25/11/2010 1.75
GRAMEENS2 25/11/2010 0.81
GREENDELMF 25/11/2010
GREENDELT 25/11/2010 0.61
GULFOODS 27/09/2010 0.85
HAKKANIPUL 25/11/2010 1.48
HEIDELBCEM 25/11/2010 0.67
HILLPLANT 15/03/2010
HRTEX 25/11/2010 2.9
IBBLPBOND 25/11/2010 -0.01
IBNSINA 25/11/2010 0.11
ICB 25/11/2010 0.9
ICB1STNRB 25/11/2010 0.3
ICB2NDNRB 25/11/2010 0.08
ICB3RDNRB 25/11/2010
ICBAMCL1ST 25/11/2010 0.18
ICBAMCL2ND 25/11/2010 0.04
ICBEPMF1S1 25/11/2010 -0.08
ICBIBANK 25/11/2010 2.32
ICBISLAMIC 25/11/2010 -0.02
IDLC 25/11/2010 1.13
IFIC 25/11/2010 0.64
IFIC1STMF 25/11/2010 0.45
IFILISLMF1 25/11/2010
ILFSL 25/11/2010 1.14
IMAMBUTTON 25/11/2010 1.83
INTECH 25/11/2010 0.86
IPDC 25/11/2010 0.85
ISLAMIBANK 25/11/2010 0.6
ISLAMICFIN 25/11/2010 -0.17
ISLAMIINS 25/11/2010 0.51
ISNLTD 25/11/2010 0.39
JAMUNABANK 25/11/2010 1.32
JAMUNAOIL 25/11/2010 0.59
JANATAINS 25/11/2010 1.13
JUTESPINN 25/11/2010 1.25
KARNAPHULI 25/11/2010 1.48
KAY&QUE 25/11/2010 0.61
KEYACOSMET 25/11/2010 3.9
KEYADETERG 25/11/2010 2.34
KOHINOOR 25/11/2010 -0.14
KPCL 25/11/2010 0.69
LAFSURCEML 25/11/2010 1.8
LANKABAFIN 25/11/2010 0.65
LEGACYFOOT 25/11/2010 1.09

LIBRAINFU 25/11/2010 0.85
MAKSONSPIN 25/11/2010 1.52
MALEKSPIN 25/11/2010
MAQENTER 30/06/2009 0.5
MAQPAPER 30/06/2009 -0.15
MARICO 25/11/2010 1.07
MEGCONMILK 25/11/2010 1.1
MEGHNACEM 25/11/2010 1.07
MEGHNALIFE 25/11/2010 2.69
MEGHNAPET 25/11/2010 1.12
MEGHNASHRM 16/09/2009 0.2
MERCANBANK 25/11/2010 0.8
MERCINS 25/11/2010 1.2
METALEXCR 26/05/2009
METROSPIN 25/11/2010 1.25

MIDASFIN 25/11/2010 1.41
MIRACLEIND 23/11/2010 1.59
MITATEX 30/06/2009 0.49
MITHUNKNIT 23/11/2010 1.7
MODERNCEM 30/06/2009 0.03
MODERNDYE 30/09/2010 0.94
MODERNIND 08/07/2010
MONAFOOD 23/02/2009
MONNOCERA 25/11/2010 1.63
MONNOFABR 19/10/2010 -0.99
MONNOJTX 24/11/2010 -0.25
MONNOSTAF 25/11/2010 -0.1

MPETROLEUM 25/11/2010 0.6
MTBL 25/11/2010 0.79
NATLIFEINS 25/11/2010 1.06
NAVANACNG 25/11/2010 0.97
NBL 25/11/2010 0.92
NCCBANK 25/11/2010 0.93
NHFIL 25/11/2010 1.12
NILOYCEM 30/09/2010 1.38
NITOLINS 25/11/2010 1.11
NORTHERN 30/09/2010 -0.14
NORTHRNINS 25/11/2010 0.86
NPOLYMAR 25/11/2010 0.48
NTC 25/11/2010 0.31
NTLTUBES 25/11/2010 0.49
OCL 25/11/2010 0.18
OLYMPIC 24/11/2010 1.1
ONEBANKLTD 25/11/2010 0.82
ORIONINFU 30/09/2010 1.37
PADMACEM 30/09/2010 1.37
PADMAOIL 25/11/2010 1.11
PADMAPRINT 30/06/2009

PARAMOUNT 25/11/2010 0.73
PEOPLESINS 25/11/2010 0.73
PERFUMCHM 15/03/2009

PF1STMF 25/11/2010

PHARMAID 31/10/2010 0.63
PHENIXINS 25/11/2010 1.34
PHOENIXFIN 25/11/2010 0.87
PIONEERINS 25/11/2010 1.37
PLFSL 25/11/2010 1.14
POPULAR1MF 25/11/2010
POPULARLIF 25/11/2010 1.32
POWERGRID 25/11/2010 0.84
PRAGATIINS 25/11/2010 0.85
PRAGATILIF 25/11/2010 1.2
PREMIERBAN 25/11/2010 0.58
PREMIERLEA 25/11/2010 1.27
PRIME1ICBA 25/11/2010 -0.15
PRIMEBANK 25/11/2010 0.77
PRIMEFIN 25/11/2010 0.9
PRIMEINSUR 25/11/2010 1.65
PRIMELIFE 25/11/2010 1.41
PRIMETEX 25/11/2010 1.65
PROGRESLIF 25/11/2010 1.17
PROVATIINS 25/11/2010 0.77
PUBALIBANK 25/11/2010 1.1
PURABIGEN 25/11/2010 1.32
QSMDRYCELL 25/11/2010 1.1
QSMSILK 30/09/2010 0.41
QSMTEX 30/06/2009
RAHIMAFOOD 25/11/2010 1.34
RAHIMTEXT 24/11/2010 0.71
RAHMANCHEM 30/06/2009 0.13
RAKCERAMIC 25/11/2010
RANFOUNDRY 25/11/2010 1.49
RANGAFOOD 30/06/2009 0.05
RASPIT 17/01/2008
RASPITDATA 15/01/2008
RECKITTBEN 25/11/2010 0.61
RELIANCINS 25/11/2010 0.91
RENATA 25/11/2010 0.15
RENWICKJA 30/09/2010 1.89
REPUBLIC 25/11/2010 1.7
RNSPIN 25/11/2010 3.05
ROSEHEAVEN 30/06/2009 0.4
RUPALIBANK 25/11/2010 0.52
RUPALIINS 24/11/2010 1.12
RUPALILIFE 25/11/2010 1.25
SAFKOSPINN 23/11/2010 3.56
SAIHAMTEX 25/11/2010 2.51
SAJIBKNIT 30/06/2009
SALAMCRST 25/11/2010 1.26

SAMATALETH 30/09/2010 1.08
SAMORITA 25/11/2010 0.83
SANDHANINS 25/11/2010 1.79
SAPORTL 25/11/2010 1.02
SAVAREFR 25/11/2010 2.11
SHAHJABANK 25/11/2010 0.91
SHYAMPSUG 30/09/2010 1.17
SIBL 25/11/2010 0.6
SINGERBD 25/11/2010 0.72
SINOBANGLA 25/11/2010 1.03
SOCIALINV 17/08/2009 1.08
SONALIANSH 23/11/2010 1.52
SONALIPAPR 22/06/2009
SONARBAINS 25/11/2010 1.11
SONARGAON 25/11/2010 2.38
SOUTHEASTB 25/11/2010 0.71
SPCERAMICS 25/11/2010 1.09
SQUARETEXT 25/11/2010 2.94
SQURPHARMA 25/11/2010 -0.37
SREEPURTEX 30/06/2009
STANCERAM 23/11/2010 2.33
STANDARINS 25/11/2010 1.51
STANDBANKL 25/11/2010 0.82
STYLECRAFT 23/11/2010 0.34
SUMITPOWER 25/11/2010 0.89
TAKAFULINS 25/11/2010 1.53
TALLUSPIN 23/11/2010 1.62
TAMIJTEX 30/06/2009
TBL 30/09/2010 -0.35
TITASGAS 25/11/2010 0.87
TRIPTI 14/07/2008
TRUSTB1MF 25/11/2010 0.55
TRUSTBANK 25/11/2010 0.93

UCBL 25/11/2010
ULC 25/11/2010 1.58
UNIONCAP 25/11/2010 1.1
UNITEDAIR 23/11/2010
UNITEDINS 25/11/2010 1.78
USMANIAGL 25/11/2010 0.36
UTTARABANK 25/11/2010 0.28
UTTARAFIN 25/11/2010 1.44
WATACHEM 24/06/2009
WONDERTOYS 30/06/2009 0.69
ZEALBANGLA 30/09/2010 0.8

Super Trend for Amibroker (AFL)

Super Trend for Amibroker (AFL)






This is a trend following system which ignores minor swings in the trend ( Up / Down ) – Entry and Exit are based on emergence of consecutive red – green medium body candles with the highest high or lowest low of the previous 2 candle as the stop loss . This indicator can be supported with the standard MACD buy sell signals ( Crossovers) . I have attached @ chart of TataSteel .. Exact buy sell signals are obtained @ peaks and bottoms not falling into the divergence traps of MACD histogram .

Regards .

Arjun

Here is a screenshot of how the indicator looks:
Tatasteel


_SECTION_BEGIN("Movint trand Surrogate");
mtOpen = LinearReg( Open, 20 ); // calculate moving trend from open
mtHigh = LinearReg( High, 20 ); // calculate moving trend from open
mtLow = LinearReg( Low, 20 ); // calculate moving trend from open
mtClose = LinearReg( Close, 20 ); // calculate moving trend from open
// plot surrogate chart
PlotOHLC( mtOpen, mtHigh, mtLow, mtClose, "Surrogate", colorBlack, styleCandle );


_SECTION_END();


ATR & Volume Adjusted Momentum for Amibroker (AFL)

ATR & Volume Adjusted Momentum for Amibroker (AFL)






Buy when the moving average become yellow and sell when it red….smart and simple….

Here is a screenshot of how the indicator looks:
Afl



////////////////////////////////////////////////////////////////////////////

/////////////////////////////////////////////////////////////////////////////////////////////////////
//////////////////////////////////////////////////////////////////////////////////////////////////////////

////////////////////////////////////////////////////////////////////////////

_SECTION_BEGIN(" ATR & Volume Adjusted Momentum");
SetBarsRequired(sbrAll);
SetChartBkColor(colorBlack);

p1=Param("First period",5,2,14,1);
p2=Param("Second Period",30,14,60,1);
momp=Param("Momentum Period",5,3,14,1);

Mtm = (C - Ref (C, -momp ))/ATR(momp);/// changed
AbsMtm = (abs ( mtm)+ abs(V-Ref(V,-momp))); //changed
///===============================================
Num_E = EMA ( EMA ( Mtm, P1 ), P2 );//changed
Den_E = EMA ( EMA ( AbsMtm, P1 ), p2 );//changed
///===============================================
Bensu = 100 * Nz ( Num_E / Den_E);
////Sude= (Bensu+(2*Ref(Bensu,-1))+(2*Ref(Bensu,-2))+Ref(Bensu,-3))/6;

AA1=C/Ref(C,-8)*100;
AA2=C/Ref(C,-13)*100;
AA3=C/Ref(C,-21)*100;
a1=EMA(AA1,1);
a2=EMA(AA2,1);
a3=EMA(AA3,1);
b1=StDev(a1,8);
b2=StDev(a2,13);
b3=StDev(a3,21);
RMOV=((a1*b1)+(a2*b2)+(a3*b3))/(b1+b2+b3);
KK=EMA(EMA(RMOV,3),3);
_SECTION_END();
////////////////////////////////////////////////////////////////////////////
_SECTION_BEGIN("");



upcolor=ParamColor("UpCandleColor",colorBlack );
downcolor=ParamColor("DownCandleColor",colorBlack );


//Volume Change
Volwma=WMA(Bensu,13);
Volchange=(((Bensu-Volwma)/Volwma)*100);
Vol=(ROC(Bensu,1));


GraphXSpace = Param("Xspace", 10, 2, 20, 1);
// vol with std
LBP = Param("Look Back", 15, 0, 150,1 );
Mean = MA(ln(Bensu),LBP);
StD = StDev(ln(Bensu),LBP);
xp3 = exp(mean + 2*std); //3 band
xp2 = exp(mean + 1.5*std); //2 nd band
xp1 = exp(mean + 1*std); // 1st band
xm = exp(mean); // avg
xn1 = exp(mean - 1*std); // -1 band
xn2 = exp(mean - 1.5*std); //-2 band
VolColor=IIf(KK>100,colorGold,colorRed);
Plot(Volwma, "VOLUME ADJUSTED MOMENTUM", VolColor,ParamStyle("AvgStyle",styleLine|styleThick|styleDots,maskAll),1|4096);
//ParamColor( "AvgColor", colorGold ),ParamStyle("AvgStyle",styleLine|styleThick|style Dots,maskAll),1|4096);

Plot(xn1,"",colorBlue,1|4096);
Plot(xn2,"", 1,1|4096);

upbar = Bensu > Ref(Bensu,-1);
downbar = Bensu< Ref(Bensu,-1);
barcolor2=IIf(downbar,colorRed, IIf(upbar, 2,19) );

upbar = Bensu > Ref(Bensu,-1);
downbar =Bensu< Ref(Bensu,-1);

O = IIf(downbar, Bensu, 0);
C = IIf(downbar, 0,Bensu);
L=0;
H = Bensu;

ColorHighliter = IIf(upbar, upcolor,IIf(downbar, downcolor,colorDarkGreen));
SetBarFillColor( ColorHighliter );
pds = 10;
V1 = Bensu/MA(Bensu,13); V2 = Bensu/MA(Bensu,21);
V3 = Bensu/MA(Bensu,34);

barcolor = IIf(BensuSetBarFillColor( barcolor );
PlotOHLC( O,H,L,C, "", barColor2, ParamStyle("CandleStyle",styleCandle,maskAll));
//GfxTextOut( "VOLUME ADJUSTED MOMENTUM", Status("pxwidth")/2, Status("pxheight")/3 );

_SECTION_END();

_SECTION_BEGIN("Centered-StochRSI Line");
x=(( RSI(21) - LLV(RSI(21) ,21)) / ((HHV(RSI(21 ) ,21)) - LLV(RSI(21),21)))*100;
Value1=0.1*((x)-50);
Value2=WMA(Value1,7);
KK4=(exp(Value2)-1)/(exp(Value2)+1);

Plot(0,"",IIf(EMA(KK4,3)>0.50,colorBrightGreen,colorRed) ,4+styleNoLabel);


//=====================================================================
//background stock name (works only on Amibroker version 5.00 onwards.
//=====================================================================
_SECTION_BEGIN("Name");
GfxSetOverlayMode(1);
GfxSelectFont("Tahoma", Status("pxheight")/6 );
GfxSetTextAlign( 6 );// center alignment
//GfxSetTextColor( ColorRGB( 200, 200, 200 ) );
GfxSetTextColor( ColorHSB( 41, 41, 41 ) );
GfxSetBkMode(0); // transparent
GfxTextOut( Name(), Status("pxwidth")/2, Status("pxheight")/12 );
GfxSelectFont("Tahoma", Status("pxheight")/12 );
GfxTextOut( "kargocu AFL", Status("pxwidth")/2, Status("pxheight")/3 );
GfxSelectFont("Tahoma", Status("pxheight")/36 );
GfxTextOut( "Dedicated to ZULTAN...Enjoy it...Special AFL ", Status("pxwidth")/2, Status("pxheight")/2 );
_SECTION_END();

Percentage Price Oscillator - PPO for Amibroker (AFL)

Percentage Price Oscillator – PPO

What Does Percentage Price Oscillator – PPO Mean?
A technical momentum indicator showing the relationship between two moving averages. To calculate the PPO, subtract the 26-day exponential moving average (EMA) from the nine-day EMA, and then divide this difference by the 26-day EMA. The end result is a percentage that tells the trader where the short-term average is relative to the longer-term average.

Calculated as:

Investopedia explains Percentage Price Oscillator – PPO
The PPO and the moving average convergence divergence (MACD) are both momentum indicators that measure the difference between the 26-day and the nine-day exponential moving averages. The main difference between these indicators is that the MACD reports the simple difference between the exponential moving averages, whereas the PPO expresses this difference as a percentage. This allows a trader to use the PPO indicator to compare stocks with different prices more easily. For example, regardless of the stock’s price, a PPO result of 10 means the short-term average is 10% above the long-term average.
Source: http://www.investopedia.com/terms/p/ppo.asp

Here is a screenshot of how the indicator looks:
Ppo


AFL :

_SECTION_BEGIN("PPO");
//Further understanding of PPO indicator visit www.Stockchart.com
PPOShort = Param("PPO Short Period", 12, 1, 150, 1);
PPOLong = Param("PPO Long Period", 26, 1, 150, 1);
PPOsignal = Param("PPOsignal", 9, 1, 150, 1);
PPO = (EMA(C, PPOShort ) - EMA(C, PPOLong ))/ EMA(C, PPOLong );
PPOS = (EMA(ppo, PPOsignal ));
Val=ppo-PPOS ;
Plot( PPO , "ppo", colorGreen, styleLine| styleThick );
Plot ( PPOS ,"PPO Signal", colorOrange, styleLine| styleThick );
dynamic_color = IIf( Val> 0, colorGreen, colorRed );
Plot( Val, "PPO Histogram", dynamic_color, styleHistogram | styleThick );
Buy=cross(PPO,PPOS);
Sell=cross(PPOS,PPO);
_SECTION_END();


15 November 2010

Against Value-at-Risk: Nassim Taleb Replies to Philippe Jorion

Against Value-at-Risk: Nassim Taleb Replies to Philippe Jorion

Note to the reader: this was written a decade ago. A deeper explanation (which tells you that Jorion & his financial engineering idiots are dangerous to society) is here: "The Fourth Quadrant", an EDGE (Third Culture)

_ Copyright 1997 by Nassim Taleb.


Trader Risk Management Lore : Major Rules of Thumb


Rule 1 - Do not venture in markets and products you do not understand. You will be a sitting duck.

Rule 2 - The large hit you will take next will not resemble the one you took last. Do not listen to the consensus as to where the risks are (i.e. risks shown by VAR). What will hurt you is what you expect the least.

Rule 3 - Believe half of what you read, none of what you hear. Never study a theory before doing your own prior observation and thinking. Read every piece of theoretical research you can - but stay a trader. An unguarded study of lower quantitative methods will rob you of your insight.

Rule 4 - Beware of the trader who makes a steady income. Those tend to blow up. Traders with very frequent losses might hurt you, but they are not likely to blow you up. Long volatility traders lose money most days of the week.

Rule 5 - The markets will follow the path to hurt the highest number of hedgers. The best hedges are those you are the only one to put on.

Rule 6 - Never let a day go by without studying the changes in the prices of all available trading instruments. You will build an instinctive inference that is more powerful than conventional statistics.

Rule 7 - The greatest inferential mistake: this event never happens in my market. Most of what never happened before in one market has happened in another. The fact that someone never died before does not make him immortal. (Learned name: Hume's problem of induction).

Rule 8 - Never cross a river because it is on average 4 feet deep.

Rule 9 - Read every book by traders to study where they lost money. You will learn nothing relevant from their profits (the markets adjust). You will learn from their losses.


Philippe Jorion is perhaps the most credible member of the pro-VAR camp. I will answer his criticism while expanding on some of the more technical statements I made during the interview (DS, December/January 1997). Indeed, while Philippe Jorion and I agree on many core points, we mainly disagree on the conclusion: mine is to suspend the current version of the VAR as potentially dangerous malpractice while his is to supplement it with other methods.

My refutation of the VAR does not mean that I am against quantitative risk management - having spent all of my adult life as a quantitative trader, I learned the hard way the fails of such methods. I am simply against the application of unseasonned quantitative methods. I think that VAR would be a wonderful measurement if we had models designed for that purpose and knew something about their parameters. The validity of VAR is linked to the problem of probabilistic measurement of future events, particularly those deemed infrequent (more than 2 standard deviations) and those that concern multiple securities. I conjecture that the methods we currently use to measure such tail probabilities are flawed.

The definition I used for the VAR came from the informative book by Philippe Jorion, "It summarizes the expected maximum loss (or worst loss) over a target horizon within a given confidence interval". It is the uniqueness, precision and misplaced concreteness of the measure that bother me. I would rather hear risk managers make statements like "at such price in such security A and at such price in security B, we will be down $150,000". They should present a list of such associated crisis scenarios without unduly attaching probabilities to the array of events, until such time as we can show a better grasp of probability of large deviations for portfolios and better confidence with our measurement of "confidence levels". There is an internal contradiction between measuring risk (i.e. standard deviation) and using a tool with a higher standard error than that of the measure itself.

I find that those professional risk managers whom I heard recommend a "guarded" use of the VAR on grounds that it "generally works" or "it works on average" do not share my definition of risk management. The risk management objective function is survival, not profits and losses ( see rule-of-thumb 8 ). A trader according to the Chicago legend, "made 8 million in eight years and lost 80 million in eight minutes". According to the same standards, he would be, "in general", and "on average" a good risk manager.

Nor am I swayed with the usual argument that the VAR' s wide-spread use by financial institutions should give it a measure of scientific credibility. Banks have the ingrained habit of plunging headlong into mistakes together where blame-minimizing managers appear to feel comfortable making blunders so long as their competitors are making the same ones. The state of the Japanese and French banking systems, the stories of lending to Latin America, the chronic real estate booms and bust and the S&L debacle provide us with an interesting cycle of communal irrationality. I believe that the VAR is the alibi bankers will give shareholders (and the bailing-out taxpayer) to show documented due diligence and will express that their blow-up came from truly unforeseeable circumstances and events with low probability - not from taking large risks they did not understand. But my sense of social responsibility will force me to menacingly point my finger. I maintain that the due-diligence VAR tool encourages untrained people to take misdirected risk with the shareholder's, and ultimately the taxpayer's, money.

The act of reducing risk to one simple quantitative measure on grounds that "everyone can understand" it clashes with my culture. As rule-of-thumb 1 from "trader lore" recommends: do not venture in businesses and markets you do not understand. I have no sympathy for warned people who lose money in these circumstances.

Praising VAR because it would have prevented the Orange County and P&G debacles is a stretch. Many VAR defenders made a similar mistake. These events arose from issues of extreme leverage -and leverage is a deterministic, not a probabilistic, measurement. If my leverage is ten to one, a 10% move can bankrupt me. A Wall Street clerk would have picked up these excesses using an abacus. VAR defenders make it look like the only solution where there are simpler and more reliable ones. We should not does not allow the acceptance of a solution on casual corroboration without first ascertaining whether more elementary ones are available (like one you can keep on a napkin).

I disagree with the statement that "the degree of precision in daily volatility is much higher than that in daily return". My observations show that the one week volatility of volatility is generally between 5 and 50 times higher than the one week volatility (too high for the normal kurtosis). Nor do I believe that the ARCH-style modeling of heteroskedasticity that appeared to work in research papers, but has so far failed in many dealing rooms, can be relied upon for risk management. The fact that the precision of the risk measure (volatility) is volatile and intractable is sufficient reason to discourage us from such a quantitative venture. I would accept VAR if indeed volatility were easy to forecast with a low standard error.

The Science of Misplaced Concreteness
On the apology of engineering, I would like to stress that the applications of its methods to the social sciences in the name of progress have lead to economic and human disasters. The critics of my position resemble the Marxist defenders of a more "scientific" society who seized the day in the '60s, who portrayed Von Hayek as backward and "unscientific". I hold that, in economics, and the social sciences, engineering has been the science of misplaced and misdirected concreteness. Perhaps old J.M. Keynes had the insight of the problem when he wrote: " To convert a model into a quantitative formula is to destroy its usefulness as an instrument of thought."

If financial engineering means the creation of financial instruments that improve risk allocation, then I am in favor of it. If it means using engineering methods to quantify the immeasurable with great precision, then I am against it.

During the interview I was especially careful to require technology to be "flawless", not "perfect". While perfection is unattainable, flawlessness can be, as it is a methodological consideration and refers to the applicability for the task at hand.

Marshall, Allais and Coase used the term charlatanism to describe the concealment of a poor understanding of economics with mathematical smoke. Using VAR before 1985 was simply the result of a lack of insight into statistical inference. Given the fact that it has been falsified in 1985, 1987, 1989, 1991, 1992, 1994, and 1995, it can be safely pronounced plain charlatanism. The prevalence of between 7 and 30 standard deviations events (using whatever information on parameters was available prior to the event) can convince the jury that the model is wrong. A hypothesis testing between the validity of the model and the rarity of the events would certainly reject the hypothesis of the rare events.

Trading as Clinical Research

Why do I put trader lore high above "scientific" methods ? Some of my friends hold that trading is lab-coat scientific research. I go beyond that and state that traders are clinical researchers, like medical doctors working on real patients --a more truth revealing approach than simulated laboratory experiments. An opinionated econometrician will show you (and will produce) the data that will confirm his side of the story (or his departmental party line ). I hold that active trading is the only close to data-mining free approach to understand financial markets. You only have one life and cannot back-fit your experience. As a result, clinical experiences of the sort are not just the best verifiable accounts of the accuracy of a method: they are the only ones. Whatever the pecuniary motivation, trading is a disciplined truth-seeking proposition. We are trained to look into reality's garbage can, not into the elegant world of models. Unlike professional researchers, traders are never tempted to relax assumptions to make their model more tractable.

Option traders present the additional attribute of making their living trading the statistical properties of the distribution, therefore carefully observing all of its higher order wrinkles. They are rational researchers who deal with the unobstructed Truth for a living and get (but only in the long term) their paycheck from the Truth without the judgment or agency of the more human and fallible scientific committee.

Charlatanism: a Technical Argument

At a more philosophical level, the casual quantitative inference in current use is too incomplete a method. Rule 1 conjectures that there is no "canned" standard way to explore stressful events: they never look alike since humans adjust. It is indeed hard to conciliate standard naive inference (based on past frequencies) and the dialectic of historical events (people adjust). The crash of 1987 caused a sharp rally in the bonds. This became a trap during the mini-crash of 1989 ( I was caught myself ). The problem with the adjustments to VAR by "fattening the tails" as an after-the-fact adaptation to stressful events that happened is dangerously naive. Thus the VAR is like a Maginot line. In other words there is a tautological link between the harm of the events and their unpredictability, since harm comes from surprise. As rule-of-thumb 2 conjectures (see Box), nothing predictable can be truly harmful and nothing truly harmful can be predictable. We may be endowed with enough rationality to heed past events (people rationally remember events that hurt them).

Furthermore, the simplified mean-variance paradigm was designed as a tool to understand the world, not to quantify risk (it failed in both). This explains its survival in financial economics as a pedagogical tool for MBA students. It is therefore too idealized for risk management, which requires higher moment analysis. It also ignores the forays made by market microstructure theory. As a market maker, the fact of having something in your portfolio can be more potent information than all of its past statistical properties: securities do not randomly land in portfolios . A bank's position increase in a Mexican security signifies an increase in the probability of devaluation . The position might originate from the niece of an informed government official trading with a local bank. For having been picked on routinely traders (who survived the sitting duck stage) adjust for these asymmetric information biases better than the "scientific" engineer.

The greatest risk we face is therefore that of the mis-specification of financial price dynamics by the available models. The 2 standard deviations (and higher) VAR is very sensitive to model specification. The sensitivity is compounded with every additional increase in dimension (i.e. in the number of securities included). For portfolios of 75 securities (a small portfolio for a trading room), I have seen frequent 7 and higher standard deviation variations during quiet markets. Thus VAR is not adapted for the brand of diversified leverage we usually take in trading firms. This risk I call the risk of incompleteness issue, or the model risk. A model might show you some risks, but not the risks of using it. Moreover, models are built on a finite set of parameters, while reality affords us infinite sources of risks.

Options may or may not deliver an estimation of the consensus on volatility and correlations. We can compute, in some markets, some transition probabilities and, in some currency pairs with liquid crosses, joint transition probabilities (hence local correlation). We cannot, however, use such pricing kernels as gospel. Option traders do not have perfect foresight, and, as much as I would like them to, cannot be considered prophets. Why should their forecast of the second moment be superior to that of a forward trader's future price ?

I only see one use of covariance matrices: in speculative trading, where the bets are on the first moment of the marginal distributions, and where operators rely on the criticized "trader lore" for higher moments. Such technique, which I call generalized pairs trading, has been carried in the past with large measure of success by "kids with Brooklyn accent". A use of the covariance matrix that is humble enough to limit itself to conditional expectations (not risks of tail events) is acceptable, provided it is handled by someone with the critical and rigorous mind that develops from the observation of, and experimentation with, real-time market events.


12 November 2010

UNDERSTANDING GROWTH OF A COMPANY

The following writeup was done by shiokot bahi at dsetrader more than couple of years ago. In my opinion a very useful writeup for the fundamentalists:

UNDERSTANDING GROWTH OF A COMPANY

Company A
Say this company's earnings history is like this-

Year EPS Net profit Number of stock Dividend
1 10 1000 100 10%B
2 10 1100 110 10%B
3 10 1210 121 10%B


Company B
Say this company's earnings history is like this-

Year EPS Net profit Number of stock Dividend
1 10 1000 100 10
2 10.5 1050 100 10.5
3 11 1100 100 11

Company C
Say this company's earnings history is like this-

Year EPS Net profit Number of stock Dividend Right Issue
1 10 1000 100 10%B --
2 10 1100 110 -- 10%
3 11 1210 121 10% --

For example stock price is same in all cases. Say 100tk each.

Now can you say which company is growing more? and How?

May be most of you should say that company B is growing well. As its EPS is 10% higher in 3rd year compared to the first year. But Company A and C looks same. As their EPS is same in all the years.

Now let us dig in the deep of the three cases.

Say you are holding 100 stocks of each of the company. You bought all of them at 100tk each at the first year. So your investment is 10,000tk in each of the company.

Now from company A you have 133.1 stocks at the end of year three and your stock value is 13310tk. As you have got 10% stock dividend in all the three years. So your growth is 33.10% (3310/10000 = .3310 = 33.10%)

From company B you earn 1000+1050+1100= 3150tk and your stock value is 10,000tk (as you have that 100stock from the very beginning). Now your total value form this stock is 10,000+3150 = 13,150tk. So your growth is 31.15% (3150/10000 = .3115 = 31.15%)

And at last from company C you earn 1000tk as dividend at the 3rd year. And your total stock is 110. Hence your total value is 1331+12100 = 13,431tk. But to acquire 10 stocks as right issue at the year 2 you have paid 1000tk. So your total cost of woning this stock was 10,000 at the beginning and 1000 at year 2. So total cost is 11000tk and your present value is 13,431tk So your return is 2,431tk. Then your growth is 24.31% (2431/11000 = .24.31 = 24.31%)

I think the message is delivered. Though company A looks no growth in terms of EPS they have the highest growth in terms of earnings and return. Though I've put a biased and higher EPS for B and C they can't over take company A in terms of growth.

So you shouldn't count the EPS only in calculating growth rather you should look at the resource the company is using to produce the present level of EPS. Company C used the highest level of resources (by issuing right stock and taking more money from the market) but earned only the same EPS so they performed worst. That is how in consideration to value company A did the best.

Invarbrass bro's soft

http://forum.projanmo.com/forum20.html


http://www.4shared.com/dir/J34waTIp/sharing.html

http://sahosblog.blogspot.com/

LEARN TO TRADE IN DSE

Learn to trade in DSE: From mazharzarif.blogspot.com

Sunday, July 20, 2008

EXIT: risk management .... mrtq13
WHEN TO EXIT?You have asked the most important questions that a trader could ask…. At the beginning of his trading life,the first question a trader usually asks is “when do I buy a stock?” After some trades this very trader will desperately ask, ”when do I exit when I am in loss or profit”. Why? It is because he finds out after entering a stock he loses his way, he knows nothing of when to exit and nobody else also seems to know that. He finds that exit is more difficult than entry. Any fool can enter into a stock. But it takes a lot of calculations or planning for exit. Let’s discuss some topics here(this one is basically written for beginners or those who are confused about exit/pullback etc.Experience trader may add their view)…….Exit :Depending on your trading style, you should develop a plan of your own on how you want to exit from a trade. There are short term trader,there are long term trader,there are mid term trader. Each has his own style of Exit point.A trader I know exits a trade after entering into it ,be it a winning one or a losing one,just after 4 days of his buying…. That may sound strange. But it is his style. His style is “Time based exit”.There are two different Exit plans needed for trading. One plan is for just after entering a stock/buying a stock. Another for the stock that is in profit. The first one is called “stop loss” or “initial stop”. The second one is called “trailing stop”….Stop loss point :You enter into a stock and it starts to fall. What are you going to do? You have two options- either you keep it on hold hoping that someday it will come to your buy price. Or,you get out of it taking some losses. The choice is yours.But statistically it is found that it is better to exit a losing share taking a little loss. Think about what happened to Rupali Bank. There has been more than 50% retracement in this share. Those who bought at the top lost 50% money. If they exited early taking small lose like 10%,they could save 40% of their invested capital. And the problem is they have to wait for the share to come to their buy price for several months. Which itself is another loss. Because you cann’t invest in other stocks. Your money is stuck into a losing share…………So, if you're stubborn and stick with your falling stock, things could get ugly. You believe the stock will turn around, only it doesn't. Instead, it drops 15%, then 30%, then 50%.Ok, now a simple technique that can be used is percentage stop. The idea is a trader should get out of a stock that has fallen 7% to 8% below his buying price. For example,you buy a stock with 100 taka. And it goes below 93 taka(closing price). You should sell it. Because there has been 7% fall from your buy price.Why is this measurement!!! The reason is simple. Think about it…Why should a stock go below 8% of your buying price if you have bought it at the right situation. It means that the stock’s price is falling.Or,you have bought the stock at wrong time…….. Now is it in correction or pullback? You don’t know. If it is in correction,you are in trouble. If it is in pullback,then it should not go below 8%. Because that would be too much fall……..Why is it falling?Now is 7% or 8% magic number!!! No,they are not. They are just a technique/rule to make you a disciplined trader.-a trader that knows what to DO. A fighter that doesn’t know what to do under fire dies fast…..Depending on your trading style this percentage should be set. For example,if you are a long term trader, you could tolerate 15% fall of price from your buy point. Because you are holding it for a long term. And on your way,the price could fall 15%.........Or,if the stock is good enough,you can tolerate 20% fall of price from your buying price………..So,it is up to you……….If you are a short term trader or your investment capital is low,you could tolerate not more 6% fall from your buy price…….What if you exit after 7% lose and then the stock starts to rise….  You re-enter…..You have nothing to do… And it could be that after you re-enter,the stock could start to fall again…….Trailing stop :Trailing stop is another kind of stop which is also based on percentage measurement. It is used for profit taking.………..When do you take profit if you are in profit and the stock has started to fall from the top price……One simple method is to take profit selling the stock when it falls 10% from the top price…….For example,you have bought a stock with 100 taka. And it went to 120 taka without any trouble. And after it reached 120 taka, it then started to fall. You have to take profit.When are you going to take it…. You take your profit by selling the stock at around 108 if your planned trailing stop is 10%..............Note that the higher a stock goes from your buying point,the tighter the trailing stop should be. For example,your initial trailing stop for the 100 taka’s stock above was 10%. You planned to sell the stock if it goes below 109 taka from 120. Now what do you do if it goes up more than 120 taka,say for example,what if it goes to 150 from 120 taka. You tighten your percentage from 10% to 6% depending your style. So,now if it falls below 141 taka,you get out taking profit………..So,it can be said like this : your price goes from 120 to 130 to 140 to 150. You set your percentage from 10% to 7% to 6% to 5% etc. The higher the price goes,the tighter the trailing stop getsYou have to adjust your trailing stop on periodic basis……And remember that you can’t sell a stock just at the top level…You have to sacrifice some profit.According to Dr. Van Tharp,a great trader in U.S stock, “the ironic part of trading is if you want to maximize your profit,you must be willing to give back a great deal of the profits you have already accumulated……….”There are several other techniques that can be used as exit point. For example,support level,Resistance level,Moving average points, Average true range,etc…... But they are bit complex and you may need Softwares to measure them. One of the famous exit technique is Average True Range,which I personally use……...It is nice if something automatically calculates the exit points for you. You then can be stress free and your time will be saved. A trading software can do it for you and show you the way to exit visually. That’s a great thing. Because computer is always stronger than human brain in the matter of calculation………..You can use Excel for calculation of percentage,too…………..Here are what I told myself before I developed my own style :Have your own plan. Take the best techniques from other traders. Refine and modify them to suite your personality. Write them on paper and periodically polish and update them from your experience……..Manage your risk,manage your exit……….Remember what Zen says :The ultimate Zen trading question: How do I know I'm right? Zen answer: There is no right and no wrong. You manage risk. Do that well, and you're right.
Posted by Mazharul Islam at 10:31 PM 1 comments Links to this post

MAKE PROFIT IN FALLING MARKET? ....Mazhar
Some particular stocks can go up in a down market. Examples are agni, aci etc... (19-July-2008)But problem is: how to recognize them early? yet very difficult, probably impossible. I saw, so many buy signals in a bad market, only few of them can give good profit like agni and aci. Most of them fail. Percentage is bad. This is why good TAs keep away from the market at bad days. say, u bought 5 companies. Only 2 gave profit and 3 gave loss, may be all 5 can give loss. Only luck can save u. this is the bad point. U have to depend on luck only, not on calculations.On the other hand, in a normal market, hopefully 60% trades give profit. (If u enter with good Tech Analysis).
Posted by Mazharul Islam at 10:00 PM 0 comments Links to this post
Saturday, July 19, 2008

STOP LOSS (part 1) :mrtq13
Depending on your trading style this percentage should be set. For example,if you are a long term trader, you could tolerate 15% fall of price from your buy point. Because you are holding it for a long term. And on your way,the price could fall 15%.........Or,if the stock is good enough,you can tolerate 20% fall of price from your buying price………..So,it is up to you……….If you are a short term trader or your investment capital is low,you could tolerate not more 6% fall from your buy price…….What if you exit after 7% lose and then the stock starts to rise….  You re-enter…..You have nothing to do… And it could be that after you re-enter,the stock could start to fall again…….
Posted by Mazharul Islam at 8:02 PM 0 comments Links to this post

TA, FA, OR RUMOUR? ..Mazhar
TA, FA, OR RUMOR? ------ MazharSEC is shouting to invest in fundamentally good stocks, and they created a situation in which only fundamentally bad stocks can rise. (They don’t want to see the index rising…….)I have been studying about people's investing strategy for the last few months.I found, almost all guys invest based on "news".What is "news"?Which stock will go up soon? Gamblers will play with which one? ------- This is the news.And many of them have direct or indirect link with gamblers. Some collect news from 'via' source. ---------This is the source of news.This strategy works. And nothing will work as good as this method. Because gamblers are the men who make the market up-down.So what is the role of TA? We can catch/predict the movement of gamblers with the help of TA.So what is the role of FA?Gamblers want to play with fundamentally good stocks. Because those are easy to feed us.
Posted by Mazharul Islam at 7:31 PM 0 comments Links to this post

DON'T FIGHT WITH MARKET: ....Mazhar
1. Buying at falling trend is a suicidal idea, just like catching a falling knife. Rather buy at flat consolidation phase (L-pattern).2. Don’t buy with guess. Only buy when u know that a stock should go up. When a clear sign appears. Like L or W pattern with volume spikes. (See 4 profitable patterns given my mrtq13).3. Don’t fight with the market. You can't drive it. Let it go with its own way. And ride the train at proper situation (don't try to drive the train).a good example: in my broker-house, a man (crore-pati and gambler) bought 2 lakh aims at 18 tk. some other gamblers joined him.He said, "i could buy at the lowest, he he he. I bought before all. This is the lowest of aims. I will drive the market. I will get aims to 29 tk again". (((See, he is under a lump of bull-shit now. Aims is now 12 tk.)))On the next day, he bought again at higher price. But i saw no flat phase. So i did not enter. i thought i missed the train due to V-pattern. but my satisfaction is i don't like v-patterns and i have so many L and W to enter. (Mamun bhai also do not enter at V patterns as far i know. I always try to follow him).Bottom line: even several gamblers togather can't drive a big train. Market movement is influenced by thousands of factors. So don't try to drive it...
Posted by Mazharul Islam at 7:31 PM 0 comments Links to this post

CAN'T ENTER DSE SITE? ---Mazhar
We need to enter in DSE site for mst and general index data. Sometimes it is difficult to enter this site due to narrow band-width. Here is a solution:You don’t have to enter the homepage, just bookmark these links--------For mst------ http://admin.dsebd.org/admin-real/mst.txtFor general index high-low-------http://web.dsebd.org/admin-real/index-graph/companygraph.php?graph_id=gen
Posted by Mazharul Islam at 7:31 PM 0 comments Links to this post

TRADER RISK MANAGEMENT: optimizer
TRADER RISK MANAGEMENT LORE: Major Rules of Thumb ---------- (COURTESY: OPTIMIZER)Rule 1 - Do not venture in markets and products you do not understand. You will be a sitting duck.Rule 2 - The large hit you will take next will not resemble the one you took last. Do not listen to the consensus as to where the risks are (i.e. risks shown by VAR). What will hurt you is what you expect the least.Rule 3 - Believe half of what you read, none of what you hear. Never study a theory before doing your own prior observation and thinking. Read every piece of theoretical research you can - but stay a trader. An unguarded study of lower quantitative methods will rob you of your insight.Rule 4 - Beware of the trader who makes a steady income. Those tend to blow up. Traders with very frequent losses might hurt you, but they are not likely to blow you up. Long volatility traders lose money most days of the week.Rule 5 - The markets will follow the path to hurt the highest number of hedgers. The best hedges are those you are the only one to put on.Rule 6 - Never let a day go by without studying the changes in the prices of all available trading instruments. You will build an instinctive inference that is more powerful than conventional statistics.Rule 7 - The greatest inferential mistake: this event never happens in my market. Most of what never happened before in one market has happened in another. The fact that someone never died before does not make him immortal. (Learned name: Hume's problem of induction).Rule 8 - Never cross a river because it is on average 4 feet deep.Rule 9 - Read every book by traders to study where they lost money. You will learn nothing relevant from their profits (the markets adjust). You will learn from their losses._ Copyright 1997 by Nassim Taleb. http://www.fooledbyrandomness.com/jorion.html
Posted by Mazharul Islam at 8:31 AM 0 comments Links to this post
Friday, July 18, 2008

BUYING A STOCK.......... mrtq13
WHEN TO BUY A STOCK? ---------mrtq13 (22-July-08)A very good method is: don't try to find out any buyable stock in this falling market...........This type of market is like a blade. You want to catch the falling stocks; your hand will cut most of the time. Sometimes you will find some good ones, but most of the time you will fail..............A very good method of buying stock is: at first have a look at general index. It is positive! Ok, then, go for the sectors. Find out the rising sector. Found one? Ok, fine. Then, find out the strongest stocks of that rising sector and buy them................There are two simple method of buy. One is to "buy at weakness" and another is to "buy at strength".................I think buying at strength is a better method............Because it is really difficult to find the low of a stock. Think about Jamuna oil! A low may not be lower of the stock. It could go lower and lower. So, weakness sucks. If the stock is in uptrend, which shows the sign of strength, then, it is a good choice to be in.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post
Friday, July 11, 2008

about amibroker: mrtq13
Amibroker is one of the best trading softwares in the world.... You will hear the names of Tradestation or Metastock in trading areas by the experts....But be assured,those softwares are now a matter of past-the gone ones. Amibroker is the "future" of Trading softwares.......The idea of using technical analysis with trading softwares in our country is quite alien... But I have seen that DSE Management uses RSI,Moving Averages etc in their analysis of market...So,I assume they are aware of trading softwares.May be,some others know about trading softwares too.But in a country like ours,knowledge is always kept hidden....Before proceeding with trading softs,keep in mind that there are a lot of problems with trading softwares in our country. The fist one and the most critical one is that you cannot download daily price data from DSE like you can download data of Nasdaq or Bombay Stock Exchange from Yahoo for "Free".You will have to enter the data manually from DSE's funny "Website",which is a time consuming and energy racking thing... Well,guess what...!!! Unfortunately,you are in a country with the lowest knowledge on technology. Those freaks/monkeys in DSE didn't yet develop a simple technology to provide the traders with daily data in Standard Format. DSE always talks about so called transparency,analysis etc,whereas they don't themselves provide the traders with a way to see things accurately,transparently,realistically......Chart in trading is used worldwide. The reason is simple. Looking at a chart you will know where you are standing,where the stock is going... Trading without chart is like walking like a blind man.You don't have any idea of what's going on. Surely,chart is no magic.But It is a helpful tool in trading.You can trade without trading softwares. Even in New York Stock Exchange,they used to trade without Trading Softwares around 1920.However,technology was not so improved back then......I have read that even the world's richest stock investor Warren Buffet(who is apparantly a fundamentalist)uses charts too.....!!!!!Anyway,Amibroker can't be found anywhere in BD,I guess. It is not available in underground world of pirates in Net too. Recently,they have taken it away.Metastock and Tradestation can be found......Fibotrader is also the best among the free trading softwares. In fact,there are not many free trading softwares in Net like Fibotrader and FC chart. You will get all trading tools and indicators in Fibotrader that can be found in Amibroker....From RSI to ADX,you get everything. You can also program your trading system/rules in the software.......I have actually come to know about Fibotrader after I have known about Amibroker. And I am involved so much with Amibroker that I don't have time and energy to change my tool now from Ami to Fibo.However,Fibotrader has its own built in trading system that is based on retracement of Fibonacci Ratios.........You should consider the pros and cons of using Trading software in your trading. The problem is once you start to use Trading software,you can't just go back to your old style of trading....So,think if you really want to change your trading style. If your current style is profitable,there is no reason to change it..........
Posted by Mazharul Islam at 8:31 PM 0 comments Links to this post

BUY AFTER RECORD DATE: mrtq13
The first method :1. Buy after the book closure of a share that declares bonus,especially banks. Ok,this setup is one of my favourite. And this has been hugely profitable for me and my friends. You will see that when a bank declares 30% bonus,after book closure its price falls 30%. So,we have an undervalued share after book closure. And undervalued shares(if everything is fine with it) is always an attractive buy for traders. Traders jump into it.All you have to do is to jump before all.This is an anti-trend trading approach.........This approach combining with technical analysis can give you great profit each year in bank sectors...I bought NBL,Uttara,Pubali,Prime bank,Southeast bank,Dhaka Bank,City Bank,Atlas,Usmania,Heidelberg following this technique just after their book closure. All were profitable.Some are 100% profitable.Recently,I bought Jamuana,Abbank and Islamibank because of this setup after their book closure. All were profitable. I am keeping an eye on Standard bank too. But it looks like it will take some more time to ripe :)Now how reliable this technique is!!! too reliable...I have studied five years of data of all banks and applied this method. It worked each year. Only once this method failed.And it was in Dhaka Bank's case.May be,the bank was in low profit then.....Your invested capital will get returned within 5 to 6 months with profit by this method.I combine technical analysis(charts and indicators) with this method; So,I can understand the best possible entry time. You might have difficulty in entering at right time........The second method:2. The second method is a well known method. This method is buying before a company's bonus/dividend declaration time.........This one is not as reliable as previous one. But if you can calculate things well,you may be able to profit.....But this is a more complex situation....As you can see Napolymar,Aftab,Pran,Keyacosmetics,Keydetergent are rising now..Why?Because their declaration is near.You might see a rise in DESCO too.Because its declaration is nearing too.........I found that big traders mostly know beforehand what the company is going to declare. So,when they buy,try to buy with them.......I have nothing much to say about this setup...This one works,but not as effectively as the first one........I have some other setups for entry :1. I would buy a share when it goes up a certain percentage from previous days close. For example,if tomorrow Jamuana's opening starts to trade 3% higher than today with pretty good volume,I would take a notice of it. Such a move means Jamuana is in Trend. And I like to go with trend.2. I wouldn't like to buy a share if it hasn't gone through a pullback. I like to buy on pullback.3. I like to buy breakout. It means when a stock starts to trade above a certain price range,I would buy...........4. I also feel good buying at support level.There are other setups. Depending on your trading styles,you should determine your entry and exit setups...........And you will see that when you have your own defined setups,you will have less loss than before.........
Posted by Mazharul Islam at 8:31 PM 0 comments Links to this post

STOCK MARKET CRASH: mrtq13
"REASONS FOR STOCK MARKET CRASHThere are many reasons that have been responsible for the crash of stock markets across the world. First reason is ?huge frauds?. There are many types of frauds that are associated with the stock market. Normally, the stock market does not crash on incidence of minor frauds. But if huge frauds are unearthed, the stock market normally responds to this by crashing down. It is to be noted here that stock market crashes because of heaving selling. When all the stockholders, whether individual or institutional, start selling their holdings, the stock market index comes down heavily and it is said that the stock market has crashed. In the past, many stock market indexes had crashed due to these scams. One of very famous scams is the Harshad Mehta scam that is associated with the Bombay Stock Exchange, when the Bombay Stock Exchange Sensex, also called BSE Sensex, came down heavily and the stock market crashed within few minutes.The other reason that can be citied for the stock market crash is toppling of government. If due to any reason, the government of the nation is toppled, the stock market is one of the most immediate markets that react to the event. It comes down heavily and in most of the cases, it gets crashed. There are many reasons for the toppling over of government and stock market responds to these reasons quite sharply. One of the reasons that are responsible for the stock market crash is the announcement of budget for the next financial year. Normally, the budget is announced by the central government for the succeeding year and along with budget, the economic policies of government regarding the development of industry etc are also announced. If it is felt that the policies announced in the budget are not conducive to industrial development, stock market reacts quite heavily to this and gets crashed sometimes. As we all know, there are many foreign companies that make investments in the stocks of companies listed at the stock exchange. When these foreign institutional investors go for heavy shelling, the stock market crashes. The foreign institutional investors, also called as FII in the stock market, go for heaving selling due to number of reasons. It can be political instability in the country where the investments have been made or finding of green pastures elsewhere. Whatever is the reason, if FII go for heavy selling, it is seen that the stock market index closes 3-5% lower than the previous day closing and it is said that the stock market has crashed.Another reason when the stock market reacts shapely is the death of any prominent political leader. The decline, however, is temporary in most of the cases.Apart from the above, there are some more reasons that are responsible for the declining of stock market. These are crashing down of contemporary stock markets, big corporate and business houses announcing their loosing annual or monthly numbers etc. Thus, there are many reasons that are responsible for the crashing down of stock market. Whatever is the reason, it can be said that as the stock market crashes, the prices of stocks of listed companied come down sharply. Let us now discuss some of the aspects related to stock market crash.RELATED ASPECTS OF STOCK MARKET CRASHThere are many aspects related to stock market crash that need to be understood. First of all, as the prices of stocks come down during stock market crash, it provides good opportunities for various investors to make investment in the coming days. However, a person has to be vigilant because it has been seen in many circumstances that the once a stock market crashes, it take many trading sessions to follow an up-trend. For a small stock market crash, the word ?correction? is often used. But in such cases, the stock market comes down due sharp rise that has been observed in the past few days and there are no fundamental or technical reasons for that. Sometimes, the stock market crash is so sharp and deep that the regulatory authorities may take decision to stop trading so that no further drop is observed. This cessation in trading can be few minutes, hours etc and the decision is taken only after conforming the sentiments in the stock market. Before a person goes for buying of stocks after the stock market crash, he must confirm that the stock market is really showing signs of recovery. This is because if the rise in the stock index is temporary, the stock market index can close at even lower levels as compared to the previous day close. Thus, there are many aspects that need to be understood regarding stock market crash.THUS, STOCK MARKET CAN CRASH FOR MANY REASONSAfter reading the above article, the stock market can crash due to many reasons as cited above. Whatever is the reason, it is certain that the price of stock listed at the stock exchange would definitely come down. There are also some aspects related to stock market crash that need to be understood completely before a person goes for making investments."
Posted by Mazharul Islam at 8:31 PM 0 comments Links to this post

MA: mrtq13
For bangladesh stock market, 16 days WMA is great for trend shows. Then,50 days SMA,100 SMA,and 200 days SMA are fine. I have backtested them all on DSE's stocks and found them work well in DSE stocks.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

TA learning short list: mrtq13
Narrow down your study to the following :1. Candlesticks. 2. Trends 3. Trendlines. 4. Chart patterns. 5. Fibonnaci ratios. 6. Pullback 7. Breakouts. 8. Moving Averges. 9. Bolliger bands. 10. Stochastics. 11. Volume. 12.Stop losses. 13.Trailing stops etc...........That way you will learn more with little efforts. It is a waste of time to put your energy on RSI,Stochastic,MACD at the same time. Becauese these are same in the sense that they are oscillators. So,learn one of them,you will understand all..............I don't know why you are studying Amibroker's help file. I think you should take the help of google. Choose a topic and search articles on it. There are plenty of good articles in google. Save them in your pc or print them out. Read them,and study,and research...............
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

USING AMIBROKER: Mazhar
USING AMIBROKER:ARRANGEMENT OF MAIN SCREEN:1. Drag and drop toolbars to upper area for bigger view of chart.2. In the left panel, put 3 things at least: symbols, charts, information. (in the menu bar – view--- check those 3). Make those auto hide.==========================ARRANGEMENT OF SHEETS:At the bottom, there are several sheets. You can change the number of sheets from: menu bar – tools – preferences. Keep 2 or 3 charts in a sheet. Candle chart as largest, one oscillator and one volume chart as small. Drag to change the size.Example:Sheet 1 --- heikin ashi chart with trailing stop, RSI chart, volume (color).Sheet 2 --- normal candle chart with moving averages, stoch, volume (color).Sheet 3 --- heikin ashi chart with moving averages, MARSI, volume (color).AFL:Collect afl (amibroker formula language) from your friends or from amibroker afl library on the internet. Afls are used to create charts. Different afl makes different kind of chart.Paste afls on: c — program files --- amibroker --- formula --- (any folder u like).Now open the amibroker. Look at the left panel. Click charts. Open any folder there. Afls will be shown. Right Click on any afl u choose, click on insert. Ok. Now chart is inserted in the sheet. In this way u can insert many charts in a sheet.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

DSE GEN INDEX DATA: Mazhar
DSE GEN INDEX DATA:We update it manually. Open the csv file named ‘00 dsegen’ and write data manually.Open = yesterday close.High and low = click on ‘gen index graph' at dse homepage. you will get high and low.Close and volume = written on the homepage and on mst.txtVolume also found on today’s news. I use 8 digits as volume. If today’s total volume (in tk) is 240,25,13, 677.25 taka, I write it as 24025136 (8 digits). If today’s volume is 78,25,13,677.25 tk, I write it as 7825136 (7 digits). You can use all digits, but make sure that, previous data is like so. Otherwise, your graph will be distorted.Volume means the value in tk, not the number of shares traded. Because, number of shares here make no sense. We just want to watch how much money is handed over. In Bangladesh, Mamun bhai started using charts first. He uses volume=value in tk (in case of 00dsegen file).In case of specific stock files, we use the number of shares handed over.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

USING DDU .....Mazhar
HOW TO SET UP DDUHOW TO UPDATE DSE DATA USING DDUYou have to update 00DSEDATA after each trading day. For this u need DDU and mst.txtCollect the DDU. It is a folder containing 2 files amibrokerddu.exe and richtx32.ocx. Another help file is also there. Read it.Keep the folder anywhere in your computer. (Keep both files (amibrokerddu.exe and richtx32.ocx) in the same folder).======================================================DDU IS NOT WORKING? DON’T WORRY:READ ONLY: Are the csv files read-only? Make sure that, each and every csv file is not read only. {Select all > properties > uncheck ‘read only’}.JAVA RUNTIME: You need java runtime installed in your computer. If not installed, install it from internet, it’s free. (Search for java runtime in google)COMDLG32.OCX: Another one thing may be already in your computer, it is comdlg32.ocx . It lives in c > windows > system32. If not there, DDU will not work. In that case collect it and paste it in that folder. Then go to start > run > browse > (show it) > ok.=============================================================***********USING DDU ***************Click to open the amibrokerddu.exeSource file is the mst.txt of a specific date. Browse to open. You already saved mst in your computer from http://admin.dsebd.org/admin-real/mst.txt . collect and save it every trading day after 3 pm. *************************Destination is the folder: 00DSEDATA. Browse to show it.Write down the date as shown on the skin.Click transfer > Ok > Exit.Your data folder is updated. Now import ascii as described above.=====================================================EVERYDAY TASK: (do it STEP BY STEP after every trading day)****************1. Collect and save mst.txt2. Update data using ddu3. Import ascii
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

TOOLS TO COLLECT FOR TA: Mazhar
Collect those:1. AMIBROKER WITH CRACK (AMIBROKER5_BABONJI.EXE) courtesy: mrtq13(Mamun bhai)2. DDU (created by maxether)3. DSE DATA TILL TODAY (SINGLE FILE FOR EACH STOCK AS CSV FORMAT, all in a folder named “00DSEDATA”). This database is created by Mamun bhai upto 17-Dec-2007. He collected data CD from DSE then compiled it as csv format. After 17-12-2008, this database is being updated by DDU.4. MST.TXT (collect it every trading day after 3pm from www.dsebd.org à market statistics. http://admin.dsebd.org/admin-real/mst.txt )
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

DON'T HAVE HI-TECH TRADING SYSTEM? ....Mazhar
WANT TO BUY TRADING SYSTEM AFL?NEED HI-TECH AFL?If we follow some free afl, it will be sufficient. In my view, use those:1. heikin ashi candle chart,2. EMA trading system for exit,3. volume (color). ---------------That's all.Now when to buy? Look for buy patterns (4 profitable patterns with volume). Mamun bhai discussed it in forums.When to sell? EMA trading system.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

AMIBROKER SET UP ------Mazhar
HOW TO SET UP AMIBROKERHOW TO CRACK ITClick the exe file ((AMIBROKER5_BABONJI.EXE)). You will see 2 options----- install and crack. Click install. Be sure to install in C:\program files. Don’t install in other site. After installation completed, again click the exe file. Now click on crack 4 times. You are done. Now open the amibroker through desktop icon or start>amibroker. Go to help>about. See it is registered to starzboy\iCU . That means you are registered now. You are ready to use it.==============================================================HOW TO CREATE NEW DATABASE IN AMIBROKERFirst of all make a new database folder. Go to c > program files > amibroker. Make a new folder here (inside the folder ‘amibroker’). Name it as “00 my database” (you can choose any name). Now open amibroker program. Go to file > new > database > browse > (here show the empty folder 00 my database) > open > create. Ok===========================================================HOW TO IMPORT DSE DATA IN AMIBROKERNow you have to import data. Paste the folder 00DSEDATA in anywhere in your hard drive, better avoid c drive. In this way u can save it from accidental crash and consequent formatting c drive.===============================================================************IMPORT ASCII:****************Open amibroker. Go to file > import ascii > ( here open the folder 00DSEDATA select all files by pressing ctrl+A ) > open. If any error msg appears, ignore it, don’t have to see the error log.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

STOP-LOSS (part 3): mrtq13
MORE ON STOP-LOSS:Now-the stoploss stratyegy-well,that is another skill thatone needs to acquire!!!For example,it was reasonable to put 10% or morestoploss in a stock like NCC.................Why????because of its price level and future.............It was at itslow considering FA and TA. And how low can it gomore.......? So,in such situations putting 10% or even15% makes sense............It gave whipsaws. And thathappens........In TA's term,this is called "ReTest of Bottom". Whathappens is,before going up strongly,many times a stockgoes below from its normal trading range. This wayweak buyers get shaken out.Thus,it creates whipsaws.This is a very strong signal for upwardmove...............See the Retest of bottom Atlasbelow..........How do you know that it is aretest............??? Actually,you never know...........But what we can do is to setup the stoploss in such away that it will keep us alive,or we won't get stoppedout..........And again,this stoploss has to do all with pricelevel and stock's Fundamental condition in manyways............If we put lose stoploss for Banks,it will make sense. Butif we put lose stops for Insurance or mutual funds likeAims and Grameen at the moment,well,then we canexpect some bad experience..........
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

STOP LOSS (part 2).... :mrtq13
This is a very elaborate topic,and needs extensive discussions.............There are several things we need to focus while discussing this whole issue........Say for example :1. How is the market condition now.......2. Are you at the top of market-we are at the top of the market............Aren't we??? Did anyone notice this? DSE isn't expending upward,right???3. How do you feel about large fall or short fall........?4. Your risk tolerance level..........Do you have another sources of earning money and can take too much risk?5. Your total capital...............6. Your trading system. Is it set for short term swings or long term trades..........7. Your experience............--------------------------Let's discuss the above in a very short manner..........DSE isn't in good condition. Too much inconsistency is there. Any trader should remain cautious in such situation...........So,your stops should be tight......Right......? I have seen that in the last fall recently,many became freezed and started to think if they will hold on to their stocks or sell..........There is nothing to think......The market is falling....And that is a fact! Accept the fact and act accordingly........We are at the top of DSE's history. And this is the riskiest zone! Believe it.Don't be too brave at this level!! Whatever your big brothers/so called gambler brothers say,only care about your money and be scared!! Think about it. Let's say,you have invested ur whole amount in the market. Tomorrow market has fallen 90 points like it did recently..........Then,market stops. You feel good,though ur total lose is 4% at the moment! Market stops some times,but crashes upto 300 points. Your lose reaches 15%. Now what are you gonna do? You would become freezed! You wouldn't be able to sell,because the lose is huge. The market doesn't stop.And you lose more and more everyday.Think about the Jamuna oil's holders. Everyday they lose. For last couple of months,they have been having pain............What was the point of such holding............Some are down 40%!!! Wow,what if they took 7% lose and got out this loser stock initially............???The same applies to the whole market.........Now bravity can be shown when you are at the low of the market. If you showed bravity last year,you would gain hell lotta profit..........Because the market was at its low,and going upwards...........Now we are at the top...........So,a lot of correction is expected. But alas,market never goes straight up,or down. It comes down goes up,comes down and down.............What are you gonna do!!!!Try to understand that market's situation changes,and with the changing scenario we should change our strategy...................How much you can bear in a single trade............? Did you ever give it a thought..........?I think I can take 7% lose in every trade and total 3% lose in my total equity on each month..........But what about you...........What kind of trader are you..........? Are you a very short term trader. In that case,you should not bet more than 6% lose or even 5% lose............But if you are buy and hold type of trader............You can bet 30% and even 40% lose sometimes..........But the question is where the hell you have entered the stock........If you have entered at the low of a fundamentally good stock,then taking 40% lose makes sense..........But if you have entered at the top of a fundamentally weak company,taking 40% lose or betting 40% doesn't make sense,does it.........How about your trading system...........How did you set it............I have seen all of our trading systems are for very short term trade............So,our exists should be no more than 6%..............How much experienced are you...........How much you are pshychologically capable of handling a drawdown situation............Now this seems to be the most important point..............When I begin trading with system or TA,I had hard time trading. Sometimes I used to lose my faith in it,because it just didn't give what I expected.........Year ago I bought Intech Online. I put 6% stoploss in it. After I bought,I saw it falling. And even though It didn't go below 6% lose,I sold it. Because I didn't believe that it will work,my system would work.........I got scared,and very indisciplined. After I got out,I saw Intech rocked. I got fucked up,and frustrated................I had more than 4 losing in a raw in a month sometimes. I got frustrated. I thought I may not be able to recover those loses. I felt like kicking the Trading Systems and TA. But later,I saw I not only recovered my loses,rather I was up more than the lose with the same system and strategy.Why do those happen............? Think about it.........There are several factors that work here......Lack of plan is the most crucial,and controlling mind is another important thing.........Anyone telling you that he had never a losing trade is great lier! So,except the fact that lose is a part of our trading. If we can accept it,we will be able to overcome it...........Fear matters! Did you practise your trading style and strategy in real life trading.....That is a very important thing.....Sometimes it is wise to take loses for the shake of practise only. Believe me it works.Trading seems to be a matter of experience too.Oneday will come when looking at a chart you will be able to feel what may happen and act accordingly............Whatever happens,preserve main capital..................When we are at the top of the market,long term hold strategy doesn't make sense,does it..........We never know about future. So,what's the the point of thinking about it.........We should go by strategy,and change our strategy when the market changes.........DSE has changed.......So,it is better to change our old strategy,and be quick to take profit and cut loses...
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

HY BANK PROFIT: JUNE 2008

Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

FA
Fundamental Analysis TechniquesOne of the most popular ways of studying stocks is called fundamental analysis. Investors who use this approach like to look at basic information about a company, such as the growth of its sales and profits, in an effort to figure out what they think is the true, or "fair," value of that company's stock. By comparing the current stock price to that fair value, you can determine if it might be a good time to buy that stock -- or if it's a stock to avoid like the Black Plague.Some of the best-known investors in history have been fundamental analysts, including Peter Lynch, the legendary manager of the Fidelity Magellan mutual fund. Under his management, Magellan was the best performing mutual fund in history. Another famous fundamentalist is Warren Buffet, the brilliant investor behind Berkshire Hathaway. Berkshire Hathaway was once a textile company, but Buffet turned it into a vehicle in which he could invest in other stocks, with phenomenal success. A single share of Berkshire Hathaway now trades for over $60,000!Most individual investors use fundamental analysis in some way to pick stocks for their portfolios. If you're looking for a way to build a "buy-and-hold" portfolio of stocks, made up of companies that you can purchase and then own for years without losing too much sleep at night, you'll probably use the methods of fundamental analysis.Investors who use fundamental analysis usually focus on two separate approaches to picking stocks: growth or value (or sometimes a combination of both).Price/Earnings RatioTHE P/E is hands down the most popular ratio among investors. It definitely has its limitations (as we'll see in a minute), but it's also easy to calculate and understand. If you want to know what the market is paying for a company's earnings at any given moment, check its P/E.The P/E is a company's price-per-share divided by its earnings-per-share. If IBM is trading at $60 a share, for instance, and earnings came in at $3 a share, its P/E would be 20 (60/3). That means investors are paying $20 for every $1 of the company's earnings. If the P/E slips to 18 they're only willing to pay $18 for that same $1 profit. (This number is also known as a stock's "multiple," as in IBM is trading at a multiple of 20 times earnings.)The traditional P/E -- the one you'll find in the newspaper stock tables -- is what's known as a "trailing" P/E. It's the stock's price divided by earnings-per-share for the previous 12 months. Also popular among many investors is the "forward" P/E -- the price divided by a Wall Street estimate of earnings-per-share for the coming year.Which is better? The trailing P/E has the advantage that it deals in facts -- its denominator is the audited earnings number the company reported to the Security and Exchange Commission. Its disadvantage is that those earnings will almost certainly change -- for better or worse -- in the future. By using an estimate of future earnings, a forward P/E takes expected growth into account. And though the estimate may turn out to be wrong, it at least helps investors anticipate the future the same way the market does when it prices a stock.For example, suppose you have two stocks in the same industry -- Exxon and Texaco -- with identical trailing P/Es of 20. Exxon has a stock price of $60 and earnings of $3, while Texaco has a stock price of $80 and earnings of $4. They may look like similar investments until you check out the forward P/E. Wall Street is projecting that Exxon's earnings will grow to $3.75 a share -- 25% growth -- while Texaco's earnings are only expected to grow by 6% to $4.25. In that case, Exxon's forward P/E slips to 16, while Texaco would be valued with a forward P/E of 18.8. Assuming the estimates bear out, Exxon would clearly be the better buy.The biggest weakness with either type of P/E is that companies sometimes "manage" their earnings with accounting wizardry to make them look better than they really are. A wily chief financial officer can fool with a company's tax assumptions during a given quarter and add several percentage points of earnings growth.It's also true that quality of earnings estimates can vary widely depending on the company and the Wall Street analysts that follow it. The bottom line is that despite its popularity, the P/E ratio should be viewed as a guide, not the gospel.Price/Earnings Growth RatioAS WE'VE NOTED frequently, stocks with strong growth rates tend to attract a lot of investors. All that attention can quickly drive their multiples above the market average. Does that mean they're overvalued? Not necessarily. If their growth is superior, they may deserve a higher valuation.The PEG ratio helps quantify this idea. PEG stands for price/earnings growth and is calculated by dividing the P/E by the projected earnings growth rate. So if a company has a P/E of 20 and analysts expect its earnings will grow 15% annually over the next few years, you'd say it has a PEG of 1.33. Anything above 1 is suspect since that means the company is trading at a premium to its growth rate. Investors usually look for a PEG of 1 or below, although as we explain in a minute there are exceptions.Here's how to put the ratio to work. Say Dell Computer is trading at a forward P/E of 35 times earnings. After making the comparison and discovering that rivals Compaq Computer and Gateway 2000 are both trading at multiples around 20, you might begin to think Dell looks awfully expensive. But then you look at earnings growth. First, you see that Dell's earnings are expected to grow at 40% annually over the next three to five years, while analysts are predicting Compaq will grow at 15% and Gateway at 20%. That would give Dell a PEG of 0.88, while Compaq weighs in at 1.33 and Gateway at 1. Looked at in that light, Dell doesn't seem so pricey after all.Generally you use a forward P/E in the PEG ratio, but a low PEG using a trailing P/E is even more convincing. Anything below 1 is of interest, although there really are no rules of thumb. Like the P/E, different industries regularly trade at different PEGs. It's also true that the PEG works less well for large-cap companies that by nature grow at a slower rate despite strong prospects. As always, the key is to compare a company to its peers.The PEG ratio's weakness is that it relies heavily on earnings estimates. Wall Street tends to aim high and analysts are often dead wrong. In 1998, for instance, some companies in the oil-services sector routinely had projected earnings growth rates in the 35% range. But by the end of the year, the crash in oil prices had them swimming in losses. Had you been impressed by their bargain-basement PEG ratios, you'd have lost a lot of money. Our advice is to shave 15% from any Wall Street growth estimate out of hand. That provides a good margin of error.Price/Sales RatioTHE ONCE-OBSCURE price/sales ratio has become an increasingly popular method of valuation for a few reasons. First, quantitative investor James O'Shaughnessy demonstrated convincingly in his book, "What Works on Wall Street," (McGraw-Hill, 1998), that stocks with low PSRs outperformed stocks with low P/E multiples. Second, as we mentioned in the section on P/Es, many investors don't trust net earnings, since they are often manipulated through writeoffs and other accounting shenanigans. Sales are much harder to "manage." Finally, the explosion in Internet stocks forced investors to look for ways to value companies with lots of potential, but no earnings.As the name implies, the price/sales ratio is the company's price divided by its sales (or revenue). But because the sales number is rarely expressed as a per-share figure, it's easier to divide a company's total market value by its total sales for the last 12 months. (Market value = stock price x shares outstanding.)Generally speaking, a company trading at a PSR of less than 1 should attract your attention. Think about it: If a company has sales of $1 billion but a market value of $900 million, it has a PSR of 0.9. That means you can buy $1 of its sales for only 90 cents. There may be plenty else wrong with the company to justify such a low price (like maybe it's losing money), but that's not always the case. It might just be an overlooked bargain.O'Shaughnessy found that PSRs work best for large-cap companies, perhaps because their market values tend to be much closer to their massive sales to begin with. The ratio is less appropriate for service companies like banks or insurers that don't really have sales. Most value investors set their PSR hurdle at 2 and below when looking for undervalued situations. But, as always, we'd counsel that you compare a company's PSR value to its competitors and its own history.Price/Cash FlowLIKE THE PSR, this ratio is another response to investor distrust of net earnings. Many stock analysts think it gives a better picture of a company's true earning power than does the net income figure. The problem is, there are several ways to define cash flow and it is always a little tricky to calculate. And to understand how it works, you first need a quick lesson in how earnings and expenses are recorded.So here goes. Accounting rules require that a company lay out its profits or losses in a standard table called the Income Statement. At the top of the table is a figure for total sales (revenue). Expenses of various types are subtracted as you move down the page. The "bottom line" is net income.Some of those expenses represent the direct cost of producing a company's goods or services. Others -- like depreciation on equipment -- are costs, but don't involve a cash outlay of any sort. Still others -- like taxes and financing costs -- are more administrative in nature. The farther down the income statement you go, the more a company's accountants can fiddle with assumptions to make their net earnings look better. So analysts look for a number -- called cash flow -- that is higher up the statement and that backs out everything but the real cost of doing business.As we've said, there are any number of cash-flow formulas that add and subtract various types of expenses. Cable-television companies, for instance, carry a lot of debt to finance the ongoing construction of their networks. So when comparing them, analysts tend to use a cash-flow formula that backs out the cost of that debt. Why? They want to know how much money the companies generate from their networks, not how much their debt costs. That they examine separately.Our view, however, is that most companies should be compared with the impact of their financing costs showing. What qualifies as a low number? Anything below 20 is worth a look. But, as always, you have to compare a company to its industry.Price/Book ValueBOOK VALUE is a company's assets minus its liabilities. It's accounting jargon for what would be left over for shareholders if the company were sold and its debt retired. The price/book ratio measures what the market is paying for those net assets (also known as shareholder equity). The lower the number, the better.Price/book was a lot more popular in the age of smokestacks and steel. That's because it works best with a company that has a lot of hard assets like factories or ore reserves. It is also good at reflecting the value of banks and insurance companies that have a lot of financial assets.But in today's economy many of the hottest companies rely heavily on intellectual assets that have relatively low book values, which give them artificially high price/book ratios. The other drawback to book value is that it often reflects what an asset was worth when it was bought, not the current market value. So it is an imprecise measure even in the best case.But the price/book ratio does have its strengths. First of all, like the P/E ratio it is simple to compute and easy to understand, making it a good way to compare stocks across a broad array of old-line industries. It also gives you a quick look at how the market is valuing assets vs. earnings. Finally, because assets are assets in any country, book-value comparisons work around the world. That's not true of a P/E ratio since earnings are strongly affected by different sets of accounting rules.Short InterestLEAVE IT to Wall Street to figure out a way to profit from a falling stock. It's called "selling short" and it's becoming increasingly popular among individual investors. It works like this: Say an investor analyzes Intel and decides that all signs point to a decline in the stock price rather than an increase. Intel is trading at $60 a share, so the investor borrows shares of the stock at that price and immediately sells them. After the stock falls to maybe $40 a share, he buys it back on the open market to repay his debt. But since the price is lower, he pockets the difference -- in this case $20 a share. (Of course, if the price goes up from his original price, the investor loses big time.)There are entire companies devoted to selling stocks short and they make it their job to seek out companies that are in trouble. They pore over financial statements looking for weaknesses. But sometimes they merely think a company is too highly priced for its own good.Happily, the stock exchanges track "short interest" in a stock and report it each month so other investors can see what the short-sellers are up to. We track the short-interest ratio (short interest/average daily volume of the stock) on our Investor Snapshots, and it is always worth a look.A high (or rising) level of short interest means that many people think the stock will go down, which should always be treated as a red flag. Your best course is to check the current research and news reports to see what analysts are thinking. But high short interest doesn't necessarily mean you should avoid the stock. After all, short sellers are very often wrong.The short-interest ratio tells you how many days -- given the stock's average trading volume -- it would take short sellers to cover their positions (i.e. buy stock) if good news sent the price higher and ruined their negative bets. The higher the ratio, the longer they would have to buy -- a phenomenon known as a "short squeeze" -- and that can actually buoy a stock. Some people bet on a short squeeze, which is just as risky as shorting the stock in the first place. Our advice is this: Use the short-interest ratio as a barometer for market sentiment only -- particularly when it comes to volatile growth stocks. When it comes to gambling, you're better off in Vegas.BetaHOW MUCH volatility can you expect from a given stock? That's well worth knowing if you want to avoid being shocked into panic selling after buying it. Some stocks trend upward with all the consistency of a firefly. Others are much more steady. Beta is what academics call the calculation used to quantify that volatility.The beta figure compares the stock's volatility to that of the S&P 500 index using the returns over the past five years. If a stock has a beta of 1, for instance, it means that over the past 60 months its price has gained 10% every time the S&P 500 has moved up 10%. It has also declined 10% on average when the S&P declines the same amount. In other words, the price tends to move in synch with the S&P, and it is considered a relatively steady stock.The more risky a stock is, the more its beta moves upward. A figure of 2.5 means a gain or loss of 25% every time the S&P gains or loses just 10%. Likewise, a beta of 0.7 means the stock moves just 7% when the index moves in either direction. A low-beta stock will protect you in a general downturn, a high Beta means the potential for outsize rewards in an upturn.That's how it is supposed to work, anyway. Unfortunately, past behavior offers no guarantees about the future. If a company's prospects change for better or worse, then its beta is likely change, too. So use the figure as a guide to a stock's tendencies, not as a crystal ball.MarginsLIKE ROE and ROA, calculating a company's margins is a way of getting at management efficiency. But instead of measuring how much managers earn from assets or capital employed, this ratio measures how much a company squeezes from its total revenue (sales).Sounds a lot like earnings, right? Well, margins are really just earnings expressed as a ratio -- a percentage of sales. The advantage is that a percentage can be used to compare the profitability of different companies while an absolute number cannot. An example should help. In the spring of 1999, Sears had net income of about $1.1 billion on annual sales of about $41.2 billion. Wal-Mart, meanwhile, was earning about $4.7 billion on sales of $143 billion. Comparing $4.7 billion with $1.1 billion wouldn't tell you much about which company was more efficient. But if you divide the earnings by the sales, you'll see that Wal-Mart was returning 3.3% on sales while Sears was returning just 2.7%. The difference doesn't sound like much but it was worth about $839 million to Wal-Mart shareholders. And it's one of the reasons Wal-Mart was trading at about twice the multiple of Sears.Analysts look at various types of margins -- gross, operating, pretax or net. Each uses an earnings number that is further down the Income Statement (see Price/Cash Flow for more on how the Income Statement works). What's the difference? As you move down the statement, different types of expenses are factored in. The various margin calculations let you refine what you're looking at.Gross margins show what a company earns after all the costs of producing what it sells are factored in. That leaves out a lot -- marketing expenses, administrative costs, taxes, etc. -- but it tells you how profitable the basic business is. Consider that Wal-Mart's gross margin was about 22% in the spring of '99. Sears' was 34%.Operating margins figure in those selling and administrative costs, which for most companies are a large and important part of doing business. But they come before interest expenses on debt and the noncash cost of depreciation on equipment. The earnings number used in this ratio is sometimes called cash flow or earnings before interest, taxes, depreciation and amortization (EBITDA). It measures how much cash the business throws off and some consider it a more reliable measure of profitability since it is harder to manipulate than net earnings.Pretax margins take into account all noncash depreciation on equipment and buildings, as well as the cost of financing debt. But they come before taxes and they don't include one-time (so called "extraordinary") expenses like the cost of shutting a factory or writing off some other investment.Net margins measure the bottom line -- profitability after all expenses. This is what shareholders collect (theoretically) and so closely watch.Margins are particularly helpful since they can be used both to compare profitability among many companies (as we demonstrated with Wal-Mart and Sears above) and to look for financial trouble at a single outfit. Viewing how a company's margins grow or shrink over time can tell you a lot about how its fortunes are changing. Between early 1995 and January of 1999, for instance, Dell Computer's net margin doubled from 4.3% to 8% even as the cost of a PC declined markedly. What does that tell you? Dell was driving down prices and manufacturing more efficiently. Rival Compaq Computer, meanwhile, went disastrously in the opposite direction -- 8% to -8% -- as the company ran into trouble digesting several acquisitions and began to lose money. That helps explain why Compaq's shares rose about 250% during that time while Dell's roared ahead almost 8,000%InventoriesIF YOU ASKED the average company president what he (hey, don't blame us for the averages) thinks of inventory, he'd likely sigh and tell you it's a necessary evil. Manufacturers have warehouses filled with raw materials, component parts and finished goods to help fill orders. Retailers have stock waiting to be sold. For every moment any of it sits idle on the shelves, it costs the company money to store and finance. That's why managers strive with all they've got to have as little inventory on hand as possible.Certain types of companies (manufacturers, retailers) by nature must carry more inventory than others (software makers, advertising companies). So as an investor you want to look for two things here: First, does one company in a given industry carry more inventory as a percentage of sales than its rivals? Second, are its inventory levels rising dramatically for some unexplained reason?You can't look at inventory in isolation. After all, if a company's inventory level increased 20% but sales grew at a rate of 30%, then the increase in inventory should be expected. The warning sign is if inventory spikes despite normal growth in sales. In 1997, for instance, the stock of high-flying apparel maker Tommy Hilfiger got nailed when its inventories suddenly rose 50% spooking Wall Street analysts, who figured the popular men's wear maker had lost its edge among teenage boys. Tommy eventually righted the situation (it had more to do with inventory management than fashion sense) and the stock recovered. But a lot of investors lost money along the way.A helpful number to look at is the inventory-turnover ratio. It's annual sales divided by inventory and it reflects the number of times inventory is used and replaced throughout a year. Low inventory turnover is a sign of inefficient inventory management. For example, if a company had $20 million in sales last year but $60 million in inventory, then inventory turnover would be 0.3, an unusually low number. That means it would take three years to sell all the inventory. That's obviously not good.There's no rule of thumb when it comes to turnover. It's best to make comparisons. If a retailer had a turnover of 4, for example, and its closest competitor had turnover of 6, it would indicate that the company with higher turnover is more efficient and less likely to get caught with a lot of unsold goods.Current Assets/LiabilitiesThese statistics are always worth a look to take a company's short-term temperature. Current assets are things like cash and cash equivalents, accounts receivable (money owed the company by customers) and inventories. They are defined as anything that could be sold quickly to raise money. Current liabilities are what the company owes in short order -- mostly accounts payable and short-term debt.The thing to look for here is a big change from period to period. If the current assets number grows quickly, it could mean the company is accumulating cash -- a good thing. Or it is having trouble collecting accounts receivable from customers -- a bad thing. Precipitous growth in current liabilities is rarely a good thing, but it might be explainable due to some short-term corporate goal.If you see a spike in either category, it's worth further explanation. Check the analyst research, news reports or get the financial statements and read the notes. Management is required to explain changes in the company's financial condition.Efficiency RatiosIF ONE GROUP of managers was able to squeeze more money out its assets or capital than another, you'd go with the first one, right? Of course. That's why accountants and stock analysts long ago began looking for a reliable way to measure management efficiency. Return on equity (ROE) and return on assets (ROA) are what they came up with.Both ratios are an effort to measure how much earnings a company extracts from its resources. Return on equity is calculated by taking income (before any non-recurring items) and dividing it by the company's common equity or book value. Expressed as a percentage, it tells you what return the company is making on the equity capital it has deployed. Return on assets is income divided by total assets. It gives you a sense of how much the company makes from all the assets it has on the books -- from its factories to its inventories.As measures of pure efficiency, these ratios aren't particularly accurate. For one thing (as we've mentioned repeatedly), earnings can be manipulated. It's also true that the asset values expressed on balance sheets are (for various reasons) not entirely reflective of what a company is really worth. Microsoft or an investment bank like Goldman Sachs, as they say, rely on thousands of intellectual assets that walk out the front door every day.But ROE and ROA are still effective tools for comparing stocks. Since all U.S. companies are required to follow the same accounting rules, these ratios do put companies in like industries on a level playing field. They also allow you to see which industries are inherently more profitable than others.Dividend/YieldA DIVIDEND is a payment many companies make to shareholders out of their excess earnings. It's usually expressed as a per-share amount. When you compare companies' dividends, however, you talk about the "dividend yield," or simply the "yield." That's the dividend amount divided by the stock price. It tells you what percentage of your purchase price the company will return to you in dividends. Example: If a stock pays an annual dividend of $2 and is trading at $50 a share, it would have a yield of 4%.Not all stocks pay dividends, nor should they. If a company is growing quickly and can best benefit shareholders by reinvesting its earnings in the business, that's what it should do. Microsoft doesn't pay a dividend, but the company's shareholders aren't complaining. A stock with no dividend or yield isn't necessarily a loser.Still, many investors -- particularly those nearing retirement -- like a dividend, both for the income and the security it provides. If your company's stock price falters, you always have a dividend. And it is definitely a nice sweetener for a mature stock with steady, but unspectacular growth.But don't make the mistake of merely searching for stocks with the highest yield -- it can quickly get you in trouble. Consider the stock we mentioned above with the $2 dividend and the 4% yield. As it happens, 4% is well above the market average, which is usually below 2%. But that doesn't mean all is well with the stock. Consider what happens if the company misses an earnings projection and the price falls overnight from $50 a share to $40. That's a 20% drop in value, but it actually raises the yield to 5% ($2/$40). Would you want to invest in a stock that just missed earnings estimates because its yield is now higher? Probably not. Even when searching for stocks with strong dividends, it's always crucial to make sure the company clears all your other financial hurdles.When you're searching for stocks with high dividend yields, one quick check you should always make is to look at the company's payout ratio. It tells you what percentage of earnings management is doling out to shareholders in the form of dividends. If the number is above 75% consider it a red flag -- it might mean the company is failing to reinvest enough of its profits in the business. A high payout ratio often means the company's earnings are faltering or that it is trying to entice investors who find little else to get excited about.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

PAID UP CAP: FEB 2008

Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

Volume interpretation: mrtq13

Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

SWINGER: mrtq13
his is simply a swinger. Nothing much,nothing less. Itis with lowest whipsaws,and remarkable to catch everyentry..............This one is easy to understand trend andreversal,and also breakout............Like I said,this swings-very different from any otherchart type...........!!!! I created this,because I wanted toknow for sure that there is a reverse in trend looking atthe chart(a sure fire kind of thing). It is really difficultto determine the exact reversal point(to pin point it).Iwanted to pin point my entry! Also,I wanted to have aclutter free chart,a clean and smooth chart where themost important things will be combinedtogether..............See the chart below. All you have to do is to enter whenthe system tells you to do that...........It is easy andtrouble free. It is automatic. Several different rules havebeen put into it through coding. There are threedifferent trading systems into it.............I hope the chart defines itself. But a short brief is,aslong as there are green candles,the trend is up and wehold the stock. When there is red candles,we don't tradeit. When there is cross,we know tht the trend hasreversed............When there are rings,we know thattrend is gonna change soon.........Bottom line is even a fool can trade with this thing..
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

20 RULES FOR SWING TRADERS: SOUTHWIND
20 RULES FOR THE MASTER SWING TRADERBy Alan FarleyLast Updated: Jan. 2, 2002Swing trading can be a great way to profit from market upswings and downswings,but as I’ve always said, it’s not easy. Mastering the swing- trading techniques takestime and effort. To help get you started, I am giving you 20 Rules to think about asyou begin – and ultimately master – swing trading.Rule 1: If you have to look, it isn’t there.Forget your college degree and trust your instincts. The best trades jump out ofnowhere and create a sense of urgency. Take a deep breath, then act quickly beforethe opportunity disappears.Rule 2: Trends depend on their time frame.Make sure your trade fits the clock. Price movement aligns to specific time cycles.Success depends on trading the right ones.Rule 3: Price has memory.What happened the last time a stock hit a certain level? Chances are it will happenagain. Watch trades closely when price returns to a battleground. The prior action canpredict the future.Rule 4: Profit and discomfort stand side by side.Find the setup that scares you the most. That’s the one you need to trade. Don’texpect it to feel good until you take your profit. If it did, everyone else would betrading it. Wisdom from the East: What at first brings pleasure in the end gives onlypain, but what at first causes pain ends up in great pleasure.Rule 5: Stand apart from the crowd at all times.Trade ahead, behind or contrary to the crowd. Be the first in and out of the profitdoor. Your job is to take their money before they take yours. Be ready to pounce onill-advised decisions, poor judgment and bad timing. Your success depends on themisfortune of others.Rule 6: Buy the first pullback from a new high. Sell the first pullback from anew low.Trends often test the last support/resistance before taking off. Trade with the crowdthat missed the boat the first time around.Rule 7: Buy at support. Sell at resistance.Trend has only two choices upon reaching a barrier: Continue forward or reverse. Getit right and start counting your money.Rule 8: Short rallies, not selloffs.Shorts profit when markets drop, so they start to cover. This makes it a terrible timeto enter new short sales. Wait until they get squeezed and shaken out, then jump inwhile no one is watching.Rule 9: Manage time as efficiently as price.Time is money in the markets. Profit relates to the amount of time set aside foranalysis. Know your holding period for every trade. And watch the clock to become amarket survivor.Rule 10: Avoid the open.They see you coming, sucker.Rule 11: Trades that work in hot markets destroy accounts in cool ones.Stocks trend only 15% to 20% of the time. Price ranges cause grief to momentumtraders the rest of the time.Rule 12: The best trades show major convergence.Watch for the bull’s eye. Look for a single point in price and time that pointsrepeatedly to a trade entry. The market is trying to tell you something.Rule 13: Don’t confuse execution with oppo rtunity.Save Donkey Kong for the weekend. Pretty colors and fast fingers don’t makesuccessful careers. Understanding price behavior and market mechanics does. Learnwhat a good trade looks like before falling in love with the software.Rule 14: Control risk before seeking reward.Wear your market chastity belt at all times. Attention to profit is a sign of immaturity,while attention to loss is a sign of experience. The markets have no intention ofoffering money to those who do not earn it.Rule 15: Big losses rarely come without warning.You have no one to blame but yourself. The chart told you to leave, the news told youto leave and your mother told you to leave. Learn to visualize trouble and head forsafety with only a few bars of information.Rule 16: Bulls live above the 200-day moving average, bears live below.Are you flying with the birds or swimming with the fishes? The 200-day movingaverage divides the investing world in two. Bulls and greed live above the 200-day,while bears and fear live below. Sellers eat up rallies below this line and buyers cometo the rescue above it.Rule 17: Enter in mild times, exit in wild times.The big move hides beyond the extremes of price congestion. Don’t count on theagitated crowd for your trading signals. It’s usually way too late by the time they act.Rule 18: Perfect patterns carry the greatest risk for failure.Demand warts and bruises on your trade setups. Market mechanics work to defeat themajority when everyone sees the same thing at the same time. When perfectionappears, look for the failure signal.Rule 19: Trends rarely turn on a dime.Reversals build slowly. Investors are as stubborn as mules and take a lot of painbefore they admit defeat.Rule 20: See the exit door before the trade.Assume the market will reverse the minute you get filled. You’re in very big troublewhen it’s a long way to the door. Never toss a coin in the fountain and hope yourdreams will come true.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

candlesticks, system trading: mrtq13
1. You will always need Candlestick..........But the question is to what extent you will use Candlestick in your trading decision...........That you will have to decide on your own...........Personally,I don't give too much emphasis on Candlestick now a days.As a beginner,I used to give emphasis on Candles,because I thought and read they work like a charm.They do,but not as charmfully as we think in DSE. As I got more and more involved in TA,I found there are several different things that are superior to chandlestick.......... I only look at candlestick just to know how the day was-bearish,bullish,neutral or what........That is it..........! My trading decision is not dependent on candles mostly...........2. Besides knowing about normal candlestick,you need to know about Heikin Ashi. It is the most important one for DSE,as DSE is a volatile stock exchange. Traders sentiment is inconsistent here..........So,normal candlestick would confuse you,you need something that smooths out the whipsaws here.............3. Use only one oscillator. Using more than one oscillator for the same purpose is technically wrong..........Macd is a bit slow. Besides,you can see the crossover of Macd(to an extent)in your candlestick chart with Moving Average............I prefer Stochastic. And STochRSI is better than Stochastic..........The choice is urs.........4. You need to learn about Volume and how volume influence price action...........It is very important...........5. Moving Average is important. They represent past price action and future price too! So,one should give emphasis on them..........6. You should work on Buy,Hold,and Sell together..........We emphasis on Buy too much,whereas Hold and Sell are also important.............Especially,exit is more important than entry..............7. You need to know about Pullback, Breakout,Reversal,and Rangebound trading style. And you need to find out which one is suitable for you to trade!8. You need to find out a guide who will show you the way to TA. That way,your life will get easier in TA's world.It is a huge area,you will surely get lost in this world.........However,there is no guide around. So,you will have to do things on your own. So,keep going......... --------------------- ** ---------------------Now System Trading...........!Let's make it simple..................! However,I don't know how to define it in simple term........Well,let's see some rules..........Rule 1 : Experienced traders here might have seen that when a price moves up,say for example 6%,from previous day,probability is it will rise further............Rule 2: Again,some experienced traders here might also have noticed that when a stock has high volume with rising price movement,probability is it will rise further.Rule 3: TAs here might have noticed that when MACD crosses the zero line,probability is the stock will rise further.Rule 4: TAs here might have noticed that when short term moving averages crosses mid term moving averages,probability is the stock will rise further.................Now,we have got four trading rules. We know when these rule appear in a stock,the stock usually rises...........We memorise those rules. See them in charts. We are happy...........Because we promise ourselves that whenever they will appear,we will enter into the stock........Unfortunately,many times we can't...........Because we are driven by Brain. And Brain has limitation in processing data...........That is why,computer can defeat us in chess game..............So,as computer can process data well and can give us the most perfect output,so let's use computer to process the data for us to trade...........Now let's feed our trading software with the above four rules. And let's program it in such a way that whenever those four rules appear computer will tell us to buy...........Now all we have to do is to buy after the computer tells us to buy..........That is it..............By system trader I mean,I program the software and give it the rules of my trading style. It then start to give me Buy/Sell/Hold signal. And I go by those signals............This way,I don't have to think and get confused.............Brain is a weak machine when it comes to data processing,computer isn't............Below is an example of a trading system I am recently with...........I hope it will give you an idea of Trading System...........-------------------**------------------ _________________1. Cut your losses short........... 2. Take your decisions on your own.... 3. Future can't be predicted.So,don't fight the market! 4. When in doubt,don't trade......... 5. Be aggressive with Bulls,be defensive with bears...
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

PREMATURE SELL? SOLUTION IS HERE: mrtq13
This type of problem happens when :1. you don't have defined rules which you have to follow in trading.2. you don't use "initial stop" to trade and stick to that initial stop.3. you get concerned about your position.4. you look at "normal candlesticks" too much and give them too much value.Now here is the problem..................1. One has to have all rules defined in a note..........What I personally do is that I record all my rules of certain situations/patterns in a video tutorial. I mean,say for example,I have come discovered a pattern to trade. What I do is to video in which I try to define the exit,entry,market condition,failure,initial stop,trailing stop,profit taking stops,and so on.........I run and watch the video in my leisure times,or whenever such patterns appear. That way,I feel confident to trade the pattern,as I know what may happen next.......I make the patterns a part of me like that so that I become natural to trade them...........etc...................Give this idea a thought. It does improve trade substantially..........You can easily memorize complex things with this idea...........I apply this idea of tutorial not only in trading,but also in other aspects of learning.............2. we have serious confusion of stops.............The trailing stops you have shown in the chart are for "trailing" purposes only. They are not to be used for your initial stops. When you launch a trade,you need to have your own stop loss zone,which if violated,should tell you to exit the trade. And this should be defined by your total investment/equity. Or,your risk tolerant percent..............I can tolerate risk of 10% on each trade. So,I don't care if a trade goes down 10% from my buy price. But it violates 10% and reaches to 11%,I surely exit..........By 10%,I mean I can tolerate 10,000 loss on each 1 lach taka bet on a trade in one month. That won't hamper my total investment,my lifestyle,and above won't hurt my emotion.............How one should determine one's initial exit depends on his own personality and livings,and also the stocks one is trading..................We need to have an elaborate discussion on this stop loss. Note that trailing stops are generally for profit locking! After a trade goes on your way,you should use trailing stops............Also,you need to consider "position sizing",which is a very good and important idea to know...................3. Did you ever find that you become emotional after you launch a trade................! And sometimes a lot of negative thoughts clutter your mind. Sometimes you feel you just don't know what to do..........You need to control your emotion.Pls,read ebooks on this matter..............You can do some kind of visualisation to give your mind positive suggestion.............But from my experience,I will say again,if you have defined rules and patterns,you will be able to trade with confidence and avoid negative thoughts of mind...............4. You must use Heikin Ashi............I surely don't,again "don't",support to trade only by candlesticks. They are very very deceiptive. Use normal candlestick only for interpret the days movement or for the movement of a particular patterns. Pls,go through what I have written about ICBislamic's trade in this forum( viewtopic.php?f=6&t=13 ). I surely used normal candlestick to interpret the movement of that stock.But above all,I knew that there is a pattern(upmove and consolidation) in which all the buying candles are appearing. I actually emphasised the pattern more than the candles. Surely,candles are good. But they show short term move. For a longer term move,you need to see the pattern,where the stock is now...........The critical problem with candlestick is they will bluff you unless you haven't practise them hour after hour. You see a red candle,and you become concerned. Though that candle has not much meaning..........But the problem arises because you become concerned and you start to get emotional. Negative thoughts come into your mind............Pls,note the difference of stocks and trading between bangladesh and other countries...............I can easily trade by normal candlesticks in U.S market. But they become very much confusing in our market. Because our market is very much volatile............U.S market follows logic and calculation heavily. By the way,forget Warren Buffet. It is very much silly,imprudent,and childish to follow a huge investor like him. He alone can crash/shake part of U.S market(not whole). Small traders like you and me can't and should not follow him. This is unrealistic and unmatched thing! He is institutional investor...................BD market is all about trend and smoothing out trend. Note that there is a critical difference between other market and ours. And that is timing. We have to wait two days after our buying to sell. But in other countries,you can buy sell anytime. So,one should have different style to trade our market. I have learned this truth the hard way...............I must add one last note : give value to support and resistance in our market. Because they work.......
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

CANSLIM: FUNDAMENTAL ANALYSIS
CANSLIM Is a Key Word of Fundamental Analysis CANSLIM is a philosophy of screening, purchasing and selling common stock. Developed by William O'Neil, the co-founder of Investor's Business Daily, it is described in his highly recommended book "How to Make Money in Stocks".The name may suggest some boring government agency, but this acronym actually stands for a very successful investment strategy. What makes CANSLIM different is its attention to tangibles such as earnings, as well as intangibles like a company's overall strength and ideas.The best thing about this strategy is that there's evidence that it works: there are countless examples of companies that, over the last half of the 20th century, met CANSLIM criteria before increasing enormously in price. In this section we explore each of the seven components of the CANSLIM system. 1. C = Current Earnings O’Neil emphasizes the importance of choosing stocks whose earnings per share (EPS) in the most recent quarter have grown on a yearly basis. For example, a company’s EPS figures reported in this year’s April-June quarter should have grown relative to the EPS figures for that same three-month period one year ago.How Much Growth?The percentage of growth a company’s EPS should show is somewhat debatable, but the CANSLIM system suggests no less than 18-20%. O’Neil found that in the period from 1953 to 1993, three-quarters of the 500 top-performing equity securities in the U.S. showed quarterly earnings gains of at least 70% prior to a major price increase.The other one quarter of these securities showed price increases in two quarters after the earnings increases. This suggests that basically all of the high performance stocks showed outstanding quarter-on-quarter growth. Although 18-20% growth is a rule of thumb, the truly spectacular earners usually demonstrate growth of 50% or more.Earnings Must Be Examined CarefullyThe system strongly asserts that investors should know how to recognize low-quality earnings figures - that is, figures that are not accurate representations of company performance. Because companies may attempt to manipulate earnings, the CANSLIM system maintains that investors must dig deep and look past the superficial numbers companies often put forth as earnings figures.O’Neil says that, once you confirm that a company's earnings are of fairly good quality, it's a good idea to check others in the same industry. Solid earnings growth in the industry confirms the industry is thriving and the company is ready to break out.2. A = Annual Earnings CANSLIM also acknowledges the importance of annual earnings growth. The system indicates that a company should have shown good annual growth (annual EPS) in each of the last five years.How Much Annual Earnings Growth?It's important that the CANSLIM investor, like the value investor, adopt the mindset that investing is the act of buying a piece of a business, becoming an owner of it. This mindset is the logic behind choosing companies with annual earnings growth within the 25-50% range. As O’Neil puts it, "who wants to own part of an establishment showing no growth"? 3. N = New O’Neil’s third criterion for a good company is that it has recently undergone a change, which is often necessary for a company to become successful. Whether it is a new management team, a new product, a new market, or a new high in stock price, O’Neil found that 95% of the companies he studied had experienced something new.McDonald’sA perfect example of how newness spawns success can be seen in McDonald’s past. With the introduction of its new fast food franchises, it grew over 1100% in four years from 1967 to 1971! And this is just one of many compelling examples of companies that, through doing or acquiring something new, achieved great things and rewarded their shareholders along the way.New Stock Price HighsO’Neil discusses how it is human nature to steer away from stocks with new price highs - people often fear that a company at new highs will have to trade down from this level. But O’Neil uses compelling historical data to show that stocks that have just reached new highs often continue on an upward trend to even higher levels. 4. S = Supply and Demand The S in CANSLIM stands for supply and demand, which refers to the laws that govern all market activities.The analysis of supply and demand in the CANSLIM method maintains that, all other things being equal, it is easier for a smaller firm, with a smaller number of shares outstanding, to show outstanding gains. The reasoning behind this is that a large-cap company requires much more demand than a smaller cap company to demonstrate the same gains.O’Neil explores this further and explains how the lack of liquidity of large institutional investors restricts them to buying only large-cap, blue-chip companies, leaving these large investors at a serious disadvantage that small individual investors can capitalize on.Because of supply and demand, the large transactions that institutional investors make can inadvertently affect share price, especially if the stock's market capitalization is smaller. Because individual investors invest a relatively small amount, they can get in or out of a smaller company without pushing share price in an unfavorable direction.In his study, O’Neil found that 95% of the companies displaying the largest gains in share price had fewer than 25 million shares outstanding when the gains were realized. 5. L = Leader or Laggard In this part of CANSLIM analysis, distinguishing between market leaders and market laggards is of key importance. In each industry, there are always those that lead, providing great gains to shareholders, and those that lag behind, providing returns that are mediocre at best. The idea is to separate the contenders from the pretenders.Relative Price StrengthThe relative price strength of a stock can range from 1 to 99, where a rank of 75 means the company, over a given period of time, has outperformed 75% of the stocks in its market group. CANSLIM requires a stock to have a relative price strength of at least 70. However, O’Neil states that stocks with relative price strength in the 80–90 range are more likely to be the major gainers.Sympathy and LaggardsDo not let your emotions pick stocks. A company may seem to have the same product and business model as others in its industry, but do not invest in that company simply because it appears cheap or evokes your sympathy. Cheap stocks are cheap for a reason, usually because they are market laggards. You may pay more now for a market leader, but it will be worth it in the end. 6. I = Institutional Sponsorship CANSLIM recognizes the importance of companies having some institutional sponsorship. Basically, this criterion is based on the idea that if a company has no institutional sponsorship, all of the thousands of institutional money managers have passed over the company. CANSLIM suggests that a stock worth investing in has at least three to 10 institutional owners.However, be wary if a very large portion of the company’s stock is owned by institutions. CANSLIM acknowledges that a company can be institutionally over-owned and, when this happens, it is too late to buy into the company. If a stock has too much institutional ownership, any kind of bad news could spark a spiraling sell-off.William O’Neil also explores all the factors that should be considered when determining whether a company’s institutional ownership is of high quality. Even though institutions are labeled "smart money", some are a lot smarter than others.7. M = Market Direction The final CANSLIM criterion is market direction. When picking stocks, it is important to recognize what kind of a market you are in, whether it is a bear or a bull. Although O’Neil is not a market timer, he argues that if investors don’t understand market direction, they may end up investing against the trend and thus compromise gains or even lose significantly.Daily Prices and VolumesCANSLIM maintains that the best way to keep track of market conditions is to watch the daily volumes and movements of the markets. This component of CANSLIM may require the use of some technical analysis tools, which are designed to help investors/traders discern trends. Conclusion Here’s a recap of the seven CANSLIM criteria:1. C = Current quarterly earnings per share - Earnings must be up at least 18-20%.2. A = Annual earnings per share – These figures should show meaningful growth for the last five years.3. N = New things - Buy companies with new products, new management, or significant new changes in industry conditions. Most importantly, buy stocks when they start to hit new price highs. Forget cheap stocks; they are that way for a reason.4. S = Shares outstanding - This should be a small and reasonable number. CANSLIM investors are not looking for older companies with a large capitalization.5. L = Leaders - Buy market leaders, avoid laggards.6. I = Institutional sponsorship - Buy stocks with at least a few institutional sponsors who have better-than-average recent performance records.7. M = General market - The market will determine whether you win or lose, so learn how to discern the market's overall current direction, and interpret the general market indexes (price and volume changes) and action of the individual market leaders.CANSLIM is great because it provides solid guidelines, keeping subjectivity to a minimum. Best of all, it incorporates tactics from virtually all major investment strategies. Think of it as a combination of value, growth, fundamental, and even a little technical analysis.Remember, this is only a brief introduction to the CANSLIM strategy; this overview covers only a fraction of the valuable information in O’Neil’s book, "How to Make Money in Stocks". We recommend you read the book to fully understand the underlying concepts of CANSLIM.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

EXIT: mrtq13
WHEN TO EXIT ?................TA side for exit...........But before that,let me say this........ Stock market,as you already know,is a matter of uncertainity. What we all try to do in the market is to keep the odds in our favor. And to do that,we implement different techniques-rumors,fa,ta,news,speculations etc.......TA is one of the techniques that Traders use. It has good side,bad side. Like any other aspects of trading methods,TA is sometimes deceptive and unsuccessful in some aspects.Still TA has over everything else,as you can understand yourself now.Think how you used to trade in past,and how you see trades at present.........There are several stages that you are going to go through,after you start your journey in TA world.......One of them is you would sometimes think,you have known all aspects of TA and now you are ready to profit. But later you will realise,your ideas are not enough. Again,you will see,you don't believe TA from the bottom of your heart.So,you don't trade depending on your trade decisions. Again,you will see oneday that you can't just trade without TA. You will lose everything without your chart.You will get addicted to it.You will realise traders around you are simply fools,because they are trading the wrong thing at wrong time.....At a certain level,you will realise that you have to do things on your own.You will then develop your own strategy,though you may test and try to understand other traders's strategy.Then,oneday you would realise,it is your mind that is disturbing you,that should be controlled,and disciplined............Well,you then become a real TA.........Why I have written all those has a reason...........-------------------------------------------------------A good entry will surely give you a lot of comfort. But a good exit will give you a sure fire kind of profit. A planned,disciplined,and tested exit will save you from going to hell........And exit is as important as entry..........And actually,trading can be divided into three catagory from TA's point of view : 1. Entry. 2. Holding. 3. Exit.------------------------------------------------------------------Exit itecan be divided into several things. For example, 1. Stop loss. 2. Trailing Stop.Now Stop loss is your initial exit level,if the trade doesn't work or fail.........Usually,experts recommend 7% to 8% of your invested money in a bought stock to be your stop loss. It means if you have bought a stock with 10,000 taka,you have to sell it at 9300 taka with 7% loss. I have found that 10% loss is a good percent for stop loss in bangladesh.....I personally bet 10% on each trade. So,10,000 taka is my tolerant level for each 1,00,000 taka.Now the question is why such a technique. The reason is simple. As you are a chartist,you know when to enter. So,let's say you entered five times into a stock. You lose 10% in three,but gain 30% in two. So,you are having 30% profit in total. This is an interesting trick.-----------------------------------------------------------------Now the trailing stop/exit part. Well,like I have always said,I use two trailing stops for taking profit. Surely,if you follow trailing stops,you sometimes will have to lose some profit. It is because,you have to give some chance to the stock to go up. So,you have to lose your trailing stops. Please,go back to a stock's chart. And see that if you use tight stops,you will get out of a stock very quickly.You have to aim at big profit. Yeah,"YOU MUST TRAIN YOURSELF TO GAIN BIG PROFIT".The trickiest part of trading is to hold and to take big profit. Sometimes there will be so sever pullback that you will panic.But selling in that panic will deprive you of big profit.......---------------------------------------------------------------------Now let's see a real example. I trade this in real. And I am going to write how I traded here........Entry :There was candlestick buy signal at first. See the yellow box on the candles. Then,there was a buy signal by the software. I entered the later day at 1483 taka. I went on buying on later days.My stop loss was 10%.And later days,I saw I didn't need that stop anymore. Because I was out of risk............Exit:Now I got concerned around 2306 taka,though I was "trying" to follow the long term trailing stop. Because market went gloomy at that time. And ABBANK was at resitance point. So,I sold more than half of my holdings following the short term trailing stop,which is blue here.............Then,I rentered in ABBANK at 2370 taka,following another buy signal,volume and breakout. And again,I was following the sea green color,which is a long term traling stop line. However,AB again lost its strength around 3000 taka and started to create red candles.........So,I exited at around 2900 taka. This exit was based on not only trailing stop,but also on Candles,volume! I circled my exit in white box..............But see next buy signal. I entered into it,but realised that it was a wrong entry.I tried to exit,but had a lose of 8%. I took the lose. And see AB's chart of later part.It feel nearly 30% more............-----------------------------------------------------------------------------------Now when do you take profit? The simple rule is going with the Trailing stops,trading with your own nature,and staying with the trend.........Trend is a very important factor. As long as trend is up,you should be very aggressive. But when the trend is downward,you must be watchful,cautious........There is a very important thing that you have to discover. And that is nature. You would notice there are some traders that don't have difficulty holding a stock for long.But there are some that have real difficulty to hold a stock for long.They are comfortable holding stocks for short time...........Find out your nature of holding...............In short,let's summerise :1. Don't base your profit taking completely based on candlestick.But be on alert when candlestick sell signal appears.2. Always be prepared to take some profit at resistance level. But don't think resistance level is the end of everything.3. Always be watchful at fibonacci levels.Because prices do change direction at fibo levels.4. Always stick to your trading plans,whatever happens..5. Always believe in Trailing stops,even if they look ridiculous,absurd and confusing.6. Always develop your own style of trading,and believe in it from the bottom of your heart.7. Always try to buy a stock at the bottom,not at the top(whatever happens),unless there is clear breakout with high volume.8. Give a stock time to give you profit.9. Be on alert when a stock gets oversold by indicators like Stochastic,RSI,MACD. But don't sell at oversold situation,unless you are too confirmed of reversal.Use Oscillators for enterting a stock most of the time.10.In the end,again,believe in trailing stops.They do work.11. Practise,practise and practise in past of stocks. Give yourself time to understand what is going on. Oneday you would realise you are becoming like a robot,machine in trading. And that is a good sign.
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

HEIKIN ASHI: mrtq13
Heikin Ashi is an averaged candlestick chart. The high,low,open,close of normal candlestick is averaged in Heikin Ashi chart. But why! There is a problem with candlestick-the problem with feeling smoothed. Look at the chart of normal candlestick and Heikin Ashi charts. You will see whereas Trend,support,resistance are clear in Heikin Ashi,you will have hard time to understand those in normal candle charts..........Besides Heikin Ashi has a trend showing feature,which normal candle doesn't.......I have one modified Heikin Ashi chart which changes its color when trend change.All you have to do is to enter when the color is green,and exit when the color is red. Easy.......Normal candle has small sentiment or trend showing capability.Not long.........Look at a candle chart,you will see a lot of red candles,which will tell you to get out of a trade early.But you will find that it was not an exit,as that stock later went up.So,you fell into whipsaws........To get rid of this kind of whipsaws,Heikin ashi was created,and also has been created the Trailing Stop method......When combined,these two can keep you into a trade very very long time without getting you shaken out...........Remember to stay alive in the market,and to really get profit,you will have to hold on to a stock as long as it is in uptrend.............I keep all type of charts in my soft. But I have different strategy for different situation in DSE. For example,I know that when there is compression pattern in Heikin Ashi chart,trend is going to change. This compression pattern was used to trade both Goldenson and 1stNRB and were profitable.........However,you can't interpret the candles of Heikin Ashi as normal candles.There is hardly any evening star candlestick formation in Heikin Ashi candle.But we actually don't need that too......The more experienced you get on Candlestick technique,the more skill you will be to quickly understand what is going on........Anyway,for that you need to practise.And using Bar Replay,you can practise and learn...........
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

EMA TRADING SYSTEM: mrtq13
This is a trading system that I developed nearly six months ago. Let me explain what a trading system is : A trading system generates buy/sell signal on its own.But the rules to generate buy/sell signals are given by the trader.This trading system of mine is based on Moving Average Crossover,which is famous trading system technique. It is a trend trading system,not a breakout trading system. I have another trading system,which is based on Donchian breakout trading system. I like it a lot............This trend trading system is a work in progress. There are some good sides in it,and also some bad side. To talk about the bad side,it performs poorly in downtrending market. In a downtrending market,it gives wrong signals. But in a uptrending market,it generates nice signal.You will have to use some other methods like patterns,trends with this method to enhance its profitability.I rely completely on Chandilier exit for exit.This is basically for short term trading. However,mid term trading signal is also generated by this system..........There are some good trades that it generates.For example,if you see ABBANK,you will be charmed to see that the signal gave nearly 250% profit from may to aug of this year.....I am having difficulty to set the position of Arrows with the Buy/sell text on Heikin Ashi charts,as Heikin Ashi has different format.The Arrows' position fit well with normal candle charts. I hope in near future I will solve the problem....
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

FALLING MARKET: mrtq13
FALLING MARKET:Stocks don't fall fore ever. They will stop somewhere and start to either rise or consolidate. Their stop is our entry preparations. Somehow DSE itself will alarm us of the stop. It is wise to follow DSE itself. Because its main index actually shows the first signal......Interestingly,market is actually going into buying mode. The prices are falling. What does that mean? They are becoming oversold,undervalued to big traders/investors. And they will come back to buy after a certain level of fall. And they start to buy,stocks will try to stop their downfall and consolidate. So,that's a nice time to enter.......We will just have to catch the move....Secondly,have you noticed that not all stocks start to move together. When the market starts to go up,enter into the ones that are in downward situation and consolidating....They will move after other stocks have moved higher........One thing you guys miss. Big traders don't hold on to any stocks for a long long time. See around you. Who are the guys in profit. Those big traders. And how are they profiting. By selling...By buying....What does that mean.....!!! Follow them.......
Posted by Mazharul Islam at 7:31 AM 0 comments Links to this post

My Blog List

Total Pageviews

Search This Blog

Followers

Blog Archive