您对“更清洁,更惯用”的解决方案的愿望当然有点模糊,因为它为主观性留下了很大的空间。一般来说,我认为尾递归更新例程更惯用,但如果您更熟悉非函数式编程风格,它可能不会“更干净”。我想出了这个:
@tailrec
def update(arr:List[Char], replace:Char, replacement:Char, result:List[Char] = Nil):List[Char] = arr match {
case `replace` :: tail =>
update(tail, replace, replacement, replacement :: result)
case _ => result.reverse ::: arr
}
这需要一个内部序列(假设 aList
更容易进行模式匹配,因为数组可以很容易地转换为列表),并用递归替换replace
char 。replacement
然后您可以使用 map 更新外部序列,如下所示:
col.map { x => update(x, '.', ch) }
另一种更可重用的替代方法是编写自己的mapUntil
,或使用在补充库中实现的(Scalaz 可能有类似的东西)。我想出的一个看起来像这样:
def mapUntil[T](input:List[T])(f:(T => Option[T])) = {
@tailrec
def inner(xs:List[T], result:List[T]):List[T] = xs match {
case Nil => Nil
case head :: tail => f(head) match {
case None => (head :: result).reverse ::: tail
case Some(x) => inner(tail, x :: result)
}
}
inner(input, Nil)
}
它与常规map
调用相同,只是它在传递的函数返回时立即停止None
,例如
mapUntil(List(1,2,3,4)) {
case x if x >= 3 => None
case x => Some(x-1)
}
会导致
List[Int] = List(0, 1, 3, 4)
如果您想查看 Scalaz,这个答案可能是一个不错的起点。