Width / Height pixel information on images in finder no longer there?

I rely heavily on this feature for my job, and it seems to have stopped working! When finder is in the 'multi-column' mode, when clicking on an image, amongst the information shown to the right of it (including name, kind, size etc) used to be the pixel dimensions.
This is really annoying, anyone have any clues?

Jeffrey Jones2 wrote:
Metadata is exactly what Spotlight indexes.
I understand that and agree with it.
Metadata is not in the file itself
I disagree with that.
It is data about the file
I agree with that.
but not in the file.
Once again, I disagree.
Some metadata, such as the file's name, its size, its creation date, are in the directory.
I agree.
Most of the rest is added by Spotlight.
According to your view of things, where does Spotlight get metadata for a file that's not in a directory? For the most part, it has to get it from inside the file.
My photo files contain a lot of metadata that describe the photo itself, such as camera model. I know this because I can see them in the file with Terminal commands.
There are other mentions of metadata in files on the Web. For an example, check this Web page:
http://downloads.zdnet.com/abstract.aspx?docid=980405
The page contains this quote: "Metadata Hootenanny is a viewer/editor for all the spiffy metadata you can put into Quicktime movies. You know how you can view, edit and sort by your mp3s' ID3 metadata in iTunes? Well, the same metadata system exists for all your quicktime movies, too..."

