match with recursion

Hamming
Hamming in Scala
import scala.annotation.tailrec

object Hamming {

  def distance(strand1: String, strand2: String): Option[Int] = {
    strand1.length == strand2.length match {
      case true =>
        Some(distanceCount(0, strand1, strand2))
      case false => None
    }
  }

  @tailrec def distanceCount(acc: Int, s1: String, s2: String): Int = {
    s1.length match {
      case 0 => acc
      case _ =>
        distanceCount(
          (if (s1.head != s2.head) acc + 1 else acc),
          s1.tail,
          s2.tail
        )
    }
  }

}

This approach starts by importing from packages for what is needed.

This distance() method starts by using an match expression to compare the lengths of the strands. If the lengths are not equal the function returns None.

Otherwise, the two strands are passed into the distanceCount() method, along with 0 for the accumulator. The distanceCount() is marked with the @tailrec annotation to verify that the method can be compiled with tail call optimization.

A tail call is a particular form of recursion where the last call in the method is a call to the same method and nothing else.

In other words, if the last call in recurMe() is recurMe(arg1, arg2) + 1, the + 1 makes the recursion non-tail recursive.

If the last call in recurMe() is recurMe(arg1, arg2, acc + 1), then the recursion is a tail call, because only the method is being called with no other operation being peformed on it.

In distanceCount() a match expression is used to check the length of the first stand. If the length is down to 0, then the accumulated value is returned. If not, then distanceCount() is called again. A ternary expression expression is used to add to the acccumulating value if the first character in the strands are different, otherwise the accumulating value is passed to the next method call as is. The head() method is used to return the first Char in the Strings for the comparison. A tail() of each strand is passed to the next method call. The tail() method returns all of the Chars after the first Char.

The result from distanceCount() is returned to distance() and wrapped in a Some. Since the match expression is the last line in the function, the result from either match case is implicitly returned from the function without needing the return keyword.

11th Sep 2024 · Found it useful?