6

デバイスをルート化し、ホスト モードで作業しました。タブに接続されている USB デバイスを検出できますが、2 つの質問があります。

1) device.getDeviceName(); を使用してデバイス名を表示しようとしています。/dev/usb/002/002 のようなものが表示されますが、USB デバイス名のメーカー名を取得する必要があります。アクセサリ モードで使用できると思いますが、ホスト モードでメーカー名を取得する必要があります。

2) アプリから Android の USB ポートにデータを転送する必要があります。デバイスを検出できますが、一部のデータまたはファイルを Android アプリから USB ポートに接続された大容量ストレージに転送するのを手伝ってください。

4

5 に答える 5

27

おそらく、必要なデータを取得するには、実際にRawUSB記述子を読み取る必要があります。これが私が自分の目的のために書いた基本的なUSBデバイス検出プログラムです。特定のデバイス(Dajac Easy I / O 1000データ取得システム)を探していますが、同じ原則を適用できます。探しているデータを取得する方法を紹介します。

これが最初のコードです。私のパッケージはusbtest3で、ファイルはMainActivity.javaです。

package com.hotspotoffice.usbtest3;

// David Schofield, Hotspot Office, LLC., Pittsburgh, PA.
// Donations via PayPal always welcome! schofield (dot) david (at) verizon.net

import java.io.UnsupportedEncodingException;
import java.util.HashMap;
import java.util.Iterator;
import android.os.Bundle;
import android.app.Activity;
import android.app.PendingIntent;
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.content.IntentFilter;
import android.view.View;
import android.view.Menu;
import android.widget.Button;
import android.widget.TextView;
import android.hardware.usb.UsbConstants;
import android.hardware.usb.UsbManager;
import android.hardware.usb.UsbDevice;
import android.hardware.usb.UsbDeviceConnection;
import android.hardware.usb.UsbInterface;


public class MainActivity extends Activity {

    protected static final int STD_USB_REQUEST_GET_DESCRIPTOR = 0x06;
    // http://libusb.sourceforge.net/api-1.0/group__desc.html
    protected static final int LIBUSB_DT_STRING = 0x03;
    private static final String ACTION_USB_PERMISSION = "com.android.example.USB_PERMISSION";

    private Button btnDiscover;
    private TextView txtInfo;
    private PendingIntent mPermissionIntent; 

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        btnDiscover=(Button)findViewById(R.id.btnDiscover);
        txtInfo=(TextView)findViewById(R.id.txtInfo);

        mPermissionIntent = PendingIntent.getBroadcast(this, 0, new Intent(ACTION_USB_PERMISSION), 0);
        IntentFilter filter = new IntentFilter(ACTION_USB_PERMISSION);
        registerReceiver(mUsbReceiver, filter);

