NotificationListenerService and kitkat

Android 4.3 (API 18) introduced NotificationListenerService.
I published a post about it a few months ago.

Android 4.4 (API 19) added new features, and now we can have a lot of extra info about a notification (before we need to use reflection to read some info).

As in 4.3,to use the NotificationListenerService we have to extend the NotificationListenerService and implement onNotificationPosted() and onNotificationRemoved() methods
public class SimpleKitkatNotificationListener extends NotificationListenerService {

        @Override
        public void onNotificationPosted(StatusBarNotification sbn) {
              //..............
        }

        @Override
        public void onNotificationRemoved(StatusBarNotification sbn) {
              //.............. 
        }
}
Then we must declare the service in the manifest file with the BIND_NOTIFICATION_LISTENER_SERVICE permission and include an intent filter with the SERVICE_INTERFACE action

 <service
      android:name="it.gmariotti.android.examples.
            notificationlistener.SimpleKitkatNotificationListener"
      android:label="@string/service_name"
      android:debuggable="true"
      android:permission="android.permission.BIND_NOTIFICATION_LISTENER_SERVICE" >
      <intent-filter>
           <action android:name="android.service.
                 notification.NotificationListenerService" />
      </intent-filter>

 </service>
Finally user must enable the service. Without this authorization it doesn't work!
You can find it in "Settings" -> "Security" -> "Notification access".
You should provide an Intent to help your users :
    Intent intent = new Intent("android.settings.ACTION_NOTIFICATION_LISTENER_SETTINGS");
    startActivity(intent);
Android 4.4 introduced a new Notification.extras field which includes a Bundle with additional metadata.
It is very easy to use:
   Notification mNotification=sbn.getNotification();
   Bundle extras = mNotification.extras;
This Bundle can contain a lot of info. You can find the keys in Notification class. Some of these are:
   /**
     * {@link #extras} key: this is the title of the notification,
     * as supplied to {@link Builder#setContentTitle(CharSequence)}.
     */
    public static final String EXTRA_TITLE = "android.title";

    /**
     * {@link #extras} key: this is the main text payload, as supplied to
     * {@link Builder#setContentText(CharSequence)}.
     */
    public static final String EXTRA_TEXT = "android.text";

    /**
     * {@link #extras} key: this is a third line of text, as supplied to
     * {@link Builder#setSubText(CharSequence)}.
     */
    public static final String EXTRA_SUB_TEXT = "android.subText";

    /**
     * {@link #extras} key: this is a bitmap to be used instead of the small icon when showing the
     * notification payload, as
     * supplied to {@link Builder#setLargeIcon(android.graphics.Bitmap)}.
     */
    public static final String EXTRA_LARGE_ICON = "android.largeIcon";

I tried with a Hangouts Message:

Bundle[
     {android.title=Gabriele Mariotti, 
      android.subText=null, 
      android.showChronometer=false, 
      android.icon=2130838949, 
      android.text=Send a message with Hangouts,
      android.progress=0, 
      android.progressMax=0, 
      android.showWhen=true, 
      android.largeIcon=android.graphics.Bitmap@42075010, 
      android.infoText=null, 
      android.progressIndeterminate=false, 
      android.scoreModified=false}]

You can easily get these data.
     String notificationTitle = extras.getString(Notification.EXTRA_TITLE);
     int notificationIcon = extras.getInt(Notification.EXTRA_SMALL_ICON);
     Bitmap notificationLargeIcon = 
                  ((Bitmap) extras.getParcelable(Notification.EXTRA_LARGE_ICON));
     CharSequence notificationText = extras.getCharSequence(Notification.EXTRA_TEXT);
     CharSequence notificationSubText = extras.getCharSequence(Notification.EXTRA_SUB_TEXT);
Also you can display them... and yes, you can get also the BigPicture (if exists).



I tried with an email:

