Help: Strange PGA Behavior

hi,
during R/3 4.7 Export, PGA is very stranger. Could somebody give me help?
DB version, oracle 9.2.0.4 Enterprise, OS, SunOS 5.8(machine is old, disk has poor performance)
key parameters:
pgamax_size=1073741824
db_cache_size=1000000000
pga_aggregate_target=2000000000
workarea_size_policy=auto    
PGA statistics information:
SQL> select * from v$pgastat;
NAME                                                                  VALUE UNIT
aggregate PGA target parameter                                   2000000000 bytes
aggregate PGA auto target                                                 0 bytes
global memory bound                                                       0 bytes
total PGA inuse                                                    23502848 bytes
total PGA allocated                                                58076160 bytes
maximum PGA allocated                                              59555840 bytes
total freeable PGA memory                                           2883584 bytes
PGA memory freed back to OS                                          327680 bytes
total PGA used for auto workareas                                   1324032 bytes
maximum PGA used for auto workareas                                 1726464 bytes
total PGA used for manual workareas                                       0 bytes
NAME                                                                  VALUE UNIT
maximum PGA used for manual workareas                                     0 bytes
over allocation count                                                     0
bytes processed                                                  1.6069E+10 bytes
extra bytes read/written                                         6.3215E+10 bytes
cache hit percentage                                                  20.26 percent
16 rows selected.
Sort Location:
SQL> select name, value from v$sysstat where name in ('sorts (memory)', 'sorts (disk)');
NAME                                                                  VALUE
sorts (memory)                                                        13958
sorts (disk)                                                             22
Qestions:
1. why "aggregate PGA auto target"  is  0 bytes?
2. why only a small part of PGA is used, but some sorts are performed in disk?
Any tip is appreciated.
Best Regard,
Rongfeng
Edited by: Rongfeng Shi on Aug 22, 2008 10:39 AM

Hello Rongfeng,
you have selected a very hard topic but let's start.
At first the sapnote #936441 which is pointing you to the parameter pgamax_size is telling the "half-truth".
If everyone asks something about that topic i always refer to the "ADVANCED MANAGEMENT OF WORKING AREAS IN ORACLE 9I/10G" from Joze Senegacnik. This document is very detailed and has many explanations.
http://tonguc.yilmaz.googlepages.com/JozeSenegacnik-PGAMemoryManagementvO.zip
> 1. why "aggregate PGA auto target" is 0 bytes?
Check the statement from the paper: "aggregate PGA auto target u2013 SQL memory target u2013 P_A_T minus used memory for other categories in PGAs"
> 2. why only a small part of PGA is used, but some sorts are performed in disk?
Because your PGA is "only" 1.8 GB and you have the following limitations:
> SMMMAX_SIZE
> This parameter defines the maximum work area size in auto mode (serial) and defaults to 50% of pgamax_size. In Oracle 9i/10gR1 the maximum value is 0.1GB (100MB), while in 10gR2 it can go up to 0.25GB as we will see later.After one of the instance restarts I found that the pgamax_size and smmmax_size had even bigger values with P_A_T set to 4GB.
Regards
Stefan

