使用ArrayLists和HashMaps在Java中进行紧凑的拆分和换行

时间:2018-10-31 08:58:01

标签: java arrays hashmap

我仍在开发此代码,并且我希望以有效和紧凑的方式实现此目的,因为我打算将其嵌入单独的Java代码中。我也愿意接受其他方法的想法,尽管我更喜欢HashMap或ArrayList方法

我有一个正在使用的文件,看起来像这样:

{"people": {"name":"john","surname":"doe"}}

此代码的最终产品必须类似于

053 100% BRAN       A0 B1 C01 E0
054 100% NATURAL    A0 B1 C01 E0 F0 G0    

请注意,该文件非常大。所有列都是制表符分隔的,最后一列是空格分隔的元素。

编辑:很抱歉,我应该更好地设计问题。我在考虑集合,因为这样做之后,我需要能够使用不同的键(第一列的重复值)访问所有行。

3 个答案:

答案 0 :(得分:1)

如果该模式是固定的,则可以使用RegEx完成。 get();将把每一行作为输入,并返回该输入字符串的所有组合的列表

public static void main(String[] args) {

    String input="053 100% BRAN       A0 B1 C01 E0";            

    System.out.println(get(input));     

}

public static List<String> get(String input){

    List<String> list = new ArrayList<String>();

    String regEx="((?:\\d*)\\s(?:\\d*)%\\s(?:[A-Z]*))([\\s]*)([\\sA-Z0-9]*)";
    Matcher matcher = Pattern.compile(regEx).matcher(input);            

    String firstHalf="";
    String codes="";
    if(matcher.matches()) { 
        firstHalf=matcher.group(1)+matcher.group(2);
        codes=matcher.group(3);
    }

    for (String code : codes.split("\\s")) {
        list.add(firstHalf+code);           
    }


    return list;

}

答案 1 :(得分:0)

目前尚不清楚为什么需要一个收藏夹。只需操纵字符串即可:

for (String line : input) {
  String prefix = line.substring(0, 20);  // Or however you decide on the line prefix.
  String suffix = line.substring(20);

  for (String part : suffix.split(" ")) {
    System.out.printf("%s%s%n", prefix, part);
  }
}

通过使用PrintWriter避免显式构造子字符串/拆分数组,您可以比这更有效。

答案 2 :(得分:0)

import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Stream;

public class Test {  

    public static void main (String[] args){
       List<String[]> myList = new ArrayList<>();
       //read each line of your file and split it by \s+
       try (Stream<String> stream = Files.lines(Paths.get("C:\\temp\\xyz.txt"))) {
            stream.forEach( line->{
                String[] splited = line.split("\\s+");
                //iterate from 4th element of your splited array to last
                //and add the first three elements and the ith element to your list
                for(int i = 3; i<splited.length; i++){
                    myList.add(new String [] {splited[0] ,splited[1], splited[2], splited[i]});                    
                }
            });
        } catch (IOException ex) {
            ex.printStackTrace();
        }
        //print or do other stuff with your list
        myList.forEach(e->{System.out.println(Arrays.toString(e));});
    } 

}