#java #android-studio #android-intent #android-activity #android-service
Вопрос:
Я получаю данные от микроконтроллера через Bluetooth в процессе выполнения действия. Эти данные непрерывно отправляются в приложение, и я использую службу переднего плана для реализации этого потока в фоновом режиме.
Данные принимаются в MainActivity4, намерение отправляется в класс обслуживания переднего плана с полученными данными, который затем перенаправляет данные в MainActivity5, где они будут отображены на графике.
Я не уверен, как правильно реализовать намерение, которое отправляется в MainActivity4, потому что данные постоянно обрабатываются службой переднего плана, но не перенаправляют их постоянно в MainActivity5. В первый раз намерение заставляет экран перейти к основной активности5, что хорошо, но данные не отправляются и не обновляются.
Вот код в MainActivity4:
@Override
public void onCharacteristicChanged(BluetoothGatt gatt, BluetoothGattCharacteristic characteristic) {
super.onCharacteristicChanged(gatt, characteristic);
String value = String.valueOf(characteristic.getValue());
Intent serviceIntent = new Intent(MainActivity4.this, ForegroundService.class);
serviceIntent.putExtra("inputExtra", value);
ContextCompat.startForegroundService(MainActivity4.this, serviceIntent);
}
Вот код на переднем плане.:
public class ForegroundService extends Service {
//private static final int ID_SERVICE = 101;
public static final String CHANNEL_ID = "ForegroundServiceChannel";
@Override
public void onCreate(){
super.onCreate();
createNotificationChannel();
Intent notificationIntent = new Intent(this, MainActivity.class);
PendingIntent pendingIntent = PendingIntent.getActivity(this, 0, notificationIntent, 0);
Notification notification = new NotificationCompat.Builder(this, CHANNEL_ID)
.setContentTitle("Foreground Service")
.setContentIntent(pendingIntent)
.build();
startForeground(1, notification);
}
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
//super.onStartCommand(intent, flags, startId);
String input = intent.getStringExtra("inputExtra");
Log.i("Tag", input);
sendData(input);
createNotificationChannel();
Intent notificationIntent = new Intent(this, MainActivity.class);
PendingIntent pendingIntent = PendingIntent.getActivity(this,
0, notificationIntent, 0);
Notification notification = new NotificationCompat.Builder(this, CHANNEL_ID)
.setContentTitle("Foreground Service")
.setContentText(input)
.setContentIntent(pendingIntent)
.build();
startForeground(1, notification);
//do heavy work on a background thread
//stopSelf();
return START_NOT_STICKY;
//return START_REDELIVER_INTENT;
}
@Override
public void onDestroy() {
super.onDestroy();
}
@Nullable
@Override
public IBinder onBind(Intent intent)
{
return null;
}
private void sendData(String input){
Log.i("Tag", "inside sendData");
Intent intent2 = new Intent(ForegroundService.this, MainActivity5.class);
intent2.putExtra("inputExtra", input);
intent2.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK | Intent.FLAG_ACTIVITY_CLEAR_TASK);
//intent2.setFlags(Intent.FLAG_ACTIVITY_MULTIPLE_TASK);
//intent2.putExtra("inputExtra", input);
startActivity(intent2);
}
private void createNotificationChannel() {
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
NotificationChannel serviceChannel = new NotificationChannel(CHANNEL_ID, "Foreground Service Channel", NotificationManager.IMPORTANCE_DEFAULT);
NotificationManager manager = getSystemService(NotificationManager.class);
manager.createNotificationChannel(serviceChannel);
}
}
}
Вот код в основной ДеятЕльности5:
Intent intent = getIntent();
String data = intent.getStringExtra("inputString");
Log.i(TAG, "data sending");
dataText = (TextView) findViewById(R.id.data2);
dataText.setText(data);
Как я могу непрерывно получать данные в MainActivity5? Возможно, флаги набора намерений — это то, что я неправильно понимаю. Данные принимаются в фоновом режиме и отправляются в службу переднего плана, но не в другое действие, несмотря на то, что экран этого действия автоматически открывается при запуске кода. Буду признателен за любую помощь и совет. Спасибо
*** Вот обновление того, что у меня до сих пор есть функция в классе обслуживания переднего плана:
private void sendData(String input){
Log.i("Tag", "inside sendData");
Intent intent = new Intent();
intent.setAction("com.example.Pillwoah.sendbroadcast");
intent.setFlags(Intent.FLAG_INCLUDE_STOPPED_PACKAGES);
intent.putExtra("inputExtra", input);
sendBroadcast(intent);
}
*** Вот обновление того, что у меня до сих пор есть функция в MainActivity5:
public class MainActivity5 extends AppCompatActivity {
protected static final String TAG = "TAG";
TextView dataText;
BroadcastReceiver receiver;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main5);
GraphView move = (GraphView) findViewById(R.id.move);
GraphView sound = (GraphView) findViewById(R.id.sound);
LineGraphSeries<DataPoint> series = new LineGraphSeries<>(new DataPoint[] {
new DataPoint(0, 1),
new DataPoint(1, 5),
new DataPoint(2, 3),
new DataPoint(3, 2),
new DataPoint(4, 6)
});
move.addSeries(series);
series.setColor(Color.GREEN);
series.setDrawDataPoints(true);
series.setAnimated(true);
series.setDrawBackground(true);
move.setTitle("Movement");
move.setTitleTextSize(90);
move.setTitleColor(Color.WHITE);
LineGraphSeries<DataPoint> series2 = new LineGraphSeries<>(new DataPoint[] {
new DataPoint(0, 1),
new DataPoint(1, 5),
new DataPoint(2, 4),
new DataPoint(3, 9),
new DataPoint(4, 6)
});
sound.addSeries(series);
series2.setColor(Color.YELLOW);
series2.setDrawDataPoints(true);
series2.setAnimated(true);
series2.setDrawBackground(true);
sound.setTitle("Sound");
sound.setTitleTextSize(90);
sound.setTitleColor(Color.WHITE);
Log.i(TAG, "data sending");
configureReceiver();
}
class DataBroadcastReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
String message = "Broadcast intent detected " intent.getAction();
Log.i(TAG, message);
}
}
private void configureReceiver(){
IntentFilter filter = new IntentFilter();
filter.addAction("com.example.Pillwoah.sendbroadcast");
receiver = new DataBroadcastReceiver();
registerReceiver(receiver, filter);
}
}
Я не получаю никаких ошибок, но я знаю, что мне не хватает какой-то функциональности. Если бы кто-нибудь мог увидеть, чего мне не хватает, это было бы здорово.
Комментарии:
1. Вы можете использовать широковещательный приемник для отправки данных из службы в MainActivity4
2. Спасибо @гость, Как бы я смог это реализовать? Нужен ли мне класс широковещательного приемника или это может быть функция внутри MainActivity4?
Ответ №1:
Есть образец с широковещательным приемником
class MainActivity : Activity() {
companion object {
const val ACTION_DATA = "package.your.app.DATA"
private val filters = arrayOf(ACTION_DATA)
private val intentFilter: IntentFilter by lazy {
IntentFilter().apply {
filters.forEach { addAction(it) }
}
}
}
inner class DataBroadcastReceiver : BroadcastReceiver() {
override fun onReceive(context: Context, intent: Intent) {
when (intent.action) {
ACTION_DATA -> showData(intent)
}
}
}
fun showData(intent: Intent) {
//TODO extract data from intent
}
private lateinit var broadcastReceiver: MainActivity.DataBroadcastReceiver
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
broadcastReceiver = DataBroadcastReceiver()
applicationContext.registerReceiver(broadcastReceiver, intentFilter)
}
override fun onDestroy() {
super.onDestroy()
applicationContext.unregisterReceiver(broadcastReceiver)
}
}
class ForegroundService: Service() {
...
private fun sendData(input: String) {
Intent().run {
action = MainActivity.ACTION_DATA
putExtra("inputExtra", input)
applicationContext.sendBroadcast(this)
}
}
...
}
Комментарии:
1. Этот код выше находится в Котлине, верно? Я попытался реализовать некоторые из них на java для своего кода, но столкнулся с парой ошибок
2. Я отредактировал сообщение с тем, что я поместил в класс обслуживания
3. Мне все еще трудно понять, как код будет понят на java
4. @RomkoSmuk Извини. Язык программирования Kotlin теперь является предпочтительным языком для разработчиков приложений для Android. Какая часть образца должна быть объяснена?
5. Я верю, что мне удалось это выяснить. В основном это была частная строка lateinit, внутренняя функция onReceive и внутренний сопутствующий объект