Similar Messages

  • Bug in my code or strange memory behavior ?

    Hi, Guys !
    It's been a while since I post something in this forum - trying to use your help when it's really needed.
    So, here we go ...
    (we use Oracle 8.1.7 on Unix box and SQL * Plus 8.1.6)
    While back I wrote "core" PL/SQL package that resides in let's say DB1 database. It has RECORD_EXISTS_FNC function designed to dynamically check If the record exists in certain table/view. Assumptions are that you pass in :
    Table/View name, Column name, and unique numeric value (because by DBA rules all of our Tables have SEQUENCE as a Primary Key. And I plan soon to put in overloaded function to accept unique character value)
    Also every Table has SYS_TIME_STAMP and SYS_UPDATE_SEQuence columns that populated by Trigger before Insert/Update representing Last Update time_stamp
    and how many times record was updated within same second.
    (in case more than one User updates same record in same time - that was written before Oracle had more granular date/time). So function has SYS_TIME_STAMP and SYS_UPDATE_SEQUENCE parameters (optional) accordingly.
    And It looks something like :
    FUNCTION RECORD_EXISTS_FNC
    (iBV_NAME IN USER_VIEWS.VIEW_NAME%TYPE,
    iPK_FIELD IN USER_TAB_COLUMNS.COLUMN_NAME%TYPE,
    iPK_VALUE IN NUMBER,
    iSYS_TIME_STAMP IN DATE DEFAULT NULL,
    iSYS_UPDATE_SEQ IN NUMBER DEFAULT NULL) RETURN BOOLEAN IS
    TYPE REF_CUR IS REF CURSOR;
    CR REF_CUR;
    i PLS_INTEGER DEFAULT 0;
    vRESULT BOOLEAN DEFAULT FALSE;
    vQUERY USER_SOURCE.TEXT%TYPE;
    BEGIN
    vQUERY := 'SELECT 1 FROM ' || iBV_NAME || ' WHERE ' || iPK_FIELD || ' = ' || iPK_VALUE;
    IF iSYS_TIME_STAMP IS NOT NULL AND iSYS_UPDATE_SEQ IS NOT NULL THEN
    vQUERY := vQUERY || ' AND SYS_TIME_STAMP = TO_DATE (''' || iSYS_TIME_STAMP || ''')
    AND SYS_UPDATE_SEQ = ' || iSYS_UPDATE_SEQ;
    END IF;
    IF iBV_NAME IS NOT NULL AND
    iPK_FIELD IS NOT NULL AND
    iPK_VALUE IS NOT NULL THEN
    OPEN CR FOR vQUERY;
    FETCH CR INTO i;
    vRESULT := CR%FOUND;
    CLOSE CR;
    END IF;
    RETURN vRESULT;
    EXCEPTION
    WHEN OTHERS THEN
    IF CR%ISOPEN THEN
    CLOSE CR;
    END IF;
    INSERT_ERROR_LOG_PRC ('CORE_PKG', 'ORACLE', SQLCODE, SQLERRM, 'RECORD_EXISTS_FNC');
    RETURN vRESULT;
    END RECORD_EXISTS_FNC;
    So the problem is when I call this function from let's say
    database DB2 (via db remote link and synonym) and I know exactly that record does exists (because I am selecting those SYS fields before pass them in) - I get the correct result TRUE. The other programmer (Patrick) calls this function within same DB2 database, within same UserID/password (obviously different session), running exactly the same testing code and gets result FALSE (record doesn't exist, but it does !) He tried to Logoff/Login again several times within several days and try to run it and still was getting FALSE !
    I tried to Logoff/Login again and I was getting mostly TRUE and sometimes FALSE too !!!
    I thought may be It has something to do with REF CURSOR that I use to build SQL on the fly, so I changed to NDS
    using EXECUTE IMMEDIATE statement - nothing changed.
    vQUERY := 'SELECT COUNT (1) FROM ' || iBV_NAME || ' WHERE ' || iPK_FIELD || ' = ' || iPK_VALUE;
    IF iSYS_TIME_STAMP IS NOT NULL AND iSYS_UPDATE_SEQ IS NOT NULL THEN
    vQUERY := vQUERY || ' AND SYS_TIME_STAMP = TO_DATE (''' || iSYS_TIME_STAMP || ''') AND SYS_UPDATE_SEQ = ' || iSYS_UPDATE_SEQ;
    END IF;
    EXECUTE IMMEDIATE vQUERY INTO i;
    vRESULT := NOT (i = 0);
    RETURN vRESULT;
    Interesting note : when Patrick doesn't pass SYS parameters (Time_stamp, Update_sequence), or passes NULLs - function always finds the record ! (Statement 2 below)
    May be it has to do with the way TO_DATE () function gets parsed in that dynamic SQL - I don't know ...
    Here's the test code :
    SET SERVEROUTPUT ON;
    DECLARE
    SYS_TIME DATE;
    SYS_SEQ NUMBER;
    bEXISTS BOOLEAN DEFAULT FALSE;
    BEGIN
    SELECT SYS_TIME_STAMP, SYS_UPDATE_SEQ INTO SYS_TIME, SYS_SEQ FROM LOCATION_BV WHERE PK = 1;
    bEXISTS := CORE_PKG.RECORD_EXISTS_FNC ('LOCATION_BV','PK',1, SYS_TIME, SYS_SEQ); -- STATEMENT 1
    --bEXISTS := CORE_PKG.RECORD_EXISTS_FNC ('LOCATION_BV','PK',1, NULL, NULL);        -- STATEMENT 2
    IF bEXISTS THEN
    DBMS_OUTPUT.PUT_LINE ('TRUE');
    ELSE
    DBMS_OUTPUT.PUT_LINE ('FALSE');
    END IF;
    END;
    I asked our DBA, he has no clue about this strange inconsistent results.
    I debugged line by line, extracted that generated SQL and ran it in same account - works fine !
    Does anyone knows or have clues or can help what's going on ???
    I don't know If this is bug in my code or strange memory behavior ?
    (Please let me know If anything unclear)
    Thanx a lot for your help and time !
    Steve K.

    see your other thread
    Bug in my code or strange memory behavior ?

  • Strange typeover behavior in Newsfeeds

    I am getting this strange intermittent behavior when create a post in the Newsfeed.
    As you begin to type the text compress and it almost looks like the letters are typing over themselves
    The resulting text can be posted and looks fine when posted, it some times does throw an error but the error and type over don't seem connected
    It happens on all browser types and even phones and tablets

    Hi,
    Thank you for your post.
    This is a quick note to let you know that we are performing research on this issue.
    Best Regards,
    Eric
    TechNet Community Support
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    [email protected]

  • Capturing DVCAM in FCP 6.0.2 and encountering strange capture behavior

    I have FCP 6.0.2 and OSX 10.5.2 and QT 7.3.1. I have been capturing several DVCAM cassettes using my Sony DSR-20 deck. Although I have done this countless times before in earlier versions of FCP, I am encountering some strange repetitive behavior. I am capturing 30 minute clips one at a time. When I use batch capture it will cue the tape up properly to the in point...and then start capturing until it gets to about 10-12 minutes in, and then capture unexpectedly stops, no dialogue box, the tape rewinds and starts capturing again from the original in point. On this second capture, the tape sails past the 10 minute mark and keeps going to the end of the 30 minute clip. It then stops, gives me the dialogue box that it has successfully captured. And it has.
    But every DVCAM tape I captured today exhibited the same behavior. Capture would be successful until about about 10 minutes in, then FCP aborts (no dropped frame message, no dialogue box) rewinds the tape back to the in point, tries again, and this time succeeds with the second pass capturing the entire clip. Note at the 10 minute mark there is no scene change or no camera start/stop.
    Have other users experienced this issue? And if so, is there a workaround or a possible patch forthcoming from FCP?
    Many thanks,
    John

    Yes, each tape has an in and out point defined. In my 6 years of editing with Final Cut and DVCAM tapes I've never encountered this issue before in the capturing process until now. I will have to see in future weeks with other captures whether this is an on-going issue or not, but at least I can capture for now.

  • Strange Permissions Behavior with Public/Private Drop Box

    Strange Permissions Behavior with Non-Course Drop Box
    In an effort to promote iTunes U on campus this semester (and to get people working with audio and video more) we're having a contest in which people can submit personal or group audio/video projects.
    This being an iTunes promo, we intend for students to submit their contributions via a drop box.
    To that end, I began experimenting with drop boxes in iTunes U, which I haven't done much of previously. I've created a course called "iTunes U Drop Box Test" under "Campus Events". Within that, I have two tabs: "Featured Submissions" and "Dropbox". My goal with this drop box was to allow faculty, students and college folks the ability to use the drop box ("college" being a role I've defined for those who don't fit into the faculty/student roles).
    When I first started experimenting, access to the "iTunes U Drop Box Test" course looked like this:
    --- Credentials (System) ---
    Edit: Administrator@urn:mace:itunesu.com:sites:lafayette.edu
    Download: Authenticated@urn:mace:itunesu.com:sites:lafayette.edu
    Download: Unauthenticated@urn:mace:itunesu.com:sites:lafayette.edu
    Download: All@urn:mace:itunesu.com:sites:lafayette.edu
    --- Credentials ----
    Download: College@urn:mace:lafayette.edu
    Download: Instructor@urn:mace:lafayette.edu
    Download: Instructor@urn:mace:lafayette.edu:classes:${IDENTIFIER}
    Download: Student@urn:mace:lafayette.edu
    Download: Student@urn:mace:lafayette.edu:classes:${IDENTIFIER}
    For the "Featured" Submissions tab, I gave the non-system credentials the "download" right, and for the "Dropbox" tab I gave the non-system credentials the "dropbox" right.
    My understanding of this setup is that everyone should have had the ability to view the course and the contents of the "Featured Submissions" tab and that those in the College/Instructor/Student roles would be able to upload files via the "Dropbox" tab ... but not see the contents of said tab after the files were uploaded (aside from any files they uploaded themselves).
    This is not the behavior we saw however. While the College/Instructor/Student roles could upload files to the dropbox, everyone (including the unauthenticated public) was able to see all of the contents of the dropbox.
    The only way I could get this to work as advertised was to change all of the system credentials save the "Administrator" to "No Access":
    --- Credentials (System) ---
    Edit: Administrator@urn:mace:itunesu.com:sites:lafayette.edu
    No Access: Authenticated@urn:mace:itunesu.com:sites:lafayette.edu
    No Access: Unauthenticated@urn:mace:itunesu.com:sites:lafayette.edu
    No Access: All@urn:mace:itunesu.com:sites:lafayette.edu
    Once I did this, everything worked as advertised: College/Instructor/Student roles could upload tracks, and the "Dropbox" tab would only display tracks they uploaded.
    So my question is ... is this the correct behavior for the drop box? It looks like when the system credentials are in play, they're simply overriding whatever the normal "view" rule is for the drop box, which doesn't seem right.

    Your current configuration where things work as you wanted does seem correct to me. You are not using any System Credentials to accomplish the functionality and that's fine.
    Here's some more info to clarify how / why this is working for you and why you had to set "No Access" for the System Credentials:
    The System Credential "Authenticated@..." is going to get assigned to any user that goes through your transfer script. Even if you transfer script assigns no credentials to a user, upon entering iTunes U they will have at least 1 - the "Authenticated@..." credential. Therefore, unless you block access using "No Access", any user that passes through your transfer script is going to be able to access the area in question.
    When you change values for "Unauthenticated@..." or "All@..." you are defining what someone that DOES NOT pass through your transfer script can do. You want both of those to be "No Access" at the top level of your site if you do not want unauthenticated visitors.
    The distinction between "Unauthenticated" and "All" is that "All" applies to all users whether they pass through the transfer script or not.
    Here's another way to remember things:
    User passes through your transfer script, iTunes U automatically assigns:
    Authenticated@....
    All@....
    User does not pass through your transfer script and instead access your iTunes U site through derivable URL*, they get assigned:
    Unauthenticated@....
    All@....
    *The derivable URL for a site is: http://deimos.apple.com/WebObjects/Core.woa/Browse/site-domain-name
      Mac OS X (10.4.6)  

  • Strange XSLT Behavior: xsl:template match

    Hello I found the following strange XSLT behavior when using xsl:template. I only want to read the content of the element /Source/Surname/Details. Therefore I match this path using xsl:template match.
    What is strange that in the target message also the value of the Element LastName is written at the end. Please see example below. This is just a short example to point out the problem. I have a bigger message structure where I have to match a similar path. How can I avoid the the value of the FullDetails is just written at the end (not even beeing in an element)? I would have expected that the path is only matched once and the instructions then executed without <LastName> beeing even touched.I used XML Spy for this test.
    Here is an example:
    Source message:
    <?xml version="1.0" encoding="UTF-8"?>
    <Source>
         <Surname>
              <Details>MyFirstName</Details>
         </Surname>
         <LastName>
              <FullDetails> MyLastName </FullDetails>
         </LastName>
    </Source>
    XSLT
    <?xml version="1.0" encoding="UTF-8"?>
    <xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:fo="http://www.w3.org/1999/XSL/Format">
    <xsl:template match="/Source/Surname">
    <PORR>
    <Name><xsl:value-of select="Details"/></Name>
    </PORR>
    </xsl:template>
    </xsl:stylesheet>
    Target Message
    <?xml version="1.0" encoding="UTF-8"?>
    <PORR xmlns:fo="http://www.w3.org/1999/XSL/Format">
    <Name>MyFirstName</Name></PORR>MyLastName
    Edited by: Florian Guppenberger on Oct 8, 2009 4:35 AM
    Edited by: Florian Guppenberger on Oct 8, 2009 4:36 AM
    Edited by: Florian Guppenberger on Oct 8, 2009 4:36 AM
    Edited by: Florian Guppenberger on Oct 8, 2009 4:37 AM

    Hi,
    I am not sure why your XSLT behaving like that,please try this XSL,what i did chnages is Templete match /*,I given exact path in Value of select,.
    <?xml version="1.0" encoding="UTF-8"?>
    <xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:fo="http://www.w3.org/1999/XSL/Format">
    <xsl:template match="/*">
    <PORR>
    <Name><xsl:value-of select="/Source/Surname/Details"/></Name>
    </PORR>
    </xsl:template>
    </xsl:stylesheet>
    Regards,
    Raj

  • Strange ZWSREG behavior

    We are in the middle of a rollout of about 300 new machines. (used sysprep in the image) The first 100 are doing something strange. They boot up get renamed and join the windows domain with their new name, but register with ZEN as the randomly generated Microsoft name. (usually someting like N-398477634379d979) I deleted the workstation object, unreged and rereged the computer, but it always reregisters with the randomly generated name. What gives? I found a TID that said this was fixed by an update on the latest desktop agent, but that I could work around it by deleting the incorrectly named object and waiting for the machine to reboot, However it still registers with the wrong name. Any ideas? Thanks.
    J. Daniel Treadwell

    But these are new computers. They should not have image safe data yet. I tried it, but got the same result.
    Originally Posted by Craig Wilson
    Try running ZISWIN -R when you unregister.
    My guess is that it's pulling the old info from Image Safe Data.
    Craig Wilson - MCNE, MCSE, CCNA
    Novell Support Forums Volunteer Sysop
    Novell does not officially monitor these forums.
    Suggestions/Opinions/Statements made by me are solely my own.
    These thoughts may not be shared by either Novell or any rational human.
    "jtreadwell" <[email protected]> wrote in message
    news:[email protected]..
    >
    > We are in the middle of a rollout of about 300 new machines. (used
    > sysprep in the image) The first 100 are doing something strange. They
    > boot up get renamed and join the windows domain with their new name,
    > but register with ZEN as the randomly generated Microsoft name.
    > (usually someting like N-398477634379d979) I deleted the workstation
    > object, unreged and rereged the computer, but it always reregisters
    > with the randomly generated name. What gives? I found a TID that said
    > this was fixed by an update on the latest desktop agent, but that I
    > could work around it by deleting the incorrectly named object and
    > waiting for the machine to reboot, However it still registers with the
    > wrong name. Any ideas? Thanks.
    >
    >
    > J. Daniel Treadwell
    >
    >
    > --
    > jtreadwell
    > ------------------------------------------------------------------------
    > jtreadwell's Profile: NOVELL FORUMS - View Profile: jtreadwell
    > View this thread: Strange ZWSREG behavior - NOVELL FORUMS
    >

  • Very strange iTunes behavior, please help!

    Every once in a while, I will notice a song in my library that has a time listed that I know is shorter than the song's actual length (for example, a song I know to be 5 minutes+ will be listed in the library as 1:37). When I play the song, the time adjusts to the proper time, so that is not the problem. However, if I sync my iPod, iTunes will only sync the time listed (1:37 in the example) to the iPod! It seems to be 100% random in the songs it effects and time it changes it to. Please help me out!
    Edit: I also forgot to mention, it will make songs longer also, but that is not as much of a problem because it will go on the iPod, show the "longer" time and then just go to the next track once the actual music is over
    Message was edited by: zellin

    I only have a 'CD Info.cidb' file in the preferences.
    Couldn't hurt to drag them on the desktop too, I suppose.
    Just don't trash them yet.
    The article I referenced to, should have read as here
    Forgot 1 character and didn't check it with 'preview' (this one I did)
    M
    17' iMac fp 800 MHz 768 MB RAM   Mac OS X (10.3.9)   Several ext. HD (backup and data)

  • ~Strange~ recording behavior... help!

    Everytime I press record, recording starts about a full second before it should! When I press stop, if further seemingly removes a front portion of the take.
    Any ideas??

    There is a count-in function, akin to you counting "1-2-3-4" before playing, which is usually set at one bar. You can adjust this in Settings>Recordings>General>When Beginning.

  • Strange browser behavior with bookmarks

    Has anyone else noticed strange and/or inconsistent behavior when navigating through projects that contain pages with boomkarks such as
    Bookmark
    <a name="Bookmark"></a>
    (OHJ 4.1.17 and 4.2.2)
    I notice that when I click on a bookmark that takes me further down on a page, I can't use the Back button to return to my previous location. Often the Back button takes me to the previous topic instead of taking me back to the top of the page!
    I was playing around with the Oracle Help Guide and noticed that somehow they have got their bookmarks working properly...but then actually after playing around with it I'm noticing that the behavior is very very inconsistent. For some topics the bookmarks seem to work well (sometimes), other pages not at all. Most pages it seems hit or miss. I'm stumped!

    Actually Ryan didn't give a full answer here. The issue with bookmarks is that the ICE Browser that OHJ uses to display the author's HTML pages doesn't notify OHJ when the user clicks on an link to an anchor in the same page.
    Therefore, OHJ had no way of knowing to update it's back/forward functionality. In older versions of ICE,
    used with older versions of OHJ 4.1.x the ICE Browser
    does notify OHJ when the link is of the form:
    Link to Anchor
    So, often authors producing content for OHJ used this as a workaround and always included the file name in the link (even though it is not necessary to link to an anchor in the same file). This workaround doesn't appear to work with the new ICE Browser used with OHJ 4.2.x.
    Oracle maintains a modified version of the ICEBrowser and I will look into making use of Oracle modifications to fix this problem permanently.

  • Anyone experiencing strange Safari behavior?

    Over the last few weeks, I've noticed that my safari has started to quit on me. It doesn't crash, or do an unexpected quit, but the application just closes itself. This is becoming very annoying as it happens sporadically and without any indication that it will close.
    The only thing I can think of is that I recently installed the latest version of the WMA viewer called Flip4Mac. Coincidence?
    So, anyone else experiencing this strange behavior? Or is it just me? Is there an easy way to re-install just Safari? Maybe I'll just wait for the next bug release of OS X...
    Any help would be greatly appreciated. Thanks!
    Rudy

    Hi Rudy, Huffman et al
    Are you using third party safari enhancers, that may need to be either updated or removed. Do you use any Norton Utilities ?
    Safari add-ons can cause performance issues or other situations
    Have you tried a different user account as a process of elimination ?
    The exits are NOT crashes, they do not create a CrashLog for Safari, it' s like I try to click on a link at say CNN and the Safari closes as if I had used the Quit command.
    So Safari is in the Dock with out ▲ when this happens, correct ? have you tried pulling Safari out of the dock with a poof , and clicking on Safari from the Application folder, it could be your Safrai icon in the dock is corrupt.
    Safari may simply go off screen without any notification.
    Something has either corrupted Safari and/or is causing havoc with
    the app.
    Have you tried Disk repair w/ the cd/dvd inserted & a start ?
    Please, let us know.
    Eme
    p.s. I use all the sites you mention, yes even myspace ; ) on 10.4.6 & 10.3.9. with out any issues, I wonder what are the variables.

  • Strange select behavior in batch (bw extractor)

    Hi, All..
    I'm receiving some odd behavior from a select statment being processed in batch mode (specifically, when run in a normal BW extractor - start routine), the select yields no results .. sy-subrc = 4 and target itab is empty.  however, when i run this same select statement in debug, i get sy-subrc = 0 and records are returned!!  I tried putting the select statement in a standard abap program & it came back successfully in both foreground & background.  something is strange when run in the BW extractor process?? anyone familiar with this?? any help is appreciated!!  Thanks!!

    Thanks everyone for the comments!
    The code is in the start routine from 0BBP_CONF_TD_1 into 0BBP_CON. 
    -The select returns records when in debug
    -I've tried running it open without the "for all entries" & it still fails in batch
    -The select works during the delta but always fails on the initial load
    The select is a join:
    DATA: BEGIN of t_JOIN1 OCCURS 0,
            CONNUM    LIKE /BI0/ABBP_CON00-BBP_CON_ID,
            CONITEM   LIKE /BI0/ABBP_CON00-BBP_COITEM,
            PONUM     LIKE /BI0/ABBP_PO00-BBP_PO_ID,
            POITEM    LIKE /BI0/ABBP_PO00-BBP_POITEM,
            ACGUID    LIKE /BI0/ABBP_PO00-BBP_ACGUID,
            SCNUM     LIKE /BI0/ABBP_SC00-BBP_SC_ID,
            SCITEM    LIKE /BI0/ABBP_SC00-BBP_SCITEM,
            REQSTR    LIKE /BI0/ABBP_SC00-BBP_REQSTR.
    DATA: END of t_JOIN1.
             SELECT a~BBP_CON_ID
                    a~BBP_COITEM
                    a~BBP_PO_ID
                    a~BBP_POITEM
                    b~BBP_ACGUID
                    c~BBP_SC_ID
                    c~BBP_SCITEM
                    c~BBP_REQSTR
               INTO TABLE t_JOIN1
               FROM /BI0/ABBP_CON00 as a
         INNER JOIN /BI0/ABBP_PO00  as b
                 ON aBBP_PO_ID  =  bBBP_PO_ID AND
                    aBBP_POITEM =  bBBP_POITEM
         INNER JOIN /BI0/ABBP_SC00  as c
                 ON bBBP_SC_ID  =  cBBP_SC_ID
                AND bBBP_SCITEM =  cBBP_SCITEM
                FOR ALL ENTRIES IN  DATA_PACKAGE
              WHERE a~BBP_CON_ID =  DATA_PACKAGE-BBP_CON_ID AND
                    a~BBP_COITEM =  DATA_PACKAGE-BBP_COITEM AND
                    a~BBP_COITEM <> 0 AND
                    b~BBP_ACGUID <> '0000' AND
                    c~BBP_SCITEM <> 0.

  • Strange nexus behavior

        I'll try to explain this best i can .   We have  2 6509's  running port channels down to 2 Nexus 7000' where the 7000's are running vpc .  All the routing is still being done on the 6509's .   The nexus 7000's only have routing running via separate ospf links back to the 6509's . The plan is to eventually have the routing on the nexus so we have all the layer 3 SVI's that are on the 6509's defined on the 7000's  with hsrp but all are admin down on the 7000's for now.  On the 7000's all the routing looks correct with all the ip routes being learned on the separate ospf links.  This is the strange thing from the 7000's if try to ping  the svi addresses both the primary and secondary addresses on the 6509's they  ping fine but if you try to ping any hsrp virtual address none of those ping .  The really strange thing we see in the routing table on the 7000's  is that hsrp virtual  is put into the ospf table as a /32  with a source of the vlan that it is on on the 7000's which is admin'd down so obviously that traffic is not going to go anywhere if it's trying to send it down a admin down SVI  . The actual subnet that the SVI is in is a /24 .   So what we tried is we removed the downed svi on both 7000's and then cleared that /32  virtual address and it works correctly  and the route for that address looks correct being the ospf uplinks to the 6509's . I'm not sure what to make of it . Is there some inherent difference in the way the Nexus handles hsrp even if it's admin'd down?   Or can anyone explain this behavior .  I will add this if you stick a device in that vlan on  either the 7000's or a nexus 5000 which is below the 7000's configured with an address and the virtual address as the gateway  it rides the vpc's as it should up from the 5000's to the 7000's and up  to the 6509s .  You can also ping the hsrp virtual from this device . The problem just seems to be with the nexus 7000 and ospf  and the hsrp virtual address being in the table as a /32 pointing to a vlan which is admi'd down on the 7000's .  Strange.   Any speculation welcome...

      Well there seems to be at least 2 or 3 bugs that are fairly close to this so my guess is it is a bug .  Seems like there is more hsrp bugs than there should be on the Nexus platform.   The only problem with this is a "clear ip route *"  does not fix what we are seeing so we really don't have a fix for this issue.
    STP vPC: route still installed after no hsrp
    CSCuh07613
    Description
    Symptom:
    hsrp vip is down by "shutdown" or "no hsrp", but route still installed
    Conditions:
    - On a N7k running 6.2(2)/6.2(2a) when a new SVI is created and HSRP is configured.
    - disable hsrp by "no hsrp " or shutdown interface.
    Workaround:
    clear ip route *
    Further Problem Description:
    Customer Visible
    Was the description about this Bug Helpful?
    (0)
    Last Modified:
    Jan 2,2014
    Status:
    Fixed
    Severity:
    3 Moderate
    Product:
    Cisco Nexus 7000 Series Switches
    Support Cases:
    5
    Known Affected Releases:
    (2)
    6.2(1.111)S5
    6.2(2a)

  • [SOLVED]Very strange laptop behavior: keymap changing on fly

    I have had arch up and running on my Lenovo T440s without issue for over 2 months now.  Today I ran into some very strange behavior.  After being on for about 45 minutes, with only a browser and thunderbird running, the keyboard started being selective in which keys woud work.  I could no longer mange the windows with my normal AwesomeWM key bindings.  The only thing I could do was restart by turning off and back on.  I checked journalctl and there had been a weird message around the time the error occured, something along the lines of "HKEY error 0x600, unknown thermal alarm or keyboard input".
    Now I can barely login, ocassionally I can get my credentials input before the machine stops reading in certain letters.  When I use xterm rather than the usual urxvt the letters are all some different unicode symbols, it's like the keymap has been changed to something bizarre on the fly, right after loading up.  The time at which this issue arises is not predicatable, sometimes I can get further before it happens.  For example, sometimes I can't even enter my username and other times I get a few minutes, just enough to try to enable sshd so I can effectively troubleshoot remotely.  I was able to run an update and install lm_sensors remotely.  The cpu temps are right at or below 40 deg C.
    Any ideas on how to debug this would be very appreciated.
    Dave
    Last edited by dam5h (2014-07-01 13:04:20)

    Hello, thank you for the reply.
    Actually this is a laptop so the keyboard is internal.  However I have input a usb keyboard from my desktop to try to isolate the issue when it occurs.  I get the same behavior out of my desktop usb keyboard.
    I am seeing no messages in the journal when the event occurs (since that one mentioned above happened yesterday).  The problem has since arisen about 20 times and I am not getting any messages.  Perhaps there is a verbosity setting in the journalctl config, I haven't yet had time to look into that.
    Two other oddities /clues are:
    1. When I go into the BIOS, I cannot get consistent response from the keys.  At first the bios just beeps at me when I try to use the arrows of other keys, although usually eventually they start working.  At first I thought this may have to do with me pressing several keys to initiate the bios rapidly as the boot is so fast, but now I'm not sure that's it--based on the amount of time that the unresponsive beep alarm is occuring for (sometimes I stop waiting and restart).
    2. When I get the bad behavior, I am able to put the machine to sleep (suspend) temporarily by closing the lid for 5 secs and reopening it.  After doing this I get normal keyboard behavior for another few minutes before it goes wonky again.
    I need this machine for work in the evenings so any help troubleshooting would be very appreciated.  Will probably be calling lenovo soon, but given that I altered the OS from preinstalled windows they may not be very helpful.

  • Strange Transaction Behavior

    Using WLS6.0, sp 1, EJB2.0 CMP Entity Beans:
              If I modify 2 existing Entity EJBs (an Order EJB and an OrderLineItem
              EJB, for example) within a single user transaction and an exception
              occurs, modifications to both entities are rolled back (as expected).
              However, if I create an new Order EJB and a new OrderLineItem EJB from
              within the same user transaction and an exception occurs trying to
              create the OrderLineItem, rather than rolling back both inserts, the
              Order is still created (a new row is inserted into the order table in my
              database) with no corresponding OrderDetail (no new row is inserted into
              the order_detail table). I would expect that either both inserts
              succeed, or they both fail Is this counter-intuitive behavior that I am
              observing correct, or I am missing something simple here? This is all
              pretty new to me, so I would appreciate any help or suggestions.
              Thanks!
              Tim Perrigo
              

    It looks like a was missing something simple...my EBs were deployed using a
              "regular" datasource, rather than a TxDatasource. After changing the
              datasource in the descriptor and redeploying, rollbacks seem to be working
              as expected.
              Tim
              

Maybe you are looking for

  • Slow boot from external usb drive

    I just upgraded my daughter's macbook to the latest fixes on her internal drive. I reformatted her external LaCie drive to Mac OS Extended(Journaled) and did a restore. I did notice that there are less files on the internal than the external drive wh

  • Material Ledger activation at Company Code Level

    Hi All, I have a requirement where Material Ledger need to be activated at Company level and not at single Plant Level. We are about to implement ML and would like to have periodic unit price calculated at company code level  (e.g. 1 material, 4 plan

  • I can't play any sort of media on my bb curve 8520

    I received this phone from my dad who got a newer version. Everything was working fine when he had it, but I took it I went through "security options" and pressed a "security erase" everything he had was reset in order for me to be able to configure

  • With APTT and Adobe Reader QTP spy on a PDF document causes Adobe Reader to stop working

    Hi, We have the below configurations, QTP Version 11 Adobe Reader 10.1.2 Adobe PDF Test Toolkit for Adobe Reader 10.1.1 onwards Windows 7 64 bit OS Internet Explorer 8 QTP shows AcroQTP in the Add-in page. But when an object Spy is done on a PDF docu

  • Primary Archivelog Management When Using Logical Standby

    I was wondering if anyone has seen or created a script to do archivelog management when using standby databases. We recently had an experience where our standby database and primary database got out of sync and we had to recreate the standby....I had