我想轻松地将一个字符串传递给一个Activity.需要回调之类的东西,因为当必须传递字符串时,Activity必须做一些事情.
public class MyHostApduService extends HostApduService {
@Override
public byte[] processCommandApdu(byte[] apdu, Bundle extras) {
if (selectAidApdu(apdu)) {
Log.i("HCEDEMO", "Application selected");
return getWelcomeMessage();
}
else {
if (exchangeDataApdu(apdu)) {
Log.i("HCEDEMO", "Data exchanged");
// int _len_ = apdu[4];
String _data_ = new String(apdu).substring(5, apdu.length - 1);
// TODO: Send _data_ to an activity...
return new byte[] { (byte)0x90, (byte)0x00 };
}
else {
Log.i("HCEDEMO", "Received: " + new String(apdu));
return getNextMessage();
}
}
}
}
解决方法:
您的问题非常广泛,答案取决于您未向我们透露的应用程序的某些设计方面:
您想要启动活动并将一些数据传递给它
您可以使用intent启动活动并将参数作为intent extra传递(另请参见this answer):
Intent intent = new Intent(this, YourActivity.class);
intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
intent.putExtra("hcedata", _data_)
this.startActivity(intent);
您希望将数据传递给正在运行的活动实例
在这种情况下,您可以,例如,从您的活动注册BroadcastReceiver:
public class YourActivity extends Activity {
final BroadcastReceiver hceNotificationsReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
if () {
String hcedata = intent.getStringExtra("hcedata");
// TODO: do something with the received data
}
}
});
@Override
protected void onStart() {
super.onStart();
final IntentFilter hceNotificationsFilter = new IntentFilter();
hceNotificationsFilter.addAction("your.hce.app.action.NOTIFY_HCE_DATA");
registerReceiver(hceNotificationsReceiver, hceNotificationsFilter);
}
@Override
protected void onStop() {
super.onStop();
unregisterReceiver(hceNotificationsReceiver);
}
在您的服务中,您可以向该广播接收器发送意图(请注意,您可能希望使用接收者权限限制广播,以防止您的数据泄露给未经授权的接收者):
Intent intent = new Intent("your.hce.app.action.NOTIFY_HCE_DATA");
intent.putExtra("hcedata", _data_)
this.sendBroadcast(intent);
您希望将数据传递给活动并将响应接收回服务
与上述类似,您可以使用服务中的广播接收器从您的活动中获得通知.请注意,您无法绑定到HCE服务,因此无法直接从活动中调用其中的方法.
标签:android,android-activity,nfc,messaging,hce
来源: https://codeday.me/bug/20190830/1765640.html