Resetting progress bar in datagrid

Hello all,
I'm extremely new to everything flex and flash. so this may
be a really stupid question. but google has so far failed to find
the answer to this.
i built a small flash app to allow clients to upload files in
bulk. everything seems to work fine (for the most part) except that
my progress bars never reset. if they upload a file then select a
new file, the progress bar will remain at 100%. i can't figure out
how to reset it. can anyone point me in the right direction?
Thanks in advance.
Code for the DataGrid:

does anyone have any ideas for this?

Similar Messages

  • Progress Bar in Datagrid in flex

    Hi,
    I have a urgent requirement, which needs to have ProgressBar
    in DataGrid. I want to set progress for each of the ProgressBar in
    datagrid to be binded to a cloum (i.e your progress bar column is
    binded to some object in array collection). Please do let me know
    how this is possible. It would be great favour if it is possible to
    do it using manual mode.
    I used following mxml
    <mx:AdvancedDataGridColumn id="teamProgress" width="120"
    headerText="Team" dataField="TeamProgress">
    <mx:itemRenderer><mx:Component><mx:HBox
    verticalAlign="middle"> <mx: ProgressBar id="PB"
    trackHeight="13" barColor="red" trackColors="[White, haloSilver]"
    borderColor="black" width="75" textAlign="right"
    styleName="progressBar" mode="manual" label="data.TeamProgress"
    height="13"/></mx:HBox></mx:Component></mx:itemRenderer>
    </mx:AdvancedDataGridColumn>.
    How to support static binding of the progress bar column of
    DataGrid to some object in ArrayCollection.
    I want this progress bar column to be clickable.

    Hi,
    Please find the code for implementing a progress bar in
    DataGrid at the URL below. You will find code for sample
    application which is using Adobe share API. In this application
    they implemented a progress bar in a DataGrid.
    https://share.acrobat.com/adc/document.do?docid=fa29c796-dc18-11dc-a7df-2743035249fa
    Hope this helps.

  • Progress bar inside datagrid

    Hi All,
    I have a datagrid in which i have to display progress bar with the task completed in %.
    for example i have  two fields in a table source count and completion count.
    where source count in 100000 rows and 50000 rows have been inserted.
    in another table and status is displayed in the table.
    so i need to display in a progress bar that 50% task has been completed.
    Any suggestions or ideas.
    Sample ex:

    Hello,
    here is something to play with:
    public class ProgressInTableTest {
        private static final Random RANDOM = new Random();
        private final class RunnableDummyProgressProducer implements Runnable {
            private final DefaultTableModel defaultTableModel;
            private final JProgressBar allProgress;
            private RunnableDummyProgressProducer(
                    DefaultTableModel defaultTableModel, JProgressBar allProgress) {
                this.defaultTableModel = defaultTableModel;
                this.allProgress = allProgress;
            @Override
            public void run() {
                for (int i = 0; i < progressEntries.size(); i++) {
                    ProgressEntry progressEntry = progressEntries.get(i);
                    while (100 > progressEntry.progress * 100
                            / progressEntry.fileSize) {
                        progressEntry.progress += 10;
                        defaultTableModel.fireTableCellUpdated(i, 2);
                        try {
                            Thread.sleep(50);
                        } catch (InterruptedException e) {
                            e.printStackTrace();
                    progressEntry.progress = progressEntry.fileSize;
                    SwingUtilities.invokeLater(new Runnable() {
                        @Override
                        public void run() {
                            allProgress.setValue(allProgress.getValue() + 1);
                            allProgress.setString(String.format("%s / %s",
                                    allProgress.getValue(),
                                    allProgress.getMaximum()));
                    defaultTableModel.fireTableCellUpdated(i, 2);
        private final class DefaultTableCellRendererExample extends
                DefaultTableCellRenderer {
            private static final long serialVersionUID = 1L;
            @Override
            public Component getTableCellRendererComponent(JTable table,
                    Object value, boolean isSelected, boolean hasFocus, int row,
                    int column) {
                Component rendererComponent = super.getTableCellRendererComponent(
                        table, value, isSelected, hasFocus, row, column);
                JTextField newRenderer = new JTextField();
                ProgressEntry progressEntry = progressEntries.get(row);
                switch (progressEntry.progress * 100 / progressEntry.fileSize) {
                case 0:
                    newRenderer.setText("pending");
                    return newRenderer;
                case 100:
                    newRenderer.setText("done");
                    return newRenderer;
                default:
                    rendererComponent = new JProgressBar(0, progressEntry.fileSize);
                    JProgressBar jProgressBar = (JProgressBar) rendererComponent;
                    jProgressBar.setValue(progressEntry.progress);
                    jProgressBar.setStringPainted(true);
                return rendererComponent;
        private final class DefaultTableModelExample extends DefaultTableModel {
            private static final long serialVersionUID = 1L;
            private final String[] columnNames = { "file name", "file size",
                    "progress" };
            private DefaultTableModelExample(int rowCount, int columnCount) {
                super(rowCount, columnCount);
            @Override
            public String getColumnName(int column) {
                return columnNames[column];
            @Override
            public Class<?> getColumnClass(int collumn) {
                switch (collumn) {
                case 1:
                    return Integer.class;
                case 2:
                    return ProgressEntry.class;
                default:
                    return String.class;
            @Override
            public Object getValueAt(int row, int column) {
                switch (column) {
                case 0:
                    return progressEntries.get(row).fileName;
                case 1:
                    return progressEntries.get(row).fileSize;
                case 2:
                    return progressEntries.get(row).progress;
                default:
                    return super.getValueAt(row, column);
        public class ProgressEntry {
            private final String fileName;
            private final int fileSize;
            private int progress = 0;
            public ProgressEntry(String fileName, int fileSize) {
                this.fileName = fileName;
                this.fileSize = fileSize;
        private final List<ProgressEntry> progressEntries = new ArrayList<ProgressEntry>();
        @Test
        public void test() {
            initializeSampleData();
            JProgressBar allProgress = createFileCountProgress();
            DefaultTableModel defaultTableModel = new DefaultTableModelExample(
                    progressEntries.size(), 3);
            JTable table = createTable(defaultTableModel);
            startDummyProcess(allProgress, defaultTableModel);
            JPanel message = completeGUI(allProgress, table);
            JOptionPane.showMessageDialog(null, message, "ProgressTest",
                    JOptionPane.PLAIN_MESSAGE);
        private JPanel completeGUI(final JProgressBar allProgress, JTable table) {
            JPanel message = new JPanel(new BorderLayout());
            message.add(new JScrollPane(table), BorderLayout.CENTER);
            message.add(allProgress, BorderLayout.SOUTH);
            return message;
        private void startDummyProcess(final JProgressBar allProgress,
                final DefaultTableModel defaultTableModel) {
            new Thread(new RunnableDummyProgressProducer(defaultTableModel,
                    allProgress), "ProgressTest").start();
        private JTable createTable(final DefaultTableModel defaultTableModel) {
            JTable table = new JTable(defaultTableModel);
            table.setDefaultRenderer(ProgressEntry.class,
                    new DefaultTableCellRendererExample());
            return table;
        private JProgressBar createFileCountProgress() {
            final JProgressBar allProgress = new JProgressBar(0,
                    progressEntries.size());
            allProgress.setStringPainted(true);
            return allProgress;
        private void initializeSampleData() {
            for (int i = 0; i < 20; i++) {
                progressEntries.add(new ProgressEntry(String.format("IMG_%03d.jpg",
                        i), RANDOM.nextInt(1000)));
            for (int i = 0; i < 3; i++) {
                progressEntries.get(i).progress = progressEntries.get(i).fileSize;
            progressEntries.get(3).progress = 50;
    bye
    TPD

  • HT1212 My ipad mini has been crashing a lot recently so I started a system reset. However, it's now stuck with the progress bar less than a quarter gone: this has been the case for several days now. I have tried resetting from itunes but it needs the pass

    Now it's stuck with the progress bar less than a quarter full. I have also tried resetting through itunes which works right up to the point where itunes states that it needs the passcode to be inputted into the ipad to connect to it. At which point it then sticks at the same progress bar point. HELP!! please, this ipad is really important to my work.

    Well the term "hotlined" I have never heard before. In any case many states (like NY) just passed regulatory powers to the State Public Service Commission of which it may be called something different in your state. You could file a complaint with them. Or file a complaint with your state attorney generals office, they also take on wireless providers.
    The problem here is the staff you speak to are poorly trained, in days gone by it took one call to them and they pulled up your account and see the error and had the authority to remove any errors. They did not remove legitimate account actions, but used their heads instead of putting a customer off or worse lying to the customer.
    Its a shame you have to go through what you going through.
    Good Luck

  • I tried to reset my Iphone 5 from the phone and not a computer.  I have had a blank screen with the apple logo and a full progress bar for over an hour.  I cant turn my phone off because the button on top is not working.

    I tried to reset my iphone 5 from the phone and not a computer.  I have had a blank screen with the apple logo and a full progress bar.  I can not get my phone to restart.  What can I do?

    Sorry i meant iOs5 to ios 5.0.1

  • Reset timer after user selection + Progress bar

    Hello there!
    I am trying to create a VI for humidity. So far everything works fine for that. I also wanted the ability to let the user define the frequency of data collections in units of time. ie: every <x> minutes/hours/days/etc. This also works to some extent.
    My problem is that say I choose 1 second, then change the unit to 1 minute. It'll do exactly as expected: the VI will wait 1 minute until capturing a data point. The problem is what if the user changes it back to seconds before that minute is over. The VI will still wait the full minute before changing to the new collection frequency unit.
    Is there someway to force reset the timer if the user changes a selection?
    Also, I am trying to make a progress bar to let the user know how far the VI is along with the collection interval. I thought it'd be convenient if a user selects 1 hour for example. There is no way of knowing how far along that hour wait is. I can't seem to get this one to work either. I thought it'd be something like
    1)get current date/time seconds
    2)add the user interval (ie: 60 seconds) to #1
    3) get a %
    4) add that to progress bar
    5) if reaches 100, then reset.
     Also for some reason my STOP button doesnt work for this loop.....
    Any help on this would be great! I've attached the VI I have going thus far.
    thanks so much
    Attachments:
    Humidity.png ‏41 KB

    Ah, sorry about that I thought I also attached the VI.
    Since this is my first VI, I'm not sure what you mean by:
    altenbach wrote:
    Easiest would be to use the timeout of an event structure to trigger a collection. Use other events to immediately break the timout and apply new settings, etc..
    Here ya go!
    Attachments:
    Vaisala HMD40Y_2013_SP1.vi ‏85 KB
    Units to Seconds.vi ‏19 KB

  • Time machine takes forever on initial backup, progress bar randomly resets

    When I first tried to run Time Machine I was sure that it would be simple, as Apple Software generally is. I was warned by another user that the first backup might take a while, so I began the backup on a Friday night (the day my crispy new external 320GB Seagate drive arrived). When I went to bed it was on around 24GB of approx 65GB of data. When I got up the next morning, it had only backed up 27GB!
    Another problem I had a couple of times was after the backup had been going for 3-4 hours it would reset itself and start all over again! In other words the progress bar got 50% of the way through and then went back to 0%. This was obviously extremely annoying, and prompted me to stop the process, reformat the backup drive and search for some more answers in the internet.
    After a full Saturday of fluffing around, calling my friend who has Time Machine working OK and watching the little blue bar creep along at speeds like 1.5MB/s (according to activity monitor) I finally managed to get it to work!
    I've summarised what I did below:
    _Formatting your Time Machine drive_
    In the Disk Utility, select the drive and choose “Partition”
    Press the “Options…” button.
    Use "Apple Partition Map" partition scheme if the disk will be used with Time Machine and a PowerPC-based Mac.
    Use "GUID" partition scheme if the disk will be used with Time Machine and a Intel-based Mac.
    The following links are worth a look:
    http://support.apple.com/kb/TS1550
    http://gizmodo.com/gadgets/apple/leopard-disk-utility-format-issue-screws-with-t ime-machine-but-theres-an-easy-fix-316573.php
    _Spotlight may interfere_
    Turn off indexing for Spotlight on the Time Machine drive
    In the Spotlight control panel
    Click the privacy button
    Click the + button and choose your Time Machine backup drive
    This will mean that Spotlight will not try to index the drive while the backup is happening.
    _Excluding files_
    In the Time Machine Control Panel
    Click Options…
    Do not back up:
    Press the + button and choose the system folder
    Choose “Excluded all system files “ in the dialogue box that comes up.
    See the following link for more info on this step:
    http://www.macinstruct.com/node/234
    I’ve also heard that *turning off 3rd party antivirus software* may also help (if you have any – I don’t)
    _The following links may also be helpful:_
    http://docs.info.apple.com/article.html?artnum=306681
    http://discussions.apple.com/thread.jspa?threadID=1209412

    Are you running it over wireless or ethernet?
    We particularly advise initial backup to be done over ethernet otherwise the job has this tendency not to finish. The fact is wireless has errors.. and error correction doesn't work very well during the initial copying.. TM does a verify of the backup once it finishes.. I think this is the 5sec mark.. and keeps building as it discovers files that don't match. It can also be spotlight indexing.  What it is doing is good.. doing it over wireless is very bad. It has to read both sides.. then compare then decide if there is a corruption to copy the file again.. then compare again.
    It can also be a file is actually corrupt on the source disk.
    My inclination is to kill it. Even if you have to restart from scratch.. over ethernet it copies at about 60GB an hour.. it should complete overnight with hours to spare.
    Do a verify of the source disk before you start. And load in widget to get actual log messages from TM.
    See A1 http://pondini.org/TM/Troubleshooting.html
    Pondini also has some stuff about backups taking far too long.
    See D section in reference above.. also how to cancel a TM backup. (other than turn it off).

  • HT201210 My Ipad was downloading the new IOS6 across WiFi and it froze half way through the process. The progress bar has been stuck at 50% for 2 hours now I cant turn it off or reset it any ideas

    My Ipad was downloading the new IOS6 across WiFi and it froze half way through the process. The progress bar has been stuck at 50% for 2 hours now I cant turn it off or reset it any ideas

    It solved the problem with my iPod.  Had the same issue as above since yesterday.  Thought my iPod broke.
    This helps.  I've got back my iPod.  So happy...................

  • New update are listed on the app icon. When I click update all I'm prompted to enter password. When I do, the progress bars go away and nothing gets updated. Tried logging out, reset iPad, and nothing seems to work. Keeps asking me to enter password.

    New update are listed on the app icon. When I click update all I'm prompted to enter password. When I do, the progress bars go away and nothing gets updated. Tried logging out, reset iPad, and nothing seems to work. Keeps asking me to enter password.

    I've been having the same problem for days and just solved it. Tried going to Apple ID and had all the same problems you did in the second paragraph. I signed out with my current username on the ipad under settings--->store and signed back in with my oldest apple id and password. Now the apps don't ask for a password to upgrade. I too had a username that wasn't an email address and had to change to one that was at some point. That's what caused the problems. Hope this can work for you.

  • After a reset of settings on IPad2 it turns "on" but i only get to the logo screen with the progress bar under it. so it turns on to logo then to progress bar screen then off. and repeats over and over

    Well as I said in the "question", I did a reset of the settings on my IPad2. however when it powered back on from resetting. it lets the the logo screen with the progress bar under it. The progress bar gets about 1/4 of an inch from the left then stops. After a few mins Ipad shuts off then turns on to the logo screen, then goes to the logo/progress bar screen, does whats said above, then off. That cycle just repeats over and over. Any help with this would be appreciated.

    Recovery Mode Step by Step
    1. Hold Sleep/Wake button down and slide to turn off iPad
    2. Turn on computer and launch iTune (make sure you have the latest version of iTune)
    3. Plug USB cable into computer's USB port
    4. Hold Home button down and plug the other end of cable into docking port. Do not release button until you see picture of iTune and plug.
    5. Release Home button.
    On Computer
    6. iTune has detected iPad in recovery mode. You must restore this iPad before it can be used with iTune.
    7. iPad Recovery Mode on computer screen
    8. Select "Restore iPad"...
    9. Select "Restore and Update"
    10. Extracting Software.
    11. Preparing iPad for restore.
    12. Waiting for iPad.
    13. Verifying iPad restore...
    14.Restoring iPad software.
    15. Verifying iPad software.
    16. Verifying iPad Restore...
    17. Restoring iPad firmware...
    18. Your iPad is restored to factory settings; keep iPad connected to computer
    19. Activate iPad
    20. Enter Apple ID and Password
    21. Continue
    22. Welcome to Your New iPad
    (a) Set up as new iPad   (b) Restore from this backup (select from list of backups)
    23. Restore from this backup
    24. Continue
    25. Restoring iPad from backup
    26. The settings of your iPad have been restore; keep iPad connected to computer
    27. Syncing iPad (Step 1 to 5)
    28. Preparing apps to sync
    29. Copying 1 of 9
    30. Sync apps, movies and music to iPad
    31. Finishing syncing
    32. Eject iPad

  • When I try to empty trash, progress bar stops, and I have to reset finder

    This has been happening for about a week or so. Regardless of what the files are, I am unable to delete them. Whether I do a standard empty trash, or a secure empty trash, I end up with the same progress bar that stops during the process. I've let it sit for several minutes and over an hour, leaving me the only option of doing a force restart of finder.
    Currently I am unable to delete anything, putting a serious hold on my workflow.
    It appears that many people are having all kinds of trash issues with Snow Leopard. I'm assuming Apple is working on a fix, but I'm not sure when that's coming out. Until then, if there is some kind of work-around, I'd love to know about it.
    Any guesstimates on when Apple will release the next OS update?
    Cheers.
    Ben

    Start with http://www.thexlab.com/faqs/trash.html Do note that AFAIK, there aren't any trash issues with Snow Leopard, just the normal handful of common issues, usually fixed by the steps in the linked article.

  • Loading dataprovider progress bar possible?

    Gidday
    I'm loading data out of SQLLite into an array in my AIR app, ready to populate a datagrid once the SELECT hs been successful:
    data_grid.dataProvider = new DataProvider(evt.data)
    It works really well, but I was wondering if there is a way to display progress?
    50 000 rows takes a couple of seconds to populate, and I'm catering for up to 200 000 rows.
    Is it possible to directly monitor progress of SELECT queries, and then for Flash to populate a dataProvider, or is it a case of having to split up the query into chunks of say, 10 000 rows, break, update a progress bar, then go back for the next SELECT?
    Also - similar topic - is it possible to set up progress for browseForDirectory type operations? I'm loading in large filelists and parsing the file names. I have set up progress tracking once the parsing starts, but cannot seem to do the same after the Event.SELECT listener kicks in, and I run this code in a function:
    var f1:Array = d1.getDirectoryListing();
            var len:int = f1.length;
            for(var i:int = 0; i < len; i++) {   
                f2.push(f1[i].name); //if current item in f1 array is a file, push it onto the f2 array
                f3.push(f1[i].nativePath);//save location of file
                if (f1[i].isDirectory) {
                    gL(f1[i]);
    Thanks guys!

    you can't display the progress of any single select query.  the best you can do is to break the select into several "chunks" or warn the user that your app will be unresponsive for some period of time.
    here's the general idea with chunking:
    Chunks
    For example, if you have a for-loop that takes 10 seconds to execute, your game will appear to freeze for 10 seconds after this loop starts. Nothing will update on stage and nothing will respond to user input. Either you should warn your user before starting that loop or you should break that loop into several smaller chunks that allow visual updates to the user so they do not think your game is broken.
    For example, this for-loop that adds odd numbers (and shows the first m odd numbers sum to m*m) freezes my Flash Player for about 9 seconds.
    var i:Number;
    var n:Number=3000000000;
    var s:Number=0;
    var startI:Number=1;
    var endI:Number=n
    var startTime:int=getTimer();
    for (i=startI; i<endI; i+=2) {
           s+=i;
    // 9 seconds
    trace((getTimer()-startTime)/1000,s,n*n/4,s-n*n/4);
    The following technique shows how to break this (and any other for-loop) into chunks that allow the Flash Player to update every second.
    var i:Number;
    var n:Number=3000000000;
    var s:Number=0;
    var startTime:int=getTimer();
    // This is the number chunks into which the previous for-loop will broken. If the // previous for-loop took about 9 seconds, using 10 chunks means there will be updates // about every 0.9 seconds.
    var chunks:int=10;
    var startI:Number=1;
    var endI:Number=n/chunks;
    var t:Timer=new Timer(100,1);
    t.addEventListener(TimerEvent.TIMER,f);
    f();
    function f(e:Event=null):void {
           for (i=startI; i<endI; i+=2) {
                  s+=i;
           trace("stage update",startI,endI,s);
           if (endI<n) {
                  t.reset();
                  t.start();
           } else {
                  trace((getTimer()-startTime)/1000,s,n*n/4,s-n*n/4);
           startI+=n/chunks;
           endI+=n/chunks;

  • Progress bar on start up doesn't finish

    When I log onto my MacBook Pro after I enter my password a progress bar appears which starts to move across but only goes about 20% of the way before the desktop appears. I have heard that there has been a problem with automatic updates which don't fully install and this could be a symptom of that. Unfortunately I now get a problem where the Desktop seems to freeze and I can't select items with the trackpad. I'm not sure if the two are linked or just a coincidence.

    That is normal. If you get to the Desktop and all is working you don't have a problem. But if you do have a problem, then you need to do this:
    Try these in order testing your system after each to see if it's back to normal:
    1. a. Resetting your Mac's PRAM and NVRAM
        b. Intel-based Macs: Resetting the System Management Controller (SMC)
    2. Restart the computer in Safe Mode, then restart again, normally. If this doesn't help, then:
         Boot to the Recovery HD: Restart the computer and after the chime press and hold down the
         COMMAND and R keys until the Utilities menu screen appears. Alternatively, restart the
         computer and after the chime press and hold down the OPTION key until the boot manager
         screen appears. Select the Recovery HD and click on the downward pointing arrow button.
    3. Repair the Hard Drive and Permissions: Upon startup select Disk Utility from the Utilities menu. Repair the Hard Drive and Permissions as follows.
    When the recovery menu appears select Disk Utility. After DU loads select your hard drive entry (mfgr.'s ID and drive size) from the the left side list.  In the DU status area you will see an entry for the S.M.A.R.T. status of the hard drive.  If it does not say "Verified" then the hard drive is failing or failed. (SMART status is not reported on external Firewire or USB drives.) If the drive is "Verified" then select your OS X volume from the list on the left (sub-entry below the drive entry,) click on the First Aid tab, then click on the Repair Disk button. If DU reports any errors that have been fixed, then re-run Repair Disk until no errors are reported. If no errors are reported click on the Repair Permissions button. Wait until the operation completes, then quit DU and return to the main menu. Select Restart from the Apple menu.
    4. Reinstall Yosemite: Reboot from the Recovery HD. Select Reinstall OS X from the Utilities menu, and click on the Continue button.
    Note: You will need an active Internet connection. I suggest using Ethernet if possible
                because it is three times faster than wireless.
    5. Reinstall Yosemite from Scratch:
    Be sure you backup your files to an external drive or second internal drive because the following procedure will remove everything from the hard drive.
    How to Clean Install OS X Yosemite
    Note: You will need an active Internet connection. I suggest using Ethernet if possible
                because it is three times faster than wireless.

  • ITunes Store - Will not go beyond the dashed progress bar, will also freeze any outside Internet activity

    Alright, I've read numerous discussions and have tried to find an answer and have come up with zilch. Here's what's happening:
    I open iTunes, and it attempts to connect to the iTunes store (presumably to update the Cloud). When it does this, it remains on the dashed progress bar. While attempting to connect, it will also freeze any other Internet applications, specifically any pages open in my browser (Chrome). I'm not sure why this is, I haven't seen anything on that subject. However, if I click the (x) next to the progress bar to tell it to stop, it will do so and I can listen with ease. Now, I'd actually like to use the iTunes Store, but whenever I do, it never gets anywhere. I get the dashed progress bar, which on occassion will move on to the solid progress bar, but it will completely freeze from there. I have tried doing the winsock reset, looking for conflicting programs with LSP, reinstalling, updating, none work. After running the network connectivity diagnostics, iTunes determines that everything is good except that a secure link to the iTues store failed. This led me to believe that there was a firewall of sorts that was blocking it. After adding iTunes to the list of exceptions to Windows Firewall, the same results were thrown back at me. I do not have any other programs that would block it (that I know of).
    Please help? I just want to buy an album all legal-like.
    Windows 7 Pro, HP ProBook 4545s

    Hi there,
    So it's sounds like you've already tried a majority of the main troubleshooting steps, but I would still recommend taking a look at some of the published troubleshooting found in the articles below.
    Can't connect to the iTunes Store
    http://support.apple.com/kb/TS1368
    Note: These next articles are linked to in the article above, but I wanted to point them out specifically.
    iTunes for Windows: iTunes Store connection troubleshooting
    http://support.apple.com/kb/HT1527
    iTunes: Advanced iTunes Store troubleshooting
    http://support.apple.com/kb/TS3297
    -Griff W.

  • Progress Bar freeze after 4.2.1 Update - any news?

    Hey Guys,
    any news on the progress par freeze after the installation of 4.2.1 on the iPad?
    After a horrible 8 hours(!) Backup phase, my iPad 3G 32 Gigabyte freezes after the progress bar reaches 80%. I tried to do a hard reset but it would just stuck at the same stage again after rebooting. My iPhone 4 synced just fine (5min. Backup-Phase to the max) and runs 4.2.1 without any hiccups. But the iPad, being once the love of my life, drives me MAD!!!!!
    What did you do? Try to sync it again or just wait some days until the progress bar advances? I`m fed up with OS Updates for now... HEEEELLLLPPP!

    Well, that didn't work. But in the process I cleaned up the folders that house my iTunes movies and music get rid of dupes, stuff I didn't want, and so on. However, I did find that I forgot to uninstall WiFi Sync before trying the upgrade. I downloaded the uninstaller and ran it, rebooted, and did the upgrade. Now my iPad is back. I hadn't realized that I had to uninstall WiFi Sync to upgrade the iPad.....

Maybe you are looking for

  • How do i add my macbook to devices in my iTunes account?

    I have recently purchased a macbook air.  I wish to add it to my iTunes account under devices. I cannot find anywhere that allows me to set this up. Suggestions would be appreciated.

  • Error throwing while creating sales order

    Dear all, While on sales order creation,We have entered order type,sales organization,distribution channel,divison, on entering sold to party,presssing enter,error is throwing as No customer master record exists for sold-to party actually customer ma

  • Possible SQL Developer 3.0.04 bug

    I'm currently using SQL Developer 3.0.04, using Windows XP, and connecting to an Oracle XE 10g database. I've noticed a strange problem when I export a database and use the default "export all data from all tables" option. Basically, when the rows wi

  • FTP Won't Die

    I'm running a G5 XServe. Until yesterday, I was running the normal server stuff plus the latest versions of MySQL and PHP. For FTP services, I had previously installed PureFTPd. It worked well until yesterday. I ran the 10.4.9 update, and my FTP serv

  • Text "thickening" in PDFs

    why does text which has been converted to curves/paths "thicken" when written to a PDF?  This is a problem in particular with digital print jobs - doesn't seem to be the same with offset print jobs?  And how can I fix it.  PDFs have been written as "