DownloadManager를 사용하여 활동 내에서 다운로드 진행률 표시


90

DownloadManager가 내 앱의 알림 표시 줄에 표시하는 것과 동일한 진행 상황을 재현하려고하는데 진행 상황이 게시되지 않습니다. runOnUiThread ()를 사용하여 업데이트하려고하는데 어떤 이유로 업데이트되지 않았습니다.

내 다운로드 :

String urlDownload = "https://dl.dropbox.com/s/ex4clsfmiu142dy/test.zip?token_hash=AAGD-XcBL8C3flflkmxjbzdr7_2W_i6CZ_3rM5zQpUCYaw&dl=1";
DownloadManager.Request request = new DownloadManager.Request(Uri.parse(urlDownload));

request.setDescription("Testando");
request.setTitle("Download");
request.allowScanningByMediaScanner();
request.setNotificationVisibility(DownloadManager.Request.VISIBILITY_VISIBLE_NOTIFY_COMPLETED);
request.setDestinationInExternalPublicDir(Environment.DIRECTORY_DOWNLOADS, "teste.zip");

final DownloadManager manager = (DownloadManager) getSystemService(Context.DOWNLOAD_SERVICE);

final long downloadId = manager.enqueue(request);

final ProgressBar mProgressBar = (ProgressBar) findViewById(R.id.progressBar1);

new Thread(new Runnable() {

    @Override
    public void run() {

        boolean downloading = true;

        while (downloading) {

            DownloadManager.Query q = new DownloadManager.Query();
            q.setFilterById(downloadId);

            Cursor cursor = manager.query(q);
            cursor.moveToFirst();
            int bytes_downloaded = cursor.getInt(cursor
                    .getColumnIndex(DownloadManager.COLUMN_BYTES_DOWNLOADED_SO_FAR));
            int bytes_total = cursor.getInt(cursor.getColumnIndex(DownloadManager.COLUMN_TOTAL_SIZE_BYTES));

            if (cursor.getInt(cursor.getColumnIndex(DownloadManager.COLUMN_STATUS)) == DownloadManager.STATUS_SUCCESSFUL) {
                downloading = false;
            }

            final double dl_progress = (bytes_downloaded / bytes_total) * 100;

            runOnUiThread(new Runnable() {

                @Override
                public void run() {

                    mProgressBar.setProgress((int) dl_progress);

                }
            });

            Log.d(Constants.MAIN_VIEW_ACTIVITY, statusMessage(cursor));
            cursor.close();
        }

    }
}).start();

내 statusMessage 메서드 :

private String statusMessage(Cursor c) {
    String msg = "???";

    switch (c.getInt(c.getColumnIndex(DownloadManager.COLUMN_STATUS))) {
    case DownloadManager.STATUS_FAILED:
        msg = "Download failed!";
        break;

    case DownloadManager.STATUS_PAUSED:
        msg = "Download paused!";
        break;

    case DownloadManager.STATUS_PENDING:
        msg = "Download pending!";
        break;

    case DownloadManager.STATUS_RUNNING:
        msg = "Download in progress!";
        break;

    case DownloadManager.STATUS_SUCCESSFUL:
        msg = "Download complete!";
        break;

    default:
        msg = "Download is nowhere in sight";
        break;
    }

    return (msg);
}

내 로그는 완벽하게 작동하고 내 다운로드가 실행되는 동안 "다운로드 진행 중!"이라고 표시됩니다. "다운로드 완료!"가 완료되었지만 진행 상황에서 동일하지 않습니다. 왜 그런가요? 도움이 정말 필요합니다. 다른 논리도 정말 감사합니다.


파일이 너무 작아서 진행 상황이 게시되기 전에 다운로드가 완료되었을 수 있습니까? 다운로드 쿼리는 작업에서 무엇을 반환합니까? 작업이 일정 시간 후에 만 ​​실행되는 경우 주 스레드에서 다른 장기 실행 작업이있을 수 있습니다.
Paul Lammertsma 2013

코드를 업데이트했습니다. 지금 살펴볼 수 있습니까? 파일 길이에 대해서는 너무 작지 않습니다. 알림 표시 줄에서 다운로드 진행률을 볼 수 있습니다
Victor Laerte 2013

