NOTE:

NOTE: Of late, I have been getting requests for very trivial problems that many of you are facing in your day-to-day work. This blog is not to solve your "project" problems - surely not a "Support" site.
I just love to share my knowledge in my spare time and would appreciate any questions or feedback on the articles and code I have shared. I also do appreciate thought-provoking questions that would lead me to write more articles and share.
But please do not put your day-to-day trivial problems here. Even if you do, you most probably would not get a response here.
Thanks

Search This Blog

x

Tuesday 17 May 2011

Contacts API 2.0 and above | Android Developer Tutorial


Starting from Android 2.0 (API Level 5), the Android platform provides an improved Contacts API for managing and integrating contacts from multiple accounts and from other data sources. To handle overlapping data from multiple sources, the contacts content provider aggregates similar contacts and presents them to users as a single entity. This article describes how to use the new API to manage (insert, update, delete, view) contacts.

The new Contacts API is defined in the android.provider.ContactsContract and related classes. The older API is still supported, although deprecated.

We need to understand the underlying structure of storage to better manipulate the contacts. We have three distinct types of tables – Contacts, Raw Contacts and Data.

All data related to a contact is stored in this generic data table with each row telling what is the data it stores through its MIME type. So we could have a Phone.CONTENT_ITEM_TYPE as the MIME type of the data row, it contains Phone data. Similarly, if we have Email.CONTENT_ITEM_TYPE as the row’s MIME type, then it stores email data. Like this lot of data rows are associated with a single Raw Contact.

Each Raw Contact refers to a specific contact’s data coming from one single source – say, you gmail account or your office Microsoft account.

The Contact is the topmost in the hierarchy which aggregates similar looking data from various sources into one single contact – a very handy feature when you have redundant data coming about the same contact from you various accounts – like a facebook account, orkut account, yahoo account and goggle account.  So the hierarchy looks like this:
So, when we want to insert a new contact, we always insert a Raw Contact. When we want to update an existing contact, we most often deal with the data tables which are accessible through a series of CommonDataKind classes. Because this would be to update particular types of data like phone or email.
Coming to the example:

I create an activity with four buttons to View, Add, Modify and Delete Contacts.

           Button view = (Button)findViewById(R.id.viewButton);
            Button add = (Button)findViewById(R.id.createButton);
            Button modify = (Button)findViewById(R.id.updateButton);
            Button delete = (Button)findViewById(R.id.deleteButton);
           
           
            view.setOnClickListener(new OnClickListener() {
                  public void onClick(View v){
                        displayContacts();
                        Log.i("NativeContentProvider", "Completed Displaying Contact list");
                  }
            });

On the click of each of the buttons I invoke their respective methods: like displayContacts(), createContact(), updatecContact() and deleteContact(). We will now see each of these methods.

displayContacts() is pretty straightforward. Access to each of the tables mentioned above is through a content URI. I use the topmost level ‘Contacts’ URI to iterate through all the existing contacts and display their names and phone numbers (Toast them).

We know Contacts is a ContentProvider and hence we need to query through a ContentResolver which returns all the data of the contacts.

   private void displayContacts() {
     
      ContentResolver cr = getContentResolver();
        Cursor cur = cr.query(ContactsContract.Contacts.CONTENT_URI,
                null, null, null, null);
        if (cur.getCount() > 0) {
            while (cur.moveToNext()) {
                  String id = cur.getString(cur.getColumnIndex(ContactsContract.Contacts._ID));
                  String name = cur.getString(cur.getColumnIndex(ContactsContract.Contacts.DISPLAY_NAME));
                  if (Integer.parseInt(cur.getString(
                        cur.getColumnIndex(ContactsContract.Contacts.HAS_PHONE_NUMBER))) > 0) {
                     Cursor pCur = cr.query(
                               ContactsContract.CommonDataKinds.Phone.CONTENT_URI,
                               null,
                               ContactsContract.CommonDataKinds.Phone.CONTACT_ID +" = ?",
                               new String[]{id}, null);
                     while (pCur.moveToNext()) {
                         String phoneNo = pCur.getString(pCur.getColumnIndex(ContactsContract.CommonDataKinds.Phone.NUMBER));
                         Toast.makeText(NativeContentProvider.this, "Name: " + name + ", Phone No: " + phoneNo, Toast.LENGTH_SHORT).show();
                     }
                    pCur.close();
                }
            }
        }
    }

