Error:maximum investment amount exceeded in area 51

Hello,
When I am reversing the retirement document in AB08 , I am getting the error as "maximum investment amount exceeded in area 51".
I maintian the maximum amount for area 51 in customizing, but still there is error.
Is there any other way to reverse the retirment document, either through ABSO or some manual entry.
Please help.
Regards,
Tapan

Hi,
When defining the investment support measure (tr. ANVEST) you have to define a base area (usually 01 Book depreciation). SAP checks that the value of the investment support doesn't exceed the APC value of the base area. Even if the maximum amount defined in the investment support measure is very high (higher than an APC value of an asset). Defining a maximum percentage rate higher than 100% is not possible.
I have the same issue. I want to be able to post investment support that is higher than the APC value. If anyone found a solution, please reply to this thread.
Regards,
Andre

Similar Messages

  • Maximum LVA Amount Exceeded

    Hi Experts
    The PO that is created is not trasnfered to backed due to the following error
    "Maximum LVA Amount Exceeded in the case of atleat one asset"
    I really don't understand what it is, what is this LVA?
    can any one explain to me
    Your help is appreciated
    Thanks in advance
    Sameer
    Email:[email protected]

    the error message is MEPO 053 "Maximum LVA amount exceeded in the case of at least one asset".
    Explanation of what Low-Value-Asset is:
    http://help.sap.com/saphelp_erp2005/helpdata/en/4f/71db06448011d189f00000e81ddfac/frameset.htm
    I suppose that this is not a big issue -- apparently just some FI-AA standard customizing is not maintained consistently.
    RF

  • Windows service, error Maximum request length exceeded

    What is causing this error, from the windows service?
    There was an exception running the extensions specified in the config file. ---> Maximum request length exceeded

    Hi Nick,
    Per my understanding you got this error "Maximum request length exceeded" about your reporting services, right?
    It seems the issue is caused by the request reach the max length.
    To solve the issue, please made the changes in web.config of both the Report Server and the Report Manager:
    <httpRuntime executionTimeout = "9000" maxRequestLength=" 2097151" />
    If the solution above does not help, please post the error logs of the Report Server. The error logs will help us more about troubleshooting and also provide us details information about what actions you are doing when causing this error.
    We can get the logs from:
    <Install Driver>:\Program Files\Microsoft SQL Server\MSSQL.<X>\Reporting Services\LogFiles
    Please feel free to ask, if you have any more questions.
    Regards
    Vicky Liu

  • The error:maximum open cursors exceeded,how to resolve it??

    the parameter is as following in oracle: open_cursors=300
    i write the following two methos get data from oracle db,after invote the methods many times,the program thrwos the exception named "maximum open cursors exceeded";why?how to resolve it?
    in my program ,i have closed the statment and resultset!
    the following is the code,and method a call mehtod b:
    mehtod a:
    //modeify the product and call mothod b
    public boolean modifyDVBProd(Integer prodIDInt,ProdRequestEn prod)
    boolean successB=false;
    Connection conn=...;
    if(conn!=null)
    try
    conn.setAutoCommit(false);
    //the following call method b
    successB=ProdOperateBL.getInstance().modifyDVBProd(conn,prodIDInt,prod);
    if(successB)
    conn.commit();
    else
    conn.rollback();
    catch(Exception e)
    successB=false;
    try
    conn.rollback();
    catch(Exception ex)
    ex.printStackTrace();
    e.printStackTrace();
    finally
    try
    conn.setAutoCommit(true);
    catch (SQLException ex)
    ex.printStackTrace();
    else
    successB=false;
    return successB;
    method b;��
    //modify products
    public boolean modifyDVBProd(Connection conn,Integer prodIDInt,ProdRequestEn prod)
    boolean successB=false;
    String sqlPriceStr="UPDATE pricemodelen pm SET pm.rentpricf=? WHERE pm.priceidl=(SELECT p.priceidl FROM producten p WHERE p.productidl=?)";
    String sqlProdStr="UPDATE producten p set pronamestr=?,prod_type=?,unidstr=?,catype_name=?,casid=?,entitle_code=?,validfrdt=?,validtodt=?,descstr=? WHERE P.productidl=?";
    String sqlProd_channelDelStr="DELETE FROM proden_channelen c WHERE c.productidl=?";
    String sqlProd_channelInsertStr="INSERT INTO proden_channelen(productidl,channel_id) VALUES(?,?)";
    PreparedStatement pstmt1=null;
    PreparedStatement pstmt2=null;
    PreparedStatement pstmt3=null;
    PreparedStatement pstmt4=null;
    int paramIndexInt=1;
    try
    //price
    pstmt1=conn.prepareStatement(sqlPriceStr);
    pstmt1.setDouble(paramIndexInt++,prod.getProdPriceD());
    pstmt1.setDouble(paramIndexInt++,prodIDInt.intValue());
    int priceResult=pstmt1.executeUpdate();
    //product
    pstmt2=conn.prepareStatement(sqlProdStr);
    paramIndexInt=1;
    pstmt2.setString(paramIndexInt++,prod.getProdNameStr()); //product name
    pstmt2.setInt(paramIndexInt++,prod.getProdTpInt());//product type
    pstmt2.setString(paramIndexInt++,prod.getPriceUnitStr());//unit
    pstmt2.setString(paramIndexInt++,prod.getCaTpStr());//type
    pstmt2.setInt(paramIndexInt++,prod.getCasidInt());//casid
    pstmt2.setString(paramIndexInt++,prod.getCaEntitleCodeStr());//caentitlecode
    pstmt2.setDate(paramIndexInt++,prod.getValidBeginDate());//time
    pstmt2.setDate(paramIndexInt++,prod.getValidEndDate());//time
    pstmt2.setString(paramIndexInt++,prod.getProMemoStr());//memo
    pstmt2.setInt(paramIndexInt++,prodIDInt.intValue());//id
    int prodResult=pstmt2.executeUpdate();//
    pstmt3=conn.prepareStatement(sqlProd_channelDelStr);
    pstmt3.setInt(1,prodIDInt.intValue());
    pstmt3.executeUpdate();
    int channelResult=0;
    for(int i=0;i<prod.getChannelIDsInt().length;i++)
    pstmt4=conn.prepareStatement(sqlProd_channelInsertStr);
    pstmt4.setInt(1,prodIDInt.intValue());
    pstmt4.setInt(2,prod.getChannelIDsInt());
    pstmt4.addBatch();
    pstmt4.executeBatch();
    //((OraclePreparedStatement)pstmt).sendBatch(); // JDBC sends the queued request
    if((prodResult>0)&&(priceResult>0))
    successB=true;
    catch(Exception ex)
    successB=false;
    ex.printStackTrace();
    finally
    //closing the preparedstatement
    try
    if(pstmt1!=null)
    pstmt1.close();
    if(pstmt2!=null)
    pstmt2.close();
    if(pstmt3!=null)
    pstmt3.close();
    if(pstmt4!=null)
    pstmt4.close();
    catch (SQLException ex)
    ex.printStackTrace();
    return successB;

    Check this loop.
    or(int i=0;i<prod.getChannelIDsInt().length;i++)
    pstmt4=conn.prepareStatement(sqlProd_channelInsertStr);
    pstmt4.setInt(1,prodIDInt.intValue());
    pstmt4.setInt(2,prod.getChannelIDsInt());
    pstmt4.addBatch();
    Here every time the loop executes, a new statement object is created and assigned to the same statement object reference pstmt4. So finally when u r closing the stmt objects, only one stmt object gets closed out of prod.getChannelIDsInt().length that gets created with in the loop.

  • In java/jsp got Error,ORA-01000: maximum open cursors exceeded,

    Dear ALL,
    We are facing a problem of in java/jsp. ORA-01000: maximum open cursors exceeded,We are using referance Cursor for returing the Record in java file.
    The Code is given below.
    import java.sql.*;
    import javax.sql.*;
    import com.india.trade.dbConnection.*;
    import oracle.jdbc.driver.*;
    import java.util.Vector ;
    public class IntRmsActivity
         private static JDBCConnection instance = null;
    private static Connection con = null;
         private static CallableStatement stmt_admin_getadmins = null;
         private static String str_admin_getadmins = "{ call Admin_conf.RMS_ADMIN_GETALLADMINS(?,?) }";
         static
              try
                   instance = new JDBCConnection();
                   con = instance.getConnection();
                   stmt_admin_getadmins = con.prepareCall(str_admin_getadmins);
    }catch(Exception se){se.printStackTrace();}
         public static Vector admin_getAdmins() throws Exception
              checkconnection();
              String message = null;
              Vector v_admins = new Vector();
              ResultSet rs_admins = null;
              stmt_admin_getadmins.registerOutParameter(1 , OracleTypes.CURSOR);
              stmt_admin_getadmins.registerOutParameter(2 , Types.VARCHAR);
              stmt_admin_getadmins.execute();
              message = stmt_admin_getadmins.getString(2);
              System.out.println("message " + message);
              rs_admins = ((OracleCallableStatement)stmt_admin_getadmins).getCursor(1);
              while (rs_admins.next())
                        v_admins.addElement(rs_admins.getString("adminid"));
              rs_admins.close();
              return v_admins;
    CREATE OR REPLACE PACKAGE Admin_conf IS
    TYPE REF_CRSR IS REF CURSOR; /* OUTPUT CURSOR VARIABLE TYPE */
    PROCEDURE RMS_ADMIN_GETALLADMINS(RESULTS OUT REF_CRSR,
                                            OUT_MESSAGE OUT VARCHAR2);
    END Admin_conf;
    CREATE OR REPLACE PACKAGE BODY Admin_conf
    IS
    PROCEDURE RMS_ADMIN_GETALLADMINS(RESULTS OUT REF_CRSR,
                                            OUT_MESSAGE OUT VARCHAR2)
    IS
    l_ref_out_crsr REF_CRSR;
    BEGIN
         OPEN l_ref_out_crsr FOR
         SELECT EXECUTIVE_ID adminid
         FROM MASTER_EXECUTIVE_ID
         ORDER BY EXECUTIVE_ID;
         OUT_MESSAGE := 'ADMIN IDS FETCHED SUCCESSFULLY';
         RESULTS := l_ref_out_crsr;     
    EXCEPTION WHEN OTHERS THEN
              OUT_MESSAGE := 'ERROR ' || SUBSTR(SQLERRM, 1, 60);
    END RMS_ADMIN_GETALLADMINS;
    END Admin_conf;
    Regards
    Ajay Singh Rathod

    Are you actually closing the connections, resultsets in all cases?
    From what you've posted you call
    rs_admins.close();but in that method, you propagate any exceptions that occur out to the caller method, which in turn just prints a stack trace.
    So if an exception occurs before you call the rs_admin.close() the result set will never be closed as the statement won't be reached.
    I'd add a speific exception handling routine to the admin_getAdmins() method and include a finally clause to close the result set in all cases. You can still onthrow the exception if you want.
    cheers
    -steve-

  • Maximum LVA amt exceeded in the case of at least 1 asset - Msg no MEPO053

    Hi All,
    I am hitting an error when i am  trying to post a Purchase Order (ME21N) for my asset. The asset that i am trying to post is created from non LVA asset class
    I have done the configuration at OAY2 to  LVA 0     No maximum amount check.
    The error message that i am getting is as below
    Maximum LVA amount exceeded in the case of at least one asset
    Message no. MEPO053
    Diagnosis
    If a maximum amount has been set for a low value asset, no purchase orders may be issued in respect of the asset classes indicated that would lead to the acquisition value of the relevant asset (or asset value divided by quantity) to this maximum value being exceeded.
    Procedure
    Check your input.
    Note
    The maximum amount for low-value assets is defined in Customizing for Financial Accounting under Asset Accounting -> Valuation -> Amount Specifications (company code/amount range) -> Specify LVA Amount and LVA Classes.
    Thanks in advance.

    Hi,
    Did you change the settings in OAY2 to 0 indicator after the creation  
    of the asset in question ?                                                                               
    Could you check the following fields :                                 
         ANLB-XGWGK  for the asset                                         
         ANKB-XGWGK  for the asset class                                                                               
    Regards Bernhard

  • Maximum request length exceeded

    I'm trying to upload a file to mobile services .NET backend, however I'm getting the error "Maximum request length exceeded". I tried increasing the limit in web.config file, but it only worked on the local version and still throws the error when
    published to Azure.
    As far as I understand the mobile services is ignoring the web.config file. So is there any other way to increase the upload limit?

    good news.. found a fix for this.
    it's actually the same fix for file uploads that exceed the default 4mb set by IIS. however, the change needs to made to the report manager web.config file and not the report server web.config file. that's why it didn't work for me the first time.
    here is an article that talks about it http://support.softartisans.com/kbview_825.aspx
    if you have kept the default installation directory, the file you edit is:
    C:\Program Files\Microsoft SQL Server\MSSQL.3\Reporting Services\ReportManager\Web.config
    Just add the maxRequestLength property here and set a size appropriate to you. Not to large to discourage DoS attacks.
    The example below is 10mb
    <httpRuntime executionTimeout="9000"  maxRequestLength="10240"/>
    hope it helps.

  • Maximum lock count exceeded - Details to debug

    Hello ,
    I have a site that is developed on Jdeveloper using jspx pages . This site is deployed on WLS but occassionaly I am seeing that the pages show up blank . After a short while refresh of the page brings the page back to normalcy as in shows the details , images etc .
    During the period when the page goes blank following error stack is captured in the server logs :
    Caused By: weblogic.servlet.jsp.CompilationException: Failed to compile JSP /_intradoc_/wcm/app/groups/sgsitedesignasset/@hmc/documents/sitedesignasset/mdaw/mdaw/~edisp/st_mainkv5.jspx
    Exception occurred while processing '/_intradoc_/wcm/app/groups/sgsitedesignasset/@hmc/documents/sitedesignasset/mdaw/mdaw/~edisp/st_mainkv5.jspx'java.lang.Error: Maximum lock count exceeded
    at java.util.concurrent.locks.ReentrantReadWriteLock$Sync.tryAcquireShared(ReentrantReadWriteLock.java:395)
    at java.util.concurrent.locks.AbstractQueuedSynchronizer.acquireShared(AbstractQueuedSynchronizer.java:1260)
    at java.util.concurrent.locks.ReentrantReadWriteLock$ReadLock.lock(ReentrantReadWriteLock.java:594)
    at oracle.stellent.wcm.server.content.spi.fs.FileSystemLoader$SingleLockStrategy.lockShared(FileSystemLoader.java:116)
    at oracle.stellent.wcm.server.content.spi.fs.FileSystemLoader$MultiLockStrategy.lockShared(FileSystemLoader.java:185)
    at oracle.stellent.wcm.server.content.spi.fs.FileSystemLoader.readAndStoreOnlineContent(FileSystemLoader.java:349)
    at oracle.stellent.wcm.server.content.spi.fs.FileSystemLoader.readAndStoreStream(FileSystemLoader.java:311)
    at oracle.stellent.wcm.server.content.spi.fs.FSContentAdapter.loadContent(FSContentAdapter.java:163)
    at oracle.stellent.wcm.server.content.spi.fs.FSLocalModifiedContentAdapter.loadContent(FSLocalModifiedContentAdapter.java:123)
    at oracle.stellent.wcm.javaee.shared.jsp.IdcJspProvider.fromStream(IdcJspProvider.java:86)
    at oracle.adf.library.webapp.ADFJspResourceProvider.fromStream(ADFJspResourceProvider.java:328)
    at weblogic.jsp.wlw.util.filesystem.mds.MDSFileSystem.getInputStream(MDSFileSystem.java:78)
    at weblogic.jsp.wlw.util.filesystem.FS.getInputStream(FS.java:224)
    at weblogic.jsp.wlw.util.filesystem.FS.getReader(FS.java:246)
    at weblogic.jsp.internal.SourceFile.getReader(SourceFile.java:230)
    at weblogic.jsp.internal.SourceFile.getTokenStream(SourceFile.java:384)
    at weblogic.jsp.internal.SourceFile.getAst(SourceFile.java:533)
    at weblogic.jsp.internal.SourceFile.check(SourceFile.java:335)
    at weblogic.jsp.internal.ProxySourceFile.codeGen(ProxySourceFile.java:224)
    at weblogic.jsp.internal.SourceFile.codeGen(SourceFile.java:327)
    at weblogic.jsp.internal.client.ClientUtilsImpl$CodeGenJob.run(ClientUtilsImpl.java:599)
    at weblogic.jsp.internal.client.Job.performJob(Job.java:83)
    at weblogic.jsp.internal.client.SyncThreadPool.addJob(SyncThreadPool.java:31)
    at weblogic.jsp.internal.client.SyncThreadPool.addJob(SyncThreadPool.java:19)
    at weblogic.jsp.internal.client.ClientUtilsImpl.build(ClientUtilsImpl.java:348)
    at weblogic.servlet.jsp.JavelinxJSPStub.compilePage(JavelinxJSPStub.java:153)
    at weblogic.servlet.jsp.ResourceProviderJavelinxJspStub.compilePage(ResourceProviderJavelinxJspStub.java:78)
    at weblogic.servlet.jsp.JspStub.prepareServlet(JspStub.java:256)
    at weblogic.servlet.jsp.JspStub.prepareServlet(JspStub.java:216)
    at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:243)
    at weblogic.servlet.jsp.ResourceProviderJspStub.execute(ResourceProviderJspStub.java:48)
    at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
    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 weblogic.servlet.internal.RequestDispatcherImpl.invokeServlet(RequestDispatcherImpl.java:524)
    at weblogic.servlet.internal.RequestDispatcherImpl.include(RequestDispatcherImpl.java:444)
    at weblogic.servlet.jsp.PageContextImpl.include(PageContextImpl.java:163)
    at oracle.stellent.wcm.javaee.ServletRequestContext.executePath(ServletRequestContext.java:243)
    at oracle.stellent.wcm.client.RequestContext.process(RequestContext.java:189)
    at oracle.stellent.wcm.client.RequestContext.include(RequestContext.java:144)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.evaluateScript(ResponseHandler.java:217)
    at oracle.stellent.wcm.javaee.taglib.BaseTag$1.evaluateScript(BaseTag.java:114)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.handleResponse(ResponseHandler.java:146)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.handleResponse(ResponseHandler.java:111)
    at oracle.stellent.wcm.javaee.taglib.BaseTag$1.handleResponse(BaseTag.java:121)
    at oracle.stellent.wcm.client.invokers.RequestInvoker.handleResponse(RequestInvoker.java:222)
    at oracle.stellent.wcm.client.invokers.impl.ContributableInvoker.handleResponse(ContributableInvoker.java:53)
    at oracle.stellent.wcm.client.invokers.impl.PlaceholderInvoker.handleResponse(PlaceholderInvoker.java:70)
    at oracle.stellent.wcm.client.invokers.RequestInvoker.invokeRequest(RequestInvoker.java:145)
    at oracle.stellent.wcm.javaee.taglib.BaseTag.doTag(BaseTag.java:127)
    at jsp_servlet._intradoc._wcm._app._groups._sgsitedesignasset.__64_hmc._documents._sitedesignasset._mdaw._mdaw.__126_edisp.__pt_pip_jspx._jspService(__pt_pip_jspx.java:704)
    at weblogic.servlet.jsp.JspBase.service(JspBase.java:34)
    at weblogic.servlet.internal.StubSecurityHelper$ServletServiceAction.run(StubSecurityHelper.java:227)
    at weblogic.servlet.internal.StubSecurityHelper.invokeServlet(StubSecurityHelper.java:125)
    at weblogic.servlet.internal.ServletStubImpl.execute(ServletStubImpl.java:300)
    at weblogic.servlet.jsp.ResourceProviderJspStub.execute(ResourceProviderJspStub.java:48)
    at weblogic.servlet.internal.TailFilter.doFilter(TailFilter.java:26)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at oracle.stellent.wcm.javaee.servlet.filter.WCMSiteFilter.doFilter(WCMSiteFilter.java:156)
    at weblogic.servlet.internal.FilterChainImpl.doFilter(FilterChainImpl.java:56)
    at weblogic.servlet.internal.RequestDispatcherImpl.invokeServlet(RequestDispatcherImpl.java:524)
    at weblogic.servlet.internal.RequestDispatcherImpl.forward(RequestDispatcherImpl.java:253)
    at oracle.stellent.wcm.javaee.ServletRequestContext.executePath(ServletRequestContext.java:247)
    at oracle.stellent.wcm.client.RequestContext.process(RequestContext.java:189)
    at oracle.stellent.wcm.client.RequestContext.forward(RequestContext.java:157)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.evaluateScript(ResponseHandler.java:215)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.handleResponse(ResponseHandler.java:146)
    at oracle.stellent.wcm.client.invokers.ResponseHandler.handleResponse(ResponseHandler.java:111)
    at oracle.stellent.wcm.client.invokers.RequestInvoker.handleResponse(RequestInvoker.java:222)
    at oracle.stellent.wcm.client.invokers.impl.PageInvoker.handleResponse(PageInvoker.java:75)
    at oracle.stellent.wcm.client.invokers.RequestInvoker.invokeRequest(RequestInvoker.java:145)
    at oracle.stellent.wcm.javaee.servlet.filter.WCMSiteFilter.handlePageInvocation(WCMSiteFilter.java:326)
    at oracle.stellent.wcm.javaee.servlet.filter.WCMSiteFilter.doFilter(WCMSiteFilter.java:174)
    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.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:209)
    at weblogic.work.ExecuteThread.run(ExecuteThread.java:178)
    I am not able to figure out what / how to go about troubleshooting this issue .
    Can someone shed some light on the error mentioned above and let me know how to proceed with debugging this issue ?
    Site is deployed on WLS 10.3.5 on a separate managed server .
    Any inputs will be highly appreciated .
    Thanks
    Srinath

    Code put in st_mainkv5.jspx is :
    <?xml version='1.0' encoding='UTF-8'?>
    <jsp:root xmlns:jsp="http://java.sun.com/JSP/Page" version="2.1"
    xmlns:fn="http://java.sun.com/jsp/jstl/functions"
    xmlns:c="http://java.sun.com/jsp/jstl/core"
    xmlns:wcm="http://www.oracle.com/jsp/wcm">
    <script type='text/javascript'>
    //<![CDATA[
    var country = "${siteCode}";
    var cubeList = new Array();
    var firstCube = 2;
    cubeList = ["home","gallery", "experience", "mostlike", "talkntalk"];
    //]]>
    </script>
    <wcm:placeholder name="Cube Setting"/>
    <jsp:useBean id="map" class="java.util.HashMap"/>
    <jsp:scriptlet>
    String tmpCube = request.getParameter("Cube");
    map.put("ssCube", tmpCube);
    </jsp:scriptlet>
    <c:set var="ssCube" value="${map.ssCube}"/>
    <c:choose>
    <c:when test="${ssCube eq 'keyvisual'}">
    <script>var firstCube = 1;</script>
    </c:when>
    <c:when test="${ssCube eq 'gallery'}">
    <script>var firstCube = 2;</script>
    </c:when>
    <c:when test="${ssCube eq 'experience'}">
    <script>var firstCube = 3;</script>
    </c:when>
    <c:when test="${ssCube eq 'mostlike'}">
    <script>var firstCube = 4;</script>
    </c:when>
    <c:when test="${ssCube eq 'talkntalk'}">
    <script>var firstCube = 5;</script>
    </c:when>
    <c:otherwise>
    <script>var firstCube = 1;</script>
    </c:otherwise>
    </c:choose>
    <script type='text/javascript'>
    //<![CDATA[
    var cubeList = new Array();
    cubeList = ["home","gallery", "experience", "mostlike", "talkntalk"];
    function cubeStart(va) {
    // 소셜큐브의 ì‹¤ì œ ì»¨í…ì¸ ëŠ” 이 함수에서 ajax 함수를 실행 시켜서 ë¿Œë ¤ì£¼ë„ë¡ 해주세요.
    // 드래그하거나 버튼을 클ë¦í•˜ì—¬ 큐브가 좌우 스크롤이 되면, 해당하는 큐브의 숫자(1~5)를 인수로 받아 이 함수가 실행됩니다.
    // 숫자와 큐브가 í•ìƒ 1:1 대응인 것은 아닙니다.
    // 큐브는 최대 5개까지 ì¶œë ¥ë˜ê³ , 소셜 사용 여부/pip인지 general인지에 따라 3개만 ì¶œë ¥ë˜ëŠ” 경우도 있습니다.
    //alert("Cube"va" is Ready.");
    if (va==1) { // main
    // 처리 내용 없음, HTML에서 ì¶œë ¥ë˜ë„ë¡ 해 주시면 됩니다.
    } else if (va==2) { // gallery
    cubeGalleryCustomiz('1','All')
    } else if (va==3) { // experience
    cubeExterienceCustomiz('exterior','0','');
    } else if (va==4) { // mostlike
    executeArea4();
    // 최초 로딩시 뿐만 아니라, 각 1/2/3위 링크 클ë¦í• 때 에도 다시 실행되어야 합니다.
    // cubeMostLikeCate()는 ì¹´í…Œê³ ë¦¬ë¥¼ ì¶œë ¥í•˜ëŠ” 함수입니다.
    // 1) ì„ íƒëœ 번호, 1~3 중 하나.
    // 2) 첫번째 프로필 이미지
    // 3) 두번째 프로필 이미지
    // 4) 세번째 프로필 이미지
    // 5) 첫번째 이름
    // 6) 두번째 이름
    // 7) 세번째 이름
    //cubeMostLikeCate(1,'/img_tmp/profile30.jpg','/img_tmp/profile30.jpg','/img_tmp/profile30.jpg','Jeff','Antonio','Jane');
    // cubeMostLike 버튼은 오른쪽 내용이 바뀌는 함수입니다.
    // 1) 자동차 이름
    // 2) Trim (아마도..)
    // 3) ì„ íƒí•œ 익스테리어 이미지 (아이콘 이미지 경로)
    // 4) ì„ íƒí•œ 인테리어 이미지 (아이콘 이미지 경로)
    // 5) 자동차 이미지
    // 6) See More 링크
    // 7) Car Builder 링크
    // 8) Link버튼 코드
    // cubeMostLike('ABC','Test','/img_tmp/exterior_gray.png','/img_tmp/interior_brown.png','/img_tmp/car_mostlike.png','#','#','<img src="/img_tmp/like.gif" alt="" />');
    } else if (va==5) { // talk n talk
    executeArea5();
    // 초기화 시키는 함수
    //cubeTalknTalkInit();
    // 각각의 텍스트를 ë¿Œë ¤ 줍니다.
    // 1) 번호 1~6
    // 2) facebook or twitter
    // 3) 프로필 이미지
    // 4) 이름
    // 5) 내용
    //cubeTalknTalk(1,'facebook','/img_tmp/profile25.jpg','Dabby whistler','I can\'t belive my eyes. AZERA is so nice');
    //cubeTalknTalk(2,'twitter','/img_tmp/profile25.jpg','Dabby whistler','I can\'t belive my eyes. AZERA is so nice');
    //cubeTalknTalk(3,'facebook','/img_tmp/profile25.jpg','Dabby whistler','AZERA has a good performance to drive. It\'s really interesting for me');
    //cubeTalknTalk(4,'twitter','/img_tmp/profile25.jpg','Dabby whistler','I can\'t belive my eyes. AZERA is so nice');
    //cubeTalknTalk(5,'facebook','/img_tmp/profile25.jpg','Dabby whistler','AZERA has a good performance to drive. It\'s really interesting for me');
    //cubeTalknTalk(6,'facebook','/img_tmp/profile25.jpg','Dabby whistler','I can\'t belive my eyes. AZERA is so nice');
    //]]>
    </script>
    <!-- 960*436 -->
    <wcm:placeholder name="CUBE MAIN"/>
    <wcm:placeholder name="CUBE GALLERY"/>
    <wcm:placeholder name="CUBE EXPERIENCE"/>
    <wcm:placeholder name="CUBE MOST LIKE"/>
    <wcm:placeholder name="CUBE TALK TALK"/>
    <img src="/es/images/common/bg/blank.gif" alt="previous" />
    <img src="/es/images/common/bg/blank.gif" alt="next" />
    <!--
    <div class="facebook">
    <img src="/img_tmp/tmp_facebook.png" alt="" />
    </div>
    -->
    </jsp:root>

  • We have licensed version of Adobe CS6, but when we start it shows error Maximum Activations Exceeded, We are unable to activate Creative Cloud.

    We have licensed version of Adobe CS6, but when we start it shows error Maximum Activations Exceeded, We are unable to activate Creative Cloud.@

    CS6 perpetual Mac is version 13.0.6 Windows is version 13.0.1.3 Subscription cloud version is 13.1.2.  If you have a cloud subscription and a perpetual licence you would not be able to have both version install at the same time on same machine. What does your Creative Cloud desktop application show and if you start CS6 if the flash screen shows or you can get to menu Help>About Photoshop what version i shown 13.0.6  or 13.0.1.3 or 13.1.2?

  • Ctxload error DRG-11530: token exceeds maximum length

    I downloaded the 11g examples (formerly the companion cd) with the supplied knowledge base (thesauri), unzipped it, installed it, and confirmed that the droldUS.dat file is there. Then I tried to use ctxload to create a default thesaurus, using that file, as per the online documentation. It creates the default thesaurus, but does not load the data, due to the error "DRG-11530: token exceeds maximum length". Apparently one of the terms is too long. But what can I use to edit the file? I tried notepad, but it was too big. I tried wordpad, but it was unreadable. I was able to create a default thesaurus using the much smaller sample thesaurus dr0thsus.txt, so I confirmed that there is nothing wrong with the syntax or privileges. Please see the copy of the run below. Is there a way to edit the droldUS.dat file or a workaround or am I not loading it correctly? Does the .dat file need to be loaded differently than the .txt file?
    CTXSYS@orcl_11g> select banner from v$version
      2  /
    BANNER
    Oracle Database 11g Enterprise Edition Release 11.1.0.6.0 - Production
    PL/SQL Release 11.1.0.6.0 - Production
    CORE    11.1.0.6.0      Production
    TNS for 32-bit Windows: Version 11.1.0.6.0 - Production
    NLSRTL Version 11.1.0.6.0 - Production
    CTXSYS@orcl_11g> select count(*) from ctx_thesauri where ths_name = 'DEFAULT'
      2  /
      COUNT(*)
             0
    CTXSYS@orcl_11g> select count(*) from ctx_thes_phrases where thp_thesaurus = 'DE
    FAULT'
      2  /
      COUNT(*)
             0
    CTXSYS@orcl_11g> host ctxload -thes -user ctxsys/ctxsys@orcl -name default -file
    C:\app\Barbara\product\11.1.0\db_1\ctx\data\enlx\droldUS.dat
    Connecting...
    Creating thesaurus default...
    Thesaurus default created...
    Processing...
    DRG-11530: token exceeds maximum length
    Disconnected
    CTXSYS@orcl_11g> connect ctxsys/ctxsys@orcl
    Connected.
    CTXSYS@orcl_11g>
    CTXSYS@orcl_11g> select count(*) from ctx_thesauri where ths_name = 'DEFAULT'
      2  /
      COUNT(*)
             1
    CTXSYS@orcl_11g> select count(*) from ctx_thes_phrases where thp_thesaurus = 'DE
    FAULT'
      2  /
      COUNT(*)
             0
    CTXSYS@orcl_11g> exec ctx_thes.drop_thesaurus ('default')
    PL/SQL procedure successfully completed.
    CTXSYS@orcl_11g> host ctxload -thes -user ctxsys/ctxsys@orcl -name default -file
    C:\app\Barbara\product\11.1.0\db_1\ctx\sample\thes\dr0thsus.txt
    Connecting...
    Creating thesaurus default...
    Thesaurus default created...
    Processing...
    1000 lines processed
    2000 lines processed
    3000 lines processed
    4000 lines processed
    5000 lines processed
    6000 lines processed
    7000 lines processed
    8000 lines processed
    9000 lines processed
    10000 lines processed
    11000 lines processed
    12000 lines processed
    13000 lines processed
    14000 lines processed
    15000 lines processed
    16000 lines processed
    17000 lines processed
    18000 lines processed
    19000 lines processed
    20000 lines processed
    21000 lines processed
    21760 lines processed successfully
    Beginning insert...21760 lines inserted successfully
    Disconnected
    CTXSYS@orcl_11g> select count(*) from ctx_thesauri where ths_name = 'DEFAULT'
      2  /
      COUNT(*)
             1
    CTXSYS@orcl_11g> select count(*) from ctx_thes_phrases where thp_thesaurus = 'DE
    FAULT'
      2  /
      COUNT(*)
          9582
    CTXSYS@orcl_11g>

    Hi Roger,
    Thanks for the response. You are correct. I was confusing the terms thesaurus and knowledge base, which sometimes seem to be used interchangeably or synonymously, but are actually two different things. I read over the various sections of the documentation regarding the supplied knowledge base and supplied thesaurus more carefully and believe I understand now. Apparently, the dr0thsus.txt file that I did ultimately load using ctxload to create a default thesaurus is the supplied thesaurus that is intended to be used to create the default English thesaurus, which supports ctx_thes syn and such. The other droldUS.dat file that I mistakenly tried to load using ctxload is the supplied compiled knowledge base that supports ctx_doc themes and gist and such. In the past I have used ctx_thes.create_thesaurus to create a thesaurus, but using ctxload can also load a thesaurus from a text file with the data in a specified format. Once a thesaurus is loaded using ctxload, it can then be compiled using ctxkbtc to add it to the existing compiled knowledge base. So, the knowledge base is sort of a compilation of thesauri, which is what led to my confusion in terminology. I think I have it all straight in my mind now and hopefully this will help anybody else who searches for the same problem and finds this.
    Thanks,
    Barbara

  • ORA-01000: maximum open cursors exceeded--Error

    Hi
    What is "ORA-01000: maximum open cursors exceeded" error,How to solve.
    Thanks
    Miseba

    Hi
    ORA-01000: maximum open cursors exceeded
    Other terms
    Oracle, open cursors, exchange infrastructure
    Reason and Prerequisites
    The parameter "open_cursors" is set too low. Long transactions, such as imports, may use up all available cursors and fail.
    Solution :
    THIS NOTE APPLIES TO XI 3.0 SP2 ONLY **
    if you encounter an exception that reports "ORA-01000: maximum open cursors exceeded" please adjust the open_cursors parameter as follows:
    If the BR*Tools exist on your system:
    1] directory: /usr/sap/<SID>/SYS/exe/run
    2] "brspace -c force -f dbparam -a change -p open_cursors -v 100000"
    3] directory: $ORACLE_HOME/dbs (Unix) or %ORACLE_HOME%/database (Win)
    4] change open_cursors parameter in init<SID>.ora to 100000
    If the BR*Tools are not available (2] above - command not found)
    1] change the open_cursors parameter as in 4] above
    2] restart DB, for changes to take effect. _ NOTE: This problem has been fixed with XI 3.0 SP3 (see note 735078)
    Plz asign points if helpfull.
    Regards
    Padmanabha

  • Getting error ora-01000 maximum open cursors exceeded

    hello,
    i am building my fist application using eclipse3.3 hibernate 3.2(hybernatesynchronizer as plugin)
    i have a oracle9i like sgbd . when i trying to create my mapping file from eclipse i got this error :
    ORA-01000: maximum open cursors exceeded
    i try to increase the number of cursor from the oracleconfiguration file init.ora, i shutdown but the problem still
    i don t know how to solve this problem really.
    i need help.

    Yes, that it what I was asking about.Not that it matters, but I think you misunderstood. I meant "if you ask it to leak resources then it will do so." I wasn't asking what you meant.
    Is there a way to make it explicitly open and close via a single call? Perhaps a configuration option either globably or by method/class?Not as a standard part of Hibernate, no. That said, it's relatively hard to leak anything other than connection objects unless you're really trying hard. There are libraries that you can use to manage the lifetime of the connection (actually the session) object. I like the Spring DAO support classes. Inevitably they cause their own problems for someone who doesn't understand what Hibernate's up to under the covers though.
    Edit: Quick example
    // Bog standard Hibernate
    Session session = sessionFactory.openSession();
    try {
       return (List<Foo>)session.createQuery("from Foo").list();
    } finally {
       session.close(); // If omitted will leak a connection object
    // Using Spring
    return (List<Foo>)getHibernateTemplate().find("from Foo");Things get slightly more interesting if you're using lazy loading and actively want to keep the connection around for longer.

  • Essbase error maximum number of columns [1] exceeded [15]

    <p>I am getting Essbase error: maximum number of columns [1]exceeded [15]</p><p>This message started appearing after HBR 3.5.1 install</p><p>When I retireve from the same excel spreadsheet on a machinewhich does not have HBR installed it works. I do need to use HBRso, how do I resolve this?</p>

    Retrieving more than 500,000 rows in excel are you sure you are using the correct tool, sounds like you are just trying to data dump out of essbase, have a look at other export options.
    Cheers
    John
    http://john-goodwin.blogspot.com/

  • ORA-Error: Maximum number of Processes exceeds

    Hi,
    Today we got one Oracle error: Maximum number of Processes exceeds while connects to our Oracle Database.
    We have application running on our DB, which have 50 threads running and making connection to Oracle Schema.
    In our init.ora file the Processes Parameter is set to 50.
    But we also have another init<Schema Name>.ora file which has Processes Parameter as 50.
    When I search on this error, I got that it is due to no. of user processes on Oracle instance.
    What are these user processes exactly?
    If we set the Processes Parameter as 150, and we have RAC environment with 3 Cluster, does it means we have 150*3 processes can run at a time.
    The other doubt I have is that: Is this parameter is instance based, SID based or cluster based?
    Please provide some input on this.
    Thanks in Advance.
    Manoj Macwan

    If you don't issue
    alter system set processes=150 scope=both sid='<your instance 1>'
    all instances will be allowed to fork 150 processes.
    The other poster is incorrect.
    Sybrand Bakker
    Senior Oracle DBA

  • Investment grants exceed APC in reference area 01  Msg no. AA661 in ABIF

    Dear gurus,
    When I execute the T-code ABIF in order to create an asset transaction with investment suport, I've got the following message:
    Investment grants exceed APC in reference area 01
        Message no. AA661
    Asset affected: 100000000004-0005
    Diagnosis
        The posting document cannot be processed since the total of investment
        grants in the individual areas exceeds the acquisition value in
        reference depreciation area 01.
    Procedure
        Correct the posting document.
    I haven't got ane idea about the problem. Where is it? how can I solve it? Did I have to do this transaction with an asset that haven't got any entry / transaction?
    Thanks for your reply and help,
    With regards,
    Gül'

    Hello,
    to solve it, I did 2 things:
    in the custumizing "define how depreciation areas post to general ledger" (in organizational structures => depreciation area).
    then click the depreciation area that concerned, and for subvention investment grand select " all values allowed".
    but, the problem occures again, so I check the value in asset explorer and I saw that the amount that I entered for this asset was to high, aslo I've created a new asset in AS01. Then, after entering the key of investment support measure, I checked an amount in abif that was correct. I'm doing exercices, so it's not a problem for me to create a new asset.
    I don't know if you're doing exercices like me (I 'm doing an internship in order to learn how to use SAP) so I can create other asset but for a compagny it would be more difficult.
    Tell me if you can solve the problem,

Maybe you are looking for