Androidにプログラムでアプリケーションをインストールする


211

カスタムのAndroidアプリケーションから動的にダウンロードされたAPKをプログラムでインストールできるかどうか知りたいです。


「現在のユーザー環境に依存するダイナミックローダー」の意味がわかりません。@Lie Ryanによって提供された答えは、選択した方法でダウンロードしたAPKをインストールする方法を示しています。
CommonsWare、2011年

回答:


240

Playストアリンクまたはインストールプロンプトを簡単に起動できます。

Intent promptInstall = new Intent(Intent.ACTION_VIEW)
    .setDataAndType(Uri.parse("content:///path/to/your.apk"), 
                    "application/vnd.android.package-archive");
startActivity(promptInstall); 

または

Intent goToMarket = new Intent(Intent.ACTION_VIEW)
    .setData(Uri.parse("https://play.google.com/store/apps/details?id=com.package.name"));
startActivity(goToMarket);

ただし、ユーザーの明示的な許可なしに.apksをインストールすることはできません。デバイスとプログラムがルート化されていない限り、そうではありません。


35
正解ですが、ハードコードしないでください/sdcard。Android2.2以降やその他のデバイスでは問題が発生するためです。Environment.getExternalStorageDirectory()代わりに使用してください。
CommonsWare、2011年

3
/ asset /ディレクトリは開発マシンにのみ存在し、アプリケーションがAPKにコンパイルされると、すべてのアセットがAPK内に圧縮されるため、/ asset /ディレクトリは存在しなくなります。/ asset /ディレクトリからインストールする場合は、最初にそれを別のフォルダに抽出する必要があります。
リーライアン

2
@LieRyan。あなたの答えを見てうれしいです。ルート権限を取得したデバイスにカスタムROMがあります。ユーザーにインストールボタンを押すように求めることなく、動的にテーマをインストールしたい。それをしてもいいですか。
Sharanabasu Angadi 2013年

1
targetSdkが25の場合、これは動作しないようです。例外が発生します:「android.os.FileUriExposedException:... apkがアプリを超えてIntent.getData()...を介して公開されました」。どうして?
Android開発者

4
@android開発者:現在、これをテストすることはできませんが、targetSdkVersion> = 24では、次が適用されます:stackoverflow.com/questions/38200282/…したがって、FileProviderを使用する必要があります。
リーライアン

56
File file = new File(dir, "App.apk");
Intent intent = new Intent(Intent.ACTION_VIEW);
intent.setDataAndType(Uri.fromFile(file), "application/vnd.android.package-archive");
startActivity(intent);

私は同じ問題を抱えていて、何度か試した後、この方法でうまくいきました。理由はわかりませんが、データとタイプを個別に設定すると意図が狂ってしまいました。


この答えには賛成できません。何らかの理由で、インテント・データを設定し、MIMEタイプは別々にAPIレベル17にActivityNotFoundExceptionを引き起こす
ブレントM.スペル

私もこれに賛成票を投じました。このフォームは、私が仕事に取り掛かることができる唯一の気まぐれなものでした。まだ数年後..この奇妙なバグは何ですか?時間を無駄にしました。ところで、私はEclipse(Helios)を使用しています。
タム

10
@ BrentM.Spellなど:ドキュメントを見ると、データまたはタイプのみを設定すると、他のタイプは自動的に無効になることがわかります。例:setData()タイプパラメータが削除されます。setDataAndType()両方に値を指定する場合は、使用する必要があります。ここで:developer.android.com/reference/android/content/...
ボグダンアレクサンドル

41

この質問に提供される解決策はすべてtargetSdkVersion、23歳以下に当てはまります。ただし、Android N、つまりAPIレベル24以上の場合、機能せず、次の例外でクラッシュします。

android.os.FileUriExposedException: file:///storage/emulated/0/... exposed beyond app through Intent.getData()

これは、Android 24以降Uri、ダウンロードしたファイルのアドレス指定方法が変更されたためです。たとえばappName.apk、パッケージ名com.example.testがアプリのプライマリ外部ファイルシステムに保存されているという名前のインストールファイルは次のようになります。

file:///storage/emulated/0/Android/data/com.example.test/files/appName.apk

API 23以下のようなものに対し、

content://com.example.test.authorityStr/pathName/Android/data/com.example.test/files/appName.apk

API 24以上のため。

