Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Firebase DB - How to update particular value of child in Firebase Database

I want to update my display name in the code below. How can I update displayName?

My database structure is:

-Users
      -KUanJA9egwmPsJCxXpv

         displayName:"Test Trainer"

         email:"[email protected]"

         uid: "jRXMsNZHR2exqifnR2rXcceEMxF2"
like image 633
Nishith Adhvaryu Avatar asked Nov 14 '16 13:11

Nishith Adhvaryu


People also ask

Which method is used to update Firebase data?

Update specific fields. To simultaneously write to specific children of a node without overwriting other child nodes, use the update() method. When calling update() , you can update lower-level child values by specifying a path for the key.

What is the set () method in Firebase?

The set method will write or replace data on a specified path. Let us create a reference to the player's collection and set two players. var playersRef = firebase. database(). ref("players/"); playersRef.


1 Answers

If you want to update the displayName of this user:

var db = firebase.database();
db.ref("-Users/-KUanJA9egwmPsJCxXpv/displayName").set("New trainer");

Alternatively, you can also get the same with:

db.ref("-Users/-KUanJA9egwmPsJCxXpv").update({ displayName: "New trainer" });

But it's likely you don't know the ID of the user, in which case you need to look that up first:

var query = db.ref("-Users").orderByChild("uid").equalTo("jRXMsNZHR2exqifnR2rXcceEMxF2");
query.once("child_added", function(snapshot) {
  snapshot.ref.update({ displayName: "New trainer" })
});

One final remark on your data structure though: you seem to be storing user profiles, but you're storing them under a push ID. For this type of structure we usually recommend that you store each user under their Unique ID:

-Users
      jRXMsNZHR2exqifnR2rXcceEMxF2
         displayName:"Test Trainer"    
         email:"[email protected]"

With such a structure you remove any chance that you're storing the same user twice. Plus, you can now update the user's display name without needing a query:

var currentUser = firebase.auth().currentUser;
db.ref("-Users/"+currentUser.uid).update({ displayName: "New trainer" });
like image 197
Frank van Puffelen Avatar answered Oct 14 '22 13:10

Frank van Puffelen