Migrate images still very slow in 1.1.1

This new feature introduced in 1.1 allows for raw images to be processed under the new and improved raw engine. It became apparent in 1.1 that using the Migrate images command on several raw took a very long time to do. This has not improved in 1.1.1.
So please beware when using this function that after the pop-up showing how many were migrated and you click 'ok' Aperture then proceeeds to run global climate change models in teh background. Ooops i mean it seems to spend enormous cpu cycles after it says it was complete.
For anyone using 'migrate images' please go for a bio break and leave your system alone as any further Aperture processing will grind you to a near halt. Let it finish its work.
I migrated 380 raw's to 1.1, the progress bar took ~57s until 'Done', then cpus ramped ~330% for about 8 minutes.
FYI.
Suggestions:
1. Show the whole migration task within the task Window until its fully completed.
2. Improve the migration coding to do this faster.
3. Add a warning to users that this will take a long time.
4. Have the progress bar show the REAL and complete processing cycle, including the background portion.
I suppose this problem will eventually work its way out as most people will only import using 1.1 raw.

As far as I can tell, the progress bar is just for the database changes - updating the thumbnails is going to be a MUCH more intensive task as all 380 files get loaded up and thumbnails are redone. At the left end of the control bar is a little spinny progress icon which appears when there are background tasks going on, when you migrate images, this spins until all the thumbnails are done. Think of it in terms of re-importing all the images...
That said, the progress bars and task viewer window could do with a bit of thought.
Ian