Bundle[
     {android.title=Gabriele Mariotti,
      android.subText=email@xxxx.com, 
      android.showChronometer=false, 
      android.icon=2130837697, 
      android.text=A simple subject \n A simple text, 
      android.progress=0,
      android.progressMax=0,
      android.showWhen=true,
      android.largeIcon=android.graphics.Bitmap@4208ba28,
      android.infoText=null,
      android.progressIndeterminate=false,
      android.scoreModified=false}
]

In this way you can have a lot of info which required a reflection in 4.3.
It is time to update the apps which use a Notification Listener.

Here the code:
public class SimpleKitkatNotificationListener extends NotificationListenerService {

    @Override
    public void onNotificationPosted(StatusBarNotification sbn) {
        Notification mNotification=sbn.getNotification();
        if (mNotification!=null){
            Bundle extras = mNotification.extras;

            Intent intent = new Intent(MainActivity.INTENT_ACTION_NOTIFICATION);
            intent.putExtras(mNotification.extras);
            sendBroadcast(intent);

        }
    }

    @Override
    public void onNotificationRemoved(StatusBarNotification sbn) {

    }
}
public class MainActivity extends Activity {

    protected MyReceiver mReceiver = new MyReceiver();
    public static String INTENT_ACTION_NOTIFICATION = "it.gmariotti.notification";

    protected TextView title;
    protected TextView text;
    protected TextView subtext;
    protected ImageView largeIcon;

    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        //Retrieve ui elements
        title = (TextView) findViewById(R.id.nt_title);
        text = (TextView) findViewById(R.id.nt_text);
        subtext = (TextView) findViewById(R.id.nt_subtext);
        largeIcon = (ImageView) findViewById(R.id.nt_largeicon);

    }

    @Override
    public boolean onCreateOptionsMenu(Menu menu) {
        MenuInflater inflater = getMenuInflater();
        inflater.inflate(R.menu.main, menu);
        return super.onCreateOptionsMenu(menu);
    }

    @Override
    public boolean onOptionsItemSelected(MenuItem item) {
        switch (item.getItemId()) {
            case R.id.action_autorize:
                Intent intent = new Intent
                ("android.settings.ACTION_NOTIFICATION_LISTENER_SETTINGS");
                startActivity(intent);
                return true;
        }
        return super.onOptionsItemSelected(item);
    }

    @Override
    protected void onResume() {
        super.onResume();
        if (mReceiver == null) mReceiver = new MyReceiver();
        registerReceiver(mReceiver, new IntentFilter(INTENT_ACTION_NOTIFICATION));
    }

    @Override
    protected void onPause() {
        super.onPause();
        unregisterReceiver(mReceiver);
    }

    public class MyReceiver extends BroadcastReceiver {

        @Override
        public void onReceive(Context context, Intent intent) {

            if (intent != null) {
                Bundle extras = intent.getExtras();
                String notificationTitle = 
                          extras.getString(Notification.EXTRA_TITLE);
                Bitmap notificationLargeIcon =
                          ((Bitmap) extras.getParcelable(Notification.EXTRA_LARGE_ICON));
                CharSequence notificationText = 
                          extras.getCharSequence(Notification.EXTRA_TEXT);
                CharSequence notificationSubText = 
                          extras.getCharSequence(Notification.EXTRA_SUB_TEXT);

                title.setText(notificationTitle);
                text.setText(notificationText);
                subtext.setText(notificationSubText);

                if (notificationLargeIcon != null) {
                    largeIcon.setImageBitmap(notificationLargeIcon);
                }
            }

        }
    }
}

You can get code from GitHub:

