迭代,查找和更新嵌套Map <string,?=“”>中的值

时间:2018-03-14 16:04:38

标签: java nested-map yamlbeans

我有一个YML文件,我使用yamlBeans库解析为Map。 我不知道嵌套地图有多深。 例如:

  
      
  • KEY1:      
        
    • key2:value1
    •   
    • KEY3:      
          
      • key4:value2
      •   
      • key5:value3
      •   
    •   
  •   

我需要在此地图中找到一个特定值,更新它,然后将地图写回YML文件(我知道该怎么做)。

这是我更新值的代码,它正在运行。 但是,这只是通过嵌套地图迭代两次,我需要它根据需要迭代它

    static void updateYmlContent(Map<String, ?> ymlMap, String value, String... keys) {
    boolean found = false;
    for (Map.Entry entry : ymlMap.entrySet()) {
        if (entry.getKey().equals(keys[0])) {
            found = true;
            for (Map.Entry subEntry : ((Map<?, ?>) entry.getValue()).entrySet()) {
                if (subEntry.getKey().equals(keys[1])) {
                    subEntry.setValue(value);
                    break;
                } else {
                    throwKeyNotFoundException(keys[1]);
                }
            }
            break;
        }
    }
    if (!found) {
        throwKeyNotFoundException(keys[0]);
    }
}

3 个答案:

答案 0 :(得分:0)

使用递归和深度计数器来遍历地图的每个级别。 我没有编译它,所以它可能需要一些调整,但这是基本的想法:

static void updateYmlContent(Map<String, ?> ymlMap, String value, String... keys) {
    int depth = 0;
    findAndReplaceContent(ymlMap, value, keys, depth);
}

static void findAndReplaceContent(Map map, .......) {
  if (map.containsKey(keys[depth]))
  {
    if (depth == keys.length - 1)
    {
      // found it
      map.put(keys[depth], value);
      // done
    }
    else
    {
      findAndReplaceContent(map.get(keys[depth]), value, keys, depth+1);
    }
  }
  else
  {
    // throw key not found
  }
}

答案 1 :(得分:0)

如果ymlMap是可变的,它应该是Map<String, Object>类型(理想情况下),我相信你已经检查了它。

@SuppressWarnings("unchecked")
static void updateYmlContent(Map<String, ?> ymlMap, String value, String... keys)
{
  for (int i = 0, lastIndex = keys.length - 1; i <= lastIndex; i++)
  {
    String key = keys[i];
    Object v = ymlMap.get(key);
    if (v == null) // Assumed value is never null, if key exists
      throw new /* KeyNotFound */ RuntimeException("Key '" + key + "' not found");
    if (i < lastIndex)
      ymlMap = (Map<String, Object>) v;
    else
      ((Map<String, String>) ymlMap).put(key, value);
  }
}

答案 2 :(得分:0)

您可以通过一个DESC循环执行此操作,请参阅示例:

for

另外请看它是如何使用的:

private static void updateYmlContent(Map<String, Object> map, String newValue, String... keys) {
    for (int i = 0; i < keys.length; i++) {
        if (i + 1 == keys.length) {
            map.put(keys[i], newValue);
            return;
        }
        if (map.get(keys[i]) instanceof Map) {
            map = (Map<String, Object>) map.get(keys[i]);
        } else {
            throw new RuntimeException();
        }
    }
    throw new RuntimeException();
}