Como salvar o HashMap nas preferências compartilhadas?

Respostas:

84

Eu não recomendaria escrever objetos complexos em SharedPreference. Em vez disso, usaria ObjectOutputStreampara gravá-lo na memória interna.

File file = new File(getDir("data", MODE_PRIVATE), "map");    
ObjectOutputStream outputStream = new ObjectOutputStream(new FileOutputStream(file));
outputStream.writeObject(map);
outputStream.flush();
outputStream.close();
Kirill Rakhman
fonte
6
Com um ObjectInputStream.
Kirill Rakhman
5
aqui está um exemplo de como usar ObjectOutputStream e ObjectInputStream juntos: tutorialspoint.com/java/io/objectinputstream_readobject.htm
Krzysztof Skrzynecki
Desde quando o Hashmap é um objeto complexo? Como você assumiu isso?
Pedro Paulo Amorim
78

Eu uso Gsonpara converter HashMappara Stringe, em seguida, salve-o emSharedPrefs

private void hashmaptest()
{
    //create test hashmap
    HashMap<String, String> testHashMap = new HashMap<String, String>();
    testHashMap.put("key1", "value1");
    testHashMap.put("key2", "value2");

    //convert to string using gson
    Gson gson = new Gson();
    String hashMapString = gson.toJson(testHashMap);

    //save in shared prefs
    SharedPreferences prefs = getSharedPreferences("test", MODE_PRIVATE);
    prefs.edit().putString("hashString", hashMapString).apply();

    //get from shared prefs
    String storedHashMapString = prefs.getString("hashString", "oopsDintWork");
    java.lang.reflect.Type type = new TypeToken<HashMap<String, String>>(){}.getType();
    HashMap<String, String> testHashMap2 = gson.fromJson(storedHashMapString, type);

    //use values
    String toastString = testHashMap2.get("key1") + " | " + testHashMap2.get("key2");
    Toast.makeText(this, toastString, Toast.LENGTH_LONG).show();
}
penduDev
fonte
2
como obter o hashmap do gson recebi uma mensagem de erro como com.qb.gson.JsonSyntaxException: java.lang.IllegalStateException: Esperado BEGIN_OBJECT, mas era BEGIN_ARRAY na linha 1 coluna 2 -
Ram
BEGIN_OBJECT esperado, mas BEGIN_ARRAY está acontecendo porque HashMap <String, String> deve ser HashMap <String, Object>, se os valores são sempre objeto String você não terá problemas, mas se o valor de alguma chave for diff, então String (por exemplo objeto personalizado, lista ou matriz), a exceção será lançada. Então, para ser capaz de analisar tudo que você precisa HashMap <String, Object>
Stoycho Andreev
43

Eu escrevi um código simples para salvar o mapa de preferência e carregar o mapa de preferência. Nenhuma função GSON ou Jackson necessária. Acabei de usar um mapa com String como chave e Boolean como valor.

private void saveMap(Map<String,Boolean> inputMap){
  SharedPreferences pSharedPref = getApplicationContext().getSharedPreferences("MyVariables", Context.MODE_PRIVATE);
  if (pSharedPref != null){
    JSONObject jsonObject = new JSONObject(inputMap);
    String jsonString = jsonObject.toString();
    Editor editor = pSharedPref.edit();
    editor.remove("My_map").commit();
    editor.putString("My_map", jsonString);
    editor.commit();
  }
}

private Map<String,Boolean> loadMap(){
  Map<String,Boolean> outputMap = new HashMap<String,Boolean>();
  SharedPreferences pSharedPref = getApplicationContext().getSharedPreferences("MyVariables", Context.MODE_PRIVATE);
  try{
    if (pSharedPref != null){       
      String jsonString = pSharedPref.getString("My_map", (new JSONObject()).toString());
      JSONObject jsonObject = new JSONObject(jsonString);
      Iterator<String> keysItr = jsonObject.keys();
      while(keysItr.hasNext()) {
        String key = keysItr.next();
        Boolean value = (Boolean) jsonObject.get(key);
        outputMap.put(key, value);
      }
    }
  }catch(Exception e){
    e.printStackTrace();
  }
  return outputMap;
}
Vinoj John Hosan
fonte
resposta perfeita :)
Ramkesh Yadav
Como posso acessar a getApplicationContextpartir de uma aula simples?
Dmitry
@Dmitry Um atalho: Em sua classe simples, inclua definir método de contexto e definir o contexto como variável de membro e usá-lo de acordo
Vinoj John Hosan
32
Map<String, String> aMap = new HashMap<String, String>();
aMap.put("key1", "val1");
aMap.put("key2", "val2");
aMap.put("Key3", "val3");

