Flash interprets 3xx redirect responses as errors.

Hi I am trying to upload videos to the YouTube API, it used to work great, butsomething has changed and now Flash interprets 3xx redirect responses as errors!
I found a post on another forum where somebody has commented on the issue much better than i can, but there is still no answer
Help please? I think this is an actual BUG in flash though...
[ANOTHER GUYS QUESTION]
Please help us to solve the following issue:
We are uploading a video to YouTube using the FileReference.upload()
method in AS3/Flex.  When it finishes, YouTube sends a status 302,
which causes FileReference to trigger an IOErrorEvent. ResponseURL
parameter is empty with no any data to extract. Of course, we expect
here status 200 and after some tests we noticed the problem is
connected with versions of Flash Player.
We tested on next versions and:
10.0.42.34 worked (received status 200)
10.0.42.45 didn't work (received status 302)
10.1.53.64 didn't work (received status 302)
Also we found some older post from July 7, 2009 on
http://blog.curiousmedia.com/?q=blog/upload-youtube-flash which
describes the same problem in section "The Mac problem" but with no
correct solution.
Something similar about status 302 was said and for Youtube API for
Python where the one should set ssl param to False to receive correct
status back, but we are not sure how this can be implemented in
context of flash. Here is the post about it:
http://stackoverflow.com/questions/2863785/gdata-youtube-api-302-the-...
We tried to search alot all over the internet and Youtube's Docs, but
there is no any mention about the solution for this problem.
Thanks for any reply in advance!
[YOUTUBES ANSWER]
Hi there,
I ran the example you are referring to and I'm getting 302, as expected
since it is basically utilizing the browser-based uploading mechanism which
triggers a redirect.
From AS3 documentation I gather that, ioError event always follows
httpStatus event :
http://www.adobe.com/livedocs/flash/9.0/ActionScriptLangRefV3/flash/n...
and this is what I see while running the uploader in Flex 10.x plugin :
[HTTPStatusEvent type="httpStatus" bubbles=false cancelable=false
eventPhase=2 status=302 responseURL=null]
[IOErrorEvent type="ioError" bubbles=false cancelable=false eventPhase=2
text="Error #2038: File I/O Error. URL:
http://uploads.gdata.youtube.com/action/FormDataUpload/AIwbFARxu-IiTy...
The file does get uploaded to YouTube, as expected. However, it looks like
Flash interprets 3xx redirect responses as errors.
The challenge of coming up with a better solution is related to limitations
of flash.net.FileReference, currently it does not allow one to set custom
request headers in Flash (from docs I gather that it is possible in Adobe
Air though) to implement, for example, resumable uploads.
Thanks,
Jarek Wilkiewicz, YouTube API Team
Any ideas gurus????
Cheers

HI, i'm currently facing tha same issue, succesfull uploads but a non usable response object from event:
[HTTPStatusEvent type="httpStatus" bubbles=false cancelable=false eventPhase=2 status=302 responseURL=null]
Did u ever solved it or found a solution for this?
this is my actual code:
package com.theguaz {
    import flash.display.*;
    import flash.events.*;
    import flash.net.*;
    import flash.system.*;
    import flash.external.ExternalInterface;
    import com.adobe.serialization.json.*
    import com.greensock.TweenMax;
    import com.greensock.easing.*
    import com.greensock.plugins.*;
    public class FinalConnector extends MovieClip {
        private const _getTokenURL:String = "http://clientloginsolverUrl/youtube.php";
        private var _fileReference:FileReference;
        private var _uploadComplete:Boolean;
        private var _postUrl:String;
        private var _nextUrl:String;
        private var _token:String
        public function FinalConnector() {
            // constructor code
            addEventListener(Event.ADDED_TO_STAGE, configUI);
        private function configUI(e:Event):void {
            stage.scaleMode = StageScaleMode.NO_SCALE;
            stage.align = StageAlign.TOP_LEFT;
            setupBtns();
        private function setupBtns():void{
            login_btn.addEventListener(MouseEvent.CLICK, clickEventHandler);
            upload_btn.addEventListener(MouseEvent.CLICK, clickEventHandler);
            upload_btn.alpha = .1; upload_btn.mouseEnabled = false;
        private function clickEventHandler(e:MouseEvent):void{
            switch(e.currentTarget){
                case login_btn:
                    youTubeLoginGateway();
                break;
                case upload_btn:
                    doUploadClick();
                break;
                /*case logout_btn:
                    doLogoutClick();
                break;*/
        private function youTubeLoginGateway ():void {
            var urlRequest:URLRequest = new URLRequest(_getTokenURL);
            urlRequest.method = URLRequestMethod.GET;
            var urlLoader:URLLoader = new URLLoader();
            urlLoader.addEventListener(Event.COMPLETE, authCompleteHandler);
            urlLoader.addEventListener(SecurityErrorEvent.SECURITY_ERROR, authFailedHandler);
            urlLoader.addEventListener(IOErrorEvent.IO_ERROR, authFailedHandler);
            urlLoader.load(urlRequest);
        private function authCompleteHandler(event:Event):void {
            var urlLoader:URLLoader = URLLoader(event.target);
            var result:Object = JSON.decode(urlLoader.data);
            _token = result.token;
            _postUrl = result.postUrl;           
            upload_btn.alpha = 1; upload_btn.mouseEnabled = true;
            label_txt.text = urlLoader.data;
        private function authFailedHandler(event:ErrorEvent):void {
            var loginErrorEvent = event;
            ExternalInterface.call("console.log", loginErrorEvent);
        private function doUploadClick():void {
          _fileReference = new FileReference();
          _fileReference.addEventListener(Event.SELECT, fileSelectHandler);
          _fileReference.addEventListener(ProgressEvent.PROGRESS, progressHandler);
          _fileReference.addEventListener(IOErrorEvent.IO_ERROR, ioErrorHandler);
          _fileReference.addEventListener(HTTPStatusEvent.HTTP_STATUS, httpStatusHandler);
              var videoFilter:FileFilter = new FileFilter("Video", ".*f4v; *.flv; *.wmv; *.mpeg; *.mpg; *.f4v; *.vp8; *.webm; *.3gp; *.mp4; *.mov; *.avi; *.mpegs; *.mpg; *.3gpp;");
            _fileReference.browse([videoFilter]);
        private function httpStatusHandler(event:HTTPStatusEvent):void {
          // Browser-based uploads end with a HTTP 302 redirect to the 'nexturl' page.
          // However, Flash doesn't properly handle this redirect. So we just use the presence of the 302
          // redirect to assume success. It's not ideal. More info on browser-based uploads can be found at
          // http://code.google.com/apis/youtube/2.0/developers_guide_protocol_browser_based_uploading. html
              if (event.status == 302) {
                trace(event);
                _uploadComplete = true;
                label_txt.text = 'File uploaded successfully.';
                TweenMax.to(label_txt, .25, {alpha:1});
        private function fileSelectHandler(event:Event):void {
            _fileReference.addEventListener(Event.COMPLETE, uploadCompleteHandler);
            uploadFile();
        private function uploadCompleteHandler(event:Event):void {
            label_txt.text = "File Uploaded: " + event.target.name;
        private function progressHandler(event:ProgressEvent):void {
              var percent:Number = Math.round(100 * event.bytesLoaded / event.bytesTotal);
            label_txt.text = String(percent);
        private function ioErrorHandler(event:IOErrorEvent):void {
              // uploadComplete is set in the httpStatusHandler when the HTTP 302 is returned by the YouTube API.
              if (!_uploadComplete) {
                trace('An error occurred: ' + event);
        private function uploadFile():void {
            var variables:URLVariables = new URLVariables();
            variables.token = _token;
            variables.nextUrl = "http://whatsoever/success.php";
            label_txt.text = "uploading...";
            TweenMax.to(label_txt, .25, {yoyo:true, repeat:-1, alpha:.5});
            var fileUploadUrl:URLRequest = new URLRequest(_postUrl);
            fileUploadUrl.contentType = "multipart/form-data";
            fileUploadUrl.method = URLRequestMethod.POST;
            fileUploadUrl.data = variables
              _fileReference.upload(fileUploadUrl, 'file');
        //////////// END OF CLASS
regards

Similar Messages

  • Facebook Flash App (Desktop) Browser Descrepancies / OAuth Error. Why?

    I am building a flash game that I have embedded in facebook. The actionscript api to login through facebook is the Player.io (Yahoo Games Network) as3 library. Here is a link to the current game:https://apps.facebook.com/blackjackbattledev/
    It seems to work fine in Firefox browser (I'm using Windows 7), but then when I try to go to the game in Chrome or IE I get redirected to an error page with this text:
    {  "error": 
                        "message": "Invalid redirect_uri: Given URL is not allowed by the Application configuration.",
                        "type": "OAuthException", "code": 191
    When it goes to the error page the url in the address bar begins withhttps://graph.facebook.com/oauth/authorize.... I am not sure why it is being redirected here. but the authentication shouldn't happen until the "facebook login" button is clicked so I don't know why I would be getting OAuth errors before even landing on the page. Does anyone know what could be the problem here?

    You can try this
    http://na.blackberry.com/eng/devices/features/social/facebook_download.jsp
    enter an email address that’s integrated with your BlackBerry smartphone below and click submit to have a download link sent to you. I just did it and its work.

  • " Can not interpret the data in file " error while uploading the data in DB

    Dear All ,
    After running the below report I am getting the " Can not interpret the data in file " error.
    Need to upload the data in DB through excel or .txt file.
    Kindly advise to resolve the issue.
    REPORT  ZTEST_4.
    data : it like ZPRINT_LOC occurs 0 with header line,
    FILETABLE type table of FILE_TABLE,
    wa_filetable like line of filetable,
    wa_filename type string,
    rc type i.
    CALL METHOD CL_GUI_FRONTEND_SERVICES=>FILE_OPEN_DIALOG
    CHANGING
    FILE_TABLE = filetable
    RC = rc.
    IF SY-SUBRC = 0.
    read table filetable into wa_filetable index 1.
    move wa_filetable-FILENAME to wa_filename.
    Else.
    Write: / 'HI'.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
    WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    ENDIF.
    start-of-selection.
    CALL FUNCTION 'GUI_UPLOAD'
    EXPORTING
    FILENAME = wa_filename
    FILETYPE = 'ASC'
    HAS_FIELD_SEPARATOR = 'X'
    TABLES
    DATA_TAB = it.
    IF SY-SUBRC = 0.
    Write: / 'HI'.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
    WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    ENDIF.
    insert ZPRINT_LOC from table it.
    if sy-subrc = 0.
    commit work.
    else.
    rollback work.
    endif.
    Regards
    Machindra Patade
    Edited by: Machindra Patade on Apr 9, 2010 1:34 PM

    Dear dedeepya reddy,
    Not able to upload the excel but have sucess to upload the .csv file to db through the below code. Thanks for your advise.
    REPORT  ZTEST_3.
             internal table declaration
    DATA: itab TYPE STANDARD TABLE OF ZPRINT_LOC,
          wa LIKE LINE OF itab,
          wa1 like line of itab.
                       variable  declaration
    DATA: v_excel_string(2000) TYPE c,
           v_file LIKE v_excel_string VALUE    'C:\Documents and Settings\devadm\Desktop\test.csv',  " name of the file
            delimiter TYPE c VALUE ' '.         " delimiter with default value space
         read the file from the application server
      OPEN DATASET v_file FOR INPUT IN TEXT MODE ENCODING DEFAULT.
    IF sy-subrc NE 0.
    write:/ 'error opening file'.
      ELSE.
        WHILE ( sy-subrc EQ 0 ).
          READ DATASET v_file INTO wa.
          IF NOT wa IS INITIAL.
            append wa TO itab.
          ENDIF.
          CLEAR wa.
        ENDWHILE.
      ENDIF.
    CLOSE DATASET v_file.
    EXEC SQL.
         TRUNCATE TABLE "ZPRINT_LOC"
    ENDEXEC.
    *------display the data from the internal table
    LOOP AT itab into wa1.
    WRITE:/ wa1-mandt,wa1-zloc_code,wa1-zloc_desc,wa1-zloc,wa1-zstate.
    ENDLOOP.
    insert ZPRINT_LOC from table itab.

  • Flash player plugin _12_0_0_77.exe - application error in win 7

    How to solve flash player plugin _12_0_0_77.exe - application error in win 7?

    You get this when doing what?  Is there any additional information in the message?

  • Adobe Flash will not install. (Shows errors.)

    I tried to install the Trial version to at least know what I'm buying, but it stopped and showed all of these errors.
    OS: Windows XP Service Pack 2
    It's also a 32 bit system. Is that why I can't install it?
    Exit Code: 7
    -------------------------------------- Summary --------------------------------------
    - 0 fatal error(s), 57 error(s), 10 warning(s)
    WARNING: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has recommended dependency on:
    WARNING:     Family: Adobe Web Suite CS5
    WARNING:     ProductName: Adobe Media Encoder CS5 X64
    WARNING:     MinVersion: 0.0.0.0
    WARNING:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    WARNING:     Removing this payload from the dependency list.
    WARNING: CreateAlias:Icon file does not exist at C:\Program Files\Adobe\Adobe Utilities - CS5\Pixel Bender Toolkit 2\windows\pb_app.icofile:\\\C:\PIXELB~1\source\winwood\Staging    0X1.3EB408P-1022rea\windows\pb_app.ico42178f80493091e8e552c84a2897e9da68fce32_32_f8049309 1e8e552c84a2897e9da68fce for icon C:\Documents and Settings\All Users\Start Menu\Programs\Adobe Pixel Bender Toolkit 2.lnk with target C:\Program Files\Adobe\Adobe Utilities - CS5\Pixel Bender Toolkit 2\Pixel Bender Toolkit.exe
    WARNING: 1 ARKServiceControl::StartService: Service not started/stopped SwitchBoard. Current State: 0 Exit Code: 0 Service Specific Exit Code: 0
    WARNING: Payload cannot be installed due to dependent operation failure
    WARNING: Payload cannot be installed due to dependent operation failure
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: Adobe Player for Embedding x64
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: Shared Technology
    ERROR:     ProductName: Photoshop Camera Raw (64 bit)
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: AdobeCMaps x64 CS5
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: Adobe Linguistics CS5 x64
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: AdobePDFL x64 CS5
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: AdobeTypeSupport x64 CS5
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: The payload with AdobeCode:  {CFC9F871-7C40-40B6-BE4A-B98A5B309716} has required dependency on:
    ERROR:     Family: CoreTech
    ERROR:     ProductName: Adobe WinSoft Linguistics Plugin CS5 x64
    ERROR:     MinVersion: 0.0.0.0
    ERROR:     This dependency is not satisfied, because this payload is x64 and is not supported on this machine.
    ERROR:     Removing this dependency from list. Product may function improperly.
    ERROR: 135 Unable to move file at "C:\Program Files\Common Files\Adobe\Installers\adobeTemp\{14A2CC02-4638-405D-8190-ECD7BFD32D6E}\_128_02f2e862cc94 2fa3f337fbfbf3734051" to "C:\Program Files\Adobe\Adobe Flash CS5\en_US\Configuration\Libraries\Sounds.fla" Error 32 The process cannot access the file because it is being used by another process.
    ERROR: 135 Command ARKMoveFileCommand failed.
    ERROR: 135 Unable to delete file copy at "C:\Program Files\Adobe\Adobe Flash CS5\en_US\Configuration\Libraries\Sounds.fla" Error 2 The system cannot find the file specified.
    ERROR: 135 Error rolling back command ARKMoveFileCommand
    ERROR: The following payload errors were found during install:
    ERROR:  - Adobe Flash CS5_AdobeFlash11-en_USLanguagePack: Install failed
    ERROR:  - Adobe Flash CS5_AdobeMobileExtension_Flash11-en_US: Install failed
    ERROR:  - AdobeColorCommonSetCMYK: Install failed
    ERROR:  - Adobe Flash Player 10 Plugin: Install failed
    ERROR:  - AdobeColorJA CS5: Install failed
    ERROR:  - Adobe Flash CS5_AdobeMobileExtension_Flash11-mul: Install failed
    ERROR:  - AdobeColorEU CS5: Install failed
    ERROR:  - AdobeColorCommonSetRGB: Install failed
    ERROR:  - Adobe Flash CS5: Failed due to Language Pack installation failure
    ERROR:  - AdobeColorNA CS5: Install failed
    Thanks in advance. I would really love to work with this Flash player.

    Hi, I'm not sure what you are trying to Install. Adobe Flash Player, the browser plugin? Or the CS5? If the former, then you are on the correct Forum. If the latter, you may want to start a thread on one of the other Forums from here and use the "Select Forum" drop down arrow.
    http://forums.adobe.com/index.jspa
    However, it appears that your system is a 32bit and this WARNING #5 on your list shows that what you are trying to Install is for a 64bit OS. You may need to make sure you are using the correct version.
    See if that is what the problem is.
    Thanks,
    eidnolb

  • How to redirect standard output/error of a ucb function to matrixx command window

    Is there a way to redirect standard output/error of a ucb function to matrixx command window?
    I know that the recommended way is to use stdwrt or XmathDisplay commands. However, we have some
    libraries that already exists which uses printf calls and I would like to redirect their output
    to the matrixx command window.
    Thanks

    Hi,
    What you need to do is create a printf function that will print the information into a string, then you can use stdwrt to display it in Xmath.
    Then you tell the UCB linking process to compile and link with this version of printf.c
    I am including the printf.c that we used to test the function you needed.
    Hope this helps.
    Attachments:
    printf.c ‏1 KB

  • Has anyone managed to embed flash content within there responsive HTML5 website?

    Has anyone managed to embed flash content within there responsive HTML5 website? I'm aiming to get my client gallery Flash based but don't want to sacrifice my responsive HTML5 layout to achieve this.
    I feel the Flash gallery would be more secure than my current option,
    Thanks in advance
    Katie xx
    http://www.katiegarcha.com

    It dawned on me what the problem was, in my Actionscript, I am using a XML sheet to call the pictures in the gallery. The XML sheet is located in the same folder as the actionscript, but not in the same folder as the html page, hence the Flash working when it is directly called but not when it is somewhere else. Once this dawned on me, I remembered that I used "short" urls for the images thinking of them all being in the same folder as the actionscript, but not thinking about their relative link from the location of the HTML page. So, I believe that if I change the relative urls to fit the location of the HTML instead of the location of the SWF page, it should work.

  • When I sign in on my windows pc I get the response server error. What do I do?

    When I sign in on my windows pc to I cloud I get the response -- server error. What do I do?

    Spoke to Apple their answer which worked was to set up a new user log.  in control panel user new log shut down log in to that new account re-set up i cloud it worked for me thomasg

  • What's this double flashing about? Is it an error code?

    Could someone please tell me what is the meaning of the double flashing that is going on with my white extended Apple bluetooth keyboard? Does it shed any light on the fact that, after years of flawless working, it suddenly can't be detected by my Mac Mini G4 computer or by my MacBook Pro, which has no problem detecting another keyboard of exactly the same type? The batteries have been changed but that made no difference; and I'm using Leopard.
    Surely double flashing must mean some kind of error code that is different to the normal, rapid flashing seen when the keyboard and computer are trying to connect? What is my keyboard trying to tell me?
    Message was edited by: frannbug

    Hello,
    In order to better assist you with your issue please provide us with a screenshot. If you need help to create a screenshot, please see [[How do I create a screenshot of my problem?]]
    Once you've done this, attach the saved screenshot file to your forum post by clicking the '''Browse...''' button below the ''Post your reply'' box. This will help us to visualize the problem.
    Thank you!

  • How does ISE choose which IP to put in URL redirect response?

    Hello,
    does anyone know how does ISE choose which IP to put in URL redirect response if it has more than one interface with an IP address and all interfaces are enabled in the portal configuration?
    I have a single ISE 1.3 PSN with all four interfaces configured, enabled, each on unique VLAN, and each with unique IP address.
    In the CWA portal configuration, all four interfaces are enabled.
    Wired clients connect to NAD, NAD sends RADIUS request to ISE, ISE responds with a RADIUS response including the URL-Redirect parameter which specifies the web redirect URL. ISE configuration uses "ip:port" in the URL. 
    My question is how does ISE choose which of its four interfaces to put in this URL? Is it always the same interface that RADIUS packets were received on? Or does it always choose the first portal enabled interface? Or is there another logic? Configurable or unconfigurable?
    Thanks!

    ISE uses the first interface enabled for that portal, so if want to use a specific interface, then only enable that interface.  If interface is GE0, then default behavior is to redirect with ip value set to node's FQDN.  If interface other than GE0, then default behavior is to return the IP address of the associated interface. 
    Aliases can be configured for each interface using the CLI 'ip host' command to associate a hostname/FQDN to the IP address of a given interface.  When configured, ISE will return that value rather than IP address in redirect.  This is critical if want to avoid certificate trust warning on connecting clients.
    Be sure that certificate assigned to interface includes the correct FQDN or optionally wilcard value in the CN or SAN fields to avoid cert warnings.

  • Redirecting java compilation errors to a file

    Hi,
    How do I redirect java compilation errors to a file while using a dos environment ? Help needed asap.
    Gayathri

    javac FileName.java 2> errorFileName

  • Lightroom 5.6 would not open. I only get a flash picture then I get an error message. See below message: [Window Title] Adobe Photoshop Lightroom 64-bit [Main Instruction] Adobe Photoshop Lightroom 64-bit does not work more [Content] there was a problem m

    Lightroom 5.6 would not open. I only get a flash picture then I get an error message. See below message: [Window Title] Adobe Photoshop Lightroom 64-bit [Main Instruction] Adobe Photoshop Lightroom 64-bit does not work more [Content] there was a problem making the program no longer work properly. The program is closed and there is a notification if a solution is available.

    I may have just solved my own problem. Right after posting this I googled bezel lightroom and found this: Flickr: Discussing The word 'bezel' appears in the taskbar. in Adobe Lightroom
    I changed the setting in the view menu and now everything appears to be working fine. I cannot explain why it stopped working before because I hadn't made any previous changes to the view options.
    Still am curious about the memory usage, though.

  • During Adobe Flash 11 install, I received the error "cannot contact reliable source." Help?!

    While streaming videos on YouTube and Hulu, I noticed a signifant amount of lag and buffering.  In the past I've resolved this issues by updating my Flash player (even though I typically am on the newest version).  Today I tried to install a Adobe Flash 11 and I received the error, "Cannot contact reliable source" amongst a few other errors (I cannot recall what they said).  I went to the troubleshooting section, uninstalled my current Adobe Flash, and tried to download version 11.  I keep getting the aforementioned errror.  Now rather than a lag time and buffer issue, I cannot watch any videos at all since my Flash player was uninstalled and I cannot download the new version.  I'm currently on a relatively new iMac with OS X version 10.8.4.  I don't think there is problem with my actual computer.  Can anyone help?
    PS: I have an unhealthy affinity for catching up on terrible TV shows on Sundays so I'm saddened by my inability to watch Hulu Plus. 

    Try this installer: http://fpdownload.macromedia.com/get/flashplayer/current/licensing/mac/install_flash_playe r_11_osx.dmg

  • Response format error when using the ASCII object to communicate with a Dart ASPII motor controller.

    I can't seem to get Lookout to work using a COMM RS232 connection to our Dart controller. When using a term program, i'll send the command RV1,0,6 and get the response 1000,0005. I set up the ASCII object in Lookout with the following:
    SEND=Pb5
    RequestFormat="%s"
    ResponseFormat="%s" (and many other combinations)
    RQV1.TXT=TextEntry1
    for TextEntry1 I enter RV1,0,6 and I always get that dang response format error!
    Any suggestions? Obvious goofs?

    What's the Expression you're inserting to read back the response? If you're using just RSV1, you'll get the error. Try RSV1.txt.
    For troubleshooting purposes, delete all RSV expressions and the ResponseFormat connection and insert just an Expresssion on ASCII1.Response (where ASCII1 is your Object). This will give you the raw ASCII frame coming in. Then you can start formatting this raw response with appropriate ResponseFormat and RSVs.
    Hope this helps,
    Khalid

  • Unable to read Password Server response - socket error on socket

    Hi,
    I'm experiencing the following at the OD replica:
    2014-06-03 12:13:06.424616 FET - 592.1446486 - Client: Python, UID: 93, EUID: 93, GID: 93, EGID: 93
    2014-06-03 12:13:06.424616 FET - 592.1446486, Node: /LDAPv3/127.0.0.1, Module: AppleODClientPWS - unable to read Password Server response - socket error on socket fd 12: Resource temporarily unavailable (5205)
    Any ideas are appreciated. Thank you in advance.

    Hi Raja- It seems to be a data quality issue.
    Check for the value @ 1447 position in the xml message that you are trying to send to web service..
    may be a date filed/decimal value which is not in expected format.

Maybe you are looking for

  • Virtual PC 7.0.2

    I have Virtual PC 7.0.2 running on an Emac with OSX 10.4.3. I cannot log into Windows XP as I get the following message: "The system cannot log you on now because the domain DomainName is not available" Has anyone had this problem and found a way aro

  • Why does it have to be so difficult!

    OK so I think this started after updating to 10.6.8 or something with Mac OS X after. A lot of applications are just crashing on opening. Crashing applications are: Software Update iTunes iPhoto Safari (I think more but these are things I use often)

  • Workflow tables for query

    Hi everybody, we've implemented the workflow for payment release (WS90000021), but we need some reports in order to audit the process, like: Status of documents (workitems) and who have them in their business workplace. Does someone knows wich workfl

  • Archiving for future blue ray?

    Is this a good idea? Archive my iDVD projects after I finish them, for the day when my Mac has a Blue Ray burner. When that happens, I burn them again on blue ray, for maybe a slightly better picture? I'm thinking not, since I have iMovie making my m

  • Sumifs function question

    Hi, Everyone, I have a function question of Sumifs, here a sample as follows, =SUMIFS(Budget :: E4:E14,Budget :: C4:C14,"=5003677000",Budget :: B4:B14,OR("=Transit","=Drawing cash")), according to the logic, I think like this, but it's wrong. So how