The in progress status of OW4J ?

Hi Raja:
As you mentioned in before:there will be another (a much enhanced) preview release by end of March and by mid year will have a controlled production release.
Could you explain the in process status about the OW4J production release in now ? have any rough released date.

Yes this would be interesting, i am also interested in the state.

Similar Messages

  • 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

  • Workflow: Even if PO is released the log shows status as 'In Progress'

    Dear All,
    I have created custom workflow for PO approval procedure. I have 3 step approval process and have specified same User ID as agent to all 3 levels. Now I am facing below issues in my workflow
    1) It is getting triggered twice, I have specified only one start condition as RELEASESTEPCREATED, why is this happening?
    2)  If I execute the workflow from SWBP for release, even after release of PO the step shows status as 'In Progress' in SWIA,   its not going to complete status. Hence not going to next step.
    Please guide me on the above issues.
    Thanks and Regards,
    Aniket

    If you are using standard Workflow WS20000075 on releasing the PO a notification workitem is ent to the Initiator which displays the PO. On executing this workitem the workflow instance get completed. This is a standard solution if you need to change it then copy it and customize it accordingly.
    Thanks
    Arghadip

  • 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?!?

  • Is there a plug-in or a way to remove the green progress bar from the address bar/AwesomeBar?

    Much as I love Firefox, I'm not overly enamoured with the wee green progress bar that's integrated into the awesomebar in 5. As I have Status-4-Evar installed, I really don't need it, and I find it kinda ugly, to be honest.
    Are there any plug-ins or preference options to make it go away, or am I stuck with it until my brain just learns to ignore it?

    Use the options in Status-4-Evar, on the "Progress" tab, uncheck "Show progress in the Location Bar". There is now an icon "S4E" on the location bar or use the options through the add-ons manager.
    For more information see
    *Status-4-Evar Addon Bar Customization<br>http://dmcritchie.mvps.org/firefox/status4evar.htm

  • 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

  • Error when I click on the Crawler Progress Summary

    When I click on the Crawler Progress Summary button when the Primary Schedule is in the status of "executing"
    I get the error:
    Oracle Ultra Search Error
    ORA-20000: Oracle Ultra Search error
    ORA-01843: not a valid month
    ORA-06512: at "WKSYS.WK_ERR", line 179
    ORA-06512: at line 1
    if I click on the Crawler Progress Summary button when the Primary Schedule is in the status of "scheduled"
    I get the error:
    Oracle Ultra Search Error
    Failed to retrieve past statistics. Crawler may have been shutdown unexpectedly.
    Can anyone assist please?
    Thanks in advance, Sarah
    ps
    In the logs I get the results:
    =================== Crawling results ===================
    Crawling stopped at 20/05/02 14:45
    Total crawling time = 0:0:35
    Total number of documents fetched = 71
    Total number of documents updated = 70
    Total number of documents deleted = 1
    Total number of unique documents indexed = 64
    Total data collected = 678,608 bytes
    Average size of fetched document = 10,603 bytes
    Total indexing time = 0:0:2 for 678,608 bytes of data

    The crawler log file should have a bit more information on this "ORA-01843: not a valid month" error.
    Without looking into the log file my guess would be one of the URLs crawled contain an invalid timestamp string which
    cause an insertion error as oracle expected the date information to be in some format.
    Did the crawler shut down before finished crawling? Check the log file to see if the URL queue size is 0 before it terminates.
    If not then the crawler shutdown because of this ORA-01843 error.
    Because the statistics is reported by the crawler when it terminate normally, there will be no statistic data if it is a
    first time crawl and the crawler terminate due to the above error.

  • Regarding the tracking the live progress of the cube processing.

    Hello,
             Good Morning.  As we are having multiple cube applicatons as part of our project, there are multiple cubes for which we need to evaluate the completion time for the cube processing.
    By referencing one cube, the cube processing is taking one hour one day and some other day, It is taking an hour for completion. Beacuse of this reason, we could not be able to asses the time for completion of cube processing.
    Is there any chance to track the live status of the cube processing?. Which means, the expected time for completion? How many measure group processing are completed and how many left?
    Please provide your inputs on this.
    Thanks in advance.
    Regards,
    Pradeep.

    Hi Kumar,
    According to your description, you want to monitor the progress of cube processing. Right?
    In Analysis Services, there are several tools can help us monitor the processing performance, like SQL Profiler, AS Trace, Performance Monitor, etc. We can also use XMLA command or DMV to get the information. Please see:
    Monitoring processing performance
    Monitoring and Tuning Analysis Services with SQL Profiler
    However, if you want to get the exact live data of the cube processing, Olaf's script can be an effective solution to get the current processing status for some measures or dimensions. But some information still can't be traced, like expected time for completion,
    etc. So for your requirement, it can't be fully achieved.
    If you have any question, please feel free to ask.
    Simon Hou
    TechNet Community Support

  • 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

  • Is it possible to interact with the browser progress controls ?

    I�m programming an Applet and I want to interact with the browser transfer controls, like the animated Icon and the bottom progress bar...
    Is it possible ??

    No. Only thing it can touch is the status bar.

  • 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.

  • Display request progress status with Cairngorm.

    Hi,
    I need to download a dinamically server generated file. So I would like to display the download progress once the delegate class has invoked the remote service.
    One of the ways I was thinking to solve this is to create a process class that implements an interface called lets say.. "IProcess" so this interface would contain methods definitions like:
    get processPercentProgress():Number
    get processTotalSize():Number
    get processProgress():Number
    get processStatus():String //to return things like pending|inprogress|complete... and so on
    get processElapsedTime():Number
    (the class that implements this interface will be bindable)
    So the DownloadEvent (Cairngorm event subclass) will contain an instance that implements IProcess interface and both the presentation class that renders the progress and the delegate class that handles the file download will see and update this process properties.
    From my point of view this solution doesn't look so ugly, but I wonder if there is some best/common practice to do this with Cairngorm 2.
    any ideas?
    thanks in advance.

    Hi Haishai
    Thanks for replyin,
    Create two panels. Use border Layout for contentPane() .
    panel1 in CENTER panel2 in SOUTH. panel1 contains desktoppane, panel2 contains status bar & progress bar. right
    I have done it already.
    1) Within panel1 I am displaying JInternal frame
    2) In panel2 I have created status bar
    But my problem is :
    1) Progress Bar should be display in status bar.
    2) Functionality of progress bar should take place in JInrenalFrame
    Can I use Progress Bar Object which has been created in desktop Pane(), & progress bars value should be changed in JInrenalFrame.
    Is it possible?
    Thanx in advanced.
    Message was edited by:
    jay.D

  • 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