Similar Messages

  • Since one week my iphone, after synchronisation, gives me error message 13 objects could not get synchronized, look in itunes for more information. however, I dont find any info there

    since one week my iphone, after synchronisation, gives me error message "13 objects could not get synchronized, look in itunes for more information." however, I dont find any info there, neither on the mac I synch with nor on the iphone

    Launch Disk Utility in /Utilities. Then, click on the volumes under the top-level disk. The one that has this listed on the bottom is the boot volume.

  • How many ways are there to get the Width/Height of an image ?

    I am currently using the following code to get the width and hight of an image :
    BufferedImage Buffered_Image=ImageIO.read(new File(Image_Path));
    int Image_Width=Buffered_Image.getWidth();
    int Image_Height=Buffered_Image.getHeight();I don't need to get the image (*.jpg, *.gif, *.png), just want to know it's dimensions. I wonder how many other ways are available to do the same thing in a Java application ?
    Frank

    Ni_Min wrote:
    That's what I thought. I am asking because I hit a wall and am trying to find a different approach.Yeah, if you only have one file type you can probably write the code to read the header in 20 min.
    I packed my programs into an executable Jar file which I can run and access images on my C:\ drive, everything worked fine until I tried to experiment with something new. I know that I can force JVM to pre-load all my java classes just after it starts, so I deleted the jar right after the program pre-loaded all my classes and tried to see if it would work, but now I get a null pointer error when it tried to get the width/height of an existing image, because ImageIO.read return null. ( The same image is still on my C:\ drive )Sounds like a strange thing you're doing here. What's the point of this?
    So I wonder why it makes a difference after I deleted the jar, what was the problem ( or do I need to pre-load another class related to ImageIO.read ? ), and maybe if I use something else other than the ImageIO.read to get the width/height, I can bypass the problem.I dunno why you need to do this preload stuff and/or delete anything. I'd say leave the JVM and the app alone if possible.

  • Losing width and height information of Image???

    Hi,
    I am losing the width and height information between converting an image to byte[] and then back to Image
    public void testImageToBufferAndBack(Image takenImage){
    BufferedImage bufimage = this.ImageToBufferedImage(takenImage);
    System.out.println("buffimage"+bufimage.getWidth()+" "+bufimage.getHeight(null)); //works fine
    ByteArrayOutputStream stream = new ByteArrayOutputStream();
    try {
    ImageIO.write(bufimage, "jpeg", stream);
    catch (IOException ex) {
    byte[] bytes = stream.toByteArray();
    byte[] pictureBytes = bytes;
    Image testImage = Toolkit.getDefaultToolkit().createImage(pictureBytes);;
    System.out.println("tttttttteeeeeeeessssssttt "+testImage.getWidth(null)+" "+testImage.getHeight(null));
    Output:
    buffimage320 240
    tttttttteeeeeeeessssssttt -1 -1
    Could someone point me out my mistake please??

    Your mistake is not realizing that java.awt.Image loads images asynchronously. When Toolkit's
    createImage method returns an Image, that image contains no pixel data -- as you've seen above, it doesn't
    even know the size of the image! I knew this was the behaviour of the createImage method that took a URL,
    but was surprised here that this is also the case with the version that takes a byte[], but undoubtably, that is
    what is happening here. The way to fix this is always the same: use a MediaTracker, as my demo below
    illustrates.
    A couple points:
    1. If you render your image in a custom component like this it will eventually appear:
    g.drawImage(image, x, y, this); //for exampleThat's because Component's default behaviour as an ImageObserver (the reason for the final this)
    is to continually repaint as more pixel data becomes available. This is not always the best solution -- what
    if you need to know the image's dimension sooner rather than later?
    2. ImageIcon can load an image for you, by using a MediaTracker behind the scenes:
    Image image = ...
    new ImageIcon(image);
    //now image is loaded...Just be aware that if you use its constructors that don't take Image, but for example URLs
    URL url = ...
    Image image = new ImageIcon(url).getImage();Behind the scenes it's first getting the Image with Toolkit's getImage (not createImage). Toolkit's
    getImage caches the image, which may not be what you want if you are processing many images --
    why have the image loiter in memory if there is no advantage to that?
    import java.awt.*;
    import java.awt.image.*;
    import java.io.*;
    import java.net.*;
    import javax.imageio.*;
    public class Example {
        public static void main(String[] args) throws IOException {
            String url = "http://today.java.net/jag/bio/JagHeadshot-small.jpg";
            BufferedImage original = ImageIO.read(new URL(url));
            displayDimensions("original buffered image", original);
            ByteArrayOutputStream out = new ByteArrayOutputStream();
            ImageIO.write(original, "jpeg", out);
            byte[] bytes = out.toByteArray();
            Image image = Toolkit.getDefaultToolkit().createImage(bytes);
            displayDimensions("created image", image);
            loadImage(image, new Label()); //any component will do
            displayDimensions("loaded image", image);
            System.exit(0);
        //handy dandy utility method
        public static void loadImage(Image image, Component comp) throws IOException {
            MediaTracker mt = new MediaTracker(comp);
            mt.addImage(image, 0);
            try {
                mt.waitForID(0);
            } catch (InterruptedException e) {
                throw new RuntimeException("Unexpected", e);
            if (mt.isErrorID(0))
                throw new IOException("Error during image loading");
        static void displayDimensions(String msg, Image image) {
            System.out.println(msg + ", w=" + image.getWidth(null) + ", h=" + image.getHeight(null));
    }Output:
    original buffered image, w=235, h=240
    created image, w=-1, h=-1
    loaded image, w=235, h=240

  • Image width/height  without loading file into JVM?

    How do we find the width/height of an image, without loading the image into the JVM? Also it would be nice to to obtain the height/width without creating any new objects(from which i would obtain the height and width).
    Thanks
    Tapan
    Edited by: tapanmokha on Jan 27, 2009 8:03 AM

    ImageInputStream imageStream =
            ImageIO.createImageInputStream(location);
    java.util.Iterator<ImageReader> readers =
            ImageIO.getImageReaders(imageStream);
    ImageReader reader = null;
    if(readers.hasNext()) {
        reader = readers.next();
    }else {
        imageStream.close();
        //can't read image format... what do you want to do about it,
        //throw an exception, return ?
    reader.setInput(imageStream,true,true);
    int imageWidth = reader.getWidth(0);
    int imageHeight = reader.getHeight(0);
    reader.dispose();
    imageStream.close();

  • APIs for Adobe Reader to get the x, y co-ords,width,height of all elements (text/image) in a PDF doc

    Hi all,
    I have written a Acrobat plugin using  PDFEdit APIs to extract x, y co-ordinates, width and height of all  elements(objects) in a PDF document.
    Now, I wanted to make the same working on Adobe Reader.I have added the READER_PLUGIN macro enabled in Project settings.
    When I re-compiled the code, I got a bunch of errors saying all PDFEdit APIs are not available under Adobe Reader.
    My  objective is to parse through the entire PDF document and get x, y  co-ordinates, width, height of all PDF objects (especially Image and  Text objects).
    Can anybody help me how to achieve this ?
    Thanks
    Prasanth

    I know that we cannot obtain the PDEContent of a PDF page from Adobe Reader, as PDEContent is modifiable content and as such it cannot be accessible from Adobe Reader.
    Also, as PDFEdit API's does not work for Adobe Reader, we are trying to figure out a way to achieve this for Adobe reader.
    I am curious to know if the COS APIs can help us in this task.
    I tried to read the stream content using PDPageStmGetToken API. I get the data of this format:
    344.88 0 0 91.44 71.882 41.92cm
    Here, as per PDF reference, I am getting only distance from X Axis and distance from Y Axis. But not width and height.
    Can you knidly let us how to get the image attributes (primarly read only attributes like x and y co-ordinates, width and heoght) with Cos APIs.
    Thanks
    Prasanth

  • BUG or Feature?   Width & Height in Top Bar only in %, not in Pixel no Chance to change this

    Hello
    --- First: Please, im very sorry for my bad spelling - english is not my native language! Hope u can understand, what i mean. If it sounds bad or yelling someone - its not my intention! ---
    My Question:
    If i do Strg+T with a layer (ie. image or shape) in previous version you have the width & height in top bar and can easily read it or change when typing a new value in. With right mouse (Win) you can change % in px or em etc.
    In my Photoshop CC 14.2 i have only % and cant change this.
    If i try to read the dimension i can only see it on the info-panel.
    Its confusing. Is it a Bug or Feature?
    MJ

    anyone?
    .... alone ....

  • [CS2]How to get the Image Width & Height using JS (ILLUSTRATOR CS2)

    Hi,
    How to get the Image width & height of an Image using javascript .Im using Illustrator CS2.
    Any sample code
    Regards
    MyRiaz

    you can reference the dimensions of a loading image (or swf)
    by referencing the target movieclip's dimensions AFTER loading is
    complete. ie, use preloader code or the onLoadInit() method of a
    moviecliploader listener.

  • Need to find "real" width/height of loaded SWF

    So, I'm creating a player that will eventually be able to
    play back both FLV and SWF files. While testing the SWF
    functionality, I noticed some funkiness with resizing the SWF once
    loaded into a movieClip.
    Yes, I already do know that loading (via MovieClipLoader)
    needs to have finished before I can get the actual width and height
    of the SWF in question... that's not the issue.
    The issue is that I will not know ahead of time what the SWF
    dimensions are. Which should be ok, as long as I can get accurate
    dimensions after the SWF has loaded. However, I do not have control
    over the source SWFs - they could come from anywhere (many content
    providers), and in the event that the remote SWF uses masking, the
    width and height may not quite be accurate.
    Here is an example - as a test, I have my player load
    http://www.magicarchive.com/jawsbunnies.swf
    into a movieclip via MovieClipLoader. Peachy-keen, it works. I then
    want to resize the movieclip to be 400px wide by 300 tall. Doing
    this by setting _width and _height (or _xscale and _yscale) makes
    the visible area of the movie too small because of masking or
    whatever (before scaling, tracing _width and _height on the source
    movie shows width = 856.4 and height = 637.45... after resizing the
    swf in a movieclip to 400wide x 300 tall, the actual visible movie
    seems to be more like 334wide x 254tall). I can't even center the
    smaller-than-I-want-it-to-be clip because I can't determine its
    real width.
    So, how might I find the "real" width/height of the visible
    area? Is it a case of requiring some accompanying metadata from my
    SWF providers? I've also tried using hitTest, and while the hitTest
    area is slightly smaller than the width and height, it is still
    slightly larger than the real visible dimensions, so testing the
    hittable area to determine the visible area won't work, either. I'd
    like to try determining SWF dimensions without having to bother
    providers, though.
    When I put this same SWF into an HTML page with Dreamweaver,
    it automatically sizes to 720x540, which seems to be the "real"
    visible dimensions. How do I get to those dimensions once the SWF
    is loaded into a movieClip, though?
    Thanks for any help.

    Doh. I read in another post that "there is no way to
    determine what size at which an SWF was exported".
    So, there is no way I can determine the real visible
    dimensions of an SWF I have no control over?
    It seems like there SHOULD be a way to do this - since for
    example, if I embed an SWF into an HTML page (via Dreamweaver),
    Dreamweaver automatically determines the correct "Stage" size. This
    is what I need to do, only within AS...

  • Finding the Brightest Pixel in an Image

    How do i select the brightest pixel in an image?

    Set a threshold adjustment layer over your image. Drag the slider to the right until you see the last remaining white specks. These are where your brightest pixels are.

  • Draw line or a dot for a specific pixels on the image

    Hi all,
    I have an 8bit grayscale image, i have extracted the column indeces of Image which has defects. I need to mark the defective pixels with a line or dot indication on the image. Can anybody suggest me how to go about it.
    Regards,
    KM
    Solved!
    Go to Solution.

    Hi falkpl,
    Thanks for your  time, the overlay is working fine, i passed a 1D array of constant pixels (i.e 250)(Y Coordinates)
    Here is my actual requirement:
    I am having a Grayscale 8-bit image (3969 X 600)(To find the pixel values widthwise which has defects, X-Coordinates).
    I perform sum of column pixels to get a 1d array.
    I get the average (average= sum/size of 1d array)
    I find the pixel values above average.
    Finally i extraxt the Non-zero indeces for the pixel values. 
    I am facing an issue to find the Cooresponding Y-Coordinates(Pixels for height) for the X-coordinates(Pixels for Width). So i can feed the both x & y coordinates to overlay function to mark the exact pixel with defect on the image.
    I would be glad if you suggest me how to find the height pixels for the corresponding width pixels.
    Regards,
    KM
    Attachments:
    Capture.PNG ‏19 KB

  • Pshop CS3 Save for Web Increases Width/Height

    Hi, I've been using Photoshop for 15 years and used the Save for Web at CS2 without problem. In CS3, it is downsampling the res from 300 ppi to 72 correctly but at the same time increasing the width and height, as though I'd gone into Image Size to do the resize and had the Resample Image field unchecked. This worked fine in CS2, so what gives? I can't find any setting that needs to be changed in the Save for Web interface.

    Buko, I respectfully submit that your comment makes no sense. In CS2, using Save for Web automatically cut down the ppi to 72, and it removed web-unnecessary things like previews and paths so that the file could become smaller. It did NOT change the width or height of the image.
    The CS3 version is cuts down the res to 72ppi. This is fine. The problem we're experiencing (on more than one machine) is that it's growing the width and height as though it's not downsampling when it changes the res. IF that's what you mean by "strictly pixel based," then OK, but it's problematic.
    This is exactly the opposite result that you get if you take a digital camera photo that has a large dimension but low res, and increase the res to 300 while not allowing it to resample: you get a high-res image with smaller width/height image, as all pixels get smaller but maintain their exact colors.
    If the CS3 version of Save for Web changes the diensions of the image, which is frequently created based on the final dimensions needed in the web page, then it's freakin' useless, and I might as well create an Action using Image/Image Size to reduce the res but maintain dimensions.

  • How do you tell the color value of a pixel in an image data

    Hi,
    Given a BufferedImage of type, say BufferedImage.TYPE_4BYTE_ABGR, how do you tell the color value of a pixel in the image?
    Specifically, in the following code:
    Raster imgData = image.getData();
    int x = imgData.getMinX();
    int y = imgData.getMinY();
    int width = imgData.getWidth();
    int height = imgData.getHeight();
    I want to search the raster looking for a specific color, e.g., Color.WHITE.
    According to the API, "getSample()" may be used for this purpose. But, how do you know which color band a band index parameter in getSample() refers to? Does band index of 0 always refer to the RED band? Does band index of 1 refer to the GREEN band? etc.
    I'd greatly appreciate any help you may be able to provide.
    Thanks,
    --HS                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

    In the print dialog underneath the settings for number of copies and print range you should see a dropdown menu probably called Layout. If you don't see that look for a button labeled Details and click it.
    Under the Layout menu you should find an option labeled Printer where you will find Printer specific options. Look for something there. You might also find an option called Color which may have options you are looking for.
    If this doesn't help, go to the printer manufacturer's website and look for answers there.

  • Suddenly scrollbar at 100%width&height sites

    Very, very strange: Suddenly I get a scrollbar at 100%width&height compositions. That started a few days ago. Somebody else recognized? It is in all the browsers (at least on mac).
    And it is getting stranger: When you preview the site from edge in browser it is there. When you directly open the html file in the browser it is not there. When I upload the html file it appears again. ???
    Was there a secret update on edge? Or all the browsers at once? This is so enological and I spent hours to find the reason for this.
    And the scrollbar suddenly is in all of m edge projects when I open them in edge and then save it. I also tried to open a blank document, just set the width&height to 100% and there it is - vertical scrollbar appears.
    Please help. This is super disturbing. Maybe somebody form the edge team has an answer to this?
    Or for now maybe someone can tell me a code fro turn of the scrollbar manually with a code in edge.
    Thanks a lot!

    Hello.
    Tanks for your answer. This is my site: www.dnzstudio.com
    If you scroll down you ll see the scrollbar and some white at the bottom. At least on mac. This was Never there before. Also when I open other projects again in edge and make preview in browser it is like that coming out of nowhere.
    And the strangest thing is when I open up a complete new document, set w&h to 100percent it is doing the same. It would be great if you could try that.
    I also tried it on my laptop where I also have cc tuning.same thing.
    Really interested in your answer if you experience the same thing also when you look on my site on the browser.
    Thank you, regards, Deniz
    Von meinem iPhone gesendet
    Am 16.05.2014 um 11:34 schrieb hemanth kumar r <[email protected]>:
    suddenly scrollbar at 100%width&height sites
    created by hemanth kumar r in Edge Animate CC - View the full discussion
    Its strange ,can you mail me your files so that i can try to find the reason for this problem.
    There was not update from at-least edge recently
    If your scroll bras are appearing in the body of the page you can hide them by adding the following snippet in composition ready event listener
    $("body").css({"overflow":"hidden"});
    By do mind this might prevent user from seeing content that user will have to scroll.
    Please note that the Adobe Forums do not accept email attachments. If you want to embed a screen image in your message please visit the thread in the forum to embed the image at https://forums.adobe.com/message/6384005#6384005
    Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page:
    To unsubscribe from this thread, please visit the message page at . In the Actions box on the right, click the Stop Email Notifications link.
    Start a new discussion in Edge Animate CC by email or at Adobe Community
    For more information about maintaining your forum email notifications please go to http://forums.adobe.com/thread/416458?tstart=0.

  • How can I get to read the pixels in an image?

    Please see details of my code below. What I am doing is trying to obtain the pixels for an image. there is an initial image of a certain size, which is then split into smaller portions.
    The problem I'm getting is that pixels can not be read past the middle of the original image. I hope I have explained this so it can be understood. I have included the class that I am working on
    * To change this template, choose Tools | Templates
    * and open the template in the editor.
    package MandelbrotConstruction.compression;
    import java.awt.*;
    import java.awt.color.ColorSpace;
    import java.awt.geom.AffineTransform;
    import java.awt.image.*;
    import java.io.*;
    import java.util.ArrayList;
    import javax.imageio.ImageIO;
    import javax.swing.JPanel;
    * @author Charlene Hunter
    public class DisplayImg extends JPanel {
        private static BufferedImage image;
        private static ArrayList<Range> rangeLot;
        private static ArrayList<Domain> domainLot;
        @Override
        public void paintComponent(Graphics g) {
            super.paintComponent(g);
            int w = MainFrame.getJPanel1().getWidth();
            int h = MainFrame.getJPanel1().getHeight();
            Graphics2D g2 = (Graphics2D) g;
            File img = MainFrame.getImgFile();
            image = null;
            if (img != null) {
                try {
                    image = ImageIO.read(img);
                    //filter the image with a grayscale
                    ColorConvertOp grayOp = new ColorConvertOp(ColorSpace.getInstance(ColorSpace.CS_GRAY), null);
                    image = grayOp.filter(image, null);
                    //scale image to the size of the panel
                    AffineTransform at = new AffineTransform();
                    at.scale(256.0 / image.getWidth(), 256.0 / image.getHeight());
                    AffineTransformOp resizeOp = new AffineTransformOp(at, null);
                    image = resizeOp.filter(image, null);
                    ArrayList<Range> r = createRanges(image, 3);
                    ArrayList<Domain> d = createDomains(image);
                    int i = 0;
                    for (Domain dom : d) {
                        System.err.println("this is " + i);
                        System.out.println(dom.getPixels());
                        i++;
                    CompareClass comparer = new CompareClass(r, d);
                } catch (IOException e) {
                    System.err.println("IOException");
            g2.drawImage(image, null, 0, 0);
        public static ArrayList<Range> createRanges(BufferedImage bi, int divisions) {
            int w = bi.getWidth();
            int h = bi.getHeight();
            rangeLot = new ArrayList<Range>();
            int k = (int) Math.pow(2, divisions);
            for (int x = 0; x < w; x = x + (w / k)) {
                for (int y = 0; y < h; y = y + (h / k)) {
                    BufferedImage range = bi.getSubimage(x, y, w / k, h / k);
                    double[] pix = range.getRaster().getPixels(x, y, range.getWidth(), range.getHeight(), (double[]) null);
                    Range r = new Range(x, y, range, pix);
                    rangeLot.add(r);
            return rangeLot;
        public static ArrayList<Domain> createDomains(BufferedImage bi) {
            int w = bi.getWidth();
            int h = bi.getHeight();
            domainLot = new ArrayList<Domain>();
            int step = 4;
            for (int x = 0; x < w - step; x = x + step) {
                for (int y = 0; y < h - step; y = y + step) {
                    BufferedImage domain = bi.getSubimage(x, y, 2 * step, 2 * step);
                    double[] pix = domain.getRaster().getPixels(x, y, domain.getWidth(), domain.getHeight(), (double[]) null);
                    Domain d = new Domain(x, y, domain, pix);
                    domainLot.add(d);
            return domainLot;
    }If what I have included is not sufficient, please let me know. the problem is only arising when the pixels are being obtained for the subimage
    Thanks

    Hi, the error message I am getting is (i'm printing out the x,y values and width and height so that I can see what going on) the whole image is 512x512, and I am grabbing pixels for squares of 64x64, but when it gets to 256 it throws an exception. I don'd understand why
    (x: 0, y: 0)
    width: 64, height: 64
    done!
    (x: 0, y: 64)
    width: 64, height: 64
    done!
    (x: 0, y: 128)
    width: 64, height: 64
    done!
    (x: 0, y: 192)
    width: 64, height: 64
    done!
    (x: 0, y: 256)
    width: 64, height: 64
    Exception in thread "AWT-EventQueue-0" java.lang.ArrayIndexOutOfBoundsException: Coordinate out of bounds!
            at java.awt.image.ComponentSampleModel.getSampleDouble(ComponentSampleModel.java:807)
            at java.awt.image.SampleModel.getPixels(SampleModel.java:823)
            at java.awt.image.Raster.getPixels(Raster.java:1613)
            at MandelbrotConstruction.compression.DisplayImg.createRanges(DisplayImg.java:83)
            at MandelbrotConstruction.compression.DisplayImg.paintComponent(DisplayImg.java:51)
            at javax.swing.JComponent.paint(JComponent.java:1006)
            at javax.swing.JComponent.paintChildren(JComponent.java:843)
            at javax.swing.JComponent.paint(JComponent.java:1015)
            at javax.swing.JComponent.paintChildren(JComponent.java:843)
            at javax.swing.JComponent.paint(JComponent.java:1015)
            at javax.swing.JLayeredPane.paint(JLayeredPane.java:559)
            at javax.swing.JComponent.paintChildren(JComponent.java:843)
            at javax.swing.JComponent.paintWithOffscreenBuffer(JComponent.java:4979)
            at javax.swing.JComponent.paintDoubleBuffered(JComponent.java:4925)
            at javax.swing.JComponent.paint(JComponent.java:996)
            at java.awt.GraphicsCallback$PaintCallback.run(GraphicsCallback.java:21)
            at sun.awt.SunGraphicsCallback.runOneComponent(SunGraphicsCallback.java:60)
            at sun.awt.SunGraphicsCallback.runComponents(SunGraphicsCallback.java:97)
            at java.awt.Container.paint(Container.java:1709)
            at sun.awt.RepaintArea.paintComponent(RepaintArea.java:248)
            at sun.awt.RepaintArea.paint(RepaintArea.java:224)
            at sun.awt.windows.WComponentPeer.handleEvent(WComponentPeer.java:254)
            at java.awt.Component.dispatchEventImpl(Component.java:4060)
            at java.awt.Container.dispatchEventImpl(Container.java:2024)
            at java.awt.Window.dispatchEventImpl(Window.java:1791)
            at java.awt.Component.dispatchEvent(Component.java:3819)
            at java.awt.EventQueue.dispatchEvent(EventQueue.java:463)
            at java.awt.EventDispatchThread.pumpOneEventForHierarchy(EventDispatchThread.java:242)
            at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:163)
            at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:157)
            at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:149)
            at java.awt.EventDispatchThread.run(EventDispatchThread.java:110)

Maybe you are looking for

  • Loadmovie not working

    Hello, I'm new to flash and am having alot of trouble getting the load movie action to work. Everything I've been reading suggests that what I'm doing should work. The main .swf and the slidingnav.swf that I want loaded on top are in the same folder

  • Changing date/time on HP OLfficeJet 4635

    How do I change the date/time on a HP DeskJet 4635? Sincerely, Slim2

  • Getting both intensity AND postion information on particles with IMAQ

    Greetings- I am trying to use IMAQ to analyze images which contain "particles".  I have no problem making a binary mask that contains only the particles of interest and using "IMAQ Particle Analysis" to give me an array containing the (X,Y) locations

  • Wrong title in Metadata

    When I initially began writing my book, the working title was the same as my print version.  Later, I changed the title slightly because the iBooks version is distinctly different.  I changed the Title in the Document section and in the book menu.  A

  • Highlighting in IBooks new version

    When I select the text in IBooks sometimes the only option I get is Speak, I don't get highlight anymore. Do you know what caused this? Or how to fix it? Thanks