SharedPreferences keyValues = getContext().getSharedPreferences("Your_Shared_Prefs"), Context.MODE_PRIVATE);
SharedPreferences.Editor keyValuesEditor = keyValues.edit();

for (String s : aMap.keySet()) {
    keyValuesEditor.putString(s, aMap.get(s));
}

keyValuesEditor.commit();
Hovanessyan
fonte
mas eu preciso salvar o mapa hash como se estivéssemos adicionando vetor às preferências compartilhadas
jibysthomas
do que provavelmente você terá que usar a serialização e salvar o HashMap serializado em SharedPrefs. Você pode encontrar facilmente exemplos de código sobre como fazer isso.
hovanessyan
11

Como um desdobramento da resposta de Vinoj John Hosan, eu modifiquei a resposta para permitir inserções mais genéricas, com base na chave dos dados, em vez de uma única chave como "My_map" .

Na minha implementação, MyAppé minha Applicationclasse de substituição e MyApp.getInstance()atua para retornar o context.

public static final String USERDATA = "MyVariables";

private static void saveMap(String key, Map<String,String> inputMap){
    SharedPreferences pSharedPref = MyApp.getInstance().getSharedPreferences(USERDATA, Context.MODE_PRIVATE);
    if (pSharedPref != null){
        JSONObject jsonObject = new JSONObject(inputMap);
        String jsonString = jsonObject.toString();
        SharedPreferences.Editor editor = pSharedPref.edit();
        editor.remove(key).commit();
        editor.putString(key, jsonString);
        editor.commit();
    }
}

private static Map<String,String> loadMap(String key){
    Map<String,String> outputMap = new HashMap<String,String>();
    SharedPreferences pSharedPref = MyApp.getInstance().getSharedPreferences(USERDATA, Context.MODE_PRIVATE);
    try{
        if (pSharedPref != null){
            String jsonString = pSharedPref.getString(key, (new JSONObject()).toString());
            JSONObject jsonObject = new JSONObject(jsonString);
            Iterator<String> keysItr = jsonObject.keys();
            while(keysItr.hasNext()) {
                String k = keysItr.next();
                String v = (String) jsonObject.get(k);
                outputMap.put(k,v);
            }
        }
    }catch(Exception e){
        e.printStackTrace();
    }
    return outputMap;
}
Kyle Falconer
fonte
Como posso acessar MyApp de uma biblioteca?
Dmitry
@Dmitry Você faria isso da mesma maneira que acessaria a Contextinstância de uma biblioteca. Confira esta outra pergunta do SO: É possível obter o contexto do aplicativo em um projeto de biblioteca do Android?
Kyle Falconer de
2

Você pode tentar usar JSON.

Para salvar

try {
    HashMap<Integer, String> hash = new HashMap<>();
    JSONArray arr = new JSONArray();
    for(Integer index : hash.keySet()) {
        JSONObject json = new JSONObject();
        json.put("id", index);
        json.put("name", hash.get(index));
        arr.put(json);
    }
    getSharedPreferences(INSERT_YOUR_PREF).edit().putString("savedData", arr.toString()).apply();
} catch (JSONException exception) {
    // Do something with exception
}

Para obter

try {
    String data = getSharedPreferences(INSERT_YOUR_PREF).getString("savedData");
    HashMap<Integer, String> hash = new HashMap<>();
    JSONArray arr = new JSONArray(data);
    for(int i = 0; i < arr.length(); i++) {
        JSONObject json = arr.getJSONObject(i);
        hash.put(json.getInt("id"), json.getString("name"));
    }
} catch (Exception e) {
    e.printStackTrace();
}
Jonas Borggren
fonte
1
String converted = new Gson().toJson(map);
SharedPreferences sharedPreferences = getSharedPreferences("sharepref",Context.MODE_PRIVATE);
sharedPreferences.edit().putString("yourkey",converted).commit();

