What to do when update fails?

I received a notice to update Creative Cloud, Lightroom and Photoshop. Creative Cloud repeatedly fails and the other 2 are just sitting with message "waiting" for an hour. What can I do?

I originally was directed to Adobe support and signed into and was waiting for chat. There was a message and a link directing me specifically here by Adobe support to seek answers while I waited for them. I wouldn't even have know to come here if not directed by their link. I won't do that in the future. Adobe support leaves a lot to be desired as they posted a notice that phone lines were not working properly and the chat was never answered.

Similar Messages

  • Why does Creative Cloud Desktop block when updating fails?

    Actually, this is a feature request: Don't block Creative Cloud Desktop's other functions (App Download/Install, File Synchronization) just because there is an update.
    5 out 10 times updating fails at our facility, forcing us to reinstall the Creative Cloud App from a fresh download.
    All this time files are not synched, apps are not updated. This applies to both Mac and Windows versions.
    This is the tinyiest app of the Suite and it produces the most frustrations here – while the bigger applications (with installations in the GBs) run smoothly.

    That's what I get on a regular basis:  Creative Cloud Desktop could not be updated.(Error code: 2) Contact support  I will then download the latest Creative Cloud Desktop full install and install it manually. For every machine. Every now and then.
    But more important: You now have several Cloud File Sync services on your desktop (Dropbox, Onedrive, Google Drive etc.) and they manage to update themselves automagically – or not. They won't stop functioning, only because they could not get a specific mini-bugfix.

  • What to do when consolidation fails

    Hi there,
    I posted previously about how to try to resolve an insufficient space error when I first tried to consolidate, but couldn't find a solution unfortunately. So, now my question is what to do when consolidation is not an option. I can easily copy the music to my new hard drive and I tried consolidating afterward, but the files in iTunes still seem to point to the old location. What's the best way to manually make this change? Thanks.

    I originally was directed to Adobe support and signed into and was waiting for chat. There was a message and a link directing me specifically here by Adobe support to seek answers while I waited for them. I wouldn't even have know to come here if not directed by their link. I won't do that in the future. Adobe support leaves a lot to be desired as they posted a notice that phone lines were not working properly and the chat was never answered.

  • Help needed: PS CC2014 Update failed, then after uninstalling reinstall failed. Initial error code U44M1I210 (when update failed), now error -55 (reinstall fail)

    I tried to update Photoshop CC 2014, but it failed at 75%, with error code U44M1I210. After restarting my system, it still failed so I uninstalled the app, per this article: https://helpx.adobe.com/creative-suite/kb/error-u44m1i210-installing-updates-ccm.html
    Now the reinstall won't complete, and I'm getting error -55. The one other article that seemed relevant looks like the person had to uninstall and reinstall all his Adobe software after creating a new admin account on his computer (When I try to update I get an U44M1I210 error message, "Unable to extract the downloaded files" - help please, applies to latest Indesign, Illustrator and Photoshop CC), and I'm hoping there is a better solution than the hours that will involve.
    Running on OSX 10.7.5.
    Any help greatly appreciated.
    Thanks!

    GundamCat what specific errors were you able to discover in the installation log for the update?

  • What to do when readString() fails and String[] out of bounds ?

    Dear Java People,
    I have a runtime error message that says:
    stan_ch13_page523.InvalidUserInputException: readString() failed. Input data is not a string
    java.lang.StringIndexOutOfBoundsException: String index out of range: 0
    below is the program
    thank you in advance
    Norman
    import java.io.*;
    import java.util.*;
    public class FormattedInput
        // Method to read an int value
        public int readInt()
          for(int i = 0; i < 2; i ++)
          if(readToken() == tokenizer.TT_NUMBER)
            return (int)tokenizer.nval;   // value is numeric so return as int
          else
            System.out.println("Incorrect input: " + tokenizer.sval +
               " Re-enter as integer");
            continue;         //retry the read operation
          } // end of for loop
          System.out.println("Five failures reading an int value" + " - program terminated");
          System.exit(1);  // end the program
          return 0;
         public double readDouble() throws InvalidUserInputException
           if(readToken() != tokenizer.TT_NUMBER)
              throw new InvalidUserInputException(" readDouble() failed. " + " Input data not numeric");
           return tokenizer.nval;
         public String readString() throws InvalidUserInputException
           if(readToken() == tokenizer.TT_WORD || ttype == '\"' ||  ttype == '\'')
            return tokenizer.sval;
           else
             throw new InvalidUserInputException(" readString() failed. " + " Input data is not a string");
           //helper method to read the next token
           private int readToken()
             try
               ttype = tokenizer.nextToken();
               return ttype;
             catch(IOException e)
               e.printStackTrace(System.err);
               System.exit(1);
              return 0;
           //object to tokenize input from the standard input stream
           private StreamTokenizer tokenizer = new StreamTokenizer(
                                                new BufferedReader(
                                                 new InputStreamReader(System.in)));
           private int ttype;                  //stores the token type code
    import java.io.*;
    import java.util.*;
    public class TryVectorAndSort
         public static void main(String[] args)
        Person aPerson;           // a Person object
        Crowd filmCast = new Crowd();
        //populate the crowd
        for( ; ;)
          aPerson = readPerson();
          if(aPerson == null)
            break;   // if null is obtained we break out of the for loop
          filmCast.add(aPerson);
        int count = filmCast.size();
        System.out.println("You added " + count + (count == 1 ? " person":  " people ") + "to the cast.\n");
        //Show who is in the cast using an iterator
         Iterator myIter = filmCast.iterator();
        //output all elements
        while(myIter.hasNext() )
          System.out.println(myIter.next());
        }//end of main
          //read a person from the keyboard
          static public Person readPerson()
         FormattedInput in = new FormattedInput();
            //read in the first name and remove blanks front and back
            System.out.println("\nEnter first name or ! to end:");
            String firstName = "";
            try
            firstName = in.readString().trim(); //read and trim a string
            catch(InvalidUserInputException e)
            e.printStackTrace(System.err);
            //check for a ! entered. If so we are done
            if(firstName.charAt(0) == '!')
              return null;
            //read the last name also trimming the blanks
            System.out.println("Enter last name:");
            String lastName= "";
            try
              lastName = in.readString().trim(); //read and trim a string
            catch(InvalidUserInputException e)
             e.printStackTrace(System.err);
            return new Person(firstName, lastName);
    //when I ran the program the output I received was:
    import java.io.StreamTokenizer;
    import java.io.IOException;
    import java.io.InputStreamReader;
    import java.io.BufferedReader;
    public class InvalidUserInputException extends Exception
       public InvalidUserInputException() { }
          public InvalidUserInputException(String message)
              super(message);
    import java.util.*;
    class Crowd
      public Crowd()
        //Create default Vector object to hold people
         people = new Vector();
      public Crowd(int numPersons)
        //create Vector object to hold  people with given capacity
         people = new Vector(numPersons);
        //add a person to the crowd
        public boolean add(Person someone)
          return people.add(someone);
         //get the person at the given index
          Person get(int index)
          return (Person)people.get(index);
         //get the numbers of persons in the crowd
          public int size()
            return people.size();
          //get  people store capacity
          public int capacity()
            return people.capacity();
          //get a listIterator for the crowd
          public Iterator iterator()
            return people.iterator();
            //A Vector implements the List interface (that has the static sort() method
            public void sort()
              Collections.sort(people);
          //Person store - only accessible through methods of this class
          private Vector people;
    public class Person implements Comparable
      public Person(String firstName, String lastName)
        this.firstName = firstName;
        this.lastName = lastName;
      public String toString()
        return firstName + "  " + lastName;
       //Compare Person objects
        public int compareTo(Object person)
           int result = lastName.compareTo(((Person)person).lastName);
           return result == 0 ? firstName.compareTo(((Person)person).firstName):result;
      private String firstName;
      private String lastName;

    Dear Nasch,
    ttype is declared in the last line of the FormattedInput class
    see below
    Norman
    import java.io.*;
    import java.util.*;
    public class FormattedInput
        // Method to read an int value
        public int readInt()
          for(int i = 0; i < 2; i ++)
          if(readToken() == tokenizer.TT_NUMBER)
            return (int)tokenizer.nval;   // value is numeric so return as int
          else
            System.out.println("Incorrect input: " + tokenizer.sval +
               " Re-enter as integer");
            continue;         //retry the read operation
          } // end of for loop
          System.out.println("Five failures reading an int value" + " - program terminated");
          System.exit(1);  // end the program
          return 0;
         public double readDouble() throws InvalidUserInputException
           if(readToken() != tokenizer.TT_NUMBER)
              throw new InvalidUserInputException(" readDouble() failed. " + " Input data not numeric");
           return tokenizer.nval;
         public String readString() throws InvalidUserInputException
           if(readToken() == tokenizer.TT_WORD || ttype == '\"' ||  ttype == '\'')
             System.out.println(tokenizer.sval);
            return tokenizer.sval;
           else
             throw new InvalidUserInputException(" readString() failed. " + " Input data is not a string");
           //helper method to read the next token
           private int readToken()
             try
               ttype = tokenizer.nextToken();
               return ttype;
             catch(IOException e)
               e.printStackTrace(System.err);
               System.exit(1);
              return 0;
           //object to tokenize input from the standard input stream
           private StreamTokenizer tokenizer = new StreamTokenizer(
                                                new BufferedReader(
                                                 new InputStreamReader(System.in)));
           private int ttype;                  //stores the token type code
         }

  • Whats the reason my update failed?

    I tried doing the update for my ipod (with the computer/ITunes) and it failed,
    Does anyone know  the reason it failed?
    By the way i didnt have 2.4GB free, could that be the reason or should i try not having connected to ITunes?

    Try a manual install, as outlined in the link below.
    Basic troubleshooting steps  
    17" 2.2GHz i7 Quad-Core MacBook Pro  8G RAM  750G HD + OCZ Vertex 3 SSD Boot HD 
    Got problems with your Apple iDevice-like iPhone, iPad or iPod touch? Try Troubleshooting 101
     In Memory of Steve Jobs 

  • What to do when load fails in PC due to bad characters?

    Hi guys
    i have a process chain failing every day because of some bad characters coming in the load. its a text load and due to these characters it fails every day. now what is the proper procedure in production to get this fixed? i know i can edit the bad cahracters in PSA, but i dont know what those bad characters are so what to do ?
    do i go back to the source system fix it there or fix it in BI some how?  can some one explain this with his experience supporting?
    Thanks
    Adnan

    it is not your responsibility to make sure that the data input is right, but you can take the extra effort to make sure tht it is right by asking your business users and then the mm team about it, check in r3, under the mm module try mm03 or mm05 to find is tht material exists, if not there is something wrong, but from the bw perspective tht record is faulty and needs to be corrected if the number of records this happens is very less then make the changes in psa and then load from the psa, if ur using bi then u need to make ur error stanck and error dtp.
    so if the number of reocrds r less then make changes with consent of ur business team but if they are huge then a routine should be written to eliminate all characteristics with #$ and so on, adding it in rskc might be a option if tht material number actually exists with $%$^*&(  those symbols which is most unlikely.
    check with u r business users first, contact the mm team.

  • What to do when activation fails and no meaningful information provided

    Hello,
    I just tried activating an Activity in a track. It failed and the Activation Results tab just says "Activation failed. No DC specific results available"
    If I try to create another activity, it's going to consider this failed activity a predecessor and also fail because of the problem with this activity.
    So my dilemna is "how do I find out what the problem was?" I seem to be stuck and NDS is not giving me any helpful information.
    Any help would be GREATLY appreciated.
    Thanks.
    David.

    Hi David,
    Login to CBS and click on the buildspace. Then click on the requests link and after entering appropriate selection parameters choose the request in the table.
    You will get a set of tabs from where you can get all the logs and reason why a request wasnt activated.
    Regards
    Sidharth

  • What to do when ServerSocket fails and a client is trying to connect to it.

    I am creating a ServerSocket at one node and a client at the other node.... My ServerSocket fails due to unavailable port or otherwise... Now what happens to the client that is trying to connect to it.... what exception do i need to catch to terminate the client gracefully and give an error message??

    Continues [http://forums.sun.com/thread.jspa?threadID=5424890]

  • What to do when update for app stops loading

    I updated an app on my iPod touch and it stopped loading so none of my other apps can be updated? How do u cancel an update or fix this?

    wheneever my apps stop loading and goes back to the app pages, i delete that app, close my ipod and then turn it back on and download back the app. it works for me but im not a pro at this stuff but i hope this helps.

  • Getting error code 8018001E when updating phone

    I am getting an error code 8018001E when attempting to update my Nokia 900 phone.
    Background:
    On Jan 30th I saw that the 7.8 update was available so I plugged my  phone in to my Win8 computer, Zune started up and notified me that the update was available.
    I started the update, and had to step away from the computer for a moment.
    In that moment my wife sat down at the computer and switched to her profile.
    When I got back, I expressed my concern about her switching profiles during the update but she needed to show me something.
    I then switched back to my profile and saw that Zune was at step 6 of 10, restarting my phone the phone was however had the "data transfer mode" graphic showing .
    I waited about 10-15 minutes, and decided something went wrong.
    switching back to my wife's account I saw that her copy of Zune had started and was on a screen saying that the update had failed and that the phone would need to be restored from the last back up.
    Closing this  returning back to my account I attempted canceling the update and closed Zune.
    When restarting Zune I was prompted to 'Restore' the phone and clicked OK/continue/next whatever it is.
    I believe the phone then restarted and the restore process completed.
    My phone was now reset back to last August (the last update) loosing the last six months of texts/game saves/applications added/etc...
    Plugging the phone back in I was prompted to update the phone I accepted and the update(s) completed without issue giving me windows phone 7.8.
    This morning I plugged the phone back in and was prompted to install another update (Nokia specific no details as to what it is)
    When updating the phone gets through step 7 of 9 then seems to reset and restarts the phone then tells me there was an error updating giving me the error code    8018001E
    This code does not seem to be common error (not listed in the standard MS help wizard)  But I do see some references to an issue on the Mango update on the LG E900 that appears to be resolved.
    (http://answers.microsoft.com/en-us/winphone/forum/wp7-sync/lg-e900-update-error-code-8018001e/1ec8d5...
    Looking at my phone the os and firmware versions are below
    OS version: 7.10.8858.136
    Firmware revision number: 2175.1003.8112.12085
    Looking at the Nokia website I see the latest firmware for the 900 should be:
    2175.2307.8858.12480
    (http://www.nokia.com/us-en/support/product/lumia900/)
    So I am guessing that this update is attempting to update the firmware.
    Any ideas?
    Thanks

    While we feel your pain, the actual update is handled by Microsoft through te Zune update function. As such I would advise you to contact them on this issue.
    Nokia Support Discussions is a user to user forum so you will not find a direct response form Nokia here.
    Again, contact Zune/Microsoft support here.
    Click on the blue Star Icon below if my advice has helped you or press the 'Accept As Solution' link if I solved your problem..

  • Update fail for Adobe AIR

    Update popup states "Acrobat.com cannot continue until you update Adobe AIR." When update fails - 3 times in a row - the update popup box cannot be closed.
    Any fix?

    Are you using the Acrobat.com desktop application?  This is no longer supported; you should uninstall it, and use the Adobe Reader tools for this.
    If your issue is different, please explain.  Also tell us your operating system.
    Regarding Adobe AIR, I suggest you uninstall it, then reinstall from http://get.adobe.com/air/

  • Error when updating IOS5

    hi there, does anyone knows whats error 3259 when updating to ios5? data is already downloaded and then an error comes out saying that it has been an error with my internet conexion... i have an 4mpbs conexion... thanks

    Hi, first I Reset to Original Settings, then Rebooted iPhone, Restarted Main Computer, I used a different connection lead (not really needed) ..then Re Updated..all went Ok..
    * Before I updated I removed everything (Music/Contacts etc) from the iPhone so it had a clean HD...

  • Error 2503 when updating Acrobat

    I am attempting to update my Acrobat and i encounter "Error 2503 called RunScript when not marked in progress".  I am operating in Windows 8 and do not know whether this is a function of the operating system.  I had the same problem updating Acrobat Reader.

    This is apparently a Windows issue (see http://answers.microsoft.com/en-us/windows/forum/windows_vista-windows_programs/error-2503 -called-runscript-when-not-marked-in/76e72d98-cbef-432f-8f6f-40417d139bc1). When doing updates you should be logged in as the adminstrator and have anti-virus disabled. It may also be an issue with AA9 on a Win 8 system, particularly if 64-bit. You may have to run AA9 in a compatibility mode. When updates fail from within Acrobat, it is time to try downloading the updates from http://www.adobe.com/support/downloads/product.jsp?product=1&platform=Windows and installing the updates in order (generally updates are not cummulative in Acrobat).

  • I receive a Software Update notice that fails. How do I find out who/what is trying to update? How do I stop its attempt to update? The only response allowed is "OK". When OK is selected the window goes away and nothing else happens.

    About once a month I receive the Software update notice that has failed. How do I find out who/what is trying to update? If I decided I want this update how do I allow it to continue? If I decided I do not want this update how do I stop it and its attempt to update? The only response allowed is "OK". When OK is selected the window goes away and nothing else happens.

    Hi sharkbiscuit79,
    Yes your cabinet 10 on the Crediton exchange has already been installed and linked with a FTTC DSLAM cabinet (making it able to provide FTTC fibre broadband) and has been Accepting FTTC orders since December 2013.  PCP10 (with it's DSLAM cabinet within 100meters of it) is locate on the junction of Commercial Road and the A3072.
    However by the looks of things your are just too far away to obtain a FTTC (VDSL2) connection, meaning FTTC fibre broadband is not available to you.
    Have a look at the Connecting Devon and Somerset Considerations (particularly the last paragraph) - http://www.connectingdevonandsomerset.co.uk/where-when-map-conditions/
    Your best bet is to talk to Connecting Devon and Somerset to see if there are any further plans to get a fibre based service to your area via https://www.connectingdevonandsomerset.co.uk/contact-us/ (as your area may not be inscope of any further deployment). Best give them your full address and landline number too as they can check if you are within a NGA area.
    jac_95 | BT.com Help Site | BT Service Status
    Someone Solved Your Question?
    Please let other members know by clicking on ’Mark as Accepted Solution’
    Try a Search
    See if someone in the community had the same problem and how they got it resolved.

Maybe you are looking for