Use of revision no,revision date field in bom header details screen

Hi all,
Please let me know use of revision no,revision date field(customer fields tab) in bom header details screen.I tried with F1 ,no information.
Thanks
Sukumar

Dear,
In standard SAP in BOM header overview there are 4 tabs.
Quants/Long text.
Further Data
Admin Data
Doc Assignment.
I think Customer fields tab may be customized based on client's requirement.
I Know about revision level. It Identifies the change status of a material.
The revision level can be uniquely assigned to changes made using a change number.
Hope this helps. Correct me if i my understanding of the problem is  wrong.
Thanks and Regds
Sridhara K N

Similar Messages

  • XMLPub 5.6.3: Data fields missing in Header/Footer

    Hello,
    I am having a problem with an RTF template, where the data fields in the
    template Header or Footer that should display data do not appear at all, while
    the fixed text that is in the Header/Footer is shown.
    This template is built with the start:body/end body syntax to separate
    the fields that belong to the Header/Footer from the body of the report. The
    body has a for-each@section that works fine and a split-by-page-break at the
    end, after the Footer fields.
    I played a little bit with the template and I found out, that:
    - if I change my template not to use the start:body/end body syntax, but I use
    the Header/Footer Word functionality with the explicit field names specified in
    the header or footer, the data fields will not be displayed;
    - if I remove the for-each@section, the data fields in the Header (before the
    start:body) and in the Footer (after the end body) are displayed correctly;
    - if I duplicate in my XML file one of the elements that are in the Header and I put it
    in the child group that is displayed in the repeating section and I add another data
    field in that section, it will display both in the Header and in the repeating section;
    This very template works fine on an E-Biz instance at another customer site, but
    only here it's showing this issue.
    It also looks like a different problem than the one caused by the Microsoft
    security update. In fact, I cannot not find any "/headerr" or "/ footerr"
    strings in the template RTF. (Anyway, is there a patch for version 5.6.3?)
    Can anybody shed some light on this strange issue? Any advice?
    I am using XMLPub Desktop 5.6.3 and MS Word 2000 9.0.6926 SP-3.
    If someone wants to have a look, I've prepared a small test example to show this weird behavior.
    Thanks,
    Paolo

    ashee1,
    Please refer XMLP User Guide Chapter 9. You need to define data definitions and upload the data template to DataTemplate filed.
    Create the Template Definition and upload your RTF Template.
    Create a Report Definition in Concurrent Program/Manager and set the executable as XDODTEXE. make sure the program short name is the same as Data Definition.
    Set the output type as XML and the OPP will pick your RTF Template.
    -Ashish

  • How to change the valid from date of the bom header?

    ECM is active in the system.
    I want to change the valid from date of the BOM header with the help of a change number.
    How can I change it?

    Hello
    Lets assume that, we are going to change Management for controlling Valid From date
    Steps to be followed for creation of Change No
    Tcode CC01 for Change No
    Click on Change Master
    Once you enter into Change master, maintain the description
    In the Valid from Date, maintain the date from which you BOM should be current
    Maintain the Status (01)
    Click on Ojbect Type, maintain for which Object types is the Change no needs to be active i.e. for BOM, Rtg, etc
    save the Change No
    After the change no is created
    Enter the Change No during the creation mode of BOM
    THe system copies the Valid from date from Change No

  • Using DECODE() to insert to DATE field

    I'm trying to use the DECODE function to test for NULL before inserting to a DATE field. However, it seems to only insert the DATE, with a "default" time of 12:00 - it isn't properly inserting the time.
    Basically I need to test if Date1 is NULL. If it isn't I need to concatenate the DATE from Date1 with the TIME from Date2 to get a full date/time... then insert this new value.
    Generic Example:
    CREATE TABLE DATETEST (TestID NUMBER(1), TestDate DATE);
    DECLARE
    v_Date1 DATE;
    v_Date2 DATE;
    BEGIN
    v_Date1 := TO_DATE('01-JAN-11 05:53:12', 'DD-MON-YY HH:MI:SS');
    v_Date2 := TO_DATE('08-FEB-11 02:18:31', 'DD-MON-YY HH:MI:SS');
    INSERT INTO DATETEST (TestID, TestDate) VALUES ('1', DECODE(v_Date1, NULL, NULL, TO_DATE(To_Char(v_Date1, 'DD-MON-YY') || ' ' || TO_CHAR(v_Date2, 'HH:MI:SS'),'DD-MON-YY HH:MI:SS')));
    INSERT INTO DATETEST (TestID, TestDate) VALUES ('2', TO_DATE(To_Char(v_Date1, 'DD-MON-YY') || ' ' || TO_CHAR(v_Date2, 'HH:MI:SS'),'DD-MON-YY HH:MI:SS'));
    END;
    SELECT TestID, TO_CHAR(TestDate, 'DD-MON-YY HH:MI:SS') from DATETEST;
    This example performs two inserts. One with the DECODE function, and one without. The one without inserts the time properly. Can anyone tell me why the one with the DECODE function doesn't? I realize I can use a simple if/then to check if the date is null above and put the date/time in a variable, but since my real scenario is in a large chunk of other stuff, I'm trying to keep it as streamlined as possible.
    Edited by: BoredBillJ on Jul 14, 2011 6:39 AM

    The problem you are having is due to the nature of how DECODE and CASE determine what datatype to return, and you nls_date_format settings. Both use the data type of the first returnable argument to determine all of them. So, in your decode statement, the first returnable value is NULL which, in the absence of a cast (either implicit or explicit), is a varchar2 column. So, if the date is not null, the implicit conversion to a varchar to match the retunr type, then back to date to insert into the table is losing the time. you need something more like:
       INSERT INTO test_date (Test_ID, TestDate)
       VALUES ('1', DECODE(v_Date1, NULL, TO_DATE(NULL),
                                          TO_DATE(To_Char(v_Date1, 'DD-MON-YY') || ' ' ||
                                          TO_CHAR(v_Date2, 'HH:MI:SS'),'DD-MON-YY HH:MI:SS')));Even if you use Solomon's method of generating the date, if you need the decode/case, then you will have to either use the TO_DATE(NULL) or use case instead of decode and reverse the test so the first returnable is a date like:
    SQL> DECLARE
      2     v_Date1 DATE;
      3     v_Date2 DATE;
      4  BEGIN
      5     v_Date1 := TO_DATE('01-JAN-11 05:53:12', 'DD-MON-YY HH:MI:SS');
      6     v_Date2 := TO_DATE('08-FEB-11 02:18:31', 'DD-MON-YY HH:MI:SS');
      7     INSERT INTO test_date (Test_ID, TestDate)
      8     VALUES ('1', CASE WHEN v_date1 IS NOT NULL
      9                       THEN TO_DATE(To_Char(v_Date1, 'DD-MON-YY') || ' ' ||
    10                                    TO_CHAR(v_Date2, 'HH:MI:SS'),'DD-MON-YY HH:MI:SS')
    11                       ELSE NULL END);
    12     INSERT INTO test_date (Test_ID, TestDate)
    13     VALUES ('2', TO_DATE(To_Char(v_Date1, 'DD-MON-YY') || ' ' ||
    14                  TO_CHAR(v_Date2, 'HH:MI:SS'),'DD-MON-YY HH:MI:SS'));
    15  END;
    16  /
    PL/SQL procedure successfully completed.
    SQL> select test_id, to_char(testdate, 'dd-mon-yyyy hh24:mi:ss')
      2  from test_date;
       TEST_ID TO_CHAR(TESTDATE,'DD
             1 01-jan-2011 02:18:31
             2 01-jan-2011 02:18:31John

  • Using a Converter on a date field

    Hi all. I’m having a problem using a converter in JSF. I’m pulling a lot of information from a database and throwing it all on a page. I’ve set up a custom converter for all my values that are of a String type. This converter basically says “if there is something in this variable, put it on the page, otherwise, put ‘N/A’ on the page”. The code for this converter is below:
         public String getAsString(FacesContext context, UIComponent component,
                   Object value)
              String stringValue = value.toString().trim();
              return StringUtils.isNotBlank(stringValue) ? stringValue : "N/A";
    ...This code works. I’m having trouble doing the exact same thing for date fields. If I run it through the same converter, then it will show me the date if there is one, but if there isn’t anything in the variable, it just gives me nothing. No date, no “N/A”, nothing. I’ve seen that there is a separate converter called DateTimeConverter, but it looks like this is basically just used to format the date.
    Anybody know how I can get this working?

    I'm still having this problem if anyone has any ideas. When I run it in debug, the value that's getting sent is "". There is a separate DateTimeConverter, but all it seems to do is format a date. I can't see a way to spit out a "N/A" if there isn't one.

  • How to filter a table using column filter on a date field with time?

    Hi,
    I have a date field where I am inserting a date+time value, for example: 01/01/2012 09:30:00 So, I would like to filter an adf table using a column inputdate filter to filter only by date this field.
    I was testing using formats but with no luck.
    Any Idea?
    Thanks,
    jdev 11.1.2.3
    Edited by: jhon.carrillo on Oct 29, 2012 12:23 AM

    Then, try to add another attribute in your SELECT VO statement, which truncates the original date_and_time field:
       SELECT.... TRUNC(DATE_AND_TIME) as truncated_dateAfter that, put reference to that attribute in the filter facet, as follows
             <f:facet name="filter">
                      <af:inputDate value="#{vs.filterCriteria.TruncatedDate}" id=.../>
             </facet>Do not forget to add the TruncatedDate attribute in the <tree...> binding in the pageDef, along with others VO attributes. Do that manually.

  • Registering a logistic User to use a FMS on a data-field

    Dear Community,
    you should be able to help me out on this:
    I got a couple of logistic users, who have a very restricted access to the system.
    Anyway, I still need them to use some FMS on data fields like batch number creation.
    Unfortunately I cannot find the correct authorization to activate the usage of Formated Searches on certain datafields.
    Where can I find it??
    Greetings, daniel

    Hi there,
    I found the correct authorization:
    (in german:)
    the category "Berichtsauswahl" --> Abfragegenerator
    After handing out the rights of this category the users are able to use FMS etc.
    Thanks for your replies and help!
    daniel

  • CRVS2010 beta -  date field not display in details section

    I use Visual stdio 2010 so i install crystal report 2010 for report.
    It work fine .
    but in report detail section there is date field then it will not be display.
    alos if we do group on date field it will give error when we try to open report.
    Plese geve me possible soluction for date field problem.
    Edited by: hitesh_tatva1 on Jun 22, 2010 11:35 AM
    Edited by: Don Williams on Jun 22, 2010 7:20 AM

    Solution Found
    Don't install sp2it sucksclassic case of the cure being worse than the disease.
    Downloading and installing the SP3 redisist fixed the issue.
    This link is probably appropriate:
    https://websmp130.sap-ag.de/sap(bD1lbiZjPTAwMQ==)/bc/bsp/spn/bobj_download/main.htm
    Software Product->select Crystal Reports
    Version->select Crystal Reports 2008
    important part
    Software Type->Utility Click Search Download the redist install.
    Not very intuitive, but you'll need to do this so you download the runtime and not the full version.
    Hope that saves you the 5 hours it took me to figure this darn thing out...I hate unintuitive products--they aren't very professional.
    +
    SAP, where do I send the bill for supporting your own product?
    I too have the same problem. Hopefully we can get a solution to this soon as the delayed release of the 2010 runtime has us in a difficult place.
    The problem: I upgraded my project to Visual Studio 2010; therefore, I upgraded to the Crystal Reports for Studio 2010 beta.
    Everything worked fine until I modified the app.config so that I could deploy the application into our test environment. We do not have Visual Studio installed in this environment, so we needed to have a Crystal Reports Runtime. According to the SAP website deployment guide, currently the only way to deploy a 2010 app is to use the 2008 runtime by modifying the app.config file to redirect the bindings.
    __Now, none of my date fields appear on the reports.__
    Just to test, in my development environment, I commented out the redirects in the app.config and the dates appeared. I uncommented the redirects so that the 2008 runtime would be used and then my dates disappeared from the report.
    Here is the entry I put into the app.config:
    <runtime>
        <assemblyBinding xmlns="urn:schemas-microsoft-com:asm.v1">
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.CrystalReports.Engine" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.2000.0"/>
          </dependentAssembly>
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.Shared" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.2000.0"/>
          </dependentAssembly>
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.ReportSource" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.2000.0"/>
          </dependentAssembly>
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.Windows.Forms" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.2000.0"/>
          </dependentAssembly>
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.Enterprise.Framework" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.1100.0"/>
          </dependentAssembly>
          <dependentAssembly>
            <assemblyIdentity name="CrystalDecisions.Enterprise.InfoStore" publicKeyToken="692fbea5521e1304" />
            <bindingRedirect oldVersion="14.0.2000.0" newVersion="12.0.1100.0"/>
          </dependentAssembly>
        </assemblyBinding>
      </runtime>
    Your help is much appreciated.
    Thanks,
    Michael
    Edited by: SaganDraxan on Jul 16, 2010 8:23 PM

  • Browser date field format in header

    I am using Browser 2.0 for some ad hoc queries on an Oracle
    7.2.3 database.
    My client is running Windows NT 4.0 with Service Pack 4.
    Regional settings are set to English (Australia).
    The page setup in Browser allows you in the header or footer to
    insert the a date field via "&d". Documentation states this is
    system generated.
    However, in the print preview and print out the date is
    formatted as MM/DD/YY. I need to have it formatted as DD-MON-
    YYYY.
    Can anyone suggest to me from which system the format is being
    generated or any
    suggestions on how to change it in.
    Thanks
    null

    can you paste the timestamp being displayed?
    You can use, format-date function or other, but its all based on the data you have for DATE.

  • BADI CEWB_BOM_CUS_FIELDS EWB: Customer Fields with BOM Header (Screen E

    Can someone post details (or better..an example) on how this BADI can be invoked?
    I have used exits PCSD0003 and PCSD0002, but this BADI and it's partner for the BOM Item may be a better approach. I don't have a great deal of BADI implementation experience, but can learn fast. I create my own Implemenmtation and added code to the TAB Description method (below), activated it and went to CS01 to see if the new TAB had shown up... it did not. I thnk I'm missing the call to the method somewhere, but I can't locate where this might be..????
    method IF_EX_CEWB_BOM_CUS_FIELDS~BOM_CUS_TAB_DESCRIPTION.
    e_tab_description = 'MY BOM Header Data'.
    endmethod.

    Hi!
    Would be greatful to you if you could let me know the answer for your question as iam even looking out for the one,
    Best Regards,
    Parwez.

  • Using F4-Help for a DATS-Field

    I have an input field that is bound to a context attribute of type DATS and some output fields that depend on the value of the input field.
    Is there any chance to throw an event when the user changes the value of the input field via F4-help (calendar help) without pressing enter afterwards?
    Or is there any possibility to change the values of the output fields in another way?

    Hello,
    I suggest you to use the [OVS Value Help|http://help.sap.com/saphelp_nw04s/helpdata/en/47/9ef8c99b5e3c5ce10000000a421937/frameset.htm].
    Regards,

  • BI UDI data load conflict using MS SQL Server and date fields

    Hi BW Experts!
    We have found some unexpected problems when we are trying to perform a data extraction process from an SQL database (non-SAP application).
    We are using the BI UDI tool (JDBC Driver/Connector).    The basic data extraction works properly, however we have some specific problems to work with SQL Server fields defined as “Date Time”.
    The JDBC driver automatically intermediate the communication and translate these fields splitting the original SQL date time field into two separated fields with suffix “_D” (for date) and “_T” (for time).
    It works perfect for extraction, but it doesn’t work well when we try to restrict the data selection based on these fields.    
    When we put a date selection into the infopackage data selection area (we already have tried several date formats), the system simply ignores these selection parameters and send a SQL statement without “WHERE” clause to DBMS.   
    Please, anybody has experienced anything like this or know somethings that could help us? 
    This is a standard limitation from SAP BI UDI?
    Thanks in advance and best regards,

    Hi Matt and Thomas
    Many thanks for your replies.
    Yes I have to do the join. Even worse I have to write an Aggregate query like this!
    Select o.F1,o.F2, m.F1,m.F2, count(*)
    from
    table@oracleServer o,
    table@microsoftSQLServer m
    where o.F1=m.F1
    group by o.F1,o.F2, m.F1,m.F2;
    These are 2 different systems (hardware & software) which actually do the same job, they produce transactions for a common business entity. Kind of, both sell tickets for the same ABC ferry company.
    I can not put them side by side on the dashboard, as I need to aggregate the data and present it maybe in a Oracle BI Report for Accounting and Financial reconciliation purposes.
    The truth is, as it is. I can't change it, is too late.
    I have to device a way to harvest both systems as they are. I don't want to move around data. I thought looking at Oracle BI I could write SQL against multiple Data Sources. I am struggling to find a way. As it seems that it can "SQL query" 1 data source at a time.
    I have been hinted on another forum (OracleTURK) to use Oracle Transparent Gateways and Generic Connectivity. http://download.oracle.com/docs/cd/B19306_01/server.102/b14232/toc.htm
    Shame, I have to pay licenses for OWB and Oracle Transparent Gateways. I thought DB vendors can do better. Why do I have to pay to access the other 50% of the market.
    I can understand the performance implications this might have. Because of it I might even be forced at the end to move data (ETL) into a separate database, slice it into partitions and manage it that way. Pitty because currenlty I only need one report out of these systems but seems like will be dear to get.
    Thank you for all your help.
    Kubilay

  • Contract sign date field hide at header level

    Hi,
    My client want to disable contract sign date at header level only not at item level in the contract.I tried transanction  variant but it is disabling both side header as well as item level.Kindly suggest me.User should only give input at item level only.

    So are we... The BAPI BAPI_CONTRACT_CREATE has the following importing parameters:
    HEADER     TYPE     BAPIMEOUTHEADER
    HEADERX     TYPE     BAPIMEOUTHEADERX
    VENDOR_ADDRESS     TYPE     BAPIMEOUTADDRVENDOR
    TESTRUN     TYPE     BAPIFLAG-BAPIFLAG
    TECHNICAL_DATA     TYPE     BAPIMEOUTTECH
    Change the HEADER and HEADERX parameters as I have indicated in my first post.
    Regards,
    John.

  • Custom field in limit order Details screen

    hi all,
    i am trying to add cuf.field called purch. Group which is not present in limit orders details -> Basic data tab. one of the structure has the value of purchasing group so i didn't include any custom field in shopping cart items structure "CI_BBP_ITEM_SC". just i want to map this value to the custom screen field for display only .when i see in the SAP GUI it is visible but not in the ITS Screen. do i need to change the internet service file if so Pls help me..
    helpfull answers will be rewarded...
    Thanks,
    Henry

    Hi Henry,
    You can use the 'Append structure' concept to add custom screen field and use one of the BAPIs to assign values to it. The value could come from the shopping cart item structure. 
    You dont need to change the ITS for it.
    Thanks,
    Waheed

  • Update BOM revision no,date field automatically

    Hi all,
    My client requirement is this.
    Whenever bom is changed using a change nomber ,Revision no,revision date field in BOM header should get  updated automatically.
    This is very urgent.Please guide me how to do the settings.
    Thanks and Regards
    Skumar

    Dear,
    Whenever a BOM is Changed,use a new Change number and against that Change number give the Reason for Change as some Revision level.
    As for a material ,revision level can be made directly using T code CC11,but for a BOM , there is no direct T code for this.
    Please refer this also,
    Re: Revision Levels
    Regards,
    R.Brahmankar

Maybe you are looking for

  • Macbook Pro Unibody Early 2011 seems to keep hanging up in Firefox and other apps like VLC, Quicktime, etc. Recently loaded gfxcardstatus app and then deleted it using CleanApp app.

    Here's my console log. Let me know if you need any more info.  Thanks! 10/7/13 6:52:30 PM          com.parallels.vm.prl_naptd[133]          QKqueueFileSystemWatcherEngine::addPaths: open: No such file or directory 10/7/13 6:52:30 PM          com.para

  • Photos print in the wrong orientation

    I have just composed a 40 page book for printing at Apple. Everything looks fine on the display. However, when I do print out on my laser printer or to PDF, some photos are disoriented. Landscape photos show vertically and vice-versa. Presumably I co

  • Problem with note 407975

    Hello, I'm tried to follow the steps of note 407975, to apply  the enhancement MM06E005. In that document specify that some EXITS of the enhancement, are in the INCLUDES listed below. EXIT_SAPMM06E_006 --> LXM06F36 EXIT_SAPMM06E_007 --> LXM06F38 EXIT

  • Back ground processing

    I have a program to be scheduled in the background .It reads data from application server file . I am giving the filename in the program itself but if i need to change the filename later how do i do it.

  • ACE 4710 breaks single sign-on on IE

    I haven't run into this before and I can't find anything in the documentation regarding it.  (Our 2 4710 were setup prior in a routed configuration although I personally see no reason for it.)  Regardless, we have 2 servers that host 4 websites on th