web-dev-qa-db-ja.com

Androidファイル選択

ファイルアップローダーを作りたいです。そのため、ファイルセレクターが必要ですが、自分でファイルを選択したくありません。 OIファイルマネージャーを見つけて、私に合っていると思います。しかし、どのようにしてユーザーにOIファイルマネージャーをインストールさせることができますか?できない場合、アプリにファイルマネージャーを含めるより良い方法はありますか? THX

107
Bear

編集02 2012年1月):

このプロセスを合理化する小さなオープンソースAndroidライブラリプロジェクトを作成し、同時にビルトインファイルExplorer(ユーザーには存在しません)。使い方は非常に簡単で、必要なコードはわずか数行です。

GitHubで見つけることができます: aFileChooser


オリジナル

ユーザーがシステム内の任意のファイルを選択できるようにする場合は、独自のファイルマネージャーを含めるか、ユーザーにファイルマネージャーをダウンロードするようにアドバイスする必要があります。あなたができる最善の方法は、次のようなIntent.createChooser()で「オープン可能な」コンテンツを探すことです。

private static final int FILE_SELECT_CODE = 0;

private void showFileChooser() {
    Intent intent = new Intent(Intent.ACTION_GET_CONTENT); 
    intent.setType("*/*"); 
    intent.addCategory(Intent.CATEGORY_OPENABLE);

    try {
        startActivityForResult(
                Intent.createChooser(intent, "Select a File to Upload"),
                FILE_SELECT_CODE);
    } catch (Android.content.ActivityNotFoundException ex) {
        // Potentially direct the user to the Market with a Dialog
        Toast.makeText(this, "Please install a File Manager.", 
                Toast.LENGTH_SHORT).show();
    }
}

次に、選択したファイルのUrionActivityResult()で次のようにリッスンします。

@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
    switch (requestCode) {
        case FILE_SELECT_CODE:
        if (resultCode == RESULT_OK) {
            // Get the Uri of the selected file 
            Uri uri = data.getData();
            Log.d(TAG, "File Uri: " + uri.toString());
            // Get the path
            String path = FileUtils.getPath(this, uri);
            Log.d(TAG, "File Path: " + path);
            // Get the file instance
            // File file = new File(path);
            // Initiate the upload
        }
        break;
    }
    super.onActivityResult(requestCode, resultCode, data);
}

FileUtils.JavagetPath()メソッドは次のとおりです。

public static String getPath(Context context, Uri uri) throws URISyntaxException {
    if ("content".equalsIgnoreCase(uri.getScheme())) {
        String[] projection = { "_data" };
        Cursor cursor = null;

        try {
            cursor = context.getContentResolver().query(uri, projection, null, null, null);
            int column_index = cursor.getColumnIndexOrThrow("_data");
            if (cursor.moveToFirst()) {
                return cursor.getString(column_index);
            }
        } catch (Exception e) {
            // Eat it
        }
    }
    else if ("file".equalsIgnoreCase(uri.getScheme())) {
        return uri.getPath();
    }

    return null;
} 
253
Paul Burke