これに関する詳細はここにありますので、ここでは説明しません。

以下のための質問に答えるためtargetSdkVersion24以上、1以下の手順を実行する必要があります:のAndroidManifest.xmlに以下を追加します。

<application
        android:allowBackup="true"
        android:label="@string/app_name">
        <provider
            android:name="android.support.v4.content.FileProvider"
            android:authorities="${applicationId}.authorityStr"
            android:exported="false"
            android:grantUriPermissions="true">
            <meta-data
                android:name="android.support.FILE_PROVIDER_PATHS"
                android:resource="@xml/paths"/>
        </provider>
</application>

2. src、mainのフォルダーに次のpaths.xmlファイルを追加します。xmlres

<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
    <external-path
        name="pathName"
        path="pathValue"/>
</paths>

これpathNameは、上記の例示的なコンテンツURIの例で示したものでありpathValue、システム上の実際のパスです。「。」を付けることをお勧めします。(引用符なし)余分なサブディレクトリを追加したくない場合は、上記のpathValue。

  1. 次のコードを記述して、名前の付いたapkをappName.apkプライマリ外部ファイルシステムにインストールします。

    File directory = context.getExternalFilesDir(null);
    File file = new File(directory, fileName);
    Uri fileUri = Uri.fromFile(file);
    if (Build.VERSION.SDK_INT >= 24) {
        fileUri = FileProvider.getUriForFile(context, context.getPackageName(),
                file);
    }
    Intent intent = new Intent(Intent.ACTION_VIEW, fileUri);
    intent.putExtra(Intent.EXTRA_NOT_UNKNOWN_SOURCE, true);
    intent.setDataAndType(fileUri, "application/vnd.android" + ".package-archive");
    intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TASK | Intent.FLAG_ACTIVITY_NEW_TASK);
    intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
    context.startActivity(intent);
    activity.finish();

外部ファイルシステム上の独自のアプリのプライベートディレクトリに書き込む場合も、権限は必要ありません。

上記で使用したAutoUpdateライブラリをここに作成しました。


2
私はこの方法に従いました。しかし、インストールボタンを押すとファイルが破損していると表示されます。Bluetooth経由で転送して同じファイルをインストールできません。なんでそうなの?

HIファイル破損エラーが発生した場合、APKを取得するためにアプリに与えた交通手段は何ですか。サーバーからダウンロードしている場合は、サーバーからコピーしているファイルでストリームをフラッシュすることを確認してください。Bluetoothで転送されたAPKをインストールすると動作するので、それが問題だと思います。
Sridhar S

2
java.lang.NullPointerException:nullメソッド参照で仮想メソッド 'android.content.res.XmlResourceParser android.content.pm.ProviderInfo.loadXmlMetaData(android.content.pm.PackageManager、java.lang.String)'を呼び出そうとしました
マクビン

あなたのライブラリは、ついに、使用法についての簡単な説明が
書か

2
どうもありがとうございました。この回答に1週間苦労した後、私は問題を解決しました。@SridharSは、私が見るように、それは、長い時間前になっていますけど、あなたが興味を持って、5行目に、あなたが追加する必要がある場合.authorityStrの後context.getPackageName()、それが動作するはずです。
sehrob

30

さて、私はより深く掘り下げ、Android SourceからPackageInstallerアプリケーションのソースを見つけました。

https://github.com/android/platform_packages_apps_packageinstaller

マニフェストから、許可が必要であることがわかりました:

    <uses-permission android:name="android.permission.INSTALL_PACKAGES" />

そしてインストールの実際のプロセスは確認後に発生します

Intent newIntent = new Intent();
newIntent.putExtra(PackageUtil.INTENT_ATTR_APPLICATION_INFO, mPkgInfo.applicationInfo);
newIntent.setData(mPackageURI);
newIntent.setClass(this, InstallAppProgress.class);
String installerPackageName = getIntent().getStringExtra(Intent.EXTRA_INSTALLER_PACKAGE_NAME);
if (installerPackageName != null) {
   newIntent.putExtra(Intent.EXTRA_INSTALLER_PACKAGE_NAME, installerPackageName);
}
startActivity(newIntent);

33
android.permission.INSTALL_PACKAGESは、システム署名付きアプリでのみ使用できます。したがって、これはあまり役に立ちません
Hubert Liberacki 2014

21

