传递用户定义的HashMap Java8中合并行为的方法

时间:2019-05-22 06:47:50

标签: java merge java-8 hashmap

我想提供用户定义的方法来合并Java 8中的地图吗?您创建的方法应接受两个映射和“合并”行为。

 public <T> Map<? super T, ? super T> mergeMaps( Map<? super T, ? super 
 T> map1, Map<? super T, ? super T> map2 ) {
 // merging code here
 }

但是我想要这样的东西

public <T> Map<? super T, ? super T> mergeMaps( Map<? super T, ? super T> 
map1, Map<? super T, ? super T> map2 , MergeTwoMaps<T, U> mergeTwoMaps) 
{
    // merging code here
}

类似这样的事情。 Java generic merge

 Map<String, Integer> map1 = new HashMap<>();
 Map<String, Integer> map2 = new HashMap<>();
 map1.put(“key1”, 20);
 map1.put(“key2”, 30);
 map2.put(“key3”, 40);
 map2.put(“key1”, 50);

mergeMaps(map1,map2,mergeBehaviour)
Output should be
map.get("key1")--> 70

Map<String, String> map1 = new HashMap<>();
 Map<String, String> map2 = new HashMap<>();
 map1.put(“key1”, "Hello");
 map1.put(“key2”, "Hi");
 map2.put(“key3”, "Ok");
 map2.put(“key1”, "world");
 mergeMaps(map1,map2,mergeBehaviour)

 Output should be
 map.get("key1")--> Helloworld

2 个答案:

答案 0 :(得分:4)

您应该重新考虑所需的方法签名。引用the guidelines

  

应避免将通配符用作返回类型,因为它会迫使程序员使用代码来处理通配符。

换句话说,在返回类型中使用通配符会强制调用者使用返回的结果将通配符散布到每个代码中。

该方法应如下所示:

public static <K, V> Map<K, V> mergeMaps(
    Map<? extends K, ? extends V> map1, Map<? extends K, ? extends V> map2,
    BinaryOperator<V> mergeFunction) {

    Map<K, V> result = new HashMap<>(map1);
    map2.forEach((k,v) -> result.merge(k, v, mergeFunction));
    return result;
}

只要输入参数兼容,调用者就可以选择任意键和值类型,如果输入映射的键和值类型与输出映射的子类型相同,则总是这样。当然,此签名还允许键和值类型相同但不要求使用的情况。

合并操作本身的实现很简单。

您可以通过使用

来进一步提高方法的灵活性
public static <K, V> Map<K, V> mergeMaps(
    Map<? extends K, ? extends V> map1, Map<? extends K, ? extends V> map2,
    BiFunction<? super V, ? super V, ? extends V> mergeFunction) {

    Map<K, V> result = new HashMap<>(map1);
    map2.forEach((k,v) -> result.merge(k, v, mergeFunction));
    return result;
}

尽管很少需要,即在传递方法引用或lambda表达式时不必要。这仅有助于重用已经存在的BiFunction实例。

答案 1 :(得分:-1)

/**
 * Test map merge for integer.
 */
public static void testMapMergeForInteger() {
    GenericMap<Integer> genericMap = new GenericMap<>();
    Map<Integer, Integer> map1 = new HashMap<Integer, Integer>();
    Map<Integer, Integer> map2 = new HashMap<Integer, Integer>();
    map1.put( 1, 10 );
    map1.put( 2, 20 );
    map2.put( 1, 20 );
    map2.put( 3, 30 );
    map2.put( 4, 40 );
    System.out.println( "Merging of Maps for Integer as value-->\n" + genericMap.merge( map1, map2, (k, v)-> k+v ));
}

public Map<Integer, ? extends Object> merge( Map<Integer, T> m1, Map<Integer, T> m2, 
 BiFunction<T, T, T> func ) {
 Map<Integer, T> re = new HashMap<>( m1 );
    m2.forEach( ( k, v ) -> {
        if ( re.containsKey( k ) ) {
            re.put( k, func.apply( re.get( k ), v ) );
        } else {
            re.put( k, v );
        }
    } );
    return re;
}