我有一个像这样的HashMap:

Hashmap<String, Object> map = new Hashmap<String, Object>();
map.put(1, {id_student:"1;2;3"});
map.put(2, {id_student:"4;5"});

我想获取值并将其放入ArrayList中,例如:
array = [0] - 1
        [1] - 2
        [2] - 3
        [3] - 4
        [4] - 5

我试图做的是:
private Set<String> checked = new TreeSet<String>();

String idsAlunos = "";
for (Iterator<Map.Entry<String, GPSEscolas>> it = aMap.entrySet().iterator(); it.hasNext(); ) {
    Map.Entry<String, GPSEscolas> entry = it.next();

    String id_escola = entry.getKey();
    String ids_aluno = entry.getValue().getAlunos();

    idsAlunos += ";" + ids_aluno;

    checked.add(idsAlunos.substring(1));
}

但是我从上面的代码中得到了这个结果:[4, 4;1;2;3, 4;5, 4;5;1;2;3]

最佳答案

您必须分步骤进行:

  • 遍历Map键或获取Map值作为Collection并对其进行遍历。
  • 将每个值的逗号分隔值String解析为单独的标记,并将它们添加到所需的列表或值集中。
  • 拥有值后对值列表进行排序。

  • 如果您不想重复,请使用Set。

    看起来像JSON。您正在使用JSONSimple吗?也许你应该。

    这是一个例子。
    import java.util.ArrayList;
    import java.util.Collections;
    import java.util.HashMap;
    import java.util.List;
    import java.util.Map;
    
    /**
     * MapToArrayExample
     * User: mduffy
     * Date: 6/24/2015
     * Time: 3:17 PM
     * @link http://stackoverflow.com/questions/31034737/how-to-convert-a-hashmap-of-objects-into-an-arraylist-of-strings/31034794?noredirect=1#comment50094533_31034794
     */
    public class MapToArrayExample {
    
        public static void main(String[] args) {
            Map<Integer, String> data = new HashMap<Integer, String>() {{
                put(1, "3, 2, 3, 3, 1");
                put(2, "4, 5, 5, 6, 7");
            }};
            List<String> result = parseMapOfJson(data);
            System.out.println(result);
        }
    
        public static List<String> parseMapOfJson(Map<Integer, String> map) {
            List<String> values = new ArrayList<String>();
            for (Integer key : map.keySet()) {
                String csv = map.get(key);
                String [] tokens = csv.split(",");
                for (String token : tokens) {
                    values.add(token.trim());
                }
            }
            Collections.sort(values);
            return values;
        }
    }
    

    09-04 06:26