The server was unable to process the request due to an internal error.

         
Properties set in my project are below
namespace EmployeeService
        public class Employee
            private int _Id;
            private string _Name;
            private string _Gender;
            private DateTime _DateofBirth;
            public int Id
                get { return _Id; }
                set { _Id = value; }
            public string Name
                set { _Name = value; }
                get { return _Name; }
            public string Gender
                set { _Gender = value; }
                get { return _Gender; }
            public DateTime DateofBirth
                set { _DateofBirth = value; }
                get { return _DateofBirth; }
This is the service i have developed in my project 
namespace EmployeeService
    // NOTE: You can use the "Rename" command on the "Refactor" menu to change the class name "Service1" in both code and config file together.
    public class EmployeeService : IEmployeeService
        public Employee GetEmployee(int Id)
            Employee objemp = new Employee();
            string cs = ConfigurationManager.ConnectionStrings["DBCS"].ConnectionString;
            using (SqlConnection con = new SqlConnection(cs))
                SqlCommand cmd = new SqlCommand("spGettblEmployeewcf", con);
                cmd.CommandType = CommandType.StoredProcedure;
                SqlParameter Idparameter = new SqlParameter();
                Idparameter.ParameterName = "@Id";
                Idparameter.Value = Id;
                cmd.Parameters.Add(Idparameter);
                con.Open();
                SqlDataReader dr = cmd.ExecuteReader();
                while (dr.Read())
                    objemp.Id = Convert.ToInt32(dr["Id"]);
                    objemp.Name = dr["Name"].ToString();
                    objemp.Gender = dr["Gender"].ToString();
                    objemp.DateofBirth = Convert.ToDateTime(dr["DateofBirth"]);
            return objemp;
        public void SaveEmployee(Employee objemp)
            string cs = ConfigurationManager.ConnectionStrings["DBCS"].ConnectionString;
            using (SqlConnection con = new SqlConnection(cs))
                SqlCommand cmd = new SqlCommand("spInsertEmployeewcf", con);
                cmd.CommandType = CommandType.StoredProcedure;
                SqlParameter ParameterId = new SqlParameter()
                    Value = objemp.Id,
                    ParameterName = "@Id"
                cmd.Parameters.Add(ParameterId);
                SqlParameter ParameterName = new SqlParameter()
                    Value = objemp.Name,
                    ParameterName = "@Name"
                cmd.Parameters.Add(ParameterName);
                SqlParameter ParameterGender = new SqlParameter()
                    Value = objemp.Gender,
                    ParameterName = "@Gender"
                cmd.Parameters.Add(ParameterGender);
                SqlParameter ParameterDateofBirth = new SqlParameter()
                    Value = objemp.DateofBirth,
                    ParameterName = "@DateofBirth"
                cmd.Parameters.Add(ParameterDateofBirth);
                con.Open();
                cmd.ExecuteNonQuery();
The Service Contract  code is
namespace EmployeeService
    // NOTE: You can use the "Rename" command on the "Refactor" menu to change the interface name "IService1" in both code and config file together.
    [ServiceContract]
    public interface IEmployeeService
        [OperationContract]
        Employee GetEmployee(int Id);
        [OperationContract]
        void SaveEmployee(Employee objemp); 
        // TODO: Add your service operations here
    // Use a data contract as illustrated in the sample below to add composite types to service operations
and i deployed the EmployeeService in iis and consuming the service in my web application the code is below
 protected void btnsave_Click(object sender, EventArgs e)
            EmployeeService.EmployeeServiceClient client = new EmployeeService.EmployeeServiceClient("basicHttpBinding");
            EmployeeService.Employee employee = new EmployeeService.Employee();
            employee.Id = Convert.ToInt32(txtid.Text);
            employee.Name = txtname.Text;
            employee.Gender = txtgender.Text;
            employee.DateofBirth = Convert.ToDateTime(txtdob.Text);
            client.SaveEmployee(employee);
        protected void btnget_Click(object sender, EventArgs e)
            EmployeeService.EmployeeServiceClient client = new EmployeeService.EmployeeServiceClient("basicHttpBinding");
            EmployeeService.Employee employee = client.GetEmployee(Convert.ToInt32(txtid.Text));
            txtname.Text = employee.Name;
            txtgender.Text = employee.Gender;
            txtdob.Text = employee.DateofBirth.ToShortDateString();
