Reverse a LinkedList in Scala
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
case class Node(value: Int, next: Option[Node]) | |
def reverse(node: Node, prev: Option[Node] = None): Node = { | |
val reversed = node.copy(next = prev) | |
node.next map {reverse(_, Some(reversed))} getOrElse reversed | |
} | |
/****************************************************************/ | |
val one = Node(1,Some(Node(2,Some(Node(3,None))))) | |
println(s"$one\n${reverse(one)}") |
And, lastly, here's a one liner:
case class Node(value: Int, next: Option[Node]) {
def reverse(prev: Option[Node] = None): Node = next.fold(copy(next = prev))(_.reverse(Some(copy(next = prev))))
}
/****************************************************************/
val one = Node(1,Some(Node(2,Some(Node(3,None)))))
println(s"$one\n${one.reverse()}")
You know List
itself is a LinkedList
.
def reverse[T](xs: List[T]): List[T] = xs match {
case List() => List()
case x :: xs1 => reverse(xs1) ::: List(x)
}
I would suggest using different structure for your linked list, Option
reminds me null
in this context.
sealed trait MyList[+A] {
def reverse = {
@annotation.tailrec
def reverse_r[A](xs: MyList[A], acc: MyList[A]): MyList[A] = {
xs match {
case Empty => acc
case Node(v, next) => reverse_r(next, Node(v, acc))
}
}
reverse_r(this, Empty)
}
}
case object Empty extends MyList[Nothing]
case class Node[A](value: A, next: MyList[A]) extends MyList[A]
Node(1, Node(2, Node(3, Empty))).reverse //> res0: T.MyList[Int] = Node(3,Node(2,Node(1,Empty)))
Empty.reverse //> res1: T.MyList[Nothing] = Empty
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
To use the tail-recursion annotation, we need to write the above as: