Flex 4.6移动应用程序中的Progress事件

时间:2013-02-11 21:31:06

标签: flex flex4.5 flexbuilder

我只是在开发Flex移动应用程序,需要显示图像的上传进度。

代码是:

protected function upload( ba:ByteArray, fileName:String = null ):void {
            if( fileName == null ) {                
                var now:Date = new Date();
                fileName = "IMG" + now.fullYear + now.month +now.day +
                    now.hours + now.minutes + now.seconds + ".jpg";
            }

            var loader:URLLoader    = new URLLoader();
            loader.dataFormat       = URLLoaderDataFormat.BINARY;

            var wrapper:URLRequestWrapper = new URLRequestWrapper(ba, fileName, null, params);
            wrapper.url = "http://www.the_url_to_upload.com/php_content/upload_image.php";

            loader.addEventListener( Event.COMPLETE,            completeImageHandler );
            loader.addEventListener( ProgressEvent.PROGRESS,    imageProgress);
            loader.addEventListener(IOErrorEvent.IO_ERROR,      errorImageUploading );
            loader.load(wrapper.request);
        }
        private function imageProgress(evt:ProgressEvent):void {
            var pcent:Number=Math.floor(evt.bytesLoaded/evt.bytesTotal*100);
            label_upload.text = pcent+"%";
        }

我有一个名为“label_upload”的标签,它应该显示文件上传时的进度百分比。

事实是,一切正常,但进步事件不会改变任何事情。始终显示0%。

我猜错了。

感谢。

1 个答案:

答案 0 :(得分:1)

Flash不会为上传文件提供进度事件 - 仅下载。

如果您需要进度事件,则必须将文件拆分为多个部分并一次上传每个部分;手动更新进度消息以响应每个部分的完整事件。例如:

//assume file to upload stored as ByteArray called "ba"

//setup counters
currentChunk = 0;
totalChunks = Math.ceil(ba.length/CHUNK_SIZE);
//listener
loader.addEventListener(Event.COMPLETE, completeHandler);

此代码将发送一个块:

function sendChunk():void
{
    const CHUNK_SIZE:int = 4096;
    var request:URLRequest = new URLRequest(destinationUrl);
    request.method = URLRequestMethod.POST;
    request.contentType = "application/octet-stream";
    request.data = new ByteArray();
    var chunkSize:uint = Math.min(CHUNK_SIZE, ba.bytesAvailable);
    ba.readBytes(request.data as ByteArray, 0, chunkSize);
    loader.load(request);
}

CHUNK_SIZE是一次发送的最大字节数。 request.contentType = ...将数据格式设置为二进制。

然后:

function completeHandler(event:Event):void
{
    //expect a result from server to acknowledge receipt of data
    if (loader.data=="OK")
    {
        if (++currentChunk<totalChunks)
        {
    trace("progress: "+currentChunk+" of "+totalChunks+" sent");
            //send next chunk
            sendChunk();
        }
        else
        {
             trace("finished!");
        }
    }
    else
    {
        trace("OK not receieved from server");
    }
}

这将分段发送整个文件。 php脚本应该以“OK”响应(或选择其他适当的响应) - 这将显示在loader.data中 - 因此flash知道没有错误。

我无法帮助你处理php方面的问题,因为我总是将其留给其他人,但我非常直接,因为我理解它,所以堆栈上的问题应该能给你一个答案。