我正在尝试制作应用程序,以读取使用OTG电缆连接到具有ICS的XOOM的外部存储文件系统。
我正在使用此代码来确定与闪存设备进行通信的IN和OUT端点

final UsbDeviceConnection connection = manager.openDevice(device);
UsbInterface inf = device.getInterface(0);
if (!connection.claimInterface(inf, true)) {
    Log.v("USB", "failed to claim interface");
}
UsbEndpoint epOut = null;
UsbEndpoint epIn = null;
// look for our bulk endpoints
for (int i = 0; i < inf.getEndpointCount(); i++) {
    UsbEndpoint ep = inf.getEndpoint(i);
    if (ep.getType() == UsbConstants.USB_ENDPOINT_XFER_BULK) {
        if (ep.getDirection() == UsbConstants.USB_DIR_OUT) {
            epOut = ep;
        } else {
            epIn = ep;
        }
    }
}
if (epOut == null || epIn == null) {
  throw new IllegalArgumentException("not all endpoints found");
}
final UsbEndpoint inEndPoint = epIn;

它正常工作。
然后我试图读取前512个字节以获取FAT32引导扇区
ByteBuffer arg1 = ByteBuffer.allocate(512);
UsbRequest request = new UsbRequest();
request.initialize(connection, inEndPoint);
request.queue(arg1, inEndPoint.getMaxPacketSize());
UsbRequest result = connection.requestWait(); // halt here
connection.releaseInterface(inf);
connection.close();

但它不会从连接的设备读取任何数据。
在获得设备的正式许可后,所有这些代码都在单独的线程上运行
PendingIntent mPermissionIntent = PendingIntent.getBroadcast(USBHostSampleActivity.this, 0, new Intent(ACTION_USB_PERMISSION), 0);
IntentFilter filter = new IntentFilter(ACTION_USB_PERMISSION);
registerReceiver(mUsbReceiver, filter);
manager.requestPermission(lDevices.get(position),mPermissionIntent);

在广播接收器中,我只是使用先前的代码启动新线程;
我也试图调用
USBDeviceConnection.controlTransfer
byte[] b = new byte[0x10];
int cTransfer = connection.controlTransfer(128, 6, 16, 0,b, 12, 0);

就像在libusb示例中获取f0数据和/或hwstats一样,但它总是返回-1
我也尝试使用USBRequst替换异步请求以同步bulkTransfers,但结果是相同的。
有人使用过Android SDK的这一部分吗?
谢谢!

最佳答案

我为此写了一个名为libaums的库:https://github.com/mjdev/libaums

该库负责底层USB通信,并实现FAT32文件系统。它还包括一个示例应用程序。列出目录的工作方式如下:

UsbMassStorageDevice[] devices = UsbMassStorageDevice.getMassStorageDevices(this);
device.init();

// we only use the first device
device = devices[0];
// we always use the first partition of the device
FileSystem fs = device.getPartitions().get(0).getFileSystem();
Log.d(TAG, "Capacity: " + fs.getCapacity());
Log.d(TAG, "Occupied Space: " + fs.getOccupiedSpace());
Log.d(TAG, "Free Space: " + fs.getFreeSpace());
UsbFile root = fs.getRootDirectory();

for(UsbFile f : root.listFiles())
    Log.d(TAG, f.getName())

10-07 13:24