Подтвердить что ты не робот

Как обновить уведомление с помощью RemoteView?

Я создаю уведомление с RemoteViews из пользовательской Службы, которая работает с уведомлением в режиме переднего плана (то есть служба будет оставаться активной, пока уведомление будет видимым для пользователя). Уведомление установлено как "Постоянно", поэтому пользователь не может его отключить.

Я хотел бы изменить, например, растровое изображение, показанное в ImageView, содержащееся в макете удаленного представления или изменить текстовое значение в TextView. Макет в удаленном представлении устанавливается с помощью файла макета xml.

Моя проблема в том, что после того, как уведомление создано и видимо для пользователя, если я вызываю любую из RemoteViews функций типа setImageViewResource для изменения растрового изображения, показанного в ImageView, изменение не отображается, если только после того, как я вызываю setImageViewResource Я вызываю потом:

NotificationManager.notify( id, notification );

или

Service.startForeground(id,notification);

Это звучит не так, как надо. Не могу поверить, что для обновления пользовательского интерфейса RemoteViews в уже созданном уведомлении мне нужно повторно инициализировать уведомление. Если в уведомлении есть элемент управления Button, он обновляется при нажатии и отпускании. Поэтому должен быть способ сделать это правильно, но я не знаю, как это сделать.

Вот мой код, который создает уведомление внутри моего экземпляра Service:

this.notiRemoteViews = new MyRemoteViews(this,this.getApplicationContext().getPackageName(),R.layout.activity_noti1);

Notification.Builder notibuilder = new Notification.Builder(this.getApplicationContext());
notibuilder.setContentTitle("Test");
notibuilder.setContentText("test");
notibuilder.setSmallIcon(R.drawable.icon2);
notibuilder.setOngoing(true);

this.manager = (NotificationManager)this.getSystemService(Context.NOTIFICATION_SERVICE);
this.noti = notibuilder.build();
this.noti.contentView = this.notiRemoteViews;
this.noti.bigContentView = this.notiRemoteViews;
this.startForeground(NOTIFICATION_ID, this.noti);

И функция, которая "заставляет" пользовательский интерфейс изменяться на уведомление:

public void updateNotiUI(){
    this.startForeground(NOTIFICATION_ID, this.noti);
}

В классе MyRemoteViews, когда это необходимо, я делаю это, чтобы вносить изменения в интерфейс:

this.setImageViewResource(R.id.iconOFF, R.drawable.icon_off2);
this.ptMyService.updateNotiUI();

Может ли кто-нибудь сказать мне, что является правильным способом обновления компонентов пользовательского интерфейса RemoteViews в уведомлении?

4b9b3361

Ответ 1

Здесь приведен пример подробного обновления уведомления с помощью RemoteViews:

private static final int NOTIF_ID = 1234;
private NotificationCompat.Builder mBuilder;
private NotificationManager mNotificationManager;
private RemoteViews mRemoteViews;
private Notification mNotification;
...

// call this method to setup notification for the first time
private void setUpNotification(){

    mNotificationManager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);

    // we need to build a basic notification first, then update it
    Intent intentNotif = new Intent(this, MainActivity.class);
    intentNotif.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_SINGLE_TOP);
    PendingIntent pendIntent = PendingIntent.getActivity(this, 0, intentNotif, PendingIntent.FLAG_UPDATE_CURRENT);

    // notification layout
    mRemoteViews = new RemoteViews(getPackageName(), R.layout.custom_notification_small);
    // notification icon
    mRemoteViews.setImageViewResource(R.id.notif_icon, R.drawable.ic_launcher);
    // notification title
    mRemoteViews.setTextViewText(R.id.notif_title, getResources().getString(R.string.app_name));
    // notification content
    mRemoteViews.setTextViewText(R.id.notif_content, getResources().getString(R.string.content_text));

    mBuilder = new NotificationCompat.Builder(this);

    CharSequence ticker = getResources().getString(R.string.ticker_text);
    int apiVersion = Build.VERSION.SDK_INT;

    if (apiVersion < VERSION_CODES.HONEYCOMB) {
        mNotification = new Notification(R.drawable.ic_launcher, ticker, System.currentTimeMillis());
        mNotification.contentView = mRemoteViews;
        mNotification.contentIntent = pendIntent;

        mNotification.flags |= Notification.FLAG_NO_CLEAR; //Do not clear the notification
        mNotification.defaults |= Notification.DEFAULT_LIGHTS;

        // starting service with notification in foreground mode
        startForeground(NOTIF_ID, mNotification);

    }else if (apiVersion >= VERSION_CODES.HONEYCOMB) {
        mBuilder.setSmallIcon(R.drawable.ic_launcher)
                .setAutoCancel(false)
                .setOngoing(true)
                .setContentIntent(pendIntent)
                .setContent(mRemoteViews)
                .setTicker(ticker);

        // starting service with notification in foreground mode
        startForeground(NOTIF_ID, mBuilder.build());
    }
}