I will try to briefly explain the above method.  Line 1 gets a handle to the ContentResolver. Line 2 queries the Contacts URI (ContactsContract.Contacts.CONTENT_URI ) without any mention of the specific columns or “where” clause of an SQL query. Notice all the 4 parameters are null. This means that we are not making any conditional query into the contacts table and hence all data is returned into the cursor.

Next, I check that the cursor is not empty and iterate through the cursor data. I retrieve the _ID and DISPLAY_NAME from the Contacts and then, I check for the flag if the contact has a phone number. This information is available in contacts table itself. But the Phone number details are in the data tables. Hence after checking for the flag, I query the CommonDataKings.Phone.CONTENT_URI for the phone data of that specific ID. From this new cursor named pCur, I retrieve the Phone Number. If there are multiple phone number for one contact, all of them will be retrieved and toasted one after another.
Now, let us see how to create or insert a new contact.

In the createContact() method which is called when you click on the “Add Contact” button, I first query to see if the hardcoded name “Sample Name” already exists. If so, I toast a message stating the same. If not, then I get into actually inserting the name along with a phone number. The first part of the check you can view in the complete source code available for download. Only the second part of inserting a contact is explained here. For this, we need to use a ContentResolver always.

A ContentResolverprovides an applyBatch(…) method which takes an array of ContentProviderOperation classes as a parameter. All the data built into the ContentProviderOperations are committed or inserted into the ContentProvider that we are working on. IN this case, the ContentProvider we are working on are Contacts and the authority associated with the same is ContactsContract.AUTHORITY

