JProgressBar and file transfer

Hi, I am trying to use a JProgressBar to determine how many bytes have been sent so far. I have constructed the JProgressBar with the maximum size of the file size. For each 'segment' of the file sent, the progress bar should increment using the setProgress() within the SwingWorker class. If I print the values out, they appear to be correct. However, if I use setProgress() the file transfer seems to fail (not even begin).
Here's the relevant code:
public class FileTracker extends JDialog implements PropertyChangeListener {
     private JPanel mainPnl = new JPanel(new BorderLayout());
     private JPanel progressBarPnl = new JPanel(new BorderLayout());
     private JPanel midPnl = new JPanel(new GridBagLayout());
     private JPanel bottomPnl = new JPanel(new GridBagLayout());
     private JLabel fileNameLbl = new JLabel("File name: ");
     private JLabel fileNamexLbl = new JLabel();
     private JLabel sizeLbl = new JLabel("File size: ");
     private JLabel sizexLbl = new JLabel();
     private JButton cancelBtn = new JButton("Cancel");
     private JProgressBar progressBar;
     private FileSender fileSender;
     private FileReceiver fileReceiver;
     private File file;
     public FileTracker(JFrame parent, String ip, int port, File file) {
          super (parent);
          this.file = file;
          fileSender = new FileSender(ip, port, file);
          fileSender.addPropertyChangeListener(this);
          fileSender.execute();
          setLocationRelativeTo(null);
          progressBar = new JProgressBar();
          progressBar.setMaximum((int)file.length());
          add(progressBarPanel());
          setResizable(false);
          setTitle("File sending..");
          pack();
          setVisible(true);
     private JPanel progressBarPanel() {
          progressBar.setValue(0);
          progressBar.setEnabled(true);
          progressBar.setStringPainted(true);
          progressBar.setIndeterminate(true);
          progressBarPnl.add(progressBar, BorderLayout.CENTER);
          return progressBarPnl;
     public void propertyChange(PropertyChangeEvent evt) {
        if ("progress" == evt.getPropertyName()) {
            int progress = (Integer) evt.getNewValue();
            if (progressBar.isIndeterminate())
                 progressBar.setIndeterminate(false);
            progressBar.setValue(progress);
            if (fileSender != null && fileSender.isDone())
                 progressBar.setString("Transfer finished");
            if (fileReceiver != null && fileReceiver.isDone())
                 progressBar.setString("Transfer finished");
}The SwingWorker:
public class FileSender extends SwingWorker<Void, Void> {
     private Socket socket;
     private FileInputStream fileIn;
     private OutputStream output;
     private File file;
     private byte buffer[];
     private int bufferSize;
     int bytesRead;
     int progress = 0;
     public FileSender(String ipAddress, int port, File file) {
          try {
               System.out.printf("NOTICE: FileSender initialised. Sending to:%s on port: %d\n", ipAddress, port);
               socket = new Socket(InetAddress.getByName(ipAddress), port);
               output = socket.getOutputStream();
               bufferSize = socket.getSendBufferSize();
               buffer = new byte[bufferSize];
               this.file = file;
               setProgress(0);
          } catch (UnknownHostException e) {
               // THE USER MUST BE INFORMED THAT THE RECIPIENT COULD NOT BE RESOLVED
               e.printStackTrace();
          } catch (java.net.ConnectException ce) {
               // INFORM THE USER THAT THE RECIPIENT COULD NOT BE REACHED
               ce.printStackTrace();
          } catch (IOException e) {
               e.printStackTrace();
     public Void doInBackground() {
               sendFile();
          return null;
     public void sendFile() {
          System.out.printf("NOTICE: Sending file %s   %d bytes formed of %d segments.\n", file.getName(), file.length(), file.length()/bufferSize < 1 ? 1 : file.length()/bufferSize);
          try {
               fileIn = new FileInputStream(file);
               while ((bytesRead = fileIn.read(buffer)) > 0) {
                    output.write(buffer, 0 , bytesRead);
                    progress = progress + bufferSize;
                    if (progress  < file.length())
                         setProgress(progress);
                    else
                         setProgress((int)file.length());
               output.close();
               fileIn.close();
               socket.close();
          } catch (FileNotFoundException e) {
               e.printStackTrace();
          } catch (IOException ioe) {
               ioe.printStackTrace();
}This has been bugging me for a long time. Any help/suggestions much appreciated.

when you create an SSCCE and get rid of all the File, socket, streams and whatnot (something that you should do next time), you notice something funny:
import java.awt.BorderLayout;
import java.beans.PropertyChangeEvent;
import java.beans.PropertyChangeListener;
import javax.swing.JDialog;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.JProgressBar;
import javax.swing.SwingWorker;
public class FileTracker extends JDialog implements PropertyChangeListener
    private static final int MAX = 500;
    private JPanel progressBarPnl = new JPanel(new BorderLayout());
    private JProgressBar progressBar;
    private FileSender fileSender;
    private FileReceiver fileReceiver;
    public FileTracker(JFrame parent)
        super(parent);
        fileSender = new FileSender(MAX);
        fileSender.addPropertyChangeListener(this);
        fileSender.execute();
        setLocationRelativeTo(null);
        progressBar = new JProgressBar();
        progressBar.setMaximum(MAX);
        add(progressBarPanel());
        setResizable(false);
        setTitle("File sending..");
        pack();
        //setVisible(true);
    private JPanel progressBarPanel()
        progressBar.setValue(0);
        progressBar.setEnabled(true);
        progressBar.setStringPainted(true);
        progressBar.setIndeterminate(true);
        progressBarPnl.add(progressBar, BorderLayout.CENTER);
        return progressBarPnl;
    public void propertyChange(PropertyChangeEvent evt)
        //if ("progress" == evt.getPropertyName()) // *** avoid doing this
        if ("progress".equals(evt.getPropertyName()))
            int progress = (Integer) evt.getNewValue();
            progressBar.setValue(progress);
            System.out.println("progress is: " + progress);
            if (fileSender != null && fileSender.isDone())
                progressBar.setString("Transfer finished");
                System.out.println("file sender is done");
            if (fileReceiver != null && fileReceiver.isDone())
                progressBar.setString("Transfer finished");
                System.out.println("file receiver is done");
    private class FileReceiver
        public boolean isDone()
            return false;
    private class FileSender extends SwingWorker<Void, Void>
        private int max;
        private int bufferSize;
        int bytesRead;
        int progress = 0;
        public FileSender(int max)
            this.max = max;
            System.out.println("NOTICE: FileSender initialised. ");
            bufferSize = max;
            setProgress(0);
        public Void doInBackground()
            sendFile();
            return null;
        public void sendFile()
            System.out.println("NOTICE: Sending file ");
            System.out.println("Max = " + max);
            bufferSize = 10;
            while (progress < max)
                try
                    Thread.sleep(100);
                catch (InterruptedException e)
                    e.printStackTrace();
                progress += bufferSize;
                if (progress < max)
                    setProgress(progress);
                else
                    setProgress(max);
            System.out.println("after while loop");
    private static void createAndShowUI()
        JFrame frame = new JFrame("FileTracker");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.pack();
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
        FileTracker filetracker = new FileTracker(frame);
        filetracker.setVisible(true);
    public static void main(String[] args)
        java.awt.EventQueue.invokeLater(new Runnable()
            public void run()
                createAndShowUI();
}The SwingWorker stops when only 20% of "file transfer" has occurred, but when the progress has reached 100. Then if you go into the [SwingWorker API for setProgress|http://java.sun.com/javase/6/docs/api/javax/swing/SwingWorker.html#setProgress(int)] , you see why the program is stopping here: the SwingWorker stops when its progress property reaches 100. So you must change this to a ratio rather than total bytes.

Similar Messages

  • IChatAV and file transfer over wireless network

    Hi there...
    I'd like to let you in on my predicament. Firstly, a bit of background.
    I decided to buy my folks an old iMac from eBay in Australia - and pay for their broadband connection - so that I could video chat to them from the UK, and they could see my 5 year old son for the first time in 4 years. Cute, eh?
    Well, everything was working fine until I decided to go wireless in my home about 3 months ago. I have a static IP address, and purchased a nice new Airport Express to integrate into the system. I allocated my G5 iMac it's own network address (10.0.1.2), and the base station the master address (10.0.1.1). From there, the base station communicates to the router via the static IP... Sound ok?
    Anyway - NOW (or, for as long as I can recall), I CANNOT for the life of me send files over the connection. Video chat and audio chat are fine (although OCCASIONALLY it takes a few goes to be able to see THEM on my computer - I think their bandwidth isn't THAT stable at 512Kbps down and 128Kbps up) - however, the correct ports have been unblocked on the OSX firewall AND the Airport Express base station.
    And just so that you know it's not the folks' fault - I can't send documents/images over the network to friends I KNOW are competent (or, at least more competent than my parents!). There's always an error message at the receiver's end, and the file I'm attempting to send just times out.
    Has anyone any suggestions as to how I might be able to resolve this problem before I expire from old age?!?
    Your thoughts are REALLY appreciated!

    Hi Ralph
    I can see where that might be the case, but file transfer worked flawlessly BEFORE I went wireless using the same modem. The only way to unblock ports on my router is to turn NAT off - it creates a DMZ, so it permits unhindered 2-way traffic...
    It's a pretty confusing piece of kit. Maybe I should just get a Netgear anyway!
    I have a laptop on the wireless network as well, and file transfer works a treat between it and the iMac. All I can think of is that because I'm now working on a LAN, there's a blockage to get out to the "Real World" - even though it's easy for video to pass through.
    I'll check my unblocked ports again, just to be sure. I'm unfamilar with the term "Jabber" - is that what Apple decided to call one of the elements of iChat? Excuse my ignorance...!

  • Error 1899 on diagnostics and file transfer

    Remote view and remote control work fine. Diagnostics and file transfer
    give error 1899.

    Jody,
    It appears that in the past few days you have not received a response to your posting. That concerns us, and has triggered this automated reply.
    Has your problem been resolved? If not, you might try one of the following options:
    - Do a search of our knowledgebase at http://support.novell.com/search/kb_index.jsp
    - Check all of the other support tools and options available at http://support.novell.com in both the "free product support" and "paid product support" drop down boxes.
    - You could also try posting your message again. Make sure it is posted in the correct newsgroup. (http://support.novell.com/forums)
    If this is a reply to a duplicate posting, please ignore and accept our apologies and rest assured we will issue a stern reprimand to our posting bot.
    Good luck!
    Your Novell Product Support Forums Team
    http://support.novell.com/forums/

  • MBP (mid-2009) freezing, slow installations and file transfer

    I bought the latest MacBook Pro model and installed Snow Leopard on a cleanly formatted hard drive. I have tried migrating via ethernet and FireWire from my iMac, but the migrations failed either due to freezing (via FireWire after roughly 24 hours of file transfer) or by an error message (ethernet with Migration Assistant).
    Only through a Time Machine backup was I able to transfer my account files to the MBP, which again totaled at over 20 hours of transferring. The system was a mess, clogged constantly by freezing and spinning beach balls of death for durations lasting around 10-20 seconds during which music would clip after 5-10 seconds of everything not responding, this being accentuated especially during installations. I decided to format and try anew.
    Now I've formatted the hard drive, installed Snow Leopard and will transfer my files manually onto a clean account. Installations take a long time although SL installation is within 30 minutes, iLife took 1.5 hours to install 5 GB. During the installation Safari stopped responding, as did the entire system, and the spinning beach ball would keep spinning. Watching a 480p trailer in Quicktime made the entire computer freeze up (no video/audio) for 10 seconds halfway. Transferring 136 GB (my Music folder) will take around 15 hours according to the estimate after 10 minutes of transferring.
    I've sold my iMac now and all I have are the files on my external hard drive. I want to get them onto my MBP ASAP but the slowness is preventing me from doing what needs to be done and it's very frustrating. When I try to boot into Hardware Testing by holding D down the computer doesn't do it no matter what (Application DVD in or not, plugged into power or not). I've tried resetting PRAM but I get the same inaction.
    Any ideas?
    Edit: I've done Disk Utility to no avail, it finds nothing wrong.

    Installed, still getting freezes with spinning beach balls. Transfer says it would take 1 hour opposed to that 15 hours, but it stops transferring after X amount of gigabytes (from 0.5 to 5), not do anything for a while and then continue, stretching the estimate to over 2 hours after some time. I don't know if this is just with the hard drive.
    The freeze-ups are frustrating as **** and make for a very poor experience. Any ideas to get to the bottom of this? I still haven't been able to boot into the Hardware Test no matter how much I try.

  • When upgrading to OSX Yosemite do all my programs and files transfer over such as Office for mac, saved documents from word,excel,pics,pdf files,etc.etc...

    Will all my files transfer over (or stay) automatically right after upgrading to Yosemite or do I have to backup every single desired program or document? Question is do I HAVE to please if you can answer if its mandatory or not. Not looking for recommendations that I SHOULD back up or anything like that just want to know if it is mandatory to perform a backup to be able to keep or transfer all my current programs and apps and documents currently on my MB Pro Retina.

    Yes, upgrading to Yosemite will not touch your 3rd party apps or files in the Home folder.
    Although not mandatory you should have a a backup of your hard drive regardless if you upgrade to Yosemite or not.  To not have a backup is just playing  Russian roulette as there are only two types of hard drives;  those that have failed and those that will.

  • Remote Execute and File Transfer Error

    Whenever we try to do a Remote Execute of File Transfer, we get an 1899
    error. Here's the strange thing, we can RE and FT to desktops that are
    still running the ZfD 4.x client. Seems to be only happening on the latest
    (ZfD 6.5sp2). Any ideas? Also, remote control and remote view still work
    w/o problem.

    Blewis,
    It appears that in the past few days you have not received a response to your
    posting. That concerns us, and has triggered this automated reply.
    Has your problem been resolved? If not, you might try one of the following options:
    - Do a search of our knowledgebase at http://support.novell.com/search/kb_index.jsp
    - Check all of the other support tools and options available at
    http://support.novell.com.
    - You could also try posting your message again. Make sure it is posted in the
    correct newsgroup. (http://support.novell.com/forums)
    Be sure to read the forum FAQ about what to expect in the way of responses:
    http://support.novell.com/forums/faq_general.html
    If this is a reply to a duplicate posting, please ignore and accept our apologies
    and rest assured we will issue a stern reprimand to our posting bot.
    Good luck!
    Your Novell Product Support Forums Team
    http://support.novell.com/forums/

  • Creative Zen USB and File transfer probl

    Am the unhappy owner of a brand new Creative Zen touch 20gb mp3 player which apparently works with usb 2.0. After installing the software which came on the cd (file transfer software and nomad explorer) the Zen appears to get recognised by the pc with no problems when i connect via the usb cable. The Zen also displays 'docked' which is all very well. However if i select say 0 tracks to download to the player the xp progress bar seems to halt at around 60-70% and eventually the program (nomad) complains that the operation cannot be completed. I noticed that the small hard dri've in the player feels as though it is 'spinning down' around a similar time to the message being displayed. If at this stage i refresh the players view in nomad explorer it can be found with no problem....its just i cant write to it until i unplug the usb from the zen and reconnect. I spoke to creative who told me that because my pc (in system devices) reports that my usb is an 'open host' adapter...this means it cannot supply adequate power to the player....but surely USB2.0 is USB2.0 and if something claims to be USB2.0 compliant that would be the end of the story? The usb card im using is a usb 2.0 pci card and is also pretty new. Any help/ideas would be greatly appreciated.
    I have tried various usb ports, usb and2 conections ( I have both), various cables and combinations and the same happens. I have also tried win xp and win98, and other disks I have with the same result. I have managed to transfer 20 os so mp3s (a small proportion of those I have been trying to transfer)after 3-4 hours hard labour but never the contents of a full folder. After a proportion of the files are transferred then Zen touch becomes 'busy' or 'not connected'. Obviously there is no way I can continue like this and it will have to go back.
    I have tried the slightly newer driver but this did not work at all and I had to roll back to the one that came on the CD. I feel that I have given it a fair shot trying all the workarounds.
    Is is a USB power problem? Should a powered usb hub cure it's If so why?
    But is this surely is Creative's problem. It is obviously a known issue but what are they doing about it's Putting out Zens which are prone to this problem is not good practice. Any solutions out there?

    Hey,
    If you tried it on a friend's computer and you're still having problems then it may be a problem with the Zen. Before you call or e-mail tech support, here is what they will tell you do to first before they really get in depth with helping you. Go into Rescue Mode (there is an explanation on how to do this at the top of the forum) and do a disk clean up. After that, try it. If that doesn't work then click the reload OS option which will take the firmware (like windows to your PC) off the Zen. Don't worry you can easily put it back on. Go to Support>Downloads>select Zen Touch, etc, etc. and download the latest firmware and run it. Hopefully that will fix it....
    I had some connection problems myself with my ZT as soon as I got it as well. and simply reflashing the firmware fixed and now I love my Zen. I hope everything works out for you.
    Wilco

  • Pidgin and file transfer

    I am facing problem with file transfer using pidgin, never had this issue with kopete. But i can't install kopete because I am not using kde and kopete depends heavy on kde. Is there any alternatives available.
    Last edited by jaideep_jdof (2007-11-16 17:47:55)

    jinn wrote:well you can forget fast file transfer for pidgin.. I have been waiting over 2-3 years now for that for msn protocol.. I have given up.. Cant tell if its the same with yahoo.
    I can transfer files over msn just fine here.

  • PDF/HTML Reader and file transfer.

    Hi,
    I would like to view my PDF documents and backedup webpages (solaris docs and java tuts) on my iphone.
    The problem is that I see apps for viewing pdfs and apps for transferring files to the iphone but none that incorporate both (I can't use WiFi). ie. I can use the file transfer utility to transfer my pdfs to the iphone but the app that reads the pdf cannot access the location where the file transfer utility saves the files.
    Please HELP!

    Hi,
    also how can i generate it into xls there is no xls in output format drop down.For Excel output format, please see old threads for similar discussion -- http://forums.oracle.com/forums/search.jspa?threadID=&q=Excel+Concurrent+Output&objID=c3&dateRange=all&userID=&numResults=15&rankBy=10001
    Thanks,
    Hussein

  • BBL and file transfer

    Hi all,
    We are getting error in ULOG during heavy load.
    210420.barcelona!BBL.2329.3086304960.0: LIBTUX_CAT:1285: WARN: tpreturn message send blocked, will try file transfer
    210620.barcelona!BBL.2329.3086304960.0: LIBTUX_CAT:1286: ERROR: tpreturn could not send reply TPETIME - timeout occured
    How and which process can call BBL? Our application do tpcall to .TMIB, but not in that time when we get this error.
    Whitch IPC-queue in this case do not have enough space: BBL's queue or caller's process queue?
    We have sufficiently large kernel prametrs values (MSGMAX=32000, MSGMNB=628000) and our Linux has no limits to maximum
    number messages in the system at any time.
    Thanks.

    Hi,
    Are you absolutely certain your application is not performing tpcall(".TMIB"...) during this time? In general the only things that call the BBL are tools like tmadmin and in some cases other Tuxedo servers such as the WSL/WSH.
    The error message indicates that the caller's IPC queue is nearly full (75% of max) and so Tuxedo switches to file transfer mode in that case to prevent messages from being lost. This is in general a very bad situation as file transfers are far more costly than pure IPC requests.
    You should be able to subscribe to that event and have a shell script execute that uses ipcs to list the status of the IPC queues. That should help you identify which BBL client is causing the problem.
    Regards,
    Todd Little
    Oracle Tuxedo Chief Architect

  • ISDN Adaptor and File Transfer for Mac Mini

    Hi,
    I am trying to find some ISDN File Transfer software that I can use on the Mac Mini. I have bought a Trust USB modem, but need the software to get this transferring.
    Thanks
    John
    Mac Mini   Mac OS X (10.4.4)  

    You should be able to use Firewire to transfer between them I believe.

  • Time Machine and File Transfer to a new hard drive -- Permissions

    24May2011
    Apple Discussions:
            I have a 2 TByte external hard drive that I use to back up a 1TB internal hard drive.  I use time machine.
            I got a serious warning that my 2 TB drive is going bad and i need to reformat the disk AFTER I store the files on the drive.
            I bought a new 3TByte external hard drive.  I copied some important non-Backup files from the defective 2TB drive, but I can not move the backup folders.  I do not have permissions to copy the backup directory.
            I want to transfer ALL the data from the 2 TB drive to the new 3 TB drive.  Then re-format the 2TB and use that for file storage.  I want to use the copied back up folder on the 3TB and use teh 3TB to for time machine backups.
            I tried to change the permission on the Backup Directory on the 2TB.  It has been two days and I have no indication that anything other than the horizonal barber pole is happening.
            How do I copy the back up folder to the new 3TB so I don't loose any old files Ihad backed up on the defective 2TB.
            Thank you for your help.

    Sure that's pretty simple to do. Follow this link for the step by step instructions.
    I used it about a year ago and it worked like a charm.
    Regards,
    Roger

  • .CAF and File Transfer Problem

    It seems like the iPhone SDK limits the codec to .CAF for applications. It seems like Garage Band handles this extention quite well; however, I mainly use a PC. I was wondering what Audio Editing software people use that can handle .caf.
    Quicktime Pro can convert to .MOV, but was wondering if there was an easier way to import these files into iTunes.
    Basically, I have recordings of lectures and work related items using the program iDicto, but perfer to have the files organized in iTunes.
    On a side note, iDicto recently had an update which allows 3 different recording qualities. I use the best quality, which makes a lecture ~100MB; however, when I go an try to transfer this file to my PC via Bonjour/WEBDAV(?), it will stop at ~30-50MB; giving me an incomplete recording.
    I was wondering if this was a bug in the application, or if the iPhone has difficulties transferring larger files. Any information would be greatly apprecaited, and if you have some downtime and want to try and reporduce this on a iPhone, iDicto is currently being offered has a free trial.
    Thanks again,
    Mark
    Message was edited by: macm5
    Message was edited by: macm5a

    I have the same problem... When trying to upload large files from iDicto using bonjour, the application crashes at around 30MB.

  • Background job and file transfer

    Hello
    I am looking for a way to transer a file that is created in an overnight background job on our R/3 Enterprise (Basis 6.20) to an ITS server within the same network. As no one is logged in at the time of creation of the file I cannot use the usual gui_controls. I cannot find an FM that will initiate a login on a Windows server and transfer a file. Should I script it on the AIX host? Has anyone done this before? Any ideas?
    Thanks for your interest and answers.
    Harry

    Will it be possible for you to try with the Function Modules FTP_CONNECT, FTP_COMMAND, and FTP_DISCONNECT.
    I could see more explanations in these links.
    FTP upload
    /people/thomas.jung3/blog/2004/11/15/performing-ftp-commands-from-abap
    Need to send data as files from SAP to other systems.
    Regd: Funxn Module  FTP_CONNECT
    rgds
    TM.

  • Audio book player and file transfer

    I recently purchased an ipad mini iOS 7.04. I would like to know if I can transfer my audio books (mp3) from my PC to my ipad and if I can how do I go about it. Also what is the audio book app to use.
    Thank you

    When you are publishing to MobileMe, the root folder is iDisk/My iDisk/Web/Sites. If you have only one site in iWeb, the external version of the index.html file is published to this location.
    If you have two or more sites on one Domain file then the index.html file for the top site will be present in Web/Sites.
    The situation becomes more complicated if you publish two or more sites on Separate Domain files as the last index.html uploaded overwrites the previous one. This is what cause problems if one of the sites has a personal domain name.
    iWeb was designed to make the website creation process as simple as possible so, the idea of uploading media files to the Media is sound in theory. In practice, we know that this is mostly useless as these music and movie files have to download with the other page files in the browser. Also they require the QuickTime plugin to play them and about 60% of PC users don't have it.
    Flash players are going to be necessary for a long time to come unless the vast majority of PC users update to IE V9 or switch to a browser that actually works. My hope is that, when Google Chrome comes out of beta, it will take over as the number one browser simply because it has the Google name. I'm using it more and more because its way faster than Safari and Safari 5.0.2 has too many problems.

Maybe you are looking for

  • Sharing problem in iTunes 11.1.2.32 ?

    Hey guys I need some help here I Moved my Library to a new Windows 8.1 machine, I was on Win 8 and Sharing  worked great. I copied my Library over to the new machine, did all the required Signed in, Authorized the machine, but nothing on the iPad or

  • Oracle 10g Licensing question for Dataguard

    Could some one please let me know if a 10g database with a 10g logical standby database and a 10g Physical standby database requires a dataguard license. thanks heaps

  • IPhone not recognised and not charging

    hi folks here is your opportunity to shine were other forums have failed terribly. i have an iPhone on version 1.0.2 and this is the problem i have. 1. my computer (or any other computer) doesn't recognise my phone 2. there is no response from the ph

  • Inspection point qty confirmation for operation - INprocess Inspection

    Hi Experts, After doing partial confirmation in the Result recording, the partial confirmed qty moves down to the next operation and is confirmed. But using QM result recording when I try to post the next partial qty, the system cancels the previous

  • PSE8: unable to complete DVD burn. Stops around 95% each time. [was:Queston:]

    I have adobe Premier Elements 8. I have updated with any updates. I compiled a bunch of home videos and I wanted to burn them on a DVD for Christmas. Once I compiled everything and got audio all set and disc menus the works. I went to the share tab a