Основы Contacts API в Android
Введение
Начиная с версии 5 API Android SDK интерфейс работы с контактами изменился, а основной контент провайдер Contacts и все его составляющие получили черную метку @Deprecated. Теперь за работу с контактами отвечает провайдер ContactsContract. Эти изменения связаны с изменением структуры хранения контактов, более адаптированной для Android устройств, которым требуется хранить контакты из множества разных источников и предоставлять их пользователю как единую сущность. Ведь сегодня, определенный контакт на нашем мобильном устройстве это не только имя и номер телефона, мы можем захотеть сохранить eMail, Im, Twitter, Facebook аккаунт определенного человека, и при этом, мы не хотим чтобы у нас нас появилось миллион непонятных записей. Поэтому новый Contacts API позволяет Android агрегировать похожие контакты и представлять их пользователю в одной записи, а также связывать контакт с разного рода данными.
Структура данных
На устройстве основная информация о контактах хранится в трех таблицах, на деле их там конечно больше, но мы рассмотрим основные три: contacts, raw_contacts и data. Чтобы было более наглядно я набросал простую схему в Dia.
В таблице contacts хранятся агрегированные контакты, каждая запись в этой таблице представляет собой пользовательский контакт (единую сущность) – объединение одного или нескольких сырых (необработанных) контактов из таблицы raw_contacts. Как видно на схеме, связь между этими таблицами один ко многим (1-N). Одна запись в таблице raw_contacts представляет собой так называемый сырой контакт. Сырой контакт, на языке Android, означает какой-то конкретный набор данных для определенного контакта. Но сами основные данные в этой таблице не хранятся, они хранятся в таблице data, и связь между raw_contacts и data также один ко многим. В таблице data хранятся непосредственно данные. Причем каждая строка этой таблицы это набор данных определенного типа для контакта. Какого именно типа данные хранятся в строке определяется столбцом mimetype_id, в котором содержится id типов данных определенных в таблице mimetype(например vnd.android.cursor.item/name, vnd.android.cursor.item/photo). Теперь разберемся во всем по подробней и с примерами.
Работаем с контактами
Хорошо, допустим мы хотим добавить контакт (Robert Smith, моб.тел. 11-22-33), как нам это сделать? В таблицу contacts мы сами, явно, не можем добавить контакт, так как система сама формирует эту таблицу агрегируя похожие raw_contacts. Идентичность контактов система определяет в основном по имени (одинаковые имена, фамилии и т.п.), но и по другим критериям, каким именно и как ими управлять можно посмотреть в документации. То есть, если мы добавим raw_contact нашего Роберта (Robert Smith) и свяжем его с данными типа vnd.cursor.android.item/phone, а потом у нас появится “похожий”, для системы, Robert Smith связанный с данными типа vnd.cursor.android.item/email и еще один с данными типа vnd.cursor.android.item/photo, то у нас в контактах будет один Robert Smith с фотографией, мобильным и email’ом.
Теперь попробуем переложить это на код. За таблицы и их поля отвечает, как я уже говорил, класс ContactsContract и его внутренние классы и интерфейсы. Например интерфейсом к таблице raw_contacts является класс ContactsContract.RawContacts, а за таблицу data класс ContactsContract.Data. Будьте внимательны когда изучаете их константы – интерфейсы к столбцам – обращайте внимание на метки read/write и read only.
Из написанного выше следует, что для начала, мы должны добавить сырой контакт, а потом связывать его с данными. Добавить пустой контакт можно так:
В контактах у вас должен появиться пустой (Unknown) контакт, ни с чем не связанный. Добавим ему имя. Чтобы это сделать, мы должны связать наш новый контакт с новыми данными используя его id, который можно достать из прошлого запроса. Основные интерфейсы к полям таблицы данных содержаться в классе-контейнере ContactsContract.CommonDataKinds и его внутренних классах и интерфейсах. Например, сейчас нам понадобиться
класс ContactsContract.CommonDataKinds.StrucruredName содержащий нужные нам константы для добавления имени, а также константу MIME типа, которой мы пометим наше поле в таблице данных.
Если мы добавим контакт таким образом, то в списке контактов у нас появиться Robert Smith. Теперь идем дальше, добавим нашему контакту еще и телефон. Для этого нам понадобиться класс ContactsContract.CommonDataKinds.Phone, который является интерфейсом к данным телефонного номера.
Теперь в контактах у нас есть Robert Smith которому можно позвонить. Но вот так добавлять контакт и данные к нему, в несколько запросов, дорого и накладно. Поэтому существует класс ContentProviderOperation, который позволяет построить запрос, который выполнит все наши операции за одну транзакцию. Именно им и рекомендуют пользоваться. Вот так можно добавить нашего Роберта используя ContentProviderOperation.
Вот таким образом в Android можно добавлять контакты. Будьте осторожны используя ContentProviderOperation, так как слишком большой запрос может долго выполняться. Вообще все операции лучше производить в отдельном потоке, потому, что у пользователя, например, может быть слабый телефон и много контактов.
В остальном все другие операции выполняются обычным образом, используя те провайдеры, которые вам необходимы, с некоторыми оговорками. Например, удаление контакта из таблицы contacts удалит все raw_contacts с ним связанные и т.д.
Вот так можно попробовать найти нашего Роберта в контактах:
На этом хотелось бы завершить статью, все же это были только основные сведения о Contacts API в Andoid. Я надеюсь мне удалось описать здесь основные принципы, а вся конкретика зависит от того, что вам необходимо сделать в процессе работы. Можно просто руководствоваться этими принципами и находить в официальной документации интерфейсы которые вам нужны для работы. Успехов!
Источник
evandrix / AndroidManifest.xml
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
xml version = » 1.0 » encoding = » utf-8 » ?> |
manifest xmlns : android = » http://schemas.android.com/apk/res/android « |
package = » com.example « |
android : versionCode = » 1 « |
android : versionName = » 1.0 » > |
uses-sdk android : minSdkVersion = » 8 »/> |
uses-permission android : name = » android.permission.READ_CONTACTS »/> |
application android : label = » @string/app_name » > |
activity android : name = » MyActivity « |
android : label = » @string/app_name » > |
intent-filter > |
action android : name = » android.intent.action.MAIN »/> |
category android : name = » android.intent.category.LAUNCHER »/> |
intent-filter > |
activity > |
application > |
manifest > |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
xml version = » 1.0 » encoding = » utf-8 » ?> |
@res/layout/main.xml —> |
LinearLayout xmlns : android = » http://schemas.android.com/apk/res/android « |
android : orientation = » vertical « |
android : layout_width = » fill_parent « |
android : layout_height = » fill_parent » > |
Button android : layout_width = » match_parent « |
android : layout_height = » wrap_content « |
android : text = » Select a Contact « |
android : onClick = » onClickSelectContact »/> |
ImageView android : id = » @+id/img_contact « |
android : layout_height = » wrap_content « |
android : layout_width = » match_parent « |
android : adjustViewBounds = » true « |
android : contentDescription = » Contacts Image « |
/> |
LinearLayout > |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
Источник
No contact name android
Google’s common Java, C++ and JavaScript library for parsing, formatting, and validating international phone numbers. The Java version is optimized for running on smartphones, and is used by the Android framework since 4.0 (Ice Cream Sandwich).
- Reporting an issue? Want to send a pull request? See the contribution guidelines
- Check the frequently asked questions
- Fun! Falsehoods Programmers Believe About Phone Numbers
- Look for README s in directories relevant to the code you’re interested in.
- For contributors and porters: How to run the Java demo
- For porters: How to make metadata changes
Highlights of functionality
- Parsing, formatting, and validating phone numbers for all countries/regions of the world.
- getNumberType — gets the type of the number based on the number itself; able to distinguish Fixed-line, Mobile, Toll-free, Premium Rate, Shared Cost, VoIP, Personal Numbers, UAN, Pager, and Voicemail (whenever feasible).
- isNumberMatch — gets a confidence level on whether two numbers could be the same.
- getExampleNumber and getExampleNumberForType — provide valid example numbers for all countries/regions, with the option of specifying which type of example phone number is needed.
- isPossibleNumber — quickly guesses whether a number is a possible phone number by using only the length information, much faster than a full validation.
- isValidNumber — full validation of a phone number for a region using length and prefix information.
- AsYouTypeFormatter — formats phone numbers on-the-fly when users enter each digit.
- findNumbers — finds numbers in text.
- PhoneNumberOfflineGeocoder — provides geographical information related to a phone number.
- PhoneNumberToCarrierMapper — provides carrier information related to a phone number.
- PhoneNumberToTimeZonesMapper — provides timezone information related to a phone number.
The Java demo is updated with a slight delay after the GitHub release.
Last demo update: v8.12.38.
If this number is lower than the latest release’s version number, we are between releases and the demo may be at either version.
The JavaScript demo may be run at various tags; this link will take you to master .
To include the Java code in your application, either integrate with Maven (see wiki) or download the latest jars from the Maven repository.
Versioning and Announcements
We generally choose the release number following these guidelines.
If any of the changes pushed to master since the last release are incompatible with the intent / specification of an existing libphonenumber API or may cause libphonenumber (Java, C++, or JS) clients to have to change their code to keep building, we publish a major release. For example, if the last release were 7.7.3, the new one would be 8.0.0.
If any of those changes enable clients to update their code to take advantage of new functionality, and if clients would have to roll-back these changes in the event that the release was marked as «bad», we publish a minor release. For example, we’d go from 7.7.3 to 7.8.0.
Otherwise, including when a release contains only metadata changes, we publish a sub-minor release, e.g. 7.7.3 to 7.7.4.
Sometimes we make internal changes to the code or metadata that, while not affecting compatibility for clients, could affect compatibility for porters of the library. For such changes we make announcements to libphonenumber-discuss. Such changes are not reflected in the version number, and we would publish a sub-minor release if there were no other changes.
Want to get notified of new releases? During most of the year, excepting holidays and extenuating circumstances, we release fortnightly. We update release tags and document detailed release notes. We also send an announcement to libphonenumber-discuss for every release.
Let’s say you have a string representing a phone number from Switzerland. This is how you parse/normalize it into a PhoneNumber object:
At this point, swissNumberProto contains:
PhoneNumber is a class that was originally auto-generated from phonenumber.proto with necessary modifications for efficiency. For details on the meaning of each field, refer to resources/phonenumber.proto .
Now let us validate whether the number is valid:
There are a few formats supported by the formatting method, as illustrated below:
You could also choose to format the number in the way it is dialed from another country:
Formatting Phone Numbers ‘as you type’
Geocoding Phone Numbers
Mapping Phone Numbers to original carriers
Caveat: We do not provide data about the current carrier of a phone number, only the original carrier who is assigned the corresponding range. Read about number portability.
More examples on how to use the library can be found in the unit tests.
Several third-party ports of the phone number library are known to us. We share them here in case they’re useful for developers.
However, we emphasize that these ports are by developers outside the libphonenumber project. We do not evaluate their quality or influence their maintenance processes.
Alternatives to our own versions:
- Android-optimized: Our Java version loads the metadata from Class#getResourcesAsStream and asks that Android apps follow the Android loading best practices of repackaging the metadata and loading from AssetManager#open() themselves (FAQ). If you don’t want to do this, check out the port at https://github.com/MichaelRocks/libphonenumber-android, which does repackage the metadata and use AssetManager#open() , and may be depended on without needing those specific loading optimizations from clients. You should also check out the port at https://github.com/lionscribe/libphonenumber-android which also supports geocoding, and only requires a one line code change.
- Javascript: If you don’t want to use our version, which depends on Closure, there are several other options, including https://github.com/catamphetamine/libphonenumber-js — a stripped-down rewrite, about 110 KB in size — and https://github.com/seegno/google-libphonenumber — a browserify-compatible wrapper around the original unmodified library installable via npm, which packs the Google Closure library, about 420 KB in size.
About
Google’s common Java, C++ and JavaScript library for parsing, formatting, and validating international phone numbers.
Источник