Max Length of Essbase Server Name?

Hi - we're installing 9.3.1 and are coming across a problem related to replicated partitions that I'm hoping someone else has also encountered and resolved.
Since partitions aren't covered by the Migration Wizard, they were migrated from our 7X environment by exporting them from 7X as xml files, doing a "find/replace" within them to change the old server name to the new server name, and then reimporting them in the System 9 environment. Short names were used for this. This was done for them all (we have one or two dozen), and everything worked well. We kicked off a few and all was good.
Then we went back a few days later and all of the partitions had gone to Orphan status. Looking at them just in the tree view in EAS, they were all saying that they were using the fully-qualified server name (which, in our environment, is 31 characters) instead of what we had originally created them under, which was much shorter: xxx-xxxx-xx = 11 characters. When you open one, it even still references the shorter names in the connection tab. However, whenever you execute one, it goes against the fully qualified name, which appears to be just 1 character too many, because every kickoff of replication fails saying that its an invalid server name, giving the full name ending with ".co" instead of ".com". We had a problem like this in 7X, but we could always get around it because the process would work if we just created and executed using the shorter name (also, we could use App Manager to kick them off, which I'm reluctant to do against System 9). Thus far, we've had no such luck in 9.3.1 - even new partitions created under the shorter name automatically orphan and use the longer name.
While changing the server name is an option, I'm hoping someone knows of some way to get Essbase to read a server name longer than 30 chars, or to force Essbase to stop using the fully qualified name and just use the shorter one.
Thanks much. Sorry for the long blow-by-blow.
-Rob

One way around this would be to use the IP address instead of the server name. I ran into a similar problem and that was the answer I was given by Oracle. (see my blog http://glennschwartzbergs-essbase-blog.blogspot.com/2008/08/partitions.html)

Similar Messages

  • Oracle 9ir2 Max length of element/field name?

    Does anyone know what the max length of a element/field name can be in Oracle 9ir2?
    thanks,
    -mcd

    Thanks.. So, the max length is still 30.. what about this:
    Is this also true for the length of element names defined in an XML schema for use by Oracle XML DB?
    There are two ways in which XDB can absorb a schema -- one that causes the XMLTYPE to be stored in a CLOB, the other causes the XMLTYPE to be broken down into relational tables behind the scenes. The latter uses the element names for the table names, so I'm assuming it would be restricted by the 30-character column name limit (unless XDB has some way of truncating the column names but preserving the element names). But what about the case where the XMLTYPE is stored in a CLOB? In theory, there's nothing limiting the length of the element name.

  • Aliasing Essbase Server Name using SmartViewProviders.xml

    So I have successfully configured an 11.1.2.3 environment using the new SmartViewProviders.xml functionality, with one minor issue.
    My hope was that I could use one .xml file to contain all connection info (dev,test,prod). I wanted to achieve this by editing the Server name parameter in the XML file.
    e.g.
    -<res_GetProvisionedDataSources> \
    -<Product displayVersion="11.1.2.3" name="APS-11.1.2" id="APS"> <Server name="Essbase - Test" context="http://servername:13080/aps/SmartView"/> </Product>
    -<Product displayVersion="11.1.2.3" name="HFM-11.1.2" id="HFM"> <Server name="HFM - Test" context="http://servername:19000/hfmadf/../hfmofficeprovider/HFMOfficeProvider.aspx"/> </Product> -<Product displayVersion="11.1.2.3" name="HP-11.1.2" id="HP"> <Server name="Planning - Test" context="http://servername:19000/HyperionPlanning/SmartView"/> </Product></res_GetProvisionedDataSources>
    When a user connects via SV, the servername property is returned in the drop down e.g. Planning-Test. This works for HFM and Planning, but NOT for Essbase. Essbase always returns Oracle® Essbase. Does anyone know how to change that? I assume it must be getting it from APS, but I do not see a clear place to change the reference.
    Any help appreciated,

    have a look at this blog post and also the comments and hope that should help
    http://www.orahyplabs.com/2013/11/smart-view-shared-connection-in-xml.html
    HTH
    Amarnath
    ORACLE | Essbase

  • Not able to add essbase server

    Hi all,
    Our security is with shared services when iam connecting with my user and my system password its connecting but iam not able to add essbase server its throwing error login fail
    but with admin password every thing is fine
    i refreshed users in EAS but iam not able to add essbase server
    any help would be appriciated
    Thanks

    the user you were using to login to admin server might not be having access to the essbase server.
    so make sure you were using the right user to connect to essbase server who is having access to essbase server.
    like if you are using 'admin' user, check in shared services for the provision of admin user.
    Check if he is having server access to that particular essbase server
    or you can check by logging in with the same user through maxl.
    in maxl, use the following login command and see if you were able to login or not.
    login <username> <password> on <essbase server name>;
    - Krish
    Edited by: Krish on Aug 11, 2010 2:34 PM

  • Getting the max length

    i am using pl/sql and i need to do some validation regarding the max length of the string. but the problem is that i have to refer back to the database for the length so that if the database change, my code don't change.
    is there any way to get the max length in the field of the table?
    eg:
    lets say i got a table call Person with column Name(varchar2(66)) and Sex(char(1))
    so how i retrieve the max length of the field Name?
    thanks

    It's quite simple. We can use the PL/SQL %TYPE in our declarations. Check it out...
    SQL> CREATE TABLE small1 (col1 NUMBER, col2 VARCHAR2(3))
      2  /
    Table created.
    SQL>
    SQL> CREATE OR REPLACE PROCEDURE small1_api (pv_string IN VARCHAR2)
      2  AS
      3      l_col2 small1.col2%TYPE;
      4  BEGIN
      5      l_col2 := pv_string;
      6      INSERT INTO small1 (col1, col2)
      7      VALUES (a12.NEXTVAL, l_col2);
      8  EXCEPTION
      9      WHEN value_error THEN
    10          dbms_output.put_line('oops! string is too long');
    11  END;
    12  /
    Procedure created.
    SQL> EXEC small1_api('APC')
    PL/SQL procedure successfully completed.
    SQL> EXEC small1_api('APC4')
    oops! string is too long
    PL/SQL procedure successfully completed.
    SQL>
    SQL> ROLLBACK
      2  /
    Rollback complete.
    SQL> ALTER TABLE small1 MODIFY (col2 VARCHAR2(4))
      2  /
    Table altered.
    SQL> ALTER PROCEDURE  small1_api COMPILE
      2  /
    Procedure altered.
    SQL>
    SQL> EXEC small1_api('APC4')
    PL/SQL procedure successfully completed.
    SQL> EXEC small1_api('APC45')
    oops! string is too long
    PL/SQL procedure successfully completed.
    SQL> Cheers, APC

  • Hyperion Provider Services Connectivity to the Essbase Server

    Hi All,
    I have seen a new issue in Epm 11.1.2 Issue is
    I have installed my provider services services are now up and running in port 13080
    Now when Iam trying to connect thru smartview Iam using following URL
    http://Servername:13080/aps/SmartView
    When Iam going thru the new connection creation process
    Step 1 when I give the URL and click on the next its shows up next page.
    In this page basically I have to select the server and the application.
    But here in my case server and application doesnt show up its BLANK.
    I have checked from my browser provider services shows up perfectly
    Have anyone faced this issue let me know your ideas
    Thanks,
    KRK
    Edited by: KRK on Nov 4, 2010 11:03 AM

    KRK wrote:
    Sorry for the delay in the response I have installed this on a single server but it was the issue with datasources.xml file
    Below are the steps to resolve the issue.
    1. stop APS
    2. Go to http://<machine>:19000/interop
    3. Expand Application group->Foundation->Deployment Metadata->Shared Services Registry->Essbase-> And locate APS LWA
    4. Right click on datasources.xml file and “Export for Edit”
    5. Save the datasources.xml file and not open it.
    6. Open with notepad and make changes so that essbase server name is listed like below:
    etc...I think your reference above to Go to http://<machine>:*19000*/interop should be changed to Go to http://<machine>:*28080*/interop for shared services.
    In looking at this I could not find the datasources.xml file reference following your outline.

  • Running maxl on client machine to connect to remote essbase server

    Hi All,
    I am able to connect to essbase on a client machine by using the link:
    http://ts119licalnn.ac.local:9724/easconsole
    However, when I try to log in via MAXL on the client machine, I get the following error...
    Essbase MaxL Shell - Release 11.1.2 (ESB11.1.2.2.100B2166)
    Copyright (c) 2000, 2012, Oracle and/or its affiliates.
    All rights reserved.
    MAXL> login JDOE JDOE212 on ts119licalnn.ac.local:9724;
       ERROR -     103 - Unexpected Essbase error 1030818.
       ERROR - 1042017 - Network error: Timed out before receiving all data.
       ERROR - 1030818 - Login failed. Please check if server and port are correct.
    If you received timeout or handshake failure, please check if you tried to conne
    ct to secure port without secure keyword or clear port with secure keyword..
    Is the host name in maxl the same name as the name in the easconsole link? do i need to set up anything (tnsnames.ora) for maxl to work?
    Thanks in advance.

    The essbase server name is ts119licalnn, it is shown under essbase servers in EAS.
    By not using the default Essbase node 'EssbaseCluster-1', it has revealed the port number EAS uses to connect to essbase, in this instance, 1443.
    The problem was that I did not have the correct port number, is there an easier way of finding the correct port number?
    Cheers,

  • Customize user logon name max length

    Hi all,
    We are changing our user name policy from testingadmin (12 char) to testingadministrator (20). The new user name don't fit in the bname field when try to login. Anybody know if is possible to expand it or change this size or to customize the max length of userid?
    Best regards and thanks in advanced.

    Do you have the SAP note indicate that it is not advisable to customize the user logon name max length or it cannot be customize?
    thanks in advance....
    Message was edited by:
            Brian Lee

  • Maximum Server Name Length

    I'm trying to determine if I can have names greater than 15 characters in both Windows server 2012 and AD. To be clear, we are not concerned with backwards compatibility with anything older than Windows 7/2008 R2, so NetBIOS is not a factor that I know of.
    I'm just wondering if using log server names will cause issues in AD, or from a stability/supportability standpoint.  Please advise.

    The maximum length of the host name and of the fully qualified domain name (FQDN) is 63 bytes per label and 255 bytes per FQDN. Note Windows does not permit computer names that exceed 15 characters, and
    you cannot specify a DNS host name that differs from the NETBIOS host name.

  • Planning and Essbase apps with same name on HSS-enabled Essbase server

    I have an Essbase app "FOO" which was migrated from another Essbase server. I re-pointed an existing planning app also called "FOO" at this new server/app using the configuration setup utility. As soon as I did this, the app "FOO" disappears from the list of Essbase apps in EAS and HSS. The Essbase .sec file now has it listed as "Client Application Type: PLANNING". This is not so good as I now can't apply provisioning etc. to the Essbase app. I need to see this in both projects, as it was before - any ideas?
    I tried:
    * A MAXL re-register of the app but you can't as it gives "ERROR - 1051494 - Re-Registeration not allowed on planning application"
    * In Planning, register the app with the HSS "Analytical Services" app but there is a bug in the GUI interface. The project name for an Essbase server always contains colon ":" characters and the GUI splits the project list on these so it's a mess and you can't select the project you need.

    You can try to mount all these mount points via NFS in one additional server and then export this new tree again via NFS to all your servers.
    No sure if this works. If this works, then you will have in this case just an additional level in the tree.

  • Unable to retrieve clouds on VMM server. Please make sure the server name is correct and try connecting again

    I getting this annoying error "Unable to retrieve clouds on VMM server. Please make sure the server name is correct and try connecting again."  I've followed the recommended documentation for setting up SPF and Azure using the following:
    http://www.hyper-v.nu/archives/mvaneijk/2013/01/installing-and-configuring-system-center-service-provider-foundation/
    I've gone thru the troubleshoot steps from the following:
    http://blogs.technet.com/b/scvmm/archive/2014/03/04/kb-the-windows-azure-pack-service-management-portal-does-not-retrieve-cloud-settings.aspx
    http://social.technet.microsoft.com/forums/windowsazure/en-US/363e7dae-7370-4605-bc8d-b98fa6dc9d8e/unable-to-register-vmm-server
    So you don't need to send me those links.
    I found a few others which pointed me to the event logs WindowsAzurePack\MGmtSVC-AdminAPi and AdminSite.  In these event logs, I see a lot of event ID 12 and 1046.  The contents of event id 12 is the following:
    Log Name:      Microsoft-WindowsAzurePack-MgmtSvc-AdminSite/Operational
    Source:        Microsoft-WindowsAzurePack-MgmtSvc-AdminSite
    Date:          6/19/2014 3:27:55 PM
    Event ID:      12
    Task Category: (65522)
    Level:         Error
    Keywords:      None
    User:          IIS APPPOOL\MgmtSvc-AdminSite
    Computer:      usw-azure-01.uswired.com
    Description:
    Error:ManagementClientException: Resource not found.
    <Exception>
      <Type>ManagementClientException</Type>
      <Message>Resource not found.</Message>
      <StackTrace><![CDATA[
       at Microsoft.WindowsAzure.Server.Management.ManagementClientBase.<ThrowIfResponseNotSuccessful>d__2b.MoveNext()
       at Microsoft.WindowsAzure.Management.TaskSequencer.<>c__DisplayClass1e`1.<RunSequenceAsync>b__1d(Task previousTask)
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at Microsoft.WindowsAzure.Server.SystemCenter.AdminExtension.Controllers.SystemCenterAdminController.<GetResourceProviderAsync>d__2e7.MoveNext()
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at Microsoft.WindowsAzure.Server.SystemCenter.AdminExtension.Controllers.SystemCenterAdminController.<GetAutomationResourceProvider>d__2b6.MoveNext()
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at lambda_method(Closure , Task )
       at System.Web.Mvc.Async.TaskAsyncActionDescriptor.EndExecute(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass3f.<BeginInvokeAsynchronousActionMethod>b__3e(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass37.<>c__DisplayClass39.<BeginInvokeActionMethodWithFilters>b__33()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass4f.<InvokeActionMethodFilterAsynchronously>b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass4f.<InvokeActionMethodFilterAsynchronously>b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass4f.<InvokeActionMethodFilterAsynchronously>b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass37.<BeginInvokeActionMethodWithFilters>b__36(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass25.<>c__DisplayClass2a.<BeginInvokeAction>b__20()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.<>c__DisplayClass25.<BeginInvokeAction>b__22(IAsyncResult asyncResult)]]></StackTrace>
      <HttpContext>
        <User IsAuthenticated="true" Name="USWIRED\Administrator" />
        <Request>
          <RawUrl>/SystemCenterAdmin/GetAutomationResourceProvider</RawUrl>
          <UserHostAddress>fe80::c179:19c8:c5f2:7309%12</UserHostAddress>
          <Headers>
            <Header Key="Cache-Control" Value="no-cache" />
            <Header Key="Connection" Value="Keep-Alive" />
            <Header Key="Content-Length" Value="2" />
            <Header Key="Content-Type" Value="application/json" />
            <Header Key="Accept" Value="application/json, text/javascript, */*; q=0.01" />
            <Header Key="Accept-Encoding" Value="gzip, deflate" />
            <Header Key="Accept-Language" Value="en-US" />
            <Header Key="Host" Value="usw-azure-01.uswired.com:30091" />
            <Header Key="Referer" Value="https://usw-azure-01.uswired.com:30091/" />
            <Header Key="User-Agent" Value="Mozilla/5.0 (Windows NT 6.3; WOW64; Trident/7.0; rv:11.0) like Gecko" />
            <Header Key="x-ms-client-session-id" Value="c343c29d-20b1-412b-be94-879409205700" />
            <Header Key="x-ms-client-antiforgery-id" Value="0crwi2qNk20bMr6C04/vKd4L28WG1nd8JKBdOlCCp+xlph40YeL2oTdmeiTkPmE272S2dqmGQMNo+FElKkG2MdR0Xhq41RU/t8PrFjcG0Vgx4a8dgZLbfKVURo9n84F1XWtJOkTTUK/OeNVWBrK1+w=="
    />
            <Header Key="x-ms-client-request-id" Value="dcc427c7-40fc-4fdd-9a70-7622969ff40d-2014-06-19 22:27:55Z" />
            <Header Key="X-Requested-With" Value="XMLHttpRequest" />
            <Header Key="DNT" Value="1" />
            <Cookies>
              <Cookie Name="AdminSiteFedAuth" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (2000 characters)" />
              <Cookie Name="AdminSiteFedAuth1" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (424 characters)" />
              <Cookie Name="__RequestVerificationToken_Admin" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (128 characters)" />
            </Cookies>
          </Headers>
        </Request>
      </HttpContext>
    </Exception>, operationName:SystemCenterAdmin.GetAutomationResourceProvider, version:, accept language:en-US, subscription Id:, client request Id:dcc427c7-40fc-4fdd-9a70-7622969ff40d-2014-06-19 22:27:55Z, principal Id:USWIRED\Administrator, page request
    Id:c343c29d-20b1-412b-be94-879409205700, server request id:
    Event Xml:
    <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
      <System>
        <Provider Name="Microsoft-WindowsAzurePack-MgmtSvc-AdminSite" Guid="{5E78D550-1384-5A96-C12A-CB6DA7BC6365}" />
        <EventID>12</EventID>
        <Version>0</Version>
        <Level>2</Level>
        <Task>65522</Task>
        <Opcode>0</Opcode>
        <Keywords>0x0</Keywords>
        <TimeCreated SystemTime="2014-06-19T22:27:55.971935000Z" />
        <EventRecordID>399</EventRecordID>
        <Correlation ActivityID="{FAA512AF-E0A9-4F2A-80EF-09F72D2F7918}" />
        <Execution ProcessID="3424" ThreadID="2308" />
        <Channel>Microsoft-WindowsAzurePack-MgmtSvc-AdminSite/Operational</Channel>
        <Computer>usw-azure-01.uswired.com</Computer>
        <Security UserID="S-1-5-82-4118156790-2181488624-806685255-2797011695-3958995103" />
      </System>
      <EventData>
        <Data Name="message">ManagementClientException: Resource not found.
    &lt;Exception&gt;
      &lt;Type&gt;ManagementClientException&lt;/Type&gt;
      &lt;Message&gt;Resource not found.&lt;/Message&gt;
      &lt;StackTrace&gt;&lt;![CDATA[
       at Microsoft.WindowsAzure.Server.Management.ManagementClientBase.&lt;ThrowIfResponseNotSuccessful&gt;d__2b.MoveNext()
       at Microsoft.WindowsAzure.Management.TaskSequencer.&lt;&gt;c__DisplayClass1e`1.&lt;RunSequenceAsync&gt;b__1d(Task previousTask)
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at Microsoft.WindowsAzure.Server.SystemCenter.AdminExtension.Controllers.SystemCenterAdminController.&lt;GetResourceProviderAsync&gt;d__2e7.MoveNext()
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at Microsoft.WindowsAzure.Server.SystemCenter.AdminExtension.Controllers.SystemCenterAdminController.&lt;GetAutomationResourceProvider&gt;d__2b6.MoveNext()
    --- End of stack trace from previous location where exception was thrown ---
       at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
       at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
       at lambda_method(Closure , Task )
       at System.Web.Mvc.Async.TaskAsyncActionDescriptor.EndExecute(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass3f.&lt;BeginInvokeAsynchronousActionMethod&gt;b__3e(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass37.&lt;&gt;c__DisplayClass39.&lt;BeginInvokeActionMethodWithFilters&gt;b__33()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass4f.&lt;InvokeActionMethodFilterAsynchronously&gt;b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass4f.&lt;InvokeActionMethodFilterAsynchronously&gt;b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass4f.&lt;InvokeActionMethodFilterAsynchronously&gt;b__49()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass37.&lt;BeginInvokeActionMethodWithFilters&gt;b__36(IAsyncResult asyncResult)
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass25.&lt;&gt;c__DisplayClass2a.&lt;BeginInvokeAction&gt;b__20()
       at System.Web.Mvc.Async.AsyncControllerActionInvoker.&lt;&gt;c__DisplayClass25.&lt;BeginInvokeAction&gt;b__22(IAsyncResult asyncResult)]]&gt;&lt;/StackTrace&gt;
      &lt;HttpContext&gt;
        &lt;User IsAuthenticated="true" Name="USWIRED\Administrator" /&gt;
        &lt;Request&gt;
          &lt;RawUrl&gt;/SystemCenterAdmin/GetAutomationResourceProvider&lt;/RawUrl&gt;
          &lt;UserHostAddress&gt;fe80::c179:19c8:c5f2:7309%12&lt;/UserHostAddress&gt;
          &lt;Headers&gt;
            &lt;Header Key="Cache-Control" Value="no-cache" /&gt;
            &lt;Header Key="Connection" Value="Keep-Alive" /&gt;
            &lt;Header Key="Content-Length" Value="2" /&gt;
            &lt;Header Key="Content-Type" Value="application/json" /&gt;
            &lt;Header Key="Accept" Value="application/json, text/javascript, */*; q=0.01" /&gt;
            &lt;Header Key="Accept-Encoding" Value="gzip, deflate" /&gt;
            &lt;Header Key="Accept-Language" Value="en-US" /&gt;
            &lt;Header Key="Host" Value="usw-azure-01.uswired.com:30091" /&gt;
            &lt;Header Key="Referer" Value="https://usw-azure-01.uswired.com:30091/" /&gt;
            &lt;Header Key="User-Agent" Value="Mozilla/5.0 (Windows NT 6.3; WOW64; Trident/7.0; rv:11.0) like Gecko" /&gt;
            &lt;Header Key="x-ms-client-session-id" Value="c343c29d-20b1-412b-be94-879409205700" /&gt;
            &lt;Header Key="x-ms-client-antiforgery-id" Value="0crwi2qNk20bMr6C04/vKd4L28WG1nd8JKBdOlCCp+xlph40YeL2oTdmeiTkPmE272S2dqmGQMNo+FElKkG2MdR0Xhq41RU/t8PrFjcG0Vgx4a8dgZLbfKVURo9n84F1XWtJOkTTUK/OeNVWBrK1+w=="
    /&gt;
            &lt;Header Key="x-ms-client-request-id" Value="dcc427c7-40fc-4fdd-9a70-7622969ff40d-2014-06-19 22:27:55Z" /&gt;
            &lt;Header Key="X-Requested-With" Value="XMLHttpRequest" /&gt;
            &lt;Header Key="DNT" Value="1" /&gt;
            &lt;Cookies&gt;
              &lt;Cookie Name="AdminSiteFedAuth" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (2000 characters)" /&gt;
              &lt;Cookie Name="AdminSiteFedAuth1" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (424 characters)" /&gt;
              &lt;Cookie Name="__RequestVerificationToken_Admin" Secure="false" Expires="0001-01-01T00:00:00Z" Domain="" Path="/" Value="Redacted (128 characters)" /&gt;
            &lt;/Cookies&gt;
          &lt;/Headers&gt;
        &lt;/Request&gt;
      &lt;/HttpContext&gt;
    &lt;/Exception&gt;</Data>
        <Data Name="requestId">
        </Data>
        <Data Name="subscriptionId">
        </Data>
        <Data Name="clientRequestId">dcc427c7-40fc-4fdd-9a70-7622969ff40d-2014-06-19 22:27:55Z</Data>
        <Data Name="principalId">USWIRED\Administrator</Data>
        <Data Name="version">
        </Data>
        <Data Name="pageRequestId">c343c29d-20b1-412b-be94-879409205700</Data>
        <Data Name="acceptLanguage">en-US</Data>
        <Data Name="operationName">SystemCenterAdmin.GetAutomationResourceProvider</Data>
      </EventData>
    </Event>
    Event ID 1046 is 
    Log Name:      Microsoft-WindowsAzurePack-MgmtSvc-AdminSite/Operational
    Source:        Microsoft-WindowsAzurePack-MgmtSvc-AdminSite
    Date:          6/19/2014 3:32:56 PM
    Event ID:      1046
    Task Category: (116)
    Level:         Error
    Keywords:      None
    User:          IIS APPPOOL\MgmtSvc-AdminSite
    Computer:      usw-azure-01.uswired.com
    Description:
    Could not connect to Resource Provider. Error: Resource not found.
    Event Xml:
    <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
      <System>
        <Provider Name="Microsoft-WindowsAzurePack-MgmtSvc-AdminSite" Guid="{5E78D550-1384-5A96-C12A-CB6DA7BC6365}" />
        <EventID>1046</EventID>
        <Version>0</Version>
        <Level>2</Level>
        <Task>116</Task>
        <Opcode>0</Opcode>
        <Keywords>0x0</Keywords>
        <TimeCreated SystemTime="2014-06-19T22:32:56.854137500Z" />
        <EventRecordID>413</EventRecordID>
        <Correlation ActivityID="{C20DBEAD-388F-4CF4-80FD-21C6419CC2F1}" />
        <Execution ProcessID="3424" ThreadID="2768" />
        <Channel>Microsoft-WindowsAzurePack-MgmtSvc-AdminSite/Operational</Channel>
        <Computer>usw-azure-01.uswired.com</Computer>
        <Security UserID="S-1-5-82-4118156790-2181488624-806685255-2797011695-3958995103" />
      </System>
      <EventData>
        <Data Name="errorMessage">Resource not found.</Data>
      </EventData>
    </Event>
    The other thing I notice is that when trying to connect to the VMM. It's trying to use domain\username, yet when I try logging in with domain\username via the SCVMM Console. I get the  You cannot access VMM management server (Error ID: 1604).
     I'm not sure if this is why I can not add the VMM to WAP.  Any help would be appreciated.  Thanks
    Nick

    Hello,
    I am not sure about the answer but I guess these steps will solve your problem:
    1) Log in to the SPF server by using an account that is a member of the SPF_Admin local group.
    2) Open an elevated Windows PowerShell window.
    3) Type the following commands, and press Enter after you type each command:
    Import-module spfadmin
    New-SCSPFTenant -Name Administrator -SubscriptionId 00000000-0000-0000-0000-000000000000
    4) Close the WAP Server Management Portal, and then reconnect to it to update all items.

  • Not able to get Essbase Server list in Office with Smart View 11.1.2.1

    Anybody tried Shared Connection in Smart View 11.1.2.1? I am able to connect to but it does not show any servers in the non editable drop-down box. I tried this with Office 2003 sp3, Office 2007 and office 2010 but none of them is working. Also i tried to find out the datasourse.xml file in LWS-aps in shared services console but its not there. i tried the solution given on this link also but the datasourse.xml file is not in place.
    http://timtows-hyperion-blog.blogspot.com/2011/04/smart-view-private-connection-issue.html
    my Environment.
    Win 2003 SP2 32 bit
    SQL 2005 on separate windows box
    EPM 11.1.2.1
    Shared Services
    Essbase Server
    Essbse Client
    Essbase Integration
    Provider services
    Essbase Studio
    Configured all of the above components successfully.
    i'm connecting to Essbase through this URL http://<server>:19000/workspace/SmartViewProviders . it shows the login window and allow me to get in. but the drop down box is empty. no server listed.
    Please let me know what I'm missing.

    I am also getting same problem as gaurav,
    I checked,"http://<servername>:13080/aps/SmartView" Analytic Provider Services also running.
    instead of Server name i tried localhost, ip address, and computer name.
    but still not getting anything in drop down, even "Add New Server" Option also.
    I thought this may be because Analytic Provider Services was configured after Shared Services. But for that i followed the steps:
    1. Stop the Analytic Provider Server and Foundation Services.
    2. Open the EPM System Configurator through Start -> All Programs -> Oracle EPM System -> Foundation Services -> EPM System Configurator.
    3. Expand Hyperion Foundation and only tick the option 'Deploy to Application Server'
    4. Click Next through the Configurator until complete.
    5. Restart the Foundation and Analytic Provider Server Services.
    6. Open Excel, connect to the Shared Connections.
    But problem Continuous.

  • The server name osr_server1 is unknown to the administration server

    I have successfully installed OSR and created WLS Domain using config.cmd. But when I try to start by command line (startManagedWebLogic.cmd osr_server1) I got the error "server is unknown". I have no idea what could be wrong.
    Basically I followed http://niallcblogs.blogspot.com.br/2010/09/oracle-service-registry-and-osb11g.html.
    The complete command line is:
    C:\Oracle\Middleware\user_projects\domains\base_domain\bin>startManagedWebLogic.
    cmd osr_server1
    JAVA Memory arguments: -Xms256m -Xmx512m -XX:CompileThreshold=8000 -XX:PermSize=
    48m -XX:MaxPermSize=128m
    WLS Start Mode=Development
    CLASSPATH=C:\Oracle\MIDDLE~1\patch_wls1036\profiles\default\sys_manifest_classpa
    th\weblogic_patch.jar;C:\Oracle\MIDDLE~1\patch_oepe180\profiles\default\sys_mani
    fest_classpath\weblogic_patch.jar;C:\Oracle\MIDDLE~1\patch_ocp371\profiles\defau
    lt\sys_manifest_classpath\weblogic_patch.jar;C:\Oracle\MIDDLE~1\patch_adfr1111\p
    rofiles\default\sys_manifest_classpath\weblogic_patch.jar;C:\Oracle\MIDDLE~1\JDK
    160~1\lib\tools.jar;C:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic_sp.jar;C:\
    Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic.jar;C:\Oracle\MIDDLE~1\modules\fe
    atures\weblogic.server.modules_10.3.6.0.jar;C:\Oracle\MIDDLE~1\WLSERV~1.3\server
    \lib\webservices.jar;C:\Oracle\MIDDLE~1\modules\ORGAPA~1.1/lib/ant-all.jar;C:\Or
    acle\MIDDLE~1\modules\NETSFA~1.0_1/lib/ant-contrib.jar;C:\Oracle\MIDDLE~1\WLSERV
    ~1.3\common\derby\lib\derbyclient.jar;C:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\x
    qrl.jar;C:\Program Files\Java\jdk1.7.0_09\jre\lib
    PATH=C:\Oracle\MIDDLE~1\patch_wls1036\profiles\default\native;C:\Oracle\MIDDLE~1
    \patch_oepe180\profiles\default\native;C:\Oracle\MIDDLE~1\patch_ocp371\profiles\
    default\native;C:\Oracle\MIDDLE~1\patch_adfr1111\profiles\default\native;C:\Orac
    le\MIDDLE~1\WLSERV~1.3\server\native\win\32;C:\Oracle\MIDDLE~1\WLSERV~1.3\server
    \bin;C:\Oracle\MIDDLE~1\modules\ORGAPA~1.1\bin;C:\Oracle\MIDDLE~1\JDK160~1\jre\b
    in;C:\Oracle\MIDDLE~1\JDK160~1\bin;C:\Oracle\product\11.1.0\client_1\bin;C:\Wind
    ows\system32;C:\Windows;C:\Windows\System32\Wbem;C:\Windows\System32\WindowsPowe
    rShell\v1.0\;C:\Program Files\Microsoft SQL Server\100\DTS\Binn\;C:\Program File
    s\Microsoft SQL Server\100\Tools\Binn\VSShell\Common7\IDE\;C:\Program Files\Micr
    osoft SQL Server\100\Tools\Binn\;C:\Program Files\Microsoft Visual Studio 9.0\Co
    mmon7\IDE\PrivateAssemblies\;c:\Program Files\Microsoft SQL Server\90\Tools\binn
    \;C:\Program Files\Java\jdk1.7.0_09\bin;C:\Oracle\MIDDLE~1\WLSERV~1.3\server\nat
    ive\win\32\oci920_8
    * To start WebLogic Server, use a username and *
    * password assigned to an admin-level user. For *
    * server administration, use the WebLogic Server *
    * console at http:\\hostname:port\console *
    starting weblogic with Java version:
    java version "1.6.0_29"
    Java(TM) SE Runtime Environment (build 1.6.0_29-b11)
    Java HotSpot(TM) Client VM (build 20.4-b02, mixed mode)
    Starting WLS with line:
    C:\Oracle\MIDDLE~1\JDK160~1\bin\java -client -Xms256m -Xmx512m -XX:CompileThre
    shold=8000 -XX:PermSize=48m -XX:MaxPermSize=128m -Dweblogic.Name=osr_server1 -D
    java.security.policy=C:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic.policy -D
    weblogic.security.SSL.trustedCAKeyStore="C:\Oracle\Middleware\wlserver_10.3\serv
    er\lib\cacerts" -Xverify:none -da -Dplatform.home=C:\Oracle\MIDDLE~1\WLSERV~1.
    3 -Dwls.home=C:\Oracle\MIDDLE~1\WLSERV~1.3\server -Dweblogic.home=C:\Oracle\MIDD
    LE~1\WLSERV~1.3\server -Dweblogic.management.discover=false -Dweblogic.managem
    ent.server=http://SISTEMA026:7001 -Dwlw.iterativeDev=false -Dwlw.testConsole=fa
    lse -Dwlw.logErrorsToConsole=false -Dweblogic.ext.dirs=C:\Oracle\MIDDLE~1\patch_
    wls1036\profiles\default\sysext_manifest_classpath;C:\Oracle\MIDDLE~1\patch_oepe
    180\profiles\default\sysext_manifest_classpath;C:\Oracle\MIDDLE~1\patch_ocp371\p
    rofiles\default\sysext_manifest_classpath;C:\Oracle\MIDDLE~1\patch_adfr1111\prof
    iles\default\sysext_manifest_classpath weblogic.Server
    <19/11/2012 18h40min53s BRST> <Info> <Security> <BEA-090905> <Disabling CryptoJ
    JCE Provider self-integrity check for better startup performance. To enable this
    check, specify -Dweblogic.security.allowCryptoJDefaultJCEVerification=true>
    <19/11/2012 18h40min53s BRST> <Info> <Security> <BEA-090906> <Changing the defau
    lt Random Number Generator in RSA CryptoJ from ECDRBG to FIPS186PRNG. To disable
    this change, specify -Dweblogic.security.allowCryptoJDefaultPRNG=true>
    <19/11/2012 18h40min53s BRST> <Info> <WebLogicServer> <BEA-000377> <Starting Web
    Logic Server with Java HotSpot(TM) Client VM Version 20.4-b02 from Sun Microsyst
    ems Inc.>
    <19/11/2012 18h40min53s BRST> <Info> <Security> <BEA-090065> <Getting boot ident
    ity from user.>
    Enter username to boot WebLogic server:weblogic_osr2
    Enter password to boot WebLogic server:
    <19/11/2012 18h41min23s BRST> <Info> <Management> <BEA-141107> <Version: WebLogi
    c Server 10.3.6.0 Tue Nov 15 08:52:36 PST 2011 1441050 >
    <19/11/2012 18h41min24s BRST> <Emergency> <Management> <BEA-141151> <The admin s
    erver could not be reached at http://SISTEMA026:7001.>
    <19/11/2012 18h41min24s BRST> <Critical> <WebLogicServer> <BEA-000362> <Server f
    ailed. Reason:
    There are 1 nested errors:
    weblogic.management.ManagementException: The server name osr_server1 is unknown
    to the administration server. Check if restart is required.
    at weblogic.management.provider.internal.RuntimeAccessImpl.initialize(Ru
    ntimeAccessImpl.java:447)
    at weblogic.management.provider.internal.RuntimeAccessService.start(Runt
    imeAccessService.java:49)
    at weblogic.t3.srvr.ServerServicesManager.startService(ServerServicesMan
    ager.java:461)
    at weblogic.t3.srvr.ServerServicesManager.startInStandbyState(ServerServ
    icesManager.java:166)
    at weblogic.t3.srvr.T3Srvr.initializeStandby(T3Srvr.java:881)
    at weblogic.t3.srvr.T3Srvr.startup(T3Srvr.java:568)
    at weblogic.t3.srvr.T3Srvr.run(T3Srvr.java:469)
    at weblogic.Server.main(Server.java:71)
    >
    <19/11/2012 18h41min24s BRST> <Notice> <WebLogicServer> <BEA-000365> <Server sta
    te changed to FAILED>
    <19/11/2012 18h41min24s BRST> <Error> <WebLogicServer> <BEA-000383> <A critical
    service failed. The server will shut itself down>
    <19/11/2012 18h41min24s BRST> <Notice> <WebLogicServer> <BEA-000365> <Server sta
    te changed to FORCE_SHUTTING_DOWN>

    Yes, there are the tags you have suggested. The complete config.xml is below.
    I tried:
    C:\Oracle\Middleware\user_projects\domains\base_domain\bin>startManagedWebLogic.
    cmd osr_server1
    When asked the user, I tried the node-manager-username weblogic_osr2 and the admin user but I always received the error: The server name osr_server1 is unknown to the administration server.
    <?xml version="1.0" encoding="UTF-8" ?>
    - <domain xsi:schemaLocation="http://xmlns.oracle.com/weblogic/security/wls http://xmlns.oracle.com/weblogic/security/wls/1.0/wls.xsd http://xmlns.oracle.com/weblogic/domain http://xmlns.oracle.com/weblogic/1.0/domain.xsd http://xmlns.oracle.com/weblogic/security http://xmlns.oracle.com/weblogic/1.0/security.xsd http://xmlns.oracle.com/weblogic/security/xacml http://xmlns.oracle.com/weblogic/security/xacml/1.0/xacml.xsd" xmlns="http://xmlns.oracle.com/weblogic/domain" xmlns:sec="http://xmlns.oracle.com/weblogic/security" xmlns:wls="http://xmlns.oracle.com/weblogic/security/wls" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
    <name>base_domain</name>
    <domain-version>10.3.6.0</domain-version>
    - <security-configuration>
    <name>base_domain</name>
    - <realm xmlns:pas="http://xmlns.oracle.com/weblogic/security/providers/passwordvalidator">
    <sec:authentication-provider xsi:type="wls:default-authenticatorType" />
    - <sec:authentication-provider xsi:type="wls:default-identity-asserterType">
    <sec:active-type>AuthenticatedUser</sec:active-type>
    </sec:authentication-provider>
    <sec:role-mapper xsi:type="wls:default-role-mapperType" />
    <sec:authorizer xsi:type="wls:default-authorizerType" />
    <sec:adjudicator xsi:type="wls:default-adjudicatorType" />
    <sec:credential-mapper xsi:type="wls:default-credential-mapperType" />
    <sec:cert-path-provider xsi:type="wls:web-logic-cert-path-providerType" />
    <sec:cert-path-builder>WebLogicCertPathProvider</sec:cert-path-builder>
    <sec:name>myrealm</sec:name>
    - <sec:password-validator xsi:type="pas:system-password-validatorType">
    <sec:name>systemPasswordValidator</sec:name>
    <pas:min-password-length>8</pas:min-password-length>
    <pas:min-numeric-or-special-characters>1</pas:min-numeric-or-special-characters>
    </sec:password-validator>
    </realm>
    <default-realm>myrealm</default-realm>
    <credential-encrypted>{AES}LArhcMlb7Jdt2zQbNnzLdi3luhgdNyPJS1JIVb9H+VWi5XcC9SP4SQa/8mp/SKI072DoA/sGnzvYDqpn3OxQl3pE0LxaXoOmYNnWsSv/keo8I0rMvrXWJXqn4fbSl9bd</credential-encrypted>
    *<node-manager-username>weblogic_osr2</node-manager-username>*
    <node-manager-password-encrypted>{AES}1SioVLWu3mu/u6y/You1ZGeBTXJHfUCq+loZSCVOdSE=</node-manager-password-encrypted>
    </security-configuration>
    - <server>
    <name>AdminServer</name>
    <listen-address />
    </server>
    - <server>
    *<name>osr_server1</name>*
    <listen-port>7101</listen-port>
    <listen-address>sistema026.br-lihi.libertyinternational.com</listen-address>
    </server>
    - <embedded-ldap>
    <name>base_domain</name>
    <credential-encrypted>{AES}C+0tyHN5wihXjDHQKdQt/5PvYpko8rS0PL6wSSvp3sHLZscRB1RjSNL8MXfHHjwW</credential-encrypted>
    </embedded-ldap>
    <configuration-version>10.3.6.0</configuration-version>
    - <app-deployment>
    <name>registry</name>
    <target>osr_server1</target>
    <module-type>war</module-type>
    <source-path>C:\Oracle\Middleware\registry111/conf/porting/weblogic/build/registry.war</source-path>
    <deployment-order>195</deployment-order>
    <security-dd-model>DDOnly</security-dd-model>
    </app-deployment>
    <admin-server-name>AdminServer</admin-server-name>
    - <jdbc-system-resource>
    <name>jdbc/registryDS</name>
    <target>osr_server1</target>
    <descriptor-file-name>jdbc/registry-20121119171422-jdbc.xml</descriptor-file-name>
    </jdbc-system-resource>
    </domain>

  • Report server name in rwservlet.properties file

    Hi all,
    I dont want to hard code the report server name while calling report from the form...
    I have used....
         vrep := RUN_REPORT_OBJECT(myreport1);
    /* Checking for Report Server is started or not, if not throw an exception else proceed */
         if vrep = vrep||'_0'then
         raise form_trigger_failure;
    end if;
         vjob_id := substr(vrep,length(vc_reportserver)+2,length(vrep));
         vrep_status := REPORT_OBJECT_STATUS(vrep);
    where vc_reportserver is assigned a value of my report server name...
    If I edit rwservlet.properties file and give
    server=<my rep server name>,
    How can i read this value from the form ? Any help please?
    I know there is a way to do in formsweb and default.env. But I want to know the way how to used in rwservlet.properties file and use it in the form.
    Kindly help
    Priya

    Thanks Francois for your reply.
    You can pass this value in the formsweb.cfg file (otherparams=)So, in forms I have to create a parameter matching with the one what I have mentioned in otherparams. right?
    you can read it from a database parameter's table (solution I prefer).So, just storing the report server name in database and fetch like
    select --- from tablename! Is it so?
    And apart from this, may I know why you prefer this method?
    And why not rwservlet.properties??
    Regards
    Priya

  • Strange characters showing up in Essbase Server pick list

    I have one user, that is logging into her Essbase spreadsheet addin and seeing all kinds of strange characters following each server name in the Server drop down list within the Essbase System Login window.  Any ideas what would cause this?
    What we have found is the Server names and strange characters are showing up in the registry key: "HKEY_CURRENT_USER\Software\Hyperion Solutions\Essbase\Login".  Normally you would see something like this in this key:
    (Default)    Reg_SZ    (Value not set)
    Server        Reg_SZ    ServerName1
    Server1      Reg_SZ    ServerName2
    Server2      Reg_SZ    ServerName3
    etc.
    What is showing now, is the original list of servers, with 10 or so new ones that repeat the server names that were already there followed by strange characters.  There were 10 extra entries in this particular persons drop down list.  We deleted them from the Registry and she was good for a few minutes and then they came back!!  Anybody seen this before?  We are running 11.1.2.1 of the Oracle Essbase Spreadsheet Add-in.  Excel 2010.  Windows 7.  She is also using the In2HypEssbase ribbon, but so are many others, and she is the only one experiencing this problem.
    Thanks,
    Mike

    Sorry, I forgot to mention that we did delete them from the registry and they did disappear from the drop down list.  But a little while later it happened again!  They seem to keep coming back and we don't know why.  Again, she is the only person in the company that has had this issue.  I have had her shutdown everything and reboot her pc with no luck as well, just to make sure there wasn't something quirky going on in the memory of the pc.
    Mike