Here is the code for the same:

        ArrayList<ContentProviderOperation> ops = new ArrayList<ContentProviderOperation>();
        ops.add(ContentProviderOperation.newInsert(ContactsContract.RawContacts.CONTENT_URI)
                .withValue(ContactsContract.RawContacts.ACCOUNT_TYPE, "accountname@gmail.com")
                .withValue(ContactsContract.RawContacts.ACCOUNT_NAME, "com.google")
                .build());
        ops.add(ContentProviderOperation.newInsert(ContactsContract.Data.CONTENT_URI)
                .withValueBackReference(ContactsContract.Data.RAW_CONTACT_ID, 0)
                .withValue(ContactsContract.Data.MIMETYPE,
                        ContactsContract.CommonDataKinds.StructuredName.CONTENT_ITEM_TYPE)
                .withValue(ContactsContract.CommonDataKinds.StructuredName.DISPLAY_NAME, name)
                .build());
        ops.add(ContentProviderOperation.newInsert(ContactsContract.Data.CONTENT_URI)
                .withValueBackReference(ContactsContract.Data.RAW_CONTACT_ID, 0)
                .withValue(ContactsContract.Data.MIMETYPE,
                        ContactsContract.CommonDataKinds.Phone.CONTENT_ITEM_TYPE)
                .withValue(ContactsContract.CommonDataKinds.Phone.NUMBER, phone)
                .withValue(ContactsContract.CommonDataKinds.Phone.TYPE, ContactsContract.CommonDataKinds.Phone.TYPE_HOME)
                .build());

       
        try {
                  cr.applyBatch(ContactsContract.AUTHORITY, ops);
….

In the first element in the ops array, I am setting the details of the account to which I want to add the contact. In this case the gmail account type is accontname@gmail.com and the account name is “com.google”. The latter has to be unique and hence it is recommended to use the internet URLs of the source of data.

In the second element, I am adding the name of the contact and in the third the phone data. You notice that I use .withValueBackReference(..) as we still have not created the Raw contact and hence we do not have the Id. The first row creates the id and hands over the id to the next rows of data. 
This array ops is passed into the ContentResolver and thus the data is inserted.

For updating the phone number of an existing contact, I again use the ContentResolver with the ContentProviderOperation array. However, now, I pass the where clause and the parameters of the where clause – specifically indicating that only the phone number of the “Sample Name” contact has to be updated.
            ops.add(ContentProviderOperation.newUpdate(ContactsContract.Data.CONTENT_URI)
                    .withSelection(where, params)
                    .withValue(ContactsContract.CommonDataKinds.Phone.DATA, phone)
                    .build());

Notice the .withSelection(where, params). The where and params look like this:

        String where = ContactsContract.Data.DISPLAY_NAME + " = ? AND " +
                        ContactsContract.Data.MIMETYPE + " = ? AND " +
                        String.valueOf(ContactsContract.CommonDataKinds.Phone.TYPE) + " = ? ";
       
String[] params = new String[] {name,
                  ContactsContract.CommonDataKinds.Phone.CONTENT_ITEM_TYPE,
                  String.valueOf(ContactsContract.CommonDataKinds.Phone.TYPE_HOME)};

Delete too is done in a very similar manner with no values but only the selection criteria is provided for which contact to be deleted.

      ContentResolver cr = getContentResolver();
      String where = ContactsContract.Data.DISPLAY_NAME + " = ? ";
      String[] params = new String[] {name};
   
        ArrayList<ContentProviderOperation> ops = new ArrayList<ContentProviderOperation>();
        ops.add(ContentProviderOperation.newDelete(ContactsContract.RawContacts.CONTENT_URI)
              .withSelection(where, params)
              .build());
        try {
                  cr.applyBatch(ContactsContract.AUTHORITY, ops);
            } catch (RemoteException e) {
….


I really scouted the internet a lot to find a comprehensive tutorial on the new Contacts Content Provider API but could not find anything that easily. Hope this helps all who of you who are looking for the same.

NOTE: Many have been asking me questions on why the contacts that have just been added through this app are not visible in the phone contacts. All your contacts on phone are linked to your google account on the phone. However, the contacts from the above code have got added to psuedo google account and hence will not be visible directly. You search for the just added contact and you will be able to find it.


Hope this helps.

83 comments:

  1. Hi, this seems to be just what it is I need for my current task. However, the part I need to see is the code for creating a contact. I have downloaded the source code from your link, but I am unable to open the .zip archive. Can you re-post, or send directly?

    ReplyDelete
  2. Hi Ken,

    I have uploaded the source code once again. Please try and let me know if you still have a problem.

    - Sai

    ReplyDelete
  3. thanks ... its very informative

    ReplyDelete
  4. It looks like the server is down and I can not download the source code.
    android apps

    ReplyDelete
  5. Dear Geetha,
    Thanks a lot for this great blog. I got lots of details about Android basics.

    Dear followers,
    Any one looking for Android development job at Chennai. You can contact me at
    Hemanand16@gmail.com

    ReplyDelete
  6. Hi,
    This is very useful.
    I want to use same as Android Default Contact list.
    So how to use it?

    I know I need to use Expandable list view bt need more guidance..

    ReplyDelete
  7. Hi saigeetha,
    i tried to executed your your code.Its working without any error.But after createContact method i opened the android's contacts application.The contact i added using createContact is not there.when i click display contacts, it is displaying.Actually what is the problem?

    ReplyDelete
  8. Hi
    Geetha you are code is working fine.According to my requirement. I should to get all contacts from android contacts(firstname,lastname,email,phone,company).When I click on the contact,the menu should appear with
    1 make a call
    2.send email.
    3.send sms.

    Could u please send me the source code

    Regards
    Sanjeev.
    email:sanjeev9114@gmail.com

    ReplyDelete
    Replies
    1. You are such a funny person Sanjeeev

      Delete
  9. Hi, I have the same problem as sarath. It looks like it's working fine but isn't showing in my Contacts on the phone (or in my gmail account). I get the uris back from:
    ContentProviderResult[] results = getContentResolver().applyBatch(ContactsContract.AUTHORITY, ops);

    Any ideas?

    Thanks for the reference.

    ReplyDelete
  10. i too have the same issue as sarath and julius.. i need help

    ReplyDelete
  11. This comment has been removed by the author.

    ReplyDelete
  12. Hi Sai Geetha,
    Can you please post content for sending E-mails from android devices.

    ReplyDelete
  13. And on Maintaining Session data .

    ReplyDelete
  14. i just wanted to say thanks alot for this great effort

    ReplyDelete
  15. This is really very helpful. I am going to start new project where i have to implement this API. Thank you very much.

    ReplyDelete
  16. Hi Sai,
    Sorry, it took me a while to get back to this issue. I tried downloading again today, but still no luck. I get a 606 byte .zip file which my version of WinZip (12.1) says is an invalid archive. Would it be possible to email the source files?

    Thanks,

    - Ken

    ReplyDelete
  17. Hi Sharath, Julius and balaji,

    The contacts have got added to psuedo google account and hence will not be visible directly. you search for the just added contact and you will be able to find it.
    Hope this helps.

    ReplyDelete
    Replies
    1. I think you mixed up account type and account name. I tried it with

      account type = com.google
      account name = my@account.xx

      And I can see it in the contacts app without a problem.

      Delete
  18. Hi Ken,
    Have you tried downloading from http://www.saigeetha.co.in/home/android-tutorial-code-for-download/NewContentProviderSample2.2.zip?attredirects=0&d=1

    If you are still unable to download and unzip successfully, please pass on your email id and I can pass the source code to you

    ReplyDelete
    Replies
    1. please send a copy here too - adorable.anshul@gmail.com. I can't open it too. Thanks in advance.

      Delete
  19. HI Geetha this is Madhav & im absolutely a fresher & looking for Android development.Pls help me.

    Regards
    Madhav

    ReplyDelete
  20. HI Sai Geetha,
    In the simulator while the loader is runing mean while i changed the rotation at that time my application crashing out. wwhat i need do without crashing.please reply as soon as possible with following mail id pavankumar.rebba@gmail.com
    Thanks
    pavan R

    ReplyDelete
  21. Hi Geetha,

    I am running this sample on my phone. There are 3 contacts that have HAS_PHONE_NUMBER >0 but they don't have records in phone content uri. These contacts also have phone numbers, and I can see those numbers when I go to phone dialer. But these contacts are not visible on People application.

    Can you please explain how it is possible. ?

    ReplyDelete
  22. hi Sai Geetha, well done doing well, God bless you. This is satnam singh from chandigarh(punjab). Working on applications like console, window, web, mobile, RIA, web services in java. As you written "Knowledge Grows When Shared!" its true. So i want to start technical discussions with you if possible. Plz reply ssubhi_2003@yahoo.com

    ReplyDelete
  23. mam i dont know corejava knowedge
    imoportant tops give me more suggestion mam

    ReplyDelete
  24. hiii mam "how to create a hexagonal shape clock in android" plz reply me( with code)

    ReplyDelete
  25. mam i know little bit corejava knowledge....
    plz tel me the most important topics for android

    ReplyDelete
  26. Hi Geetha, thanks for ur blog

    ReplyDelete
  27. hi, this works great but when you have synced contacts from Facebook, i am not getting the contact numbers (which comes frm facebook) while i get the email and other stuff. Does it get stored some where else or am i missing something???

    ReplyDelete
  28. Hey Geetha,
    Great conversation about the topic you discussed here.I really had great time on reading your blog since it has amazing information.

    ReplyDelete
  29. hi mam,
    I could not not download the source code.would you mind sending the source code to my mail.balakrishna_225@yahoo.co.in

    ReplyDelete
    Replies
    1. Hi,

      i am geeting stuck with my android app.

      I am new to Java.

      I need help.
      contact me on pkunuma@gmail.com

      Delete
  30. If you contact is invisible replace this

    .withValue(ContactsContract.RawContacts.ACCOUNT_TYPE, "accountname@gmail.com")
    .withValue(ContactsContract.RawContacts.ACCOUNT_NAME, "com.google")
    .build());

    WITH

    .withValue(ContactsContract.RawContacts.ACCOUNT_TYPE, null)
    .withValue(ContactsContract.RawContacts.ACCOUNT_NAME, null)
    .build());

    ReplyDelete
  31. Hi,

    thank u very much for maintaining this blog, it is very useful to all.I suggested one thing that can you maintain android basics briefly in this blog.

    It will useful for freshers.

    ReplyDelete
  32. Great stuff you have here and nice post. Whatever is being written here is certainly a big help.

    ReplyDelete
  33. This is one of the most incredible blogs Ive read in a very long time. The amount of information in here is stunning, like you practically wrote the book on the subject. Your blog is great for anyone who wants to understand this subject more.

    ReplyDelete
  34. thanks mam ur blog is so helpful for all android devlopers...
    actually i want to insert image which are in sd card with contact detalis and i want to display it when i m clicking in view profile.so can u pls help me for this....thankyou so much

    ReplyDelete
  35. hello mam in ur application update code is not working properly means in update only toast is generated but the new value is not insertes in the place of old value.. so can u pls help me for this ..thanks in advance

    ReplyDelete
  36. I am very much impressed from your post.It has amazing information.I learned lot of new things which explores my knowledge in various developments.So i must appreciate your efforts on posting these information.

    ReplyDelete
  37. Hi Geetha,

    I was able to test your code on HTC Sensation device. It crashed when I ran the code / .apk as is on device. I am using Android 4.0.

    I commented the code:

    if (cur.getCount() > 0)
    {
    while (cur.moveToNext())
    {
    String existName = cur.getString(cur.getColumnIndex(ContactsContract.Contacts.DISPLAY_NAME));
    if (existName.contains(contactName))
    {
    Toast.makeText(DatabaseActivity.this,"The contact name: " + contactName + " already exists", Toast.LENGTH_SHORT).show();
    return;
    }
    }
    }

    After that, I noticed that contact was getting successfully added to phone contact list. I was able to view the contact.

    However, the problem is: I cannot delete the contact from the phone at all!! How do we allow user to delete contact?

    BR,

    ReplyDelete
  38. It was not working in the emulator but not working in phone (update),and one thing the Contact from your app is not visible in the inbuilt contacts of Phone and Emulator both.Can you please give solution for this ,my phone is Samsung Galaxy Fit.

    ReplyDelete
  39. hi,

    this was very helpful, thank u

    ReplyDelete
  40. hai geetha ,this is naveen ,small doubt in android , how to set the segmentcontrol in android plz send the sourecode......this is my emailid. methukunaveen@gmail.com

    ReplyDelete
  41. Hey, Thanks a lot, I am 15 years old developing Android Apps, This code helped me a lot, Thanks.

    ReplyDelete
  42. How can I show contacts in Contacts/people instead of psuedo google account?

    ReplyDelete
  43. hi sai,

    i have created 2 contacts in emulator and when i tried to display these contacts i am getting following error


    02-07 16:18:42.397: E/AndroidRuntime(573): FATAL EXCEPTION: main
    02-07 16:18:42.397: E/AndroidRuntime(573): android.database.CursorIndexOutOfBoundsException: Index -1 requested, with a size of 2
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.database.AbstractCursor.checkPosition(AbstractCursor.java:580)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.database.AbstractWindowedCursor.checkPosition(AbstractWindowedCursor.java:214)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.database.AbstractWindowedCursor.getString(AbstractWindowedCursor.java:41)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.database.CursorWrapper.getString(CursorWrapper.java:135)
    02-07 16:18:42.397: E/AndroidRuntime(573): at com.H3Innovations.MyBuddy.TestMenu.viewContact(TestMenu.java:67)
    02-07 16:18:42.397: E/AndroidRuntime(573): at com.H3Innovations.MyBuddy.TestMenu.onClick(TestMenu.java:47)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.view.View.performClick(View.java:2408)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.view.View$PerformClick.run(View.java:8816)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.os.Handler.handleCallback(Handler.java:587)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.os.Handler.dispatchMessage(Handler.java:92)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.os.Looper.loop(Looper.java:123)
    02-07 16:18:42.397: E/AndroidRuntime(573): at android.app.ActivityThread.main(ActivityThread.java:4627)
    02-07 16:18:42.397: E/AndroidRuntime(573): at java.lang.reflect.Method.invokeNative(Native Method)
    02-07 16:18:42.397: E/AndroidRuntime(573): at java.lang.reflect.Method.invoke(Method.java:521)
    02-07 16:18:42.397: E/AndroidRuntime(573): at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:868)
    02-07 16:18:42.397: E/AndroidRuntime(573): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:626)
    02-07 16:18:42.397: E/AndroidRuntime(573): at dalvik.system.NativeStart.main(Native Method)

    ReplyDelete
  44. Hello mam, thnks for sharing...
    Using this I can see all contacts but I can not add new contact....if I click on new contact and check my phonebook list then it is not added to list of contacts, but nw If I press view contact again then I can get that value in toast..means using add contact methos it is storing new contact somewhere..but could not show to list of contact....so what could be proper solution for tht??

    ReplyDelete
  45. Hello Mam
    if i want to show them in default android contact list then what to do?
    Thanks in advance

    ReplyDelete
  46. Thanks a log Sai Geetha.

    To Others: Ask for 'how to do', but don't ask the source code. Behave being a developer, live being a developer.

    ReplyDelete
  47. Hi Geetha,

    How can i have a contact list of Gmail not PHONE ?

    Thanks
    Jigar

    ReplyDelete
  48. Thanks mam..... You solved my big big big problem.... Thank You Very Much.....

    ReplyDelete
  49. HI
    Contacts API 2.0 and above | Android Developer Tutorial
    Great post! and incredible blog ! Very helpful post! I must say. Simple & interesting. Wonderful work!
    thank you!

    ReplyDelete
  50. hi
    how to make default in another activity when a contact is clicked to send sms or dial.please provide me a solution..mail id suhasvm@gmail.com

    ReplyDelete
  51. hi sai geetha,

    if i add a contact it is adding it to the google contact ? is it possible to add to local device? or is there anything like prompt window asking the user to select the type of storage (keep local or Add account)as in google Android API.

    thanks in advance !!

    ReplyDelete
  52. hi
    i am using a search option in my application so using this option i need search whole application keywords and when i selected a key word i need to display all the details related to that keyword .like registered in database user name sai (keyword) then i need details of the sai like first name last name and contact no.from db

    ReplyDelete
  53. Quick question Sai, is there a better way to obtain the user's newly created record id (CONTACT_ID), rather than having to do a content resolver query with selection + selectionArgs?

    ReplyDelete
  54. Using this I can see all contacts but I can not add new contact....if I click on new contact and check my phonebook list then it is not added to list of contacts, but nw If I press view contact again then I can get that value in toast..means using add contact methos it is storing new contact somewhere..but could not show to list of contact....so what could be proper solution for tht??

    ReplyDelete
  55. Hi, At Professional Android Application Development, Our Team Specializes In Google Android App Development For Android Based Phones And Tablets. We Work Ultra-Fast And Deliver High Quality Apps For Android.


    professional android Application Development

    ReplyDelete
  56. hi geetha,
    code is nice...but have a query...display contacts method shows all contact details in toast...but how to add all in array list?? can u show me the code??
    mail at: shatrunjay.doshi@gmail.com

    regards,
    shatrunjay(India)

    ReplyDelete
  57. Hi, excellent your tutorial, I have a question: How can I do a query from an specific name, for example I want to know the phone number and the email from user "Michael", is that possible.
    Thanks

    ReplyDelete
  58. The content on your website never confuses me
    android news

    ReplyDelete
  59. hi this one is amazing...........

    ReplyDelete
  60. I can't download the source code? Can you please check it? Thanks....

    ReplyDelete
  61. Thanks lot, its very very useful post.

    ReplyDelete
  62. Nice work!!!
    Android e-mails Sending Client : Simple exemple for free:

    http://free-to-download-resources.blogspot.com/2013/06/android-gmails-sending-client-simple.html

    ReplyDelete
  63. Thank you so much :)

    ReplyDelete
  64. hi geetha,

    I was trying to do something similar but I have run into some problem. I want to save the birthday and anniversary date for the contact but I am unable to do so. Please check this http://stackoverflow.com/questions/17647372/unable-to-update-the-birthday-date-for-a-contact-in-android and let me know what is wrong.

    ReplyDelete
  65. Very informative, Thanks for sharing. Just read about a new android email API from Aspose by the name of Aspose.Email for Android. Here is the link: http://www.aspose.com/android/email-component.aspx It provides tools to create, read & convert Outlook MSG, PST, EML, EMLX, OST & MHT file formats. It creates & save appointments in draft format, extract & save calendar items from a PST, add Mapi Items such as Messages, Contacts, Notes, Journals & Tasks to a PST. I am sure it will be very useful for the users.

    ReplyDelete
  66. how to update contact name?

    ReplyDelete
  67. Hi Geetha,
    How can i find if any contact is edited deleted or added in android.
    If any of the event occurs on contacts i want to find that which is that contact.

    ReplyDelete
  68. Hi Geetha,

    You have mixed up account name and account type

    ACCOUNT_NAME->accountname@gmail.com
    ACCOUNT_TYPE->com.google

    ReplyDelete
  69. When is the need to create a new account type for Contacts. If we observer Whatsapp and Viber both create their own account types in contacts. What is the need to do so?

    ReplyDelete
  70. Great posts, appreciate the hard work... very helpful in my understanding of contacts tables, columns etc.

    ReplyDelete
  71. How to retrieve all contact details like Name,Email,Phone No,Address,ProfilePic[ContactsContract.Contacts] in a single query in Cursor Loader. I had tried various methods involving multiple queries.

    ReplyDelete
  72. Hi mam,
    Great tutorial it helped me.I run the code as it is but the contacts are repeating twice some contacts thrice.please help me.

    ReplyDelete
  73. Why not make the first selection query for CONTENT_URI with selection:
    ContactsContract.Contacts.HAS_PHONE_NUMBER + " > 0"
    instead of checking this field in Cursor?

    ReplyDelete