任何人都可以就一个困扰我的问题提出建议吗?我有一个Java .jar文件,它从一个方法返回一个字符串,如下所示:
integer integer integer block_of_text
这是三个整数,可以是正数或负数,每个整数用单个空格分隔,然后是一个文本块之前的另一个空格,它可以包含任何字符,但不应包含回车符。现在我想我可以读取每个初始整数的空格字符的子字符串,然后只需一次读取剩余的文本。
我应该补充说,无论文本块包含什么内容,都不会将其分解。
但是,有人可以提出更好的选择吗?
感谢受访者。这让我头疼不已!
答案 0 :(得分:11)
您可以使用String#split(regex,limit)
which takes a limit的形式:
String s = "123 456 789 The rest of the string";
String ss[] = s.split(" ", 4);
// ss = {"123", "456", "789", "The rest of the string"};
答案 1 :(得分:7)
您可以将String.split
空格用作分隔符,并将限制设置为4:
String[] result = s.split(" ", 4);
您还可以使用Scanner
。这不仅会拆分文本,还会将整数解析为int
。根据您是需要三个整数int
还是String
,您可能会发现这更方便:
Scanner scanner = new Scanner(s);
int value1 = scanner.nextInt();
int value2 = scanner.nextInt();
int value3 = scanner.nextInt();
scanner.skip(" ");
String text = scanner.nextLine();
看到它在线工作:ideone。
答案 2 :(得分:3)
一种简单的方法(因为你说block_of_text中没有新行)是使用Scanner。它是一种基于特定分隔符分解输入的工具,并将适当的类型返回给您。例如,您可以使用方法hasNextInt()
和nextInt()
来检查输入中的整数,并实际从流中提取它。
例如:
Scanner scanner = new Scanner(System.in); // Arg could be a String, another InputStream, etc
int[] values = new int[3];
values[0] = scanner.nextInt();
values[1] = scanner.nextInt();
...
String description = scanner.nextLine();
您可以在输入流耗尽之前使用它,并根据需要开始使用这些值。
以下是有关如何使用Scanner
:If ... is not an int {
答案 3 :(得分:0)
分割字符串的最简单方法是使用split
方法。
String gen = "some texts here";
String spt[] = gen.split(" "); //This will split the string gen around the spaces and stores them into the given string array
要根据您的问题删除整数,请从3开始数组索引
我希望这会有所帮助。