and  when i am entering the details of employee Id,Name,Gender,DateofBirth and clicking save button iam getting the following error 
The server was unable to process the request due to an internal error.  For more information about the error, either turn on IncludeExceptionDetailInFaults (either from ServiceBehaviorAttribute or from the <serviceDebug> configuration behavior)
on the server in order to send the exception information back to the client, or turn on tracing as per the Microsoft .NET Framework SDK documentation and inspect the server trace logs.
Code in web.config file in Webapplication(Client) is the following
<?xml version="1.0"?>
<!--
  For more information on how to configure your ASP.NET application, please visit
  http://go.microsoft.com/fwlink/?LinkId=169433
  -->
<configuration>
    <system.diagnostics>
        <sources>
            <source name="System.ServiceModel.MessageLogging" switchValue="Warning, ActivityTracing">
                <listeners>
                    <add type="System.Diagnostics.DefaultTraceListener" name="Default">
                        <filter type="" />
                    </add>
                    <add name="ServiceModelMessageLoggingListener">
                        <filter type="" />
                    </add>
                </listeners>
            </source>
            <source name="System.ServiceModel" switchValue="Warning, ActivityTracing"
                propagateActivity="true">
                <listeners>
                    <add type="System.Diagnostics.DefaultTraceListener" name="Default">
                        <filter type="" />
                    </add>
                    <add name="ServiceModelTraceListener">
                        <filter type="" />
                    </add>
                </listeners>
            </source>
        </sources>
        <sharedListeners>
            <add initializeData="C:\Users\HEMANTH\Desktop\Client\Client\Web_messages.svclog"
                type="System.Diagnostics.XmlWriterTraceListener, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"
                name="ServiceModelMessageLoggingListener" traceOutputOptions="Timestamp">
                <filter type="" />
            </add>
            <add initializeData="C:\Users\HEMANTH\Desktop\Client\Client\Web_tracelog.svclog"
                type="System.Diagnostics.XmlWriterTraceListener, System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"
                name="ServiceModelTraceListener" traceOutputOptions="Timestamp">
                <filter type="" />
            </add>
        </sharedListeners>
        <trace autoflush="true" />
    </system.diagnostics>
    <system.web>
        <compilation debug="true" targetFramework="4.0" />
    </system.web>
    <system.serviceModel>
        <diagnostics>
            <messageLogging logEntireMessage="true" logMalformedMessages="true"
                logMessagesAtTransportLevel="true" />
        </diagnostics>
        <bindings>
            <basicHttpBinding>
                <binding name="basicHttpBinding" />
            </basicHttpBinding>
            <wsHttpBinding>
                <binding name="mexHttpBinding">
                    <security mode="None" />
                </binding>
            </wsHttpBinding>
        </bindings>
        <client>
            <endpoint address="http://localhost/EmployeeWebServices/EmployeeService.svc/basic"
                binding="basicHttpBinding" bindingConfiguration="basicHttpBinding"
                contract="EmployeeService.IEmployeeService" name="basicHttpBinding" />
            <endpoint address="http://localhost/EmployeeWebServices/EmployeeService.svc/mex"
                binding="wsHttpBinding" bindingConfiguration="mexHttpBinding"
                contract="EmployeeService.IEmployeeService" name="mexHttpBinding" />
        </client>
    </system.serviceModel>
