2

I have below String which is in the format of key1=value1, key2=value2 which I need to load it in a map (Map<String, String>) as key=value so I need to split on comma , and then load cossn as key and 0 its value.

String payload = "cossn=0, itwrqm=200006033213";
Map<String, String> holder =
          Splitter.on(",").trimResults().withKeyValueSeparator("=").split(payload);

I am using Splitter here to do the job for me but for some cases it is failing. For some of my strings, value has some string with equal sign. So for below string it was failing for me:

String payload = "cossn=0, abc=hello/=world";

How can I make it work for above case? For above case key will be abc and value should be hello/=world. Is this possible to do?

user1950349
  • 4,238
  • 16
  • 58
  • 106
  • how can you make what work exactly? Splitter? Java? There's a bunch of different ways to do this, but maybe no one line function strings. – Tibrogargan May 23 '16 at 23:16
  • adding 2 to the split call should work. – Ravi Sankar Raju May 23 '16 at 23:17
  • After adding 2 to the split, I see this error `The method split(CharSequence) in the type Splitter.MapSplitter is not applicable for the arguments (String, int)`. – user1950349 May 23 '16 at 23:38
  • @user1950349: littlecegian was referring to `String.split`, which you aren't using (but which Tomer's answer below uses). `MapSplitter.split` doesn't have any overload that takes a number of splits, but you can use the `limit()` API on `Splitter` to get the same effect. – Daniel Pryden May 24 '16 at 01:00

2 Answers2

9

You can do this same thing with the Splitter API directly:

Map<String, String> result = Splitter.on(',')
    .trimResults()
    .withKeyValueSeparator(
        Splitter.on('=')
            .limit(2)
            .trimResults())
    .split(input);
Daniel Pryden
  • 57,282
  • 15
  • 95
  • 133
5

you can add a number to say how many splits you want just add a 2 to split

import java.util.HashMap;

public class HelloWorld{

     public static void main(String []args){
        HashMap<String, String> holder = new HashMap();
        String payload = "cossn=0, abc=hello/=world";
        String[] keyVals = payload.split(", ");
        for(String keyVal:keyVals)
        {
          String[] parts = keyVal.split("=",2);
          holder.put(parts[0],parts[1]);
        }

     }
}
Tomer Shemesh
  • 6,920
  • 4
  • 21
  • 40