CELL/LINE configuration settings

Hi all,
Can someone tell me what steps of the <b>CELL/LINE configuration settings</b> are while designing document window in SEM/BPS? I went to SAP Libary but couldn't find any information about it.
Thank you.
J.

John
Check these links. I am not sure whether it is useful or not.
http://help.sap.com/saphelp_sem60/helpdata/en/d6/b13edf8b8211d3b7360000e82debc6/frameset.htm.
http://help.sap.com/saphelp_sem60/helpdata/en/28/56b63e1734e16fe10000000a114084/FrameMaker_EN.pdf.
Thanks
Sat

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

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

  • 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

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

  • What is base line configuration and final configuration

    Hi
    1. what is base line configuration and  what is final configuration?
    2.Can we calculate depreciation every day , if yes how plz explain?
    3. what is the Organizational structure in FI , CO , and over all FICO and in Asset Accounting?
    for 3rd one , in 1 interview for FI org structure i answered
    CLIENT-COMPANY-COMPANY CODE- BUSINESS AREA
    but the interviewer not satisfied, i checked in SAP LIBRARY there is also same,
    if  my ans is not correct plz  tell me the correct org. structure,
    and for  Asset a/c ing in sap library 2 possible org structures r there 1 is
    CLIENT-Chart of a/cs - Charf of Depre-Plant -B.area,
    is it correct ,
    plz can one answer for my doubts
    thanks
    thanks in advance

    for your action............don,t confuse the structure....
    1.FI Orgination Structure:
    Client>Controlling Area>Company code>Plant->Storage Location--->Finished goods or Raw material
    (ii)Co.code>Sales Org.>Distribution Channel-->Division
    (iii)Co.code>Purchase Org>Product group
    (iv)Co.code--> Business Area
    2.AA Orgination Structure: Client> Chart of Depreciation>Depreciation Areas>Asset Classes->Company Code->Main Asset> Sub-asset.
    3.CO Orgination Structure:Client>Controlling Area>Cost center or Internal Order or PCA or Produt Costing
    Client/Operating Concern --> Co-PA

  • Not able to get the standard configuration settings in GTS system

    Hi All
    We couldnot able to get any GTS related standard configuration settings in feeder & GTS clients (installed in one system)
    We have installed SLL-LEG 720 Plug-in for SAP ECC 6.0 (SAP_AP - Release 700- Level 0012)
    Thanks
    Ram

    Hi Ram ,
    You can follow the given step to get standar configuration of SAP:
    Choose a transaction in the customizing ( Define Partner Function)
    Go to the menu Utilities u2013 Adjustment
    Select the FRC connection from client 000
    Select your entries and click on Adjust
    Select COPY ALL button
    Click on YES (copy changes)
    Your entry is added in the list
    You need RFC connection to client 000.
    Hope this helps
    Kind Regards,
    Sameer

  • Configuration settings for applications ... best practices?

    Hi!
    We're currently developing applications for WebLogic (ADF Faces RC, EAR deployment).
    Now we arrived at a point where we need some simple configuration settings/properties on the server or the domain. The applications should be able to read these settings, the mechanism should be as simple as possible.
    An administrator at the server should be able to update the settings and the applications should pick up the changed values the next time the settings are accessed, without server or application restart.
    I wonder what the best way would be to handle this?
    - put them into the database, but then all apps would need DB access to those settings?
    - System env. variable on the server, but how to pick up changes without restart?
    - Property file? Where do I put that so that an admin can easily find and edit it?
    What are you guys using? I was kind of hoping that WebLogic would provide some UI in the console app, that enables an admin to set some properties, but I couldn't find one. Is there one?
    Any advice?
    Thanks.
    Sascha

    Hi Sascha,
    If you place the properties files in %WEBLOGIC_HOME%/user_projects/domains/[your_domain] then the properties file should be picked up, without having to be placed in a jar file, and in a location that will be easy to find for the WebLogic administrator.
    Hope it helps.
    Regards,
    Cris

  • Configuration settings for FM10 & DITA questions

    We are currently using FrameMaker 10 and trying to tweak some configuration settings.
    1. Is there any way to change the default location of the user version of maker.ini? On Windows 7 it defaults to C:\Users\User Name\AppData\Roaming\Adobe\FrameMaker\version
    I'd like to be able to change this to a network location. (Our FM installation is within a remote server that creates a temporary profile every time you open FM, which means that settings are lost.)
    2. When using DITA, inserting a topicref into a relationship or DITA map you browse for a file. The default file type is .xml. Is there a way to change this so that the default is .dita (or at least all files)?
    [I know how to change the default file type when you create a new DITA file to be .dita rather than .xml (DITA > DITA Options) - the setting is in the ditafm.ini file. But this does not impact the default when you browse for files.]
    3. When using DITA and you insert an image, the default file type in the browse window is .JPG. Is there a way to change this?
    4. Is there a way to change the default view for DITA files to show Element Boundaries (as Tags)? Currently you have to set it for each file you open.
    [Thread moved to Structured Forum by moderator]

    [This would have been better if you split your single posting with multiple questions into separate posts.]
    1. As Jeff says, you can't move the FM specific location, however, you can move an entire Users pofile to another drive/location. This may present  issues with other aplications though, so be wary. Detailed instructions can be found here:
    http://www.sevenforums.com/tutorials/87555-user-profile-change-default-location.html

  • Configuration settings in app/web.config or db

    Besides a connection string to the db I use I have several other configuration settings (user names/passwords, URIs to third-party services, etc.).
    What is the recommended approach to handle such situations:
    - put all config settings in an web/app.config file (encrypted external config files called from the web/app.config)?
    - put only a connection string (encrypted) in the web/app.config file and the other settings in a db table (e.g. Settings)?
    Thanks.

    Unfortunatley this is a, 'it depends' question. If your business requirements are such that you need to easily change a configuration via standard tools, e.g. you're hosting an Azure web site, then config file is a great choice. If you have an architecture
    where the settings differ depending upon a user login then a database might be a good solution. If your architecture uses security zones then the less you put in a less secure zone the better. Sorry, but, "it depends" is the best I can offer.
    http://pauliom.wordpress.com

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

  • My iPhone 4 ios5 has suddenly stopped giving me the option to join any wifi network. The 'wifi' line in settings has gone grey and does not respond to touch. How can I get it back? AW

    My iPhone 4S ios5 has suddenly stopped letting me connect to any wifi. The wifi line in settings has gone grey, reads 'no wifi' and does not respond to touch. How do I get reconnected?

    HI there,
    You may want take a look at some of the troubleshooting steps found in the article below.
    iOS: Wi-Fi settings grayed out or dim
    http://support.apple.com/kb/ts1559
    Hope that helps,
    Griff W.

  • Configuration Settings for Postal Adress Validation and Duplicate Check

    Hi,
    What are The Configuration settings for Postal adress validation and Duplicate Check for Accounts(BP'S) in CRM 7.0 version
    Can some one send me the configuration settings for Postal Adress validation and Duplicate Check
    Thanks & Regards
    Kishor Kumar

    Hi kishore kumar,
    For the Postal code Validation you need to install and configure the following
    Outside of your SAP system:
    1. Install Data Services and the Address Directories.
    2. Install Data Services Component.
    3. Install the RFC Server.
    On your SAP system:
    4. Install the BAdIs from the previous version of this product.
    5. Install the BAdIs support package from this version.
    6. Run the post-installation tasks required of a new installation of the BAdIs.
    7. Activate the IC WebClient, if desired.     
    Thanks
    Jayakrishnan Nair

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

  • My britness on my iphone 5 was on 100 % and I turn my screen off and after ten min I turn it back on and the screen was on 0% while the britness line on settings was on 100% is it an IOS 6 bug or is my iphone borking???

    My britness on my iphone 5 was on 100 % and I turn my screen off and after  10min i turn it back on and the screen was on 0% while the britness line on settings was on 100% is it an IOS 6 bug or is my iphone broking???

    I've seen that happen sometimes. For me, pressing the lock button to lock it, and then pressing the home button to get to the lock screen reverts it back. If that doesn't work, just move your brightness slider lower and then higher again.

Maybe you are looking for

  • CS5 Premiere Pro Trial Version

    How am I supposed to evaluate AVCHD editing, rendering, etc. performance if the trial version does not support it?  Is there a way to work around this?  My camera is the Canon HF100 using the .MTS or .M2TS formats. Thanks.

  • Class Map Statistic Dashlet in Cisco Prime Inf. 2.1

    Dear All ,  I installed the demo version of Cisco Prime infra . 2.1 and I saw that there is a specific Dashlet to monitor QOS class map .  As we have some policy-map configured  , it could be very interresting.  After a day spent on Google .. I didn'

  • How to enable disk use without losing music?

    I am trying to enable disk use on my iPod, but I already have it set to manually managing music and videos. I want to upload music to my iTunes account because it was downloaded to my iPod from a different computer than I have now, and I don't want t

  • Why my titles disppear when i upload my video ?

    Hello, I've got a problem When i upload my video on youtube the titles disappear. I don't know what i can do Can anybody help me ? Thanks

  • BP_ADDR - Where is ADR_STATUS Physically Stored

    Can someone tell me where ( table-wise ) the following attribute is stored ? Component        : BP_ADDR View             : BP_ADDR/StandardAddress Context Node     : STANDARDADDRESS Attribute        : STRUCT.ADR_STATUS While knowing the answer would