Webcenter Portal - CMIS query and variables

Hello,
Im using CMIS queries to access my UCM in order to have multi language support. In the query i need to input as a variable the current selected language which is on a session bean.
This is one example:
<taskFlow id="doclibcontentpresenter1"
              taskFlowId="/oracle/webcenter/doclib/view/jsf/taskflows/presenter/contentPresenter.xml#doclib-content-presenter"
              activation="deferred"
              xmlns="http://xmlns.oracle.com/adf/controller/binding">
      <parameters>
        <parameter id="taskFlowInstId"
                   value="${'07add503-f1b2-4a99-81a4-ce5ffda5dec0'}"/>
        <parameter id="datasourceType" value="${'dsTypeQueryExpression'}"/>
        <parameter id="datasource"
                   value="${'SELECT * FROM ora:t:IDC:GlobalProfile WHERE ora:p:xWCTags LIKE '${localeBean.localeActual}%' AND cmis:name LIKE \'logo%\''}"/>
        <parameter id="templateCategory" value="${''}"/>
        <parameter id="templateView" value="${''}"/>
        <parameter id="maxResults" value="${''}"/>
      </parameters>
    </taskFlow>
Which does not work. My question is if it is possible to pass a parameter in the CMIS query, on the LIKE field. If so how exactly to do it? If it is possible i cant find the correct syntax to make it work.
If this is not possible, how do i properly use CMIS queries in order to access multilanguage content that is tagged on my UCM?
Thank you for your help

Sorry to bother you again but it seems i have another small problem
<parameters>
        <parameter id="datasourceType">dsTypeQueryExpression</parameter>
        <parameter id="datasource">connectionName=UCM#SELECT * FROM ora:t:IDC:GlobalProfile WHERE ora:p:xWCTags LIKE  '#{localeBean.localeActual}%' AND cmis:name LIKE 'logo_unitel%'</parameter>
</parameters>
Using the same logic, but this time im on a navigation.xml file. The <parameter> tag does not have a value instead the input is as show in the code above. And alas it also does not work.
Id be really grateful   Thank you

