如何将 Navigablemap 转换为 String[][]

问题描述 投票:0回答:3

我需要将可导航地图转换为二维字符串数组。下面给出的是来自我之前问题之一的answer的代码。

NavigableMap<Integer,String> map =
        new TreeMap<Integer, String>();

map.put(0, "Kid");
map.put(11, "Teens");
map.put(20, "Twenties");
map.put(30, "Thirties");
map.put(40, "Forties");
map.put(50, "Senior");
map.put(100, "OMG OMG OMG!");

System.out.println(map.get(map.floorKey(13)));     // Teens
System.out.println(map.get(map.floorKey(29)));     // Twenties
System.out.println(map.get(map.floorKey(30)));     // Thirties
System.out.println(map.floorEntry(42).getValue()); // Forties
System.out.println(map.get(map.floorKey(666)));    // OMG OMG OMG!

我必须将此地图转换为二维字符串数组:

{
{"0-11","Kids"},
{"11-20","Teens"},
{"20-30","Twenties"}
...
}

有没有一种快速而优雅的方法来做到这一点?

java string dictionary multidimensional-array
3个回答
3
投票

最好的办法就是迭代 Map 并为每个条目创建一个数组,麻烦的部分是生成像“0-11”这样的东西,因为这需要寻找下一个最高的键......但是由于 Map 是排序的(因为你正在使用 TreeMap)这没什么大不了的。

String[][] strArr = new String[map.size()][2];
int i = 0;
for(Entry<Integer, String> entry : map.entrySet()){
    // current key
    Integer key = entry.getKey();
    // next key, or null if there isn't one
    Integer nextKey = map.higherKey(key);

    // you might want to define some behavior for when nextKey is null

    // build the "0-11" part (column 0)
    strArr[i][0] = key + "-" + nextKey;

    // add the "Teens" part (this is just the value from the Map Entry)
    strArr[i][1] = entry.getValue();

    // increment i for the next row in strArr
    i++;
}

1
投票

您可以以“优雅的方式”创建两个数组,一个带有键,一个带有值,然后您可以使用这两个数组构造一个 String[][] 。

// Create an array containing the values in a map 
Integer[] arrayKeys = (Integer[])map.keySet().toArray( new Integer[map.keySet().size()]); 
// Create an array containing the values in a map 
String[] arrayValues = (String[])map.values().toArray( new String[map.values().size()]); 

String[][] stringArray = new String[arrayKeys.length][2];
for (int i=0; i < arrayValues.length; i++)
{
      stringArray[i][0] = arrayKeys[i].toString() + (i+1 < arrayValues.length ? " - " + arrayKeys[i+1] : "");
      stringArray[i][1] = arrayValues[i];
}

0
投票

这是使用 StreamEx 库的解决方案:

String[][] array = EntryStream.of(map)
        .pairMap((e1, e2) -> new String[] {
                "%s-%s".formatted(e1.getKey(), e2.getKey()), e1.getValue()})
        .toArray(String[][]::new);
© www.soinside.com 2019 - 2024. All rights reserved.