Unable to include new images

I just added some images to my Iweb site and when I try to "publish to site" I get a popup saying publish your websites to mobile me, sign in, etc etc. I AM signed in, but still can't publish to site. I have other galleries at mobile me, but that is another issue. I don't want to mix them. Any hints?
Thanks
Doug

Are you sure the images are the problem?
What happens if you publish the page without the images?
Magic word: coincidence

Similar Messages

  • Simulate Acquisition does not include new image file created after first call

    For example, I have 5 images in a folder.
    I call Simulate Acquisition.
    It cycles through all 5 images.
    Now If I include 1 more image it does not include this image in the "cycle". I need to reload this step by clicking Main\path\browse button and select any image in the folder and then it cycles through all 6 images.
    Is there anyway to automatically include new images added to the folder after the step has been created?
    Thanks.
    CVI 2010
    LabVIEW 2011 SP1
    Vision Builder AI 2011 SP1

    Here's a sample inspection and VI to illustrate how you could do this. I used an image variable and passed this into the Run LV step so the VI could read the file and update the image variable and then I used the Select Image step to get the image variable into the VBAI script so you can process it. I also added a delete option in the VI so you can delete the previous image when you read the next available image. Make sure to go to the Setup State and initialize the path variable to where your image files will live (to access the Setup State, go to View>>View Complete Inspection and select on the Setup option on the left hand side. I initialized it to c:\Image Folder
    Hope this helps,
    Brad
    Attachments:
    Read Dynamic Image File.zip ‏15 KB

  • Unable to import new images from finder into lightroom 5 since update

    Since I updated my Lightroom 5 and Photshop CS6, I have been unable to import images from my finder (MacPro) or save edited images from Photoshop editor back into my Lightroom 5 library. Please help!

    I Managed to edit images in Lightroom and then clicked on photo editor photoshop to make further editiding.After i click on save, it doesn't come back into my Lightroom 5 library.
    i Then saved the image into my computer and tried to import from there, but images quickly appear and then disappear :-(
    thanks for the quick reply!

  • How do I create a new image composed of a number of smaller images?

    Hi,
    I'm attempting to work with the assorted image APIs for the first time and am experiencing one main problem with what I'm trying to do. Here's the scenario;
    I have an image file (currently a JPEG) which is 320*200 pixels in size, it contains a set of 20*20 images. I want to take such a file and convert it into a new JPG file containing all those 20*20 images but in a different grid, for example a single column.
    I'm currently having no problem in working my way through the input file and have created an ArrayList containing one BufferedImage for each 20*20 image. My problem is that I just can't see how to create a new file containing all those images in new grid.
    Any help would be much appreciated and FWIW I've included the code I've written so far.
    package mkhan.image;
    import java.awt.image.BufferedImage;
    import java.io.File;
    import java.io.IOException;
    import java.util.ArrayList;
    import java.util.Iterator;
    import javax.imageio.ImageIO;
    import javax.imageio.stream.ImageInputStream;
    import javax.imageio.stream.ImageOutputStream;
    public class ImageTileConvertor {
       // arg 1 = input file
       // arg 2 = output file
       // arg 3 = tile x dimension
       // arg 4 = tile y dimension
       // arg 5 = number of tiles in x dimension
       // arg 6 = number of tiles in y dimension
       public static void main(String[] args) throws IllegalArgumentException,
                                                     IOException {
         if (args.length != 6) {
           System.out.println("Invalid argument list, please supply the following information in the specified order:");
           System.out.println("  - The input file name including full path");
           System.out.println("  - The output file name including full path");
           System.out.println("  - The size of the tile in the x dimension");
           System.out.println("  - The size of the tile in the y dimension");
           System.out.println("  - The number of tiles in the x dimension");
           System.out.println("  - The number of tiles in the y dimension");
         } else {
           ImageTileConvertor imageConvertor = new ImageTileConvertor(args[0], args[1], args[2],
                                                                      args[3], args[4], args[5]);
       * Instance member vars
      private File m_sourceFile = null;
      private File m_outputFile = null;
      private int m_tileSizeX = 0;
      private int m_tileSizeY = 0;
      private int m_numberOfXTiles = 0;
      private int m_numberOfYTiles = 0;
       * Ctor
      public ImageTileConvertor(String sourceFile, String outputFile,
                                String tileSizeX, String tileSizeY,
                                String tilesX, String tilesY) throws IllegalArgumentException,
                                                                     IOException {
        try {
          Integer tileSizeXInt = new Integer(tileSizeX);
          Integer tileSizeYInt = new Integer(tileSizeY);
          Integer tilesXInt = new Integer(tilesX);
          Integer tilesYInt = new Integer(tilesY);
          m_tileSizeX = tileSizeXInt.intValue();
          m_tileSizeY = tileSizeYInt.intValue();
          m_numberOfXTiles = tilesXInt.intValue() - 1;
          m_numberOfYTiles = tilesYInt.intValue() - 1; // convert to zero base
        } catch (NumberFormatException e) {
          throw new IllegalArgumentException("Tile Sizes must be integers");
        m_sourceFile = new File(sourceFile);
        m_outputFile = new File(outputFile);
        if (!m_sourceFile.exists()) {
          throw new IllegalArgumentException("Input file must exist and be a valid file");
        try {
          translateToTiles();
        } catch (IOException e) {
          throw e;
       * Performs the translation from one format to the other
      private void translateToTiles() throws IOException {
        ImageInputStream imageIn = null;
        BufferedImage bufferedWholeImage = null;
        int imageHeight = 0;
        int imageWidth = 0;
        int currentX = 0;
        int currentY = 0;
        ArrayList imageList = new ArrayList();
        try {
          imageIn = ImageIO.createImageInputStream(m_sourceFile);
          bufferedWholeImage = ImageIO.read(imageIn);
          if (bufferedWholeImage != null) {
            imageHeight = bufferedWholeImage.getHeight();
            imageWidth = bufferedWholeImage.getWidth();
            if (((m_tileSizeX * m_numberOfXTiles) > imageWidth) || ((m_tileSizeY * m_numberOfYTiles) > imageHeight)) {
              throw new IOException("Specified Tile Size is larger then image");
            } else {
              // Process each tile, work in columns
              for (int i=0; i <= m_numberOfXTiles; i++) {
                for (int j=0; j <= m_numberOfYTiles; j++) {
                  currentX = i * m_tileSizeX;
                  currentY = j * m_tileSizeY;
                  createTiledImage(imageList, bufferedWholeImage, currentX, currentY);
            createOutputTiles(imageList);
          } else {
            throw new IOException("Unable to identify source image format");
        } catch (IOException e) {
          throw e;
      private void createTiledImage(ArrayList listOfImages, BufferedImage wholeImage,
                                    int xPosition, int yPosition) {
        BufferedImage bufferedTileImage = wholeImage.getSubimage(xPosition, yPosition, m_tileSizeX, m_tileSizeY);
        listOfImages.add(bufferedTileImage);
      private void createOutputTiles(ArrayList imageList) throws IOException {
        ImageOutputStream out = ImageIO.createImageOutputStream(m_outputFile);
        Iterator iterator = imageList.iterator();
        // This doesn't work at the moment, it appears to output all the images but the end file only seems to contain the first small image
        while (iterator.hasNext()) {
          BufferedImage bi = (BufferedImage)iterator.next();
          ImageIO.write(bi, "JPG", out);
          System.out.println(out1.getStreamPosition());
        out.close();
        // This is another attempt in which I can see how to populate a Graphics object with a small sample of the images
        // Although I'm not sure how to output this to anywhere in order to see if it works - can this approach output to a file?
        BufferedImage singleTile = (BufferedImage)imageList.get(0);
        // Now populate the image with the tiles
        Graphics gr = singleTile.createGraphics();
        gr.drawImage(singleTile, 0, 0, Color.BLACK, null);
        singleTile = (BufferedImage)imageList.get(1);
        gr.drawImage(singleTile, 0, 20, Color.BLACK, null);
    }Thanks,
    Matt

    Construct a new BufferedImage whose width is the width of a tile, and whose height is the height of a tile times the number of tiles.BufferedImage colImg = new BufferedImage(m_tileSizeX,
                                             m_tileSizeY * m_numberOfXTiles * m_numberOfYTiles,
                                             BufferedImage.TYPE_INT_ARGB);Now write the tiles onto it.Iterator it = imageList.iterator();
    int columnYPos = 0;
    Graphics g = colImg.getGraphics();
    while (it.hasNext())
        g.drawImage((Image)it.next(), 0, columnYPos, null);
        columnYPos += m_tileSizeY;
    }Now save your image.*******************************************************************************
    Answer provided by Friends of the Water Cooler. Please inform forum admin via the
    'Discuss the JDC Web Site' forum that off-topic threads should be supported.

  • HT4528 i have a verizon iphone 3G; apple recently upgraded the operating system.  PROBLEM: calendar has wiped out all entries and i am unable to add new entries.  Help!

    have verizon iphone 3g; recent upgrade of operating system.  suddenly calendar has wiped out all entries and am unable to add new ones. 

    Please define "tried to add the Image"?
    OS Installer Packages do not point to "images". They point to the complete set of source files including the directory structure from the media.
    Is there a specific reason you are using OS Installer packages though? In general, there is no reason to use them anymore (unless you are actually still deploying XP).
    Jason | http://blog.configmgrftw.com | @jasonsandys

  • "Unable to capture window image"

    if I select a window to be screenshot, I get this error:
    Your screen shot can’t be saved.
    Unable to capture window image.
    (shortcut: cmd-shift-4 and then space)
    It seems to be new in Lion. Never had that problem before. And regular screenshots seem to work fine (cmd-shift-3).
    Thanks for any help! ~ Kai

    Thanks Davide ...
    I created com.apple.screencapture.plist with Terminal and restarted the Mac.
    The first couple of window screenshots worked on a Chrome browser window (command-shift-4, then space bar). But it did not work on other app's windows (Finder, Carousel).
    Then I switched back to Chrome and I didn't work there too anymore. Crazy thing is that now it works on Finder windows. Very very strange.
    All this is only true for capturing a whole window content (command-shift-4, then space bar)
    ~ Kai

  • Help! Unable to create new native thread

    Ok I see this problem all over the web but most of the posts are many years old and still leave me a little confused.  Often at random times on the same tags like CFLDAP I get the error "Unable to create new native thread".  Then a few minutes later the same tag on the same page works just fine.
    I have 4GB of memory in this box with 1400 MB set as the maximum Java heap size by the way.
    Here are my arguments from the jvm.config file.
    # Arguments to VM
    java.args=-server  -Xmx1400m -Dsun.io.useCanonCaches=false -XX:MaxPermSize=192m -XX:+UseParallelGC -Dcoldfusion.rootDir={application.home}/../ -Dcoldfusion.libPath={application.home}/../lib -Dcoldfusion.classPath={application.home}/../lib/updates,{application.home}/../lib,{appli cation.home}/../gateway/lib/,{application.home}/../wwwroot/WEB-INF/flex/jars,{application. home}/../wwwroot/WEB-INF/cfform/jars,"C:\\Program Files\\Apache Software Foundation\\Apache2.2\\htdocs\\InterWeb-Prod\\includes\\classes"
    Here is a typical error that comes through.
    struct     
    Browser     Mozilla/5.0 (Windows; U; Windows NT 6.1; en-US) AppleWebKit/533.4 (KHTML, like Gecko) Chrome/5.0.375.70 Safari/533.4    
    DateTime    {ts '2010-06-23 10:07:44'}  
    Diagnostics unable to create new native thread null <br>The error occurred on line 122.
    GeneratedContent      
    HTTPReferer http://--------------------/index.cfm?FuseAction=HR.main    
    Mailto      interweb@--------------------- 
    Message     unable to create new native thread      
    QueryString fuseaction=ManagedLists.MailSubscriptions     
    RemoteAddress     192.168.250.124
    RootCause   struct    
    Message     unable to create new native thread      
    StackTrace          java.lang.OutOfMemoryError: unable to create new native thread at java.lang.Thread.start0(Native Method) at java.lang.Thread.start(Thread.java:597) at com.sun.jndi.ldap.Connection.<init>(Connection.java:208) at com.sun.jndi.ldap.LdapClient.<init>(LdapClient.java:112) at com.sun.jndi.ldap.LdapCtx.connect(LdapCtx.java:2504) at com.sun.jndi.ldap.LdapCtx.<init>(LdapCtx.java:263) at com.sun.jndi.ldap.LdapCtxFactory.getInitialContext(LdapCtxFactory.java:76) at javax.naming.spi.NamingManager.getInitialContext(NamingManager.java:667) at javax.naming.InitialContext.getDefaultInitCtx(InitialContext.java:288) at javax.naming.InitialContext.init(InitialContext.java:223) at javax.naming.InitialContext.<init>(InitialContext.java:197) at javax.naming.directory.InitialDirContext.<init>(InitialDirContext.java:82) at coldfusion.tagext.net.LdapTag.do_ActionQuery(LdapTag.java:839) at coldfusion.tagext.net.LdapTag.doStartTag(LdapTag.java:616) at coldfusion.runtime.CfJspPage._emptyTcfTag(CfJspPage.java:2661) at cfadfunctions2ecfm1473603830$funcADLOOKUPUSERNAME.runFunction(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\includes\adfunctions.cfm:122) at coldfusion.runtime.UDFMethod.invoke(UDFMethod.java:418) at coldfusion.runtime.UDFMethod$ArgumentCollectionFilter.invoke(UDFMethod.java:324) at coldfusion.filter.FunctionAccessFilter.invoke(FunctionAccessFilter.java:59) at coldfusion.runtime.UDFMethod.runFilterChain(UDFMethod.java:277) at coldfusion.runtime.UDFMethod.invoke(UDFMethod.java:192) at coldfusion.runtime.CfJspPage._invokeUDF(CfJspPage.java:2471) at cfadfunctions2ecfm1473603830$funcADLOOKUPMULTIPLEUSERNAMES.runFunction(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\includes\adfunctions.cfm:54) at coldfusion.runtime.UDFMethod.invoke(UDFMethod.java:418) at coldfusion.runtime.UDFMethod$ArgumentCollectionFilter.invoke(UDFMethod.java:324) at coldfusion.filter.FunctionAccessFilter.invoke(FunctionAccessFilter.java:59) at coldfusion.runtime.UDFMethod.runFilterChain(UDFMethod.java:277) at coldfusion.runtime.UDFMethod.invoke(UDFMethod.java:192) at coldfusion.runtime.CfJspPage._invokeUDF(CfJspPage.java:2471) at cfdsp_managedlists2ecfm55598920.runPage(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\hr\managedlists\dsp_managedlists.cfm:232) at coldfusion.runtime.CfJspPage.invoke(CfJspPage.java:196) at coldfusion.tagext.lang.IncludeTag.doStartTag(IncludeTag.java:370) at coldfusion.runtime.CfJspPage._emptyTcfTag(CfJspPage.java:2661) at cffbx_switch2ecfm2121232114.runPage(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\hr\managedlists\fbx_switch.cfm:23) at coldfusion.runtime.CfJspPage.invoke(CfJspPage.java:196) at coldfusion.tagext.lang.IncludeTag.doStartTag(IncludeTag.java:370) at coldfusion.runtime.CfJspPage._emptyTcfTag(CfJspPage.java:2661) at cffbx_fusebox30_cf502ecfm1180471387._factor4(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\fbx_fusebox30_cf50.cfm:241) at cffbx_fusebox30_cf502ecfm1180471387._factor5(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\fbx_fusebox30_cf50.cfm:1) at cffbx_fusebox30_cf502ecfm1180471387.runPage(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\fbx_fusebox30_cf50.cfm:1) at coldfusion.runtime.CfJspPage.invoke(CfJspPage.java:196) at coldfusion.tagext.lang.IncludeTag.doStartTag(IncludeTag.java:370) at coldfusion.runtime.CfJspPage._emptyTcfTag(CfJspPage.java:2661) at cfindex2ecfm749274359.runPage(C:\Program Files\Apache Software Foundation\Apache2.2\htdocs\InterWeb-Prod\index.cfm:23) at coldfusion.runtime.CfJspPage.invoke(CfJspPage.java:196) at coldfusion.tagext.lang.IncludeTag.doStartTag(IncludeTag.java:370) at coldfusion.filter.CfincludeFilter.invoke(CfincludeFilter.java:65) at coldfusion.filter.ApplicationFilter.invoke(ApplicationFilter.java:273) at coldfusion.filter.RequestMonitorFilter.invoke(RequestMonitorFilter.java:48) at coldfusion.filter.MonitoringFilter.invoke(MonitoringFilter.java:40) at coldfusion.filter.PathFilter.invoke(PathFilter.java:86) at coldfusion.filter.ExceptionFilter.invoke(ExceptionFilter.java:70) at coldfusion.filter.ClientScopePersistenceFilter.invoke(ClientScopePersistenceFilter.java:2 8) at coldfusion.filter.BrowserFilter.invoke(BrowserFilter.java:38) at coldfusion.filter.NoCacheFilter.invoke(NoCacheFilter.java:46) at coldfusion.filter.GlobalsFilter.invoke(GlobalsFilter.java:38) at coldfusion.filter.DatasourceFilter.invoke(DatasourceFilter.java:22) at coldfusion.CfmServlet.service(CfmServlet.java:175) at coldfusion.bootstrap.BootstrapServlet.service(BootstrapServlet.java:89) at jrun.servlet.FilterChain.doFilter(FilterChain.java:86) at coldfusion.monitor.event.MonitoringServletFilter.doFilter(MonitoringServletFilter.java:42 ) at coldfusion.bootstrap.BootstrapFilter.doFilter(BootstrapFilter.java:46) at jrun.servlet.FilterChain.doFilter(FilterChain.java:94) at jrun.servlet.FilterChain.service(FilterChain.java:101) at jrun.servlet.ServletInvoker.invoke(ServletInvoker.java:106) at jrun.servlet.JRunInvokerChain.invokeNext(JRunInvokerChain.java:42) at jrun.servlet.JRunRequestDispatcher.invoke(JRunRequestDispatcher.java:286) at jrun.servlet.ServletEngineService.dispatch(ServletEngineService.java:543) at jrun.servlet.jrpp.JRunProxyService.invokeRunnable(JRunProxyService.java:203) at jrunx.scheduler.ThreadPool$DownstreamMetrics.invokeRunnable(ThreadPool.java:320) at jrunx.scheduler.ThreadPool$ThreadThrottle.invokeRunnable(ThreadPool.java:428) at jrunx.scheduler.ThreadPool$UpstreamMetrics.invokeRunnable(ThreadPool.java:266) at jrunx.scheduler.WorkerThread.run(WorkerThread.java:66)  
    I could really use some help figuring this out.  We are getting random errors a few times a day and usually in places where we are using CFLDAP.
    Thanks,
    David

    Absolutely unbelievable that this has been going on for 4 YEARS and there are still NO definitive answers from Adobe!!
    There's no definite answer from Adobe, because there's no definitive single question.  These errors come up because - for any number of possible reasons - the JVM becomes overloaded.  And it's almost always down to an issue with the application code being run, and nothing to do with CF, per-se.  So what's Adobe supposed to do?  Come and fix your application for you?  There are plenty of diagnostic tools out there - some built into CF itself - which you could use to sort the problem out.  Or you could hire someone like Mike Brunt to come and have a look at your set up.  All it takes to fix these things is to actually do something about fixing it, rather than slamming one's fist on the desk saying "why doesn't Adobe do something!"
    I thought - and my knowledge in the area isn't expansive - the inability to allocate threads was down to the app being choked up: threads are a finite commodity, and if requests are queuing up faster than the JVM can clear them, you're gonna get errors eventually.  What causes this sort of thing?  More traffic than the server can process.  This could be because of server kit, or it could be due to code that doesn't scale to the requirement.  Usually the latter.  Basically one cannot polish a turd.
    I have a 24x7 production server that services 180,000 clients in 300 countries around the clock that cannot afford to be down for more than a few minutes at a time.
    I'm running Windows 2008 32-bit with 4GB of RAM because I have some graphics software that cannot tolerate a 64-bit OS.  Everything has been running fine for the past few months, but now it's starting to crash more and more frequently.  I have CF 8.0.1.195765 and Java 1.6.0_04
    How many concurrent requests for 180000 clients generate?  The number of clients matters less than how heavily the site is used.  But, to be honest, I get the impression the implication is "it's a busy site", in which case I think your hardware is a bit on the lean side.  Also, if it's a mission-critical app, running it on a single server is probably ill-advised, just from a fault-tolerance perspective even before one starts thinking about performance.
    If I was in your situation, I'd consider the following options:
    * upgrade your JVM to the most recent version (1.6.0_21?)
    * put more RAM in the box, and run a second CF instance on it.
    * get another box.
    * refactor the environment so the graphics software runs on a different box, upgrading the CF server to 64-bit (again, with more RAM)
    * run some diagnostics on the server, seeing what's taking up threads and where any bottlenecks might be
    * get an expert in to do the analysis side of things.
    * stop expecting Adode to fix "something".
    One of my other symptoms I have noticed is that any work done using RDP starts getting really really bogged down.  Opening Windows Explorer and searching for files can take minutes.  Restarting the CF service will sometimes fail to complete, and you have to wait a few minutes before the manual Start option appears in the dropdown.  Maybe coincidentally, the Performance Monitor will fail to add any of the ColdFusion metrics, for example Running Requests and Queued Requests, and the Event Monitor shows an error relating to an 8-byte boundary not being maintained.
    You don't, by any chance, store your client variables in the registry do you?  The only time I've seen this happen is when the CF box is munging the OS environment, and the only way I can think this could happen if it was clogging the registry.  Never store client variables in the registry.
    Adam

  • Unable to view uploaded images

    apex 4.0 using embeded listener
    oracle 11g
    as soon as i upload an image it doesn't display in the "shared components > images > edit image attributes" page.
    the url looks fine:
    http://127.0.0.1:8080/apex/wwv_flow_file_mgr.get_file?p_security_group_id=1473228310551932&p_fname=SF_Logo.jpg
    is something wrong with my xdb permissions?

    This won't be helping - your path to images is not correct:
    file:///C|/Documents and Settings/Cindy Knight/My
    Documents/Marketing/Chelan
    Custom Homes/Website/Design/Website Live/images/home.gif
    Brendon
    "cindy__" <[email protected]> wrote in
    message
    news:fg5jun$dht$[email protected]..
    > On this website www.actionmarketers.com/cch.html, I am
    unable to view the
    > images when the website is uploaded to the server, and
    also an extra space
    > appears after the navigation bar in Firefox (not IE).
    Ideas?
    >

  • Include EPS image in PDF

    Hi.
    I Want to include EPS image in PDF document but i don't know how to!
    Please help me, i don't found in the PDF referece how to!
    Thanks bye!

    > The PDF reference don't talk about that.
    It doesn't talk about it, because you cannot do it directly. The same
    with any other vector format, like WMF.
    Think of the problem as two stage:
    1. Convert your vector format to PDF.
    2. Merge the PDF content into your PDF.
    The simplest way to merge content is to take a page from your new PDF,
    turn the page into a form XObject, and add the form XObject to the old
    page. Then add q/cm/Do/Q to the page stream of the main page.
    For step 1, convert PostScript to PDF, you may want to make use of
    existing tools. Otherwise, this is a fascinating project but not less
    than 4 solid years of work.
    Aandi Inston

  • New image issues.  disk utitily progress resource is busy

    I have a lab of 20 new Imac computers. I want pull an image from one computer that I configured to the other 19 computers
    I installed leopard on a firewire drive
    restarted Imac
    pressed option and booted the firewire drive
    opened disk utility
    highlighted the internal hard drive on Imac
    clicked on new image
    selected the location to the firewire drive
    and now I receive the following error
    disk utility progress
    unable to create "wdc wd3200aajs-40vwa1 media.dmg". (resource is busy)

    If I am reading correctly, you want to image one computer onto all the others. The best tool for this job is "asr". The pitfall with doing such clones is that there is some specific system informtion that you don't want to clone.
    Good information about asr can be found:
    http://www.bombich.com/mactips/image.html
    A good helper tool from the same source is:
    http://www.bombich.com/software/netrestore.html
    Note: I am not sure if that is causing your error message, it is just a suggestion of a method that I know works well.
    Cheers,
    Rodney

  • Does Aperture Recognize New Images?

    Sorry for the noob question... I use Aperture for a better way to tag/find/organize. For example, on my hard drive, I have an 'Animals' folder. This includes my dog, wildlife photography, etc. I should have it better organized, but as it stands, ALL images are in this one folder.
    That's where Aperture is coming in handy. With keywords, projects, etc, I'm able to find anything easily, rather than aimlessly searching around.
    Currently when I import, I select my photos to stay in their current location.
    When I have new animal photos, I obviously add them to my hard drive's 'Animal' folder as mentioned. However, is there a way to tell Aperture, "Hey - there's new images in the Animals folder. Update yourself!"
    I certainly don't want to constantly manually import. I'm pretty much looking for some quasi-Sync or something.
    Hopefully this made sense. Any help would be great here. Thanks in advance.

    I do not see your camera on the list of supported cameras, sorry.
         Apple - Aperture - Technical Specifications - RAW Support
    The Olympus Viewer software reads the raw images just fine.
    Does this program have an otion to export the photos in a different format? Then it would be the best way to convert the image files to a supported format.
    Or check, if Adobe's free DNG converter supports your camera:  Adobe - Adobe Camera Raw and DNG Converter : For Macintosh
    Aperture can import DNG files with the right settings.
    You might also simply import raw+jpeg and work with the jpegs as original files, while you are waiting for the raw support to be released.
    Regards
    Léonie

  • IPhoto 09 - Black screen after download of new images

    Hoping someone can help me with this problem.
    After downloading new images from my digital camera (Canon EOS 400D) I am unable to open any images in iPhoto, either the new ones or older ones (which I have opened previously.) I can see the thumbnails but when I click them all I see in the iPhoto image pane is black. No image, just blackness.
    If I quit iPhoto then restart it I am able to open all the images old and new as before without any problem. This is not a terminal problem but it is very annoying. Any helpful ideas would be greatly appreciated. Thanking you in anticipation.
    Regards,
    Rikx

    Control-click on one of the problem thumbnails and select Show File. If you are taken to a folder with the original image file in it then they are safely in the library. In that case Backup and launch iPhoto with the Command+Option keys depressed to rebuild the library. Select the first two and last three options.
    Click to view full size

  • DW can't find new image?!

    Hi all,
    I'm making changes in a website using DW, which include
    adding some new images. I edited the image using photoshop and move
    them into the file where all the images for the website are.
    Strange thing is the new images appear in the assets (also other
    places while I was trying to insert them into the page), but
    there's no preview and when I click insert, the image appears
    broken in DW.
    I tried anyway to upload the page, together with all
    dependent files. The new image appear broken online too.
    Weird thing is this seems only affect new images, the old
    ones on the page are unaffected?!
    Can anybody help me?
    Thanks a million!

    > Is it better to insert an image from outside the site
    folder, then DW ask
    > me
    > to save it inside the site folder, or move all the
    necessary images under
    > the
    > site folder and link it in DW from there (as i've always
    done)?
    Makes no difference. If you have defined a default images
    folder, DW will
    copy it there without prompting.
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    ==================
    "eidolonx" <[email protected]> wrote in
    message
    news:gp417t$o4v$[email protected]..
    > After hours of trying, I finally 'solved' the problem by
    coverting the
    > .jpg
    > files into .png. I still don't understand why the old
    one (jpg) are fine,
    > but
    > not the new ones.
    >
    > Is it better to insert an image from outside the site
    folder, then DW ask
    > me
    > to save it inside the site folder, or move all the
    necessary images under
    > the
    > site folder and link it in DW from there (as i've always
    done)?
    >
    > Thanks everyone who replied me. :)
    >

  • Camera - Torch 9800 - Unable to capture the image

    Hey everyone!
    Had a torch 9800 for 18 months now and always been working fine... until today.
    I went to use the camera and it all seemed to open up fine but instead of seeing what the lens sees the screen was black. The centre focus [ ] was there and I could zoom back and forth just a black screen. 
    When I click for a photo I get a message " Unable to capture the image "
    I have searched the web and found nothing conclusive. Battery pulls, a full wipe and installation of the o/s have made no difference to it's lack of function.
    Does anyone out there have a suggestion? 

    I am having the exact same issue.  I also tried rebooting, taking out the battery and sim card and cleaning out the back, alas no difference.

  • I am unable to edit an image in Photoshop.

    I just installed Lightroom 5.3, and I have Photoshop CS5.1 installed. The problem is that I am unable to edit an image in Photoshop. When I click Photo>Edit In, the option for Photoshop is not active (i.e., it's not black), so I can't click on it. Why are the options for Photoshop and all of the other Photoshop related options, such as Merge to Panorama, etc., not active? In Preferences I have the following settings: File Format = TIFF; Color Space = ProPhotoRGB; Bit Depth = 16 bits; Resolution = 240; Compression = None. I am using Windows 7.

    Chris:
    I have to apologize for being misleading on my request for help in
    resolving the problem.
    Actually the version I am using is CS2 not CS3.
    Yesterday I tried numerous times, and ways, to edit an image and each time
    it refused to allow me to save it.
    The software program just shut down. This evening when I decided to give it
    another try it worked perfect.
    Guess the program just took the day off.
    Thank you for offering to help
    Regards,
    Doug

Maybe you are looking for

  • Read image metadata

    Hi All, Question: Can we read image meta data from CS extension code by any way ? I tried it with xmp core library and passed a jpeg file to xmpMeta object which expect a String, a XML or Byte Array as argument: private function getImageMetadata(jpeg

  • Can't start with an audio track

    In older iMovie versions I was able to import and audio track and lay still images and video clips on top of that. Now it seems like I need to start with video... when I simply drag an audio track into an empty clips window, it appears as a zero-seco

  • How to import a playlist in Home Sharing From Computer to ...

    How to import a playlist in Home Sharing From Computer to computer and other devices?

  • Workitem execution flag by user

    Hello, Here is a scenario. We are sending workitems to multiple users for dual/parallel approval  ECR/ECO process through a mixture of workflow config, change types and signature strategies.  The problem is whenever an user has approved a workitem, t

  • Register web provider

    Hi, I'm working 5 weeks with Portal. I've never had troubles with registering web providers. Suddenly I can't register new web providers and modify already registered providers... I've been working a lot with JSP portlets that contain BC4J. Sometimes