[java] 표준 입력에서 한 줄씩 읽는 방법은 무엇입니까?

표준 입력에서 한 줄씩 읽는 Scala 레시피는 무엇입니까? 동등한 자바 코드와 같은 것 :

import java.util.Scanner;

public class ScannerTest {
    public static void main(String args[]) {
        Scanner sc = new Scanner(System.in);
        while(sc.hasNext()){
            System.out.println(sc.nextLine());
        }
    }
}



답변

가장 직선 기대 방법은 사용 readLine()의 일부입니다 Predef. 그러나 최종 null 값을 확인해야하므로 다소 추악합니다.

object ScannerTest {
  def main(args: Array[String]) {
    var ok = true
    while (ok) {
      val ln = readLine()
      ok = ln != null
      if (ok) println(ln)
    }
  }
}

이것은 너무 장황하므로 대신 사용 java.util.Scanner하는 것이 좋습니다.

더 예쁜 접근 방식이 다음을 사용할 것이라고 생각합니다 scala.io.Source.

object ScannerTest {
  def main(args: Array[String]) {
    for (ln <- io.Source.stdin.getLines) println(ln)
  }
}


답변

콘솔의 경우 Console.readLine. 다음과 같이 쓸 수 있습니다 (빈 줄에서 중지하려는 경우).

Iterator.continually(Console.readLine).takeWhile(_.nonEmpty).foreach(line => println("read " + line))

입력을 생성하기 위해 파일을 분류하는 경우 다음을 사용하여 null 또는 비어있는 상태에서 중지해야 할 수 있습니다.

@inline def defined(line: String) = {
  line != null && line.nonEmpty
}
Iterator.continually(Console.readLine).takeWhile(defined(_)).foreach(line => println("read " + line))


답변

val input = Source.fromInputStream(System.in);
val lines = input.getLines.collect


답변

재귀 버전 (컴파일러가 힙 사용 개선을 위해 꼬리 재귀를 감지 함)

def read: Unit = {
  val s = scala.io.StdIn.readLine()
  println(s)
  if (s.isEmpty) () else read
}

io.StdInScala 2.11 의 사용에 유의하십시오 . 또한이 접근 방식을 사용하면 최종적으로 반환되는 컬렉션에 사용자 입력을 축적 할 수 있으며 인쇄 할 수도 있습니다. 즉,

import annotation.tailrec

def read: Seq[String]= {

  @tailrec
  def reread(xs: Seq[String]): Seq[String] = {
    val s = StdIn.readLine()
    println(s)
    if (s.isEmpty()) xs else reread(s +: xs)
  }

  reread(Seq[String]())
}


답변

사용할 수 없습니다

var userinput = readInt // for integers
var userinput = readLine
...

여기에서 사용 가능 : Scaladoc API


답변

다른 주석에서 간략히 언급했듯이 scala.Predef.readLine() Scala 2.11.0부터 사용되지 않으며 다음으로 대체 할 수 있습니다 scala.io.StdIn.readLine().

// Read STDIN lines until a blank one
import scala.io.StdIn.readLine

var line = ""
do {
  line = readLine()
  println("Read: " + line)
} while (line != "")


답변