Configure Settings Error

Just downloaded the Blackberry desktop software 6.1 on my new laptop.  Using Windows 7 and Outlook 10.  When I try to configure settings I get an "Unknown Errer Reported".  I don't have an older version of the Blackberry software on the computer to confuse things.  Any ideas?

Hi Natspil,
Welcome to BlackBerry Support Community Forums.
Try going through this article to resolve the Unknown Error when configuring synchronization. http://bbry.lv/cf5Yot
-FS
Come follow your BlackBerry Technical Team on Twitter! @BlackBerryHelp
Be sure to click Kudos! for those who have helped you.
Click Solution? for posts that have solved your issue(s)!

Similar Messages

  • REST API: Create Deployment throwing error BadRequest (The specified configuration settings for Settings are invalid. Verify that the service configuration file is a valid XML file, and that role instance counts are specified as positive integers.)

    Hi All,
    We are trying to access the Create Deployment method stated below
    http://msdn.microsoft.com/en-us/library/windowsazure/ee460813
    We have uploaded the Package in the blob and browsing the configuration file. We have checked trying to upload manually the package and config file in Azure portal and its working
    fine.
    Below is the code we have written for creating deployment where "AzureEcoystemCloudService" is our cloud service name where we want to deploy our package. I have also highlighted the XML creation
    part.
    byte[] bytes =
    new byte[fupldConfig.PostedFile.ContentLength + 1];
                fupldConfig.PostedFile.InputStream.Read(bytes, 0, bytes.Length);
    string a = Encoding.UTF8.GetString(bytes, 0, bytes.Length);
    string base64ConfigurationFile = a.ToBase64();
    X509Certificate2 certificate =
    CertificateUtility.GetStoreCertificate(ConfigurationManager.AppSettings["thumbprint"].ToString());
    HostedService.CreateNewDeployment(certificate,
    ConfigurationManager.AppSettings["SubscriptionId"].ToString(),
    "2012-03-01", "AzureEcoystemCloudService", Infosys.AzureEcosystem.Entities.Enums.DeploymentSlot.staging,
    "AzureEcoystemDeployment",
    "http://shubhendustorage.blob.core.windows.net/shubhendustorage/Infosys.AzureEcoystem.Web.cspkg",
    "AzureEcoystemDeployment", base64ConfigurationFile,
    true, false);   
    <summary>
    /// </summary>
    /// <param name="certificate"></param>
    /// <param name="subscriptionId"></param>
    /// <param name="version"></param>
    /// <param name="serviceName"></param>
    /// <param name="deploymentSlot"></param>
    /// <param name="name"></param>
    /// <param name="packageUrl"></param>
    /// <param name="label"></param>
    /// <param name="base64Configuration"></param>
    /// <param name="startDeployment"></param>
    /// <param name="treatWarningsAsError"></param>
    public static
    void CreateNewDeployment(X509Certificate2 certificate,
    string subscriptionId,
    string version, string serviceName, Infosys.AzureEcosystem.Entities.Enums.DeploymentSlot deploymentSlot,
    string name, string packageUrl,
    string label, string base64Configuration,
    bool startDeployment, bool treatWarningsAsError)
    Uri uri = new
    Uri(String.Format(Constants.CreateDeploymentUrlTemplate, subscriptionId, serviceName, deploymentSlot.ToString()));
    XNamespace wa = Constants.xmlNamespace;
    XDocument requestBody =
    new XDocument();
    String base64ConfigurationFile = base64Configuration;
    String base64Label = label.ToBase64();
    XElement xName = new
    XElement(wa + "Name", name);
    XElement xPackageUrl =
    new XElement(wa +
    "PackageUrl", packageUrl);
    XElement xLabel = new
    XElement(wa + "Label", base64Label);
    XElement xConfiguration =
    new XElement(wa +
    "Configuration", base64ConfigurationFile);
    XElement xStartDeployment =
    new XElement(wa +
    "StartDeployment", startDeployment.ToString().ToLower());
    XElement xTreatWarningsAsError =
    new XElement(wa +
    "TreatWarningsAsError", treatWarningsAsError.ToString().ToLower());
    XElement createDeployment =
    new XElement(wa +
    "CreateDeployment");
                createDeployment.Add(xName);
                createDeployment.Add(xPackageUrl);
                createDeployment.Add(xLabel);
                createDeployment.Add(xConfiguration);
                createDeployment.Add(xStartDeployment);
                createDeployment.Add(xTreatWarningsAsError);
                requestBody.Add(createDeployment);
                requestBody.Declaration =
    new XDeclaration("1.0",
    "UTF-8", "no");
    XDocument responseBody;
    RestApiUtility.InvokeRequest(
                    uri, Infosys.AzureEcosystem.Entities.Enums.RequestMethod.POST.ToString(),
    HttpStatusCode.Accepted, requestBody, certificate, version,
    out responseBody);
    <summary>
    /// A helper function to invoke a Service Management REST API operation.
    /// Throws an ApplicationException on unexpected status code results.
    /// </summary>
    /// <param name="uri">The URI of the operation to invoke using a web request.</param>
    /// <param name="method">The method of the web request, GET, PUT, POST, or DELETE.</param>
    /// <param name="expectedCode">The expected status code.</param>
    /// <param name="requestBody">The XML body to send with the web request. Use null to send no request body.</param>
    /// <param name="responseBody">The XML body returned by the request, if any.</param>
    /// <returns>The requestId returned by the operation.</returns>
    public static
    string InvokeRequest(
    Uri uri,
    string method,
    HttpStatusCode expectedCode,
    XDocument requestBody,
    X509Certificate2 certificate,
    string version,
    out XDocument responseBody)
                responseBody =
    null;
    string requestId = String.Empty;
    HttpWebRequest request = (HttpWebRequest)HttpWebRequest.Create(uri);
                request.Method = method;
                request.Headers.Add("x-ms-Version", version);
                request.ClientCertificates.Add(certificate);
                request.ContentType =
    "application/xml";
    if (requestBody != null)
    using (Stream requestStream = request.GetRequestStream())
    using (StreamWriter streamWriter =
    new StreamWriter(
                            requestStream, System.Text.UTF8Encoding.UTF8))
                            requestBody.Save(streamWriter,
    SaveOptions.DisableFormatting);
    HttpWebResponse response;
    HttpStatusCode statusCode =
    HttpStatusCode.Unused;
    try
    response = (HttpWebResponse)request.GetResponse();
    catch (WebException ex)
    // GetResponse throws a WebException for 4XX and 5XX status codes
                    response = (HttpWebResponse)ex.Response;
    try
                    statusCode = response.StatusCode;
    if (response.ContentLength > 0)
    using (XmlReader reader =
    XmlReader.Create(response.GetResponseStream()))
                            responseBody =
    XDocument.Load(reader);
    if (response.Headers !=
    null)
                        requestId = response.Headers["x-ms-request-id"];
    finally
                    response.Close();
    if (!statusCode.Equals(expectedCode))
    throw new
    ApplicationException(string.Format(
    "Call to {0} returned an error:{1}Status Code: {2} ({3}):{1}{4}",
                        uri.ToString(),
    Environment.NewLine,
                        (int)statusCode,
                        statusCode,
                        responseBody.ToString(SaveOptions.OmitDuplicateNamespaces)));
    return requestId;
    But every time we are getting the below error from the line
     response = (HttpWebResponse)request.GetResponse();
    <Error xmlns="http://schemas.microsoft.com/windowsazure" xmlns:i="http://www.w3.org/2001/XMLSchema-instance">
      <Code>BadRequest</Code>
      <Message>The specified configuration settings for Settings are invalid. Verify that the service configuration file is a valid XML file, and that role instance counts are specified as positive integers.</Message>
    </Error>
     Any help is appreciated.
    Thanks,
    Shubhendu

    Please find the request XML I have found it in debug mode
    <CreateDeployment xmlns="http://schemas.microsoft.com/windowsazure">
      <Name>742d0a5e-2a5d-4bd0-b4ac-dc9fa0d69610</Name>
      <PackageUrl>http://shubhendustorage.blob.core.windows.net/shubhendustorage/WindowsAzure1.cspkg</PackageUrl>
      <Label>QXp1cmVFY295c3RlbURlcGxveW1lbnQ=</Label>
      <Configuration>77u/PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0idXRmLTgiPz4NCjwhLS0NCiAgKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKg0KDQogIFRoaXMgZmlsZSB3YXMgZ2VuZXJhdGVkIGJ5IGEgdG9vbCBmcm9tIHRoZSBwcm9qZWN0IGZpbGU6IFNlcnZpY2VDb25maWd1cmF0aW9uLkNsb3VkLmNzY2ZnDQoNCiAgQ2hhbmdlcyB0byB0aGlzIGZpbGUgbWF5IGNhdXNlIGluY29ycmVjdCBiZWhhdmlvciBhbmQgd2lsbCBiZSBsb3N0IGlmIHRoZSBmaWxlIGlzIHJlZ2VuZXJhdGVkLg0KDQogICoqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioNCi0tPg0KPFNlcnZpY2VDb25maWd1cmF0aW9uIHNlcnZpY2VOYW1lPSJXaW5kb3dzQXp1cmUxIiB4bWxucz0iaHR0cDovL3NjaGVtYXMubWljcm9zb2Z0LmNvbS9TZXJ2aWNlSG9zdGluZy8yMDA4LzEwL1NlcnZpY2VDb25maWd1cmF0aW9uIiBvc0ZhbWlseT0iMSIgb3NWZXJzaW9uPSIqIiBzY2hlbWFWZXJzaW9uPSIyMDEyLTA1LjEuNyI+DQogIDxSb2xlIG5hbWU9IldlYlJvbGUxIj4NCiAgICA8SW5zdGFuY2VzIGNvdW50PSIyIiAvPg0KICAgIDxDb25maWd1cmF0aW9uU2V0dGluZ3M+DQogICAgICA8U2V0dGluZyBuYW1lPSJNaWNyb3NvZnQuV2luZG93c0F6dXJlLlBsdWdpbnMuRGlhZ25vc3RpY3MuQ29ubmVjdGlvblN0cmluZyIgdmFsdWU9IkRlZmF1bHRFbmRwb2ludHNQcm90b2NvbD1odHRwcztBY2NvdW50TmFtZT1zaHViaGVuZHVzdG9yYWdlO0FjY291bnRLZXk9WHIzZ3o2aUxFSkdMRHJBd1dTV3VIaUt3UklXbkFrYWo0MkFEcU5saGRKTTJwUnhnSzl4TWZEcTQ1ZHI3aDJXWUYvYUxObENnZ0FiZnhONWVBZ2lTWGc9PSIgLz4NCiAgICA8L0NvbmZpZ3VyYXRpb25TZXR0aW5ncz4NCiAgPC9Sb2xlPg0KPC9TZXJ2aWNlQ29uZmlndXJhdGlvbj4=</Configuration>
      <StartDeployment>true</StartDeployment>
      <TreatWarningsAsError>false</TreatWarningsAsError>
    </CreateDeployment>
    Shubhendu G

  • [svn] 3519: Fix typo in error string for situations where there are advanced messaging configuration settings from LCDS used in the configuration files but no AdvancedMessagingSupport service .

    Revision: 3519
    Author: [email protected]
    Date: 2008-10-08 04:17:40 -0700 (Wed, 08 Oct 2008)
    Log Message:
    Fix typo in error string for situations where there are advanced messaging configuration settings from LCDS used in the configuration files but no AdvancedMessagingSupport service. The error string said that there was no flex.messaging.services.AdvancedMessagingService registered but it is the flex.messaging.services.AdvancedMessagingSupport service that needs to be registered.
    Add configuration test that starts the server with a destination that has the reliable property set which is an advanced messaging feature but there is no AdvancedMessagingSupport service registered.
    Modified Paths:
    blazeds/trunk/modules/common/src/flex/messaging/errors.properties
    Added Paths:
    blazeds/trunk/qa/apps/qa-regress/testsuites/config/tests/messagingService/ReliableDestina tionWithNoAdvancedMessagingSupport/
    blazeds/trunk/qa/apps/qa-regress/testsuites/config/tests/messagingService/ReliableDestina tionWithNoAdvancedMessagingSupport/error.txt
    blazeds/trunk/qa/apps/qa-regress/testsuites/config/tests/messagingService/ReliableDestina tionWithNoAdvancedMessagingSupport/services-config.xml

    Hi,
    Unfortunately I already tried all kinds of re-installs (the full list is in my original message). The only one remaining is the reinstall of Windows 8 itself, which I would really like to avoid.
    What I find really strange is the time it takes for the above error message to appear. It's like one hour or even more (never measured exactly, I left the computer running).
    What kind of a timeout is that? I would expect that, if ports are really used by some other application, I get the message in less than a minute (seconds, actually). To me this looks like the emulator itself for some reason believes there's a problem with
    some port while in reality there isn't.
    I'll eventually contact Microsoft Support, thanks for the suggestion.

  • Error: Configuration settings unavailable because /farm../../ is down..

    Hello,
    When navigate to Enterprise Fusion Middleware -> OIF control and select any admin menu, we see following error:
    "Configuration settings are unavailable because /Farm_IDMDomain/IDMDomain/wls_oif1/OIF(11.1.1.2.0) is down"
    After bounced every components, all the components under identity and access are neither showing red nor green. It just shows a clock icon next to oid1/oif1
    Both OIF and the weblogic server named are up.
    Anyone experience this before? Seeking any feedback/suggestion.
    Thanks,

    Hi Alex
    We didn' really identity the problem but issue is resolved by resetting the LDAP password. Look into the LDAP log and see if you can find anything.

  • Desktop Software crashes when clicking on "Configure Settings"

    Hi,
    I am a Blackberry newbie having bought my first one yesterday: a Bold 9780.
    I installed the Desktop Software that came with the CD on my notebook running Windows 7 Professional. When Desktop Software started up after installation, I immediately got an error message that said "Rim.Desktop.Autoupdate has stopped working" and it then tries to search for a solution which didn't work.
    However, Desktop Software managed to open up nicely despite that problem. In the main window, I went through the setup procedure as prompted. But when I got to "Organizer" and click on "Configure Settings...", it will attempt to do so but will crash with a message saying "Black Berry Desktop Software has stopped working". I have tried it several times and had the same response.
    I have spent close to 8 hours through the night reading through all the message and forums here and on other websites and have tried countless ideas: clean uninstall and reinstall, register DLL files, etc. but nothing works. I have even tried installing the previous version 5.0.1 which also has some issues with being unable to open device database or something like that.
    Getting this desktop software working is very important as I need to import all my work contacts from Outlook 2007 to my new 9780.
    I am really at my wits end and would appreciate any help.
    Thanks so much.

    Hi, thanks for the reply. I tried the steps mentioned at the sites you linked but none of them helped at all. Upon further searching, I found a KB article mentioning that the crashing issue has been escalated with no solution as yet. It recommended that DM 5.0.1 be used instead.
    So I did a clean uninstall of Desktop Software 6, downloaded DM 5.0.1 and went through the setup as documented. Did a sync and encountered a new problem. I check through and found some articles that recommended I try to narrow down the problem. I managed to sync my "task" and "notes" list on Outlook 7 with the BB Bold 9780 with no issues. But when I tried to sync the "Calendar" and "Address Book", it failed. Opening the log file, I discovered this error:
    On 12/05/2010 21:59
    One-way sync from Microsoft Outlook Contacts to Device Address Book
    First System:             Device
    Second System:            Microsoft Outlook
    Second System File Name:  Address Book
    Conflict Resolution:      Notify
    Device Data Source:       "Default"
    --> Failed to open device database!
    Total Inputs From First System:  0
    Field mapping used for translation:
       Device                            Microsoft Outlook
       First Name ---------------------- First Name
       Middle Name --------------------- Middle Name
       Last Name ----------------------- Last Name
       Title --------------------------- Job Title
       Company Name -------------------- Company Name
       Work Phone ---------------------- Business Telephone Number
       Work Phone 2 -------------------- Business Telephone Number 2
       Home Phone ---------------------- Home Telephone Number
       Home Phone 2 -------------------- Home Telephone Number 2
       Other Phone --------------------- Other Telephone Number
       Work Fax ------------------------ Business Fax Number
       Mobile Phone -------------------- Mobile Telephone Number
       PIN ----------------------------- User Defined String 1
       Pager --------------------------- Pager Number
       Internet Address1 --------------- Email1 Address
       Internet Address2 --------------- Email2 Address
       Internet Address3 --------------- Email3 Address
       Address1 ------------------------ Business Address Street 1
       Address2 ------------------------ Business Address Street 2
       City ---------------------------- Business Address City
       State/Prov ---------------------- Business Address State
       Zip/Postal Code ----------------- Business Address Postal Code
       Country ------------------------- Business Address Country
       Home Address1 ------------------- Home Address Street 1
       Home Address2 ------------------- Home Address Street 2
       Home City ----------------------- Home Address City
       Home State/Prov ----------------- Home Address State
       Home Zip/Postal Code ------------ Home Address Postal Code
       Home Country -------------------- Home Address Country
       Notes --------------------------- Body
       Interactive Handheld ------------ User Defined String 2
       1-way Pager --------------------- User Defined String 3
       Salutation ---------------------- Title
       Web Address --------------------- Web Page
       Direct Connect ------------------ Radio Telephone Number
       Categories ---------------------- Categories
       Picture ------------------------- Contact Photo
       Birthday ------------------------ Birthday
       Anniversary --------------------- Anniversary
       Nickname ------------------------ Nick Name
       Home Fax ------------------------ Home Fax Number
    Internal Error #4238.
    Translation Canceled!
    Again I googled it and came up with nothing that worked. Stuff I tried:
    1) Cleared the database using the "Advanced" function in "Backup and Restore" but that didn't help either.
    2) Deleted the "IntelliSync" folder and re-configured the sync and tried it again. Nada.
    3) Created a new empty profile on Outlook 2007 with no calendar or address book entries just in case there are some corrupted entries there, reconfigured DM 5.0.1 to sync from that and overwrite all data on my Bold 9780 and that didn't work either.
    4) To be sure, I even tried to sync from Yahoo. And those DM did successfully log in, the same error as above pop up.
    I would hazard a guess that DM 5.0.1 is not able to open the Bold 9870's database. Not sure why.
    I think I should mention at this point that I am using Windows 7 Pro Edition and Outlook 2007. I am not using any enterprise nor any wireless sync. All I am trying to do is to get my address book and calendar entries onto that DARN Bold 9780 with the supplied cable.
    I am thinking that maybe DM 5.0.1 may not be able to access the database on my Bold because it's running OS6.
    Any ideas?

  • Configuration Check Error in Managed System Configuration

    Hi dear experts,
    I come across a problem as the screenshot shows blew:
    I check some relevant information, but no issues found:
    1.
    DEWDFLSSC5062:/usr/sap/hostctrl/exe # ./saphostexec -status
    saphostexec running (pid = 7094)
    sapstartsrv running (pid = 7097)
    10:46:34 24.06.2014     LOG: Using PerfDir (DIR_PERF) = /usr/sap/tmp
    saposcol running (pid = 7130)
    DEWDFLSSC5062:/usr/sap/hostctrl/exe # cat host_profile
    SAPSYSTEMNAME = SAP
    SAPSYSTEM = 99
    service/porttypes = SAPHostControl SAPOscol SAPCCMS
    DIR_LIBRARY = /usr/sap/hostctrl/exe
    DIR_EXECUTABLE = /usr/sap/hostctrl/exe
    DIR_PROFILE = /usr/sap/hostctrl/exe
    DIR_GLOBAL = /usr/sap/hostctrl/exe
    DIR_INSTANCE = /usr/sap/hostctrl/exe
    DIR_HOME = /usr/sap/hostctrl/work
    service/admin_users = daaadm
    service/logfile_000 = /tmp/s
    service/logfile_001 = /usr/sap/DAA/SMDA97/SMDAgent/log/smdagent_trace*.trc
    service/logfile_002 = /usr/sap/DAA/SMDA97/SMDAgent/log/smdagent_trace.*.trc
    service/logfile_003 = /usr/sap/DAA/SMDA97/SMDAgent/log/smdagent_trace.trc
    And the version of hostagent is up-to-date.
    2.The URL
    - http://<SMDhost>:1128/SAPOscol/?wsdl
    - http://<SMDhost>:1128/SAPHostControl/?wsdl
    can be accessed.
    3.The step 3 in managed systems configuration is executed successfully.
    4.I have even uninstalled and re-installed the SMD and hostagent, and change the alert_timeout parameter in T-code DMD, but the issue insisted.
    5.Only a few SMDs in my landscape, so I think the parameter MaxThreadCount, InitialThreadCount, MinThreadCount should be no problem.
    Now I have no idea how to proceed, please give me some advice, thank you in advance.
    Best Regards,
    Pany Pan

    Hi Pany
    Kindly check the below two sapnote
    1935653 - Error "A timeout occured during the execution of the OS Command Console" when performing a Managed System Configuration - Solution Manager 7.1
    1865122 - Solution Manager 7.10 Configuration Check errors : "A timeout occured during the execution of the OS Command Console" "An unexpected error occured"
    Moreover , you need to check/verify/maintain the parameter in configtool
    ThreadManager -> MaxThreadCount
    Total number of Diagnostics Agents * 2 + 50
    1250
    ThreadManager -> InitialThreadCount
    Total number of Diagnostics Agents * 1.5
    900
    ThreadManager -> MinThreadCount
    Total number of Diagnostics Agents
    600
    ConnectionManipulator -> maxSoTimeOutConnections
    Total number of Diagnostics Agents * 1.35
    810
    ConnectionManipulator -> MaxParallelUsers
    Total number of Diagnostics Agents + 50
    650
    In Diagnostics Agent Troubleshooting - SAP Solution Manager Setup - SCN Wiki 
    guide check the section Required Solution Manager Java Stack Settings (Scalability)
    I face the same issue , which got resolved by maintaining the above parameters, maxthreadCount,
    minthreadcount , maxSoTimeOutConnections.
    With Regards
    Ashutosh Chaturvedi

  • OIF 11g :Configuration settings are unavailable because /Farm_IDMDomain/IDM

    Hi All,
    Although the OIF node and admin server are shown as up, when attempting to access the Configuration menu in Enterprise Monitor, the following error is displayed:
    Configuration settings are unavailable because /Farm_IDMDomain/IDMDomain/wls_oif1/OIF(11.1.1.2.0) is down.
    Below are the logs :
    ####<06/09/2012 10:45:40 AM EST> <Warning> <org.apache.myfaces.trinidadinternal.context.RequestContextImpl> <TSTSYDEXOIF> <AdminServer> <[ACTIVE] ExecuteThread: '4' for queue: 'weblogic.kernel.Default (self-tuning)'> <weblogic> <> <a315d5f2f1a0c2b9:-5d13a74a:1398e42fd93:-8000-0000000000001167> <1346892340967> <BEA-000000> <Could not find partial trigger authMechIdpToolbar_delete from RichTable[org.apache.myfaces.trinidad.component.UIXTable$RowKeyFacesBeanWrapper@452bf5e, id=authMechIdpMappingTable] with the supported partialTriggers syntax. The partial trigger was found with the deprecated syntax. Please use the supported syntax.>
    ####<06/09/2012 10:45:59 AM EST> <Warning> <Socket> <TSTSYDEXOIF> <AdminServer> <[ACTIVE] ExecuteThread: '3' for queue: 'weblogic.kernel.Default (self-tuning)'> <<WLS Kernel>> <> <a315d5f2f1a0c2b9:-5d13a74a:1398e42fd93:-8000-000000000000116b> <1346892359764> <BEA-000449> <Closing socket as no data read from it on 10.128.70.131:59,415 during the configured idle timeout of 5 secs>
    ####<06/09/2012 10:46:54 AM EST> <Error> <oracle.adfinternal.view.faces.config.rich.RegistrationConfigurator> <TSTSYDEXOIF> <AdminServer> <[ACTIVE] ExecuteThread: '3' for queue: 'weblogic.kernel.Default (self-tuning)'> <weblogic> <> <a315d5f2f1a0c2b9:-5d13a74a:1398e42fd93:-8000-0000000000001177> <1346892414436> <BEA-000000> <Server Exception during PPR, #1
    javax.el.ELException: oracle.sysman.emSDK.tgt.targetaccess.TargetException: Target not found
    at javax.el.BeanELResolver.getValue(BeanELResolver.java:266)
    at javax.el.CompositeELResolver.getValue(CompositeELResolver.java:143)
    at com.sun.faces.el.FacesCompositeELResolver.getValue(FacesCompositeELResolver.java:72)
    at com.sun.el.parser.AstValue.getValue(AstValue.java:118)
    at com.sun.el.ValueExpressionImpl.getValue(ValueExpressionImpl.java:192)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Caused By: oracle.sysman.emSDK.tgt.targetaccess.TargetException: Target not found
    at oracle.sysman.emSDK.tgt.targetaccess.TargetManager.getTargetInstance(TargetManager.java:210)
    at oracle.sysman.emSDK.tgt.targetaccess.TargetManager.getTargetInstance(TargetManager.java:180)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:201)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:173)
    Caused By: oracle.sysman.emSDK.repoless.TargetNotFoundException: Target /Farm_IDMDomain/IDMDomain/wls_oif1/OIF(11.1.1.2.0)/oracle_federation not found.
    at oracle.sysman.emdrep.repoless.RepolessTargetManager.getTargetInfo(RepolessTargetManager.java:1036)
    at oracle.sysman.emSDK.repoless.TargetManager.getTargetInfo(TargetManager.java:116)
    at oracle.sysman.emSDK.tgt.targetaccess.TargetManager.getTargetInstance(TargetManager.java:205)
    at oracle.sysman.emSDK.tgt.targetaccess.TargetManager.getTargetInstance(TargetManager.java:180)
    Below things already tried:
    1) Updated Weblogic password in Agent monitored targets and Monitoring Credentials
    2) Log in to enterprise Manager. Select OIF-> Administration -> Data Store -> Edit User Data Store and Modify the url to ldap://<hostname:nonssl port> and credentials and click on Test LDAP Connection. LDAP connection is successful. Follow the same steps for Federation Data Store
    Restart OID. Do not restart from the enterprise manager console.
    cd /opt/Oracle/Middleware/oaminst_1/bin
    ./opmnctl stopall (Stop all components)
    ./opmnctl status l (Ensure none of the components are active)
    ./opmnctl startall (Start all components)
    ./opmnctl status l (Ensure all the components are active)
    Log in to enterprise Manager. Select OID-> Administration -> Server Properties -> Change SSL Settings -> Select SSL Authentication as No Authentication. Restart OID as described above.
    Log in to enterprise Manager. Select OIF-> Administration -> Data Store -> Edit User Data Store and Modify the url to ldaps://<hostname:ssl port> and credentials and click on Test LDAP Connection. LDAP connection is successful. Follow the same steps for Federation Data Store
    Restart OIF from Enterprise Manager. Select OIF -> Control
    Any other things we can try here to resolve the above issue?
    ** Customer can also deinstall the OIF, but he wants to know, if after deinstallation will this permit a restore of all configuration settings from the previous installation?
    ** Also is it possible to install new EM and register the existing OIF instance to new EM?
    Any inputs are highly appreciated.
    Regards,
    AMol

    Hi Alex
    We didn' really identity the problem but issue is resolved by resetting the LDAP password. Look into the LDAP log and see if you can find anything.

  • ChangeConfigurationByName fails with "The specified configuration settings for Settings are invalid."

    Hello,
    I am tryint to update deployment and always have following error
    "The specified configuration settings for Settings are invalid. Verify that the service configuration file is a valid XML file, and that role instance counts are specified as positive integers."
    Have found similar
    thread  and
    stack overflow - without any success. I am not chaning anyting. Just reading deployment configuration and tryint to update with the same settings. I use .net azure sdk  wrappers to generate requests. Code looks like:
    var deployment = client.Deployments.GetByName(location.DataCenter, location.Cluster);var result = client.Deployments.ChangeConfigurationByName(location.DataCenter, location.Cluster, new DeploymentChangeConfigurationParameters{  Configuration = deployment.Configuration});
    Catched request response from fiddler:
    POST https://management.core.windows.net/[subscription-id]/services/hostedservices/[service-name]/deployments/[deployment-name]/?comp=config HTTP/1.1
    x-ms-version: 2013-11-01
    User-Agent: Microsoft.WindowsAzure.Management.Compute.ComputeManagementClient/0.9.0.0
    client-tracking-id: 2
    Content-Type: application/xml
    Host: management.core.windows.net
    Content-Length: 544
    Expect: 100-continue
    Connection: Keep-Alive
    <ChangeConfiguration xmlns="http://schemas.microsoft.com/windowsazure">
    <Configuration>PFNlcnZpY2VDb25maWd1cmF0aW9uIHhtbG5zOnhzZD0iaHR0cDovL3d3dy53My5vcmcvMjAwMS9YTUxTY2hlbWEiIHhtbG5zOnhzaT0iaHR0cDovL3d3dy53My5vcmcvMjAwMS9YTUxTY2hlbWEtaW5zdGFuY2UiIHhtbG5zPSJodHRwOi8vc2NoZW1hcy5taWNyb3NvZnQuY29tL1NlcnZpY2VIb3N0aW5nLzIwMDgvMTAvU2VydmljZUNvbmZpZ3VyYXRpb24iPiAgPFJvbGUgbmFtZT0ieWF1aGVuLWNjaXMyIj4gICAgPEluc3RhbmNlcyBjb3VudD0iMSIgLz4gIDwvUm9sZT48L1NlcnZpY2VDb25maWd1cmF0aW9uPg==</Configuration>
    <ExtendedProperties />
    </ChangeConfiguration>
    Response
    HTTP/1.1 400 Bad Request
    Cache-Control: no-cache
    Content-Length: 351
    Content-Type: application/xml; charset=utf-8
    Server: 1.0.6198.51 (rd_rdfe_stable.140226-1543) Microsoft-HTTPAPI/2.0
    x-ms-servedbyregion: ussouth
    x-ms-request-id: dcb1c5aedb5872d4aaf90acfede2de0b
    Date: Tue, 04 Mar 2014 13:38:10 GMT
    <Error xmlns="http://schemas.microsoft.com/windowsazure" xmlns:i="http://www.w3.org/2001/XMLSchema-instance"><Code>BadRequest</Code><Message>The specified configuration settings for Settings are invalid. Verify
    that the service configuration file is a valid XML file, and that role instance counts are specified as positive integers.</Message></Error>
    the same data returned by operation status. Decoded base-64 encoded string looks like
    <ServiceConfiguration xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://schemas.microsoft.com/ServiceHosting/2008/10/ServiceConfiguration">
    <Role name="yauhen-ccis2">
    <Instances count="1" />
    </Role>
    </ServiceConfiguration>
    Have tried without new line symbols, without xmlns, updating by production. without any success

    Hi,
    The configuration file is a file with extension .cscfg. If you have Visual Studio, the file is automatically generated when you create the project, and automatically updated when you modify the project's properties.
      >> Not sure were could I get content of this file from api?
    It's needed to encode this file's content use base64, and put the result in the body of your request. (Please refer to
    http://msdn.microsoft.com/en-us/library/windowsazure/ee758710.aspx for more information.) 
      >> <ChangeConfiguration xmlns="http://schemas.microsoft.com/windowsazure">
    <Configuration>PFNlcnZpY2VDb25maWd1cmF0aW9uIHhtbG5zOnhzZD0iaHR0cDovL3d3dy53My5vcmcvMjAwMS9YTUxTY2hlbWEiIHhtbG5zOnhzaT0iaHR0cDovL3d3dy53My5vcmcvMjAwMS9YTUxTY2hlbWEtaW5zdGFuY2UiIHhtbG5zPSJodHRwOi8vc2NoZW1hcy5taWNyb3NvZnQuY29tL1NlcnZpY2VIb3N0aW5nLzIwMDgvMTAvU2VydmljZUNvbmZpZ3VyYXRpb24iPiAgPFJvbGUgbmFtZT0ieWF1aGVuLWNjaXMyIj4gICAgPEluc3RhbmNlcyBjb3VudD0iMSIgLz4gIDwvUm9sZT48L1NlcnZpY2VDb25maWd1cmF0aW9uPg==</Configuration>
    However, may I know how you find the body for your request? (It seems you do a base64 decoding, you find it is a valid configuration file, but it doesn't have any configuration settings.) Actually, the settings defined in csdef needed to
    be contained in the configuration file.
    Best Regards,
    Ming Xu
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Need to do any configuration settings in BES while implementing BO Mob ?

    Hi All
    We are implementing BO Mobile 3.1 SP3 for BlackBerry devices.We have implemented it and also setup OTA client application delivery and downloaded client application into our mobile and lauched the application by configuring with needed settings.But while trying to login from mobile ,its throwing the error as " Invalid credentials".I am using the same credentials which i used for accessing Enterprise server and CMS also.Basis team has no idea of where to create new credentials for mobile access.
    They have done every required settings with reference from deployment guide provided in the BO site, except on the BES server for which they dont have authorization.
    Do we need to do any configuration settings in BES server??
    Thank you.
    ~Ravi
    Edited by: ravindhar on Oct 3, 2011 10:40 AM

    Hi,
    I am exactly at a similar position. I followed a detailed steps from this tutorial
    http://wiki.sdn.sap.com/wiki/display/BOBJ/SetUpSAPBI4.0MobilewithBlackBerrySimulator
    But I am not able to log in. Were you able to resolve your issue. Can you help me to see if I need to perform any other configuration.
    Please let me know,
    Thank you

  • GConf: "saving configuration settings will not be possible"

    Hello folks.
    I'm new to Arch, but not new to Linux. This problem has me stumped.
    I've just installed Gnome on top of a fresh Arch install, apart from Firefox, a few daemons (HAL, FAM), and some laptop related settings (cpufreq, pm-utils), there's nothing else on here at the minute. I've followed the instructions on the wiki, and I've Googled my heart out about this problem without a solution.
    Gnome starts fine and appears to work okay, but it refuses to save certain settings, specifically in the Sessions tool (I'm trying to setup Compiz). When I start the GConf Editor tool, these errors appear in everything.log:
    Aug 18 03:32:18 gconfd (dane-7460): starting (version 2.22.0), pid 7460 user 'dane'
    Aug 18 03:32:18 gconfd (dane-7460): Resolved address "xml:readonly:/etc/gconf/gconf.xml.mandatory" to a read-only configuration source at position 0
    Aug 18 03:32:18 gconfd (dane-7460): Resolved address "xml:readwrite:/home/dane/.gconf" to a writable configuration source at position 1
    Aug 18 03:32:18 gconfd (dane-7460): Resolved address "xml:readonly:/etc/gconf/gconf.xml.defaults" to a read-only configuration source at position 2
    Aug 18 03:32:18 gconfd (dane-7460): Resolved address "xml:readwrite:/home/dane/.gconf" to a writable configuration source at position 0
    Aug 18 03:32:41 lap-de dhcpcd[4889]: eth0: adding IP address 169.254.60.234/16
    Aug 18 03:33:22 lap-de dhcpcd[4889]: eth0: adding IP address 169.254.60.234/16
    Aug 18 03:34:03 lap-de dhcpcd[4889]: eth0: adding IP address 169.254.60.234/16
    Aug 18 03:34:44 lap-de dhcpcd[4889]: eth0: adding IP address 169.254.60.234/16
    --- These following errors occur after GConf Editor is started
    Aug 18 03:35:11 gconfd (dane-7460): Resolved address "xml:merged:/etc/gconf/gconf.xml.defaults" to a read-only configuration source at position 0
    Aug 18 03:35:11 gconfd (dane-7460): None of the resolved addresses are writable; saving configuration settings will not be possible
    Aug 18 03:35:11 gconfd (dane-7460): Resolved address "xml:merged:/etc/gconf/gconf.xml.mandatory" to a read-only configuration source at position 0
    Aug 18 03:35:11 gconfd (dane-7460): None of the resolved addresses are writable; saving configuration settings will not be possible
    I've deleted my ~/.gnome* and ~/.gconf* directories and started again, and this error still appears.
    Short of changing the permissions on /etc/gconf (which I presume is The Wrong Thing to do), I'm not sure how else to approach this problem.

    When you update to Firefox 4 it will use your existing bookmarks, passwords and other user data.
    Firefox 4 is currently scheduled to be released next week.

  • Apply System Configuration Settings Broken in SIU

    I'm making a NetRestore image for a small lab with 14 MacBooks. 
    I want to apply Computer Name and Host Name and ByHost preferences to the clients.
    I'm building a NetBoot image in System Image Utility using the Apply System Configuration Settings to Apply Computer Name and Hostname settings from a file, using a tab delimited file of MAC_Addresses(en0), Computer_Names and Hostnames.  Here's a few example lines:
    70:cd:60:28:13:14     Abana     Abana.local
    70:cd:60:37:9f:ee     Abigail   Abigail.local
    70:cd:60:38:8c:ea     Afra      Afra.local
    Finally I'm using Change ByHost preferences to match Client after install to change a few settings like the visibility of Bluetooth in the menu bar and activating iChat's Bonjour Messaging.
    The trouble is that the name and hostname never get applied and the ByHost settings don't end up matching the retored Client.  It seems as if the step is simply ignored, even though it show that it completed successfully.
    Has anyone successfully used Apply System Configuration Settings in Lion Server's System Image Utility?
    My Workflow is fairly simple:
    -Define Image Source (A preconfigured Lion client install on another partition)
    -Enable Automated Installation (With Automatic Erase of "Macintosh HD")
    -Apply System Configuration (As explained above)
    -Create Image (NetRestore)
    The workflow completes everytime without error after 2.5 hours for an 11GB image and the clients NetRestore just fine but the System Configuration Settings remain unchanged.  Help?  Ideas? Experience? Documentation?

    Hi Ed Palma,
    I have the same problem.
    The NetBootClientHelper, who sets your System Configuration Settings, is not correct installed in your NetRestoreImage after creating an Image.
    I try manually install the NetBootClientHelper in my Master-Installation and create a Image again.
    Here are the steps necessary to get the necessary files to manually install the NetBootClientHelper in you Master-Installation.
    1. Create an NetRestore-Image, or use your exsisting Image with System Configuration Settings
    2. Open (mount) in .NBI-Folder your NetInstall.dmg
    3. Goto Packagesa > Extras an Copy these Files to your Desktop/tmp
    Here you can find the files do contain the System Configuration Settings, as sharingNames(.plist) an bindingNames(.plist) and the NetBootClientHelper-files an Startup-files.
    4. Goto var > tmp > niu > postinstall an open the installClientHelper.sh with Texedit.
    Here you can see which files you must be installed in you Master-Installation so that the NetBootClientHelper automatically starts at the fist boot.
    This is a work-a-round, I hope that apple solve this problem with the next update.
    Sorry for my bad english and good luck.
    Tim

  • I am having trouble connecting to my wireless internet. I keep getting message that my network configuration settings have changed. Ive been advised that i need to change settings to look for dynamic ip address ?

    I am having trouble connecting to my wireless internet and am getting the message that my network configuration settings have changed. I have reported it to my provider who advised that they think the Mac is looking for a fixed IP address and they use dynamic addresses. I have had the Mac for months and have not had this problem before. I would appreciate any help please on how to fix this ?

    Then I get a separate pop up that says: Secure Connection Failed. aus3.mozilla:443 uses an invalid security certificate.
    The certificate is only valid for the following names: securelogin.arubanetworks.com, www.securelogin.arubanetworks.com
    (Error code: ssl_error_cert_domain)
    This could be a problem with the server's configuration or it could be someone trying to impersonate the server.
    If you have connected to this server successfully in the past the error may be temporary and you can try again later.
    I have tried many many times!

  • Invalid switch configuration-oob error

    Hi all,
    We are using NAC in OOB Virtual Gateway mode only for wireless users.But we are facing an error on user PC stating that,
        invalid switch configuration-OOB error:OOB client MAC ADD/IP ADD not
                       found. Please contact your network administrator.
                  Please contact your administrator if the problem persists.
    Thanks in advance.

    Please check your snmp settings on the wlc and the manager. This is usually seen when the agent passes the mac address and clients ip address to the CAS but the CAM never receives the mac notification trap.
    thanks,
    Tarik

  • How do I remove All OS X Server data and configuration settings

    My server app crashed and I deleted the app using app cleaner and removed the server file from the Library folder, owever when I try to reinstall the setup defults to the setting from the initial install.  Is there a way to remove all the stored data, profiles and OD included) as well as any configuration settings, such as those for AEBS and host name and ip address.  Essentially, I would like to perform an install that is the same as the initial, a truly cela install.  I am using a Mac Mini 2013 model as the server and MBP 15" as the main client.

    Completely clean install?  Wipe and install OS X, and then reload Server.app and configure that.
    Might want to report the error to the App Cleaner folks, too.

  • My shuffle ,doesnt get syncronized with itunes in my pc,getting audio and video settings error,but able to get it syncronized with my friends pc

    my shuffle ,doesnt get syncronized with itunes in my pc,getting audio and video settings error,but able to get it syncronized with my friends pc    

    Try:                                               
    - iOS: Not responding or does not turn on           
    - Also try DFU mode after try recovery mode
    How to put iPod touch / iPhone into DFU mode « Karthik's scribblings
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try another cable                     
    - Try on another computer                                                       
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar
    The missing apps could have been done by setting the Restrictions that can hid those apps. If the backup was made with those retrictions set the the Restrictions are also restored.
    Thus, if you get it to work restore to factory settings/new iPod, not from backup                               
    You can redownload most iTunes purchases by:        
      Downloading past purchases from the App Store, iBookstore, and iTunes Store

Maybe you are looking for

  • My itunes doesn't recognize my iphone

    I have a Iphone 3Gs and a MacBook and they was working fine some weeks ago. Today they don't work properly. I erase itunes and download it again. Restore iphone, but didn't work. Can you help me.? Thanks for any help. Kind regards, Olga

  • Show larger image from database

    Hello. On my detail page I have a small picture that shows a product generated from an access database. The particular record is linked from the master page by url. What I want to do is enable customers to click on that image and by doing so show the

  • Mail divider bar lost

    In Mail 1.3.11 I lost the divider bar (betwwen message list and preview pane) and its handles and I can't get it back. Anyone know how to get it back?

  • How do I log off my DSL/Firefox Internet connection when it is not in use?

    With my old dialup/Firefox Internet connection, I could return to the provider's home screen and click on a button to log off. I do not want to be connected to the Internet 24/7, but want to log off when I am not using the service. The provider says

  • Every time getEditingrow() is -1 only

    Hi All, I have a combobox in my JTable as a column.Every time when I edit the combobox then the getEditingrow() or getSelectedRow() is showing the value of -1. Even if select in the second row also it is displaying -1only. Can anybody tell me the cau