답변:


62

두 개의 정수를 나눕니다.

final double dl_progress = (bytes_downloaded / bytes_total) * 100;

마찬가지로 bytes_downloaded미만이고 bytes_total, (bytes_downloaded / bytes_total)0이되며, 진행 그러므로 항상 0이됩니다.

계산을 다음으로 변경하십시오.

final int dl_progress = (int) ((bytes_downloaded * 100l) / bytes_total);

전체 백분위 수 (하위 임에도 불구하고)의 진행률을 얻습니다.


@AZ_ 기여해 주셔서 감사합니다. 더 정교한 솔루션으로 자신의 답변을 추가하는 것이 좋습니다.
폴 Lammertsma

이미 받아 들여진 답변의 다른 답변은 사용자에게 어려울 것이기 때문에 추가하고 싶지 않습니다. 내 편집을 수락하지 않도록 선택할 수 있습니다. :)
AZ_

1
활동이 종료되고 다운로드를 취소하려는 경우 division by zero치명적인 오류가 발생합니다. 내가처럼 한 이유 final int dl_progress = ( bytes_total > 0 ? (int) ((bytes_downloaded * 100L) / bytes_total) : 0 );
KaHa6uc

17

Paul의 대답은 정확하지만 더 큰 다운로드를 사용하면 max int에 매우 빠르게 도달하고 부정적인 진행을 시작합니다. 나는 이것을 사용하여 문제를 해결했습니다.

final int dl_progress = (int) ((bytes_downloaded * 100l) / bytes_total);

당신이 옳습니다. 다른 사람들이 같은 실수를하지 않도록 내 답변을 수정했습니다.
Paul Lammertsma 2014

4

Paul이 말했듯이, 결과는 항상 <1 인 두 개의 정수를 나눕니다.

부동 소수점으로 계산하고 반환하는 나누기 전에 항상 숫자 캐스팅하십시오 .

DivByZero를 처리하는 것을 잊지 마십시오.

final int dl_progress = (int) ((double)bytes_downloaded / (double)bytes_total * 100f);

4

누군가 RxJava를 사용하여 Kotlin에서 @Victor Laerte의 질문에서 다운로드 진행률 검색기를 구현해야하는 경우 여기로 이동하십시오.

DownloadStateRetriever.kt

class DownloadStateRetriever(private val downloadManager: DownloadManager) {

    fun retrieve(id: Long) {
        var downloading = AtomicBoolean(true)

        val disposable = Observable.fromCallable {
            val query = DownloadManager.Query().setFilterById(id)
            val cursor = downloadManager.query(query)

            cursor.moveToFirst()

            val bytesDownloaded = cursor.intValue(DownloadManager.COLUMN_BYTES_DOWNLOADED_SO_FAR)
            val bytesTotal = cursor.intValue(DownloadManager.COLUMN_TOTAL_SIZE_BYTES)

            if (isSuccessful(cursor)) downloading.set(false)
            cursor.close()

            if (bytesTotal == 0) 0.toInt() else ((bytesDownloaded * 100F) / bytesTotal).toInt()
        }
                .subscribeOn(Schedulers.newThread())
                .delay(1, TimeUnit.SECONDS)
                .repeatUntil { !downloading.get() }
                .subscribe {
                    Timber.i("Subscribed to $id. progress: $it")
                }
    }

    private fun isSuccessful(cursor: Cursor) = status(cursor) == DownloadManager.STATUS_SUCCESSFUL

    private fun status(cursor: Cursor) = cursor.intValue(DownloadManager.COLUMN_STATUS)
}

코드 명확성을 위해 커서에 확장을 추가했습니다.

CursorExtensions.kt

import android.database.Cursor

fun Cursor.column(which: String) = this.getColumnIndex(which)
fun Cursor.intValue(which: String): Int = this.getInt(column(which))
fun Cursor.floatValue(which: String): Float = this.getFloat(column(which))
fun Cursor.stringValue(which: String): String = this.getString(column(which))
fun Cursor.doubleValue(which: String): Double = this.getDouble(column(which))

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.