Manufacturing Progress Status thru PS

Dear Sir,
We have Make-to-Order scenario . We are using PS and PP both . Our problem is that we do not know about how to see the manufacturing completion progress in the PS .  Without having any information related to Progress , the utility of PS becomes very small .
Kindly guide me on the issue .
With Thanks and Regards
B V Mittal

Hello,
You can see the progress of the whole project and at each WBS level using (Percentage of completion).
Progress tab is available at WBS and activity levels.
Type of POC calculation method needs to be selected here-
-Cost proportional
-Revenue proportional etc.
CNe1, CNe5 transaction will help u assess the(Percentage of completion).
For this you need to "Maintain assignment of cost element group" under progress in spro.
Also default settings for Production order type for type of POC calculation method can be configured in 'Enter Measurement methods for Order type' under progress in spro.

Similar Messages

  • LCM import of Planning Application Hangs with "In Progress Status"

    Hi,
    LCM import of Planning Application Hangs with "In Progress Status" . its already couple of hours. Earlier it was always within 10 mins.
    Any advise is appreciated.
    Regards,
    Vineet

    It is probably worth trying again, may be useful to first bounce the services.
    If it happens again after bouncing the services then investigate at what staging it is getting stuck at.
    Cheers
    John
    http://john-goodwin.blogspot.com/

  • JApplet / application init / start progress status feedback

    We used to put up a separate JFrame during the initization/startup of our applets/applications for status messages. While o.k. for Java Webstart / application modes (& maybe standalone applet mode), this was not pretty for customers embedding our apps in portals.
    So, the goal became to show custom progress/status on the "gray screen" initial applet contentpane until our app desktop is ready to show. Known threading / painting issues during applet startup made this task somewhat non-trival.
    Searched around here on the jdc & found a nice little Moving Ball class & used that as a base for the play app below. Thought I'd post this back to jdc in case anyone else finds it useful. The JApplet code has a main, so same code should work for the app whether deployed as a (plug-in) applet, application JAR or Web Start app.
    The code should show a RED moving ball during init, a YELLOW one during start and a GREEN one after start method is done (w/ball x position update in scrolling pane)....
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.WindowListener;
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
        cforster: Uses Ball painting code (from jdc) & separate status area to simulate JApplet
        startup msgs to be shown to user during applet init...
        Point is to show status during applet/application initialization (init / start) methods...
        Can JAR this up & try in appletviewer or using 1.4.2+ plugin, etc.
        With main() also usable in application / Webstart mode....
        If going the application route (or double-click JAR route), need JAR manifest.mf like:
        Manifest-Version: 1.0
        Main-Class: Today
        Created-By: 1.4.2 (Sun Microsystems Inc.)
    public class Today extends JApplet {
        private static Today inst;
        //  Ball color will change from RED (init) -> YELLOW (start) -> RED (start done)
        Color ballColor = Color.RED;
        final int colorSleep = 3000;    // Time to waste in init & start methods
        final int pauseSleep = 25;      // Time between Ball moves/draws
        JTextArea jta = new JTextArea("===  Status  ===" + "\n", 50, 132);
        MovingBall movingBall = new MovingBall(jta);
        public static Today getInstance() {
            if (inst == null) inst = new Today();
            return inst;
        public Today() {
            super();
        public void init() {
            setVisible(true);
            getContentPane().setLayout(new BoxLayout(getContentPane(), BoxLayout.Y_AXIS));
            movingBall.setPreferredSize(new Dimension(400, 100));
            movingBall.setBackground(Color.lightGray);
            getContentPane().add(movingBall);
            jta.setEditable(false);
            jta.setBackground(Color.lightGray);
            getContentPane().add(new JScrollPane(jta));
            movingBall.start();
            validate();
            try {
                Thread.sleep(colorSleep);
            catch (InterruptedException ie) {      }
        public void start() {
            ballColor = Color.YELLOW;
            validate();
            try {
                Thread.sleep(colorSleep);
            catch (InterruptedException ie) {       }
            ballColor = Color.GREEN;
        public void stop() {
            movingBall.stop();
        public static void main(String args[]) {
            final Today CallingApplet = Today.getInstance();
            JFrame frame = new JFrame("Moving Ball / Load status");
            frame.getContentPane().setLayout(new BorderLayout());
            frame.getContentPane().add("Center", CallingApplet);
            // Use an adapter to close the window
            WindowListener listener = new WindowAdapter() {
                public void windowClosing(WindowEvent e) {
                    System.exit(0);
            frame.addWindowListener(listener);
            frame.setBackground(Color.lightGray);
            frame.pack();
            frame.setSize(400, 400);
            frame.show();
            CallingApplet.init();
            CallingApplet.start();
        class MovingBall extends JPanel implements Runnable {
            final int xPos_Start = 8;
            int xPos = xPos_Start, yPos = 100, rad = 10;
            boolean moveForward = true;
            Thread thread;
            Graphics dbg;
            Image dblImage;
            JTextArea jta = null;
            MovingBall ball = this;
            // Takes in JTestArea that is supposed to be the status msg area...
            // In practice, the staus area & updates are elsewhere...
            public MovingBall(JTextArea jta) {
                this.jta = jta;
            public void start() {
                Thread ballThread = new Thread(this);
                ballThread.start();
            public void run() {
                Thread.currentThread().setPriority(Thread.MIN_PRIORITY);
                yPos = getHeight() / 2 + (rad / 2) + rad;
                while (true) {
                    if (moveForward)
                        xPos++;
                    else
                        xPos--;
                    if (xPos > getWidth() - (2 * rad))
                        moveForward = false;
                    else if (xPos < xPos_Start + (2 * rad)) moveForward = true;
                    SwingUtilities.invokeLater(new Runnable() {
                        public void run() {
                            if (xPos % 20 == 0) {
                                jta.append("xPos = " + xPos + "\n");
                                jta.setCaretPosition(jta.getText().length());
                            ball.paintImmediately(ball.getBounds());
                    try {
                        Thread.sleep(pauseSleep);
                    catch (InterruptedException ie) {
                        break;
            public synchronized void stop() {
                thread = null;
    /*  Not needed for Swing Component (only AWT ?)
              public void update(Graphics g)
                   if(dblImage == null)
                        dblImage = createImage(this.getSize().width, this.getSize().height);
                        dbg = dblImage.getGraphics();
                   dbg.setColor(getBackground());
                   dbg.fillRect(0, 0, this.getSize().width, this.getSize().height);
                   dbg.setColor(getForeground());
                   paintComponent(dbg);
                   g.drawImage(dblImage, 0, 0, this);
            public void paintComponent(Graphics g) {
                g.setColor(getBackground());
                g.fillRect(0, 0, getWidth(), getHeight());
                g.setColor(ballColor);
                g.fillOval(xPos - rad, yPos - rad, 2 * rad, 2 * rad);
    }If anyone plays with this & finds issues/problems or makes improvements to its mechanism, would be nice to post back to this thread.

    hello,
    I found that while configuration of AM there was an warning
    Command deploy executed successfully with following warning messages: Error occurred during application loading phase. The application will not run properly. Please fix your application and redeploy.
    WARNING: com.sun.enterprise.deployment.backend.IASDeploymentException: ContainerBase.addChild: start: LifecycleException:  java.lang.NoClassDefFoundError
    Successfully deployed /amserverthis might help in resolving the issue.
    regards,
    sumant

  • Hi Im using os 10.7.5 and i can't see the progress status in the launch pad and in purchase tab in mac app store. PLEASSSSSEEEE HELP!

    Hi Im using os 10.7.5 and i can't see the progress status in the launch pad and in purchase tab in mac app store. PLEASSSSSEEEE HELP!

    HI guys! can anyone help me with this?!?

  • Pause slide vs. TOC progress status

    Hi again,
    this project gives me hell! I almost finished but there is some ****... trouble again :-/
    Whole project is just demo of set-up and some basics for MS Outlook.
    For navigation im using only TOC. Progressbar below is included in SWF animation on each slide. (its not project progressbar).
    Problem is that project continues to next slide afrer video(animation) ends. But i need it to stop after viewing whole video.
    So i placed some transparent click box in slides with "no action" option and that solved my problem with project continuity,
    unfortunately progress status in TOC isn´t working now because of that click box.
    I would be grateful for some advice.
    Thanks
    Martin

    Hello,
    How is the Success Action for your Click box? Is it set to Continue so that the whole timeline of each slide is played?
    Another possibility is acquiring the TickTOC widget of InfoSemantics.
    Lilybiri

  • When i approuve a transport request, it stays in progress status

    Hello,
    even if i input approval steps and i approuve it after, they are still in progress status, they don't desappear from QA worklist.
    ho to do to resolve this situation ?
    Thank's a lot

    Hello,
    Is this a workflow question? Are you using workflows for transports?
    If yes, check the workflow log, eg via SWIA, to see what the problem is.
    If no, maybe you could ask in a different SDN forum.
    regards
    Rick Bakker
    Hanabi Technology

  • Progress  status setting in PPM

    Hi Experts,
    Can the default settings of number of days in  Progress Status  be set globally?
    Path to Progress Status Settings:
    PPM --> Target to Date --> More --> Options
    Current default settings = 7, 50, 90 days
    Desired default settings = 30, 60, 90
    Please advise on this.
    Thanks & Regards,
    Gautam

    very simple..we can set it through web ui directly. It is set globally for all the users regardless of organisation.

  • Disabling progress status window permanently

    Is it possible to permanently disable the square progress status window that appears when I convert documents to PDF files?

    I just canceled out of one yesterday afternoon running under LV 8.2 with no issue. If you are removing the old data, did you shutdown the app using the DB?
    If that doesn't help the only answer I know of sounds like I am being a wise-arse.
    Post an zip that demonstates this issue then "take two upgrades and post back next year."
    I don't mind locked VI if they work. When they don't I have no choice but to be frutstrated. The lock-down tie-up with Shared variables combined with what appears to be poor testing (historical trends recall funtion swapped start and stop times because developer did not use type defs, intermittant lock-ups of the DB on multiple machines with absolutley no tools to troubleshoot, ... ) has resulted in me NOT recomending DSC for an app for a couple of years now. The only reason I still touch it is I have apps running DSC for ten years and they have to keep running.
    Sorry to dump on you. If we ever meet we can discuss who is more disappointed.
    Ben
    (Former Top Contributor to the DSC forum)
    Ben Rayner
    I am currently active on.. MainStream Preppers
    Rayner's Ridge is under construction

  • Write-Progress -Status span mulitple lines

    Is it possible for Write-Progress -Status to span multiple lines? The status is showing the file being copied and to the location it is being copied to, which can get very long and runs off the console window. I have tried adding `r`n but that doesn't
    work, so I am thinking it is a no, but figured I would ask.
    If you find that my post has answered your question, please mark it as the answer. If you find my post to be helpful in anyway, please click vote as helpful.
    Don't Retire Technet

    The progress bar in Write-Progress is based on the width buffer size of the console window. If the width buffer is greater than the actual console window width, then it will spill off of the console.
    There is no way to my knowledge to make this span multiple lines other than to write your own type of progress bar or to make a proxy function for Write-Progress.
    Boe Prox
    Blog |
    Twitter
    PoshWSUS |
    PoshPAIG | PoshChat |
    PoshEventUI
    PowerShell Deep Dives Book

  • Dbca command is in progress status ,while installing 9i oracle

    Hi All can you please help .............
    i have sparc ultra 80 machine with solaris 9 , i copied the oracle software 9.i , and tried to install the oracle software through runInistaller , every thing is fine ,
    But the issue is once executing the DBCA command to create the Database -- status is progress only for long time -about 10 hours --o i killed the process .......
    Any body can suggest please ........
    any document is available for installation ..
    Thanks in advance .........
    Vijayakumar.......

    [Using the Database Configuration Assistant (DBCA) to Create a Database|http://www.oracle.com/technology/obe/2day_dba/install/install.htm#t2]

  • How to terminate guest vm with in progress status in oem 11g

    in grid control 11g -->virtual central show:
    name type status
    ovm_build1     Guest VM     Editing
    guest :gvm11 status is alway "Editing".
    but in fact gvm22 status is Runing.
    virsh # list
    Id Name State
    0 Domain-0 running
    3 52_OVM_BUILD1 blocked
    because it is in progress in grid control 11g,we can't do anything, pls help me to correct or terminate.
    for exaple :stop guest vm ,it report the following:

    In OVM Manager there is a "reset" action that the new status is read from the OVS server.
    I don't know how this looks like in EM Manager, but there should be a similar action.
    Sebastian

  • Amex application "In progress" status. Approved?

    Hi, my credit is only 5 months old. I applied for PRG and Delta cards on Wednesday evening. As I don't currently have FICO generated, Amex requested copy of my stab. I complied, and today the status changed from "Submit additional documentation" to "In Progress". What does that suppose to mean? Perhaps ppl from documents department verified my pay stab and moved application over to credit analyst? Can I remotely now hope for an approval?

    orestrus wrote:
    Hi, my credit is only 5 months old. I applied for PRG and Delta cards on Wednesday evening. As I don't currently have FICO generated, Amex requested copy of my stab. I complied, and today the status changed from "Submit additional documentation" to "In Progress". What does that suppose to mean? Perhaps ppl from documents department verified my pay stab and moved application over to credit analyst? Can I remotely now hope for an approval?It can swing both ways.. The good thing it is not showing declined so that is a good thing.  Keep checking the app. status and let us know results.  Will keep fingers crossed for you.

  • Web Application Status thru Command Line!

    Hi,
    How do i find the status of web application thru command line?
    I dont find a direct and easy way to get to know the status of a web application. In websphere it was straight forward. Any help from BEA team would be really appreciated
    Regards,
    C R baradwaj

    Hi Satya Ghattu,
    We have a requirement wherein we wanted to manage the start and stop of web application without using the weblogic server console.
    If I stop the web application from the console it shows the web application status as unavailable. I want to retrieve the status of the web application that is shown in the console from a command line utility or thru a java program.
    Any sample program or a command line utility will be very very helpful.
    Waiting for your earlier response. I understand from other source of information that WLST is the way to go. If I can get some source code for the same will be REALLY appreciated.
    Many Thanks in Advance,
    C R Baradwaj

  • Progress status question

    I am trying to find a way to make an indicator that just loops to let the user know that some action is happening. I don't have any information to update the progress, as the work is being done by a third party and can take up to 60 seconds to time out. I was just wondering if there was a class that addresses this situation or should I just use an animated .gif to give the user the 'warm fuzzy' feeling that something is still happening. I looked at the JProgressBar class but it is a typical progress bar and I need something more like a status indicator.
    Thank you for any information,
    Hiro

    Just kidding, just use a timer for your progress bar, once you know longer need it, kill the timer to stop the bar.

  • Updates in progress - status non-compliant

    I deployed my latest software updates (Patch Tuesday) a few days ago to my XP client collection (yes - I know it's going away soon :)) and I see that looking at the Deployment Status they are reading as
    In progress but status set to non-compliant.
    Strangely I had pushed the same deployment to my test collection a week previously and they had installed normally.
    I had a look at various logs and everything seems to have no discernible errors but looking at a sample of the computers in question shows that the updates have NOT installed.
    Opening the 'more details' pane for each computer shows that the software updates are set to a status of
    required.
    Confused as to where to look now to troubleshoot.
    My software update deployment to my Windows 7 collection is successful. No errors in the deployment status window.
    Any help or pointers are appreciated.
    Thanks,
    John

    Hi,
    If these update logs have no discernible errors, you could enable verbose logging to help you find more information.
    Please check the logs in the following KB to find why were these updates not installed.
    (http://technet.microsoft.com/en-us/library/hh427342.aspx#BKMK_SU_NAPLog)
    Best Regards,
    Joyce Li
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

Maybe you are looking for

  • How to export report to xls format ?

    hi guys, i am running apex 3.2.1.00. I came across this in the documenation You can download an interactive report back by selecting Download from the Actions menu. Available download formats depend upon your installation and report definition but ma

  • 1z0-051: SQL Fundamentals objective inquiry

    Hi, first of all I wish if this is the right way/ forum to ask. If not, please accept my apologies, in advance. I'm preparing for 1z0-051 Oracle Database 11g SQL Fundamentals 1 exam. My main refrence is : OCA Oracle Database 11g SQL Fundamentals I Ex

  • How do I get to the place where I can create a master password?

    I have read about master passwords, and want to create a way to safely save passwords on various accounts. I cannot find on my assus tablet where to click to get to the security settings page.

  • Global Username Variable

    Coming from a CF background, I have always been able to set my user's login username in a variable scope that the entire application could reference (session). I know that in Flex/Flash there is no sessions since Flex is a persistent application. How

  • What MacBook Pro should I go with for music production/some video/ and photography

    Just don't know if I should go with a dual-core or a quad core for my music/video/ and photography. I do know I want 16gb of ram but the price difference is pretty significant between a dual vs a quad.