Best vs. Worst Case
- Differentiate between the best-case vs. the worst-case analysis.
Consider the following program:
public int indexOf (String str, char target) {
  for (int i = 0; i < str.length; i++) {
    if (str.charAt(i) == target) {
      return i;
    }
  }
  return NOT_FOUND; 
}
The runtime of indexOf depends on where the target value is situated in the input String str (if it is to be found at all). Thus, we can consider two extreme cases:
- 
Best-case scenario: the minimum number of steps an algorithm takes for any input size. 
- 
Worst-case scenario: the maximum number of steps an algorithm takes for any input size. 
Exercise Count the number of steps indexOf takes to execute. Write the count as a function $T(N)$ where $N$ is the size (length) of the input String (str). Consider the following cases: 
Assume charAt method is similar to array indexing and therefore a "for free" operation. Also note, the if(/* condition */) under the RAM model is counted as #steps in /* condition */ expression plus $1$ for the branching itself.
- 
Part 1: Best case: str.charAt(0) == targetSolutionpublic int indexOf (String str, char target) { for (int i = 0; i < str.length; i++) { // 1 + 1 if (str.charAt(i) == target) { // 1 + 1 return i; // 1 } } return NOT_FOUND; }$$ T(N) = 5 $$ 
- 
Part 2: Worst case: targetis not to be found instrSolutionpublic int indexOf (String str, char target) { for (int i = 0; i < str.length; i++) { // 1 + N+1 + N if (str.charAt(i) == target) { // (1 + 1) * N return i; } } return NOT_FOUND; // 1 }$$ T(N) = 4N + 3 $$ 
When we measure performance, we typically focus on the worst-case.
The best-case analysis is not often useful. It rarely represents a practical, real-life situation and provides little information about the performance of an algorithm.
Resources
- Wikipedia entry on Best, worst, and average case.