Convert Map<String,Object> to Map<String,String> Convert Map<String,Object> to Map<String,String> java java

Convert Map<String,Object> to Map<String,String>


Now that we have Java 8/streams, we can add one more possible answer to the list:

Assuming that each of the values actually are String objects, the cast to String should be safe. Otherwise some other mechanism for mapping the Objects to Strings may be used.

Map<String,Object> map = new HashMap<>();Map<String,String> newMap = map.entrySet().stream()     .collect(Collectors.toMap(Map.Entry::getKey, e -> (String)e.getValue()));


If your Objects are containing of Strings only, then you can do it like this:

Map<String,Object> map = new HashMap<String,Object>(); //Object is containing StringMap<String,String> newMap =new HashMap<String,String>();for (Map.Entry<String, Object> entry : map.entrySet()) {       if(entry.getValue() instanceof String){            newMap.put(entry.getKey(), (String) entry.getValue());          } }

If every Objects are not String then you can replace (String) entry.getValue() into entry.getValue().toString().


Generic types is a compile time abstraction. At runtime all maps will have the same type Map<Object, Object>. So if you are sure that values are strings, you can cheat on java compiler:

Map<String, Object> m1 = new HashMap<String, Object>();Map<String, String> m2 = (Map) m1;

Copying keys and values from one collection to another is redundant. But this approach is still not good, because it violates generics type safety. May be you should reconsider your code to avoid such things.