Maybe you are looking for

  • TCP/IP does not let me enable or disable.

    Hi,  I am trying to enable TCP/IP in order to access my SQL server remotely but when I select tcp/ip and want to enable = Yes or disabled = no it does not give me the option, it appears a gray empty rectangle.  Any idea what might happen?, I will lik

  • Error in Creating task for user decision

    Hiee friends . I am new to workflow .I was going through the workflow tutorial [building a workflow from scratch] available at the elearning section[ABAP eLearning Catalog]. I am praticing abap in sap netweaver available for free download from sap ag

  • Best practice for server configuration for iTunes U

    Hello all, I'm completely new to iTunes U, never heard of this until now and we have zero documentation on how to set it up. I was given the task to look at best practice for setting up the server for iTunes U, and I need your help. *My first questio

  • Photoshop Elements 9 over taking other files

    Hey, There are some programs that have been "over taken" by my photoshop. For example if I try to open that file, photoshop comes up instead of the program. I've unistalled Photoshop, which fixes the problem, but I want my photoshop and the other pro

  • Unsupported pain in the a***

    Just upgraded to a Mac, and am getting used to a new life so to speak. Took my windows version of lightroom 2 over to Mac which recognised it. All seemed to be doing well until I attempted a download from my CF card using a new reader. Imported RAW p