How to find revision level

hi my requirement is that,
i have to get the revision level for each material number in a specific plant,
is there any function module which can get this data,
actually this revision level has to be brought from table AEOI table,
but its key fields are
AENNR
AETYP
OBJKT
i donot know how to get these fields.
can some one help.
thanks & rgds.

hi charlie,
thanks for the response,
actually my problem was that the table AEOI had the value to be extracted but i didnot have input fields to retrive that value, what all i had were material number and plant,
so i was asking how to find the link between matnr, werks and  fields  aennr, aetyp, objkt.
anyways, i found from sdn that, we can pass matnr as objkt, and aetyp as 41( for material) ,
and out of the records retieved latest would bare the correct revlv.
thanks.

Similar Messages

  • How to find revision number on my macbook ?

    How to find revision number on my macbook ?

    Wrong question, as there has been no formal revision number issued by Apple. What you may have seen on some postings about revision C, D, etc. is probably no more than rumor.
    You can get some information about the place and date of production of your computer by selecting the "Blue Apple" in your menu bar, then selecting About this Mac. Press More, then look at your serial number.
    My serial number is W8612xxxxx..
    "W8" lists the production location in China.
    "612" means that my MBP was produced in the 12th week of 2006.
    One of the defects in early production runs was a noisy inverter for the LCD screen. It's likely that that was a parts problem that was remedied in progress of production. My "week 12" MBP has no problems at all.
    My MBP runs a bit hot, but within specs. For that matter, I found the TiBook it replaced was uncomfortably warm as a laptop. There's a simple remedy if you want work in laptop mode. Just put something -- a notebook, a rigid plastic sheet a few millimeters thick or the like -- under the MBP and you (and the computer) will be more comfortable.

  • How to find the level of each child table in a relational model?

    Earthlings,
    I need your help and I know that, 'yes, we can change'. Change this thread to a answered question.
    So: How to find the level of each child table in a relational model?
    I have a relacional database (9.2), all right?!
         O /* This is a child who makes N references to each of the follow N parent tables (here: three), and so on. */
        /↑\ Fks
       O"O O" <-- level 2 for first table (circle)
      /↑\ Fks
    "o"o"o" <-- level 1 for middle table (circle)
       ↑ Fk
      "º"Tips:
    - each circle represents a table;
    - red tables no have foreign key
    - the table in first line of tree, for example, has level 3, but when 3 becomes N? How much is N? This's the question.
    I started thinking about the following:
    First I have to know how to take the children:
    select distinct child.table_name child
      from all_cons_columns father
      join all_cons_columns child
    using (owner, position)
      join (select child.owner,
                   child.constraint_name fk,
                   child.table_name child,
                   child.r_constraint_name pk,
                   father.table_name father
              from all_constraints father, all_constraints child
             where child.r_owner = father.owner
               and child.r_constraint_name = father.constraint_name
               and father.constraint_type in ('P', 'U')
               and child.constraint_type = 'R'
               and child.owner = 'OWNER') aux
    using (owner)
    where child.constraint_name = aux.fk
       and child.table_name = aux.child
       and father.constraint_name = aux.pk
       and father.table_name = aux.father;Thinking...
    Let's Share!
    My thanks in advance,
    Philips
    Edited by: BluShadow on 01-Apr-2011 15:08
    formatted the code and the hierarchy for readbility

    Justin,
    Understood.
    Nocycle not work in 9.2 and, even that would work, would not be appropriate.
    With your help, I decided a much simpler way (but there is still a small problem, <font color=red>IN RED</font>):
    -- 1
    declare
      type udt_roles is table of varchar2(30) index by pls_integer;
      cRoles udt_roles;
    begin
      execute immediate 'create user philips
        identified by philips';
      select granted_role bulk collect
        into cRoles
        from user_role_privs
       where username = user;
      for i in cRoles.first .. cRoles.count loop
        execute immediate 'grant ' || cRoles(i) || ' to philips';
      end loop;
    end;
    -- 2
    create table philips.root1(root1_id number,
                               constraint root1_id_pk primary key(root1_id)
                               enable);
    grant all on philips.root1 to philips;
    create or replace trigger philips.tgr_root1
       before delete or insert or update on philips.root1
       begin
         null;
       end;
    create table philips.root2(root2_id number,
                               constraint root2_id_pk primary key(root2_id)
                               enable);
    grant all on philips.root2 to philips;
    create or replace trigger philips.tgr_root2
       before delete or insert or update on philips.root2
       begin
         null;
       end;
    create table philips.node1(node1_id number,
                               root1_id number,
                               node2_id number,
                               node4_id number,
                               constraint node1_id_pk primary key(node1_id)
                               enable,
                               constraint n1_r1_id_fk foreign key(root1_id)
                               references philips.root1(root1_id) enable,
                               constraint n1_n2_id_fk foreign key(node2_id)
                               references philips.node2(node2_id) enable,
                               constraint n1_n4_id_fk foreign key(node4_id)
                               references philips.node4(node4_id) enable);
    grant all on philips.node1 to philips;
    create or replace trigger philips.tgr_node1
       before delete or insert or update on philips.node1
       begin
         null;
       end;
    create table philips.node2(node2_id number,
                               root1_id number,
                               node3_id number,
                               constraint node2_id_pk primary key(node2_id)
                               enable,
                               constraint n2_r1_id_fk foreign key(root1_id)
                               references philips.root1(root1_id) enable,
                               constraint n2_n3_id_fk foreign key(node3_id)
                               references philips.node3(node3_id) enable);
    grant all on philips.node2 to philips;
    create or replace trigger philips.tgr_node2
       before delete or insert or update on philips.node2
       begin
         null;
       end;                          
    create table philips.node3(node3_id number,
                               root2_id number,
                               constraint node3_id_pk primary key(node3_id)
                               enable,
                               constraint n3_r2_id_fk foreign key(root2_id)
                               references philips.root2(root2_id) enable);
    grant all on philips.node3 to philips;
    create or replace trigger philips.tgr_node3
       before delete or insert or update on philips.node3
       begin
         null;
       end;                          
    create table philips.node4(node4_id number,
                               node2_id number,
                               constraint node4_id_pk primary key(node4_id)
                               enable,
                               constraint n4_n2_id_fk foreign key(node2_id)
                               references philips.node2(node2_id) enable);
    grant all on philips.node4 to philips;
    create or replace trigger philips.tgr_node4
       before delete or insert or update on philips.node4
       begin
         null;
       end;                          
    -- out of the relational model
    create table philips.node5(node5_id number,
                               constraint node5_id_pk primary key(node5_id)
                               enable);
    grant all on philips.node5 to philips;
    create or replace trigger philips.tgr_node5
       before delete or insert or update on philips.node5
       begin
         null;
       end;
    -- 3
    create table philips.dictionary(table_name varchar2(30));
    insert into philips.dictionary values ('ROOT1');
    insert into philips.dictionary values ('ROOT2');
    insert into philips.dictionary values ('NODE1');
    insert into philips.dictionary values ('NODE2');
    insert into philips.dictionary values ('NODE3');
    insert into philips.dictionary values ('NODE4');
    insert into philips.dictionary values ('NODE5');
    --4
    create or replace package body philips.pck_restore_philips as
      procedure sp_select_tables is
        aExportTablesPhilips     utl_file.file_type := null; -- file to write DDL of tables   
        aExportReferencesPhilips utl_file.file_type := null; -- file to write DDL of references
        aExportIndexesPhilips    utl_file.file_type := null; -- file to write DDL of indexes
        aExportGrantsPhilips     utl_file.file_type := null; -- file to write DDL of grants
        aExportTriggersPhilips   utl_file.file_type := null; -- file to write DDL of triggers
        sDirectory               varchar2(100) := '/app/oracle/admin/tace/utlfile'; -- directory \\bmduhom01or02 
        cTables                  udt_tables; -- collection to store table names for the relational depth
      begin
        -- omits all referential constraints:
        dbms_metadata.set_transform_param(dbms_metadata.session_transform, 'REF_CONSTRAINTS', false);
        -- omits segment attributes (physical attributes, storage attributes, tablespace, logging):
        dbms_metadata.set_transform_param(dbms_metadata.session_transform, 'SEGMENT_ATTRIBUTES', false);
        -- append a SQL terminator (; or /) to each DDL statement:
        dbms_metadata.set_transform_param(dbms_metadata.session_transform, 'SQLTERMINATOR', true);
        -- create/open files for export DDL:
        aExportTablesPhilips := utl_file.fopen(sDirectory, 'DDLTablesPhilips.pdc', 'w', 32767);
        aExportReferencesPhilips := utl_file.fopen(sDirectory, 'DDLReferencesPhilips.pdc', 'w', 32767);
        aExportIndexesPhilips := utl_file.fopen(sDirectory, 'DDLIndexesPhilips.pdc', 'w', 32767);
        aExportGrantsPhilips := utl_file.fopen(sDirectory, 'DDLGrantsPhilips.pdc', 'w', 32767);
        aExportTriggersPhilips := utl_file.fopen(sDirectory, 'DDLTriggersPhilips.pdc', 'w', 32767);
        select d.table_name bulk collect
          into cTables -- collection with the names of tables in the schema philips
          from all_tables t, philips.dictionary d
         where owner = 'PHILIPS'
           and t.table_name = d.table_name;
        -- execution
        sp_seeks_ddl(aExportTablesPhilips,
                     aExportReferencesPhilips,
                     aExportIndexesPhilips,
                     aExportGrantsPhilips,
                     aExportTriggersPhilips,
                     cTables);
        -- closes all files
        utl_file.fclose_all;
      end sp_select_tables;
      procedure sp_seeks_ddl(aExportTablesPhilips     in utl_file.file_type,
                             aExportReferencesPhilips in utl_file.file_type,
                             aExportIndexesPhilips    in utl_file.file_type,
                             aExportGrantsPhilips     in utl_file.file_type,
                             aExportTriggersPhilips   in utl_file.file_type,
                             cTables                  in out nocopy udt_tables) is
        cDDL       clob := null; -- colletion to save DDL
        plIndex    pls_integer := null;
        sTableName varchar(30) := null;
      begin
        for i in cTables.first .. cTables.count loop
          plIndex    := i;
          sTableName := cTables(plIndex);
           * Retrieves the DDL and the dependent DDL into cDDL clob       *      
          * for the selected table in the collection, and writes to file.*
          begin
            cDDL := dbms_metadata.get_ddl('TABLE', sTableName, 'PHILIPS');
            sp_writes_ddl(aExportTablesPHILIPS, cDDL);
          exception
            when dbms_metadata.object_not_found then
              null;
          end;
          begin
            cDDL := dbms_metadata.get_dependent_ddl('REF_CONSTRAINT', sTableName, 'PHILIPS');
            sp_writes_ddl(aExportReferencesPhilips, cDDL);
          exception
            when dbms_metadata.object_not_found2 then
              null;
          end;
          begin
            cDDL := dbms_metadata.get_dependent_ddl('INDEX', sTableName, 'PHILIPS');
            sp_writes_ddl(aExportIndexesPhilips, cDDL);
          exception
            when dbms_metadata.object_not_found2 then
              null;
          end;
          begin
            cDDL := dbms_metadata.get_dependent_ddl('OBJECT_GRANT', sTableName, 'PHILIPS');
            sp_writes_ddl(aExportGrantsPhilips, cDDL);
          exception
            when dbms_metadata.object_not_found2 then
              null;
          end;
          begin
            cDDL := dbms_metadata.get_dependent_ddl('TRIGGER', sTableName, 'PHILIPS');
            sp_writes_ddl(aExportTriggersPhilips, cDDL);
          exception
            when dbms_metadata.object_not_found2 then
              null;
          end;
        end loop;
      end sp_seeks_ddl;
      procedure sp_writes_ddl(aExport in utl_file.file_type,
                              cDDL    in out nocopy clob) is
        pLengthDDL  pls_integer := length(cDDL);
        plQuotient  pls_integer := null;
        plRemainder pls_integer := null;
      begin
          * Register variables to control the amount of lines needed   *
         * for each DDL and the remaining characters to the last row. *
        select trunc(pLengthDDL / 32766), mod(pLengthDDL, 32766)
          into plQuotient, plRemainder
          from dual;
          * Join DDL in the export file.                            *
         * ps. 32766 characters + 1 character for each line break. *
        -- if the size of the DDL is greater than or equal to limit the line ...
        if plQuotient >= 1 then
          -- loops for substring (lines of 32766 characters + 1 break character):
          for i in 1 .. plQuotient loop
            utl_file.put_line(aExport, substr(cDDL, 1, 32766));
            -- removes the last line, of clob, recorded in the buffer:
            cDDL := substr(cDDL, 32767, length(cDDL) - 32766);
          end loop;
        end if;
          * If any remains or the number of characters is less than the threshold (quotient = 0), *
         * no need to substring.                                                                 *
        if plRemainder > 0 then
          utl_file.put_line(aExport, cDDL);
        end if;
        -- record DDL buffered in the export file:
        utl_file.fflush(aExport);
      end sp_writes_ddl;
    begin
      -- executes main procedure:
      sp_select_tables;
    end pck_restore_philips;<font color="red">The problem is that I still have ...
    When creating the primary key index is created and this is repeated in the file indexes.
    How to avoid?</font>

  • How to find High level water mark

    Hi all,
    How to find high level water mark of a table.
    Thanks,
    Bhanu Chander.

    Probably you mean High Water Mark.
    select blocks from user_segments where segment_name='YOUR TABLE';
    exec dbms_stats.gather_table_stats('YOU','YOUR TABLE')
    select blocks from user_tables where table_name='YOUR TABLE';
    subtract the last number from the first number. That is where your High Water Mark stands.
    Kind regards
    Uwe
    http://uhesse.wordpress.com
    Correction: The last number is where your HWM stands. The difference between the two numbers is the amount of blocks where no row has been yet :-)
    Edited by: Uwe Hesse on 26.06.2009 21:00

  • How to map revision level materials to already created inspection plan?

    Dear All,
    I have created single inspection plan for many existing raw materials. Now it has been found that each raw material have different revision level as well as valid from date.
    My inspection plan is created on 02.07.2014 and each raw material has different revision level with valid from date which is also very old (like 11.03.2012 for revision level 09).
    My Requirement is:  how to correct my inspection plan?,  so that it will work for each assigned raw material and there will not be any material revision level wise problem created for the inspection lot so that my inspection lot should be created in REL status in QA32 transaction i.e. inspection lot is assigned automatically as per standard SAP functionality.
    Thanks,
    Narresh

    Hi Amol,
    Thanks for your reply.
    In this business scenario, we are not creating inspection plan for each raw material because there is similarity in inspection for 40-50 raw materials and total number of raw materials are around 500. This will be very difficult and unnecessarily data creation in the system.
    As per my understanding revision level is for material master revision and if material master changes then how it affect so much on inspection plan? also is it means that for every revision in future we will have to create new inspection plan?  hence I believe that if I will make back dated inspection plan for raw materials then it may work. Is my understanding is correct?
    Expecting much better solution from QM experts.
    Thanks,
    Narresh

  • How to find kernel level

    hi guys
    can anyone tel me how to find the kernel level with out going to os.. i hav to check the kernel level in my portal screen..
    regards
    kamal..

    open the url
    http://<yourportal FQDN>:<portno>/index.html
    click system information
    There you find all the information of the Kernal and many others
    You can find Kernal version and patch level under  Server0.
    Raghu

  • How to find the level of an n-ary tree

    I have a n-ary tree. I traverse this tree using Breadth First and using queues to store the nodes that I encounter.
    Can anyone tell me how to find the current level I am in this n-ary tree

    How do I do that...My mind is drawing a blank totally
    This code does a breadth first traversal
    private void processTree(Node node) {
    LinkedList queue = new LinkedList();
    queue.addLast(node);
    while (queue.size() > 0) {
         Node node1 =(Node)queue.removeFirst();
         if (node1 != null) {
              processNode(node1);//Do some processing on this node
              NodeList nodeList = node1.getChildNodes();
              for (int i = 0; i < nodeList.getLength(); i++) {
                        queue.addLast(nodeList.item(i));
    Using this how can I determine the level. Since Im visiting each node of a particular level how do I know that a level is over and Im now visitng the next level?

  • How to find first level WBS from Lower Level WBS

    My client is posting cost at wbs which will be at level 5 or 6 and i need to find 1st level wbs for that 5 or 6 level wbs..
    So Is there any Function module to find 1st level wbs from any lower levels...
    or any suitable code?

    Hi Sachin,
    in table PRHI you have the relationship between a WBS element and its superior level WBS element.
    For example:
    Level 1: XYZ (internal code PSPNR: 00000001)
    ..Level 2: ABC (internal code PSPNR: 00000002)
    ..Level 2: DEF (internal code PSPNR: 00000003)
    ....Level 3: PQR (internal code PSPNR: 00000004)
    ...then in table PRHI you'll have:
    PRHI-POSNR = 00000001 ... PRHI-UP = 00000000
    PRHI-POSNR = 00000002 ... PRHI-UP = 00000001
    PRHI-POSNR = 00000003 ... PRHI-UP = 00000001
    PRHI-POSNR = 00000004 ... PRHI-UP = 00000002
    ...meaning:
    WBS element XYZ is top level
    WBS element ABC depends of WBS element XYZ
    WBS element DEF depends of WBS element XYZ
    WBS element PQR depends of WBS element DEF
    Then you can iteratively (or recursively) "climb up" the structure of the project until the WBS element of level 1.
    I hope this helps. Best regards,
    Alvaro

  • How to find top level object on a given layer?

    I need to assign it to a var...
    var topLevelObj = app.activeDocument.layers.name("foo")... whatever is on top of that stack...
    ...this is probably not correct but you know what I mean

    Jump_Over wrote:
    Hi,
    top level object is the first in a collection:
    var fooLayerTopObj = app.activeDocument.layers.item("foo").pageItems[0]
    Jarek
    I'm not very good in ID-scripting, but I think this isn't good enough to find topmost item of a layer.
    Why?
    - create a new document
    create a polygon
    create a rectangle
    create an ellipse
    create a line
    Run this script snippet:
    var pI = app.activeDocument.layers.item(0).pageItems;
    for (i=0; i<=pI.length-1; i++) {
    pI[i].select();
    alert (i);
    pI[i].locked = true;
    Do you see, which element pageItems[0] is?

  • How to find Project Level Text Custom Fields in Project Server 2010 databases?

    Hello,
    We are using Project Server 2010 SP2 in SEM Mode. We are planning to use Project Level Local Custom fields and we want to pull them in reports using SSRS, so I am wondering which table these "Local" (non enterprise) custom fields are stored in
    database.
    Any suggestions?
    Regards,
    Kishore Dodda
    Kishore Dodda

    Hi,
    Please see this
    similar thread about reading local custom fields though the PSI.
    Hope this helps,
    Guillaume Rouyre, MBA, MVP, P-Seller |

  • How to find function module in se37

    hello friends,
    i am supposed to extract revesion level, matnr, plant from sap to an excel sheet.
    matnr and plant we can get from marc or mara, but i could not find revision level on these tables.
    the technical name is REVLV
    i searched for function modules in se37 i got 3 function modules, but there was no documentation,
    how does anyone get tpo know which function module  works for them , with out  having documentation.

    Hi,
    What is your requirement actually and what purpose I did't get you
    any how I got these below FMs which is having the field REVLV
    you can go through below FMs.
    /SAPHT/DRM_MAT_BOM_READ
    API_DOCUMENT_MAINTAIN2
    API_DOCUMENT_SAVE_BOM
    BAPI_DOCUMENT_CHANGE2
    BAPI_DOCUMENT_CHECKIN2
    BAPI_DOCUMENT_CHECKIN_REPLAC
    BAPI_DOCUMENT_CHECKOUTCANCEL
    BAPI_DOCUMENT_CHECKOUTMODIFY
    BAPI_DOCUMENT_CHECKOUTSET2
    BAPI_DOCUMENT_CHECKOUTVIEW2
    BAPI_DOCUMENT_CREATE2
    BAPI_DOCUMENT_CREATEFROMSRC2
    BAPI_DOCUMENT_CREATENEWVRS2
    BAPI_DOCUMENT_GETLATEST
    BAPI_DOCUMENT_GETLATEST2
    BAPI_DOCUMENT_GETSTRUCTURE
    BAPI_DOCUMENT_WHEREUSED
    BBP_PROD_REVLV_CHECK
    C14SX_BAPI_DOC_CREATE2
    C14SX_BAPI_DOC_CREATE2_EXIT
    CAD_DISPLAY_BOM_WITH_SUB_ITE
    CAD_ECM_READ
    CDESK_CALL_CHECKOUT_WIZARD
    CDESK_CHECKOUT_WIZARD
    CDESK_CHECKOUT_WIZARD_RFC
    CDESK_GET_STRUCTURE
    CDESK_WHERE_USED
    CM_DI_PROCEED_MAT_PROV
    CO_SD_BOM_SELECT_DIALOG
    CSAP_DOC_BOM_CREATE
    CSAP_DOC_BOM_DELETE
    CSAP_DOC_BOM_MAINTAIN
    CSAP_DOC_BOM_READ
    CSAP_MAT_BOM_CREATE
    CSAP_MAT_BOM_DELETE
    CSAP_MAT_BOM_MAINTAIN
    CSAP_MAT_BOM_OPEN
    CSAP_MAT_BOM_READ
    CSEP_MAT_BOM_READ
    CS_RT_DIALOG_CALL
    CV115_ECN_CHECK
    CV115_ECN_REVLEVEL_SET
    CVAPI_DOC_CHANGE
    CVAPI_DOC_CREATE
    CVAPI_DOC_MAINTAIN
    DMU_DOC_BOM_EXPLODE
    DMU_DOC_BOM_READ
    DMU_MAT_BOM_EXPLODE
    DMU_MAT_BOM_READ
    EXIT_SAPLQAAT_002
    EXIT_SAPLQBCK_001
    EXIT_SAPLQBCK_003
    EXIT_SAPLQPL1_001
    MB_CHECK_MPN_RELATION
    MB_CHECK_MPN_VALIDITY
    MB_MPN_CHANGE_READ_DATA
    MB_SEARCH_HTN_MATERIAL
    MEPO_CONFIRMATION_PAI
    MEPO_CONFIRMATION_PBO
    MEX_CHECK_REVISIONSSTAND
    ME_CONFIRMATION_MAINTAIN
    ME_SEARCH_REVISION_LEVEL
    MMPUR_Q_INFORECORD_DISPLAY
    QAAT_CHECK_QM
    QBCK_INSP_TYPE_LIST
    QBCK_INSP_TYPE_NEXT
    QBCK_QINF_LIEF_ZAEHL
    QBCK_QINF_QUANTITY_CHANGE
    QBCK_QINF_READ
    QBCK_QM_DOCUMENT_TEXTS
    QBCK_QM_GR_CHECK
    QBCK_QM_PUR_CHECK
    QBCK_QM_PUR_MNG_UPD
    QBCK_QM_SYSTEMS_COMPARE
    QBCK_VB_QINF_PLOS2_POST
    QBCK_VE_QINF_STATUS
    QELA_QINF_SELECT
    QPAP_PLAN_SELECT
    QPL1_CHECK_CREATE_POSITION
    QSS1_QINF_SHOW
    QSS2_REVLV_F4
    RFC_DISPLAY_BILL_OF_MATERIAL
    ZQM_CREATE_05_INSPECTION_LOT
    Regards
    Ganesh

  • Revision level changes in PO

    Hi ,
    This is regarding the " PO output that is sent to vendor which is deviated from print preview copy"
    The material mentioned in line item of  a PO  shows Revision as " Rev. 02"  in the PO .In System Print preview output, the line item shows revision  as "Rev. 02" while the vendor is receiving a PO copy of  "Rev 01".  Can any one help me to how to change revision level in output also to "Rev 02".
    Thanks in advance,
    Rajeev.

    Hi,
    I have took the Print out of the PO from my system and the Revision level of the material is " Rev 02" . I also collected the PO from customer which was trigerred to him directly after i  create a PO. The material is shown as " Rev 01" in the customer PO. Can any one clarify me how to show "Rev 02" for the material in the customer PO also?.
    Thanks
    Rajeev

  • How to get first level BOM material if I know 4th level material code only?

    Dear all,
    I have 4th level BOM material only. How to find first level ( finish material) BOM material ?
    We can find bottom level material easily through CS11 if we know top level material.
    But how to find top material if we don't know ? we know only bottom most material.........
    Thanks....

    Kishore,
    Multiple runs of "CS15" will help you.
    Regards,
    Prasobh

  • Material revision level

    Hi,
    What is the procedure to assign Revisin level to already existing Material .
    and tables where Revision level is reflected
    Thanks

    My requirment is to   assign new  Revision level to material and change revision level of already existing revision levels of material.  and to display Purchase order with material with revision level.
    for already existing material with  revision level , Purchase Order and Delivery Schedule is showing Revision level.
    (Revision level is assigned using CC11 and stored in table AEOI).  it is updated to table ekpo.
    for PO and Delivery schedule , m picking data field from EKPO-REVLV.
    and it is working fine. PO an DS shows REVISION LEVEL field.
    ( above case was during implementation )
    but for last one year no one updated the revision level  of material.
    now requirement is to update the material with revision level.
    But the Problem when i try to assign new revision level to material or want to change the already existing revision level of material then ,it is assigned to material with CC11 and CC12 and  shown in table AEOI . but revision value is not updated to table EKPO for field REVLV . so by thins  PO and Delivery schedule is coming without  revision level.
    how to reflect revision level assigned to material to table EKPO ? may be m missing some step ...
    i checked OS54 table
    my OS54 settings are
    REV LEV ACT                   (active)
    Ext. Revision Level            (inactive)
    Higher REV Level              (Active)
    Rev Lev Automatically      (inactive )
    Effect  Profile                    ECN00001
    Please give me kind suugestions ....
    Thanks

  • Cannot find the Revision Level field in the item details

    Hi All,
    1) I have created a PR with 2 items in the R/3 Backend using the me51n transaction in which for one of the items i have updated the Revision Level field.
    2) To transfer the purchase requisitions created in the above step to the SRM system(sourcing cockpit) i executed  the report BBP_EXTREQ_TRANSFER with transaction SE38.
    3) Now when i go to the SRM portal and navigate to find the external requirement in the sourcing cockpit, I am not able to find the Revision Level field entered in the backend.
    Can some one help.
    Regards
    Sam

    Hi
    Please go through this ->
    Version Management in R/3
    http://help.sap.com/saphelp_47x200/helpdata/en/8a/60b43bb7492147e10000000a114084/frameset.htm
    Versioning in SRM
    http://help.sap.com/saphelp_srm50/helpdata/en/42/c92d6e3ed16babe10000000a1553f6/frameset.htm
    Prerequisites for Version Control in SRM
    I)        You have activated the version control so that the system creates historical versions.
    See the path in the IMG: SRM Server  ®  Cross-Application Basic Settings  ®  Switch On Version Control for Purchasing Documents
    II) You have set up and activated the workflow for the approval of changes to active purchasing documents. See also: Approval Workflows for Documents and Objects
    ( Related link -> http://help.sap.com/saphelp_srm50/helpdata/en/5a/af5efc85d011d2b42d006094b92d37/frameset.htm )
    Some related SAP OSS Notes ->
    Note 1030548 - Revision level in SRM 6.0 connected to ERP 2005
    Note 1026021 - EXTREQ interface: Data transfer structures
    Note 122105 - ME51, RM06BBI0: Revision level is not filled
    Hope this will definitely help.
    Regards
    - Atul

Maybe you are looking for

  • I have two apple ids

    one from years ago which is the one I use for iTunes and a me.com one. Totally confused about which I should use for iCloud. When I installed ios5 on iPhone I used me.com then could not access previous purchased apps etc but iMessage is running via t

  • Solution Manager 7.0 Install Error

    Morning Experts, I'm installing a central instance on windows 2003 vm, 8gb ram, 200gb disk space, MS SQl Server 2005.  During install it gets to the point of starting the intance and times out.  Here's the error: This was in the startBPC log (bpc nam

  • Oracle 11g / built in apex_admin not logging in.

    hi all. i have installed windows xp on a clean hd. then installed oracle 11g and completed all post installation tasts for apex as follows:-   1.   Ran @apxconf.sql   2.  Unlocked Anonymous user   3.  Disabled and then Enabled Oracle XML DB HTTP Serv

  • Sun ONE Web Server 6.1SP4 - Crashing

    I am getting the below while starting the web server instance. I have checked with the OS support team and they confirmed that the system is upto date with all the OS patches. Can someone please help? Sun ONE Web Server 6.1SP4 B01/20/2005 17:43 catas

  • Problem regarding Heigt property of data records being printed

    Hi, in my report normally up to 100 are printed. i setted the vertical elasticity as expand and horizontal as fixed. but while priting, in vertical, it is contracting if date is too short enough and expanding when dat is large enough. But what my req