        btnDiscover.setOnClickListener(new View.OnClickListener() {

            @Override
            public void onClick(View v) {
                // txtInfo.setText("Button has been Pressed for "+(++i)+" Times.");

                UsbManager manager = (UsbManager)getSystemService(Context.USB_SERVICE);

                HashMap<String, UsbDevice> deviceList = manager.getDeviceList();
                Iterator<UsbDevice> deviceIterator = deviceList.values().iterator();
                while(deviceIterator.hasNext()){
                    UsbDevice device = deviceIterator.next();

                    manager.requestPermission(device, mPermissionIntent);

                    txtInfo.append("Model:" + device.getDeviceName() + "\n");  
                    txtInfo.append("DeviceID:" + device.getDeviceId() + "\n");
                    txtInfo.append("Vendor:" + device.getVendorId() + "\n");
                    txtInfo.append("Product:" + device.getProductId() + "\n");
                    txtInfo.append("Class:" + device.getDeviceClass() + "\n");
                    txtInfo.append("Subclass:" + device.getDeviceSubclass() + "\n");
                    txtInfo.append("Protocol:" + device.getDeviceProtocol() + "\n");

                    UsbInterface intf = device.getInterface(0);
                    int epc = 0;
                    epc = intf.getEndpointCount();
                    txtInfo.append("Endpoints:" + epc + "\n");

                    txtInfo.append("Permission:" + Boolean.toString(manager.hasPermission(device))  + "\n");

                    UsbDeviceConnection connection = manager.openDevice(device);
                    if(null==connection){
                        txtInfo.append("(unable to establish connection)\n");
                    } else {

                        // Claims exclusive access to a UsbInterface. 
                        // This must be done before sending or receiving data on 
                        // any UsbEndpoints belonging to the interface.
                        connection.claimInterface(intf, true);

                        // getRawDescriptors can be used to access descriptors 
                        // not supported directly via the higher level APIs, 
                        // like getting the manufacturer and product names.
                        // because it returns bytes, you can get a variety of
                        // different data types.
                        byte[] rawDescs = connection.getRawDescriptors();
                        String manufacturer = "", product = "";

                        try
                        {
                            byte[] buffer = new byte[255];
                            int idxMan = rawDescs[14];
                            int idxPrd = rawDescs[15];

                            int rdo = connection.controlTransfer(UsbConstants.USB_DIR_IN
                                    | UsbConstants.USB_TYPE_STANDARD, STD_USB_REQUEST_GET_DESCRIPTOR,
                                    (LIBUSB_DT_STRING << 8) | idxMan, 0, buffer, 0xFF, 0);
                            manufacturer = new String(buffer, 2, rdo - 2, "UTF-16LE");

                            rdo = connection.controlTransfer(UsbConstants.USB_DIR_IN
                                            | UsbConstants.USB_TYPE_STANDARD, STD_USB_REQUEST_GET_DESCRIPTOR,
                                    (LIBUSB_DT_STRING << 8) | idxPrd, 0, buffer, 0xFF, 0);
                            product = new String(buffer, 2, rdo - 2, "UTF-16LE");

                        } catch (UnsupportedEncodingException e)
                        {
                        e.printStackTrace();
                        }

                        txtInfo.append("Manufacturer:" + manufacturer + "\n");                      
                        txtInfo.append("Product:" + product + "\n");                        
                        txtInfo.append("Serial#:" + connection.getSerial() + "\n");                     
                    }

                    txtInfo.append("------------------------------------\n");                   
                }               

            }
        });

    }

    @Override
    public boolean onCreateOptionsMenu(Menu menu) {
        // Inflate the menu; this adds items to the action bar if it is present.
        getMenuInflater().inflate(R.menu.activity_main, menu);
        return true;
    }

    private final BroadcastReceiver mUsbReceiver = new BroadcastReceiver() {

        public void onReceive(Context context, Intent intent) {
            String action = intent.getAction();
            if (ACTION_USB_PERMISSION.equals(action)) {
                synchronized (this) {
                    UsbDevice device = (UsbDevice)intent.getParcelableExtra(UsbManager.EXTRA_DEVICE);

                    if (intent.getBooleanExtra(UsbManager.EXTRA_PERMISSION_GRANTED, false)) {
                        if(device != null){
                          //call method to set up device communication
                       }
                    } 
                    else {
                        txtInfo.append("permission denied for device " + device);
                    }
                }
            }
        }
    };

}

USBホストデバイスサポートの目的と要件を含むマニフェストファイル:

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
    package="com.hotspotoffice.usbtest3"
    android:versionCode="1"
    android:versionName="1.0" >

    <uses-feature android:name="android.hardware.usb.host" />

    <uses-sdk
        android:minSdkVersion="15"
        android:targetSdkVersion="15" />

    <application
        android:allowBackup="true"
        android:icon="@drawable/ic_launcher"
        android:label="@string/app_name"
        android:theme="@style/AppTheme" >

        <activity
            android:name="com.hotspotoffice.usbtest3.MainActivity"
            android:label="@string/app_name" >

            <intent-filter>
                <action android:name="android.intent.action.MAIN" />
                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>

            <intent-filter>
                <action android:name="android.hardware.usb.action.USB_DEVICE_ATTACHED" />
            </intent-filter>

            <meta-data android:name="android.hardware.usb.action.USB_DEVICE_ATTACHED"
                android:resource="@xml/device_filter" />

        </activity>
    </application>

</manifest>

最後に、デバイスフィルターが必要になります。これは\res\ xml\device_filter.xmlの下にあります。\resの下に自分でxmlフォルダーを作成する必要があることに注意してください。

<?xml version="1.0" encoding="utf-8"?>

<resources>
    <usb-device vendor-id="7635" product-id="1" class="255" subclass="255" protocol="0" />
</resources>

すべてのフィールドは16進数ではなく、10進数である必要があることに注意してください。独自のデバイスから独自のベンダー、製品、クラス、およびサブクラスの値を置き換える必要があります。「USBホストビュー」や「USBデバイス情報」などのプログラムを使用して、これらの値を見つけることができます。(Playストアから無料でダウンロードしてください。)

最後に、Activity_Main.xmlでユーザーインターフェイスを定義した方法を次に
示します。少なくとも、[検出]ボタンと、出力用のTextMultilineが必要です。([初期化]ボタンと[オン/オフ]ボタンは無視してください。)

ところで、私は10インチのToshiba Thriveタブレットを使用しているので、YMMVです。