</configuration>
Things i have tried till now are 
1)changed the name of the name of the endpoint address basicHttpBinding to  basicHttpBinding_IEmployeeService but still get the save error.
2)Opened the Message Log Trace. Got the error as follows
<MessageLogTraceRecord>
<HttpResponse xmlns="http://schemas.microsoft.com/2004/06/ServiceModel/Management/MessageTrace">
<StatusCode>InternalServerError</StatusCode>
<StatusDescription>Internal Server Error</StatusDescription>
<WebHeaders>
<Content-Length>730</Content-Length>
<Cache-Control>private</Cache-Control>
<Content-Type>text/xml; charset=utf-8</Content-Type>
<Date>Sat, 03 Jan 2015 12:12:24 GMT</Date>
<Server>Microsoft-IIS/7.5</Server>
<X-AspNet-Version>4.0.30319</X-AspNet-Version>
<X-Powered-By>ASP.NET</X-Powered-By>
</WebHeaders>
</HttpResponse>
<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/">
<s:Header></s:Header>
<s:Body>
<s:Fault>
<faultcode xmlns:a="http://schemas.microsoft.com/net/2005/12/windowscommunicationfoundation/dispatcher" xmlns="">a:InternalServiceFault</faultcode>
<faultstring xml:lang="en-US" xmlns="">The server was unable to process the request due to an internal error.  For more information about the error, either turn on IncludeExceptionDetailInFaults (either from ServiceBehaviorAttribute
or from the <serviceDebug> configuration behavior) on the server in order to send the exception information back to the client, or turn on tracing as per the Microsoft .NET Framework SDK documentation and inspect the server trace logs.</faultstring>
</s:Fault>
</s:Body>
</s:Envelope>
</MessageLogTraceRecord>
Try to understand but could not understand because i'am new to wcf services. Please help me to find the error details.
Thanks in advance
Regards
rax227 
                       

Hi Mohan,
I didn't use Fiddler before, I just download and use it but how to see the request message from this software?
I have logged the request to event log before send to web service and copy this request from event log to testing with soapUI, so I don't think have between the actual messages being sent to your client via orchestration and soapui. In the log Response shape
I see the fault response in event log.
You can see
this link to know how to use fiddler. As I suggested above the error you need to check is at the server side who is hosting the service( your party ) because you are getting fault response properly from them. The webservice you are calling seems to look
like WCF service too. Your life would have been so easier if you could ask them to have firewall open from your dev box to their dev server so that you can use use "Add Service Reference" wizard, that even they have .NET wcf service too. 
Did you by any chance manage to talk to them what they are getting or if they can increase the exception details in the fault message for you?
If this answers your question please mark it as Answer and if this post is helpful, please vote as helpful. Thanks !

