NinjaScript > Educational Resources > Tips >

Make sure you have enough bars in the data series you are accessing

Print this Topic Previous pageReturn to chapter overviewNext page

A common programming error is not checking to ensure there are enough bars contained in the data series you are accessing. This will explain some of the concepts to check for this situation,

 

For example:

protected override void OnBarUpdate()

{

  if (Close[0] > Close[1])

      // Do something

}

 

In the code snippet above, the OnBarUpdate() method is called for each bar contained in your data series.

 

On the very first bar (think of the 1st bar on the chart from left to right) the value of "close of 1 bar ago" (Close[1]) does not yet exist and your indicator/strategy will not work and throw an exception to the Control Center Log tab "Index was out of range...".

 

Following are two ways to ways to resolve this:

protected override void OnBarUpdate()

{

  if (CurrentBar < 1)

       return;

 

  if (Close[0] > Close[1])

      // Do something

}

 

The resolution above is to check how many bars we have seen (CurrentBar) and to exit the OnBarUpdate() method if an insufficient number of bars has been seen.

protected override void OnBarUpdate()

{

  if (Close[0] > Close[Math.Min(CurrentBar, 1)])

      // Do something

}

 

The resolution above substitutes the minimum value between the current bar being processed and the desired number of bars ago value, in this case 1.