RELEASE REMAIN  UNCHANGED

Dear experts
PO created with  release strategy ,then in  conditions custom  clearing charges were included and  this  vendor  was included .Now  this  PO was  re-released  .
Another PO with  release strategy , ,then in  conditions custom  clearing charges were included and  this  vendor  was included. Now this  PO was  not re-released.
What criteria  should  be  checked .
Thanks & Regards.
Erfan.

HI
The  PO  created and  was  released,  then one  change  was  made  to PO  , custom  clearing  charges  were  included  in
PO ,  since the  PO  was  changed  then  again  it  triggered   release strategy   and  again  it  was  re-released.
in  another  PO   same  things  were   done  but  this  PO   did  not  trigger   release strategy .
what criteria  should  be checked.
Regards.
Erfan.

Similar Messages

  • The percentage of free space is remain unchanged after extend data file.

    I have alter database and extend datafile (applsysd03.dbf), the free size is larger than before, but don't know why the percentage (MAX_PER_FREE) is remain unchanged.
    FILE_NAME     TABLESPACE     TOTAL     USED     FREE PER_FREE MAX_SIZE MAX_FREE MAX_PER_FREE
    applsysd03.dbf APPLSYSD     3000     1637.9     1362.1     45.4     2000 362.1     18.1
    applsysd03.dbf APPLSYSD     1900     1637.9     262.1     13.8     2000     362.1     18.1
    Here is the my scripts:
    select b.file_name File_name,
    b.tablespace_name Tablespace,
    b.bytes/(1024*1024) Total,
    round((b.bytes - sum(nvl(a.bytes,0)))/(1024*1024),1) Used,
    round(sum(nvl(a.bytes,0))/(1024*1024),1) Free,
    round((sum(nvl(a.bytes,0))/(b.bytes))*100,1) per_Free,
    round(decode(b.maxbytes,0,b.bytes,b.maxbytes)/(1024*1024),1) Max_Size,
    round((sum(nvl(a.bytes,0)) + decode(b.maxbytes,0,0,b.maxbytes-b.bytes))/(1024*1024),1) Max_Free,
    round((((sum(nvl(a.bytes,0)) + decode(b.maxbytes,0,0,b.maxbytes-b.bytes))/(1024*1024)) / (decode(b.maxbytes,0,b.bytes,b.maxbytes)/(1024*1024))) * 100,1) Max_per_Free
    from sys.dba_free_space a,sys.dba_data_files b
    where a.file_id(+) = b.file_id
    and exists (
    select file_id,recent_record
    from ( select file_name,file_id,tablespace_name, max(file_id) over (partition by tablespace_name) recent_record
    from sys.dba_data_files
    where tablespace_name in ('ALRD','ALRX','APPLSYSD','APPLSYSX','APD','APX','ARD','ARX','CAPD','CAPX','CARD','CARX','CFNDD','CFNDX','CGLD','CGLX','CINVD','CINCX','CPOD','CPOX','CQCD','CQCX','CTXD','GLD','GLX','HRD','HRX','ICXD','ICXX','INVD','INVX','POD','POX','RGD','RGX','CWPLD','CWPLX','CSYND','CSYNX')
    ) t
    where t.file_id = t.recent_record
    and t.file_id = b.file_id
    group by b.tablespace_name, b.file_name, b.bytes,b.maxbytes
    order by 9
    Any clues?
    FAN

    To summarize - you want to see what percent of the maximum datafile space is free.
    If the maxbyes <= bytes (size of the datafile) it will never autoextend. So, the max size is the current datafile size.
    If the maxbytes >bytes, the max available space is the maxbyes.
    So, the calculation would be:
    max_percent_free = (max_size - used) / (max_size)
    where max_size is either maxbytes or bytes (current datafile size).
    In the first case, where datafile is 1900 meg that would be:
    max_percent_free = (2000-1637) / (2000) = 18% - we use maxbytes since it is 2000, greater than the file size (1900)
    After increasing the size to 3000
    max_percent_free = (3000-1637) / 3000 = 45% - we use file size, 3000, since it is larger than maxbytes (2000)
    If you would set maxbytes to 5 gb
    max_percent_free = (5000-1637)/5000 = 67%
    Does that make sense?

  • How can I make JSpinner value remain unchange

    Hi,
    I've posted this message on Programming forum before, and many friends recommend me better to post in Swing forum.
    I have a question on how to make the value remain unchange after some confirmations? In my program, I have to ask whether user want to change the value,
    if yes, something other settings will be reset.
    if no, I hope the vaule in Jspinner remains unchange.
    I tried to use the state stateChanged event to detect any value change. and set back the previousValue, however, it comes into the event many times...
    pbrockway2 has suggested me to add a flag inside stateChanged to prevent it comes into the event, however, this method not so work all times. And the value also will keep being increased or decreased.
    Can some of you give a hints, the code below :
           jSpinner_row.addChangeListener(new ChangeListener()
                public void stateChanged(ChangeEvent event)
                    if(CheckFlag)
                        int result = JOptionPane.showConfirmDialog(ParentFrame,
                                "Are you sure you want to row setting ?",
                                "Setup", JOptionPane.YES_NO_OPTION,
                                JOptionPane.QUESTION_MESSAGE);
                        if (result == JOptionPane.NO_OPTION)
                            CheckFlag = false;
                            jSpinner_row.setValue(jSpinner_row.getPreviousValue());
                            CheckFlag = true;
                            return;
                        else
                            // do reset of controls and re - construct panel
                            CheckFlag = true;
            });

    this might (?) be one way, but, as is, only works with SpinnerNumberModel
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    class Testing
      JSpinner spinner;
      final int MIN = 0, MAX = 100;
      public void buildGUI()
        JPanel p = new JPanel();
        spinner = new JSpinner(new SpinnerNumberModel(MIN,MIN,MAX,1));
        ((JSpinner.DefaultEditor)spinner.getEditor()).getTextField().setEditable(false);
        spinner.setUI(new ChangeVerifierUI());
        p.add(spinner);
        JFrame f = new JFrame();
        f.getContentPane().add(p);
        f.pack();
        f.setLocationRelativeTo(null);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setVisible(true);
      class ChangeVerifierUI extends javax.swing.plaf.basic.BasicSpinnerUI
        protected Component createNextButton()
          JButton nextButton = (JButton)super.createNextButton();
          nextButton.removeMouseListener(nextButton.getMouseListeners()[0]);
          nextButton.addMouseListener(new MouseAdapter(){
            public void mousePressed(MouseEvent me){
              if(((Integer)spinner.getValue()).intValue() < MAX) checkChange(+1);
          return nextButton;
        protected Component createPreviousButton()
          JButton previousButton = (JButton)super.createPreviousButton();
          previousButton.removeMouseListener(previousButton.getMouseListeners()[0]);
          previousButton.addMouseListener(new MouseAdapter(){
            public void mousePressed(MouseEvent me){
              if(((Integer)spinner.getValue()).intValue() > MIN) checkChange(-1);
          return previousButton;
      public void checkChange(int direction)
        int result = JOptionPane.showConfirmDialog(null,"Are you sure you want to row setting ?",
            "Setup", JOptionPane.YES_NO_OPTION,JOptionPane.QUESTION_MESSAGE);
        if (result == JOptionPane.YES_OPTION) spinner.setValue(
          ((Integer)spinner.getValue()).intValue()+
          (((Number)((SpinnerNumberModel)spinner.getModel()).getStepSize()).intValue())*direction);
      public static void main(String[] args)
        SwingUtilities.invokeLater(new Runnable(){
          public void run(){
            new Testing().buildGUI();
    }

  • Caret Position always remain unchanged

    Hi,
    I've tried inserting some strings and components into a JTextPane, but the caret position always remain at 0 irregardless. Is this the expected behavior?
    My expected behavior is that the caret is to at the end of the document, after each insertion of strings or components. Therefore i'll need to explicitly set the caret position to EOF after each insertion. Is there another approach to this issue?
    =========================================
    StyledDocument doc = textPane.getStyledDocument();
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition is 0
    textPane.insertComponent( new JButton("temp"));
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition still remain as 0
    doc.insertString(doc.getLength(), message, null);
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition still remain as 0
    ==============================================

    Please use code tags like so on this forum:
    StyledDocument doc = textPane.getStyledDocument();
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition is 0
    textPane.insertComponent( new JButton("temp"));
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition still remain as 0
    doc.insertString(doc.getLength(), message, null);
    System.out.println( "" + textPane.getCaretPosition());
    // value of caretposition still remain as 0{code}                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Message Inbox memory Settings remain unchanged!

    I have had Nokia 5800 for six months now and have been a regular user of bluetooth for transfering songs. but now what happens is that the Message Inbox Memory Settings do not change and remain fixed at Chone Memory. I change it to E:Memory Card but it takes no affect.
    Can someone please help me get out of this? Cleaning the inbox for transfers is a big hassle.

    I have started using Nokia 2330C from 06-04-2010 I was checking the options of Messages it displays Message storage memory not ready. I have only 0 messages in my inbox. I am set factory default setting broblem solve but after 3 to 4 days message appear again (message storage memory not ready what can I do. Please help to solve this issue.

  • I cannot change the default application program. It remains unchanged after attemting to change it.

    I wanted to change the default application proram to view .jpg files to Windows photo viewer. The default program is HP Photo Smart. I went to Tools Options, went to the Applications bar, and found the file type, attempted to change the program, but it did not change it to my selected Windows Photo Viewer. I closed Firefox and restarted it, but it did the same thing, even after logging out.

    I just successfully changed on my .docx to open into Pages. I went the same route that you mentioned... Right click---> Get Info---> Open With and changed it to Pages. When I clicked Change All, a dialog came up asking me if I am sure that I want to change all of my .docx to open in Pages. I click accept and tested it. Now my .docx open in Pages.
    So my question is, is your issue just applying to .ai files? Or is affecting other files, such as .docx? If it's just affecting .ai files, then there maybe an underlying reason for that. And it may not be able to be changed.
    Just a thought.
    KOT

  • The word "background" is no longer italicized in any of my files in the background layers. The eye and lock remain unchanged. Did I somehow screw this layer up permanently?

    I'm practicing for my photoshop 1 exam and converted the background layer to a regular layer and forgot how to change it back to the background layer format.  I tried going back to the original version of the image via the histogram, that didn't work. So, I closed the doc and didn't save it.  I eventually figured out how to covert the layer back to a background layer (thanks Adobe Help!) but I still notice that the word "background" is no longer italicized in any document that I open.  Did I somehow screw up the background layer in the entire PS program? (I also tried reseting PS on opening - cmd+alt+shift while clicking on the PS icon) Will this change affect the functionality of the background layer? Help Thanks!!!!

    All you need to do is flatten your layers to get a background layer.

  • LOV query remains unchanged

    Hi All,
    I have a custom LOV VO. For bug fix I replaced the LOVVO.xml and its class files into the server. But even after repetitive bounces the LOV resultset does not get refreshed. ( Though the physical .xml file is overwriten in server)
    But any other changes to OAF PG or CO files gets affected after one bounce. Pls suggest , what could be the reason.
    Thanks in advance,
    Sriaknth

    Hi Sriaknth,
    Delete all Lov related class, xml files from server. Again run the page in Jdev and Deploy these files to server.
    Don't forget to Bounce the appache.
    Thanks
    --Anil                                                                                                                                                                                                                                                                                                                                                                                   

  • May Release: New partner support, Infrastructure updates, Site templates and bug fixes

    Link: http://www.businesscatalyst.com/_blog/BC_Blog/post/May-release-New-partner-support-Infrast ructure-updates-Site-templates-and_bug-fixes/
    We are announcing a new Business Catalyst release, scheduled to go live on Thursday, May 3rd. With this release, we are continuing our investments in system performance and stability by increasing our web servers capacity, enabling HTTP acceleration to provide faster site loading times, and improving the site creation speed by using pre-generated sites.
    On the product side, we have completely revamped our partner support workflow taking advantage of the Adobe support infrastructure and tools, enhanced the site templates workflow for partners, and included lots of bug fixes and improvements. Read through the following sections to get detailed information about this release:
    Partner support
    Infrastructure updates
    Features and enhancements
    Issues fixed by this release
    What's next
    You can jump to the corresponding section by clicking the above links.
    Partner support
    Updated Help & Support partner experience
    Following Adobe ID support, we have upgraded BC  support tools (cases, chat, documentation) with standard Adobe tools. As a partner, you can now benefit from the same support tools as the rest of Adobe Creative Suite, and can track your support cases with Adobe BC, Dreamweaver, Muse or Photoshop in a single place.
    Partners with more than 100 paid sites will get 2nd level chat support, which includes a higher priority, by default. If you have more than 100 paid sites, but spread across different Partner Portals, please ask support to enable 2nd level chat for you.
    Support experience for your Small Business owner clients can now be owned by partners (see below).
    Custom Help & Support URL for your clients
    As a partner, you are probably already offering various additional services to your clients besides building & maintaining their BC site. Support, tailored specifically to your client needs, is usually one of these value-added services. We are now enabling you to take your Support service to the next level. In  Partner Portal Settings, you have the option to set a custom URL for what will open when your client clicks on Help & Support inside Admin Console:
    If you have multiple partner accounts, for different verticals, you can specify a Support URL for each of these.
    The default Support experience provided by BC for your clients will be updated in a few releases to be similar to the partner support experience. This includes BC-branded support cases and documentation. If you'd like to keep a white-label experience for your customers, please set your own Help & Support URL in Partner Portal.
    For more details please read the Improved support workflow and new forums announcement on our blog.
    Infrastructure updates
    Between our April release and the following infrastructure updates have been enabled
    Limited trial sites for free partners – starting with our May release, the number of trial sites a Free Partner can have will be limited to 100. Once the limit is reached, Free Partners that need to create a new trial site have the options to upgrade to a higher partner plan, upgrade some of the trial sites to paid or delete unused/expired trials.
    Automatic trial expiry extension - with this release, trial site expiry date will be automatically extended with 30 days every time an admin user logs in  the system through the admin interface or through FTP.
    Installed additional hardware - we have installed additional web servers on all our data centers, that translate into an increase of the existing capacity with over 70%.
    Updated DNS infrastructure - we have improved the DNS resolution for email delivery so that we can increase the rate at which we're sending the system operational emails
    HTTP acceleration – all sites static assets are served from a new cache engine (images, CSS and JavaScript files, together with improved headers that should allow the browser to cache them better for a browsing session). This update has been turned on along with our April release, and has made all the BC sites load faster on first and on subsequent loads.   
    Accelerated site/partner creation – we've changed the way new sites are created for faster speed, pre-creating them and reusing pre-created sites when needed, and have also improved the creation process for new partners, minimizing the impact of new CCM customers on the existing datacenters.
    Adobe ID for partners - in order to support an integrating experience between the various Adobe tools a partner may use (Dreamweaver, Muse, Support forums) we have added Adobe ID support for Business Catalyst partner accounts. Starting April 19, partners are asked to merge their current Business Catalyst account with their Adobe ID accounts. For more details about the transition process and FAQ please read the Introducing Adobe ID blog post.
    Updated Terms of Use - Along with several other changes in our processes in the past few months, we also revamped our Terms of Use and the signature process by requesting every admin user to sign a TOU. We have completed the rollout for partners, and we might be pushing an updated partner Terms of Use version within the following weeks. For more details and questions about this change, read the New Terms of Use for Business Catalyst blog post.
    Features and enhancements
    Site templates
    To support the increasing number of partners building, sharing or reusing  templates to create  new sites, we're extending our site templates support from our partner portal with a new template type and improved  management support. The update is going to enable partners to mark sites as templates and   choose between making them available in Online Business Builder and keeping them private in their partner portal. A template site will not expire and has the same limits as any other trial site.
    Based on your partner level, you can create private or public templates using the Site Details screen or the Tools>My Site Template section from your Partner Portal. Standard partners can only create private templates, while Free Partners can only view site templates that have been transferred to their accounts by other partners.
    The number of templates a partner will have will be limited and will vary based on partner level: free partners can store up to 5 templates in their partner portal, standard partners have up to 100 site templates while Premium Partners might have up to 200 templates. Paid sites marked as templates are not counted against these limits.
    Business Catalyst Partner fixes
    While we are really focused on making the Business Catalyst integration into Creative Cloud a smashing success, we are slowly resuming our efforts to deliver fixes that have been requested by our partners. This release includes the following partner fixes:
    Improved product custom fields - we have increased the maximum number of characters for product custom fields to 1024 (previous limit was 256); this gives partners and customers additional space to use when working with products
    Improved Secure Zone subscribers list - we have added the customer email address in the Secure Zone Subscribers list to enable partners better filter and manage customers
    Better experience when exporting data - to prevent customer confusion when exporting data from Mac computers, we have removed the export to excel option and exporting in CSV format by default.
    Social plugins integration updates
    Starting with our May release, we are updating the social plugins support to require users to get the plugin code from the third party provider and saving into his Business Catalyst website. The module tags and configuration will remain unchanged, but will render an empty tag until the partner or site owner will  update the module template to include the corresponding module code snippet from the third party platform provider.
    For more information about how you can enable the Social Plugins on a Business Catalyst websites, read the Social Media: Integrating Facebook and Twitter knowledge base article.
    Other changes
    Updated weekly emails - Starting with our May release, the information in the site weekly emails has been filtered based on the site's plan. For example, webBasics site reports will no longer include the sales report.
    Localization - we improved and increased the coverage of the admin interface translations into German, French and Japanese
    Site Settings -> Ignored IP addresses has been relocated under Reports -> Visitors -> More.
    BC-Dreamweaver integration performance improvements
    Development Dashboard has been removed, as it didn't provide a clear useful, ongoing benefit. The information present in the development dashboard has been integrated into our new Help & Support section.
    Payment gateway settings - for more privacy and data protection, we have updated the Payment Gateway configuration screens to obfuscate the sensitive login information. Fields that have been obfuscated are now requiring confirmation.
    Report abuse badge on trial sites - for compliance reasons, a "Report Abuse" link has been added to the front-end of all trial sites of free partners that don't have any paid sites. When they click the Report Abuse link, site visitors are redirected to a form submission page on businesscatalyst.com site.
    Issues fixed by May release
    Issues 3051303, 3168786 - Workflow notifications - Fixed a problem preventing workflow notifications emails from being sent.(see get satisfaction forum discussion)
    Issue 3164074 - Fixed a bug causing the lightbox gallery created from Muse to be displayed behind page elements
    Issue 3162810 - Fixed a bug in rendering engine to prevent  content placed between body and head tags being incorrectly moved inside the body tag
    Issue 3166610 - Fixed a broken link to Partner Portal in Internet Explorer
    Issue 3175003 - Fixed an issue that caused an incorrect price display for the Year One-Off Setup Fee when upgrading a site from Admin using CB
    Issue 2567278 - Fixed a bug causing site replication to ignore product attributes
    Issue 2947989 - CRM passwords are now case sensitive
    Issue 2723731 - Removed CSS files from the head section of the Layouts files, when downloaded and opened in Dreamweaver, via the BC extension
    Business Catalyst new admin interface updates
    Added "Save and Add New" button in Web App Item Add & Edit screens (see get satisfaction forum discussion)
    Updated Quick Actions menus to add more actions (see get satisfaction forum discussion)
    Fixed an issue causing Recent items menu to display deleted items (see get satisfaction forum discussion)
    Fixed a display issue on File Manager making top buttons unreachable (see get satisfaction forum discussion)
    Fixed the scrollbars in Email Marketing>Campaign>Stats>Bounced Emails reports (see get satisfaction forum discussion)
    Fixed an issue causing Recent items menu to brake after selecting the current page from the Recent Items menu (see get satisfaction forum discussion)
    Replaced the Success notification displayed when selecting Users or Permissions tabs from User Roles with an Warning
    Change the action label displayed in User Roles list from View to Edit to match the list pattern from Admin Users
    Fixed a missing file JavaScript error occurring when trying to open image manager from product details-> Attributes -> options
    Moved System Emails section from Site Setting to Site Manager (see get satisfaction forum discussion)
    Updated Domain Management interfaces to close the modal window and refresh the domain list after successfully adding a domain
    Fixed an issue preventing the Hyperlink Manager to function properly (see get satisfaction forum discussion)
    Updated the confirmation message received after copying a page to match the new workflow and button names
    Fixed an issue causing the current screen or section to not be highlighted in the menu
    Updated styling on the new dashboard, user management and email accounts interfaces
    Updated  dashboard reports filters and chart display; made the chart and the filter use the site time zone
    Fixed an issue preventing users from inviting new admin users or create new email accounts on Internet Explorer 8
    Fixed an issue preventing users from deleting Email Accounts or Admin Users in Internet Explorer 8
    Fixed some issues preventing password recovery email from being sent
    Removed the alert message displayed when the user or email account limit has been reached
    Added localization for the simplified dashboard
    Fixed display issues for site limits, domains and user list in the simplified dashboard
    Added Custom reports for webBasics plan
    Fixed a bug generating a "500:Collection error" on the simplified dashboard when user did not had View users permission
    Added TOU checkbox in the email account setup screen
    Updated Site Preview link in the dashboard to load the default domain
    Fixed an issue in the new File Manager forcing a user to press Undo twice in order to see the change take effect if the code that was previously formatted contained any <"tag" with more than 2 lines
    Fixed an issue causing the File Manager editor toolbar to incorrectly render if page URL path is longer than certain value; starting with this release, the site URL is trimmed
    Fixed an issue causing the invite users to be displayed as [object Object] in dashboard and admin user list
    Fixed a bug in the new admin causing the interface to become unresponsive when using the browser Back button
    Fixed an issue in the new File Manager causing "Save Draft" button to publish the default page template instead of creating a draft version
    Fixed a broken invite link issue in the Email Account invite email
    Updated loading indicators in File Manager and Email Accounts screens
    What's next
    The first item on the what's next list might not be news for many of you, but it's definitely one of the most important milestones this year. The Creative Cloud launch is just around the corner, and Business Catalyst is playing an important role in that, as the publishing platform for Adobe® Muse and Dreamweaver. This launch will capture all our attention within the next weeks as we want it to be our best ever. 
    We'll start our next development cycle on May 15th, while the next Business Catalyst release is going to be pushed live in mid June. That being said, the following items are already on our launch plan for the next release and a few more will join the list. Please expect an update on our 2012 plans around mid May.
    HTTP throttling – all page load and API calls to BC will be protected against attacks, this might trigger problems for API heavy sites. We are looking into enabling this update along with our June release, and will help make sure that a reasonable number of requests will be accepted from the same computer per minute.
    Automatic site deletion - Starting with the June release, we are going to start automatically delete expired trial sites and canceled sites. Customers will be notified twice before we are going to proceed with deleting the sites.
    Thank you,
    Cristinel Anastasoaie
    Adobe Business Catalyst Product Manager

    In reference to this change in the Custom Reports... Better experience when exporting data - to prevent customer confusion when exporting data from Mac computers, we have removed the export to excel option and exporting in CSV format by default.
    What is the customer confusion we are trying to stop here? I've got even more confused customers at the moment because all of a sudden they can't find the export to excel option but know it exists if they log in on a PC?
    Mark

  • SNC 'due quantity is Zero' error in Release prcesse - ASN creation.

    Hi~
    I am facing problem while creating the ASN' s for the Schedule Line releases. Error message is " Schedule line due quantity is Zero". But due quantity field is not getting populated when I create confirmations and also it is not editable.
    Status of my confirmation line is "Published". This problem is coming only for Scheduling agreement, for Purchase Orders ASN' s are getting created successfully.
    Please suggest how to resolve this or am I missing any processing step here?
    This is same as below thread. But there are no answer.
    Error in SNC Release Processing
    Please help.
    Bestregards,
    SKY

    Hi SKY,
    You need to do the below setting:
    Path go to SPRO>Supply Network Collaboration>Delivery>Due Quantity Calculation>Determine Due Schedule Line Quantities
    In that you have to maintain for which level of commitment ASN should be created.
    Level of Commitment:
    1)Fixed dates and quantities
    If you maintain Fxd Ds&Qs=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Fixed dates and quantities system will allow to create ASN for this schedule line.
    2)Production and material go-ahead
    If you maintain ProdMatGo-Ahead=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Production and material go-ahead system will allow to create ASN for this schedule line.
    3)Material go-ahead
    If you maintain Mat. Go-Ahead=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Material go-ahead system will allow to create ASN for this schedule line.
    4)Forecast
    If you maintain Forecast=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Forecast system will allow to create ASN for this schedule line.
    5)Missing quantity / backlog
    If you maintain Miss.Qty/Bcklg=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Missing quantity / backlog
    system will allow to create ASN for this schedule line.
    6)Immediate requirement
    If you maintain Miss.Qty/Bcklg=Consider Release schedule line.
    If your schedule line of the schedule agreement is having level of commitment =Immediate requirement
    system will allow to create ASN for this schedule line.
    Depnding upon your business requirement you can maintain setting for ASN creation for scheduling agreement release.
    By default this settings are not there in SNC you have to maintain above setting as per your business need.
    As per SAP standard defination for Level of Commitment  is:
    The level of commitment informs the supplier about the schedule line type and how binding a schedule line is.
    Level of Commitment
    001
    Fixed dates and quantities
    Quantity and date of the schedule line are fixed and will remain unchanged. The schedule line belongs to a delivery-relevant release. The supplier can deliver the quantity without waiting for another acknowledgement or the customeru2019s request.
    002
    Production and material go-ahead
    The schedule line belongs to a forecast delivery schedule that is not relevant for delivery and is in the production go-ahead period. The supplier can, therefore, procure the materials for manufacturing the ordered products and start with production. If the customer cancels a schedule line, the supplier can invoice the material and production costs.
    003
    Material go-ahead
    The schedule line belongs to a forecast delivery schedule that is not relevant for delivery and is within the material go-ahead period. The supplier can, therefore, procure the materials that s/he requires for production. If the customer cancels a schedule line, the supplier can invoice for the material costs.
    004
    Forecast
    The schedule line belongs to a forecast delivery schedule that is not relevant for delivery. The schedule line is not binding and may possibly change. The supplier can use the data for his or her own planning, however.
    005 *
    Missing quantity / backlog
    The schedule line is in the past. The customer has already transferred the schedule line in a release but the supplier has not yet delivered the schedule line.
    010 *
    Immediate requirement
    The customer has not yet transferred the schedule line in a release, but needs the schedule line quantity immediately.
    These values are relevant if you use a DIMP system as the customer back-end system.
    Regards,
    Nikhil

  • Problem in COHV with mass processing function Release.

    Hello,Guru's
    I have problem in COHV with mass processing function Release.
    even after execution of COHV the status of Orders remains unchanged.i.e. remain Created instead of Release
      My user require all Orders should release in mass process
    with material availability Check .
    and OPJK setting is
    material availability
    Check availability during order release=X
    Release material = 1(User decides on release if parts are missing)

    > with material availability Check .
    > and OPJK setting is
    > material availability
    >  Check availability during order release=X
    > Release material = 1(User decides on release if parts are missing)
    Hi,
    With these two settings in OPJK, there will not be any impact on COHV.
    Any dates, date ranges you are inputing in the COHV.
    Try with Manually inputing some of the Orders in COHV and in the Foreground you try.
    Afterwards, try with Some selected Orders in the Background..
    You may get the clue for the problem..
    Regards,
    Siva

  • PR delivery date vs PR release date

    Hi, did anyone know why changing PR delivery date will affect the PR release date? Can PR release date remain unchange if changes made to PR delivery date?
    Pls advise.
    Thanks.

    Hi,
    I guess you're referring to the Release Date which is shown in Quantities/Dates tab in the PR.
    If yes, then what you notice is a standard system behaviour. This release date is calculated as Delivery Date - PLDT.
    Hope the above answers your question.
    If helpful award points
    Regards,
    Vivek

  • Mm pr-po release strategy : error

    Dear MM experts,
    We already having MM-rel strategy for PR & PO with classification procedure and working fine,
    Now business requirement is to change the MM-Rel PR& PO strategy,
    New mm-rel strategy for PR customised in class 032  (not to use existing release groups & release strategies) 
    After doing config settings in customising client, the request moved to another client for testing.
    Testing client, request moved successful, and while checking the settings in testing client,
    in Release Strategies - details mode
    Informatination is available at Release pre-requisites, Release Statuses without any error,
    but when we try for Classification, we are getting the following error
    "Error in classification (class PRREL class type 032)"
    Can u please suggest what needs to be done so that we can go ahead further.
    Kindly note while doing config setting client, we did not encounter the above error, it has accepted all the settings (copy existing rel group & having differnt rel strategies, etc)
    pl help
    Thanks in advance
    Srihari

    Hi Friends,
    My requirement is to add new release strategy for pr & po.
    Characteristics & Class are remain unchanged.
    Pl advise to how to proceed, i mean
    i have to set/create new release procedure, ie.,
    New release groups
    New release codes (bcos new codes are added & release levels remained same)
    New release strategies
    How i can retain the Old PRs & POs released with earlier release strategy/release codes?
    PRs & POs not released can be with new release strategy,  but i have to ensure the old prs & pos (released) were with earlier release strategy & release code.
    Also, I need ur advise, how the new release strategy works for workflow
    pl help
    thanks & regards
    Srihari

  • 10.4.7 Re-Release?

    I saw this, and am curious... what happens if I already upgraded?
    Apple re-releases Mac OS X 10.4.7 for Intel
    By AppleInsider Staff
    Published: 06:25 PM EST
    Apple Computer forgot to include some files with its Intel distribution of Mac OS X 10.4.7 Update and is issuing a revised updater, the company said in an email on Thursday.
    "The install package that upgrades a Mac OS X v10.4.6 (Intel) system is being revised," the company said. "The revision is to provide several files related to OpenGL performance that were missing.
    Only the package that upgrades a Mac OS X v10.4.6 (Intel) system to Mac OS X v10.4.7 (Intel) is being changed, Apple said. All other Mac OS X v10.4.7 install packages remain unchanged.
    So far, the revised updater has not appeared on Apple's Web site or through Software Update. The company said the new package will bear the name MacOSXUpd10.4.7Intel.dmg and carry an SHA1 checksum of "10aa57dfccd63accb0939a894cea202a8910fb45."
    It's currently unclear whether those users who have already installed Mac OS X 10.4.7 on their Intel Macs will need to re-update or if they will be issued a patch with the missing files.
    Apple did state that the change being made to the install package does not affect the security fixes provided in the package.

    From MacFixit............
    More on re-released Intel version As we noted yesterday, Apple has released a revised version of the Mac OS X 10.4.7 updater for Intel-based Macs due to the omission of some files related to OpenGL performance.
    The omission only affected the delta (smaller, version-to-version) update, with the combo updater apparently carrying the OpenGL-related files all along. In other words, if you initially applied the combo updater, you do not need to download any additional files.
    We also noted a method for determining whether a Mac OS X 10.4.7 for Intel disk image is the newer revised version, or the older incomplete version. The process involves inspecting the disk image checksum.
    However, if you applied Mac OS X 10.4.7 through Software Update, the process for checking whether you have the newer or older version is not as clear.
    It appears that Apple made the revision at around 1:30 PST yesterday (June 29th), so if you applied the updater prior to that time, you should re-apply the delta or combo updater to make sure you have the new files.

  • Released:  Web Server 7.0 Update 7

    We are delighted to announce that Web Server 7.0 Update 7 has been released. It can be publicly downloaded at: [http://tiny.cc/w81Ru|http://tiny.cc/w81Ru]
    The Release Notes is here: [http://docs.sun.com/app/docs/doc/821-0785|http://docs.sun.com/app/docs/doc/821-0785]
    In addition to customer escalation & other bug fixes (>40) this release also contains some new feature, bundling JDK#6 & fixes for critical security vulnerability.
    * Web Server 7.0 Update 7 introduces Kerberos/SPNEGO support.
    * Web Server 7.0 Update 7 supports Windows 2008 SP2 32 bit (x86) Enterprise Edition.
    * Web Server 7.0 Update 7 is bundled with JDK 6. We still support JDK#5, to maintain backward compatibility for existing customers.
    * Web Server 7.0 Update 7 is integrated with new Xerces C++ patch which fixes the vulnerability.
    * Web Server 7.0 Update 7 is integrated with NSS 3.12.5 which provides relief for the SSL/TLS renegotiation vulnerability (CVE-2009-3555)
    * Platform Deprecation Platforms:: Solaris 8 and Windows 2000 are deprecated. These platforms will not be supported from Web Server 7.0 Update 9 onwards.
    All users of Web Server 7.0 through Web Server 7.0 Update 6 are encourage to upgrade.
    Thank you to the entire product team for another great release!
    On Behalf of WS Team!

    Fantastic! Thank you WS team.
    What is the schedule for the bug fixes and enhancements to be integrated into Open Web Server?
    Also - It is Dec 18. the online shopping rush is on and many web sites are in lock-down (regarding software changes) until after the Christmas rush. Is there any way for these sites to apply JUST the NSS changes and Xerxes changes so that the vulnerabilities in SSL renegotiation and XML parsing are addressed, but everything else (as much as possible) remains unchanged? Applying an über-patch during the final week of Christmas shopping is not going to be an option for many administrators.
    Thanks!

Maybe you are looking for

  • Import & Export of VMs.

    If i import a VM from one forest and export it to other forest then how virtual switch and DHCP work for this?

  • Getting EM incident Service ID in email template

    Hi Guys, We have monitoring for OSB and when a proxy service is down, an incident is created. Is it possible to get the "Service ID" in the email template? If yes, what is the attribute/label for this? Given below is the Incident Details from Inciden

  • How to allow only the specified users/groups to open my pdf files...

    Hi there, I'm looking for resources/documents describing how to allow only the specified users/groups to open my pdf files by the Java API... I've found a sample code creating a policy in the following document. http://livedocs.adobe.com/livecycle/es

  • IPhone 4s pictures won't rotate after being transferred to the computer?

    The majority of pictures I take right-side-up still transfer to my computer in landscape mode. Sure this was annoying, but in the past I could easily fix it by simply selecting them all and telling the computer to rotate them clockwise. However, now

  • InDesign CC Trial versioin

    Kindly provide actual link for InDesign CC Trial version. I have downloaded "Creative Cloud Setup.exe". Is it correct? I am using OS Windows 7, 32 bit.