PO receipt due date / transhipment/ regular / express order

Dear Experts,
Can anyone please let me know where i can find or which field, for the following in a Purchase order?
1. receipt due date
2. whether PO is a transhipment order or regular order or express order.
Regards

Just Closing this

Similar Messages

  • What is the logic behind suggest due date in a planned order?

    I have observed that suggest due date of a planned order is not based on demand. What is the logic behind derivation of suggest due date?
    Some times pegging date is based on Sales Order request date but not all the times, how to interpret the pegging date of a planned order?
    Please confirm that suggest ship date is based on the suggest due date and In-transit time and lead time.

    HI,
    Planning engine calculates the Sugg Due Date based on some mathematical calculations and some Plan setups.
    It also depends on what option you have chosed in the plan, for Material availability i.e. at the start of the Job or at the start of operation.
    For buy item-it will minus the pre, post and processing lead time from the Material requirement date for making the job based on above setup.
    For make items, it will also consider Manufacturing lead time(based on the routing) and will show the Sugg due date
    Please mark this post as correct or helpful, if it clears your concern.
    Thanks,
    Avinash

  • How to use regular expressions to generate test data ?

    Hi
    Someone can help me on what I have to do in order to create test data with regular expressions ?
    For example, I want to introduce a random telephone number (XXX-XXXX) in the phone number Form Field, I want to create the phone number using regular expressions in order to test different values in each playback of the script.
    I don't want to use VB or vbscript in e-tester, I'm just trying to do this with e-load nav editor and e-load
    Thanks a lot

    Hi and thanks for your answer!, it's a great trick ^_^
    I'm doing a research on how to improve the execution speed of the scripts in e-load, so actually I'm trying to avoid the use of databanks and VB code also.
    I was expecting that maybe e-load, e-load nav editor or e-tester can automatically generate test data via Regular Expressions. Someone Knows if this is possible ?
    Also can anyone tell me what the option "Automatically Generated (complex)" means ? I think that this will help me a lot
    *you can find this option in e-load Nav Editor when you select a parameter in the tree view, then go to the  "type" listbox in the properties pane, there you will find this option and some more options like :"Databanked variable", "Custom Dynamic Value", "Function".. etc.
    Thanks again

  • Question about Regular Expressions, please help!

    I have created an app which reads files and extracts certain data using regular expressions in JDK1.4 using Pattern and Matcher classes.
    However it needs to run on JDK1.2.2 (dont ask). The regular expression classes are not available in 1.2.2 (the Pattern and Matcher class) so i am looking for something similiar which i can use?
    I need something that loops through all the matches found in the file like how Matcher works i.e.
    while (matcher.find())
    // do this
    Help!

    http://jakarta.apache.org/regexp/

  • Fixed Due Date Pay,ment Term

    Hi,
    My client needs a payment term with a fixed due date.  For example, all sales orders for a certain sales program is due for payment on  sept 22, 2007. So an order placed in march 2007 is due on sept 22, 2007.  If another order is placed on April 2007, it will still be due on sept 22, 2007.  
    I've created a payment term with a fixed date of 22 and set the doc date as the basis of the baseline date. During sales order entry, the document date must then be set to sept 1, 2007. Unfortunately, the users can't be relied on to update the document date all the time.  Another alternative is to create a user exit to change the document date based on the payment term. 
    I think these might work but I'm still trying to find out if there is any simpler way of setting a fixed due date in the sales order.  I'd appreciate any suggestions.
    Thanks.

    Hi ,
    I guess while configuring the payment term if for the base line date you select the field No default ,in this case system will prompt you for the baseline date ,here you can set this as 1'st of that month etc.
    just check if this helps you ..
    Regards,
    Kedar

  • OR ('|') in regular expressions (e.g. split a String into lines)

    Which match gets used when you use OR ('|') to specify multiple possible matches in a regex, and there are multiple matches among the supplied patterns? The first one (in the order written) which matches? Or the one which matches the most characters?
    To make this concrete, suppose that you want to split a String into lines, where the line delimiters are the same as the [line terminators used by Java regex|http://java.sun.com/javase/6/docs/api/java/util/regex/Pattern.html#lt] :
         A newline (line feed) character ('\n'),
         A carriage-return character followed immediately by a newline character ("\r\n"),
         A standalone carriage-return character ('\r'),
         A next-line character ('\u0085'),
         A line-separator character ('\u2028'), or
         A paragraph-separator character ('\u2029)
    This problem has [been considered before|http://forums.sun.com/thread.jspa?forumID=4&threadID=464846] .
    If we ignore the idiotic microsoft two char \r\n sequence, then no problem; the Java code would be:
    String[] lines = s.split("[\\n\\r\\u0085\\u2028\\u2029]");How do we add support for \r\n? If we try
    String[] lines = s.split("[\\n\\r\\u0085\\u2028\\u2029]|\\r\\n");which pattern of the compound (OR) regex gets used if both match? The
    [\\n\\r\\u0085\\u2028\\u2029]or the
    \\r\\n?
    For instance, if the above code is called when
    s = "a\r\nb";and if the first pattern
    [\\n\\r\\u0085\\u2028\\u2029]is used for the match when the \r is encountered, then the tokens will be
    "a", "", "b"
    because there is an empty String between the \r and following \n. On the other hand, if the rule is use the pattern which matches the most characters, then the
    \\r\\n
    pattern will match that entire \r\n and the tokens will be
    "a", "b"
    which is what you want.
    On my particular box, using jdk 1.6.0_17, if I run this code
    String s = "a\r\nb";
    String[] lines = s.split("[\\n\\r\\u0085\\u2028\\u2029]|\\r\\n");
    System.out.print(lines.length + " lines: ");
    for (String line : lines) System.out.print(" \"" + line + "\"");
    System.out.println();
    if (true) return;the answer that I get is
    3 lines:  "a" "" "b"So it seems like the first listed pattern is used, if it matches.
    Therefore, to get the desired behavior, it seems like I should use
    "\\r\\n|[\\n\\r\\u0085\\u2028\\u2029]"instead as the pattern, since that will ensure that the 2 char sequence is first tried for matches. Indeed, if change the above code to use this pattern, it generates the desired output
    2 lines:  "a" "b"But what has me worried is that I cannot find any documentation concerning this "first pattern of an OR" rule. This means that maybe the Java regex engine could change in the future, which is worrisome.
    The only bulletproof way that I know of to do line splitting is the complicated regex
    "(?:(?<=\\r)\\n)" + "|" + "(?:\\r(?!\\n))" + "|" + "(?:\\r\\n)" + "|" + "\\u0085" + "|" + "\\u2028" + "|" + "\\u2029"Here, I use negative lookbehind and lookahead in the first two patterns to guarantee that they never match on the end or start of a \r\n, but only on isolated \n and \r chars. Thus, no matter which order the patterns above are applied by the regex engine, it will work correctly. I also used non-capturing groups
    (?:X)
    to avoid memory wastage (since I am only interested in grouping, and not capturing).
    Is the above complicated regex the only reliable way to do line splitting?

    bbatman wrote:
    Which match gets used when you use OR ('|') to specify multiple possible matches in a regex, and there are multiple matches among the supplied patterns? The first one (in the order written) which matches? Or the one which matches the most characters?
    The longest match wins, normally. Except for alternation (or) as can be read from the innocent sentence
    The Pattern engine performs traditional NFA-based matching with ordered alternation as occurs in Perl 5.
    in the javadocs. More information can be found in Friedl's book, the relevant page of which google books shows at
    [http://books.google.de/books?id=GX3w_18-JegC&pg=PA175&lpg=PA175&dq=regular+expression+%22ordered+alternation%22&source=bl&ots=PHqgNmlnM-&sig=OcDjANZKl0VpJY0igVxkQ3LXplg&hl=de&ei=Dcg7S43NIcSi_AbX-83EDQ&sa=X&oi=book_result&ct=result&resnum=1&ved=0CA0Q6AEwAA#v=onepage&q=&f=false|http://books.google.de/books?id=GX3w_18-JegC&pg=PA175&lpg=PA175&dq=regular+expression+%22ordered+alternation%22&source=bl&ots=PHqgNmlnM-&sig=OcDjANZKl0VpJY0igVxkQ3LXplg&hl=de&ei=Dcg7S43NIcSi_AbX-83EDQ&sa=X&oi=book_result&ct=result&resnum=1&ved=0CA0Q6AEwAA#v=onepage&q=&f=false]
    If this link does not survive, search google for
    regular expression "ordered alternation"
    My first hit went right into Friedl's book.
    Harald.

  • Purchase Order Updating by Due Date

    Dear Sirs,
    I am testing purchase orders commitments in payment budget with update profile 000202. This UP updates postings by due date as standard. To reinforce it I market as due date at OF39 to Value Cat. 51.
    However system is still updating POs postings with the delivery date in FM instead of update it with the due date.
    Since I have a payment condition in the PO, shouldnu2019t the system be able to predict a due date and update as we need?
    Does anybody could tell me if it is the regular behavior or if I am actually missing something?
    Best Regards,
    Gustavo Cordeiro.

    Hi Gustavo,
    There are two restrictions to using terms of payment from MM for determine the FM due date.
    1) OFUP: only MM-invoice is updated.
    2) Update profile: the update date for payment budget and commitment budget cannot be set to delivery date.
    Since point 2 you have already for due date, please check if your OFUP is customized correctly for due date.
    I hope this helps.
    Best Regards,
    Vanessa.

  • Restrict PO goods receipt based on PO due date

    Folks,
    Is there a way to restrict the processing of a PO goods receipt with tnx MIGO if the PO due date is too far in the future. Basically,I want to stop goods receipts when the physical delivery much earlier than the PO due date.
    Thanks,
    Greg Russell
    IT Analyst - SAP Supply Chain
    AngioDynamics

    There is no configuratin setting  to restrict the processing of a PO goods receipt with tnx MIGO if the PO due date is too far in the future.
        You can use the enhancement MBCF0005 and component EXIT_SAPM07DR_001 and make changes based on your requirement.
    With Best Regards,
    Srinivas

  • How to identify open sales orders by sales representative by due date. ?

    We rely heavily on forecasting our "billing pipeline".   Billing Pipeline is defined in our organization  by:
    All billings for a specified date range + (all open sales orders + deliveries)  not yet billed but due by  a specified due date = Billing Pipeline.  
    The open items list by Sales Orders + Deliveries will accommodate that by the company but does not accommodate a breakdown by sales person.
    I am looking for a way to generate all Sales Orders & Deliveries that are not yet billed by due date for each sales person. 
    Has anyone done this in SAP core reporting or have a query to accomplish this ...?
    Thanks, Dan
    Prograde

    This one will show you Open orders by open lines by Sales Person by Date Range
    You can use the same structure for Open Deliveries. Change Ordr to Odln and RDR1 to DLN1
    Regards,
    M. Jenkins
    SELECT T2.SlpName, T0.DocNum, T0.CardCode, T0.CardName, T0.NumAtCard as 'Cust PO', T1.ItemCode, T1.Dscription, T1.Quantity, T1.OpenQty AS 'Open', T1.Price, (T1.OpenQty * T1.Price) AS 'Total Net', T1.ShipDate FROM ORDR T0  INNER JOIN RDR1 T1 ON T0.DocEntry = T1.DocEntry INNER JOIN OSLP T2 ON T0.SlpCode = T2.SlpCode WHERE CONVERT(nchar(8), T0.DocDate, 112) >= [%0] AND  CONVERT(nchar(8), T0.DocDate, 112) <= [%1]  and  T1.LineStatus ='o' ORDER BY T2.SlpName, T0.CardName, T0.DocNum
    Edited by: Inc. Cowper on Feb 4, 2009 8:39 PM

  • How do I have to define a regular expression to filter out data from file?

    Hi all,
    I need to extract parts of lines of a ASCII file and didn't get it done with my low knowledge of regular expressions
    The file contains hundreds of lines and I am just interested in a few lines, within that lines I just need a part of the data.
    One original line looks like that:
    TP3| |TP_SMD|Nicht in Stueckliste|~TP TP_SMD TESTPUNKT|-|0|87.770|157.950|0|top|c| |other|TP_SMD|TP_SMD_60RF-TP
    Only the bold and underlined information is of interest, I don't need the rest.
    I can open that file, read in each line but then I am struggling to pick out only the lines of interest (starting with TP), taking that TP with its number and the coordinates following later on and then writing these shortened lines to a new text file. So the new line should look like that:
    TP3; 87.770;157.950;0 (It doesn't matter if the separator will be ; or |)
    I thought of using regular expressions - is that the right way or is there a better approach?
    Thanks & regards,
    gedi, using LabVIEW 8.5
    Regards,
    gedi

    Hi max,
    for finding a specific part of a string you can use the "Match Pattern" VI, it is located in the Strings Palette.
    Maybe the Extract Numbers.vi example in the examples browser library can help you.
    What I did to filter out my data of interest is first to sort out only the columns which I want to have -
    then there are still a lot of lines remaining I don't need (this is the thing described above).
    The rest I am going to filter out with a (then easy) regular expression with the "Match Pattern" VI.
    Regards,
    gedi
    Regards,
    gedi

  • Goods Receipt PO due date cannot auto change

    Dear All,
    Would like to ask about a question that the Due Date in the Goods Recepit PO won't aunto changed to the date that plus the credit terms day.
    for example i open this po today (18.09.2008) for BP-A which has a credit terms day as 30 days. but the Due Date will not auto change to 18.10.2008, is there any setting can set about it ?
    Please kindly help one this. thank you very much

    Goods Receipt PO is for inventory purpose.  It does not link to payment or other financial need.  That is why it is not automatically updated.
    You can use FMS to achieve the update you need.
    Thanks,
    Gordon

  • Create a report to show changes in Sales Order Due Dates

    Hello all,
    I've recently started using SAP Business One 8.8 and I want to run a report to show a list of Sales Orders with the original Sales Order Due Date, and the New Date that it has been changed to. What is the best way to create a report to show me this?
    thanks
    Leigh

    Hi Leigh.......
    Try this......
    Select T0.DocNum, Max(T1.UpdateDate) 'Last Update', T0.DocDueDate
    from ADOC T0
    JOIN ADOC T1 on T1.DocNum = T0.DocNum AND T1.ObjType = '17'
    where T0.ObjType = '17'
    Group By T0.DocNum, T0.DocDueDate
    Regards,
    Rahul

  • Look for 'Purchase Order' and 'Due date' Tables

    Hi Everyone,
    iam creating a Form for an automatic payment and i have some difficulties to find the table of these fields :
    - Purchase Order (EBELN)
    - Due date (NETDT)
    Please can u help me?
    Regards.

    I hope you checked these tables.
    I found these on Where-used for your NETDT field, Alos these tables have field BELNR which might intrests you.
      Table Fields                     Short descriptn
      BWPOS                            Valuations for Open Items
      FAEDT                            Due Date for Net Payment
      DKKOP                            Balance Audit Trail
      NETDT                            Due Date for Net Payment
      DKOKP                            Open Item Account Balance Audit Trail
      NETDT                            Due Date for Net Payment
      DSKOP                            Balance Audit Trail
      NETDT                            Due Date for Net Payment
      MHND                             Dunning Data
      FAEDT                            Due Date for Net Payment
    good luck,
    ags.

  • How do I view reminders in order of due date on iPad?

    I need to view my Reminders in due-date order on the iPad, as they appear on my OSX laptop.  Does anyone know how to do this?  How could Apple have screwed this up?  What use is a to-do list you can't see in order of due dates?

    No, 2Do is only available for iOS devices.
    There is another third-party option: Todo; syncs over iCloud and has a Mac app on the Mac App Store.

  • Is it possible to calculate AR Due Date via OM Order Date ?

    Hi everyone,
    Our customer enters Payment Terms at Order Entry (OM).
    Example:
    Order Date : 02.01.2009
    Payment Term : 60 Days Net
    Shipment Date : 04.01.2009
    AR- Transaction Date : 04.01.2009
    Due Date has been calculated as : 05.03.2009
    This means that system considers Transaction Date for calculating Due Date. Is it possible to calculate due date by Order Date ?
    Thanks in advance
    Cagri
    Edited by: Cagri EGEMEN on Jan 6, 2009 5:13 PM

    No, sorry, that sort option is still missing.
    You may want to write feedback to Apple, to request this feature:
    Apple - Mac OS X - Feedback

Maybe you are looking for

  • Error in DNL_CUST_PROD1 Initial Load

    While attempting to carry out the initial load for object (DNL_CUST_PROD1) from R/3 to CRM an inbound queue is generated with status SYSFAIL containing the following error message: It is not posible to import material type to hierarchy ZBP_CRM_PT....

  • XSLT code snippet

    Hi all, In my XSL file I am using the following snippet <xsl:attribute name="noNamespaceSchemaLocation" namespace="http://www.w3.org/2001/XMLSchema-instance" > <xsl:text disable-output-escaping="no">../xsd/nikuxog_project.xsd</xsl:text> </xsl:attribu

  • Background Garbage

    PDF graphics Output as grayscales are getting excessive Gray backgrounds in white areas, doesn't seem to matter what program generates the PDF ie. word,indesign,publisher, acrobat. The background is not a consistant screening, appears to be random sc

  • IWeb Blog Error

    Hey on my iweb website when i publish it and view the blog i get a error " # Exception: TypeError # Message : this.blogFeed is undefined " What is this and how can i fix it? because it doesent show the page. Please help Thanks, Christopher

  • Do I need to replace my battery or is this a mavericks thing?  (Service Battery)

    I just updated my operation system a few days ago to Mavericks and I noticed that I'm getting a "service battery" warning. Possibly a coincidence but I'm not sure how many cycles my battery can take. According to Coconut Battery, I've gone through 30