fonte
1
Como devolvê-lo ao mapa?
زياد
1

Usando PowerPreference .

Guardar dados

HashMap<String, Object> hashMap = new HashMap<String, Object>();
PowerPreference.getDefaultFile().put("key",hashMap);

Ler dados

HashMap<String, Object> value = PowerPreference.getDefaultFile().getMap("key", HashMap.class, String.class, Object.class);
Ali Asadi
fonte
1

mapa -> string

val jsonString: String  = Gson().toJson(map)
preferences.edit().putString("KEY_MAP_SAVE", jsonString).apply()

string -> mapa

val jsonString: String = preferences.getString("KEY_MAP_SAVE", JSONObject().toString())
val listType = object : TypeToken<Map<String, String>>() {}.type
return Gson().fromJson(jsonString, listType)
Evgen But
fonte
0

Você pode usar isso em um arquivo dedicado em preferências compartilhadas (fonte: https://developer.android.com/reference/android/content/SharedPreferences.html ):

getAll

adicionado na API nível 1 Mapa getAll () Recupera todos os valores das preferências.

Observe que você não deve modificar a coleção retornada por este método, ou alterar qualquer um de seus conteúdos. A consistência dos seus dados armazenados não é garantida se você fizer isso.

Returns Map Retorna um mapa contendo uma lista de pares chave / valor que representam as preferências.

sivi
fonte
0

O jeito preguiçoso: armazenando cada chave diretamente em SharedPreferences

Para o caso de uso restrito, quando seu mapa não terá mais do que algumas dezenas de elementos, você pode aproveitar o fato de que SharedPreferences funciona quase como um mapa e simplesmente armazena cada entrada em sua própria chave:

Armazenando o mapa

Map<String, String> map = new HashMap<String, String>();
map.put("color", "red");
map.put("type", "fruit");
map.put("name", "Dinsdale");


SharedPreferences prefs = PreferenceManager.getDefaultSharedPreferences(context);
// OR use a specific pref name
// context.getSharedPreferences("myMegaMap");

for (Map.Entry<String, String> entry : map.entrySet()) {
    prefs.edit().putString(entry.getKey(), entry.getValue());
}

Lendo chaves do mapa

SharedPreferences prefs = PreferenceManager.getDefaultSharedPreferences(context);
// OR use a specific pref name
// context.getSharedPreferences("myMegaMap");
prefs.getString("color", "pampa");

No caso de você usar um nome de preferência personalizado (ou seja context.getSharedPreferences("myMegaMap")), você também pode obter todas as chaves comprefs.getAll()

Seus valores podem ser de qualquer tipo suportado pelo SharedPreferences: String, int, long, float, boolean.

ccpizza
fonte
0

Eu sei que é um pouco tarde, mas espero que isso possa ser útil para qualquer leitura ..

então o que eu faço é

1) Crie HashMap e adicione dados como: -

HashMap hashmapobj = new HashMap();
  hashmapobj.put(1001, "I");
  hashmapobj.put(1002, "Love");
  hashmapobj.put(1003, "Java");

2) Escreva no editor de preferências de compartilhamento como: -

SharedPreferences sharedpreferences = getSharedPreferences(MyPREFERENCES,Context.MODE_PRIVATE);
    Editor editor = sharedpreferences.edit();
    editor.putStringSet("key", hashmapobj );
    editor.apply(); //Note: use commit if u wan to receive response from shp

3) Lendo dados como: - em uma nova classe onde você deseja que sejam lidos

   HashMap hashmapobj_RECIVE = new HashMap();
     SharedPreferences sharedPreferences (MyPREFERENCES,Context.MODE_PRIVATE;
     //reading HashMap  from sharedPreferences to new empty HashMap  object
     hashmapobj_RECIVE = sharedpreferences.getStringSet("key", null);
TPX
fonte