Similar Messages

  • The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error. Event 1121

    Hello all,
    We migrated our Exchange server from 2003 to 2010. After the mailbox move requests were finished we had one that was stuck. We basically skipped it as we had a lot of other things to finish over the weekend. Here we are a year later, the old exchange server
    is gone and so is an old DC. I am receiving an error every four minutes in event viewer.
    The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error.
    Request GUID: '3e46b7cb-2ac0-42c1-98e8-57517a19ee40' 
    Database GUID: '5c6c573b-4f45-4ce3-b296-11cf69c2e2b6'
    Error: Unable to find 'OLD Domain Controller' computer information in domain controller 'OLD Domain Controller' to perform the suitability check. Verify the fully qualified domain name..
    I have checked in EMC for move requests. None are listed. I have checked the DCs listed in EMC properties. Old DC is not listed.
    I also ran these commands in shell to attempt to cancel the stuck request.
    Get-MoveRequest -MoveStatus Completed;Pending;InProgress;Failed;CompletedWithWarning;Suspended;Queued;CompletionWithProgress : Remove-MoveRequest
    NO changes. Still throwing error. Any suggestions? I also tried using the guid and shell to look at the move request. Systems replies no such request.

    Hello,
    Please try to restart iis services to check the result.
    If the issue persists, I recommend you ping you DC server on your exchange server to check if your exchange server can communicate with your DC server.
    If there are other DCs, please try to use set-adserversettings cmdlet to specify a DC for your exchange server.
    Set-AdServerSettings
    http://technet.microsoft.com/en-us/library/dd298063(v=exchg.150).aspx
    Besides, please install the lasted rollup to check the result.
    Cara Chen
    TechNet Community Support

  • The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error. : Error: An Active Directory Constraint Violation error occurred

    Hello,
    We have a multi domain parent child AD domain infrastructure and now we upgraded our exchange from Exchange 2007 to Exchange 2013. Since last few days, we see the below error on the mailbox server event viewer.
    EVENT ID : 1121
    The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error. 
    Request GUID: '93a7d1ca-68a1-4cd9-9edb-a4ce2f7bb4cd' 
    Database GUID: '83d028ec-439d-4904-a0e4-1d3bc0f58809' 
    Error: An Active Directory Constraint Violation error occurred on <domain controller FQDN>. Additional information: The name reference is invalid. 
    This may be caused by replication latency between Active Directory domain controllers. 
    Active directory response: 000020B5: AtrErr: DSID-0315286E, #1:
    Our Exchange setup is in parent domain, but we keep on getting this error for various domain controllers in each child domain in the same site. We then configured one of the parent domain domain controller on Exchange. Still we are getting this error for
    the configured parent domain DC.
    Verified the AD replication and there is no latency or pending stuffs.
    Any support  to resolve this issue will be highly appreciated. Thank you in advance.
    Regards,
    Jnana R Dash

    Hi,
    In addition to Ed's suggestion, I would like to clarify the following things for troubleshooting:
    1. Please restart IIS at first.
    2. If the issue persists, please ping your DC on your Exchange server to check if Exchange can communicate with DC.
    Hope it helps.
    Best regards,
    Amy Wang
    TechNet Community Support

  • The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error

    Since demoting a child domain a few days ago, Exchange 2013 is still trying to contact it and as a result generating errors in the application event logs.  I had a similar problem which I solved by removing some old migration batches, now I have a problem
    with the Microsoft Exchange Mailbox Replication service.
    The event logged is:
    The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error.
    Request GUID: '0b6c0f5a-0563-48e2-8b97-e0781c6cc69a' 
    Database GUID: '23258311-ad29-41c2-a842-522f48baa267'
    Error: Unable to read from Active Directory. --> The call to Microsoft Exchange Active Directory Topology service on server 'TopologyClientTcpEndpoint (localhost)' returned an error. Error details Unable to find a suitable directory server for
    domain 'admin.riddlesdown.local'.. --> Unable to find a suitable directory server for domain 'admin.riddlesdown.local'..
    Process Microsoft.Exchange.Directory.TopologyService.exe (PID=2280). Exchange Active Directory Provider could not find an available domain controller in domain admin.riddlesdown.local. This event may be caused by network connectivity issues or
    configured incorrectly DNS server.
    The domain doesn't exist in AD Sites and Services, I have removed all traces from DNS but this is still occurring.  When I run Get-ADServerSettings | fl it reports no trace of the domain or a DC that was previously in it.
    How can I stop these events occurring and is it likely to be causing something else not to work correctly.
    We are running Exchange 2013 CU1

    No, that didn't work.  Here are more details:
    Source: MSExchange ADAccess (EventID: 2130)
    Process Microsoft.Exchange.Directory.TopologyService.exe (PID=2280). Exchange Active Directory Provider could not find an available domain controller in domain admin.riddlesdown.local. This event may be caused by network connectivity issues or configured
    incorrectly DNS server.
    Source: MSExchange ADAccess (EventID: 2119)
    Process Microsoft.Exchange.Directory.TopologyService.exe (PID=2280). Error DNS_ERROR_RCODE_NAME_ERROR (0x8007232B) occurred when DNS was queried for the service location (SRV) resource record used to locate a domain controller for domain admin.riddlesdown.local
     The query was for the SRV record for _ldap._tcp.dc._msdcs.admin.riddlesdown.local
     Common causes of this error include the following:
     - The DNS SRV records required to locate a domain controller for the domain are not registered in DNS. These records are registered with a DNS server automatically when a domain controller is added to a domain. They are updated by the domain controller
    at set intervals. This computer is configured to use DNS servers with following IP addresses:
    10.59.100.7
    10.59.100.8
    fec0:0:0:ffff::1Microsoft.Exchange.Directory.TopologyService.exe
    fec0:0:0:ffff::2Microsoft.Exchange.Directory.TopologyService.exe
    fec0:0:0:ffff::3Microsoft.Exchange.Directory.TopologyService.exe
     - One or more of the following zones do not include delegation to its child zone:
    admin.riddlesdown.local
    riddlesdown.local
    local
    . (the root zone)
    Source: MSExchange Mailbox Replication Service (EventID: 1121)
    The Microsoft Exchange Mailbox Replication service was unable to process a request due to an unexpected error.
    Request GUID: '87f4b926-0621-43d3-afeb-fe475ee6d850' 
    Database GUID: '23258311-ad29-41c2-a842-522f48baa267'
    Error: Unable to read from Active Directory. --> The call to Microsoft Exchange Active Directory Topology service on server 'TopologyClientTcpEndpoint (localhost)' returned an error. Error details Unable to find a suitable directory server for domain 'admin.riddlesdown.local'..
    --> Unable to find a suitable directory server for domain 'admin.riddlesdown.local'..
    Something is cause the Exchange server to go looking for our old domain, but what and why?

  • The server was unable to load the SSL provider library needed to log in

    Hello All,
    When I am trying to login to my default SQL 2008R2 SP2 instance in windows 2003 server via ssms, I am getting the below error
    A connection was successfully established with the server, but then an error occurred during the pre-login handshake. (provider: Shared Memory Provider, error: 0 - No process is on the other end of the pipe.) (.Net SqlClient Data Provider)
    When I looked into the error log and i could see lot of these messages.
    The server was unable to load the SSL provider library needed to log in; the connection has been closed. SSL is used to encrypt either the login sequence or all communications, depending on how the administrator has configured the server. See Books
    Online for information on this error message: 14 Not enough storage is available to complete this operation.
    Force protocol encryption is set to off.
    I am not sure what is the underlying problem. server's total RAM is 4 Gb and max_server_memory is set to 2 GB. CPU utilization is very normal at the time of issue.
    I restarted the SQL service and i am able to connect to the instance, but the issue is repeating and i need to find a permanent fix.
    Thanks

    I could also see the below in error log some time before i get the above alert 
    Error: 701, Severity: 17, State: 123.
    There is insufficient system memory in resource pool 'internal' to run this query
    then after sometime flurry of alerts 
    The server was unable to load the SSL provider library
    needed to log in; the connection has been closed. SSL is used to encrypt either the login sequence or all communications, depending on how the administrator has configured the server. See Books Online for information on this error message: 14 Not enough storage
    is available to complete this operation.
    Thanks

  • Error while creating task: The server was unable to save the form at this time. Please try again. (SharePoint 2013)

    I get the following error while saving a task inside task list:
    "The server was unable to save the form at this time. Please try again."
    I tried restarting "search service host controller".
    The server has 8 GB RAM and according to task manager, 6.67 GB is being used.
    I logged into the site with user which is the owner of the site. I tried creating tasks from client as well as the SharePoint server itself. Same error is shown in both the cases.
    How do I find information on the exact problem that is causing the error? What are possible solutions?

    Hi robikshrestha,
    This error message often shows when there is low memory that can be used, the workaround restart the “SharePoint Search Hosting Controller” service is to release some memory, and make it work. Whether restart the service release memory
    in your situation?
    Would you please check whether this issue happens all the time in task list, or happens sometimes when the memory is lower to use. If it doesn’t have a large impact, you can restart the server, check the result. have a look at the event
    log and ULS log, see whether there is related information.
    If it happens all the time, would you please use other browsers, whether the results are same? This may be caused by some add-ons in IE, like Free Download Manager I have seen.
    Thanks,
    Qiao Wei
    TechNet Community Support

  • The server was unable to save the form at this time. Please try again - tried the trust standards...

    2013 standard sharepoint server.  Content DBs were on a Trial enterprise server and copied over to standard server. All was good on trial server.
    there are 8 sites on server, 2 of the sites cannot create or edit items, they get "The server was unable to save the form at this time. Please try again"
    googling around i tried everything. restarted search host controller, checked ram usage (8gb free), manage content types, iisresets, edit the web.config file ( add things for ram, search host, etc), no alternate access mappings, .net HTTP activation, rebooted
    server... I'm sure i missed some.
    The server is new install, all but the August HF CUs. Trial server the content DBs came from is at same level.
    It is not a server level issue as the other 6 sites are fine. its something with just 2 sites.
    kinda stuck here...
    Thanks,
       Scott<-

    With the USL Logs were hard to track down what was happening, though I think it was too do with /_vti_bin/client.svc/ProcessQuery.
    I did the Enable/Disable Anonymous Access on the Directory with no luck.
    Brought up Fiddler and Saw that I was getting 401 and 500 Errors on
    GET http://team.intranet.eandm.com/it/_vti_bin/client.svc/ProcessQuery HTTP/1.1
    So it had something to do with Permissions. I checked the Authentication and the sites that worked had Forms Auth Enabled, and the ones that didn't, didn't have forms Auth enabled.  Enabling it manually was no go.
    I then went though the web.config on the working and non-working sites and there were some differences.   The Authentication was Forms on the working site, Windows on the nonworking. There was many things not present. httpModules section was missing,
    Many of the Microsoft Identity /Authentication lines etc. 
    So I Basically took the web.config from the working site and copied it to the non-working site preserving the following line from the original web.config:
    <machineKey validationKey="{key}" decryptionKey="{key}" validation="{hash}" />
    After that I had Security Issues, Though I think this was Caused by the July 2014 CU making everything use the Microsoft Identity parts, where as the server I was porting form had the sites created before the July 2014 CU. (though both were at the same level)
    Even though all of the users were present in the site security, I had to Drop and re-add them to every site/and list with special Perms. 
    With the Security Fixed, I no longer received the Error "The server was unable to save the form at this time. Please try again"
    Knock on wood its all functioning fine. 

  • The server was unable to save the form at this time. Please try again

    Having created a new custom list (even with only a text field) I am unable add new items to the list - the error message is Unexpected
    response from server. The status code of response is '0'. The status text of response is ''. when in 'quick edit'.
    If I try to add or modify an item in the list by clicking 'add new item' I get "The
    server was unable to save the form at this time. Please try again."
    I have restarted the Sharepoint Search Host Controller server but to no avail. I have 24Gb RAM for this server so it's not a
    memory issue (8Gb available). I have also tried from various browsers including Chrome and Safari - still the same error message.
    This error only occurs on lists. I can edit document properties in a library and have no problems with calendar entries.
    There are no entries in the event viewer, so where do I need to begin looking to find out what is (or rather is not) happening?

    One thing I noticed in SP 2013 is that if your list has unique permissions and a user/group has permissions only on that list and has limited or no access at the site level, then you run into this error: "The server was unable to save the form at this time.
    Please try again."
    This can be resolved by either giving that user/group atleast read access at the site level or in my case I had to create a new permission set (since we cant update limited access permission set) which is same as limited access but with the additional permission
    of "Use Remote Interfaces  -  Use SOAP, Web DAV, the Client Object Model or SharePoint Designer interfaces to access the Web site."
    I am not sure if this is a bug or as per design, but not allowing a user who has needed permissions at the list level but limited access at site level doesnt seem right. Never ran into this issue in prior version of SharePoint. I tested and this additional
    permission doesnt seem to violate any security at site level. But implement this at your risk. No guarantees provided and not responsible for any issues with this implementation if any.

  • Error:- The server was unable to save the form at this time. Please try again.

    Hi,
    I have SP 2013 intranet sites. 
    I am trying to edit the list item in site and getting the error "The server was unable to save the form at this time. Please try again."
    I read many article on this forum. to chck web.config file, to restart
    “SharePoint Search Hosting Controller” But no help.
    Still i am getting this. what could be the reason now.
    Please provide the resolution. I am trying to resolve this from last two days. 
    Thanks,
    Rakesh

    Normally, there's something wrong with the form responsible for editing list items. Is it customized? If not, you could use the free SharePoint Designer tool to delete the current form, create a new one (wait some time before caching issues are solved)
    and you should be good to go. If it is customized, contact the team responsible for managing it.
    Kind regards,
    Margriet Bruggeman
    Lois & Clark IT Services
    web site: http://www.loisandclark.eu
    blog: http://www.sharepointdragons.com

  • The server was unable to process your log in request. Please check with your server administrator.

    I have this error when trying to log in the web administration.
    I have a problem with my AD, so it is unavailable, i think for this i can´t login.
    Can I log in the administration console by using another password or user not vinculated to the domain?
    Thanks in advance.

    You can login with every local admin account in the admin-group. These admin accounts have to be created before the VMware-Server was installed. If you want to add further admin accounts after the VMserver-inst, you have to manually add them to the __vmware__ group.

  • Soap:Server was unable to process request. --- Value does not fall within the expected range

    Brand spanking new Sharepoint 2010 RTM and Designer 2010 RTM install. Unable to edit any page whatsoever even when checking out. Error in SP Designer: soap:Server was unable to process request. ---> Value does not fall within the expected range.
    Like I said, this is a brand new RTM install with nothing altered yet. Why can't I edit any pages? I am using the highest credentials so there should be no permission issues. There isn't anything that is helping me on the Web for this.
    Why would I encounter a problem like this out of the box? This is not the beta - it is RTM!

    Go to :
    Site Collection Administration 
    SharePoint Designer Settings
    and Enable the following
    Enable Detaching Pages from the Site Definition
    Enable Customizing Master Pages and Page Layouts
    Enable Managing of the Web Site URL Structure
    This should resolve the SP Designer Edit Issues.

  • Claims authentication: "Server was unable to process request. --- Index was outside the bounds of the array"

    Hi there,
    I recently got a peculiar error when users tried to log-in into a SP 2010 portal using claims based authentication.
    The following error is logged in the event viewer of the SP server in question:
    Event ID 8306 - Claims authentication
    An exception occurred when trying to issue security token: Server was unable to process request. ---> Index was outside the bounds of the array.
    I also found an IIS warning entry with a similar message:
    Event ID 1309 - Web Event
    Exception type: FaultException
    Exception message: Server was unable to process request. ---> Index was outside the bounds of the array.
    I simply could not find an answer to why this happened, but an iisreset seemed to have fixed the issue. I was wondering if anyone here would know a possible root cause for this issue?
    Thanks in advance for your help.
    Regards,
    P.

    Hi,
    Thanks for posting your issue, Kindly browse below mentioned URLs to fix this issue
    http://underthehood.ironworks.com/2011/05/sharepoint-2010-an-exception-occurred-when-trying-to-issue-security-token-the-server-was-unable-to-p-1.html
    http://nearbaseline.com/blog/2011/01/claims-exception-occurred-issuing-a-security-token/
    I hope this is helpful to you, mark it as Helpful.
    If this works, Please mark it as Answered.
    Regards,
    Dharmendra Singh (MCPD-EA | MCTS)
    Blog : http://sharepoint-community.net/profile/DharmendraSingh

  • Error  No server was available to process the request. (Error: RFC 00101)

    Hi,
    I am having this error when I try to refresh a report using SDK
    com.businessobjects.rebean.wi.ServerException: No server was available to process the request. Please try again later. (Error: RFC 00101)
            at com.businessobjects.rebean.fc.internal.ras21.RAS21CPIConnection.processRequest(RAS21CPIConnection.java:175)
            at com.businessobjects.rebean.fc.internal.ras21.XMLviaRAS21Encode.processRequestHelper(XMLviaRAS21Encode.java:680)
            at com.businessobjects.rebean.fc.internal.ras21.XMLviaRAS21Encode.openDocument(XMLviaRAS21Encode.java:1167)
            at com.businessobjects.rebean.fc.internal.ras21.RAS21DocumentComAdapter.openDocument(RAS21DocumentComAdapter.java:62)
            at com.businessobjects.rebean.fc.internal.ras21.RAS21ReportEngineComAdapter.openDocument(RAS21ReportEngineComAdapter.java:100)
            at com.businessobjects.rebean.fc.internal.ReportEngineImpl.openDocument(ReportEngineImpl.java:249)
    But all the servers are running....
    I think it could be a timeout problem or somethingelse. Could someone help me ?
    Do you have ever had this error ?
    Regards

    Error's happening on opening the Desktop Intelligence document - it's unable to connect to a Desktop Intelligence Cache Server.
    To check that the server is up - when the exception happens, are you able to refresh a Desktop Intelligence document in InfoView? 
    Any firewalls between your dev box and Enterprise box?
    Sincerely,
    Ted Ueda

  • Error encountered during DocumentInstance initialization, No server was available to process the request. Please try again later. (Error: RFC 00101)

    Post Author: usaitconsultant
    CA Forum: JAVA
    HiIm trying to initialize my deski document to pass parameter values in prompts. However, Im encountering this error message " No server was available to process the request. Please try again later. (Error: RFC 00101)". Codes below.Anybody encountered this already or know how to resolve this? Please help me, thank you. Source Code:ReportEngines reportEngines = (ReportEngines)enterpriseSession.getService("ReportEngines");ReportEngine reportEngine = reportEngines.getService(ReportEngines.ReportEngineType.FC_REPORT_ENGINE); //DeskiDocumentInstance documentInstance = reportEngine.openDocument(infoObject.getID()); //Error  hereError encountered:Entering getRASConnection()ExceptionError Message: No server was available to process the request. Please try again later. (Error: RFC 00101)

    Hi Prabhat,
    Following solution might be helpful in resolving the issue.
    To resolve the error message
    Log on to the Central Management Console as administrator.
    Click Servers > Desktop Intelligence Report Server.
    Increase the following time-out parameters to at least twice the current value:
    Minutes before Idle connection is closed
    Minutes before an idle report job is closed
    Click Update > Apply.
    The report opens successfully.
    Regards,
    Sarbhjeet Kaur

  • Error:- No server was available to process the request. Please try again la

    Hi All,
    I have created a report in deskI and trying to execute it through WebI on a large database, but it gives the below mentioned error after almost 30 min.
    Error:- No server was available to process the request. Please try again later. (Error:RFC 00101)(Error:INF)...
    When I run the same report on small database it works fine.
    When trying to execute the same report through SDK also it gives the same error.
    The SQL only execution timing when the report fails is about 23 min.
    What is the reason for this error. can we fix it by changing some configurations on BOXI server.
    Thanks in Advance,

    Hi Prabhat,
    Following solution might be helpful in resolving the issue.
    To resolve the error message
    Log on to the Central Management Console as administrator.
    Click Servers > Desktop Intelligence Report Server.
    Increase the following time-out parameters to at least twice the current value:
    Minutes before Idle connection is closed
    Minutes before an idle report job is closed
    Click Update > Apply.
    The report opens successfully.
    Regards,
    Sarbhjeet Kaur

