Is reseed required when in "failed and Suspended" status

We had a small hiccup in our SAN which we have resolved. The database copies went into a "Failed and suspended" state on one server. Can we just right click on them and say "resume?"   
It seems all the documentation on MS web site talk about reseeding the database like it is the norm when the database copy is in "Failed and suspended" error occurs.  Is that accurate or if you select "Resume" will it use the
transaction log files to bring the database to a healthy state?
Thanks,

Hi,
I would start with the application log and it may tell you what action is required. If there is not any related events, we can consider a reseed.
Here is an article for your reference.
Update a Mailbox Database Copy
http://technet.microsoft.com/en-us/library/dd351100(v=exchg.141).aspx
Best regards,
Belinda
Belinda Ma
TechNet Community Support

Similar Messages

  • Content Index State: Failed and Suspended Exchange Server 2013

    On my passive Server "Content Index State" mailbox database is still Failed and Suspended for almost a week. 
    Actions Taken to Resolve the Issue:
     - Update-mailboxdatabasecopy
     -Delete the exisiting folder of database on passive server and run database copy on EAC
    Still got FAILED AND SUSPENDED content index state.
    Need some advice guys.. 
    Thanks!

    Hi,
    Please check the following article and see if it can resolve your problem.
    https://support.microsoft.com/kb/2807668
    Please check the active database, make sure the content index is healthy. If possible, please rebuild content index of active database. And then reseed passive database copy to check result.
    Best regards,
    Belinda Ma
    TechNet Community Support

  • Database copy is failed and suspended

    Hi Everyone,
    My environment is Exchange server 2010 sp3, two sites one denver one houston, 2 DAGs and DR server of each DAG is placed on the second DAG.
    Scenario is
    Site 1:denmbx1,denmbx2 and den1 are hosted on denver DAG01
    Site 2: HOUmbx1,HOUmbx2 and HOU1 are hosted on DAG02
    We've had outage few days back and now one mailbox database copy on one DR server is FAILED and SUSPNEDED while rest of the databases are Fine.
    Now i cannot resume and update this database copy.
    CAn anyone please help on this?
    Thanks.

    Hi,
    You can reseed database copy manually to check result. You need to dismount the active copy of the database and copy the database file (EDB file) to the same location on Mailbox server in
    the DR site. If you use this method, there will be an interruption in service because the process requires you to dismount the database.
    1.  If circular logging is enabled for the database, it must be disabled before proceeding.
    2. 
    On the server who holds the active copy of the mailbox database, dismount this mailbox database.
    3. 
    Verify that database is in a Clean Shutdown state.
    4. 
    If it is Dirty Shutdown, we must use the command “ESEUTIL /r” to manually recover the database.
    5. 
    Copy the edb file to passive node to the same path as the active database copy.
    6.  Perform seeding operation using following command:
    Update-MailboxDatabaseCopy -Identity "database name / server name"
    To check if the above steps finished successfully. We could run the following command to check the mailbox database copy status:
    Get-MailboxDatabase| Get-MailboxDatabaseCopyStatus
    Here is a related article for your reference.
    http://technet.microsoft.com/en-gb/library/dd351100(v=exchg.141).aspx
    Hope this is helpful to you.
    Best regards,
    Belinda Ma
    TechNet Community Support

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

  • Passive server database still failed and suspended after seeding

    Hi,
    I have a 2 exchange 2013 servers in windows 2012 OS both servers are configured with DAG one is active and the other one is passive
    I moved the 5 databases in other drive and it was successful but no matter what I try one of my database in passive server show "ContentIndexState: FailedandSuspended" 
    I tried to manually copy the database file from the active server to passive server but still the status is the same. Tried to reseed the database and wait for at least 1 day to change the status from FailedandSuspended
    to healthy but still no changes happened.
    I tried to delete the afftected database in passive server and copy the healthy database from active to passive again and do the reseed procedure but still the problem is the same. Please help. Thank you! 

    Hi,
    Now, you have active database in E:\ disk on active server and passive database in C:\ disk on passive disk, is it right?
    We need to note that the relative location of the passive copy of the database is identical to the location of the active copy. In your case, you need to check if the relative location of the passive copy of the database is identical to the location of the
    active copy.
    If the path is different, you need to re-add database copy to check result.
    Otherwise, you can check the following article to see if this can help you.
    Content Index status of all or most of the mailbox databases in the environment shows "Failed"
    http://support.microsoft.com/kb/2807668
    Best regards,
    Belinda Ma
    TechNet Community Support

  • Mailbox Database Content Index Failed and Suspended

    Hello,
         I am having an issue with a Mailbox Database.  The content index shows FailedAndSuspended.  there are no Bad Copy Counts  and it shows as Mounted.  I have no DAG so this is a single database and followed the article
    here: 
    http://technet.microsoft.com/en-us/library/ee633475(v=exchg.150).aspx
    After it crawled for a little while it went to Failed, then unknown, then crawling, and has finally ended up at FailedAndSuspended again.  I am also popping errors as follows:
    MSExchangeFastSearch Event ID 1004
    MSExchangeIS Event ID 1012
    MSExchange  ADAccess Event ID 4020
    MSExchangeRepl Event ID 4087 (Though this is weird as it is a stand alone database why would it try to replicate it?)
    MSExchange Common Event ID 4999
    The following Warnings are hitting at the same time:
    MSExchangeFastSearch Event ID 1006, 1009, 1010
    MSExchange Mid-Tier Storage Event ID 6002, 10010
    Anyone have any thoughts on a fix for this?
    Michael R. Mastro II

    Ok I did a Set-MailboxDatabase "Mailbox Database #" -IndexEnabled $false, then stopped both the MS Exchange Search and MS Exchange Search Host Controllers. Started them again and it showed disabled when I did a get-mailboxdatabasecopystatus. I then went
    Set-MailboxDatabase "Mailbox Database #" -IndexEnabled $true. After about 10 minutes got a FailedAndSuspended Status. So here are the logs from event viewer.
    Log Name:      ApplicationSource:        MSExchange Mid-Tier StorageDate:          7/20/2014 7:53:49 PMEvent ID:      6002Task Category: ResourceHealthLevel:         WarningKeywords:      ClassicUser:          N/AComputer:      MRM2EX1.MRM2Inc.comDescription:Ping of mdb '7d98ce58-997c-41c1-abde-06d7eaf3dbdd' timed out after '00:00:00' minutes.  Last successful ping was at '7/20/2014 11:53:49 PM' UTC.Event Xml:<Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">  <System>    <Provider Name="MSExchange Mid-Tier Storage" />    <EventID Qualifiers="32768">6002</EventID>    <Level>3</Level>    <Task>6</Task>    <Keywords>0x80000000000000</Keywords>    <TimeCreated SystemTime="2014-07-20T23:53:49.000000000Z" />    <EventRecordID>703314</EventRecordID>    <Channel>Application</Channel>    <Computer>MRM2EX1.MRM2Inc.com</Computer>    <Security />  </System>  <EventData>    <Data>7d98ce58-997c-41c1-abde-06d7eaf3dbdd</Data>    <Data>00:00:00</Data>    <Data>7/20/2014 11:53:49 PM</Data>  </EventData></Event>
    Log Name:      ApplicationSource:        MSExchangeFastSearchDate:          7/20/2014 7:37:17 PMEvent ID:      1006Task Category: GeneralLevel:         WarningKeywords:      ClassicUser:          N/AComputer:      MRM2EX1.MRM2Inc.comDescription:The FastFeeder component received a connection exception from FAST. Error details: Microsoft.Exchange.Search.Fast.FastConnectionException: Connection to the Content Submission Service has failed. ---> Microsoft.Ceres.External.ContentApi.ConnectionException: Recovery failed after 0 retries   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.CheckRecoveryFailed()   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.SubmitDocument(Document document, TimeSpan timeout)   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.SubmitDocument(Document document)   at Microsoft.Exchange.Search.Fast.FastFeeder.SubmitDocumentInternal(Object state)   --- End of inner exception stack trace ---Event Xml:<Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">  <System>    <Provider Name="MSExchangeFastSearch" />    <EventID Qualifiers="32772">1006</EventID>    <Level>3</Level>    <Task>1</Task>    <Keywords>0x80000000000000</Keywords>    <TimeCreated SystemTime="2014-07-20T23:37:17.000000000Z" />    <EventRecordID>703192</EventRecordID>    <Channel>Application</Channel>    <Computer>MRM2EX1.MRM2Inc.com</Computer>    <Security />  </System>  <EventData>    <Data>Microsoft.Exchange.Search.Fast.FastConnectionException: Connection to the Content Submission Service has failed. ---&gt; Microsoft.Ceres.External.ContentApi.ConnectionException: Recovery failed after 0 retries   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.CheckRecoveryFailed()   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.SubmitDocument(Document document, TimeSpan timeout)   at Microsoft.Ceres.External.ContentApi.DocumentFeeder.DocumentFeeder.SubmitDocument(Document document)   at Microsoft.Exchange.Search.Fast.FastFeeder.SubmitDocumentInternal(Object state)   --- End of inner exception stack trace ---</Data>  </EventData></Event>
    Log Name:      ApplicationSource:        MSExchangeFastSearchDate:          7/20/2014 7:43:22 PMEvent ID:      1010Task Category: GeneralLevel:         WarningKeywords:      ClassicUser:          N/AComputer:      MRM2EX1.MRM2Inc.comDescription:An operation attempted against a FAST endpoint exprienced an exception. This operation may be retried. Error details: Microsoft.Exchange.Search.Fast.PerformingFastOperationException: An Exception was received during a FAST operation. ---> System.ServiceModel.CommunicationException: The socket connection was aborted. This could be caused by an error processing your message or a receive timeout being exceeded by the remote host, or an underlying network resource issue. Local socket timeout was '00:01:00'. ---> System.IO.IOException: The write operation failed, see inner exception. ---> System.ServiceModel.CommunicationException: The socket connection was aborted. This could be caused by an error processing your message or a receive timeout being exceeded by the remote host, or an underlying network resource issue. Local socket timeout was '00:01:00'. ---> System.Net.Sockets.SocketException: An existing connection was forcibly closed by the remote host   at System.Net.Sockets.Socket.Send(Byte[] buffer, Int32 offset, Int32 size, SocketFlags socketFlags)   at System.ServiceModel.Channels.SocketConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   --- End of inner exception stack trace ---   at System.ServiceModel.Channels.SocketConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.BufferedConnection.WriteNow(Byte[] buffer, Int32 offset, Int32 size, TimeSpan timeout, BufferManager bufferManager)   at System.ServiceModel.Channels.BufferedConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.ConnectionStream.Write(Byte[] buffer, Int32 offset, Int32 count)   at System.Net.Security.NegotiateStream.StartWriting(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   at System.Net.Security.NegotiateStream.ProcessWrite(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   --- End of inner exception stack trace ---   at System.Net.Security.NegotiateStream.ProcessWrite(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   at System.Net.Security.NegotiateStream.Write(Byte[] buffer, Int32 offset, Int32 count)   at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   --- End of inner exception stack trace ---Server stack trace:    at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout, BufferManager bufferManager)   at System.ServiceModel.Channels.FramingDuplexSessionChannel.OnSendCore(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.TransportDuplexSessionChannel.OnSend(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.OutputChannel.Send(Message message, TimeSpan timeout)   at System.ServiceModel.Dispatcher.DuplexChannelBinder.Request(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.ServiceChannel.Call(String action, Boolean oneway, ProxyOperationRuntime operation, Object[] ins, Object[] outs, TimeSpan timeout)   at System.ServiceModel.Channels.ServiceChannelProxy.InvokeService(IMethodCallMessage methodCall, ProxyOperationRuntime operation)   at System.ServiceModel.Channels.ServiceChannelProxy.Invoke(IMessage message)Exception rethrown at [0]:    at System.Runtime.Remoting.Proxies.RealProxy.HandleReturnMessage(IMessage reqMsg, IMessage retMsg)   at System.Runtime.Remoting.Proxies.RealProxy.PrivateInvoke(MessageData& msgData, Int32 type)   at Microsoft.Ceres.ContentEngine.Admin.FlowService.IFlowServiceManagementAgent.GetFlows()   at Microsoft.Exchange.Search.Fast.IndexManager.<GetFlows>b__16()   at Microsoft.Exchange.Search.Fast.IndexManagementClient.PerformFastOperation[T](Func`1 function, String eventLogKey)   --- End of inner exception stack trace ---Event Xml:<Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">  <System>    <Provider Name="MSExchangeFastSearch" />    <EventID Qualifiers="32772">1010</EventID>    <Level>3</Level>    <Task>1</Task>    <Keywords>0x80000000000000</Keywords>    <TimeCreated SystemTime="2014-07-20T23:43:22.000000000Z" />    <EventRecordID>703224</EventRecordID>    <Channel>Application</Channel>    <Computer>MRM2EX1.MRM2Inc.com</Computer>    <Security />  </System>  <EventData>    <Data>Microsoft.Exchange.Search.Fast.PerformingFastOperationException: An Exception was received during a FAST operation. ---&gt; System.ServiceModel.CommunicationException: The socket connection was aborted. This could be caused by an error processing your message or a receive timeout being exceeded by the remote host, or an underlying network resource issue. Local socket timeout was '00:01:00'. ---&gt; System.IO.IOException: The write operation failed, see inner exception. ---&gt; System.ServiceModel.CommunicationException: The socket connection was aborted. This could be caused by an error processing your message or a receive timeout being exceeded by the remote host, or an underlying network resource issue. Local socket timeout was '00:01:00'. ---&gt; System.Net.Sockets.SocketException: An existing connection was forcibly closed by the remote host   at System.Net.Sockets.Socket.Send(Byte[] buffer, Int32 offset, Int32 size, SocketFlags socketFlags)   at System.ServiceModel.Channels.SocketConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   --- End of inner exception stack trace ---   at System.ServiceModel.Channels.SocketConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.BufferedConnection.WriteNow(Byte[] buffer, Int32 offset, Int32 size, TimeSpan timeout, BufferManager bufferManager)   at System.ServiceModel.Channels.BufferedConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.ConnectionStream.Write(Byte[] buffer, Int32 offset, Int32 count)   at System.Net.Security.NegotiateStream.StartWriting(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   at System.Net.Security.NegotiateStream.ProcessWrite(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   --- End of inner exception stack trace ---   at System.Net.Security.NegotiateStream.ProcessWrite(Byte[] buffer, Int32 offset, Int32 count, AsyncProtocolRequest asyncRequest)   at System.Net.Security.NegotiateStream.Write(Byte[] buffer, Int32 offset, Int32 count)   at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   --- End of inner exception stack trace ---Server stack trace:    at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout)   at System.ServiceModel.Channels.StreamConnection.Write(Byte[] buffer, Int32 offset, Int32 size, Boolean immediate, TimeSpan timeout, BufferManager bufferManager)   at System.ServiceModel.Channels.FramingDuplexSessionChannel.OnSendCore(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.TransportDuplexSessionChannel.OnSend(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.OutputChannel.Send(Message message, TimeSpan timeout)   at System.ServiceModel.Dispatcher.DuplexChannelBinder.Request(Message message, TimeSpan timeout)   at System.ServiceModel.Channels.ServiceChannel.Call(String action, Boolean oneway, ProxyOperationRuntime operation, Object[] ins, Object[] outs, TimeSpan timeout)   at System.ServiceModel.Channels.ServiceChannelProxy.InvokeService(IMethodCallMessage methodCall, ProxyOperationRuntime operation)   at System.ServiceModel.Channels.ServiceChannelProxy.Invoke(IMessage message)Exception rethrown at [0]:    at System.Runtime.Remoting.Proxies.RealProxy.HandleReturnMessage(IMessage reqMsg, IMessage retMsg)   at System.Runtime.Remoting.Proxies.RealProxy.PrivateInvoke(MessageData&amp; msgData, Int32 type)   at Microsoft.Ceres.ContentEngine.Admin.FlowService.IFlowServiceManagementAgent.GetFlows()   at Microsoft.Exchange.Search.Fast.IndexManager.&lt;GetFlows&gt;b__16()   at Microsoft.Exchange.Search.Fast.IndexManagementClient.PerformFastOperation[T](Func`1 function, String eventLogKey)   --- End of inner exception stack trace ---</Data>  </EventData></Event>
    Log Name:      ApplicationSource:        MSExchange Mid-Tier StorageDate:          7/20/2014 7:53:49 PMEvent ID:      6002Task Category: ResourceHealthLevel:         WarningKeywords:      ClassicUser:          N/AComputer:      MRM2EX1.MRM2Inc.comDescription:Ping of mdb '7d98ce58-997c-41c1-abde-06d7eaf3dbdd' timed out after '00:00:00' minutes.  Last successful ping was at '7/20/2014 11:53:49 PM' UTC.Event Xml:<Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">  <System>    <Provider Name="MSExchange Mid-Tier Storage" />    <EventID Qualifiers="32768">6002</EventID>    <Level>3</Level>    <Task>6</Task>    <Keywords>0x80000000000000</Keywords>    <TimeCreated SystemTime="2014-07-20T23:53:49.000000000Z" />    <EventRecordID>703314</EventRecordID>    <Channel>Application</Channel>    <Computer>MRM2EX1.MRM2Inc.com</Computer>    <Security />  </System>  <EventData>    <Data>7d98ce58-997c-41c1-abde-06d7eaf3dbdd</Data>    <Data>00:00:00</Data>    <Data>7/20/2014 11:53:49 PM</Data>  </EventData></Event>
    Log Name:      ApplicationSource:        MSExchange Mid-Tier StorageDate:          7/20/2014 7:58:39 PMEvent ID:      10010Task Category: ResourceHealthLevel:         WarningKeywords:      ClassicUser:          N/AComputer:      MRM2EX1.MRM2Inc.comDescription:Process: MSExchangeDelivery (2824), Db:a433e8a2-ca26-438e-a9a3-d71305c6c266,C:1,BT:00:00:00,Db:7d98ce58-997c-41c1-abde-06d7eaf3dbdd,C:1,BT:00:00:00,Event Xml:<Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">  <System>    <Provider Name="MSExchange Mid-Tier Storage" />    <EventID Qualifiers="32768">10010</EventID>    <Level>3</Level>    <Task>6</Task>    <Keywords>0x80000000000000</Keywords>    <TimeCreated SystemTime="2014-07-20T23:58:39.000000000Z" />    <EventRecordID>703327</EventRecordID>    <Channel>Application</Channel>    <Computer>MRM2EX1.MRM2Inc.com</Computer>    <Security />  </System>  <EventData>    <Data>Process: MSExchangeDelivery (2824), Db:a433e8a2-ca26-438e-a9a3-d71305c6c266,C:1,BT:00:00:00,Db:7d98ce58-997c-41c1-abde-06d7eaf3dbdd,C:1,BT:00:00:00,</Data>  </EventData></Event>
    Michael R. Mastro II

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

  • In games it tells me verification required when I try and purchase then sends me to itunes I re enter credit card and it tells me credit card payment unavailable please try later in red please help

    GGoing on for hours anyone else having trouble

    I go to itunes support for complete my transaction,but I dont know what I have to do after

  • RME-Compliance check job failed and Execution status display notattempted

    Dear All,
    We did a compliance check job schedule one time/a day.but unfortunately it failed as below:
    Execution Summary
    Pending : 0
    NotAttempted : 361
    Successfull : 0
    Failed : 0
    Partial Success : 0
    How can i do?
    Thanks!

    Use this document:
    http://www.cisco.com/en/US/docs/net_mgmt/ciscoworks_resource_manager_essentials/4.0/user/guide/over.html

  • SM13 Update Request Failed entries with status "Enqueques deleted"

    Hi Experts,
    I viewed transaction SM13 and there are entries whereas the updated request is failed and the status is "Enqueque deleted". Unlike with other updated request failed with status "Error", error message is provided. However for those with "Enqueque deleted" there's NO error. Do you have any idea what went wrong having such status? Thanks in advance!
    Best Regards,
    Kurtt

    Hi Royit,
    Thank you very much for your response. are there any means of tracing who deleted/released it? Thanks in advance!
    Best Regards,
    Kurtt

  • Conversion failed when converting date and/or time from character string

    Hi experts,
    I'm trying running a query in Microsoft Query but it gives the following error message:
    "conversion failed when converting date and/or time from character string"
    when asks me the data I'm inserting 31-01-2014
    i've copy the query form the forum:
    SELECT T1.CardCode, T1.CardName, T1.CreditLine, T0.RefDate, T0.Ref1 'Document Number',
         CASE  WHEN T0.TransType=13 THEN 'Invoice'
              WHEN T0.TransType=14 THEN 'Credit Note'
              WHEN T0.TransType=30 THEN 'Journal'
              WHEN T0.TransType=24 THEN 'Receipt'
              END AS 'Document Type',
         T0.DueDate, (T0.Debit- T0.Credit) 'Balance'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')<=-1),0) 'Future'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')>=0 and DateDiff(day, T0.DueDate,'[%1]')<=30),0) 'Current'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')>30 and DateDiff(day, T0.DueDate,'[%1]')<=60),0) '31-60 Days'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')>60 and DateDiff(day, T0.DueDate,'[%1]')<=90),0) '61-90 Days'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')>90 and DateDiff(day, T0.DueDate,'[%1]')<=120),0) '91-120 Days'
         ,ISNULL((SELECT T0.Debit-T0.Credit WHERE DateDiff(day, T0.DueDate,'[%1]')>=121),0) '121+ Days'
    FROM JDT1 T0 INNER JOIN OCRD T1 ON T0.ShortName = T1.CardCode
    WHERE (T0.MthDate IS NULL OR T0.MthDate > ?) AND T0.RefDate <= ? AND T1.CardType = 'C'
    ORDER BY T1.CardCode, T0.DueDate, T0.Ref1

    Hi,
    The above error appears due to date format is differnt from SAP query generator and SQL server.
    So you need convert all date in above query to SQL server required format.
    Try to convert..let me know if not possible.
    Thanks & Regards,
    Nagarajan

  • [SOLVED] Unable to hibernate (and garbles the screen when it fails)

    Hello,  I'm unable to hibernate (but I can suspend fine).
    When I run
    sudo systemctl hibernate
    it will run the command, turn off the screen and come back all garbled (like static from a tv), with the computer still on but the processes stopped.
    I followed all the instructions on the hibernation wiki.
    I rebuilt grub adding the swap partition and added the resume hook to mkinitcpio.
    My swap partition is 23.4GB and my ram is 16gb, so that shouldn't be an issue.
    I've had a look at my xorg logs, run systemctl --all | grep errors with nothing, and nothing came up from the system journal ( I forgot the command as it was deleted from my bash history).
    What other logs can I provide to help determine the error?
    Thanks
    edit:
    It's been solved now, I believe an update to the kernel has done the trick. I can suspend to disk fine now.
    For those googling, I'm running 3.11.6-1-ARCH
    Last edited by lugubrious (2013-11-13 00:21:27)

    Still nothing unfortunately.
    I masked alsa90 under /etc/pm/sleep.d to be -x. That was the only file out of the pm directories. (I only have it for KDE too).
    I've also double checked my grub config to add resume, and mkinitcpio which has the resume hook.
    This is the relevant part of journalctl, this is when I run sudo systemlctl hibernate
    Oct 16 15:36:08 arch64 sudo[2228]: lugub : TTY=pts/0 ; PWD=/home/lugub ; USER=root ; COMMAND=/usr/bin/systemctl hibernate
    Oct 16 15:36:08 arch64 sudo[2228]: pam_unix(sudo:session): session opened for user root by (uid=0)
    Oct 16 15:36:08 arch64 systemd[1]: Cannot add dependency job for unit xscreensaver.service, ignoring: Unit xscreensaver.service failed to load: No such file or directory.
    Oct 16 15:36:08 arch64 systemd[1]: Starting Sleep.
    Oct 16 15:36:08 arch64 systemd[1]: Reached target Sleep.
    Oct 16 15:36:08 arch64 systemd[1]: Starting Hibernate...
    Oct 16 15:36:08 arch64 kernel: PM: Hibernation mode set to 'platform'
    Oct 16 15:36:08 arch64 systemd-sleep[2231]: Suspending system...
    Oct 16 15:36:08 arch64 slim[340]: (II) AIGLX: Suspending AIGLX clients for VT switch
    Oct 16 15:36:08 arch64 kernel: PM: Marking nosave pages: [mem 0x00092000-0x000fffff]
    Oct 16 15:36:08 arch64 kernel: PM: Marking nosave pages: [mem 0xcfda0000-0xffffffff]
    Oct 16 15:36:08 arch64 kernel: PM: Marking nosave pages: [mem 0xc4000000-0xc7ffffff]
    Oct 16 15:36:08 arch64 kernel: PM: Basic memory bitmaps created
    The error with xscreensaver service comes up when I sleep, (and run xscreensaver lock && suspend), but I can sleep fine with it.
    Oct 16 15:57:07 arch64 systemd[1]: Cannot add dependency job for unit xscreensaver.service, ignoring: Unit xscreensaver.service failed to load: No such file or directory.
    Oct 16 15:57:07 arch64 systemd[1]: Starting Sleep.
    Oct 16 15:57:07 arch64 systemd[1]: Reached target Sleep.
    Oct 16 15:57:07 arch64 systemd[1]: Starting Suspend...
    Oct 16 15:57:07 arch64 systemd-sleep[559]: Suspending system...
    Oct 16 15:57:07 arch64 kernel: PM: Syncing filesystems ... done.
    Oct 16 15:57:07 arch64 kernel: PM: Preparing system for mem sleep
    Oct 16 15:57:08 arch64 slim[341]: (II) AIGLX: Suspending AIGLX clients for VT switch
    Oct 16 15:57:17 arch64 kernel: Freezing user space processes ... (elapsed 0.001 seconds) done.
    Oct 16 15:57:17 arch64 kernel: Freezing remaining freezable tasks ... (elapsed 0.001 seconds) done.
    Oct 16 15:57:17 arch64 systemd[1]: Time has been changed
    Oct 16 15:57:17 arch64 systemd[446]: Time has been changed
    Oct 16 15:57:17 arch64 systemd-sleep[559]: System resumed.
    When I ran pm-hibernate as suggested above it didn't suspend either, but this came up on journalctl
    Oct 16 14:37:03 arch64 kernel: PM: Cannot find swap device, try swapon -a.
    Oct 16 14:37:03 arch64 kernel: PM: Cannot get swap writer
    Any ideas? Thanks
    Last edited by lugubrious (2013-10-16 03:28:19)

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

  • TS1717 When I try and start iTunes after trying to intall the 11.4 update on my Windows 7 laptop, it says to reinstall iTunes and "Windows Error Code 193" I tried ave the same failed response. Can someone help?

    When I try and start iTunes after trying to intall the 11.4 update on my Windows 7 laptop, it says to reinstall iTunes and "Windows Error Code 193" I tried ave the same failed response. Can someone help?

    Hi inharmony35,
    If you are having issues with iTunes after an attempted update, you may want to try the steps in the following articles:
    Apple Support: Removing and reinstalling iTunes and other software components for Windows Vista, Windows 7, or Windows 8
    http://support.apple.com/kb/HT1923
    Apple Support: Issues installing iTunes or QuickTime for Windows
    http://support.apple.com/kb/HT1926
    Regards,
    - Brenden

Maybe you are looking for

  • Importing addresses to PDF Order Form

    I have created a PDF order form that I use with a pretty consistent customer list. Currently I use a combo box drop down list for the customer name, address, city, etc. Each one of those is a separate box so I have to select the name then the address

  • Urgent Help Requested...

    Good day all, I have a 40GB iPod Photo. I've had it for over a year now and it's been working fine...uptil now. My friend suggested that there is a way to get my old iPod to play videos. He suggested something like iPodLinux. I tried it and now I wan

  • Catalog type in QM

    Hi All, In qs41 transaction i have created some code groups, and inside it i have defined codes. Now, i want to delete some code and code group. When i am trying to delete it, it is showing error. In SPRO Setting for catalog type i can click the chec

  • Error in pop up menu: continuously running

    hi i m a greenhorn 2 labview n now i got problem with the pop up menu..When i run my VI,the pop up menu works but then after i typed in the data, it didn't close by itself n the vi hanged, i hav to close all the VIs.i m using Labview 8.0. My program

  • My nokia 5300 keeps turning itself off

    Help my nokia 5300 keeps turning itself off. It won't let me read my messages. Everytime I press the key to read my messages it just goes off. I only had it about 6 months!!!