在Android上阅读NFC-F卡时出现TagLostException

时间:2017-08-15 09:34:36

标签: android tags nfc ioexception contactless-smartcard

我正在开发一款需要读取NFC卡的Android应用程序(卡技术是NFC-F)。在那里,我总是得到以下例外:

  

android.nfc.TagLostException:标签丢失了。

这是我的代码:

private void handleIntent(Intent intent) {
    String action = intent.getAction();
    if (NfcAdapter.ACTION_NDEF_DISCOVERED.equals(action)) {

    } else if (NfcAdapter.ACTION_TECH_DISCOVERED.equals(action)) {

    } else if(NfcAdapter.ACTION_TAG_DISCOVERED.equals(action)) {

        Tag tag = intent.getParcelableExtra(NfcAdapter.EXTRA_TAG);
        if (tag != null) {
            NfcF nfcf = NfcF.get(tag);
            try {
                nfcf.connect();
                byte[] AUTO_POLLING_START = {(byte) 0xE0, 0x00, 0x00, 0x40, 0x01};
                byte[] response = nfcf.transceive(AUTO_POLLING_START);
                nfcf.close();
            } catch (Exception e) {
                e.printStackTrace();
                mTextView.setText(e.toString());
            }
        }
    }
}

有人可以帮我解决这个问题吗?

1 个答案:

答案 0 :(得分:0)

您收到TagLostException,因为您向标记发送了无效命令。由于NFC-F标签在收到无效命令后保持静音,因此Android无法区分实际的通信丢失或对不支持/无效命令的否定响应,并在两种情况下都抛出TagLostException

有效的FeliCa(NFC-F)命令具有

形式
+----------+----------+------------------+-----------------------------------------------+
| LEN      | COMMAND  | IDm              | PARAMETER                                     |
| (1 byte) | (1 byte) | (8 bytes)        | (N bytes)                                     |
+----------+----------+------------------+-----------------------------------------------+

您可以使用以下方法组装它们:

public byte[] transceiveCommand(NfcF tag, byte commandCode, byte[] idM, byte[] param) {
    if (idM == null) {
        // use system IDm
        idM = tag.getTag().getId();
    }
    if (idM.length != 8) {
        idM = Arrays.copyOf(idM, 8);
    }

    if (param == null) {
        param = new byte[0];
    }

    byte[] cmd = new byte[1 + 1 + idM.length + param.length];

    // LEN: fill placeholder
    cmd[0] = (byte)(cmd.length & 0x0FF); 

    // CMD: fill placeholder
    cmd[1] = commandCode;

    // IDm: fill placeholder
    System.arraycopy(idM, 0, cmd, 2, idM.length);

    // PARAM: fill placeholder
    System.arraycopy(param, 0, cmd, 2 + idM.length, param.length);

    try {
        byte[] resp = tag.transceive(cmd);
        return resp;
    } catch (TagLostException e) {
        // WARN: tag-loss cannot be distinguished from unknown/unexpected command errors
    }

    return null;
}

例如,在大多数标签上应该成功的命令是REQUEST SYSTEM CODE命令(0x0E):

nfcf.connect();
byte[] resp = transceiveCommand(nfcf, (byte)0x0C, null, null);
nfcf.close();