Question Demo tenant S&OP

One of my parnters would like to have access to a demo tenant for S&OP (on demand). How can I arrange this?
Thank you in advance.
Kind Regards,
Djoekie Klein

is the ID: i.e. if in your planning area you define a key figure named INVENTORYTARGET, so it will be the KF used by Heuristic for inventory target input... (and so on...)
So you have to define your own planning area coping it from SAP demo planning area (exaple SAP2 or SAPMODEL4), because it will be have the same KF ID to guarantee correctness of SCM planning

Similar Messages

  • Random Questions are Not Random

    The Question Pool has twenty-five (25) questions, and ten (10) Random Question slides in the project.  The frist time a learner takes the course the questions are randomly chosen, as they should be.  Assuming the learner fails and retakes the quiz, the learner is seeing the same set of questions; not a new 'random set.  Is there some setting that I am missing to give them a new random set of questions?  Thanks for any help!

    Sorry, but that is the way random question slides are designed. The only way to have another set of random slides is to restart the module.
    Lilybiri

  • How do I change my security questions without having to answer my security questions??

    Here's the deal. I'm a little drunk, just tryin to buy a good song I heard on The Voice (yeah whatever) and I can't remember my password, my email info, or my security questions. Ten minutes later and I remember my itunes password. Great right? Well, while I took note of my newfound password, I am worried that those security questions might be needed later in life. And my question is about where I was for the new year in 2000. I don't knooooww. That was 12 years ago, and quite frankly, I was probably drunk when I answered that too. So how do I go about changing those questions without having to answer them?? **
    ** To be read in Dennis Reynolds voice..... but also to be taken very seriously.

    You need to ask Apple to reset your security questions; this can be done by phoning AppleCare and asking for the Account Security team, or clicking here and picking a method, or if your country isn't listed in either article, filling out and submitting this form.
    They wouldn't be security questions if they could be bypassed without Apple verifying your identity.
    (106792)

  • My iPod froze! Not the kind of restarting freeze.... it's stuck on a video

    The screen is stuck onto the same image from a movie, no commands work, If I connect it to my computer, it does nothing, commands are still stuck it doesn't seem to work anymore

    Whats on there?
    My problem still unsolved
    I sent you the link because someone has been asking this question every ten minutes for the last week and it's getting difficult to give the same answer every time.
    Don't ask what's on the link. Take a look. In fact there are threads all over this forum about it.

  • Gridbag layout continues to confound me...

    I am having problems with the gridx and gridy constraints when trying to use gridbag layout. They seem to have no effect when I use them. The button always appears in the top left of the panel. Other constraints seem to work as expected.
    For example: c2.fill = GridBagConstraints.BOTH; will fill up the entire panel with my button.
    Any advice on what I am doing wrong this time?
    Thanks
    import javax.swing.JPanel;
    import javax.swing.JTextArea;
    import javax.swing.JScrollPane;
    import javax.swing.JFrame;
    import java.util.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.awt.image.*;
    import java.awt.Color;
    import javax.swing.*;
    import javax.swing.border.*;
    import javax.swing.text.*;
    import java.awt.*;
    import javax.swing.*;
    import javax.swing.event.*;
    public class Question
         public JPanel test()
              JPanel testPanel = new JPanel(new GridBagLayout());
              GridBagConstraints c2 = new GridBagConstraints();
              c2.insets = new Insets(5,5,5,5);
              c2.weightx = 1.0;
              c2.weighty = 1.0;
              c2.anchor = c2.NORTHWEST;
              JButton redButton = new JButton("Button");
              c2.gridx = 2;
              c2.gridy = 2;
              //c2.fill = GridBagConstraints.BOTH;//this works as expected
              testPanel.add(redButton,c2);
              return testPanel;
         public Container createContentPane()
              //Create the content-pane-to-be.
              JPanel contentPane = new JPanel(new BorderLayout());
              contentPane.setOpaque(true);
              return contentPane;
         private static void createAndShowGUI()
              //Create and set up the window.
              JFrame frame = new JFrame("question");
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              //Create and set up the content pane.
              Question demo = new Question();
              frame.setContentPane(demo.createContentPane());
              frame.add(demo.test());
              //Display the window.
              frame.setSize(400, 400);
              frame.setVisible(true);
        public static void main(String[] args)
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable()
                public void run()
                    createAndShowGUI();
        }//end main
    }//end Question

    GridBagLayout keeps zero width/height grid for non-existant component for the grid.
    You could override this behavior by using GBL's four arrays as shown below.
    However, in order to get the desired layout effect, using other layout manager, e.g. BoxLayout and/or Box, is much easier and flexible as camickr, a GBL hater, suggests.
    Anyway, however, before using a complex API class as GBL, you shoud read the documentation closely.
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;
    public class Question{
      // you may adjust these values for your taste
      static final int rowHeight    = 100;
      static final int colWidth     = 100;
      static final double rowWeight = 1.0;
      static final double colWeight = 1.0;
      public JPanel test(){
        GridBagLayout gb = new GridBagLayout();
        gb = keepAllRowsAndColumns(gb, 3, 3);
        JPanel testPanel = new JPanel(gb);
        GridBagConstraints c2 = new GridBagConstraints();
        c2.insets = new Insets(5,5,5,5);
        c2.weightx = 1.0;
        c2.weighty = 1.0;
        c2.anchor = c2.NORTHWEST;
        JButton redButton = new JButton("Button");
        c2.gridx = 2;
        c2.gridy = 2;
        // c2.fill = GridBagConstraints.BOTH;//this works as expected
        testPanel.add(redButton,c2);
        return testPanel;
      GridBagLayout keepAllRowsAndColumns(GridBagLayout g, int rn, int cn){
        g.rowHeights = new int[rn];
        g.columnWidths = new int[cn];
        g.rowWeights = new double[rn];
        g.columnWeights = new double[cn];
        for (int i = 0; i < rn; ++i){
          g.rowHeights[i] = rowHeight;
          g.rowWeights[i] = rowWeight;
        for (int i = 0; i < cn; ++i){
          g.columnWidths[i] = colWidth;
          g.columnWeights[i] = colWeight;
        return g;
      private static void createAndShowGUI(){
        JFrame frame = new JFrame("question");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        Question demo = new Question();
        frame.getContentPane().add(demo.test(), BorderLayout.CENTER);
        frame.setSize(400, 400);
        frame.setVisible(true);
      public static void main(String[] args){
        javax.swing.SwingUtilities.invokeLater(new Runnable(){
          public void run(){
            createAndShowGUI();
    }

  • Typewriter tool and form fields

    Hi there.
    I have a long PDF which was created from a Word doc. I have added form fields throughout the document. However, there is one page which has a question then ten lines for the user to write the answer. I originally had a form field covering the ten lines which I made multi-line and gave a white background so that when the user types, it would just fill up the page. However, it has since been requested that the lines remain visible.
    A terrible solution would be to use a separate field for each line (thus causing the user to have to press tab to get to the next line). After some research, I discovered the typewriter tool which accomplishes exactly what I had in mind.
    Here's the problem: It appears I am unable to use both form fields and the typewriter tool within one PDF. Is there a workaround to this?
    Thanks in advance!
    Hilary

    With respect, how is the typewriter tool better than either a single multiline field or multiple single line fields? I would think that making your users switch between using the Hand tool and the Typewriter tool would be awkward, to say the least.
    If I were in your position, I would continue to use a multiline field with a transparent background and adjust the lines to match the leading that results.
    Does this have to work with Reader? Do you need to extract the form data? Does the general public have to use this form?
    When you enable just the Typewriter tool for use with Reader, it locks out form fields. But if you enable the document for use with Reader, it enables both forms and commenting, and the Typewriter tool is a type of commenting, but Reader makes the Typewriter tool less obvious.
    George

  • Sortable PPBM5

    This is a question/demo for Harm and Bill and any others with good ideas. Soon after finding the awesome PPBM5 while researching a new system, I found myself wanting to sort the information by different criteria. After importing the data into excel and finding/fixing all the merged cells that the sort feature choked on, I was able to look at the data from many different angles. Trends and averages quickly jumped off the page.
    This brought up the question... Would others like to have this functionality as well?
    I thought that maybe they did so I turned to Google docs. Now this solution is far from perfect, google docs has a long way to go in the public sharing and permissions department. This would truly be fantastic if you could lock the data but keep the table sortable, you can't at the moment, maybe in the future. The other downfall to this solution is that sorting the table changes everyones view of the data. There are other minor issues with the way the data was entered that corrupts the sorting, like the "D1, Q1, Q3, etc..." but this is easily fixed.
    So I'm here looking for suggestions and feedback, is there a solution out there that I'm not aware of??
    Let's discuss...
    Demo (please sort and play with): https://spreadsheets.google.com/ccc?key=0AlL82-2gDhFTdHVjbmpHN1FfRDVkN19sU1ozSnlWUEE&hl=en &authkey=CP6IuJEB
    Jeremy

    I named the PPBM directory a bit different, I guess
    that's why " statistics " could not be opened.
    After naming PPBM correctly the test went flawlessly.
    Thanks.

  • New iPad App SAP Project Office

    Hi,
    looking around at the App Store on my iPad I found a new App named SAP Project Office.
    It seems that it is a new App für ByDesign showing a new UI.
    Unfortunately I can´t logon with the credentials of our demo tenant. It seens that I Need other credentials.
    Any hints?
    Regards
    Andreas

    Hi Andreas,
    To use the SAP Project Cockpit mobile app with your project
    data, you need to have an account for SAP HANA Cloud Platform provided by your
    IT department.
    https://itunes.apple.com/us/app/sap-project-cockpit/id814590502?mt=8
    Getting an Account
    To deploy applications on SAP HANA Cloud Platform, you need
    an account. The platform offers three types of accounts: developer, customer
    and partner account.
    For more information how to get each type of account and
    what is the difference between them, see the link below.
    https://help.hana.ondemand.com/help/frameset.htm?975c8fc61a384668a82e91c8448deb0b.html
    Best Regards,
    Cristiano Rosa

  • I found the answer to my question on my own via Demo from Pittsburgh PA thanks restarting the printer and iPad worked thanks

    I asked the question I am unable to print from my iPad 3 since the last update it says printer no longer available with an error code 5809EC well no one directly answered my question so I started looking at other questions that were similar and I found an answer from Demo from Pittsburgh PA his suggestion was to turn off your printer and iPad and restart them, and this worked perfectly.  His answer was in reference to a question asked last march so to others it's ok to seek answers from 7 months ago he was right.

    I like to give credit to where credit is due, thanks again, hopefully this helps others out there too cause apparently many others are having the same problem

  • Multiple O365 Tenants, Single Authentication Scenario, AD-FS, Azure Questions

    I have a customer scenario which is a group company with multiple companies within it. Here are the different questions that I am supposed to answer them.
    They have multiple entities each having their own O365 tenant
    Each of them their own On-Premise AD and have their AD-FS Configured, so users are able to login through their AD Usernames to their O365 Subscription
    Now they want to setup up a Central Workspace (assume it is setup as a new O365 – SharePoint Online tenant) – which all of these companies can post and share data with, there is a Group Head Office, which controls this and they have their own AD as well
    In this central workspace, there will be documents shared, tasks created, discussion forums, surveys, social features etc.
    They do not want to do any AD Consolidation – so they are asking me – how will the authentication work in the future – each of the group company users should be able to login with their AD Username itself
    Is this possible? If so, How can we do this?
    Also with respect to Performance, it will be around 2000 users using this central workspace – so will O365 – SharePoint Online automatically scale or is there any special configuration that needs to be done?
    In the future, they are looking at extending this to 3<sup>rd</sup> party companies as well to share information with – so there is a question as to how they can get authenticated as well (External Sharing is not really their preference)
    so is there like an FBA – Claims (Custom Login Page) we can setup along with Self-Registration capabilities?
    Again, when around 10000 users use this later, how will O365 – SharePoint Online perform?
    In the future, how will Yammer and the new Office Groups work? Will Yammer go away? What is the direction that Microsoft is taking?
    Would be great to get your responses at the earliest possible. 
    Karthick S

    I have not seen this on here yet....http://dailycaller.com/2015/07/29/top-feminist-issues-stunning-rebuke-for-medias-total-silence-on-pl...http://www.salon.com/2015/07/29/camille_paglia_takes_on_jon_stewart_trump_sanders_liberals_think_of_...fta: A major feminist author and former Planned Parenthood member shredded the U.S. media Wednesday for its “shockingly unprofessional” failure to cover the release of secret videos showing alleged trafficking in fetal organs by employees of Planned Parenthood. ... .. Now let me give you a recent example of the persisting insularity of liberal thought in the media. When the first secret Planned Parenthood video was released in mid-July, anyone who looks only at liberal media was kept totally in the dark about it, even after the second video was released.also fta: I regard Donald Trump as an art...

  • CUCM demo license question

    Hello.
    We use  two nodes of CUCM 7.1 and we have permanent device license. Now we'd like to increase amount of phones for a short time. I downloaded 3-monthes demo license for 500 units (the file in attachment). So my question is - how I should add this license correctly? Should I edit this file in some way before uplouding to a server? What will be with our permanent license? What will happen after 3 months? We just lose additional 500 units or it could affect the permanent license?
    I would very thankful for any answers.
    Ruslan               

    Ruslan,              
    All licenses on CUCM are cumulative and they do not overwrite previous licenses. So, simply upload this licenses (assuming it is for the correct MAC) on the publisher. There is no limit as to how many licenses you can have AFAIK.
    HTH,
    Chris

  • Ask-The-Expert (ATE) Questions and Demos

    You can quickly access many of the answers and demos held during our Support Model for the Channel and Their Customers Ask the Expert (ATE) session for the Business ByDesign version of FP2.6
    You can access the demo recording here; https://sap.na.pgiconnect.com/p10867840/
    Below is a time stamp (MM:SS) of the start of a question or key topic during the session.
    05:15 u2013 what are the different ways to request support and creating incidents in the system during an implementation project ?
    8:45 u2013 How to create a support incident when the Business ByDesign system is down?
    11:20 - What is the role of a key user in ByD and to get to get access as a Key User in Business ByDesign?
    13:50 u2013 Demonstration u2013 How to log a new incident in ByD?
    15:43 u2013 who dies the user gets notified if there is any issue in the system with automatic job runs ex: if the Invoice run fails?
    21:40 u2013 How to take over an incident and forward it to support in ByD?
    33:50 u2013 what is the system provisioning process for partners and how partners can request a test, prod or data migration system?
    Edited by: Imtiyaz Mohammed on Sep 19, 2011 4:09 PM

    I want to Identify the Creator of RFQ in MM Module, Please Suggest.
    Thanks

  • Question re fieldcat "appends" in demo progam BCALV_EDIT_05

    I've successfully used the code in this demo program to build an editable ALV with three checkboxes at the beginning of the ALV row (instead of just one, like in the program itself.)
    But my question is how SAP knows that the checkbox field goes at the beginning of the row in BCALV_EDIT_05.  I always thought it was the order of the fields in the fieldcat, but it looks like here it's the order of fields in the outtab structure. 
    Because the checkbox field is appended to fieldcat, not inserted at the beginning.
    Can someone explain what's going on her?  Is SAP getting the order of fields from the outtab definition?
    Thanks   ... back later to check for answer(s).
    djh

    Hi,
    If you check the gt_fieldcat table after the insert the checkbox is inserted with value column position as 0
                 col_pos    fieldname
             0 |         1 |MANDT                         |              
             0 |         2 |CARRID                        |               
             0 |         3 |CONNID                        |               
             0 |         4 |FLDATE                        |                 
             0 |         5 |PRICE                         |                 
             0 |         6 |CURRENCY                      |                 
             0 |         7 |PLANETYPE                     |                
             0 |         8 |SEATSMAX                      |               
             0 |         9 |SEATSOCC                      |                 
             0 |        10 |PAYMENTSUM                    |               
             0 |        11 |SEATSMAX_B                    |                 
             0 |        12 |SEATSOCC_B                    |                 
             0 |        13 |SEATSMAX_F                    |                 
             0 |        14 |SEATSOCC_F                    |                 
             0 |         0 |CHECKBOX                      | "<<<                 
    if you change the posiiton to 15 then check box will display in the last
    If you check the code for insert system not providing any column position for checkbox
    form build_fieldcat changing pt_fieldcat type lvc_t_fcat.
      data ls_fcat type lvc_s_fcat.
      call function 'LVC_FIELDCATALOG_MERGE'
           exporting
                i_structure_name = 'SFLIGHT'
           changing
                ct_fieldcat      = pt_fieldcat.
    *§A2.Add an entry for the checkbox in the fieldcatalog
      clear ls_fcat.
      ls_fcat-fieldname = 'CHECKBOX'.
    * Essential: declare field as checkbox and
    *            mark it as editable field:
      ls_fcat-checkbox = 'X'.
      ls_fcat-edit = 'X'.
    * do not forget to provide texts for this extra field
      ls_fcat-coltext = text-f01.
      ls_fcat-tooltip = text-f02.
      ls_fcat-seltext = text-f03.
    * optional: set column width
      ls_fcat-outputlen = 10.
      append ls_fcat to pt_fieldcat.
    endform.
    aRs

  • Questions arising from Webtools demo

    Hi,
    I gave a customer a demo of Webtools yesterday and they a had a few questions that I didn't know the answers to. I'm not a developer so these might be really basic to most of you. They want to use the eCommerce service area as a helpdesk. I'm hoping that I can get some more information on here or some pointers in the right direction, so here goes...
    u2022     Can you attach a file to the u2018My Equipmentu2019 records e.g. a software license file so that the external customer can download it?
    u2022     When an activity is assigned to another user  in Webtools is the new assignee alerted and does it go into the new assigneeu2019s calendar in SBO?
    u2022     Can you use predefined text in the Service Ticket / Edit / u2018Enter a message describing your changesu2019 with u2018Send Replyu2019 Checkbox ticked?
    u2022     Can an external customer accept a quote online and promote it to a Sales Order or does this have to be done by an internal user?
    Any other pointers on the limitations/benefits others have encountered when using webtools in this scenario would also be helpful.
    Thanks in advance,
    Tracey

    Q: Can you attach a file to the u2018My Equipmentu2019 records e.g. a software license file so that the external customer can download it?
    A: The merchant can attach any kind of file to the item itself which can be downloaded by the shopper when viewing the item detail on the storefront
    Q: When an activity is assigned to another user in Webtools is the new assignee alerted and does it go into the new assigneeu2019s calendar in SBO?
    A: There is no alert sent. The activity shows on the other users calendar in B1
    Q: Can you use predefined text in the Service Ticket / Edit / u2018Enter a message describing your changesu2019 with u2018Send Replyu2019 Checkbox ticked?
    A: There's no where to add canned text to be chosen with a dropdown or other option.
    Q: Can an external customer accept a quote online and promote it to a Sales Order or does this have to be done by an internal user?
    A: Internal User only. Future development may include the ability to email a completed quote.

  • Minor question / problem with OWB 10gR2 demo tutorial

    Hi, I'm working on the OWB tutorial demo for 10gR2 that was just released, and have a question. At the start of the chapter on "Designing ETL Data Flow Mappings", as part of the workflow manager install instructions, it says to execute the following:
    grant owb_o_rep_owner to owf_mgr;
    I can't find the role owb_o_rep_owner anywhere - should this instead be owb_o_owb_owner?
    Thanks in advance,
    Scott

    One more question - does anyone know how to install the demo / tutorial on a different server? I.e. I've had the DBAs get OWB installed on a QA server, but they are busy and don't have time to do the install of the tutorial. Can I install it remotely some way (note that when I tried, I kept getting errors from OMB saying it couldn't deploy things remotely or something).
    Thx in advance,
    Scott

Maybe you are looking for