Android 앱 온라인 다운로드 업데이트 실현

머리말
프로젝트 주소:UpdateAppDemo
현재 안 드 로 이 드 앱 은 일정 시간 간격 으로 새로운 버 전 을 발표 합 니 다.어떤 앱 을 열 면 최신 버 전이 있 으 면 업 데 이 트 를 다운로드 할 지 여 부 를 알려 줍 니 다.본 고 는 안 드 로 이 드 자체 다운로드 관리자 DownloadManager 를 이용 하여 최신 버 전의 apk 를 다운로드 하고 다운로드 가 완료 되면 자동 으로 점프 하여 설치 합 니 다.효 과 는 다음 과 같 습 니 다:

첫 번 째,버 전 검사 및 업데이트 여 부 를 판단 합 니 다.
현재 app 버 전 번 호 를 가 져 와 서버 의 버 전 번호 와 비교 합 니 다.로 컬 버 전 번호 가 서버 버 전 번호 보다 낮 으 면 알림 상자 가 팝 업 됩 니 다.새 버 전 을 발견 하고 업 데 이 트 를 다운로드 할 지 여부 입 니 다.

/**
 * Created by Teprinciple on 2016/11/15.
 */
public class UpdateAppUtil {

  /**
   *     apk     currentVersionCode
   * @param ctx
   * @return
   */
  public static int getAPPLocalVersion(Context ctx) {
    int currentVersionCode = 0;
    PackageManager manager = ctx.getPackageManager();
    try {
      PackageInfo info = manager.getPackageInfo(ctx.getPackageName(), 0);
      String appVersionName = info.versionName; //    
      currentVersionCode = info.versionCode; //    
    } catch (PackageManager.NameNotFoundException e) {
      e.printStackTrace();
    }
    return currentVersionCode;
  }

  /**
   *           
   * @param context
   * @param callBack
   */
  public static void getAPPServerVersion(Context context, final VersionCallBack callBack){

    HttpUtil.getObject(Api.GETVERSION.mapClear().addBody(), VersionInfo.class, new HttpUtil.ObjectCallback() {
      @Override
      public void result(boolean b, @Nullable Object obj) {
        if (b){
            callBack.callBack((VersionInfo) obj);
        }
      }
    });
  }