Comments

  1. Users can stream the best online movies and shows via streaming.www.amazon.com/mytvAccount. If a user does not have an account they will need to create one and complete the activation process. All users are advised to read this information regarding how to activate and create an account on www.amazon.com/mytv.
    amazon.com/mytv
    amazon.com/mytv
    amazon.com/code
    primevideo/mytv

    ReplyDelete
  2. Stunning site! Do you have any accommodating clues for trying essayists? I’m wanting to begin my own site soon yet I’m somewhat lost on everything. Would you prompt beginning with a free stage like or buy finance assignment online go for a paid alternative? There are such a large number of alternatives out there that I’m totally overpowered .. Any thoughts? Welcome it!

    ReplyDelete
  3. I got a chance to visit ldninjas.com and found some useful shortcodes.

    ReplyDelete
  4. Thanks for such wonderful blog that looks pretty different, I would suggest you please make a proper plan for your blog and start professional blogging as a career, One day you would be smart enough to earn dissertation assistance companies some money, wishing you a best of luck my friend, Thanks a lot for your nice support and love.

    ReplyDelete
  5. I will always let you and your words become part of my day because you never know how much you make my day happier and more complete. There are even times when I feel so down but I will feel better assignment help expert right after checking your blogs. You have made me feel so good about myself all the time and please know that I do appreciate everything that you have

    ReplyDelete
  6. Good day! This post couldn’t be written any better! Reading this post reminds me of my good old room mate! assignment crux uk He always kept talking about this. I will forward this page to him. Pretty sure he will have a good read. Thank you for sharing!

    ReplyDelete
  7. It is good to hear that your store is now expanding to new locations. I have been a patron of Fantastic Eyes because of all the wonderful work that you guys do. I hope that this expansion move of help with essay helper yours will turn out to be successful. I will definitely go and see this new store of yours

    ReplyDelete
  8. Amazing knowledge and I like to share this kind of information with my friends and hope they like it they why I do.. 온라인카지노

    ReplyDelete
  9. I must appreciate the blogger. This is the most useful blog for everyone.Thanks for sharing.
    토토사이트

    ReplyDelete
  10. Perfect piece of work you have done, this web site is really cool with wonderful info. 경마

    ReplyDelete
  11. I really like your writing so so much! percentage we keep in touch more about your post on AOL? I require a specialist in this house to solve my problem. May be that is you! Having a look ahead to peer you. 온라인카지노

    ReplyDelete
  12. I’m usually to blogging and i actually appreciate your content. The article has genuinely peaks my interest. I’m going to bookmark your web removable hood men motorcycle brown leather jacket page and maintain checking for new details. I am looking for some good blog sites for studying.

    ReplyDelete
  13. I have read it completely and got really impressed. Love to read more about similar types of articles. Thanks a lot!!

    ReplyDelete
  14. The notification listener provides access to a user's notifications. Smartwatches and other wearables can use the notification listener to send the phone's notifications.

    ReplyDelete
  15. A notification listener is used to process notification messages sent by a notifies that uses the messaging driver.

    ReplyDelete
  16. Excellent post it is very inspiring and informative god favourite idiot amily luck trench coat content good work keep it up

    ReplyDelete

  17. I’m definitely loving the information.
    I’m book-marking and will be tweeting this to my followers!
    온라인카지노

    This is very interesting, You’re a very skilled blogger
    검증카지노

    ReplyDelete
  18. Here are the expert recipes for the food. From which you can make delicious chicken karahi and tasty food. These are easy recipes to make and especially in a very short time.

    ReplyDelete
  19. Such an informative and detailed blog. Allow us to serve you with our best services of all time, Cryptocurrency Assignment Help.This assignment is going to help you by providing in-depth research on investment of cryptocurrency. Futhur our assignments are absolutely customizable.

    ReplyDelete
  20. Top 10 Free Movie Websites: Your Gateway to Endless Entertainment, movie enthusiasts have an array of options to quench their thirst for entertainment. With the rise of free movie websites, the barriers to accessing quality content have significantly lowered. These platforms provide a treasure trove of films from various genres, eras, and languages, catering to diverse tastes. From classic masterpieces to the latest blockbusters, these top 10 free movie websites open the doors to an unparalleled cinematic experience without requiring any subscription fees. Let's delve into these platforms that offer endless entertainment right at your fingertips.

    ReplyDelete
  21. Witness the integration of traditional wisdom with modern research, ensuring that every healing practice is grounded in credibility and efficacy.

    pranic healing

    ReplyDelete

Post a Comment

Popular posts from this blog

How to centralize the support libraries dependencies in gradle

AntiPattern: freezing a UI with Broadcast Receiver