получить имя пользователя из firebase из Know UID - PullRequest
0 голосов
/ 22 апреля 2020

Я довольно новичок в Android и Java, и я пытаюсь научить себя делать блокировки. Сейчас я пытаюсь получить имя пользователя по известному uid и не могу понять синтаксис.

Моя база данных firebase выглядит следующим образом

├── chat 
│   ├── -M5D96yP5Ac688-ZPU0C << chatId 1
│   │   ├── info
│   │   │   ├── groupName: Breakfast Club
│   │   │   ├── id: -M5D96yP5Ac688-ZPU0C
│   │   │   └── Users:
│   │   │       ├── 8J7PX3ezjMTuOiAPO1BbOGJGP1g1: true
│   │   │       └── QvmGG2vPfTrdjZBfWP2ZotajYE3: true
│   │   └──Messages
│   │           .....
├── user
│   ├── 8J7PX3ezjMTuOiAPO1BbOGJGP1g1 << userId
│   │   ├── chat:
│   │   │   ├── -M5D96yP5Ac688-ZPU0C: true << chatId 1
│   │   │   ├── -M5DQuUsTJwO6tdVUstC: true
│   │   │   └── -M5DQuUsTJwO6tdVUstC: true
│   │   ├── email: JohnBender@bkfastclub.com
│   │   ├── name: John Bender
│   │   └──notificationKey: "28cb76b1-e2cd-4fa6-bf37-38336dafc45a"
│   ├── kLdxJGA7Yyfch1TthnnAPrnyny93

I у меня есть идентификатор группы, и сохранены пользовательские идентификаторы членов

Variables

    private void getGroupMembers() {
        String key = mChatObject.getChatId();
        ArrayList<UserObject> mMembers = mChatObject.getUserObjectArrayList();

        DatabaseReference chatInfoDb = FirebaseDatabase.getInstance().getReference().child("chat").child(key).child("info").child("users");
        DatabaseReference mUserDB = FirebaseDatabase.getInstance().getReference().child("user");
 //       Query query = mUserDB.orderByChild("uid").equalTo(chatInfoDb.getUid());


    }

Я просто не могу понять, как искать через путь пользователя и захватить имена пользователей и сохранить их. В конечном итоге я хочу отобразить их в виде RecyclerView.

Любая помощь будет принята с благодарностью.

1 Ответ

0 голосов
/ 22 апреля 2020

Если вы пытаетесь получить имена пользователей под chat/chatID/info/users, тогда посмотрите на мой ответ

Хорошо, если ваш key действительно верен, сначала l oop через всех детей до chat/chatID/info/users, затем захватите имена, вызвав узел User.

, например:

//chat ID
String key = mChatObject.getChatId();

//database reference (be careful for lower case or upper case names)     
DatabaseReference chatInfoDb = FirebaseDatabase.getInstance().getReference().child("chat").child(key).child("info").child("Users");
DatabaseReference mUserDB = FirebaseDatabase.getInstance().getReference().child("user");


//a first call to the `chat` node:

ValueEventListener chatListener = new ValueEventListener() {
    @Override
    public void onDataChange(DataSnapshot dataSnapshot) {
     //loop through children
     for(DataSnapshot ds: dataSnapshot.getChildren()){

      //this will run n times, where n is the number of children under chat/chatID/info/Users

       String userId = ds.getKey();

      //now we grab the name for every userID under chat/chatID/info/Users

      mUserDB.child(userId).addListenerForSingleValueEvent(new ValueEventListener() {

          @Override
           public void onDataChange(DataSnapshot dataSnapshot) {

               //grab the name and add it to some list 
                String name = dataSnapshot.child("name").getValue(String.class);
               list.add(name)

            }

            @Override
            public void onCancelled(DatabaseError databaseError) {
           // log error
           Log.w(TAG, "loadPost:onCancelled", databaseError.toException());

            }

      });

     }//loop end 


    }

    @Override
    public void onCancelled(DatabaseError databaseError) {
        //log error
        Log.w(TAG, "loadPost:onCancelled", databaseError.toException());

    }
};
chatInfoDb.addValueEventListener(chatListener);
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...