PI 7.11 - SXI_CACHE Issue - SQL 0904 - Resource Limit Exceeded

Hi PI & IBM I Gurus,
We are having the SXI_CACHE issue in our PI 7.11 SPS04 system. When we try to do the delta cache refresh through SXI_CACHE, it is returning the error SQL 0904 - Resource limit exceeded. When we try to do the full cache refresh, it is getting the issue 'Application issue during request processing'.
We have cleaned up the SQL Packages with DLTR3PKG command, which did not resolve the issue. We recently performed a system copy to build the QA instance and I observed that the adapter engine cache for the development is presented in the QA instance and removed that cache from there.
I am not seeing the adapter engine connection data cache in our PI system. The adapter engine cache is working fine.
All the caches are working fine from the PI Administration page. The cache connectivity test is failing with the same error as I mentioned for the SXI_CACHE.
Please let me know if you have encountered any issue like this on IBM I 6.1 Platform.
Your help is highly appreciated.
Thanks
Kalyan

Hi Kalyan,
SQL0904 has different reason codes ...
Which one are you seeing ?
Is the SQL pack really at its boundary of 1GB ?
... otherwise, it is perhaps a totally different issue ... then DLTR3PKG cannot help at all ...
If you should see this big SQL Package, you should use PRTSQLINF in order to see if there is more or less over and over the same SQL in, just with different host variables or so ...
If the last point should be the case, I would open a message with BC-DB-DB4 so that they can check how to help here or to talk to the application people to behave a bit different ...
Regards
Volker Gueldenpfennig, consolut international ag
http://www.consolut.com http://www.4soi.de http://www.easymarketplace.de

