我在这里发现了一些有关使用Android阅读NFC标签的最新信息。 我得出的结论是,执行NFC读取操作会触发一个单独的意图。
我想要实现的是,仅我当前的活动是从NFC标签中以文本/纯格式读取NDEF消息。
第一个问题: 是否有必要在清单中列出意图过滤器?
<intent-filter>
<action android:name="android.nfc.action.NDEF_DISCOVERED" />
<category android:name="android.intent.category.DEFAULT" />
<data android:mimeType="text/plain" />
我认为这不是必需的,因为我不想不想通过NFC标签事件启动我的应用,对吗?
第二个问题:如何保持NFC读取与应用程序/活动相关的逻辑/功能?
之后
<uses-permission android:name="android.permission.NFC" />
<uses-feature android:name="android.hardware.nfc" android:required="true" />
我转到当前活动并在onCreate上初始化NFC适配器:
mNfcAdapter = NfcAdapter.getDefaultAdapter(this)
读取nfc标签NDEF消息的下一步是什么? 在调度前景中发现了与意图有关的内容:
@Override
protected void onNewIntent(Intent intent) {
handleIntent(intent);
}
如果有人有一个想法/示例(科特琳)(Kotlin)如何仅读取NFC标签,那将是很好的 来自活动没有之类的东西,例如启动/束缚NFC动作。
在iOS中,例如在VC中需要时,有一个简单的NFC会话。
答案 0 :(得分:1)
正确的,如果只想在Activity
处于前台时接收标签,则可以在运行时进行注册。您正在寻找的是enableForegroundDispatch
上的NfcAdapter
方法。您可以为要过滤的特定标签类型注册PendingIntent
,每当检测到标签时,您的Activity
就会在Intent
中收到一个onNewIntent()
。
在Kotlin中的一个简短示例,说明了如果您只寻找IsoDep
兼容的NFC标签,将会是什么样:
override fun onResume() {
super.onResume()
NfcAdapter.getDefaultAdapter(this)?.let { nfcAdapter ->
// An Intent to start your current Activity. Flag to singleTop
// to imply that it should only be delivered to the current
// instance rather than starting a new instance of the Activity.
val launchIntent = Intent(this, this.javaClass)
launchIntent.addFlags(Intent.FLAG_ACTIVITY_SINGLE_TOP)
// Supply this launch intent as the PendingIntent, set to cancel
// one if it's already in progress. It never should be.
val pendingIntent = PendingIntent.getActivity(
this, 0, launchIntent, PendingIntent.FLAG_CANCEL_CURRENT
)
// Define your filters and desired technology types
val filters = arrayOf(IntentFilter(ACTION_TECH_DISCOVERED))
val techTypes = arrayOf(arrayOf(IsoDep::class.java.name))
// And enable your Activity to receive NFC events. Note that there
// is no need to manually disable dispatch in onPause() as the system
// very strictly performs this for you. You only need to disable
// dispatch if you don't want to receive tags while resumed.
nfcAdapter.enableForegroundDispatch(
this, pendingIntent, filters, techTypes
)
}
}
override fun onNewIntent(intent: Intent) {
super.onNewIntent(intent)
if (NfcAdapter.ACTION_TECH_DISCOVERED == intent.action) {
val tag = intent.getParcelableExtra<Tag>(NfcAdapter.EXTRA_TAG)
IsoDep.get(tag)?.let { isoDepTag ->
// Handle the tag here
}
}
}