[list] 불변 목록에서 한 요소를 “제거”하는 관용적 스칼라 방식은 무엇입니까?

동일한 것으로 비교할 요소를 포함 할 수있는 목록이 있습니다. 비슷한 목록을 원하지만 하나의 요소가 제거되었습니다. 따라서 (A, B, C, B, D)에서 하나의 B 만 “제거”하여 예를 들어 (A, C, B, D)를 얻을 수 있기를 바랍니다. 결과의 요소 순서는 중요하지 않습니다.

저는 Scala에서 Lisp에서 영감을받은 방식으로 작성된 작업 코드를 가지고 있습니다. 이것을 수행하는 더 관용적 인 방법이 있습니까?

컨텍스트는 두 개의 표준 카드 덱이 사용되는 카드 게임이므로 중복 카드가있을 수 있지만 여전히 한 번에 하나씩 플레이됩니다.

def removeOne(c: Card, left: List[Card], right: List[Card]): List[Card] = {
  if (Nil == right) {
    return left
  }
  if (c == right.head) {
    return left ::: right.tail
  }
  return removeOne(c, right.head :: left, right.tail)
}

def removeCard(c: Card, cards: List[Card]): List[Card] = {
  return removeOne(c, Nil, cards)
}



답변

위의 답변에서 이러한 가능성을 보지 못 했으므로 다음과 같습니다.

scala> def remove(num: Int, list: List[Int]) = list diff List(num)
remove: (num: Int,list: List[Int])List[Int]

scala> remove(2,List(1,2,3,4,5))
res2: List[Int] = List(1, 3, 4, 5)

편집하다:

scala> remove(2,List(2,2,2))
res0: List[Int] = List(2, 2)

매력처럼 :-).


답변

filterNot방법을 사용할 수 있습니다 .

val data = "test"
list = List("this", "is", "a", "test")
list.filterNot(elm => elm == data)


답변

이것을 시도해 볼 수 있습니다.

scala> val (left,right) = List(1,2,3,2,4).span(_ != 2)
left: List[Int] = List(1)
right: List[Int] = List(2, 3, 2, 4)

scala> left ::: right.tail
res7: List[Int] = List(1, 3, 2, 4)

그리고 방법으로 :

def removeInt(i: Int, li: List[Int]) = {
   val (left, right) = li.span(_ != i)
   left ::: right.drop(1)
}


답변

불행히도 컬렉션 계층 구조는 -on 에서 약간 엉망이 되었습니다 List. 원하는 ArrayBuffer대로 작동합니다.

scala> collection.mutable.ArrayBuffer(1,2,3,2,4) - 2
res0: scala.collection.mutable.ArrayBuffer[Int] = ArrayBuffer(1, 3, 2, 4)

하지만 슬프게도 스타일 구현으로 List끝났고 filterNot따라서 “잘못된 작업”을 수행 하고 사용자 에게 사용 중단 경고를 표시합니다 (실제로는 충분하므로 충분히 이해할 수 있음 filterNot).

scala> List(1,2,3,2,4) - 2
warning: there were deprecation warnings; re-run with -deprecation for details
res1: List[Int] = List(1, 3, 4)

따라서 가장 쉬운 방법 List은이 작업을 올바르게 수행하는 컬렉션으로 변환 한 다음 다시 변환하는 것입니다.

import collection.mutable.ArrayBuffer._
scala> ((ArrayBuffer() ++ List(1,2,3,2,4)) - 2).toList
res2: List[Int] = List(1, 3, 2, 4)

또는 가지고있는 코드의 논리를 유지하면서 스타일을 더 관용적으로 만들 수 있습니다.

def removeInt(i: Int, li: List[Int]) = {
  def removeOne(i: Int, left: List[Int], right: List[Int]): List[Int] = right match {
    case r :: rest =>
      if (r == i) left.reverse ::: rest
      else removeOne(i, r :: left, rest)
    case Nil => left.reverse
  }
  removeOne(i, Nil, li)
}

scala> removeInt(2, List(1,2,3,2,4))
res3: List[Int] = List(1, 3, 2, 4)


답변

 def removeAtIdx[T](idx: Int, listToRemoveFrom: List[T]): List[T] = {
    assert(listToRemoveFrom.length > idx && idx >= 0)
    val (left, _ :: right) = listToRemoveFrom.splitAt(idx)
    left ++ right
 }


답변

어때

def removeCard(c: Card, cards: List[Card]) = {
  val (head, tail) = cards span {c!=}
  head :::
  (tail match {
    case x :: xs => xs
    case Nil => Nil
  })
}

이 보이면 return문제가있는 것입니다.


답변

// throws a MatchError exception if i isn't found in li
def remove[A](i:A, li:List[A]) = {
   val (head,_::tail) = li.span(i != _)
   head ::: tail
}