Мне нужно знать, сколько байт было загружено для обновления индикатора выполнения Android - PullRequest
4 голосов
/ 28 июля 2011

Я занимаюсь разработкой приложения для загрузки видео на сервер Apache / PHP. На данный момент я уже могу загружать видео. Мне нужно показать индикатор выполнения во время загрузки файла. У меня есть следующий код, использующий библиотеки AsyncTask и HTTP 4.1.1 для эмуляции FORM.

class uploadVideo extends AsyncTask<Void,Void,String>{

    @Override
    protected String doInBackground(Void... params) {
        // Create a new HttpClient and Post Header
        HttpClient httpclient = new DefaultHttpClient();
        HttpPost httppost = new HttpPost("http://www.youtouch.cl/videoloader/index.php");           
        try {
            // Add your data
            File input=new File(fileName);              

            MultipartEntity multi=new MultipartEntity(HttpMultipartMode.BROWSER_COMPATIBLE);                

            multi.addPart("video", new FileBody(input));                

            httppost.setEntity(multi);

            // Execute HTTP Post Request
            HttpResponse response = httpclient.execute(httppost);               

            HttpEntity entity = response.getEntity();

            BufferedReader reader = new BufferedReader(
                    new InputStreamReader(
                            entity.getContent(), "UTF-8"));
            String sResponse = reader.readLine();
            return sResponse;

        } catch (ClientProtocolException e) {
            Log.v("Uri Galeria", e.toString());
            e.printStackTrace();                

        } catch (IOException e) {
            Log.v("Uri Galeria", e.toString());
            e.printStackTrace();                
        }
        return "error";
    }

    @Override
    protected void onProgressUpdate(Void... unsued) {
                //Here I do should update the progress bar
    }

    @Override
    protected void onPostExecute(String sResponse) {
        try {
            if (pd.isShowing())
                pd.dismiss();

            if (sResponse != null) {
                JSONObject JResponse = new JSONObject(sResponse);
                int success = JResponse.getInt("SUCCESS");
                String message = JResponse.getString("MESSAGE");
                if (success == 0) {
                    Toast.makeText(getApplicationContext(), message,
                            Toast.LENGTH_LONG).show();
                } else {
                    Toast.makeText(getApplicationContext(),
                            "Video uploaded successfully",
                            Toast.LENGTH_SHORT).show();

                }
            }
        } catch (Exception e) {
            Toast.makeText(getApplicationContext(),
                    e.getMessage(),
                    Toast.LENGTH_LONG).show();
            Log.e(e.getClass().getName(), e.getMessage(), e);
        }
    }

Мне нужно знать, где я могу узнать, сколько байт было загружено. File.length - это общий размер.

Ответы [ 4 ]

3 голосов
/ 29 июля 2011

благодаря идее Cyngus я решил эту проблему. Я добавил следующий код для отслеживания загруженных байтов:

Слушатель на кнопке загрузки:

    btnSubir.setOnClickListener(new OnClickListener() {

        @Override
        public void onClick(View v) {
            //pd = ProgressDialog.show(VideoAndroidActivity.this, "", "Subiendo Video", true, false);

            pd = new ProgressDialog(VideoAndroidActivity.this);
            pd.setMessage("Uploading Video");
            pd.setIndeterminate(false);
            pd.setMax(100);
            pd.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL);
            pd.show();
            //Thread thread=new Thread(new threadUploadVideo());
            //thread.start();
            new UploadVideo().execute();
        }
    });

Asynctask для запуска загрузки:

class UploadVideo extends AsyncTask<Void,Integer,String> {
    private FileBody fb;

    @Override
    protected String doInBackground(Void... params) {
        // Create a new HttpClient and Post Header
        HttpClient httpclient = new DefaultHttpClient();
        HttpPost httppost = new HttpPost("http://www.youtouch.cl/videoloader/index.php");   
        int count;
        try {
            // Add your data
            File input=new File(fileName);

            // I created a Filebody Object
            fb=new FileBody(input);
            MultipartEntity multi=new MultipartEntity(HttpMultipartMode.BROWSER_COMPATIBLE);
            multi.addPart("video",fb);          

            httppost.setEntity(multi);              
            // Execute HTTP Post Request
            HttpResponse response = httpclient.execute(httppost);

            //get the InputStream
            InputStream is=fb.getInputStream();

            //create a buffer
            byte data[] = new byte[1024];//1024

            //this var updates the progress bar
            long total=0;
            while((count=is.read(data))!=-1){
                total+=count;
                publishProgress((int)(total*100/input.length()));
            }
            is.close();             
            HttpEntity entity = response.getEntity();

            BufferedReader reader = new BufferedReader(
                    new InputStreamReader(
                            entity.getContent(), "UTF-8"));
            String sResponse = reader.readLine();
            return sResponse;

        } catch (ClientProtocolException e) {
            Log.v("Uri Galeria", e.toString());
            e.printStackTrace();                

        } catch (IOException e) {
            Log.v("Uri Galeria", e.toString());
            e.printStackTrace();                
        }
        return "error";
    }

    @Override
    protected void onProgressUpdate(Integer... unsued) {        
        pd.setProgress(unsued[0]);
    }

    @Override
    protected void onPostExecute(String sResponse) {
        try {
            if (pd.isShowing())
                pd.dismiss();

            if (sResponse != null) {
                    Toast.makeText(getApplicationContext(),sResponse,Toast.LENGTH_SHORT).show();
                    Log.i("Splash", sResponse);                 
            }
        } catch (Exception e) {
            Toast.makeText(getApplicationContext(),
                    e.getMessage(),
                    Toast.LENGTH_LONG).show();
            Log.e(e.getClass().getName(), e.getMessage(), e);
        }
    }


}

Загрузка индикатора выполнения немного медленная (при запуске кажется, что она зависла, а затем очень быстро загружается от 1 до 100), но работает.

Извините, мой английский постоянный: (.

3 голосов
/ 28 июля 2011

Вы пытались расширить FileBody? Предположительно, POST вызовет getInputStream() или writeTo() для фактической отправки данных файла на сервер. Вы можете расширить любой из них (включая InputStream, возвращаемый getInputStream()) и отслеживать, сколько данных было отправлено.

1 голос
/ 10 октября 2013

Проверьте мой ответ здесь, я думаю, он отвечает на ваш вопрос: Но обновите путь к файлу изображения до загружаемого вами видео

https://stackoverflow.com/questions/15572747/progressbar-in-asynctask-is-not-showing-on-upload

1 голос
/ 07 сентября 2012

Я использовал для расширения org.apache.http.entity.ByteArrayEntity и переопределения функции writeTo, как показано ниже, в то время как вывод байтов будет проходить через writeTo (), так что вы можете считать текущие выходные байты:

@Override
public void writeTo(final OutputStream outstream) throws IOException 
{
    if (outstream == null) {
        throw new IllegalArgumentException("Output stream may not be null");
    }

    InputStream instream = new ByteArrayInputStream(this.content);

    try {
        byte[] tmp = new byte[512];
        int total = (int) this.content.length;
        int progress = 0;
        int increment = 0;
        int l;
        int percent;

        // read file and write to http output stream
        while ((l = instream.read(tmp)) != -1) {
            // check progress
            progress = progress + l;
            percent = Math.round(((float) progress / (float) total) * 100);

            // if percent exceeds increment update status notification
            // and adjust increment
            if (percent > increment) {
                increment += 10;
                // update percentage here !!
            }

            // write to output stream
            outstream.write(tmp, 0, l);
        }

        // flush output stream
        outstream.flush();
    } finally {
        // close input stream
        instream.close();
    }
}
...