Similar Messages

  • Webcenter Portal PPR Navigation and Passing URL parameters

    Hi,
    We have pages that will be URL parameter based so that it can be bookmarked and should be partially page navigable. Basically some pages are specific to project numbers i.e a project-page is opened by passing something like project-page?projectNumer=111. We have a partial page navigation something like this..
    <af:commandLink id="pt_cl22"
    actionListener="#{navigationContext.processAction}"
    action="pprnav" text="#{menu.title}"
    styleClass="primaryNav">
    <f:attribute name="node" value="#{menu}"/>
    </af:commandLink>
    The problem is this pprnav doesn't allow us to pass http parameters. Is there a way to pass parameters through the URL without actually refreshing the whole page (using goLinks). It is important for us since most of the pages have obiee dashboards which take time to load. Or how to parameterize the pages with pprnav enabled. We tried unbounded taskflows but doesnt go well with webcenter portal.
    Thanks,

    may be u should try to set the action programatically. using the approach specified in this blog..
    http://andrejusb.blogspot.com/2011/10/how-to-disable-action-conditionally.html
    (just follow the approach defined for setting pprnav programatically). before setting the ppnav set some variable in the parameter list of in the pageflowscope.. and use the pageflowscope in the next page

  • Webcenter portal live search and tags

    Hello there,
    Does anyone know if there is any merge/integration possible with the Webcenter Content tags and the Webcenter Portal live search?
    I know the tag service offered by Webcenter Portal works for the search component however the tags from the Webcenter Content do not. Is it possible to include those in the live search?
    Thank you for your time

    Hello there Daniel, reviving this topic again. Hope you can take my doubts.
    Actually i am using DATABASE.FULLTEXT. It works for the UCM content. My issue here is that i want my search Toolbar to present to me the pages that have the UCM content in them.
    Example: I search for the word "cookie" and i want the result to be the page that has an HTML loaded from the content that has the word "cookie" in it. Right now the Search Toolbar returns me the HTML that has the word cookie in it. But not the page that has that HTML loaded.
    As a matter of the fact i cant even get any page out of the Search Toolbar.
    My question is, do i need to have SES to be able to have that? Or with the Search Toolbar this is something that is possible.
    I added the tagging system, that allows me to get pages in the Search toolbar, but requires manual tagging, or tagging through the content of the pages. That, so far, is the only way i get pages on the search Toolbar.
    As always thank you,
    Regards

  • Bad query plan for self-referencing CTE view query and variable in WHERE clause. Is there way out or this is SQL Server defect?

    Please help. Thank you for your time and expertise.
    Prerequisites: sql query needs to be a view. Real view is more than recursion. It computes location path,  is used in JOINs and returns this path.
    Problem: no matter what I tried, sql server does not produce 'index seek' when using variable but does with literal.
    See full reproduction code below.
    I expect that query SELECT lcCode FROM dbo.vwLocationCodes l WHERE l.lcID = @lcID will seek UNIQUE index but it does not.
    I tried these:
    1. Changing UX and/or PK to be CLUSTERED.
    2. query OPTION(RECOMPILE)
    3. FORCESEEK on view
    4. SQL Server 2012/2014
    5. Wrap it into function and CROSS APPLY. On large outer number of rows this just dies, no solution
    but to no avail. This smells like a bug in SQL Server. I am seeking your confirmation.
    I am thinking it is a bug as variable value is high-cardinality, 1, and query is against unique key. This must produce single seek, depending if clustered or nonclustred index is unique
    Thanks
    Vladimir
    use tempdb
    BEGIN TRAN
    -- setup definition
    CREATE TABLE dbo.LocationHierarchy(
    lcID int NOT NULL ,
    lcHID hierarchyid NOT NULL,
    lcCode nvarchar(25) COLLATE SQL_Latin1_General_CP1_CI_AS NOT NULL,
    lcHIDParent AS lcHID.GetAncestor(1) PERSISTED,
    CONSTRAINT PK_LocationHierarchy_lcID PRIMARY KEY NONCLUSTERED (lcID ASC),
    CONSTRAINT UX_LocationHierarchy_pltID_lcHID UNIQUE CLUSTERED (lcHID ASC)
    -- add some data
    INSERT INTO dbo.LocationHierarchy
    VALUES
    (1, '/', 'A')
    ,(2, '/1/', 'B')
    ,(3, '/1/1/', 'C')
    ,(4, '/1/1/1/', 'D')
    --DROP VIEW dbo.vwLocationCodes
    GO
    CREATE VIEW dbo.vwLocationCodes
    AS
    WITH ru AS
    SELECT
    lh.lcID
    ,lh.lcCode
    ,lh.lcHID
    ,CAST('/' + lh.lcCode + '/' as varchar(8000)) as LocationPath
    -- to support recursion
    ,lh.lcHIDParent
    FROM dbo.LocationHierarchy lh
    UNION ALL
    SELECT
    ru.lcID
    ,ru.lcCode
    ,ru.lcHID
    ,CAST('/' + lh.lcCode + ru.LocationPath as varchar(8000)) as LocationPath
    ,lh.lcHIDParent
    FROM dbo.LocationHierarchy lh
    JOIN ru ON ru.lcHIDParent = lh.lcHID
    SELECT
    lh.lcID
    ,lh.lcCode
    ,lh.LocationPath
    ,lh.lcHID
    FROM ru lh
    WHERE lh.lcHIDParent IS NULL
    GO
    -- get data via view
    SELECT
    CONCAT(SPACE(l.lcHID.GetLevel() * 4), lcCode) as LocationIndented
    FROM dbo.vwLocationCodes l
    ORDER BY lcHID
    GO
    SET SHOWPLAN_XML ON
    GO
    DECLARE @lcID int = 2
    -- I believe this produces bad plan and is defect in SQL Server optimizer.
    -- variable value cardinality is 1 and SQL Server should know that. Optiomal plan is to do index seek with key lookup.
    -- This does not happen.
    SELECT lcCode FROM dbo.vwLocationCodes l WHERE l.lcID = @lcID -- bad plan
    -- this is a plan I expect.
    SELECT lcCode FROM dbo.vwLocationCodes l WHERE l.lcID = 2 -- good plan
    -- I reviewed these but I need a view here, can't be SP
    -- http://sqlblogcasts.com/blogs/tonyrogerson/archive/2008/05/17/non-recursive-common-table-expressions-performance-sucks-1-cte-self-join-cte-sub-query-inline-expansion.aspx
    -- http://social.msdn.microsoft.com/Forums/sqlserver/en-US/22d2d580-0ff8-4a9b-b0d0-e6a8345062df/issue-with-select-using-a-recursive-cte-and-parameterizing-the-query?forum=transactsql
    GO
    SET SHOWPLAN_XML OFF
    GO
    ROLLBACK
    Vladimir Moldovanenko

    Here is more... note that I am creating table Items and these can be in Locations.
    I am trying LEFT JOIN and OUTER APLLY to 'bend' query into NESTED LOOP and SEEK. There has to be nested loop, 2 rows against 4. But SQL Server fails to generate optimal plan with SEEK. Even RECOMPILE does not help
    use tempdb
    BEGIN TRAN
    -- setup definition
    CREATE TABLE dbo.LocationHierarchy(
    lcID int NOT NULL ,
    lcHID hierarchyid NOT NULL,
    lcCode nvarchar(25) COLLATE SQL_Latin1_General_CP1_CI_AS NOT NULL,
    lcHIDParent AS lcHID.GetAncestor(1) PERSISTED,
    CONSTRAINT PK_LocationHierarchy_lcID PRIMARY KEY NONCLUSTERED (lcID ASC),
    CONSTRAINT UX_LocationHierarchy_pltID_lcHID UNIQUE CLUSTERED (lcHID ASC)
    -- add some data
    INSERT INTO dbo.LocationHierarchy
    VALUES
    (1, '/', 'A')
    ,(2, '/1/', 'B')
    ,(3, '/1/1/', 'C')
    ,(4, '/1/1/1/', 'D')
    --DROP VIEW dbo.vwLocationCodes
    GO
    --DECLARE @Count int = 10;
    --WITH L0 AS (SELECT N FROM (VALUES(1),(1),(1),(1),(1),(1),(1),(1),(1),(1)) N (N))-- 10 rows
    --,L1 AS (SELECT n1.N FROM L0 n1 CROSS JOIN L0 n2) -- 100 rows
    --,L2 AS (SELECT n1.N FROM L1 n1 CROSS JOIN L1 n2) -- 10,000 rows
    --,L3 AS (SELECT n1.N FROM L2 n1 CROSS JOIN L2 n2) -- 100,000,000 rows
    --,x AS
    -- SELECT TOP (ISNULL(@Count, 0))
    -- ROW_NUMBER() OVER (ORDER BY (SELECT NULL)) as Number
    -- FROM L3 n1
    --SELECT Number as itmID, NTILE(4)OVER(ORDER BY Number) as lcID
    --INTO dbo.Items
    --FROM x
    ----ORDER BY n1.N
    --ALTER TABLE dbo.Items ALTER COLUMN itmID INT NOT NULL
    --ALTER TABLE dbo.Items ADD CONSTRAINT PK PRIMARY KEY CLUSTERED (itmID)
    CREATE TABLE dbo.Items (itmID int NOT NULL PRIMARY KEY, lcID int NOT NULL)
    INSERT INTO dbo.items
    VALUES(1, 1)
    ,(2, 3)
    GO
    CREATE VIEW dbo.vwLocationCodes
    AS
    WITH ru AS
    SELECT
    lh.lcID
    ,lh.lcCode
    ,lh.lcHID
    ,CAST('/' + lh.lcCode + '/' as varchar(8000)) as LocationPath
    -- to support recursion
    ,lh.lcHIDParent
    FROM dbo.LocationHierarchy lh
    UNION ALL
    SELECT
    ru.lcID
    ,ru.lcCode
    ,ru.lcHID
    ,CAST('/' + lh.lcCode + ru.LocationPath as varchar(8000)) as LocationPath
    ,lh.lcHIDParent
    FROM dbo.LocationHierarchy lh
    JOIN ru ON ru.lcHIDParent = lh.lcHID
    SELECT
    lh.lcID
    ,lh.lcCode
    ,lh.LocationPath
    ,lh.lcHID
    FROM ru lh
    WHERE lh.lcHIDParent IS NULL
    GO
    -- get data via view
    SELECT
    CONCAT(SPACE(l.lcHID.GetLevel() * 4), lcCode) as LocationIndented
    FROM dbo.vwLocationCodes l
    ORDER BY lcHID
    GO
    --SET SHOWPLAN_XML ON
    GO
    DECLARE @lcID int = 2
    -- I believe this produces bad plan and is defect in SQL Server optimizer.
    -- variable value cardinality is 1 and SQL Server should know that. Optiomal plan is to do index seek with key lookup.
    -- This does not happen.
    SELECT lcCode FROM dbo.vwLocationCodes l WHERE l.lcID = @lcID-- OPTION(RECOMPILE) -- bad plan
    -- this is a plan I expect.
    SELECT lcCode FROM dbo.vwLocationCodes l WHERE l.lcID = 2 -- good plan
    SELECT *
    FROM dbo.Items itm
    LEFT JOIN dbo.vwLocationCodes l ON l.lcID = itm.lcID
    OPTION(RECOMPILE)
    SELECT *
    FROM dbo.Items itm
    OUTER APPLY
    SELECT *
    FROM dbo.vwLocationCodes l
    WHERE l.lcID = itm.lcID
    ) l
    -- I reviewed these but I need a view here, can't be SP
    -- http://sqlblogcasts.com/blogs/tonyrogerson/archive/2008/05/17/non-recursive-common-table-expressions-performance-sucks-1-cte-self-join-cte-sub-query-inline-expansion.aspx
    -- http://social.msdn.microsoft.com/Forums/sqlserver/en-US/22d2d580-0ff8-4a9b-b0d0-e6a8345062df/issue-with-select-using-a-recursive-cte-and-parameterizing-the-query?forum=transactsql
    GO
    --SET SHOWPLAN_XML OFF
    GO
    ROLLBACK
    Vladimir Moldovanenko

  • SAP BW QUERY AND BOBJ , QUERY VARIABLES

    I have a SAP BW QUERY which Iu2019m trying to get through to BOBJ 4.0 AND CONTINUE TO GET THIS error "getDocumentInformation exception Error WRE 99998.........database error The MDX QUERY SELECT {...} ON CLOUMNS, NON EMPTY UNORDER, DIMESION PROPERTIES ON ROWS from SAP VARIABLES FAILED TO EXECUTE WITH ERROR for characteristic 0FISCYEAR, enter year in specified format(IES10901)
    We using BOBJ 4.0 AND IDT TO CREATE connections to query...
    In SAP BEX ANALYZER the query runs and returns results without any issues, but in u201CQUERY AS A WEB SERVICEu201D and u201CWEB SERVICEu201D we get THE above error ....
    so i removed the variables from the row section and included it in the filter section of query and still i get errors in bobj (This is after going to Transaction RSRT checking the properties TAB and selecting "Use Selection of Structure Elements" and then generating query in SAP BW,
    SOME queries you need to assign variable inputs for certain characteristics to restrict specific data ACCORDINGLY...
    is there a way to come around this?
    are there some docs available that simply describes the method of using a variable input/prompt in a SAP BW QUERY and how to use it in BOBJ?
    Any help would be greatly appreciated
    Thanks in Advance

    personal experience the variables doesnt work properly from query to bobj, remove any calculations in yoru query and variables, you could only use filters in query.. when you bring them in webi then brring the values to the report then create vraibles in it there.
    i keep my query from filtering as well then do everything in webi or xcelsius ..

  • CMIS Query Issue

    Hi,
    We are trying to implement Localization on webcenter portal+ webcenter
    Conetnt,we have decided to have different contents for different language.Say I
    have DOC1 in english with content id ABC_EN and i am translating this document
    to Spanish via workflow process and creating content ID ABC_ES.We are using
    CMIS query and content presenter to render the content on the portal.
    We need to have a robust CMIS query which handles the following scenario:If the
    content is not available in SPANISH it should show the english content on the
    portal,
    Currently we are using the following query and want to enhance the same for the
    scenario mentioned:
    SELECT * FROM ora:t:IDC:GlobalProfile WHERE ora:p:dDocType='Home' and
    ora:p:dDocTitle='Home_ES' and ora:p:xLanguage='ES'
    Can anyone provide me inputs on Enhancing the same?

    Hi
    Can one provide any inputs on it ...

  • Query Changes: Variable not collected in Transport

    Hi Experts,
    Intiatlly some one created a query and it was transported to BWQ from BWD.
    Due to some changes, I needed to rework on the query. For that I did the following:
    a. In the Administrator Transport Workbench, I collected the query
    b. CLicked on the Transport checkbox
    c. Then assigned a new BEX Transport request.
    d. I then made changes in the query plus added a variable in the query.
    e. I checked my query and it was working fine in BWD.
    Now when I transport this query to BWQ, the transport fails and says
    "Error when acitvating element 4DKMNO0UMEXIN0FHM6RYXXJ3F"
    "Element 4E5X3H4IQ5BEDSZY1I6GW4P2J" is missing in version M"
    I think the transport is missing the variable I created. So why is this not collected?
    Secondly since this transport request was released will I have to recollect the query and variable. If so how?
    Thanks,
    Hundia

    I raised an OSS Message.
    The reply from SAP was:
    "We have analyzed the situation with the inconsistent queries.
    1. The error message
    'Unable ot detect element type for Element Recreated Formula:
    DBJFSQOSAL3WPK8LSCNUWNAJ"' is raise as a result of incorrect repair
    procedure most likely perfomed by the program ANALYZE_MISSING_ELEMENTS.
    This is very old report which allowes repair, but unfortunately this
    repair is not correct. Therefore we do not recommend you to use it
    in similar cases.
    The element DBJFSQOSAL3WPK8LSCNUWNAJ recreated by the program as a
    local formula must have type Calculated Key Figure. This info can be
    obtained just by analysis of the corresponding structure members which
    has to represent this CKF in the query...
    2. Missing element and INCONSISTENCY. This is logically related to
    the first case. I have perfomed extended anylysis and the situation is
    the following.
    Affected query YTEMP_ZSCNNM04_01 (4B75NN07LN3TJVDW9VX8OUACR) contains
    one unresolved reference to 4B773WHW1GK5WZAPK5CZHZSH7. This missing
    element can be a local structure member (FLM or SEL) or a reusable
    object like calculated or restricted KF
    Affected query ZORQSP_ZSPNNM021_NN_05 (4DUV3IK29VBJESNEWX20PBXM3) also
    contains one unresolved reference. This is pretty similar to the case
    above. The missing element is CKF. This can be found from the definitionof the related element.
    Affected query YY_FT_TEST has 3 unresolved references. Here the case
    is a bit different. According to my analysis the missing elements are
    just such global part of a query like Filter and Sheet. This more less
    means the entire definition of this query is not available.
    Possible solution.
    As far as I see, all missing elements are local for the BWD system.
    This means that most likely we can not use transports from the other
    system. By just to use this option aswell, please check if some of thesemissing can be found in the other systems
    4B773WHW1GK5WZAPK5CZHZSH7
    4BO650QIIZZ51VCNLZXSC4MP7
    4BO652NN9NEIPI7P2IIUUMB57
    4BPGWZK405TZ1061K1FSQCT0R
    4DVE6TT3PU9YJ6RQ4ETM2MDIJ
    and
    4DBJFSQOSAL3WPK8LSCNUWNAJ
    If you find something, it is necessary to transport them to the BWD
    system. This will solve some issues.
    But probably you will not find them. Therefore the alternative way will
    be to replaces the missing objects in the definition of the affected
    queries by some other availabe objects. This is to be done manually.
    For example mising CKF can be replaced by a constant value and then
    in Query Designer replaced once again by any avaialbe CKF.
    Such technique can help te achieve technical consistency of the queries
    ZORQSP_ZSPNNM021_NN_04, YTEMP_ZSCNNM04_01 and ZORQSP_ZSPNNM021_NN_05.
    Situaiton with the YY_FT_TEST is more critical. There are no chances
    to repair this one. The only option will be to delete it using the
    transaction RSZDELETE.
    Please tell me how would you like to process. In principle, this case
    is not really critical as the missing elements are just locally affect
    queries and not used by reusable query components like CKFs/RKFs which
    might be shared between many other queries also affecting them.

  • Transporting Queries and Variables from QA to DEV

    Hi gurus,
    Is there a way I can transport my query and variables(query components) back to DEV from QA,cos one of the variable that I am using started having a problem in DEV and can't seem to be able to fix it .
    You can check the problem question here
    Problems with a Query
    Thanks

    If you have access you can bundle the report in QA the same way as in Dev.  This is assuming you have a package set up there and basis will probably have to manually move it to the queue and import it.  This can be risky to do.

  • How to deploy jsr168 war file into Webcenter Portal

    I want to intergated a jsr168 war file with Web Center Portal. I only install WebCenter Portal without JDeveloper and Content. So how should I deploy it?
    Thank you!
    Regards,
    Jugela

    You have the weblogic domain right ? Opent the enterprise manager in browser by hitting the below url -
    http://<Admin Server address>:<port>/em
    login with credentials.
    From deployments end,you can install the war file which will targeted to WC_Portlet server.
    After that register the portlet WSRP url with your application and use it.
    The above suggest is without the intervention of jdeveloper /webcenter.
    Regards,
    Hoque

  • Exception while creating default webcenter portal application

    Hi Experts,
    I am facing a strange issue and need your guidance.
    I tried to create a basic webcenter portal via JDeveloper and tried to run the same.
    However, while running the basic application without any modifications gives me following error:
    oracle.jbo.NoDefException: JBO-25002: Definition oracle.webcenter.portalapp.pages.loginPageDef of type Form Binding Definition is not found.
    at oracle.jbo.mom.DefinitionManager.findDefObjectUsingMetadataObject(DefinitionManager.java:2703)
    at oracle.jbo.mom.DefinitionManager.findDefObjectUsingMetadataObject(DefinitionManager.java:2715)
    at oracle.adf.model.binding.DCBindingContainerDef.findDefObject(DCBindingContainerDef.java:292)
    at oracle.adf.model.binding.DCBindingContainerReference.getDef(DCBindingContainerReference.java:107)
    at oracle.adf.model.BindingContext.findBindingContainerDefByPath(BindingContext.java:1624)
    at oracle.adf.model.BindingRequestHandler.isPageViewable(BindingRequestHandler.java:371)
    at oracle.adf.model.BindingRequestHandler.beginRequest(BindingRequestHandler.java:246)
    at oracle.adf.model.servlet.ADFBindingFilter.doFilter(ADFBindingFilter.java:203)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.adfinternal.view.faces.webapp.rich.RegistrationFilter.doFilter(RegistrationFilter.java:106)
    at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl$FilterListChain.doFilter(TrinidadFilterImpl.java:446)
    at oracle.adfinternal.view.faces.activedata.AdsFilter.doFilter(AdsFilter.java:60)
    at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl$FilterListChain.doFilter(TrinidadFilterImpl.java:446)
    at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl._doFilterImpl(TrinidadFilterImpl.java:271)
    at org.apache.myfaces.trinidadinternal.webapp.TrinidadFilterImpl.doFilter(TrinidadFilterImpl.java:177)
    at org.apache.myfaces.trinidad.webapp.TrinidadFilter.doFilter(TrinidadFilter.java:92)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.wcps.client.PersonalizationFilter.doFilter(PersonalizationFilter.java:75)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.webcenter.content.integration.servlets.ContentServletFilter.doFilter(ContentServletFilter.java:168)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.webcenter.lifecycle.filter.LifecycleLockFilter.doFilter(LifecycleLockFilter.java:151)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.adf.library.webapp.LibraryFilter.doFilter(LibraryFilter.java:175)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.security.jps.ee.http.JpsAbsFilter$1.run(JpsAbsFilter.java:111)
    at java.security.AccessController.doPrivileged(Native Method)
    at oracle.security.jps.util.JpsSubject.doAsPrivileged(JpsSubject.java:313)
    at oracle.security.jps.ee.util.JpsPlatformUtil.runJaasMode(JpsPlatformUtil.java:413)
    at oracle.security.jps.ee.http.JpsAbsFilter.runJaasMode(JpsAbsFilter.java:94)
    at oracle.security.jps.ee.http.JpsAbsFilter.doFilter(JpsAbsFilter.java:161)
    at oracle.security.jps.ee.http.JpsFilter.doFilter(JpsFilter.java:71)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.dms.servlet.DMSServletFilter.doFilter(DMSServletFilter.java:136)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.RequestEventsFilter.doFilter(RequestEventsFilter.java:27)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.wrapRun(WebAppServletContext.java:3715)
    at weblogic.servlet.internal.WebAppServletContext$ServletInvocationAction.run(WebAppServletContext.java:3681)
    at weblogic.security.acl.internal.AuthenticatedSubject.doAs(AuthenticatedSubject.java:321)
    at weblogic.security.service.SecurityManager.runAs(SecurityManager.java:120)
    at weblogic.servlet.internal.WebAppServletContext.securedExecute(WebAppServletContext.java:2277)
    at weblogic.servlet.internal.WebAppServletContext.execute(WebAppServletContext.java:2183)
    at weblogic.servlet.internal.ServletRequestImpl.run(ServletRequestImpl.java:1454)
    at weblogic.work.ExecuteThread.execute(ExecuteThread.java:207)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:176)
    Caused by: oracle.mds.core.MetadataNotFoundException: MDS-00013: no metadata found for metadata object "/oracle/webcenter/portalapp/pages/loginPageDef.xml"
    at oracle.mds.core.MetadataObject.getBaseMO(MetadataObject.java:1163)
    at oracle.mds.core.MDSSession.getBaseMO(MDSSession.java:2837)
    at oracle.mds.core.MDSSession.getMetadataObject(MDSSession.java:1204)
    at oracle.mds.core.MDSSession.getMetadataObject(MDSSession.java:1153)
    at oracle.jbo.mom.DefinitionManager.findDefObjectUsingMetadataObject(DefinitionManager.java:2659)
    ... 45 more
    Not sure why this is happening.
    Going through information available I have tried following things:
    1) Recreated new webcenter portal application and it gives same error
    2) Deleted the default domain and tried creating a new domain
    3) My work folder doesn't consist of any spaces
    Please let me know what else can be tried.
    Thanks in advance.

    From Yannick's Blog -
    You need to identify the navigation model as a portal resource. Just right click on your navigation model in JDev
    and select Create Portal Resource. This should solve the issue.http://www.yonaweb.be/webcenter_tutorial/closer_look_at_navigation_model

  • Query and bind variable display in reports

    I have created a reports portlet using the locally built providers facility with the create a new reports. It seems to work fine except that the sql query and the bind variables show up in the report along with the report itself. How do I keep these from showing up?? I am on Portal 9.04
    Ken Rubesh

    ON the Page displayoptions tab, you can select "Show Query Conditions?..
    is that unselected?
    if you are talking about the fields from your select statement showing up in the body of the report, you can set the field type to hidden on the 2nd tab(column formatting).
    hope this helps

  • Re: Crystal Report and SAP BW Query with Variable

    Crystal Report 2008 V1 SP3 and SAP Integration Kits 3.1 SP3 installed on my client machine.
    I can open SAP BW Query in Crystal Report. However, in the Field Explorer >Database Fields, I dont see to be able to expan the Query and see it Key Figure/Characteristic.
    I noticed this happen only if we have Variable defined in the Charactics.
    If the characteristic has no variable, then I can expand the Query under Database Fields.
    Do you have this problem?

    Yes, once I have imported the new SAP Integration Kits XI 3.1 SP3 transports into BW system, I can now expand the it.
    I can now see the Variable in Crystal Report.
    Thanks!

  • How to Run both UCM Server and Webcenter Portal Services on single Weblogic

    Hi,
    First i have installed Oracle UCM and configure it on Weblogic Server successfully. But after the installation of Webcenter Portal on same machine and Weblogic Server. UCM Server is not running it shows Forcefully shutting down error. Kindly help me i want to run both UCM and Webcenter Portal Servers on one Weblogic server.
    Regards
    Shaheer Badar
    www.infotechinspiration.blogspot.com

    Hi Shaeer,
    Make sure that you dont have same port numbers on both servers.
    If it then try to avoid them.
    Secondly also check nodemanager log server log to verify why it went to shutdown mode.
    Regards,
    Kal

  • Error message while starting IPM managed server and WebCenter Portal Spaces

    Hi,
    1. I am getting an error message when i try to start IPM_server1 in Oracle ECM. The message is as follows in the Command Prompt :
    <Mar 6, 2013 5:05:50 PM AST> <Warning> <Munger> <BEA-2156203> <A version attribute was not found in element application in the deployment descriptor in C:\Oracl
    e\MiddlewareNew6Release1\oracle_common\atgpf\modules\oracle.applcore.model_11.1.1\oracle.applcore.model.stub.ear/META-INF/application.xml. A version attribute is required, but this version of the Weblogic Server will assume that the JEE5 is used. Future versions of the Weblogic Server will reject descriptors that do not specify the JEE version.>
    2. When after some time the imaging server starts and i try to login it does not accept the username and password provided for EM. and login is unsuccessfull always.
    Regarding my other issue is with Webcenter portal spaces :
    1. I have installed WC_Spaces under the same UCM_domain where all other Managed servers are there.
    2. When i try to login it always takes me to a screen which says : Internal error (stating some numbers regarding date & time). Please contact your administrator.
    Need to fix these 2 issues very soon. Help will be greatly appreciated.
    Thanks.

    Hi Satendra,
    Is upgradation the only solution?No, it is one of the better options (and my personal suggestion) as PS2 release is more stable and has many more functionalities and features than PS1. The error which you are getting may be due to a corrupt installation. In case you want to solve this error only and do not want to go for upgrade, then feel free to raise a case with support.
    Regards,
    Anuj

  • Issue with Broadcasting and Publish query to Portal from query Designer

    Dear all,
    I have created a standard template ZWT_STANDARD_TEMPLATE in WAD and I have added this for Adhoc Analysis in 'Set Standard Web templated' RSCUSTV27.
    For Broadcasting I have added 0BROADCASTING_TEMPLATE70.
    I have problems with my broadcasting as well as publishing the Query in Portal.
    When I use a Broadcast to Email - it opens a new window with my standard template(ZWT_STANDARD_TEMPLATE ) I have added. No data though.
    Same thing happens for publishing too...When I publish the query to portal from Query Designer or WAD it takes me to the same window with my standard web template. No data though.
    I think both are related to the same issue. Its with broadcasting.
    What is the default template for Broadcasting in NW2004s? Below is the url I have included when I do it from Query designer. Its actually starting the Command - START_BROADCASTER70 but I dont know if it has to do a SOURCE_QUERY=ZCOPA_C03_FAST_PAYABLES. Could anyone compare it with your urls
    http://pgdep00:50000/irj/servlet/prt/portal/prtroot/pcd!3aportal_content!2fcom.sap.pct!2fplatform_add_ons!2fcom.sap.ip.bi!2fiViews!2fcom.sap.ip.bi.bex3x?system=SAP_BW&CMD=START_BROADCASTER70&SOURCE_QUERY=ZCOPA_C03_FAST_PAYABLES&START_WIZARD=X&DISTRIBUTION_TYPE=PCD_EXPORT
    This is the url for publishing from WAD
    http://fndef00:50000/irj/servlet/prt/portal/prtroot/pcd!3aportal_content!2fcom.sap.pct!2fplatform_add_ons!2fcom.sap.ip.bi!2fiViews!2fcom.sap.ip.bi.bex3x?system=SAP_BW&CMD=START_BROADCASTER70&SOURCE_TEMPLATE=ZWT_FAST_PAYABLES&START_WIZARD=X&DISTRIBUTION_TYPE=PCD_EXPORT
    Any help would be highly appreciated.
    Thanks,
    KK

    Hi KK,
    Did you solve your problem, i am also having the same issue. Please let me know if you have solved this issue.
    Thanks,
    Kumar

Maybe you are looking for

  • Error when invoking worklist api from adf 11g

    Hi, I am using ADF 11g. This application invokes Worklist Application APIs. When I try to login it throws this error. Basically it throws error at worklist application authentication. Am I missing any jar files? These are the jar files I included in

  • Old Netscape console 4.2 not working properly with new Directory Server 5.2

    After successfully installing Messaging Server 5.2 and applying patch 2, the old Netscape Console doesn't work properly, I tried running the script which is given in the link http://docs.sun.com/source/816-6734-10/index.html which hobbles the server

  • Internal calls audio issue

    Hi, I have uc320w with 2.3.2 (6) firmware and 2x SPA504g, 1x 508g, 1xspa303, 1 annalog phone @ fxs port. Both 504g are conected via wifi module. All phones are asign and work well in PBX system and ansfering all external calls even tranfers works wel

  • RichTable dynamic column support with sorting

    I have a table of data that has a list of custom properties which is dynamic. They could be text, integer, etc. I would like to display each custom property as a column in the table with the static list of properties as follows: Name Data Date Custom

  • Authorization for conditions in PO

    Hello, I would like to limit the authrorizations that a user has to enter conditions in PO (Me21n). Which authorization object to use? Thank you.