私のapkファイルがアプリの「データ」ディレクトリに保存されたという事実と、その方法でインストールできるようにするためにapkファイルの権限を誰でも読み取り可能に変更する必要があるという事実を共有したいと思います。 「解析エラー:パッケージの解析に問題があります」をスローしていました。@Horacemanのソリューションを使用すると、次のようになります。

File file = new File(dir, "App.apk");
file.setReadable(true, false);
Intent intent = new Intent(Intent.ACTION_VIEW);
intent.setDataAndType(Uri.fromFile(file), "application/vnd.android.package-archive");
startActivity(intent);

同じパーサーエラーが発生します。それを解決する方法がわかりませんか?file.setReadable(true、false)を設定しましたが、機能しません
Jai

15

これは他の人を大いに助けることができます!

最初:

private static final String APP_DIR = Environment.getExternalStorageDirectory().getAbsolutePath() + "/MyAppFolderInStorage/";

private void install() {
    File file = new File(APP_DIR + fileName);

    if (file.exists()) {
        Intent intent = new Intent(Intent.ACTION_VIEW);
        String type = "application/vnd.android.package-archive";

        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {
            Uri downloadedApk = FileProvider.getUriForFile(getContext(), "ir.greencode", file);
            intent.setDataAndType(downloadedApk, type);
            intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
        } else {
            intent.setDataAndType(Uri.fromFile(file), type);
            intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
        }

        getContext().startActivity(intent);
    } else {
        Toast.makeText(getContext(), "ّFile not found!", Toast.LENGTH_SHORT).show();
    }
}

2番目: Android 7以降の場合、マニフェストでプロバイダーを以下のように定義する必要があります!

    <provider
        android:name="android.support.v4.content.FileProvider"
        android:authorities="ir.greencode"
        android:exported="false"
        android:grantUriPermissions="true">
        <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/paths" />
    </provider>

3番目:以下のようにres / xmlフォルダーにpath.xmlを定義します!他のパスに変更したい場合は、いくつかの方法で内部ストレージにこのパスを使用しています!あなたはこのリンクに行くことができます: FileProvider

<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
    <external-path name="your_folder_name" path="MyAppFolderInStorage/"/>
</paths>

4番目:マニフェストにこの権限を追加する必要があります:

<uses-permission android:name="android.permission.REQUEST_INSTALL_PACKAGES"/>

インストールパッケージのリクエストをアプリケーションに許可します。25を超えるAPIをターゲットとするアプリがIntent.ACTION_INSTALL_PACKAGEを使用するには、この権限を保持する必要があります。

プロバイダーの権限が同じであることを確認してください!



3
おかげで、4番目のステップは、それらすべてに欠けていたものでした。
アミンKeshavarzian

1
確かに、4番目のポイントは絶対に必要です。他のすべての答えはそれを完全に逃しました。
whiteagle

android.permission.REQUEST_INSTALL_PACKAGESは、システムアプリまたはシステムキーストアなどで署名されたアプリでのみ利用できませんか?
pavi2410

@Pavitraパッケージのインストールをリクエストすることをアプリケーションに許可します。25を超えるAPIをターゲットとするアプリがIntent.ACTION_INSTALL_PACKAGEを使用するには、この権限を保持する必要があります。保護レベル:署名
ハディ注

このコードはIntent.ACTION_INSTALL_PACKAGEを使用しません。それで、なぜこの許可?
Alexander Dyagilev

5

受信アプリをハードコーディングする必要がないため安全な別のソリューション:

Intent intent = new Intent(Intent.ACTION_INSTALL_PACKAGE);
intent.setData( Uri.fromFile(new File(pathToApk)) );
startActivity(intent);

4

はい、可能です。しかし、そのためには、検証されていないソースをインストールするための電話が必要です。たとえば、slideMeはそれを行います。あなたができる最善のことは、アプリケーションが存在するかどうかを確認し、Androidマーケットにインテントを送信することです。AndroidマーケットのURLスキームを使用する必要があります。

market://details?id=package.name

アクティビティの開始方法は正確にはわかりませんが、そのようなURLでアクティビティを開始するとします。Androidマーケットが開き、アプリをインストールする選択肢が表示されます。


私が見るように、この解決策は真実に最も近いです:)。しかし、それは私の場合には適切ではありません。現在のユーザー環境に依存し、市場に出るダイナミックローダーが必要です-良い解決策ではありません。とにかく、ありがとうございます。
Alkersan 2011年