// use this method to update the Notification UI
private void updateNotification(){

    int api = Build.VERSION.SDK_INT;
    // update the icon
    mRemoteViews.setImageViewResource(R.id.notif_icon, R.drawable.icon_off2);
    // update the title
    mRemoteViews.setTextViewText(R.id.notif_title, getResources().getString(R.string.new_title));
    // update the content
    mRemoteViews.setTextViewText(R.id.notif_content, getResources().getString(R.string.new_content_text));

    // update the notification
    if (api < VERSION_CODES.HONEYCOMB) {
        mNotificationManager.notify(NOTIF_ID, mNotification);
    }else if (api >= VERSION_CODES.HONEYCOMB) {
        mNotificationManager.notify(NOTIF_ID, mBuilder.build());
    }
}

Макет для уведомления, т.е. res/layout/custom_notification_small.xml:

<!-- We have to set the height to 64dp, this is the rule of the small notification -->
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="64dp"
    android:orientation="horizontal"
    android:id="@+id/notif_small"
    android:background="@drawable/notification_background">

    <ImageView
        android:id="@+id/notif_icon"
        android:contentDescription="@string/notif_small_desc"
        android:layout_width="47dp"
        android:layout_height="wrap_content"
        android:layout_centerVertical="true"
        android:layout_alignParentLeft="true"
        android:src="@drawable/ic_launcher"
        android:layout_marginLeft="7dp"
        android:layout_marginRight="9dp"/>

    <TextView
        android:id="@+id/notif_title"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_toRightOf="@id/notif_icon"
        android:singleLine="true"
        android:paddingTop="8dp"
        android:textSize="17sp"
        android:textStyle="bold"
        android:textColor="#000000"
        android:text="@string/app_name"/>

    <TextView
        android:id="@+id/notif_content"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_toRightOf="@id/notif_icon"
        android:paddingBottom="9dp"
        android:layout_alignParentBottom="true"
        android:singleLine="true"
        android:textSize="13sp"
        android:textColor="#575757"
        android:text="Content" />
</RelativeLayout>

Надеюсь, этот пример вам поможет!

ПРИМЕЧАНИЕ. Вы не можете обновить пользовательский NotificationCompat на pre-Honeycomb, поэтому я добавил альтернативный способ его обновления на pre-Honeycomb, то есть сначала проверить уровень API и использовать устаревший Notification.

Ответ 2

Вам нужно будет позвонить NotificationManager.notify(id, notification), чтобы система уведомлений узнала, что вы хотите обновить уведомление. Здесь docs ссылку http://developer.android.com/training/notify-user/managing.html.

Имейте метод, который возвращает объект уведомления.

private Notification getNotification(NotificationCompat.Builder mBuilder) {
    RemoteViews mRemoteViews = new RemoteViews(getPackageName(), R.layout.notification_layout);
    // Update your RemoteViews
    mBuilder.setContent(mRemoteView);
    Notification mNotification = mBuilder.build();
    // set mNotification.bigContentView if you want to
    return mNotification;

}

private void refreshNotification() {
    mNotificationManager.notify(getNotification(mNotificationBuilder),
                        NOTIFICATION_ID);
    // mNotificationBuilder is initialized already
}

Также обратите внимание, что bigContentView и RemoteViews не полностью перерисовываются. Если некоторые элементы bigContentView имеют видимость, установленную на GONE, и если вы хотите показать ее в следующий раз, вы должны явно установить видимость на VISIBLE.

Ответ 3

Не хранить объект уведомления, а объект Notification.Builder. Каждый раз создавайте новое уведомление, прежде чем нажимать его на

NotificationManager.notify(id, уведомление);