  /**
   *      ,  APP
   * @param context
   */
  public static void updateApp(final Context context){
    getAPPServerVersion(context, new VersionCallBack() {
      @Override
      public void callBack(final VersionInfo info) {
        if (info != null && info.getVersionCode()!=null){

          Log.i("this","    :  "+getAPPLocalVersion(context)+",   :"+Integer.valueOf(info.getVersionCode()));

          if (Integer.valueOf(info.getVersionCode()) > getAPPLocalVersion(context)){
            ConfirmDialog dialog = new ConfirmDialog(context, new lht.wangtong.gowin120.doctor.views.feature.Callback() {
              @Override
              public void callback() {
                DownloadAppUtils.downloadForAutoInstall(context, Api.HOST_IMG+info.getLoadPath(), "demo.apk", "  demo");
              }
            });
            dialog .setContent("     :"+info.getVersionNumber()+"
?"); dialog.setCancelable(false); dialog .show(); } } } }); } public interface VersionCallBack{ void callBack(VersionInfo info); } }
두 번 째,최신 APK 다운로드
Android 자체 DownloadManager 를 통 해 관리 자 를 다운로드 하고 서버 의 최신 APK 를 다운로드 합 니 다.다운로드 가 완료 되면 다운로드 가 완 료 된 라디오 를 보 냅 니 다.

/**
 * Created by Teprinciple on 2016/11/15.
 */
public class DownloadAppUtils {
  private static final String TAG = DownloadAppUtils.class.getSimpleName();
  public static long downloadUpdateApkId = -1;//    Apk        Id
  public static String downloadUpdateApkFilePath;//    Apk     

  /**
   *        APK 
   * @param context
   * @param url
   */
  public static void downloadForWebView(Context context, String url) {
    Uri uri = Uri.parse(url);
    Intent intent = new Intent(Intent.ACTION_VIEW, uri);
    intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
    intent.setDataAndType(Uri.fromFile(new File(Environment
            .getExternalStorageDirectory(), "tmp.apk")),
        "application/vnd.android.package-archive");
    context.startActivity(intent);
  }


  /**
   *     apk 
   *   :1,<uses-permission android:name="android.permission.DOWNLOAD_WITHOUT_NOTIFICATION" />
   * @param context
   * @param url
   */
  public static void downloadForAutoInstall(Context context, String url, String fileName, String title) {
    //LogUtil.e("App    url="+url+",fileName="+fileName+",title="+title);
    if (TextUtils.isEmpty(url)) {
      return;
    }
    try {
      Uri uri = Uri.parse(url);
      DownloadManager downloadManager = (DownloadManager) context
          .getSystemService(Context.DOWNLOAD_SERVICE);
      DownloadManager.Request request = new DownloadManager.Request(uri);
      //       
      request.setVisibleInDownloadsUi(true);
      request.setTitle(title);
      String filePath = null;
      if (Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {//     
        filePath = Environment.getExternalStorageDirectory().getAbsolutePath();

      } else {
        T.showShort(context, R.string.download_sdcard_error);
        return;
      }
      downloadUpdateApkFilePath = filePath + File.separator + fileName;
      //    ,   
      deleteFile(downloadUpdateApkFilePath);
      Uri fileUri = Uri.parse("file://" + downloadUpdateApkFilePath);
      request.setDestinationUri(fileUri);
      downloadUpdateApkId = downloadManager.enqueue(request);
    } catch (Exception e) {
      e.printStackTrace();
      downloadForWebView(context, url);
    }
  }


  private static boolean deleteFile(String fileStr) {
    File file = new File(fileStr);
    return file.delete();
  }
}

추가 권한 주의:

<uses-permission android:name="android.permission.DOWNLOAD_WITHOUT_NOTIFICATION" />
세 번 째,다운로드 완료 후 점프 설치
방송 수신 자 를 통 해 다운로드 가 완 료 된 후 보 내 는 방송 을 받 고 시스템 의 설치 인터페이스 로 넘 어가 설치 합 니 다.

/**
 * Created by Teprinciple on 2016/11/15.
 */
public class UpdateAppReceiver extends BroadcastReceiver {
  public UpdateAppReceiver() {
  }

  @Override
  public void onReceive(Context context, Intent intent) {
    //       
    Cursor c=null;
    try {
      if (DownloadManager.ACTION_DOWNLOAD_COMPLETE.equals(intent.getAction())) {
        if (DownloadAppUtils.downloadUpdateApkId >= 0) {
          long downloadId = DownloadAppUtils.downloadUpdateApkId;
          DownloadManager.Query query = new DownloadManager.Query();
          query.setFilterById(downloadId);
          DownloadManager downloadManager = (DownloadManager) context
              .getSystemService(Context.DOWNLOAD_SERVICE);
          c = downloadManager.query(query);
          if (c.moveToFirst()) {
            int status = c.getInt(c
                .getColumnIndex(DownloadManager.COLUMN_STATUS));
            if (status == DownloadManager.STATUS_FAILED) {
              downloadManager.remove(downloadId);

            } else if (status == DownloadManager.STATUS_SUCCESSFUL) {
              if (DownloadAppUtils.downloadUpdateApkFilePath != null) {
                Intent i = new Intent(Intent.ACTION_VIEW);
                i.setDataAndType(
                    Uri.parse("file://"
                        + DownloadAppUtils.downloadUpdateApkFilePath),
                    "application/vnd.android.package-archive");
                i.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
                context.startActivity(i);
              }
            }
          }
        }
      }/* else if (DownloadManager.ACTION_NOTIFICATION_CLICKED.equals(intent.getAction())) {//        
        DownloadManager downloadManager = (DownloadManager) context
            .getSystemService(Context.DOWNLOAD_SERVICE);
        long[] ids = intent.getLongArrayExtra(DownloadManager.EXTRA_NOTIFICATION_CLICK_DOWNLOAD_IDS);
        //         
        downloadManager.remove(ids);
      }*/

    } catch (Exception e) {
      e.printStackTrace();
    }finally {
      if (c != null) {
        c.close();
      }
    }
  }
}

AndroidMainfest.xml 에 receiver 를 등록 해 야 합 니 다:

<receiver android:name=".updateapp.UpdateAppReceiver"
      android:enabled="true"
      android:exported="true">
      <intent-filter>
        <action android:name="android.intent.action.DOWNLOAD_COMPLETE" />
        <action android:name="android.intent.action.DOWNLOAD_NOTIFICATION_CLICKED"/>
      </intent-filter>
</receiver>
위의 세 단 계 를 통 해 앱 의 온라인 업 데 이 트 를 빠르게 실현 할 수 있다.
프로젝트 주소:UpdateAppDemo
이상 이 바로 본 고의 모든 내용 입 니 다.여러분 의 학습 에 도움 이 되 고 저 희 를 많이 응원 해 주 셨 으 면 좋 겠 습 니 다.

좋은 웹페이지 즐겨찾기