4

を使用DownloadManagerしてダウンロードを開始する場合は、必ず外部の場所(例:)に保存してくださいsetDestinationInExternalFilesDir(c, null, "<your name here>).apk";。パッケージアーカイブタイプのインテントはcontent:、内部の場所へのダウンロードで使用されるスキームとは異なりますが、のようfile:です。(内部パスをFileオブジェクトにラップしてからパスを取得しようfile:としても、URLになりますが、アプリはapkを解析しないため、機能しません。外部である必要があるように見えます。)

例:

int uriIndex = cursor.getColumnIndex(DownloadManager.COLUMN_LOCAL_URI);
String downloadedPackageUriString = cursor.getString(uriIndex);
File mFile = new File(Uri.parse(downloadedPackageUriString).getPath());
Intent promptInstall = new Intent(Intent.ACTION_VIEW)
        .setDataAndType(Uri.fromFile(mFile), "application/vnd.android.package-archive")
        .addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
appContext.startActivity(promptInstall);

3

権限をリクエストすることを忘れないでください:

android.Manifest.permission.WRITE_EXTERNAL_STORAGE 
android.Manifest.permission.READ_EXTERNAL_STORAGE

AndroidManifest.xmlにプロバイダーと権限を追加します。

<uses-permission android:name="android.permission.REQUEST_INSTALL_PACKAGES"/>
...
<application>
    ...
    <provider
        android:name="android.support.v4.content.FileProvider"
        android:authorities="${applicationId}"
        android:exported="false"
        android:grantUriPermissions="true">
        <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/provider_paths"/>
    </provider>
</application>

XMLファイルプロバイダーres / xml / provider_paths.xmlを作成します。

<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
    <external-path
        name="external"
        path="." />
    <external-files-path
        name="external_files"
        path="." />
    <cache-path
        name="cache"
        path="." />
    <external-cache-path
        name="external_cache"
        path="." />
    <files-path
        name="files"
        path="." />
</paths>

以下のサンプルコードを使用してください:

   public class InstallManagerApk extends AppCompatActivity {

    static final String NAME_APK_FILE = "some.apk";
    public static final int REQUEST_INSTALL = 0;

     @Override
    protected void onCreate(@Nullable Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);

        // required permission:
        // android.Manifest.permission.WRITE_EXTERNAL_STORAGE 
        // android.Manifest.permission.READ_EXTERNAL_STORAGE

        installApk();

    }

    ...

    /**
     * Install APK File
     */
    private void installApk() {

        try {

            File filePath = Environment.getExternalStorageDirectory();// path to file apk
            File file = new File(filePath, LoadManagerApkFile.NAME_APK_FILE);

            Uri uri = getApkUri( file.getPath() ); // get Uri for  each SDK Android

            Intent intent = new Intent(Intent.ACTION_INSTALL_PACKAGE);
            intent.setData( uri );
            intent.setFlags( Intent.FLAG_GRANT_READ_URI_PERMISSION | Intent.FLAG_ACTIVITY_NEW_TASK );
            intent.putExtra(Intent.EXTRA_NOT_UNKNOWN_SOURCE, true);
            intent.putExtra(Intent.EXTRA_RETURN_RESULT, true);
            intent.putExtra(Intent.EXTRA_INSTALLER_PACKAGE_NAME, getApplicationInfo().packageName);

            if ( getPackageManager().queryIntentActivities(intent, 0 ) != null ) {// checked on start Activity

                startActivityForResult(intent, REQUEST_INSTALL);

            } else {
                throw new Exception("don`t start Activity.");
            }

        } catch ( Exception e ) {

            Log.i(TAG + ":InstallApk", "Failed installl APK file", e);
            Toast.makeText(getApplicationContext(), e.getMessage(), Toast.LENGTH_LONG)
                .show();

        }

    }

    /**
     * Returns a Uri pointing to the APK to install.
     */
    private Uri getApkUri(String path) {

        // Before N, a MODE_WORLD_READABLE file could be passed via the ACTION_INSTALL_PACKAGE
        // Intent. Since N, MODE_WORLD_READABLE files are forbidden, and a FileProvider is
        // recommended.
        boolean useFileProvider = Build.VERSION.SDK_INT >= Build.VERSION_CODES.N;

        String tempFilename = "tmp.apk";
        byte[] buffer = new byte[16384];
        int fileMode = useFileProvider ? Context.MODE_PRIVATE : Context.MODE_WORLD_READABLE;
        try (InputStream is = new FileInputStream(new File(path));
             FileOutputStream fout = openFileOutput(tempFilename, fileMode)) {

            int n;
            while ((n = is.read(buffer)) >= 0) {
                fout.write(buffer, 0, n);
            }

        } catch (IOException e) {
            Log.i(TAG + ":getApkUri", "Failed to write temporary APK file", e);
        }

        if (useFileProvider) {

            File toInstall = new File(this.getFilesDir(), tempFilename);
            return FileProvider.getUriForFile(this,  BuildConfig.APPLICATION_ID, toInstall);

        } else {

            return Uri.fromFile(getFileStreamPath(tempFilename));

        }

    }

    /**
     * Listener event on installation APK file
     */
    @Override
    protected void onActivityResult(int requestCode, int resultCode, @Nullable Intent data) {
        super.onActivityResult(requestCode, resultCode, data);

        if(requestCode == REQUEST_INSTALL) {

            if (resultCode == Activity.RESULT_OK) {
                Toast.makeText(this,"Install succeeded!", Toast.LENGTH_SHORT).show();
            } else if (resultCode == Activity.RESULT_CANCELED) {
                Toast.makeText(this,"Install canceled!", Toast.LENGTH_SHORT).show();
            } else {
                Toast.makeText(this,"Install Failed!", Toast.LENGTH_SHORT).show();
            }

        }

    }

    ...

}


