Java Scanner skip() 方法



描述

Java Scanner skip(Pattern pattern) 方法跳过与指定模式匹配的输入,忽略分隔符。如果指定模式的锚定匹配成功,则此方法将跳过输入。如果在当前位置找不到与指定模式的匹配,则不跳过任何输入,并抛出 NoSuchElementException。

声明

以下是 java.util.Scanner.skip() 方法的声明

public Scanner skip(Pattern pattern)

参数

pattern - 指定要跳过的模式的字符串

返回值

此方法返回此扫描器

异常

  • NoSuchElementException - 如果未找到指定的模式

  • IllegalStateException - 如果此扫描器已关闭

Java Scanner skip(String pattern) 方法

描述

Java Scanner skip(String pattern) 方法跳过与从指定字符串构造的模式匹配的输入。形式为 skip(pattern) 的此方法的调用与调用 skip(Pattern.compile(pattern)) 的方式完全相同。

声明

以下是 java.util.Scanner.skip(String pattern) 方法的声明

public Scanner skip(String pattern)

参数

pattern - 指定要跳过的模式的字符串

返回值

此方法返回此扫描器

异常

IllegalStateException - 如果此扫描器已关闭

基于字符串扫描器模式跳过令牌示例

以下示例演示了如何使用 Java Scanner skip(Pattern pattern) 方法跳过给定字符串中的模式。我们使用给定字符串创建了一个扫描器对象。我们使用 findAll(Pattern) 方法检索了一个流。然后迭代流以打印结果。然后我们使用 scanner.nextLine() 方法打印了字符串。

package com.tutorialspoint;

import java.util.Scanner;
import java.util.regex.Pattern;

public class ScannerDemo {
   public static void main(String[] args) {

      String s = "Hello World! 3 + 3.0 = 6.0 true ";

      // create a new scanner with the specified String Object
      Scanner scanner = new Scanner(s);

      // skip the word that matches the pattern ..llo
      scanner.skip(Pattern.compile("..llo"));

      // print a line of the scanner
      System.out.println(scanner.nextLine());

      // close the scanner
      scanner.close();
   }
}

输出

让我们编译并运行上述程序,这将产生以下结果:

 World! 3 + 3.0 = 6.0 true 

基于字符串扫描器字符串跳过令牌示例

以下示例演示了如何使用 Java Scanner skip(String pattern) 方法跳过给定字符串中的模式。我们使用给定字符串创建了一个扫描器对象。我们使用 findAll(String) 方法检索了一个流。然后迭代流以打印结果。然后我们使用 scanner.nextLine() 方法打印了字符串。

package com.tutorialspoint;

import java.util.Scanner;

public class ScannerDemo {
   public static void main(String[] args) {

      String s = "Hello World! 3 + 3.0 = 6.0 true ";

      // create a new scanner with the specified String Object
      Scanner scanner = new Scanner(s);

      // skip the word that matches the pattern ..llo
      scanner.skip("..llo");

      // print a line of the scanner
      System.out.println(scanner.nextLine());

      // close the scanner
      scanner.close();
   }
}

输出

让我们编译并运行上述程序,这将产生以下结果:

 World! 3 + 3.0 = 6.0 true 

基于用户输入扫描器模式跳过令牌示例

以下示例演示了如何使用 Java Scanner skip(String pattern) 方法跳过给定字符串中的模式。我们使用 System.in 类创建了一个扫描器对象。我们使用 findAll(String) 方法检索了一个流。然后迭代流以打印结果。然后我们使用 scanner.nextLine() 方法打印了字符串。

package com.tutorialspoint;

import java.util.Scanner;

public class ScannerDemo {
   public static void main(String[] args) {

      // create a new scanner with the System input
      Scanner scanner = new Scanner(System.in);

      // skip the word that matches the pattern ..llo
      scanner.skip("..llo");

      // print a line of the scanner
      System.out.println(scanner.nextLine());

      // close the scanner
      scanner.close();
   }
}

输出

让我们编译并运行上述程序,这将产生以下结果:(我们输入了 Hello World。)

Hello World
 World
java_util_scanner.htm
广告