<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".MainActivity" >

    <EditText
        android:id="@+id/txtInfo"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignLeft="@+id/btnDiscover"
        android:layout_alignRight="@+id/textView1"
        android:layout_centerVertical="true"
        android:ems="10"
        android:inputType="textMultiLine"
        android:maxLines="50"
        android:minLines="20"
        android:minWidth="400dp" >

        <requestFocus />
    </EditText>

    <TextView
        android:id="@+id/textView1"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_above="@+id/btnToggleDIO"
        android:layout_marginLeft="192dp"
        android:layout_toRightOf="@+id/btnDiscover"
        android:text="@string/lblDIO"
        android:textAppearance="?android:attr/textAppearanceMedium" />

    <Button
        android:id="@+id/btnDiscover"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignBaseline="@+id/btnInit"
        android:layout_alignBottom="@+id/btnInit"
        android:layout_alignParentLeft="true"
        android:layout_marginLeft="73dp"
        android:text="@string/strDiscover" />

    <ToggleButton
        android:id="@+id/btnToggleDIO"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignBaseline="@+id/btnInit"
        android:layout_alignBottom="@+id/btnInit"
        android:layout_alignLeft="@+id/textView1"
        android:text="@string/strIOState" />

    <Button
        android:id="@+id/btnInit"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_above="@+id/txtInfo"
        android:layout_marginBottom="29dp"
        android:layout_marginLeft="48dp"
        android:layout_toRightOf="@+id/btnDiscover"
        android:text="@string/strInit" />

</RelativeLayout>

プログラムを実行してデバイスを接続すると、接続の許可を求められ、「OK」と表示されます。次に、[検出]をクリックすると、製造元が「DajacInc。」であることがわかります。製品は「EIO1000」で、シリアル番号は「0000004B」です。

私はあなたに良い摂理を望みます。あなたは私に信用を与えることができますが、それは他の人の肩に立つことによってのみです(私自身の汗をたくさん持っています)私はこれまで見ることができました。転送してください!-デビッド

于 2012-12-03T06:50:10.110 に答える
2

装置名

これは、Linux カーネルの内部デバイス名のように見えます。

メーカー名

これは、USB VID(ベンダー ID) を介して間接的に取得するだけです。それらはUSB-IFによって割り当てられ、維持されます。

デバイスは文字列記述子でメーカーの名前を提供する場合がありますが、知る限りこれはオプションであり、高レベルの Android Java インターフェイスでは公開されていません。

UsbDeviceConnection.getRawDescriptorsで運を試すことができますが、それにはかなり醜いバイトをいじる必要があります。

マスストレージへ

USB 大容量ストレージはかなり複雑なプロトコルであるため、USB Host API を介して直接話すことは実装がかなり困難です。一部の Android ファームウェア イメージは、USB フラッシュ ドライブをマウントできます

于 2012-11-04T12:43:01.240 に答える
1

上記のコードに関するちょっとしたメモですが、原則として問題なく動作します。USB デバイスにアクセスするためのユーザー許可の要求は、非同期呼び出しです。そのため、(まだ) アクセス許可がない場合、その特定のデバイスに対してコードを続行するべきではありません。

onClick メソッドと onReceive メソッドを少し更新させてください。

    Button btnDiscover = (Button) findViewById(R.id.buttonDiscover);
    btnDiscover.setOnClickListener(new View.OnClickListener() {
        @Override
        public void onClick(View v) {
            txtInfo.setText("");
            HashMap<String, UsbDevice> deviceList = manager.getDeviceList();
            for (UsbDevice device : deviceList.values()) {
                Log.i("discover", "Model    :" + device.getDeviceName());
                if (!manager.hasPermission(device)) {
                    Log.i("discover", "No permission to access, so requesting it now from user (async)");
                    manager.requestPermission(device, mPermissionIntent);
                } else {
                    showUsbDetails(device);
                }
            }
        }
    });

private final BroadcastReceiver mUsbReceiver = new BroadcastReceiver() {
    public void onReceive(Context context, Intent intent) {
        String action = intent.getAction();
        if (MainActivity.ACTION_USB_PERMISSION.equals(action)) {
            Log.i("BroadcastReceiver", "onReceive: ACTION_USB_PERMISSION");
            synchronized (this) {
                UsbDevice device = intent.getParcelableExtra(UsbManager.EXTRA_DEVICE);
                if (intent.getBooleanExtra(UsbManager.EXTRA_PERMISSION_GRANTED, false)) {
                    if(device != null){
                        showUsbDetails(device);
                    }
                }
                else {
                    txtInfo.append("permission denied for device " + device);
                }
            }

言うまでもなく、showUsbDetails には、USB デバイスと通信してメーカーやその他の文字列を照会する元のコードの一部が含まれています。

于 2013-10-11T07:45:43.727 に答える
0
  1. getVendorId()は、製造元の名前を指定する必要があります。その他の呼び出しには、getDeviceName()、getDeviceId()、getDeviceClass()、getDeviceSubclass()、getDeviceProtocol()、getProductId()が含まれます。 このリンクを参照してください:Android USB Host

  2. データ転送については、次のリンクを参照してください:BulkTransfer。バッファ内のファイルから読み取り、デバイスの特定の出力エンドポイントとデータ長とともに、バッファをbulkTransfer呼び出しに渡します。

于 2012-11-13T14:55:15.443 に答える