Извлечение "других" контактов Google пользователя в Android

Если я правильно понимаю, чтобы получить пользовательские контакты Google из моего приложения для Android, я должен использовать People API вместо API Contacts. В моем случае я хочу получить все контакты пользователя, включая "другие контакты", как показано на рисунке ниже (другие его контакты можно увидеть, перейдя по ссылке на другие контакты):

До сих пор я успешно использовал People API, как показано ниже. Сначала я предоставляю необходимые области для параметров входа в Google:

GoogleSignInOptions gso = new GoogleSignInOptions.Builder(GoogleSignInOptions.DEFAULT_SIGN_IN)
                    .requestIdToken(getString(R.string.default_web_client_id))
                    .requestServerAuthCode(getString(R.string.default_web_client_id))
                    .requestEmail()
                    .requestProfile()
                    .requestScopes(new Scope(PeopleServiceScopes.CONTACTS_READONLY))
                    .build();
mGoogleSignInClient = GoogleSignIn.getClient(this, gso);

Затем я использую свой идентификатор и секретный код веб-клиента для получения контактов пользователя:

public void getUserContacts () throws IOException {
            HttpTransport httpTransport = new NetHttpTransport();
            JacksonFactory jsonFactory = new JacksonFactory();

            // Go to the Google API Console, open your application's
            // credentials page, and copy the client ID and client secret.
            // Then paste them into the following code.
            String clientId = getString(R.string.webClientIDAutoCreated);
            String clientSecret = getString(R.string.webClientIDSecretAutoCreated);

            // Or your redirect URL for web based applications.
            String redirectUrl = "urn:ietf:wg:oauth:2.0:oob";               
            String scope = "https://www.googleapis.com/auth/contacts.readonly";
            String serverAuthCode = userSettings.getString(USER_PREFS_SERVER_AUTH_CODE,"");

            // Step 1: Authorize -->
            String authorizationUrl = new GoogleBrowserClientRequestUrl(clientId, redirectUrl, Arrays.asList(scope)).build();

            // Point or redirect your user to the authorizationUrl.
            System.out.println("Go to the following link in your browser:");
            System.out.println(authorizationUrl);

            // Read the authorization code from the standard input stream.
            BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
            System.out.println("What is the authorization code?");
            String code = in.readLine();
            // End of Step 1 <--

            // Step 2: Exchange -->
            GoogleTokenResponse tokenResponse = new GoogleAuthorizationCodeTokenRequest(httpTransport, jsonFactory, clientId, clientSecret, serverAuthCode, redirectUrl).execute();
            // End of Step 2 <--

            GoogleCredential credential = new GoogleCredential.Builder()
                    .setTransport(httpTransport)
                    .setJsonFactory(jsonFactory)
                    .setClientSecrets(clientId, clientSecret)
                    .build()
                    .setFromTokenResponse(tokenResponse);

            PeopleService peopleService = new PeopleService.Builder(httpTransport, jsonFactory, credential)
                    .setApplicationName(getString(R.string.app_name))
                    .build();

            ListConnectionsResponse response = peopleService.people().connections()
                    .list("people/me")
                    .setPersonFields("names,emailAddresses")
                    .execute();

            // Print display name of connections if available.
            List<Person> connections = response.getConnections();
            if (connections != null && connections.size() > 0) {
                for (Person person : connections) {
                    List<Name> names = person.getNames();
                    if (names != null && names.size() > 0) {
                        myLog(TAG,DEBUG_OK,"Name: " + person.getNames().get(0).getDisplayName());
                        List<EmailAddress> emailAddresses = person.getEmailAddresses();
                        if (emailAddresses != null && emailAddresses.size() > 0) {
                            for (EmailAddress email: emailAddresses)
                                myLog(TAG,DEBUG_OK,"email: " + email.getValue());
                        }
                    }
                    else {
                        myLog(TAG,DEBUG_OK,"No names available for connection.");
                    }
                }
            }
            else {
                System.out.println("No connections found.");
            }
        }

Я надеялся, что это получит все доступные контакты, однако возвращает только небольшое подмножество. Поэтому мой вопрос заключается в том, нужно ли мне передавать / использовать какие-либо другие области для чтения всех контактов, включая список "других контактов".

1 ответ

API People не поддерживает контакты "Другие контакты", как описано в этом ответе. Вы должны использовать Контакты API, чтобы получить нужные данные.

People API теперь позволяет получать другие контакты, как описано здесь

https://developers.google.com/people/v1/other-contacts

ListOtherContactsResponse response = peopleService.otherContacts().list()
    .setReadMask("metadata,names,emailAddresses")
    .execute();

List<Person> otherContacts = response.getOtherContacts();
Другие вопросы по тегам