2

これを試して

String filePath = cursor.getString(cursor.getColumnIndex(DownloadManager.COLUMN_LOCAL_FILENAME));
String title = filePath.substring( filePath.lastIndexOf('/')+1, filePath.length() );
Intent intent = new Intent(Intent.ACTION_VIEW);
intent.setDataAndType(Uri.fromFile(new File(filePath)), "application/vnd.android.package-archive");
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK); // without this flag android returned a intent error!
MainActivity.this.startActivity(intent);

1

まず、次の行をAndroidManifest.xmlに追加します。

<uses-permission android:name="android.permission.INSTALL_PACKAGES"
    tools:ignore="ProtectedPermissions" />

次に、次のコードを使用してapkをインストールします。

File sdCard = Environment.getExternalStorageDirectory();
            String fileStr = sdCard.getAbsolutePath() + "/MyApp";// + "app-release.apk";
            File file = new File(fileStr, "TaghvimShamsi.apk");
            Intent promptInstall = new Intent(Intent.ACTION_VIEW).setDataAndType(Uri.fromFile(file),
                    "application/vnd.android.package-archive");
            startActivity(promptInstall);

0

UpdateNodeは、別のアプリ内からAPKパッケージをインストールするためのAndroid用APIを提供します。

オンラインでUpdateを定義し、APIをアプリに統合するだけです。
現在、APIはベータ版の状態ですが、すでにいくつかのテストを自分で行うことができます。

それに加えて、UpdateNodeはシステムを介してメッセージを表示することもできます-ユーザーに重要なことを伝えたい場合に非常に役立ちます。

私はクライアント開発チームの一員であり、少なくとも自分のAndroidアプリのメッセージ機能を使用しています。

APIの統合方法については、こちらをご覧ください


ウェブサイトにいくつかの問題があります。api_keyを取得できず、登録を続行できません。
infinite_loop_

こんにちは、あなたのユーザーアカウント]セクション内のAPIキーを見つけることができます@infinite_loop_:updatenode.com/profile/view_keys
sarahara

0

これを試してください-マニフェストに書いてください:

uses-permission android:name="android.permission.INSTALL_PACKAGES"
        tools:ignore="ProtectedPermissions"

コードを書く:

File sdCard = Environment.getExternalStorageDirectory();
String fileStr = sdCard.getAbsolutePath() + "/Download";// + "app-release.apk";
File file = new File(fileStr, "app-release.apk");
Intent promptInstall = new Intent(Intent.ACTION_VIEW).setDataAndType(Uri.fromFile(file),
                        "application/vnd.android.package-archive");

startActivity(promptInstall);

1
パッケージインストーラーアクティビティを起動するのにシステムのみの権限は必要ありません
Clocker
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.