Calibrating Monitor

I'm trying to calibrate my MacBook Pro 15", OS X 10.5.8, monitor with Spyder 3 Express.  It's asking me to rest my monitor controls to factory default settings.  How do I do this?   Thanks!
Chris

I would try System Preferences > Display > Color Tab and then choose the default profile as shown below:

Similar Messages

  • Color settings after calibrating monitor with Spyder 4Pro

    Hello,  Now that I got my new laptop and finally got a perfect calibration with the Spyder 4Pro , I have a question.  Do I leave the color space on Photoshop and Lightroom as they are (Abobe 1998) or use the new profile?  I also do a lot of my own prints with a great Epson, do I leave that on the setting as is ( let photoshop manage etc) or use the new profile?
    Thanks in advance....

    The profile saved by your calibration software is your Monitor Profile and absolutely nothing else..
    It has absolutely nothing to do with your working color space or your printer (target) profile.
    Monitor profiles are absolutely device-dependent, that means it only applies to your particular monitor unit and nothing else, not even an identical monitor of the same brand and model.
    Your working space should be a a device-independet color space, such as ProPhoto RGB, Adobe RGB, sRGB, etc.
    Your printer profile, also called target profile, is a totally device-dependent profile for your specific combination of paper/ink/printer.
    You need to do an awful lot of reading on Color Management, a subject some of us have spent a very long time studying before we grasp it.  A good place to start would be here:
    COLOR MANAGEMENT PHOTOSHOP CC CS6 Basic ColorManagement Theory ICC Profiles Color Spaces Calibrated Monitor Professional…

  • Fully Color Managed Application (using calibrated monitor profiles)

    Hi,
    I'm new to JAVA 2D so I may be missing something obvious - apologies if I am, but I've been trawling the API and web to try and solve this for many hours - so any help would be much appreciated!
    I'm trying to write an application to open a JPEG with an embedded colour profile (in this case AdobeRGB) and display it with correct colour on my monitor, for which I have an accurate custom hardware calibrated profile. In my efforts to do this several problems / queries have arisen.
    So, JAVA aside, the concept is simple:
    a) Open the image
    b) Transform the pixels from AdobeRGB->Monitor Profile (via a PCS such as CIEXYZ).
    c) Blit it out to the window.
    (a) is fine. I've used the following code snip, and can query the resulting BufferedImage and see it has correctly extracted the AdobeRGB profile. I can even display it (non-color corrected) using the Graphics2D.drawImage() function in my components paint() method.
    BufferedImage img = ImageIO.read(new File("my-adobe-rgb.jpg"));(b) Also seems OK (well at least no exceptions)...
    ICC_Profile monitorProfile = ICC_Profile.getInstance("Monitor_Calibrated.icm");
        ColorConvertOp convert = new ColorConvertOp(new ICC_ColorSpace(monitorProfile ),null);
        BufferedImage imgColorAdjusted = convert.filter(img,null);[I was feeling hopeful at this point!]
    QUESTION 1: Does this conversion go through the CIEXYZ (I hope) rather than sRGB, there seems to be no way to specify and the docs are not clear on this?
    (c) Here is the major problem...
    When I pass imgColorAdjusted to the Graphic2D.drawImage() in my components paint() method the JVM just hangs and consumes 100% CPU.
    QUESTION 2: Any ideas why it hangs?
    Pausing in the debugger I found the API was busy transforming by image to sRGB this leads to my third question...
    QUESTION 3: If I pass an image with a color model to drawImage() does drawImage do any color conversion, e.g will it transform my adobe image to sRGB (not what I want in this case!)?
    And if answer to Q3 is yes, which I suspect it is, then the next question is how to make the J2D understand that I have a calibrated monitor, and to tell it the profile, so that the Graphics2D it provides in paint() has the correct color model. Looking in the API I thought this was provided to J2D through the GraphicsEnviroment->GraphicsDevice->GraphicsConfiguration.getColorModel(). I tried looking at what these configurations were (code below). Result - 10 configurations, all with the JAVA 2D sRGB default, despite my monitor colour management (through the windows display properties dialog) being set to the calibrated profile.
    QUESTION 4: Am I just off track here - does Java 2D support monitor profiles other than sRGB? Is what I am trying possible?
    GraphicsConfiguration[] cfg = GraphicsEnvironment.getLocalGraphicsEnvironment().getDefaultScreenDevice().getConfigurations();
        System.out.println(cfg.length);
        byte[] d;
        for (int j=0; j<cfg.length; j++) {
          System.out.println("CFG:"+j+cfg[j]);
          d = ((ICC_ColorSpace)cfg[j].getColorModel().getColorSpace()).getProfile().getData();
          for (int i=0; i<d.length && i<256; i++){
            if (d[i] != 10 && d[i] != 13){
              System.out.print((char)d);
    System.out.println();
    Any help much appreciated.
    Thanks.

    I have had some sucess with this, but it wasn't easy or obvious. The trick is converting the color to the monitor profile and then changing the color model to be sRGB without changing the pixel data. JAI's Format operation does this easily although I'm sure there are other ways to do it. The RGB data is then displayed without being converted to sRGB so that the monitor calibration is maintained. I will answer your questions since I had similar ones.
    Q1. Yes the conversion is done using XYZ as it should be.
    Q2. I believe paint is just very slow, not hanging. Any color model other than XYZ or sRGB requires conversion before it can be displayed (as sRGB). This is both slow and incorrect for a calibrated monitor.
    Q3. Yes that is what I have found, a conversion to sRGB will always happen, unless it appears to be already done as when the color model is sRGB (even though the pixel data is not!).
    Q4. It is possible but apparently only with this somewhat strange work around. If there is a way to change the Java display profile to be other than sRGB, I could not find it either. However, calibrated RGB display can be achieved.
    Since I have seen many other posts asking for an example of color management, here is some code. This JAI conversion works for many pairs of source and destination profiles including CMYK to RGB. It does require using ICC profiles in external files rather than embedded in the image.
    package calibratedrgb;
    import com.sun.media.jai.widget.DisplayJAI;
    import java.awt.*;
    import java.awt.color.*;
    import java.awt.image.*;
    import java.io.IOException;
    import javax.media.jai.*;
    import javax.swing.*;
    * @author keitht
    public class Main {
        public static void main(String[] args) throws IOException {
            String filename = args[0];
            PlanarImage pi = JAI.create("fileload", filename);
            // create a source color model from the image ICC profile
            ICC_Profile sourceProfile = ICC_Profile.getInstance("AdobeRGB1998.icc");
            ICC_ColorSpace sourceCS = new ICC_ColorSpace(sourceProfile);
            ColorModel sourceCM = RasterFactory.createComponentColorModel(
                    pi.getSampleModel().getDataType(), sourceCS, false, false,Transparency.OPAQUE);
            ImageLayout sourceIL = new ImageLayout();
            sourceIL.setColorModel(sourceCM);
            // tag the image with the source profile using format
            RenderingHints sourceHints = new RenderingHints(JAI.KEY_IMAGE_LAYOUT, sourceIL);
            ParameterBlockJAI ipb = new ParameterBlockJAI("format");
            ipb.addSource(pi);
            ipb.setParameter("datatype", pi.getSampleModel().getDataType());
            pi = JAI.create("format", ipb, sourceHints);
            // create a destination color model from the monitor ICC profile
            ICC_Profile destinationProfile = ICC_Profile.getInstance("Monitor Profile.icm");
            ICC_ColorSpace destinationCS = new ICC_ColorSpace(destinationProfile);
            ColorModel destinationCM = RasterFactory.createComponentColorModel(
                    pi.getSampleModel().getDataType(), destinationCS, false, false, Transparency.OPAQUE);
            ImageLayout destinationIL = new ImageLayout();
            destinationIL.setColorModel(destinationCM);
            // convert from source to destination profile
            RenderingHints destinationHints = new RenderingHints(JAI.KEY_IMAGE_LAYOUT, destinationIL);
            ParameterBlockJAI cpb = new ParameterBlockJAI("colorconvert");
            cpb.addSource(pi);
            cpb.setParameter("colormodel", destinationCM);
            pi = JAI.create("colorconvert", cpb, destinationHints);
            // image is now the calibrated monitor RGB data ready to display, but
            // an unwanted conversion to sRGB will occur without the following...
            // first, create an sRGB color model
            ColorSpace sRGB = ColorSpace.getInstance(ColorSpace.CS_sRGB);
            ColorModel sRGBcm = RasterFactory.createComponentColorModel(
                    pi.getSampleModel().getDataType(), sRGB, false, false, Transparency.OPAQUE);
            ImageLayout sRGBil = new ImageLayout();
            sRGBil.setColorModel(sRGBcm);
            // then avoid the incorrect conversion to sRGB on the way to the display
            // by using format to tag the image as sRGB without changing the data
            RenderingHints sRGBhints = new RenderingHints(JAI.KEY_IMAGE_LAYOUT, sRGBil);
            ParameterBlockJAI sRGBpb = new ParameterBlockJAI("format");
            sRGBpb.addSource(pi);
            sRGBpb.setParameter("datatype", pi.getSampleModel().getDataType());
            pi = JAI.create("format", sRGBpb, sRGBhints); // replace color model with sRGB
            // RGB numbers are unaffected and can now be sent without conversion to the display
            // disguised as sRGB data. The platform monitor calibration profile is bypassed
            // by the JRE because sRGB is the default graphics configuration color model profile
            JFrame frame = new JFrame();
            Container contentPane = frame.getContentPane();
            contentPane.setLayout(new BorderLayout());
            DisplayJAI d = new DisplayJAI(pi); // Graphics2D could be used here
            contentPane.add(new JScrollPane(d),BorderLayout.CENTER);
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(600,600);
            frame.setVisible(true);
    }

  • Images processed in lightroom on calibrated monitor then viewed on non calibrated monitors

    I process my images to look good on on my calibrated monitor, then export them to my website for viewing. When I show people my images on their monitors which generally are not calibrated, the images of coarse look washed out and way too light. How do you guys compensate for a situation like that? Of coarse you want your images to look the way you want them too on everyones computer that looks at them. Is it best to darken and over saturate in lightroom to compensate for the difference?
    Curt

    The histogram represents the numerical values of lightness and color that are stored in the file or in the XMP-data or in the LR Catalog.
    Different (uncalibrated) monitors interpret these numerical values differently, so an image from one and the same file would look different on these monitors.
    But the (uncalibrated) monitors do not shift the black or white point; they just display the tonal values different. So for instance an image file with correct black and white point would have blown-out highlights on a monitor that is too bright. Or the darks could block-up on a monitor that is too dark.
    But the monitor doesn't change your image file and doesn't change the histogram.
    The purpose of calibrating the monitor is to give you a standard when you edit your images. If your monitor is not calibrated and  - for instance - has a white point of 5000 K instead of the standard of 6500 K,  then your images would appear too red (too warm in photographic terms) on  your monitor. If you then corrected your image (its numerical values) so that it appears "normal" on your screen, it would have a blue cast (too cold) on a calibrated monitor.
    So basically we calibrate our monitors to create a standard (a) between different devices (monitors, printers, etc) and (b) between your own images edited at different points in time. Without calibration your monitor would not only display "wrong" colors but display the same numerical color value differently at different time (monitors "drift" and thus have to be re-calibrated at regular intervals).
    But naturally, the color management does not work for uncalibrated monitors. So, even if you have a color-managed workflow, you  never know how your images that are posted on the web will look on other people's monitor. And there is no help for that as long as uncalibrated monitors exist.
    WW

  • Calibrating monitor, prints, and CAMERA

    I have a canon 5d. I custom white balance for correct color in camera. When I see the photo on the back of the camera dislplay the color looks spot on but when I upload to the computer the colors are almost purple. I use and eye one display calibrator for my monitor.
    How can I correct this?

    Aimee,
    The problem is that your LCD screen on the camera is not color or tonally calibrated and what you see on it is not what you get. That's pretty normal for back of the camera LCDs and there's not anything you can do about it.
    Are you shooting RAW or in camera jpegs? If you're shooting in camera jpegs, what color matrix have you chosen? You can basically set them to sRGB or Adobe RGB and, if that's what your'e shooting, they should be pretty close when you open them in Ps. If you're shooting RAW, which I really encourage you to do, the white balance you set in camera is only a guide used as a starting point for the raw image processing application - Canon's DPP, Adobe ACR or Lightroom or PhaseOne's CaptureOne. The white balance, along with the RGB working space can be overridden in the raw software to whatever works best for you.
    Obviously a hardware calibrated monitor is a must when evaluating digital files. I assume you've done that, right?
    Peter

  • Problem with blue color in Photoshop CS4 after calibrating monitor

    Hi to all! I would appreciate if someone can help me!
    Before some days I calibrated my monitor with Pantone Huey Pro and after that I find out that photoshop doesn't show blue color corectly. I create a blue (0,0,255) page and it looks a bit like violet, while I don't have any problems with red and green (which are perfect), or with other programs (other programs display blue and all colors correctly). But when I save this blue page and open it with a different program I see the real blue color. So the problem is that during editing in Photoshop blue color isn't correct, it's a bit violet.
    Can anyone tell me why blue color doesn't behave properly in Photoshop? Is there any setting I should change in Photoshop Color Settings?
    I use sRGB on my camera, and sRGB in Photoshop (North America General Purpose 2, sRGB IEC61966-2.1, U.S. Web coated (SWOP) v2, Dot Gain 20%,  Dot Gain 20).
    Thanks for your time!
    George

    Thanks for your quick responce!
    I update Huey and Photoshop and did the calibration again but it didn't fix the problem. Is it possible that the calibrator doesn't work properly?
    My monitor isn't very new, so I don't think it has wide gamut display.
    When you say that "if your display is not truely sRGB" you mean that maybe the profile created Huey isn't correct? I have done many times the calibration and the result is always the same.
    I think that Paintshop uses color management, too, shouldn't it display the same wrong blue color if Huey's profile is wrong?
    How can I check if Huey works properly? Maybe I should try it on a different PC?
    Thanks for your time!!!
    Best regards,
    George

  • Soft Tints Not Showing on Spyder Calibrated monitor

    We have a 23" mac monitor connected to this computer via either a ATI Radeon HD2600XT or Nvidia GeForce 8800 GT. We have calibrated this monitor with no luck getting it to show soft tints or tones properly. However - here is the bizarre thing - unplug the DVI connector and reconnect it seconds later and lo and behold the soft tints show up fine. Restart the system and you are back with the problem.
    Anybody know of a fix that would be appreciated. We have other macs and two other 23" monitors that do not have the same problem.

    Another post mention universal access viewing as the problem and indeed it was!

  • Recommended color calibrator/monitor calibration tool?

    Hi all,
    It is a few years since I have purchased a color calibrator for my monitor and need to purchase a new one now at the new company I am at. It will be for my 30" Apple Cinema Display. As usual, I always come straight to these forums for your advice FIRST before making my selection.
    In the past I have used both GretagMacbeth's Eye-One Display and the Pantone Huey. I have not tried the Colorvision Spyder.
    Of course, these have each changed and been improved since I last worked with them, so can you make some recommendations as to which you feel may work best for you, and can thus recommend to me?
    Thanks a lot in advance for your help!
    Best regards,
    Christine

    ColorMunki has been getting lots of press.
    This guy has a pretty good movie/review:
    http://www.photo-i.co.uk/Colour%20Management/munki/munki.html
    Profiles your printer as well as the monitor... Google it, lots of reviews.

  • Help - color management issue, sunburns! (with a calibrated monitor)!

    I love Lightroom and its workflow, its unlike anything of its kind. However, lately (since I first started using it) I've seen a problem related to color management on my computer (I believe) and hope someone out there can shed some light.
    After importing JPG pictures into Lightroom and making modifications to them, I am getting *completely* different results once I export them (as sRGB, as I'll be sharing them via web). All of the pictures are coming much more saturated (for a lack of a better description).
    Here is what I am getting (see brief descriptions below each pic): http://www.bachmannphoto.com/test/couple.html
    I'd be very curious as to how they are showing up on your (calibrated/uncalibrated) screen(s), but the 1st and 3rd pics are showing up as 'realistic' on my PC, while the middle (exported from Lightroom) is showing up as too much saturation and even reddish push, as though the couple got hit with sunburns.
    Another example of this result here: http://www.bachmannphoto.com/test/dog_chair.html. Though in this case, the picture in the middle actually looks better, it doesn't change the fact that I am getting very different output than what I see in Lightroom (or in photoshop without the embedded profile).
    I am thinking this is a problem with color management settings on my PC. First guess would have been "monitor calibration"... but as mentioned in the title, I calibrated my monitors (I have two Dell 1905FPs... not great for accurate color representation, but they do the job) repeatedly, using Spyder2 Pro.
    What pushes me to think this is the following (represented here http://www.bachmannphoto.com/test/couple_original.html ):
    Before making any modifications to the imported sRGB picture - in other words, importing the picture straight from the camera memory card into Lightroom and then exporting it back (again, without making any modifications to it) - the pictures, both the original and the exported which still look the same and are kept sRGB, look completely different in Lightroom then if I was viewing them in a non-color managed software on my PC, such as the default windows picture viewer.
    If my LCD panels are properly calibrated, should I not be more or less seeing the same image colors, whether I'm viewing them through windows, or through Lightroom (or Photoshop along with the embedded sRGB profile)? What gives??
    Jesse
    PS. I *more* than appreciate anyone taking time to respond to this post. I've been up for nights now trying to understand/fix this.
    If it's any help, I have the different version (but original and exported) files here:
    original file:
    http://www.bachmannphoto.com/test/couple_original.JPG
    Original file, imported into Lightroom and then exported back out w/o any modifications (sRGB): http://www.bachmannphoto.com/test/couple_lightroom-nomidification_exported_srgb.jpg
    Original file, imported into Lightroom, MODIFIED and then exported back out (sRGB):
    http://www.bachmannphoto.com/test/couple_lightroom-modified_exported_srgb.jpg

    Exiftool reports the original contains the following EXIF tags:
    Interoperability Index : R98 - DCF basic file (sRGB)
    Interoperability Version : 0100
    The nomidification_exported version does not have those lines, but contains the actual sRGB profile:
    Profile CMM Type : Lino
    Profile Version : 2.1.0
    Profile Class : Display Device Profile
    Color Space Data : RGB
    Profile Connection Space : XYZ
    Profile Date Time : 1998:02:09 06:49:00
    Profile File Signature : acsp
    Primary Platform : Microsoft Corporation
    CMM Flags : Not Embedded, Independent
    Device Manufacturer : IEC
    Device Model : sRGB
    Device Attributes : Reflective, Glossy, Positive, Color
    Rendering Intent : Perceptual
    Connection Space Illuminant : 0.9642 1 0.82491
    Profile Creator : HP
    Profile ID : 0
    Profile Copyright : Copyright (c) 1998 Hewlett-Packard Company
    Profile Description : sRGB IEC61966-2.1
    Media White Point : 0.95045 1 1.08905
    Media Black Point : 0 0 0
    Red Matrix Column : 0.43607 0.22249 0.01392
    Green Matrix Column : 0.38515 0.71687 0.09708
    Blue Matrix Column : 0.14307 0.06061 0.7141
    Device Mfg Desc : IEC http://www.iec.ch
    Device Model Desc : IEC 61966-2.1 Default RGB colour space - sRGB
    Viewing Cond Desc : Reference Viewing Condition in IEC61966-2.1
    Viewing Cond Illuminant : 19.6445 20.3718 16.8089
    Viewing Cond Surround : 3.92889 4.07439 3.36179
    Viewing Cond Illuminant Type : D50
    Luminance : 76.03647 80 87.12462
    Measurement Observer : CIE 1931
    Measurement Backing : 0 0 0
    Measurement Geometry : Unknown (0)
    Measurement Flare : 0.999 %
    Measurement Illuminant : D65
    Technology : Cathode Ray Tube Display
    Red Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)
    Green Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)
    Blue Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)
    The modified_exported version likewise does not have the interoperability index tag but contains the actual sRGB profile:
    Profile CMM Type : Lino
    Profile Version : 2.1.0
    Profile Class : Display Device Profile
    Color Space Data : RGB
    Profile Connection Space : XYZ
    Profile Date Time : 1998:02:09 06:49:00
    Profile File Signature : acsp
    Primary Platform : Microsoft Corporation
    CMM Flags : Not Embedded, Independent
    Device Manufacturer : IEC
    Device Model : sRGB
    Device Attributes : Reflective, Glossy, Positive, Color
    Rendering Intent : Perceptual
    Connection Space Illuminant : 0.9642 1 0.82491
    Profile Creator : HP
    Profile ID : 0
    Profile Copyright : Copyright (c) 1998 Hewlett-Packard Company
    Profile Description : sRGB IEC61966-2.1
    Media White Point : 0.95045 1 1.08905
    Media Black Point : 0 0 0
    Red Matrix Column : 0.43607 0.22249 0.01392
    Green Matrix Column : 0.38515 0.71687 0.09708
    Blue Matrix Column : 0.14307 0.06061 0.7141
    Device Mfg Desc : IEC http://www.iec.ch
    Device Model Desc : IEC 61966-2.1 Default RGB colour space - sRGB
    Viewing Cond Desc : Reference Viewing Condition in IEC61966-2.1
    Viewing Cond Illuminant : 19.6445 20.3718 16.8089
    Viewing Cond Surround : 3.92889 4.07439 3.36179
    Viewing Cond Illuminant Type : D50
    Luminance : 76.03647 80 87.12462
    Measurement Observer : CIE 1931
    Measurement Backing : 0 0 0
    Measurement Geometry : Unknown (0)
    Measurement Flare : 0.999 %
    Measurement Illuminant : D65
    Technology : Cathode Ray Tube Display
    Red Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)
    Green Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)
    Blue Tone Reproduction Curve : (Binary data 2060 bytes, use -b option to extract)

  • Color calibrating monitor

    Hello, I am new to the pro photography/editing world and I am looking for recommendations for monitor color calibration systems.  I am currently using a 13 inch macbook air.  There are so many on the market I don't know where to start.  I am looking for something that can automatically adjust the calibration for whatever light I happen to be sitting in at the moment- perhaps something with a sensor?  I am not trying to break the bank.  I see that the Spyder4 and X-Rite are popular.  If you can give me your recommendations/model name that would be great!!

    Keith_Reeder wrote:
    Not sure why you'd think this was an on-topic question for a Lightroom forum?
    Not sure why you think correct display of your files is irrelevant? Are all hardware-related discussions off-topic? All discussions on color management? If you think that, I suggest you just stay out of those threads and concentrate on the threads you find relevant.
    Meanwhile, I'll be happy to answer.
    Generally, you have the right idea in that your working environment will influence your perception. But an automatic adjustment of your calibration introduces so many uncontrollable factors that it's practically unworkable. It will only confuse you. Some calibrators have an option to adjust display brightness automatically, but the general advice is to disable that.
    Concentrate on controlling your environment as far as you can. It's much more important to tune your calibration targets so that you get a good match to printed output. Ideally, screen white point should be a visual match to paper white - and this is where the environment will influence your perception. Similarly for contrast/black point. Start at 120 cd/m² and 6500K, and a contrast range (if available) of around 350:1. Adjust as needed to get a match.
    Some will probably say a laptop display is not worth calibrating at all. I disagree, but don't expect too much. One basic problem is that most laptop displays are TN-based with very restricted viewing angles, to the point where the top of the screen is too dark and the bottom washed out. But if you get a calibrator now you still have that if you decide to get a better monitor later.
    To be specific, I'd recommend the x-rite i1 Display Pro at around $200. This is generally the best third-party calibrator currently on the market. A more inexpensive solution is the ColorMunki Display, which uses the same sensor but somewhat restricted software. The Spyders are good too, but not quite as reliable and consistent at the same price point.

  • Photos sent to Online printing service darker than on calibrated monitor

    ok, I know that prints are typically darker than what is shown on the screen(with loss of detail in the shadows that was visible on the screen.) I calibrated my monitor using both the eyeone display 2 puck and coloreyes software using gama 2.2, D65, Luminance 120. (which calibrated closely to using the eyeone software. I am using a 2008 macbookpro laptop. I like the colors on the screen and I exported the files using sRGB but also checked the soft proof and both the soft proof and exported photos (in preview) looked fine.
    Here are my questions. I used black point compensation, is this correct?
    Also, knowing that the photos are printing darker what is the best way to compensate? Should I use the gamma adjustment on the export or should I perform an adjustment on the photo in aperture? (If in aperture which adjustment?)

    Can you print them yourself? How do they look?
    IME, Black Point Compensation should be used (I forget why, but it is recommended).
    If prints you make look right, I would bring it up with the on-line printing service.

  • HELP! Newly calibrated monitor loses ICC profile setting while computer is on, in middle of editing!

    I'm so frustrated!!! Just a few days ago I calibrated my monitor with my new Huey Pro. Today in the middle of the computer being on for hours, at some point, without my knowing it, the ICC profile shifted from the new, calibrated setting BACK to the old default profile!!   I didn't realize it and went about editing ... messed up so many files!
    I'm using Windows Vista x64 and I've read about this happening to other Vista users, but does anyone know how I can FIX this?? I'm totally overwhelmed at this point.   Thanks for you help.

    Ans to Q1 - Macintosh HD 1/Library/Printers/EPSON/InkjetPrinter/ICCProfiles/ contains installed with driver and Macintosh HD 1/Library/Colorsync/Profiles were installed by the download.
    Ans to Q2 - Epson put them inside the "package" to keep them safe. You can access the package contents via the Ctrl+click or right+click context menu item labelled "Show package contents" (see attached screenshot), but I would
    strongly urge you not to remove them from the package. You really don't need to care where they are because they're in the safest place. It's when folk try to get smart that the system bites them.

  • Color management problem with calibrated monitor

    I'm using a Samsung Syncmaster T220 LCD profiled and calibrated with a Spyder2Express. PC runs Vista 32 SP2, Photoshop CS4. Using Adobe RGB for workspace profile. System profile is set to the Spyder2Express profile.
    Open up photo in Photoshop. Colors fine.
    Resize for web, convert to sRGB, then check preview in "Save for web..."
    Under preview, I preview the following:
    -Monitor Color
    -Windows (no color management)
    -Macintosh (no color management)
    -Document Profile
    The Preview of Windows, Document Profile settings look exactly right, whereas the Monitor Color setting looks badly darkened. I preview with Firefox, save and view image using IrfanView and Firefox. It's badly darkened. I'm stumped. I don't know what I'm doing wrong. This is similar to another recent posting here, except that I am using a calibrated display with profile.
    Anyone know what I'm missing?
    Thanks, Luke

    I'm a little confused. Previewing through "Monitor Color" and "Windows (no color management)" are both technically not color managed. Perhaps we should distinguish further between "colorspace aware" and "device profile aware". So I can understand when you say that Irfanview will do some color management, but does not use the monitor device profile. But I would have thought that Firefox in non managed-color config would still use the monitor device profile.
    I would have thought (and I might turn out to be wrong) that previewing using "Windows (not color managed)" would be the standard for previewing images for stock browser configurations. What photoshop shows me is correct rendering of the image based on what I edited in this mode. But the browser shows me a version that looks like it is not device aware, counter to photoshop's prediction. What is going wrong here? Do none of these major window apps use device profiles? Why does photoshop think that they will?
    Another thing that has been suggested is that my monitor is calibrated so far from the stock configuration that sRGB photos displayed on it without the benefit of device profiling will come out far off the mark. But I profiled the monitor in stock hardware configuration and made no adjustments, and don't think that the hardware config of the monitor has changed.
    If this turns out to be just a practical issue, then it leaves a major question. What did I accomplish by calibration if my calibration doesn't look like anything I actually display with? I can guess that prepress work will be more accurate in most respects, or I hope so anyway. But how should I manage workflow for developing images for web content if I am unable to match up what I'm editing with what the end user will see?
    Or maybe I'm just doing something wrong...or maybe photoshop is...or I don't know what. Where do I go from here? Is WCS implicated in this somewhere?
    Luke

  • Calibrated monitor profile 'clips' shadow detail in RAW images

    I've been using the Pantone Huey color calibration tool and like it except for one small problem. When viewing RAW images from my Canon 5D in Aperture the shadow areas are 'clipped' and really look crappy. If I do ANY adjustment to the exposure, shadows/highlights, levels, etc. a lot of shadow detail becomes apparent. It's especially noticeable on darker images. This only happens with RAW images from my 5D, and only when I have my Huey profile selected. Aperture and the Huey software are all the most recent versions.
    Even if I turn the brightness DOWN shadow detail suddenly pops into life. So the first thing I do when loading in all my photos is to do a batch brightness adjust +.01, or a batch tweak of the levels by .1. See for yourself... Apple, when are you going to fix this odd issue? I've been plagued with it for over a year now and it's getting to be a real pain. Thanks.
    Example:
    http://www.johnnydanger.net/temp/clipped_blacks.jpg

    I'd really like to understand your post because absolute vs. relative black point sound very close.
    The terms absolute and relative are used to describe different rendering intents (abs. vs. rel. colorimetric). Black point compensation (BPC) is another option when choosing rendering intents.
    The only conversions Aperture does [that are relevant here] are between its internal color space (which is unknown) and the monitor color space and between the internal space and the one it exports into (eg, Adobe RGB in my tests). I have not seen an operating system or application that lets you choose the rendering intent for conversion into the monitor space and Aperture is no exception. Since Aperture uses the preferred intent of a profile for printing it presumably does so as well for displaying (in my case this would be perceptual).
    Now since the darkest point of the internal color space is probably lower than that of the display using perceptual, or relative with BPC, or absolute should ensure that all shadow detail is visible. Since Aperture (and other apps) possibly honor the rendering intent of the monitor profile it might be that Aperture is mistakingly using relative without BPC before I check the Levels box and only after that switch on the BPC. Forcing the application to always use BPC or using absolute as the preferred rendering intent might therefore prevent you from encountering the problem.
    Does what I just said make sense. No, not really but then I don't really know how these apps work internally. And neither do my printing results with a number of labs [10 10 10] is always indistinguishable from pure black.

  • AdobeRGB values too red! Prophoto correct??? With calibrated monitor

    This is very very frustrating. I calibrated my monitor 2 times in a row because i didnt know what was going on. I downloaded a color chart with the correct RGB values and when opening with a Prophoto profile during Camera RAW all the values are correct. When i switch to AdobeRGB 1998 during RAW the reds are all too high. Same when just opening a JPG (using CS4). When using the Prophoto profile all colors are correct, and when assigning or using the AdobeRGB profile all the reds are way too high. What the heck is the problem here? I cant find an answer anywhere! Please help as i have to adjust the red saturations in every single photo and its driving me crazy. Thank you so much!!!

    Don't assign convert.
    you only assign when you are trying to find the correct profile when none is embedded.

  • Calibrated Monitor Issues

    I was wondering if anyone has encountered this problem.
    I bought a Pantone Huey Pro color calibrator for my Macbook Pro and I seem to be having some issues with the way Photoshop is handling it.
    I calibrated my monitor and everything looks perfect. Colors look balanced and nice. However I seem to be having some issues with Photoshop. I will open an image in photoshop, edit it a bunch, etc. The image looks perfect on my screen. Colors look great, contrast, etc. Everything just like i want it.
    So i save it and post it up on the web. However it has become apparent that what i am seeing is completely different than what my friend sees and so on. He is saying my pictures look weird and overly saturated and warm. Yet on my screen they look great. I don't know what to do. I am a graphic designer and aspiring photographer yet i can't trust my screen.
    Here is one image: http://img211.imageshack.us/img211/6484/27038vs047122616locopyua0.jpg
    On my screen this looks good. I have no idea what it looks like on others.
    Do i have to change photoshop's color settings or export the images a certain way?
    Thanks in advance,
    Cameron

    It appears that this image is sRGB but that you did not embed the profile when you saved for Web.
    Your image will only look correct to someone who has a wide-gamut monitor if you convert to sRGB and embed the sRGB Profile when saving for web. But that only works if they are using a color-managed Browser (of which there are only two: Safari and Firefox provided that the User has configured his copy of Firefox to be Color-Managed).

Maybe you are looking for

  • Get kernel panic when I burn DVDs

    when I burn several DVDs using the internal DVD burner on my 1.25 Ghz G4 running OS X 10.4.11, I am getting a kernel panic that tells me to reboot my computer. I'm using Toast Titanium 8 to burn with. Any ideas how to prevent this? Here's the details

  • How to use another SIM card with my AT&T Iphone

    I have to go in france and use a French office' sim card from another provider than AT&T. But here, I've got all my professional, and private, mail box and conatct on it. How have I to do in order to use this other sim card in my Iphone? I don't want

  • Time Machine Fails When Trying to Backup Certain Files

    Time Machine is having problems with some files I have copied from a Windows computer. I am a web developer and I moved my client files from a Windows PC to my iMac. Most of the files backup properly but some don't. When Time Machine tries to backup

  • Mac Mini joining PC network

    hi, just got a mac mini with airport extreme wireless network capability. i run 2 W2K PC's through a Linksys Wireless G 2.4 GHz 54mpbs, model WRT54G-EU. the mac mini manual seems to indicate that i will need a base station also? is that right? tbh, i

  • Is Keynote as functional on the iPad?

    How functional is Keynote on the iPad?  What features do I lose if I'm trying to develop a presentation on Keynote via the iPad? Thanks,