Android: намерение передается активности с помощью уведомлений ...... я не получаю нужные дополнения в намерениях - PullRequest
2 голосов
/ 21 ноября 2011

Привет, я столкнулся с этой проблемой.У меня есть приложение с двумя действиями: -Деятельность A (Основное действие), показывающее список автомобилей. -Если вы щелкаете по списку элементов, начинается действие «Б» с указанием сведений об автомобиле.

Из действия В можно загрузитьинформация, связанная с этим автомобилем, запускается служба C, отвечающая за загрузку, и уведомление добавляется в панель уведомлений.Если вы щелкнете по уведомлению, вы должны увидеть действие B с подробными сведениями об этом конкретном автомобиле.

Моя проблема заключается в следующем: действие B получает намерение с этим дополнительным: carID Так что в onCreate оно читает это дополнительное испросите в БД детали этого конкретного автомобиля.Когда я звоню из Б в Деятельности А, все работает нормально.Но когда я вызываю активность B из панели уведомлений, это не так.Здесь всегда подробно рассказывают о первой машине, которую я выбрал.Так, например, я загружаю сведения о Ferrari, а затем сведения о Lamborghini ....

В моем уведомлении я вижу 2 уведомления, но оба они открывают действие B, отображающее сведения о Ferrari.

ЭтоВот как я создаю уведомления внутри Сервиса C:

int icon = icona;  
CharSequence tickerText = message;              
long when = System.currentTimeMillis();         
Context context = getApplicationContext();      
CharSequence contentTitle = message;  
CharSequence contentText = appName;      
Intent notificationIntent;
notificationIntent = new Intent(this, ActivityB.class);
notificationIntent.putExtra("carId", carId);
PendingIntent contentIntent = PendingIntent.getActivity(this, 0, notificationIntent,     PendingIntent.FLAG_UPDATE_CURRENT);
Notification notification = new Notification(icon, tickerText, when);
notification.setLatestEventInfo(context, contentTitle, contentText, contentIntent);
String ns = Context.NOTIFICATION_SERVICE;
NotificationManager mNotificationManager = (NotificationManager) getSystemService(ns);
mNotificationManager.notify(NOT_ID, notification);

, и вот как я получаю намерение в Деятельности B:

Intent myIntent = getIntent(); 
appId = myIntent.getIntExtra("carId", 0);

В начале я не получил ни одногонамерение вообще из уведомления ..... тогда я добавил PendingIntent.FLAG_UPDATE_CURRENT, как вы можете видеть выше, и я получаю его, но это всегда первый.Я подтвердил, и я добавляю правильный carId для каждого намерения, но вместо этого я получаю еще один ...... и каждый раз при открытии уведомления появляется это сообщение журнала:

startActivity вызывается из неактивного контекста;форсирование Intent.FLAG_ACTIVITY_NEW_TASK для: Intent {cmp = market.finestraprincipale / .ApplicationActivity bnds = [0,101] [320,165] (имеет дополнительные функции)}

Может кто-нибудь помочь мне, пожалуйста ...

1 Ответ

3 голосов
/ 21 ноября 2011

(Оригинальный ответ исправлен, см. Историю изменений для него)

Я не совсем уверен, какая часть вашей системы работает со сбоями, поэтому я публикую здесь свой тестовый код, который япроверено, чтобы работать правильно.Сначала есть MyService, затем TestActivity, который отображает детали автомобиля в DetailsActivity:

CarService.java

public class CarService extends IntentService
{
    public CarService()
    {
        super("CarService");
    }

    protected void onHandleIntent(Intent intent)
    {
        Bundle extras = intent.getExtras();
        if (extras == null)
        {
            Log.e("CarService", "Service onHandleIntent null extras");
            return;
        }

        int carId = extras.getInt("carId");
        String carName = extras.getString("name");
        Log.i("CarService", "Service onHandleIntent car = " + carName + " with ID = " + Integer.toString(carId));

        Intent notificationIntent;
        notificationIntent = new Intent(this, DetailsActivity.class);
        notificationIntent.putExtra("carId", carId);
        notificationIntent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);

        PendingIntent pending = PendingIntent.getActivity(this, carId, notificationIntent, PendingIntent.FLAG_UPDATE_CURRENT);

        Notification notif = new Notification(R.drawable.icon, carName, System.currentTimeMillis());
        notif.flags |= Notification.FLAG_AUTO_CANCEL;
        notif.setLatestEventInfo(getApplicationContext(), carName, "Car Details", pending);

        NotificationManager mNotificationManager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
        mNotificationManager.notify(carId, notif);
    }
}

TestActivity.java (ваша основная деятельность)

public class TestActivity extends Activity implements OnClickListener
{
    @Override public void onCreate(Bundle savedInstanceState)
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.test);

        Button btn = (Button) findViewById(R.id.launch);
        btn.setOnClickListener(this);
    }

    @Override public void onClick(View v)
    {
        startActivity(new Intent(this, DetailsActivity.class));
    }
}

test.xml (макет для TestActivity.java)

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:a="http://schemas.android.com/apk/res/android" a:id="@+id/layout_root" a:orientation="vertical" a:layout_width="fill_parent" a:layout_height="fill_parent">
    <TextView a:id="@+id/test_value"  a:text="Main..." a:layout_width="wrap_content" a:layout_height="wrap_content"/>
    <Button a:id="@+id/launch" a:text="Details" a:layout_width="100dp" a:layout_height="wrap_content"/>
</LinearLayout>

DetailsActivity.java (перечисленные здесь сведения об автомобиле + запускает CarService + сюда ведут уведомления)

public class DetailsActivity extends Activity implements OnClickListener
{
    private String[] cars = new String[]{"Ferrari", "Lamborghini", "Lada", "Nissan", "Opel", "Bugatti"};
    private int id = 0;


    @Override public void onCreate(Bundle savedInstanceState)
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.details);

        Button btn = (Button) findViewById(R.id.doit);
        btn.setOnClickListener(this);

        Bundle extras = getIntent().getExtras();
        if (extras != null)
        {
            final int id = extras.getInt("carId");
            Log.i("DetailsActivity", "Car ID: " + id);
            TextView tv = (TextView) findViewById(R.id.test_value);
            tv.setText("Car ID = " + Integer.toString(id) + ", which is " + cars[id%6]); // id%6 prevents a crash with the string array when clicking test button over 6 times
        }
    }

    @Override public void onClick(View v)
    {
        Intent intent = new Intent(this, CarService.class);
        intent.putExtra("carId", id);
        intent.putExtra("name", cars[id%6]); // id%6 prevents a crash with the string array when clicking test button over 6 times
        startService(intent);
        ++id;
    }
}

details.xml (макет для TestActivity.java)

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:a="http://schemas.android.com/apk/res/android" a:orientation="vertical" a:layout_width="fill_parent" a:layout_height="fill_parent">
    <TextView a:id="@+id/test_value" a:text="No details yet: click the button." a:layout_width="wrap_content" a:layout_height="wrap_content"/>
    <Button a:id="@+id/doit" a:text="Test" a:layout_width="100dp" a:layout_height="wrap_content"/>
</LinearLayout>

Я надеюсь, что все работает правильно, поскольку я внес некоторые незначительные изменения на лету.

...