Maybe you are looking for

  • Ipod 5th gen, video 30bg, will sync/restore, won't play

    I am running Windows 7, with all updates (as of 3/14/2014) have itunes 11.1.5.5 showing no available updates. When I plug into the USB port, the ipod gets recognized, Itunes starts. I can see the files on the ipod. I have reset the ipod and restored.

  • Coverage area and perimeter

    Hello, I don´t understand very well the difference between coverage area and perimeter in the WCS Map Editor. I only want that APs coverage offer service inside the building and then avoid that a person can connects when he is outside the building. T

  • Help! My copy of CS5 won't show lighting effects, and changing it to 32 bit mode does nothing

    Hi guys, I have a copy of CS 5.1 and my system is a Macbook Pro on Mac OS 10.6.8 I want to use lighting effects, so I changed it to 32 bit mode. So I go in to Photoshop and it's not there. I reset PS's settings, restart the computer as well. Still no

  • Dreamweaver CS5.5 No icons showing in files menu

    I have image, fla, swf and a few other apps that open certain files from DW. Today I open the files and I see only icons for dreamweveer and none for the photoshop, Flash and other icons that were there yesterday. I'm in OS 10.7 any help?

  • Robohelp explorer is unable to start microsoft word

    Hello, Sorry for this issue, but I have it till today, and I've found no way to correct this. What has been done: Initially, I've installed RoboHelp on an office 2003. As it was quite buggy, I've installed office 2010 and robohelp was stronger. Today