Similar Messages

  • Updated to LR 5.4, images now importing extremely slow. After importing and rendering images are still very slow to go through and develop. No issues in LR 5.3 which was very fast.

    After importing and rendering images are still very slow to go through and develop. No issues in LR 5.3 which was very fast. Canon,Nikon, Leica and Fuji files all rendering slow. iMac 2.9 ghz 16gb RAM OSX 10.8.5. Catalogs and images are kept on external drives. Drives running fine. Really need a fix on this since I'm norally imported and processing at least 4,000 images per LR Catalog. Is there way to revert back to 5.3? I can't use 5.4 is its current state. Thanks.

    Download LR 5.3 and install it
    By the way, lots of people have this complaint about LR 5.4, and the advice I give is to use LR 5.3 unless you need one of the new camera models supported by LR 5.4

  • CS3 Still Very Slow with psd files

    I'm still having terrible performance issues with CS3 and imported CMYK psd files containing spot colours. I have a 9MB psd file with two spot colours imported into a layer in Illustrator, with some illustrator line work on top. Just zooming in give me a 5 second screen redraw, everything is very sluggish and occasionally I get a crash. I still get these weird alert box saying "Generating Pixels" now and again when importing the psd files.
    G5 Dual 2.0GHz, 2.5GB RAM, OSX 10.4.11, Illustrator 13.02, Photoshop 10.0.1.
    I'm not having these issues on a different mac running CS2.

    I'm thinking it might be RAM, I have Photoshop and Illustrator open at the same time. I have around 100GB of scratch disk space.
    But weirdly the slowness is not apparent using CS2. Things are just dead slow with a Photoshop file placed in Illustrator CS3. These files are only 30MB, but contain 3 spot channels + CMYK. Even with preview mode switched off, it's still very slow and I mean everything slows down.
    There is a lot of disk activity going on, so maybe my hard disks on this 3 year old mac are just getting too long in the tooth.
    What drives me nuts is I remember doing the same kind of work in Illustrator 8 on a G4 running System 9 and everything was MUCH faster.
    Oh, and I'd better not mention how fast Freehand was for this kind of work...

  • Creating ImageIcon from Image is very slow

    Hi I have a program which reads a number of files which may contain (amongst other things) image data in various formats such as JPG.I read scale this down into an image object fine, and then I want to display a small version of it on screen so I put the scale dimage into an ImageIcon which i display later using a JLabel.
    Anyway it runs very slow , the funny thing is using JProbe Ive tracked the problem down to creation of the ImageIcon constructor, the actual thumbnail image creation is very quick.
    Why does ImageIcon take so long or is there a simple way of displaying the image in a Swing Application
    without using JLabel.
    BufferedImage bi = ImageIO.read(new DataInputStream(new ByteArrayInputStream(imageData)));
    Image thumbnaiImage = image.getScaledInstance(20,20Image.SCALE_FAST);
    ImageIcon thumbnail     = new ImageIcon(thumbnailImage);

    If you're not too picky about the image quality (and I see you're using SCALE_FAST), you can set the
    source subsampling on your ImageReadParam so that you never construct the large image: you start
    with the thumbnail.
    import java.awt.*;
    import java.awt.image.*;
    import java.io.*;
    import java.net.*;
    import java.util.*;
    import javax.imageio.*;
    import javax.swing.*;
    public class AllThumbs {
        public static void main(String[] args) throws MalformedURLException {
            String prefix = "http://www3.us.porsche.com/english/usa/carreragt/modelinformation/experience/desktop/bilder/icon";
            String suffix = "_800x600.jpg";
            JPanel p = new JPanel(new GridLayout(0,3));
            for(int i=1; i<9; ++i) {
                try {
                    p.add(getThumb(new URL(prefix + i + suffix), 200, 150));
                } catch (IOException e) {
                    System.out.println(e.getMessage());
            JFrame f = new JFrame("AllThumbs");
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.getContentPane().add(p);
            f.pack();
            f.setLocationRelativeTo(null);
            f.setVisible(true);
        public static JLabel getThumb(URL url, int maxWidth, int maxHeight) throws IOException {
            String suffix = getSuffix(url);
            Iterator readers = ImageIO.getImageReadersBySuffix(suffix);
            if (!readers.hasNext())
                throw new IOException("No reader for suffix " + suffix);
            ImageReader reader = (ImageReader) readers.next();
            reader.setInput(ImageIO.createImageInputStream(url.openStream()), true, true);
            int w = reader.getWidth(0), h = reader.getHeight(0);
            int subsampling = Math.max(1, Math.max(w/maxWidth, h/maxHeight));
            ImageReadParam param = reader.getDefaultReadParam();
            param.setSourceSubsampling(subsampling, subsampling, 0, 0);
            BufferedImage image = reader.read(0, param);
            String path = url.getPath();
            String text = path.substring(1+path.lastIndexOf('/'));
            JLabel label = new JLabel(text, new ImageIcon(image), SwingConstants.CENTER);
            label.setHorizontalTextPosition(SwingConstants.CENTER);
            label.setVerticalTextPosition(SwingConstants.BOTTOM);
            label.setBorder(BorderFactory.createEmptyBorder(5,5,5,5));
            return label;
        public static String getSuffix(URL url) throws IOException {
            String path = url.getPath();
            int dot = path.lastIndexOf('.');
            if (dot == -1)
                throw new IOException("No . in " + path);
            return path.substring(1+dot);
    }It is also possible for there to be thumbnail images stored in an image file. (These thumbnails
    don't even have to be related to the main image.) ImageIO has methods to read these directly,
    so if you have control over your image files you can create them with thumbnails in place.

  • Calendar on iPhone 3G iOS 4.1 still very slow to open

    Since I went from iOS 3 to the terrible 4 also my iPhone 3G has been very slow.
    The biggest problem however seems isolated: when I open the Calendar app, it takes a very long time for it to open. Initially it opens as quick as it used to, however then the screen goes blank with only the calendar header available. Then after what could be 10 to 20 seconds the app is functioning is again and the screen is filled with my calendar data. This happens every time I start the app.
    I have just now updated to 4.1 to see if this issue is solved, but there has been no improvement here.
    My Calendar is synced through MobileMe and I have 2 calendars. Before iOS 4 it worked perfectly well and smooth.
    Am I the only one with this problem? If yes, could I solve it by a Recovery action and rebuild the iPhone?

    Hi there! Same problem here. In April 2010 I bought my iPhone 3G with iOS 3.1.3 and I was enthusiast. Updating to iOS 4 I experienced poor performance of a sluggish phone with core apps working slowly. Updating to iOS 4.1 brought me back a responsive phone, but also the calendar issue. I've always used the List View and starting the app I realized that the list was empty. Quickly changing to Day/Month View and back to List View is a workaround I discovered by myself, but it's not what I expect from an Apple product. I've always synced my iPhone with my MacBook Pro 13" Mid-2009 shipped with Snow Leopard. Is anyone in Cupertino able to help people in this thread? Thanks in advance.
    Message was edited by: Boccia80

  • 1st back-up with ethernet still very slow

    I've checked other threads related to the slow 1st back-up, but didn't find an acceptable answer.
    I'm trying my initial back-up of about 80 GB from my MacBook. I started with the wireless connection- after 5 days, it had only backed up 16 GB!! And then it seemed to hang for another day with out any progress so I cancelled it (I couldn't leave my portable computer stationary any longer). I started again, this time using ethernet, as suggested in other postings, but it is still doggedly slow (less than 1 MBPS!). I am using a CAT5E cable, so shouldn't it be at least 100/sec?? I had assumed that if I went out an bought a CAT 6 cable, I'd bump it up to a GB, but since the CAT5E is slow I'm not sure if it's worth it.
    So is this an issue with the manner in which Time Machine organizes data for backup, an issue related to the ethernet connection, or something entirely different?
    Any advice/suggestions are much appreciated!

    It sounds as if you might have configured your Time Capsule to "join" your wireless network, correct?.
    In this type of setup, the TIme Capsule simply becomes a wireless hard drive and the Ethernet ports on the Time Capsule are not enabled.
    If you could consider connecting your Time Capsule to your main router using a permanent Ethernet cable connection, you would have the option to backup using wireless or Ethernet.

  • Installed my new Airport extreme and try to link it to airport express  but the wifi still very slow

    I installed my new Airport extreme today and try to link it to my airport express to expend my wifi coverage to my second floor  but the wifi si very slow on second florr not better then without express? what can I do??

    Hi Francois
    Any wired connection or WiFi network extension (using your AirPort Express) with your second floor will make your network signal stronger but not necessarly faster.  If your WiFi signal is so poor that internet connection keeps dropping, it will make a speed difference.  Otherwise the only difference you'll notice is that the range of the wireless network has increased.
    You say "wifi is very slow on the second floor".  Do you mean that the internet is slow?  Is it very fast on the first floor?
    Try checking your internet connection speed on a laptop on each floor:
    speedtest.net
    and press "begin test recommended server".
    The download speed should approximate your ISP contracted speed.  Upload speed will be a fraction of this.  Wifi will be slower but unless you have a super-fast internet connection, you probably shouldn't notice it.
    Peter

  • Encrypted disk image creation very slow-

    I just got a new MBP with Leopard. I have created a number of encrypted disk images in the past using Tiger and a MBP and have not had any trouble. This weekend I tried a few times to create a 50 gig encrypted disk image (128 AES) on an external drive and after going through the process of setting it up and waiting for it to be created, (and watching the progress bar as it was being created), after about 45 minutes NO progress was showing on the progress bar. I ended up having to cancel the creation a few times because I thought something was going wrong. I’m not sure if there is a problem creating the disk image, or leopard is slow, or what.
    Does anyone know how long, on average, it would take to create an encrypted disk image of this size using leopard? I just want to know if there is a problem doing this on my MBP. Thanks for the help.

    A regular 50 GB disk image takes 50GB of space, no matter if it is full of files or empty.
    A 50 GB sparse disk image only takes up the amount of space equivalent to that of its enclosed files. So if the 50GB sparse image only has 1 GB of files inside, the image won't be much bigger than 1GB.
    A sparse bundle is similar to a sparse image, but instead of a single file it is a folder package with many, many enclosed files called bands. A new file added to the sparse bundle will tend to modify only a few bands. This makes incremental backups of a sparse bundle more efficient because only the changed bands need to be backed up again. Any change to a sparse or regular disk image will mean that the entire image will need to be backed up again.
    If you regularly add/remove files to a disk image, and you intend to back up that disk image with Time Machine, a sparse bundle is definitely the way to go. The other types will fill up your TM volume very quickly.

  • Viewing full screen images gets very slow in PSE 5&6

    In full screen preview mode, when going from a horizontal image to a vertical image, it takes several seconds to go to the next image.Have tried turning off and on the resizing option and it had no effect. Viewing 2mb jpgs from a Nikon D200.Have Win XP 64, 8GB Ram, dual core processor and a middle of the road video card.
    Could this be a video card issue? Would going to PSE 8 help. does PSE 8 utilize 64 bit OS?

    Very interesting.  I'm guessing that the portrait photos were rotated by the camera by setting the Orientation field in the photos' metadata, and that for some reason, PSE on your system requires a lot of time to properly rotate them on the fly in Full Screen view.  When you edit the photo in the Editor, it rotates the actual image, rather than setting the Orientation field.
    For a couple of test photos, try following steps 1 - 3 of this FAQ:
    http://www.johnrellis.com/psedbtool/photoshop-elements-faq.htm#_Photos_not_properly
    This should have the same effect as editing them in the Editor.

  • Image browsing very slow - iPhoto library on a shared disk image

    Hello,
    I'm experiencing serious slowness when browsing images with iPhoto. I get the spinning beach ball for several seconds every time go to next image. According to the activity monitor my CPU load is close to 100% when this happens. The problems  started when I got a new camera and had to update to Photo 11 to get the RAW support. Also, I had to update to Mountain Lion to get iPhoto 11 running.
    My library is on a shared disk image, and my wife and I are sharing the same library. I have increased the size of the image a couple of times as my library has grown. We have 17680 pictures in the library. Mostly RAW format.
    I have tried flushing the iphoto cache and rebuilding the library. No effect. Then I  created a new library (non-shared) and that seemed to work fine. The problem seems to be related to the disk image. I don't know what to do? Is there something I could try?
    I'm running OS X 10.8.4 and iPhoto 9.4.3. There is about 100 GB free space on my boot drive. Here is my hardware Overview:
      Model Name:    iMac
      Model Identifier:    iMac9,1
      Processor Name:    Intel Core 2 Duo
      Processor Speed:    2,66 GHz
      Number of Processors:    1
      Total Number of Cores:    2
      L2 Cache:    6 MB
      Memory:    4 GB
      Bus Speed:    1,07 GHz
    Thanks,
    Lasse

    Using a disk image in the Shared folder has worked for  few that it's not a method I would advise using in any situation. Get an external HD as TD has suggested.  You'll be a lot more satisfied with the results if you do.
    OT

  • 10.6.8 still very slow/beach ball after v1.1

    I have a 17" 2010 macbookpro, 8gb ram, 500gb hdd.
    I had previously upgraded to 10.6.8 and experienced a completely locked up system. Ultimately had to reinstall from OS X Disc and patch back to 10.6.7. Everything has worked normally since. I also patched Parallels to address the issue related to 10.6.8. On Saturday while updating other items I inadvertently updated to 10.6.8 again (I know, i know...). At first everything seemed to be operating fine, but now the system is exhibiting the same decline in performance again. After a few minutes of doing any normal activity the system eventually hangs with a beach ball. Rebooting is slow on the blue screen but eventually loads.  I applied the 10.6.8 v1.1 combo update but it does not seem to have had any positive effect. Before I begin the OSX reinstall process all over again, is there any other potential workaround I can try? I'm not prepared to migrate to 10.7 at this point either.
    Thanks

    Please boot in safe mode and test. Same problems? After testing, reboot as usual (not in safe mode.)
    Mac OS X: Starting up in Safe Mode

  • Photoshop CC - image edits very slow to update on monitor

    I need some help...
    I'm running Windows 7 Ultimate, 64 bit.  PC with i7-920 processor and 12 gb Memory,  Quadro FX-1800 graphics card.   Photoshop CC with all updates applied as of yesterday.
    When I make edits to an image, it takes sometimes 10 seconds or more for the edit to occurr to the image on my monitor.  In bridge, when I label a file with a Color label, the color label does not show up for 10 to 20 seconds.
    I'm not sure if I have some kid of cache problem, or what.   So far I've tried 'compressing cache" but it did not help.
    I'm open to suggestions on what I can do to fix this.  The software is basically unusable in this state.
    Thanks,
    Tim

    Check your Edit - Preferences - Performance settings.
    Note:  Make changes methodically, and close and reopen Photoshop after making any change, to ensure you're testing with the updated settings.
    1.  Make sure Cache Levels is set to 4 or more - I suggest 6. 
    2.  In the GPU section, under [Advanced Settings...] try changing to one of the alternate Drawing Modes.
    3.  Check the web site of the manufcaturer of your video card (in your case, nvidia.com) for an updated display driver for your operating system and hardware, and download/install if one has been released.
    4.  Try resetting all Photoshop preferences to defaults by pressing and holding Control - Shift - Alt immediately upon cold-starting Photoshop.  You have to be quick to get the keys down, and if you are quick enough it will prompt to confirm deletion of your preferences, which will lead to creation of a new default set.
    I don't know what you mean by "compressing cache", but it doesn't sound like anything I've ever heard that's restorative to Photoshop performance.
    -Noel

  • Finished indexing spotlight and still very slow, what else can be?

    Any clue! Pleeeeeease! Thanks for any
    Ight on it!
    MACPRO INTEL LION RECENTLY INSTALLED 500hd  WITH OVER 300 FREE 8GB RAM
    THREE FIREWIRE EXTERNAL UNITS, ONE SEAGATE AND TWO WESTERN DIGITAL AND ANOTHER WESTERN DIGITAL USB UNIT
    WACOM INTUOS TABLET
    EXTERNAL APPLE KEYBOARD
    SYNCMASTER 2370
    APPLE MAGIC MOUSE

    I set the phone up this morning as a new phone no back up.
    Brightness set to full
    No wifi
    No bluetooth
    No back ground programs running
    Fetch every 15 minutes for emails for half the day and then went to manually for second half
    3G for half day and 2g for second half
    tethering off
    thats all I can think of. My friend and I looked at all his setting and mine and they were both similar except he keeps his on wifi all day.
    we put them to exact same spec when i got to his house at 3. I had close to 50% from a full overnight charge and when I left at 7:30 I left dead and His was at 17% left still from the previous day and when I left his was at 8%
    I dont know

  • Line fixed - BB still very slow indeed

    Hi - I'm new here though I've had BT Total BB for some time now and I've always been happy with it.
    Could do with some advice here please..
    I had a long standing line fault on the voice line which I put up with for ages until recently when it got so bad it was impossible to hold a conversation on the phone. Broadband deteriorated to such an extent it was virtually unusable with frequent disconnections.
    Anyway, the Openreach engineer came out last Wednesday and diagnosed a line fault. He first replaced the line from the telegraph pole to the 'green box' and then, after more diagnostics, replaced the line from the 'green box' to the exchange. As he left he told me I had effectively a new line from the house to the exchange.
    Sure enough, the fault is fixed - the line is crystal clear and I reckon my broadband speed should now (eventually) be running at optimum speed as I'm less than 800m from the exchange.
    Trouble is, my BB speed is still absolutely dire. The connection has been absolutely rock-solid for more than three days now.
    Question is - will it ramp up automatically or will it need manual intervention?
    I've attached my router stats and a BT speed test, both taken in the last few minutes.
    Any advice warmly welcomed.
    Solved!
    Go to Solution.

    your high noise margin and your connection speed are the banding give away and your line attenuation is the line length from the exchange this link explains a lot about various aspects of broadband http://www.kitz.co.uk/adsl/max_speed_calc.php
    If you want to say thanks for a helpful answer,please click on the Ratings star on the left-hand side If the reply answers your question then please mark as ’Mark as Accepted Solution’

  • Still Very Slow Channel Changing..​.Getting frustratin​g

    I see that this issue says its been resolved.  Not here anyway. Have 2 DVRs and are both slow to change channels. It's almost like the boxes have to warm up or something. It's ridiculous and frustrating. Please resolve this issue..

    Try going to menu > settings > sd override and select 'off'
    if it's already off then choose 480i
    off is the usual preference

Maybe you are looking for

  • Mobile Functionalities part of CRM - Web Application

    Hello, We are currently using CRM 4.0 with SAP GUIs. We are mainly using the Mobile Sales Application and concepts such as Business Partners, PPRs, Activity Journals, Marketing Attributes, Segment Builder, Territory Management, Products, Surveys or O

  • Performance problems between dev and prod

    I run the same query with identical data and indexes, but one system takes a 0.01 seconds to run while the production system takes 1.0 seconds to run. TKprof for dev is: Rows Row Source Operation 1 TABLE ACCESS BY INDEX ROWID VAP_BANDVALUE 3 NESTED L

  • How to give the date to the funtction module

    Hi. i want to pass a date from the eban-badat to the function module and the output will be based on this date. the requirement is like if the po date .i.e eban-badat is 25th nov 08..then the output b_date should be 1st of november 2008. that means i

  • Want to attach PDF file with invoice

    Hi Friends I want to know, how can we attach the PDF files with Invoice. Thanks Gowrishankar

  • Searching MySQL table names

    Hello, I would like to search all of the table names in a MySQL database using a simple HTML form and PHP. I am stuck. I have attached the code I have so far. How do I apply the search to just the table names in the database? Thanks in advance, John