Maybe you are looking for

  • System start error after restore

    Hi, I have restored DB2 database from tape backup and applied logs to time before crash. All processes ends successfully. But when I try to start sap system via startsap database "stands up", Java instance too, but ABAP instance ends with message: St

  • Quicktime 7 for windows will not install.

    I know that all videos on apple.com require the latest version of quicktime, so I follow the links to the download page. I download quicktime 7 for XP or Vista. When I run the program installer, it tells me I must either 'repair' or 'remove' quicktim

  • There was an error opening document.  Access denied. Cant open pdf attached to emails

    I just upgraded to Acrobat Reader x and can't open files attached to emails in Outlook 2010.   If I save the file, I can open it.   I assume it has something to do with protected view or such but can't find where to change settings.   I can open .doc

  • IWeb/MobileMe not accepting comments

    Over the past week or so, I have had two people tell me that they can not leave comments on my blog. I have tried myself (from MacBook Pro, iPhone 4 and Dell/Windows) and can not get a comment to post. I get the pop-up comment window, enter my commen

  • Dynamic key in bean:message

    hi, i would like to use a <bean:message> in my page but with a dynamic key: <logic:iterate id="vSendMode" name="SvGetCommandRavelForm" property="recSendModeList"> <bean:message key="sendMode.agence${vSendMode.idSmod} .modeead${vSendMode.idAgency}" />