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.

Similar Messages

  • 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
         }

  • 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.

  • 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 happens when CTAS fails?

    Hi,what happens when CTAS fails?
    Will the table be created with as much data as it fetched before the error occurred.

    Just try it and you will see:
      1  create table test_table as
      2  select rownum/(case rownum when 5 then 0 else 5 end) as rn
      3  from dual
      4* connect by level < 10
    SQL> /
    select rownum/(case rownum when 5 then 0 else 5 end) as rn
    ERROR at line 2:
    ORA-01476: divisor is equal to zero
    SQL> desc test_table
    ERROR:
    ORA-04043: object test_table does not exist
    SQL>

  • Fel: 0x8004010F: ZebraMapiCopySession::CreateMobileMeMessageStore: CreateMessageService failed   This is what i get when i try to activate contacts in the icloud control panel and no contacs are syncronised..... iPhone 3GS, Windows 7

    Fel: 0x8004010F: ZebraMapiCopySession::CreateMobileMeMessageStore: CreateMessageService failed
    This is what i get when i try to activate contacts in the icloud control panel and no contacs are syncronised.....
    iPhone 3GS, Windows 7

    After much some reasearch I fixed this problem for my problem computer.  I have two computers running Windows 7 64-bit, one working with iCloud contact/calendar sync and the other getting this "0x8004010F: ZebraMapiCopySession::CreateMobileMeMessageStore: CreateMessageService failed" error (when you look at the report data to Apple).
    So when I compared my system to a working system, I found that there was a difference in the bit-named DLL used by iCloud.
    Go to Outlook, File, Options, Add-Ins and in the Active Application Add-ins section highlight "iCloud Outlook Addin".  You'll find the DLL name there.
    On my working computer, it was APLZOD6432.DLL, while on my problem computer it was APLZOD32.DLL.  Ah ha!  Its trying to setup Outlook 64 with a 32-bit iCloud DLL.  Or so I thought.
    I looked for a 64-bit specific install for iCloud.  Nope, iCloud 1.1 is for both.  Hmmm...
    I thought I had installed Office 2010 64-bit on my problem computer, but apparently I installed 32-bit.  I was able to confirm this by going into Outook, File and Help.  Under "About Microsoft Outlook" it said 32-bit.  Checking the working computer, it was showing 64-bit Outlook.
    So this also brought another thought to my mind.  Maybe the problem is because I installed the iCloud control panel before I installed Office 2010.    That said, I uninstalled iCloud Control Panel (Add/Remove Programs), and re-installed it from the manual download page http://support.apple.com/kb/DL1455 and tried contact syncing again.  It worked!
    Then I went to check the DLL in use.  It was APLZOD32.DLL.  So perhaps iCloud sets up for 64-bit Office when no office is installed on Windows 7 64-bit and breaks when you install 32-bit.  Or there is a part of iCloud install that needs to be done with Office installed.  Either way, I'm happy to have the issue fixed.  Leaving the 32-bit Office there for now. 

  • What is that  sync session failed to finish in iTunes  when i am connect my iphne5s its not syncing stuck on that error

    what is that  "sync session failed to finish" in iTunes  when i am connect my iphne5s its not syncing stuck on that error

    Launch the Console application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Console in the icon grid.
    The title of the Console window should be All Messages. If it isn't, select
              SYSTEM LOG QUERIES ▹ All Messages
    from the log list on the left. If you don't see that list, select
              View ▹ Show Log List
    from the menu bar at the top of the screen.Click the Clear Display icon in the toolbar. Then try the action that you're having trouble with again. Select any messages that appear in the Console window. Copy them to the Clipboard by pressing the key combination command-C. Paste into a reply to this message by pressing command-V.
    The log contains a vast amount of information, almost all of which is irrelevant to solving any particular problem. When posting a log extract, be selective. A few dozen lines are almost always more than enough.
    Please don't indiscriminately dump thousands of lines from the log into this discussion.
    Please don't post screenshots of log messages—post the text.
    Some private information, such as your name, may appear in the log. Anonymize before posting.

  • I just tried to install the 11.4 update (or whichever one is the most recent update as of 1/26/2014) and when it failed i tried to install manually and now whenever i try to use it, i get the following error: the application has failed to start because MS

    i just tried to install the 11.4 update (or whichever one is the most recent update as of 1/26/2014) and when it failed i tried to install manually and now whenever i try to use it, i get the following error: "The application has failed to start because MSVCR80.dll was not found. Re-installing the application may fix this problem." Right after i click ok i then get this error: "Itunes was not installed correctly. Please reinstall Itunes. Error 7 (Windows error 126)." I tried to uninstall Itunes and then reinstall the 11.03 version but that didnt work either. I want to know if i copy all of the music in my itunes folder to an external without consolidating can i still transfer all my itunes music from my current windows xp pc to a brand new one and have my current itunes library in my new pc? Basically i just want to know 3 things: What exactly does consolidating the itunes library do? Can i copy, paste, and transfer my itunes library to an external and from there to a new pc? Will i be able to transfer my itunes library without consolidating the files?

    I have found a temporary solution, allowing the previous version of iTunes (v. 11.1.3 (x64) in my case) to be re-installed.  It will allow you to re-establish use of iTunes until the Apple software engineers fix the most recent disasterous upgrade (v. 11.1.4).  Please see and follow the procedure in the following article:http://smallbusiness.chron.com/reverting-previous-version-itunes-32590.html   The previous version works beautifully.

  • How do I deactivate online (needed when computer fails)?

    Problem: When a computer fails with Adobe products installed, it is always a problem to do deactivation of license keys.
    When I login to my account at adobe.com, I can see my licenses.  I would have expected that I could manage my activations there.  How can we get Adobe to provide license key activation management online?  When computers fail, right now, there is no way to re-install Adobe software on the replacement computers because Adobe think I've used up my total activations.
    Without an solution within my adobe.com account, I always wind up spending HOURS talking with Adobe people.  It is a very frustrating process.  Please see below the 1 hour communication I had today that got me nowhere.
    Steve Amerige
    Mohammed: Hello! Welcome to Adobe Customer Service.
    Steve: The serial number in my account is xxxx-xxxx-xxxx-xxxx-xxxx-xxxx
    Mohammed: Hi Steve
    Steve: Began my day with a hard-disk failure.
    Mohammed: May I please have your email address registered with Adobe while I review your request?
    Steve: [email protected]
    Steve: It's also my AdobeID
    Mohammed: thank you for your emailaddress.
    Steve: I had both CS 5 Master Collection as well as Acrobat Professional (xxxx-xxxx-xxxx-xxxx-xxxx-xxxx) installed on the computer whose hard drive failed.
    Mohammed: Than you for the information.
    Steve: It is possible that I installed Acrobat Pro Extended on that computer instead... I have license for that: xxxx-xxxx-xxxx-xxxx-xxxx-xxxx.
    Steve: Since the computer has crashed, I'm not sure which version of Acrobat I installed on it.
    Steve: Anyway, I don't want to have any problems once I start reinstalling the Acrobat and CS 5 Master Collection software.
    Mohammed: According to the End User License Agreement (EULA) law, it is recommended to install the Adobe Software on only two computers and that is mentioned on the End User License Agreement when installing the Software provided the Software is not used simultaneously.
    Mohammed: However, you can install the Software on the third Computer by de-activating the Software from one of the older one and then install it on the new one so that you can avoid any error message while activating the Software.
    Steve: I cannot de-activate the software... the hard drive has failed.
    Mohammed: Thank you for the information. Please allow me 1-2 minutes while I check with the information.
    Mohammed: I check the information. Still you have the activations left. You can activate the software.
    Steve: I had the software already installed on 2 computers: my home computer and my work computer.
    Mohammed: May I know what kind of errors your getting?
    Steve: My work computer is the one that had the hard-disk failure.  Did you verify license availability for both of the serial numbers: xxxx-xxxx-xxxx-xxxx-xxxx-xxxx (CS5 Master Collection) and Acrobat Pro (xxxx-xxxx-xxxx-xxxx-xxxx-xxxx) and Acrobat Pro Extended (xxxx-xxxx-xxxx-xxxx-xxxx-xxxx)?
    Steve: I have not yet begun the installation... I have to finish loading the operating system first.  I just remembered the last time this happened that I had problems with activation.  I don't want problems this time.
    Steve: Adobe should provide a website to manage activations.  When computers fail, it is not possible to deactivate.
    Mohammed: This seems to be more of technical issue and Since I from Customer Support, In this case I will suggest you to contact our Specialized technical support team so that they would be able to resolve the issue better. I will provide you with the contact details for technical support team, Is that okay with you?
    Steve: Sure
    Mohammed: You can directly contact our technical team at 800-833-6687.
    Mohammed: Is there anything else I can help you with?
    Steve: You can put in a suggestion that customers can manage their activations by logging into their online account.  When computers fail, this would be the only way they can manage activations.
    Mohammed: Thank you for waiting. One moment please.
    Mohammed: Thank you.
    Mohammed: Is there anything else I can help you with?
    Steve: Yes, how do I submit a feature request to have online activation management?
    Mohammed: In this case you can contact us back.
    Steve: ???  Okay... why not now?
    Mohammed: Okay in this case please contact technical  team.
    Steve: And, how do I do that?  I just want to put in a feature request that activations should be managed online in my adobe.com account.
    Mohammed: I'll be right with you.
    Mohammed: Please follow the below steps to de-activate the product:
    Mohammed: *Ensure that the computer on which you have the software installed is connected to the Internet.
    Mohammed: *Select Deactivate from the Help menu in the product you want to deactivate.
    Mohammed: *Select Deactivate Permanently.
    Mohammed: Once you de-activate the product from the old system, you will not have any issue while activating the product on the new system.
    Steve: You've got to be kidding me!  Did you forget that my hard-drive failed?  Are you a real person or some software that is trying to answer my questions?
    Mohammed: I am sorry that is for future reference.
    Steve: As I said before, my hard-drive failed.  I cannot deactivate the license.  I called the phone number you gave me.  Adobe is not yet open, so at the moment I have no solution.
    Steve: I will call them and see if they are able to help me.  But, I want to know how I make an official request that Adobe allow for online license key management from within my adobe.com account.
    Mohammed: I am sorry, please stay online while I check with the activation seat for the serial number you have provided above.
    Mohammed: Steve, in case of hard drive crash or any unavoidable situations, you can contact us while activating the product so that we can make necessary changes to the license and allow you to activate the product again with out any issues.
    Steve: Okay... I'll proceed.  But, you still haven't answered my last question: how can I make an official request that Adobe allow for online license key management from within my adobe.com account?
    Mohammed: Steve, you can leave your feedback here on chat so that I can escalate the same to higher level of support to check with this.
    Mohammed: Is that fine?
    Steve: Yes... please do escalate this so that the feedback can be used.
    Mohammed: Thank you.
    Mohammed: Is there anything else I can help you with?
    Steve: No.  I will call the number you gave me when they open.  Until then, there is nothing for me to do except to begin the installation again, wait for the problem, and then re-start a new support session.  I wish Adobe could manage activations online, but I do understand that you can't at this moment do anything about it.  Have a nice day.
    Mohammed: Sorry for the wait. Please do stay online.
    Mohammed: Thank you.
    Mohammed: May I please have your email address registered with Adobe while I review your request?
    Mohammed: Thank you for contacting Adobe.  We are available 7 days a week, 24 hours a day. Goodbye!

    You simply call support by phone and have them reset activations. At this point there is no way to manage that yourself.
    Mylenium

  • What's happening when i turn on my laptop it's blinking, I need to shut down or restart again. Please help!

    What's happening when i turn on my laptop it's blinking, I need to shut down or restart again. Please help!

    Hello Melophage,
    Thanks. Done..:)
    BTW, I got another issue, hope can help me, I'm updating my OS X maverick to new one 10.9.2, while updating I need to restart my laptop to update, however i got this error message, "Install Failed! OS X could not be installed on your computer. The installer encounter an error that caused the installation fail. Contact the software manufacturer for assistance. Click Restart to restart your computerand try installing again." I did that so many times, unfortunately, nothing happens. This is the 1st time Ive ever encounter that issue while updating my Mac. Now, i cannot even go to my main menu, coz everytime I turn on my laptop it's shows the updating process and go back to failed installation. Thanks.

  • 1434891 - Consolidation fails in BOFC 7.5 (new installation)

    Hello,
    maybe someone can help me. There's a error in the consolidation of my Business Objects Financial Consolidation application:
    Failed to run database query:"..
    The SAP recommended solution (1434891 - Consolidation fails in BOFC 7.5 (new installation) is:
    Force the migration
    1. Increase the version in the WTCVERSION database table.
    2. Migrate database via CtAdmin console.
    What are the required entries in the WTCVERSION database table?
    Best Regards

    Hello Udo,
    the question was answered by SAP. For our settings, we run a script, which solved the problem. Please contact SAP. In our case the script was:
    Your issues are due to the fact that the ct_datasource_dim row is missing in your database.
    In order to insert the missing row, you can run the following script:
    IMPORTANT: Before running these queries
    - please make sure you have a recent backup of your 7.5 database.
    - stop the data source.
    Then run the following script :
    if not exists (select * from ct_datasource_dim where datasource = -524286 and dimension = -524233)
    insert into ct_datasource_dim (datasource,dimension,nullable,optional,aggregatable,header,header_rank,particular,hidden,interlaced_with,phys_name,ct_order,detail) values (-524286,-524233,1,0,1,1,7,0,0,0,N'eversion',23,0);
    BEGIN
    DECLARE @tablename_xxxx varchar(50)
    DECLARE @sqlAddColumnQuery varchar(100)
    DECLARE tables_cursor CURSOR FOR
    SELECT name FROM sysobjects
    WHERE type = 'U' AND (name LIKE 'ct_pc____') AND NOT (name LIKE 'ct_pc_entry') AND NOT (name LIKE 'ct_pcdref') AND NOT (name LIKE 'ct_pcref')
    OPEN tables_cursor
    FETCH NEXT FROM tables_cursor INTO @tablename_xxxx
    WHILE (@@FETCH_STATUS <> -1)
    BEGIN
    IF NOT EXISTS (select 1 from syscolumns where name = 'eversion' and id = (select id from sysobjects where name = @tablename_xxxx))
    begin
    select @sqlAddColumnQuery = 'ALTER TABLE ' + @tablename_xxxx + ' ADD eversion INT NOT NULL DEFAULT 1'
    exec(@sqlAddColumnQuery)
    end
    FETCH NEXT FROM tables_cursor INTO @tablename_xxxx
    END
    CLOSE tables_cursor
    DEALLOCATE tables_cursor
    END;
    update ct_pc_entry set historic_status = 0 where historic_status is null and status = 0;
    update ct_pc_entry set historic_status = 1 where historic_status is null and (status = 1 or status = 2);
    Please do not forget to make a recent backup of your database before running this script.

  • This is for Exchange 2007 but can't find a place to post it. It may apply here I don't know. What exactly happens when you suspend LCR?

    OK. I searched out here and found things close to what I need: how to suspend and restore LCR but I need another answer. I have gotten a new backup solution (Unitrends) and the Microsoft exchange write appears twice. I'm guessing one is for my first storage
    group and one is for LCR. Anyway it appears the software is trying to use the replication writer which is causing my backups to fail. Here is my question: what EXACTLY happens when I suspend the LCR (Suspend Storage Group Copy)? Does this affect regular exchange/email
    transport and receiving at all? Basically if I disable it will mail continue to flow as normal with no adverse affects? And what EXACTLY happens when I disable LCR. What if I decide I don't need it. Will disabling it affect normal email operations? Basically
    will either of these options in ANY way interfere with normal mail flow? Thanks.

    Hi,
    Based on my knowledge, suspending LCR doesn't affect the mail flow. If there is no need for LCR, you can disable LCR, and then please manually delete the LCR storage group and databaase fles.
    For more information about LCR, please refer to
    Local Continuous Replication.
    Best regards,
    Belinda
    Belinda Ma
    TechNet Community Support

  • Adding message to FacesContext when validation fails...

    Hi
    I am trying to add a validation message whenever a <af:inputText> value fails validation.
    This error message should be displayed beside the inputText component.
    The inputText is set to autoSubmit which will trigger the validator.
    The following is what I have:
    JSF page:
    <af:inputText id="textUI"
    label="my label"
    maximumLength="200"
    value=" .... "
    required="true"
    validator="#{backing_text.validateText}"
    autoSubmit="true"/>
    Backing bean:
    public void validateText(FacesContext facesContext,
    UIComponent uiComponent, Object value) {
    FacesMessage message = new FacesMessage();
    message.setSummary("error summary");
    message.setSeverity(FacesMessage.SEVERITY_ERROR);
    FacesContext.getCurrentInstance().addMessage(uiComponent.getId(), message);
    throw new ValidatorException(message);
    With the above code, when validation fails, no message is displayed beside the errorenous inputText component.
    Does anyone have any idea where I could have gone wrong?
    Thanks
    Eric

    try removing the autoSubmit="true" from the jsp.

Maybe you are looking for

  • Can the Intel Mac run OS 10.4.6?

    Can the Intel Mac hard drive be split and run OS 10.4.6 on the second drive?

  • How well does the TomTom app work?

    Let's hear it, how well does the TomTom app work compared to a dedicated GPS device? Are you using TomTom's special cat kit? Is there a way to load TomTom binary files (POIs) onto the iphone?

  • EAP-TLS and EAP-FAST

    Hi NetPro. EAP-TLS is working now, but how to configure EAP-FAST as the backup in case TLS is failure then user still able to use FAST as the second choice ? your reply will be highly appreciated. thanks heaps. Jack

  • Error in PSA

    Hi While loading the Attributes, I get the following error: CostcentX: Data record XXX (1000EI300E) :Duplicate data record. Everything looks apparently alright. I am unable to understand the error and also how to correct the same. Any lead would be a

  • Hp envy 7645 printer too small print

    The print is tiny..How do I enlarge?