Similar Messages

  • PI 7.11 - SXI_CACHE Issue - SQL0904 - Resource limit exceeded

    Hi IBM I Gurus,
    We are having the SXI_CACHE issue in our PI 7.11 SPS04 system. When we try to do the delta cache refresh through SXI_CACHE, it is returning the error SQL 0904 - Resource limit exceeded. When we try to do the full cache refresh, it is getting the issue 'Application issue during request processing'.
    We have cleaned up the SQL Packages with DLTR3PKG command, which did not resolve the issue. We recently performed a system copy to build the QA instance and I observed that the adapter engine cache for the development is presented in the QA instance and removed that cache from there.
    I am not seeing the adapter engine connection data cache in our PI system. The adapter engine cache is working fine.
    All the caches are working fine from the PI Administration page. The cache connectivity test is failing with the same error as I mentioned for the SXI_CACHE.
    Please let me know if you have encountered any issue like this on IBM I 6.1 Platform.
    Your help is highly appreciated.
    Thanks
    Kalyan

    Hi Kalyan,
    SQL0904 has different reason codes ...
    Which one are you seeing ?
    Is the SQL pack really at its boundary of 1GB ?
    ... otherwise, it is perhaps a totally different issue ... then DLTR3PKG cannot help at all ...
    If you should see this big SQL Package, you should use PRTSQLINF in order to see if there is more or less over and over the same SQL in, just with different host variables or so ...
    If the last point should be the case, I would open a message with BC-DB-DB4 so that they can check how to help here or to talk to the application people to behave a bit different ...
    Regards
    Volker Gueldenpfennig, consolut international ag
    http://www.consolut.com http://www.4soi.de http://www.easymarketplace.de

  • Is any solution to [SQL0904] Resource limit exceeded.

    I got the below error while connecting with DB2
    java.sql.SQLException: [SQL0904] Resource limit exceeded.
         at com.ibm.as400.access.JDError.throwSQLException(JDError.java:650)
         at com.ibm.as400.access.JDError.throwSQLException(JDError.java:621)
         at com.ibm.as400.access.AS400JDBCStatement.commonPrepare(AS400JDBCStatement.java:1506)
         at com.ibm.as400.access.AS400JDBCPreparedStatement.<init>(AS400JDBCPreparedStatement.java:185)
         at com.ibm.as400.access.AS400JDBCConnection.prepareStatement(AS400JDBCConnection.java:1903)
         at com.ibm.as400.access.AS400JDBCConnection.prepareStatement(AS400JDBCConnection.java:1726)
         at com.dst.hps.mhsbenefits.DBLoader.getMappingCount(DBLoader.java:1135)
         at com.dst.hps.mhsbenefits.DBLoader.countAllItems(DBLoader.java:772)
         at com.dst.hps.mhsbenefits.DBLoader.doLoadWorker(DBLoader.java:432)
         at com.dst.hps.mhsbenefits.DBLoader.access$1(DBLoader.java:357)
         at com.dst.hps.mhsbenefits.DBLoader$1.run(DBLoader.java:2996)
    Database connection closed.
    Is there any solution from java programming side to resolve this issue.

    Check your code to make sure that you're closing your Connections, Statements, and ResultSets properly. My guess is that you are not, so your application has exhausted these scarce resources.
    If you don't know what "closing properly" looks like, here's a decent link:
    http://sdnshare.sun.com/view.jsp?id=538
    This class does it right:
    package jdbc;
    import java.sql.Connection;
    import java.sql.DriverManager;
    import java.sql.ResultSet;
    import java.sql.ResultSetMetaData;
    import java.sql.SQLException;
    import java.sql.Statement;
    import java.util.ArrayList;
    import java.util.LinkedHashMap;
    import java.util.List;
    import java.util.Map;
    public class ConnectionTester
       private static final String DEFAULT_DRIVER = "oracle.jdbc.OracleDriver";
       private static final String DEFAULT_URL = "jdbc:oracle:thin:@host:1521:SID";
       private static final String DEFAULT_USERNAME = "username";
       private static final String DEFAULT_PASSWORD = "password";
       public static void main(String[] args)
          String sql = ((args.length > 0) ? args[0] : "");
          String driver = ((args.length > 1) ? args[1] : DEFAULT_DRIVER);
          String url = ((args.length > 2) ? args[2] : DEFAULT_URL);
          String username = ((args.length > 3) ? args[3] : DEFAULT_USERNAME);
          String password = ((args.length > 4) ? args[4] : DEFAULT_PASSWORD);
          Connection connection = null;
          try
             connection = connect(driver, url, username, password);
             if (!"".equals(sql.trim()))
                List result = executeQuery(connection, sql);
                for (int i = 0; i < result.size(); i++)
                   Object o = result.get(i);
                   System.out.println(o);
             else
                System.out.println("sql cannot be blank");
          catch (ClassNotFoundException e)
             e.printStackTrace();
          catch (SQLException e)
             e.printStackTrace();
          finally
             close(connection);
       public static Connection connect(String driver, String url, String username, String password) throws ClassNotFoundException, SQLException
          Class.forName(driver);
          return DriverManager.getConnection(url, username, password);
       public static void close(Connection connection)
          try
             if (connection != null)
                connection.close();
          catch (SQLException e)
             e.printStackTrace();
       public static void close(Statement statement)
          try
             if (statement != null)
                statement.close();
          catch (SQLException e)
             e.printStackTrace();
       public static void close(ResultSet resultSet)
          try
             if (resultSet != null)
                resultSet.close();
          catch (SQLException e)
             e.printStackTrace();
       public static void rollback(Connection connection)
          try
             if (connection != null)
                connection.rollback();
          catch (SQLException e)
             e.printStackTrace();
       public static List executeQuery(Connection connection, String sql) throws SQLException
          List result = new ArrayList();
          Statement statement = null;
          ResultSet resultSet = null;
          try
             statement = connection.createStatement();
             resultSet = statement.executeQuery(sql);
             ResultSetMetaData metaData = resultSet.getMetaData();
             int numColumns = metaData.getColumnCount();
             while (resultSet.next())
                Map row = new LinkedHashMap();
                for (int i = 0; i < numColumns; ++i)
                   String columnName = metaData.getColumnName(i+1);
                   row.put(columnName, resultSet.getObject(i+1));
                result.add(row);
          finally
             close(resultSet);
             close(statement);
          return result;
    }%

  • Database error text.. "Resource limit exceeded. MSGID=  Job=753531/IBPADM/WP05"

    Hello All,
    We are getting below runtime errors
    Runtime Errors         DBIF_RSQL_SQL_ERROR
    Exception              CX_SY_OPEN_SQL_DB
    Short text
        SQL error in the database when accessing a table.
    What can you do?
        Note which actions and input led to the error.
        For further help in handling the problem, contact your SAP administrator
        You can use the ABAP dump analysis transaction ST22 to view and manage
        termination messages, in particular for long term reference.
    How to correct the error
        Database error text........: "Resource limit exceeded. MSGID=  Job=753531/IBPADM/WP05""
       Internal call code.........: "[RSQL/OPEN/PRPS ]"
        Please check the entries in the system log (Transaction SM21).
        If the error occures in a non-modified SAP program, you may be able to
        find an interim solution in an SAP Note.
        If you have access to SAP Notes, carry out a search with the following
        keywords:
        "DBIF_RSQL_SQL_ERROR" "CX_SY_OPEN_SQL_DB"
        "SAPLCATL2" or "LCATL2U17"
        "CATS_SELECT_PRPS"
        If you cannot solve the problem yourself and want to send an error
        notification to SAP, include the following information:
        1. The description of the current problem (short dump)
           To save the description, choose "System->List->Save->Local File
        (Unconverted)".
        2. Corresponding system log
           Display the system log by calling transaction SM21.
           Restrict the time interval to 10 minutes before and five minutes
    after the short dump. Then choose "System->List->Save->Local File
    (Unconverted)".
    3. If the problem occurs in a problem of your own or a modified SAP
    program: The source code of the program
        In the editor, choose "Utilities->More
    Utilities->Upload/Download->Download".
    4. Details about the conditions under which the error occurred or which
    actions and input led to the error.
    System environment
        SAP-Release 700
        Application server... "SAPIBP0"
        Network address...... "3.14.226.140"
        Operating system..... "OS400"
        Release.............. "7.1"
           Character length.... 16 Bits
        Pointer length....... 64 Bits
        Work process number.. 5
        Shortdump setting.... "full"
        Database server... "SAPIBP0"
        Database type..... "DB400"
        Database name..... "IBP"
        Database user ID.. "R3IBPDATA"
        Terminal................. "KRSNBRB032"
        Char.set.... "C"
        SAP kernel....... 721
        created (date)... "May 15 2013 01:29:20"
        create on........ "AIX 1 6 00CFADC14C00 (IBM i with OS400)"
        Database version. "DB4_71"
    Patch level. 118
    Patch text.. " "
    Database............. "V7R1"
    SAP database version. 721
    Operating system..... "OS400 1 7"
    Memory consumption
    Roll.... 0
    EM...... 12569376
    Heap.... 0
    Page.... 2351104
    MM Used. 5210400
    MM Free. 3166288
    Information on where terminated
        Termination occurred in the ABAP program "SAPLCATL2" - in "CATS_SELECT_PRPS".
        The main program was "CATSSHOW ".
        In the source code you have the termination point in line 67
        of the (Include) program "LCATL2U17".
        The termination is caused because exception "CX_SY_OPEN_SQL_DB" occurred in
        procedure "CATS_SELECT_PRPS" "(FUNCTION)", but it was neither handled locally
         nor declared
        in the RAISING clause of its signature.
        The procedure is in program "SAPLCATL2 "; its source code begins in line
        1 of the (Include program "LCATL2U17 ".
    The exception must either be prevented, caught within proedure
    "CATS_SELECT_PRPS" "(FUNCTION)", or its possible occurrence must be declared in
      the
    RAISING clause of the procedure.
    To prevent the exception, note the following:
    SM21: Log
    Database error -904 at PRE access to table PRPS
    > Resource limit exceeded. MSGID= Job=871896/VGPADM/WP05
    Run-time error "DBIF_RSQL_SQL_ERROR" occurred
    Please help
    Regards,
    Usha

    Hi Usha
    Could you check this SAP Notes
      1930962 - IBM i: Size restriction of database tables
    1966949 - IBM i: Runtime error DBIF_DSQL2_SQL_ERROR in RSDB4UPD
    BR
    SS

  • SQL query writing limit exceeded.

    Hi,
    My query contains 1700 lines and the report builder query writen provide line maximum line limit is 1615. When i paste the query in SQL area of report builder, Its paste the 1615 lines and remaining lines cutoff.Its provide the facility to type the query but not to paste the query further. According to the Scenario i cant able to create the view.So please tell me how can i handle it.
    Thanks.

    Does the query really have to be that big?
    I suspect a query of that size would be almost impossible to maintain or debug, assuming the performance is ok.
    I would suggest that you review the query to see if there are some parts which could be separated out into formula columns, or possibly split the query up - maybe if the report has a number of groups you could break it up that way.
    Generally when you hit an issue of this sort it is best to make your code fit the tools rather that the other way round.

  • Issuing SQL command through  Forms

    Hi
    How we can issue SQL command e.g. CREATE USER, through Forms.
    Regards!

    Issues dynamic SQL statements at runtime, including server-side PL/SQL and DDL.
    Note All DDL operations issues an implicit Commit
    Syntax
    Function FORMS_DDL(statement VARCHAR2);
    If you use FORMS_DDL to executed a valid PL/SQL Block:
    If you user FORM_DDL to executed a single DML or DDL stmt :
    Omit the trailing semicolon to avoid an invalid character error
    Thanks

  • RFC Resource Cap Exceeded

    I'm getting the message " RFC Resource Cap Exceeded"in the EFWK Resource Manager batch job on my Solution Manager system. Any idea what his means?
    Log file from the batch job
    Job log overview for job:    EFWK Resource Manager (01 Minute / 13292300
    Step 001 started (program E2E_EFWK_RESOURCE_MGR, variant , user ID SMD_RFC)
    Worklist Pass 1 with * worklist items.                                                                               
    PR4 E2E_LUW_ME_CORE_SSR  R A0A6CD91579BFD5FD57D0833E94041D2 SM_PR4CLNT300_READ   Resource allocated successfully
    DR4 E2E_ME_RFC_ASYNC  R C93328FEAACEEEDBD3C42C54C6EF7418 SM_DR4CLNT300_READ      Resource allocated successfully
    QR4 E2E_ME_RFC_ASYNC  R BD366CBD7D64373F7BFF4EAA051B5CCB SM_QR4CLNT300_READ      Resource allocated successfully
    QP4 E2E_ME_RFC_ASYNC  R B8EBD209EA7BC1C9111C7B6FC4D87CE2 SOLMANDIAG              Resource allocated successfully
    QP4 E2E_ME_RFC_ASYNC  W B752CD1338491A17EF21AAEDE904DBBC SOLMANDIAG              RFC Resource Cap Exceeded
    PP4 E2E_ME_RFC_ASYNC  W B63BEEDDC2242DF411FF65FD938BA311 SOLMANDIAG              RFC Resource Cap Exceeded
    PR4 E2E_ME_RFC_ASYNC  W 9BD94F0CBE395638B7D80B917CF34EDB SOLMANDIAG              RFC Resource Cap Exceeded
    DR4 E2E_ME_RFC_ASYNC  W 98E031268E5D1E5CEDBD24A6A02D99E8 SOLMANDIAG              RFC Resource Cap Exceeded
    DB4 E2E_ME_RFC_ASYNC  W 957D32A9E59D7A9F24DECCED5E2DF53A SOLMANDIAG              RFC Resource Cap Exceeded
    QR4 E2E_ME_RFC_ASYNC  W 5FBB1CE85153E619EEA69FE0E6771902 SOLMANDIAG              RFC Resource Cap Exceeded
    PB4 E2E_LUW_ME_CORE_SSR  R 59DEEECAE564B756473F567030E8546B SM_PB4CLNT300_READ   Resource allocated successfully
    Requested Resource not found                                                                               
    Job cancelled after system exception ERROR_MESSAGE

    Hi,
    On note 1435043 - E2E Workload Analysis - No applicable data found there is a note
    3) EFWK Resource Manager Job
    This is the central job that controls all data loading steps. Make sure this job is released in transaction SM37. The job name is E2E_HK_CONTROLLER
    - Make sure that you release the job with user SMD_RFC to avoid authority problems.
    - Make sure the job is not scheduled more than once for the same timestamp.
    - Check the job spool for any errors.
    - Check the test job logs in Solution Manager Workcenter -> "  Extractor FWK Administration", click on "Latest Job Logs".
    Common issues: "RFC Resource Cap. Exceeded". Increase the value of the RFC Resource Cap in table E2E_RESOURCES using SE16.
    So may be it could help.
    Rgds,

  • Resource limit

    i want to set the limits for cpu_per_session and cpu_per_call in profile.
    how much should i need to set the values for the above two resources so that it's not too low or too high.
    suggestions from experts are appreciated...
    thankx....

    Hi,
    Well, on the documentation:
    Before creating profiles and setting the resource limits associated with them, determine appropriate values for each resource limit. You can base these values on the type of operations a typical user performs. Usually, the best way to determine the appropriate resource limit values for a given user profile is to gather historical information about each type of resource usage. You can gather statistics for other limits using the Monitor feature of Oracle Enterprise Manager (or SQL*Plus), specifically the Statistics monitor.
    For more information, you can take a look on this link below:
    http://download-east.oracle.com/docs/cd/B19306_01/server.102/b14220/security.htm#sthref2740
    Cheers

  • FAST Search - Unable to Complete Query on BackEnd resource limit remporarily exceeded code:1013

    Hi ,
    We are using FAST search in our SharePoint 2010 environment. I am encountering an issue while navigating to 21st  page or Query string value 200 and above (
    URL -> /Pages/results.aspx?k=1&s=All&start1=201
    ) in search core result web part. The error message is UI is  "
    The search request was unable to execute on FAST Search Server".
    I have found the below log in the ULS .
    SearchServiceApplication::Execute--Exception:   Microsoft.Office.Server.Search.Query.FASTSearchQueryException: Unable to   complete query on backend Resource limit temporarily
    exceeded Code:   1013   
    at Microsoft.Office.Server.Search.Query.Gateway.FastSearchGateway.GetQueryResult(IQuery   query)   
    at   Microsoft.Office.Server.Search.Query.Gateway.FastSearchGateway.ExecuteSearch(SearchRequest   request, String queryString)   
    at   Microsoft.Office.Server.Search.Query.Gateway.AbstractSearchGateway.Search(SearchRequest   request)   
    at   Microsoft.Office.Server.Search.Query.FASTQueryInternal.ExecuteSearch(SearchRequest   request, ResultTableCollection rtc)   
    at Microsoft.Office.Server.Search.Query.FASTQueryInternal.Execute(QueryProperties   properties)   
    at   Microsoft.Office.Server.Search.Administration.SearchServiceApplication.Execute(QueryProperties   properties)
    Please share your thoughts or advise if some has come across this issue. Thanks!

    Hi ,
    We are using FAST search in our SharePoint 2010 environment. I am encountering an issue while navigating to 21st  page or Query string value 200 and above (
    URL -> /Pages/results.aspx?k=1&s=All&start1=201
    ) in search core result web part. The error message is UI is  "
    The search request was unable to execute on FAST Search Server".
    I have found the below log in the ULS .
    SearchServiceApplication::Execute--Exception:   Microsoft.Office.Server.Search.Query.FASTSearchQueryException: Unable to   complete query on backend Resource limit temporarily
    exceeded Code:   1013   
    at Microsoft.Office.Server.Search.Query.Gateway.FastSearchGateway.GetQueryResult(IQuery   query)   
    at   Microsoft.Office.Server.Search.Query.Gateway.FastSearchGateway.ExecuteSearch(SearchRequest   request, String queryString)   
    at   Microsoft.Office.Server.Search.Query.Gateway.AbstractSearchGateway.Search(SearchRequest   request)   
    at   Microsoft.Office.Server.Search.Query.FASTQueryInternal.ExecuteSearch(SearchRequest   request, ResultTableCollection rtc)   
    at Microsoft.Office.Server.Search.Query.FASTQueryInternal.Execute(QueryProperties   properties)   
    at   Microsoft.Office.Server.Search.Administration.SearchServiceApplication.Execute(QueryProperties   properties)
    Please share your thoughts or advise if some has come across this issue. Thanks!

  • Static credit check: credit limit exceeded for consignment issue delivery

    Hi,
    We are encountering a credit limit exceeded error in delivery creation for a consignment issue.
    In SPRO config "Credit limit check for order types", no credit limit check is assigned to the order type. However, there is one assigned for the delivery type. Also, for CCAr/Risk cat./CG combination in OVA8 (Auto Credit Block Delivery), static credit check has been activated with error message reaction. Open orders and open deliveries were also activated. Customer exceeded credit exposure but user cannot release the order in any VKMx transactions as no credit limit check is assigned to the order type.
    Given that this is the current setup, and the following conditions:
    1. Credit limit for the customer cannot be increased
    2. Oldest open item cannot be cleared just yet
    Is there any way that we can proceed with delivery creation for this customer? The other order types have credit limit check so credit management team was able to release them. However, we are unsure on how to proceed with this consignment order. Kindly advise and thank you in advance for your help.

    We are encountering a credit limit exceeded error in delivery creation for a consignment issue.
    but user cannot release the order in any VKMx transactions as no credit limit check is assigned to the order type.
    Looks contradictory and it may need to run report RVKRED77 to reorganization of open credit values. Try to run the report in test system and then run in production system. After running the report, the use must be able to release in VKM* transaction.
    Regards,

  • The maximum size of an SQL statement has been exceeded.

    In ST22, abap dump shows that one of the possible reason was "The maximum size of an SQL statement has been exceeded."
    How can I know what's the maximum size and how to compute that size had been reached?
    Is this shown anywhere in the log?

    1. decalre temp_key as a table.
    2. use this package size option ....this gets the data in bite-sized chunks
    SELECT MATKL MATNR MEINS
    INTO corresponding fields of table TEMP_KEY package size 1000
    FROM MARA
    WHERE MATNR IN SO_MATNR.
    loop at temp_key.
    MOVE-CORRESPONDING TEMP_KEY TO ITAB_KEY1.
    IF WS_PCHR SPACE.
    CLEAR ITAB_CHAR.
    CLEAR ITAB_KEY1-CHARACTER. REFRESH ITAB_KEY1-CHARACTER.
    PERFORM GET_CHAR TABLES ITAB_CHAR ITAB_KEY1-CHARACTER
    USING ITAB_KEY1-MATNR.
    ENDIF.
    APPEND ITAB_KEY1. CLEAR ITAB_KEY1.
    endloop.
    ENDSELECT.

  • Need Help with "ldap_search: Administrative limit exceeded" issue

    Hi,
    I recently created an index for an attribute called abcSmDisableFlag. When i perform an Ldapsearch using an application owners binddn, 10 entires are returned before i get the error: ldap_search: Administrative limit exceeded. When I use the Directory Manager I do not get this error while the same 10 entries are returned.
    I have analyzed the error and access logs and i think the problem is with the index (notes=U). I performed a reindex on the attribute but it din't work.
    Below are the details i gathered from
    error log:
    [20/Sep/2010:15:04:59 -0400] - WARNING<20805> - Backend Database - conn=1189378 op=1 msgId=2 - search is not indexed base='ou=customers,o=abc
    enterprises,c=us,dc=abc,dc=net' filter='(&(objectClass=abcIdentity)(abcIdmDeleteDate<=2010-09-20)(!(abcSmDisabledFlag=1)))' scope='sub'
    access log:
    [20/Sep/2010:15:04:59 -0400] conn=1189378 op=-1 msgId=-1 - fd=536 slot=536 LDAP connection from UserIP to ServerIP
    [20/Sep/2010:15:04:59 -0400] conn=1189378 op=0 msgId=1 - BIND dn="cn=xyzservices,ou=appid,dc=abc,dc=net" method=128 version=3
    [20/Sep/2010:15:04:59 -0400] conn=1189378 op=0 msgId=1 - RESULT err=0 tag=97 nentries=0 etime=0.001190 dn="cn=xyzservices,ou=appid,dc=abc,dc=net"
    [20/Sep/2010:15:04:59 -0400] conn=1189378 op=1 msgId=2 - SRCH base="ou=customers,o=abc enterprises,c=us,dc=abc,dc=net" scope=2 filter="(&
    (objectClass=abcIdentity)(abcIdmDeleteDate<=2010-09-20)(!(abcSmDisabledFlag=1)))" attrs=ALL
    [20/Sep/2010:15:05:03 -0400] conn=1189378 op=1 msgId=2 - RESULT err=11 tag=101 nentries=1 etime=4.604440 notes=U
    I have indexed both abcIdmDeleteDate and abcSmDisabledFlag with a presence and equality index.
    I am using Sun Directory Server 6.2. All the nsslapd limits are at Default value and I am not supposed to increase those values.
    I will be very grateful if anyone can kindly share ideas/solutions on this issue and help me out.
    Thanks!!

    I don't know if your issue has been resolved but two things i see here:
    1 - you should not be on 6.2, move to 6.3 or 7.
    2 - your filter is the answer, when you use a filter of "(&(objectclass=abcIdentity)(abcIdmDeleteDate<=2010-09-16)("\!"(abcSmDisabledFlag=1)))", DSEE takes the 1st part of your filter, in your case objectclass=abcIdentity, and does a search on it. Then after retrieving all entries it checks all that have an abcSmDisableFlag <=2010-09-16 and finally out of the remaining entries it will check which do not have an abcSmDisableFlag=1.
    The search on objectClass is resulting in an unindexed search, apparently. What you need to do is alter the order of your attributes in your search filter and have objectClass at the end.
    I hope this makes sense and helps.

  • I have the ipad 4g and it is displaying the message "resource limit reached" only had it for two days

    I have the ipad 4g and it is displaying the message "resource limit reached" only had it for two days

    Are restrictions turned on?  I suspect the "resource limit" is something that is set there.
    Settings > General > Restrictions

  • Error 1074388947 at CAN Open Object, Exceed resource limit

    Dear All,
    Basically, I'm listening to 5 frames from NI-CAN, and I can't listen to the sixth...
    To be more precise, I'm listening to STAT1, STAT2, EXT1, EXT2 and I'm sending commands to CMD.
    When I try to add a "hearing" on the BITE frame, I obtain the error:
    "1074388947 occured at NI-CAN Open Object (ncOpen.vi)
    NI-CAN: Exceeded resource limit for queues in shared memory between firmware/driver. The ncReadmult function is not allowed. Solutions: Decrease queue lengths in objects; Set read queue length to at least 2; Decrease number of CAN Objects."
    I can't see any significative parameter to change...
    I'm doing a ncConfigCANNET + ncOpen + ncSetAttr, then for each frames: ncConfigCANObj + ncOpen + ncSetAttr + ncCreateOccur.
    That's when I'm adding the sixth frame's part, I get the error at the output of the ncOpen.
    Does someone knows what's happening ?
    Thanks for any help you could give me, even if it's just a thought... Thanks in advance ! I'm quite desperate actually...
    Laurent

    Hi,
    This is a KB wich could help.
    http://digital.ni.com/public.nsf/allkb/CC36BA1DD421EC23862569060054F6E2?OpenDocument
    .NIDays2008 {font-family:Arial, Helvetica, sans-serif; font-size:12px; color: #065fa3; font-weight: bold; text-decoration: none; text-align: right;} .NIDays2008 a, a:hover {text-decoration: none;} .NIDays2008 a img {height: 0; width: 0; border-width: 0;} .NIDays2008 a:hover img {position: absolute; height: 90px; width: 728px; margin-left: -728px; margin-top:-12px;}
    >> Avez-vous entendu parler de NI Days ?

  • TRFC Time limit exceeded issue

    We have issue about the TFC time limit exceeded. We have a third partner application which will call a HTTP service to our SAP, let's call the HTTP service as Z_submit_request, in Z_submit_request, we call RFC Z_process_request in IN BACKGROUND TASK, but we received a Time limit exceeded issue in SM58. Could anyone help to answer why we get this issue?
    Thanks a lot!

    RFC's are executed in dialog tasks, which have an upper limit for the allowed runtime. This can be set for profile parameter rdisp/max_wprun_time. You might want to check the profile parameter (or ask the basis folks) if it has the default value (or another reasonable value). Most likely though I'd say you should look into the actual RFC and see if you can improve the performance of Z_PROCESS_REQUEST, so that the timeout doesn't occur.

Maybe you are looking for