Help! Calibrated monitor problems!

Ok, so I noticed some of my photos I took looked a bit darker than they did a week ago looking at them in Preview, so I decided to calibrate my monitor. Big mistake. What is happening now is that everything on my internet looks fine, including my photos on Myspace. However, when I look at photos in Preview or iphoto, they are 10 times darker and the contrast is way off.
So I sent one to my friends email, he pulled them up on his PC and the pic looks normal, looks very dark on my monitor. Its not my brightness control either, that doesnt help. When I try to re-calibrate so my photos look normal, everything on my internet looks way too bright and washed out. Whats going on?

Hi mbell75
For default go to *System Preference > Display > Color* and select the iMac profile.
But to be honest, you might be better off unchecking the box: *Show profiles for this display only* and just running one of the RGB or sRGB profile's in the extended list.
On both my early mat finish intel and the glossy's, the default iMac profile always looks brownish-yellow and washed out to me. My Epson software has installed an Epson sRGB profile that is real close to the Generic RGB Profile already in the list, both are slightly darker and a lot richer than the default profile.
Dennis

Similar Messages

  • 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);
    }

  • Activity Monitor problems increase CPU and power burn

    Migration Assistant worked very nicely, transferring from a Powerbook G4 with 30GB of files and data in about 45min via Firewire.
    However, after 2 days of usage, the CPU was still running at 80% and applications were incredibly sluggish. My battery calibration at full charge only showed a little over 1 hour. Activity Monitor also would not show any processes -- the list was completely blank.
    The solution was to rename the Preferences folder, allowing programs to create a new Preferences folder. I then selectively populated the new folder with the main old preferences for mail, Safari, etc. This not only solved the Activity Monitor problem, but immediately drove down the CPU usage to about 10% where I'd expect it. Now the battery shows over 2.5 hrs on a full charge with the screen on full brightness (and it's BRIGHT!)
    Also, Microsoft Word/Powerpoint/Excel/Entourage: trial software on the MacBookPro will mess up your migration, so delete the trial software BEFORE MIGRATION ASSISTANT.
    Hope this helps some of you out there!

    Another thing users who run Migration Assistant should know is that many of your background processes and helpers may slow down the Macbook.
    For example, I notice that a bunch of PowerPC menu items running under Rosetta slowed things down. Also, the Microsoft Office Autoupdate background process, which is started from System Preferences > Accounts > Login Items constituted one Rosetta process running all of the time.
    When I remove/disabled these background processes, I noticed a significant difference.

  • Possibly mundane Mini-DVI to VGA into an external monitor problem

    Hi,
    I've had a look over the interwebs regarding my problem and it seems as if it's not unusual to have external monitor problems but I'm not sure if mine is slightly different:
    I had a perfectly working set up with my new Macbook (the white one, '06 model I believe), that was connected to my Hanns-G HU196D monitor via a mini-DVI to VGA adapter, no problems whatsoever. But for a couple of weeks now my Macbook just flickers a light blue colour, with nothing at all on the monitor, and my macbook is unusable until I remove the adapter. I've read about updating firmware but I can't see my desktop once the macbook is connected to the monitor so it's not possible to configure anything. I've read somewhere that my external monitor isn't compatible with this set up, but it was until a couple of weeks ago!
    My Macbook's 4 months old now and since then I've bought a new mini-dvi to vga adapter and a new VGA cable, no connections seem loose on either mini-dvi port or my monitor's vga port.
    Thanks if you can help!
    Jack

    You will need to use a mini Dvi-dvi and a dvi-svideo/rca adapter.
    Joy joy hallelujah.
    Pardon the sarcasm...I just wasted 3 hours of my life trying to sort the issue out.
    Heard a KWORLD PlusTV PCTOTV Converter SA235 USB 2.0 Interface would sort the issue out for under 40$ but it's not Mac.
    Hope that helps.
    ~r

  • FCE HD Output to Sony Trintron Monitor Problems

    I am trying to output my Program Canvas to my Sony monitor, via a Hollywood Dazzle Firewire converter. When the Dazzle is trying to output to monitor, I get a very pixelated image and distorted audio.
    All the settings under view appear to be correct, with Apple Firewire NTSC. Are there any thoughts at to what I might be missing here that could help fix this problem.
    Thanks

    Connect your DV cam & see if you can play your Canvas to your camera. If that works ok, then the problem is either in the Dazzle, the TV or your cables. I would suspect the Dazzle first, or perhaps the FW cable second. Check whatever you can on the Dazzle setup - there might be some DIP switches on the bottom that need to be set.
    You might find some informative/revealing material in this review.
    (fwiw, I've never been wild about the Dazzle products myself, the quality never seemed up to other products on the market.)

  • External monitor problem after Lion upgrade

    Hi,
    I have a 20" iMac which has a screen resolution of 1680x1050(ATI Radeon HD 2600 Pro 256 MB).  I have been using an additional 168x1050 monitor(Dell 2009W) in dual screen mode.  This was working fine with Leopard, Snow Leopard, but it does not work after I upgraded to Lion.  The screen appears to look fine for a few seconds then blanks out for a second and repeats.   The only way I can use my extra monitor is by reducing the resolution to  1360x768. 
    Does anyone know of a fix or if apple is working on a fix.   I called apple support, but all of their suggestion (fix disk permisions, reset PRam) did not help. 
    Thanks for any help.
    Paul

    Similar problem here with a 15" MacBook Pro purchased in late 2009. Connected to a new Dell ST2210 21.5" display via a DVI cable and Apple's mini display port to single link dvi adapter. The cable is dual link but seems to work fine the majority of the time.
    When I wake my mac from sleep 1 time out of 3 I see black and white static on my external screen that only goes away when I unplug the screen or power it up and down.
    I've tested another older MacBook Pro with the screen and everything works fine and when I connect with a different dvi cable I get the same issue.
    When I called Apple support, they said it was a software issue and directed me to remove some .plist files in my library. I did what they said on the phone and it seemed to work for maybe 6 sleep cycles but the issue came back again. Since then I've reset the VRAM following their directions in a support article on the subject of external display static. (http://support.apple.com/kb/TS2377)
    Does anyone know of a way to fix this or if Apple is actually listening? VGA works fine but I hate the quality of VGA compared to DVI. Should I look into getting an mini display port to dvi adapter from someone other than Apple?
    It's annoying to have purchased a perfectly Mac compatible monitor which you really need, just to discover that Apple is having trouble with their mini display port...
    Here's another guy with a similar issue and the same monitor (http://en.community.dell.com/support-forums/peripherals/f/3529/t/19330464.aspx#1 9691738). However, from the research I've done, his conclusion about it being the monitor seems to be false, especially with all the complaints here about similar issues regardless of display model.
    I need an answer that does not include going back to VGA. What are your suggestions? I do have HDMI but would rather not shell out the money for a cable and adapter...

  • 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

  • I have a macbook pro from 2007 and the display memory slows do the screen so much it is almost unuseable  Any help fixing this problem?

    I have a macbook pro from 2007 and the display memory slows do the screen so much it is almost unuseable  Any help fixing this problem?

    Hi,
    Have you tried
    1.leaving the screen flipped open,
    2.connecting power
    3. connecting external monitor; waiting for it to 'wake up';
    then 4. closing lid of MBP to activate clamshell mode?

  • 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

  • M93p dual monitor problems; monitor turns off and cannot be turned on again

    Hi,
    we have multiple M93p tiny computers causing problems in dual monitor setup (VGA / Displayport->DVI). Our users (already >5)  keep telling us, they leave their workplace, return, then DVI attached monitor if off and they do not find a way to turn it on. This is true; the only workaround that has been found by our users is to bring Win7/32bit into standby mode and awaking it again.
    Needless to say, we turned all windows energy saving options off (computer standby/hibernate, monitor turn off). Still the problem appears.
    Maybe there is something wrong with DVI power/DVI signal?
    - Monitor independent, as far as I can see
    - Independent from Windows energy saving modes
    - BIOS updates did not help
    [todo]: Try Intel/(AMD?) drivers, let users test.
    I haven't seen exactly when the monitor turns off because it is reported by users. I had a testing machine, but was not able to reproduce.
    http://forums.lenovo.com/t5/A-M-and-Edge-Series-Th​inkCentre/Dual-monitors-problem-VGA-and-Displaypor​... is related.
    Anyone?
    Thx

    Make a "Genius" appointment at an Apple Store to have the machine tested.
    Back up all data on the internal drive(s) before you hand over your computer to anyone. If privacy is a concern, erase the data partition(s) with the option to write zeros* (do this only if you have at least two complete, independent backups, and you know how to restore to an empty drive from any of them.) Don’t erase the recovery partition, if present.
    Keeping your confidential data secure during hardware repair
    *An SSD doesn't need to be zeroed.

  • HP desktop monitor problems

    I'll  be  working  on  something  and  the  screen  will  go  dark  and say  the  monitor  is  going  to  sleep.Then I have  to  shut  it  down  and  restart  it  to  get  it  to come  back.I  know  it's  not  getting  hot  because   sometimes  it's  within  a  few  minutes  of  me  starting  the  computer.I  have  it  where  air  can  get  around  the  whole  system.I  shut  it  down  every  couple  hours  to  keep  it  from  getting  hot.Any  ideas  what's  wrong?

    Midnightracer, 
    Leave the display on, if you need to shut it down you can do that but while you use it is the biggest part we want to test out. 
    Clicking the White Kudos star on the left is a way to say Thanks!
    Clicking the 'Accept as Solution' button is a way to let others know which steps helped solve the problem!

  • My Itunes is no longer allowing me to manage my music on my phone i can no longer select on my iphone to make playlists and delete music. Please help fix my problem.

    My Itunes is no longer allowing me to manage my music on my phone i can no longer select on my iphone to make playlists and delete music. Please help fix my problem. Iphone4s, 32gigs, IOS 7.1.2
    I don't know why it stopped working but it happened a month or two ago but the option on this phone that's usually all the way to the left when you select your device but now its not and I don't know what caused it. ive already tried troubleshooting my problem but have found no help.

    Hello Salmomma,
    Thank you for the details of the issue you are experiencing when trying to connect your iPhone to your Mac.  I recommend following the steps in the tutorial below for an issue like this:
    iPhone not appearing in iTunes
    http://www.apple.com/support/iphone/assistant/itunes/
    Additionally, you can delete music directly from the iPhone by swiping the song:
    Delete a song from iPhone: In Songs, swipe the song, then tap Delete.
    iPhone User Guide
    http://manuals.info.apple.com/MANUALS/1000/MA1658/en_US/iphone_ios6_user_guide.p df
    Thank you for using Apple Support Communities.
    Best,
    Sheila M.

  • I need advise and help with this problem . First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product . At the present time I'm having lots of problems with the router so I was looking in to

    I need advise and help with this problem .
    First , I have been with Mac for many years ( 14 to be exact ) I do have some knowledge and understanding of Apple product .
    At the present time I'm having lots of problems with the router so I was looking in to some info , and come across one web site regarding : port forwarding , IP addresses .
    In my frustration , amongst lots of open web pages tutorials and other useless information , I come across innocent looking link and software to installed called Genieo , which suppose to help with any router .
    Software ask for permission to install , and about 30 % in , my instinct was telling me , there is something not right . I stop installation . Delete everything , look for any
    trace in Spotlight , Library . Nothing could be find .
    Now , every time I open Safari , Firefox or Chrome , it will open in my home page , but when I start looking for something in steed of Google page , there is
    ''search.genieo.com'' page acting like a Google . I try again to get raid of this but I can not find solution .
    With more research , again using genieo.com search eng. there is lots of articles and warnings . From that I learn do not use uninstall software , because doing this will install more things where it come from.
    I do have AppleCare support but its to late to phone them , so maybe there some people with knowledge , how to get this of my computer
    Any help is welcome , English is my learned language , you may notice this , so I'm not that quick with the respond

    Genieo definitely doesn't help with your router. It's just adware, and has no benefit to you at all. They scammed you so that they could display their ads on your computer.
    To remove it, see:
    http://www.thesafemac.com/arg-genieo/
    Do not use the Genieo uninstaller!

  • How do I copy files onto a hard drive (device) from Mac 2 7 pc. I'm able to transfer files from device but cannot transfer files to device. Anyone had same problem or can help solve this problem? Help pls

    how do I copy files onto a hard drive (device) from Mac 2 7 pc. I'm able to transfer files from device but cannot transfer files to device. Anyone had same problem or can help solve this problem? Help pls

    Welcome to Apple Support Communities
    When you try to copy data to the external drive, what happens? If you don't see any error, the external drive is formatted in NTFS, and OS X can't write in it.
    To be able to write on this external drive, you have to use an app like Paragon NTFS. Another solution would be to format the external drive in FAT32 or exFAT with Disk Utility > http://pondini.org/OSX/DU1.html Make sure you copied all the files of the external disk to the internal disk before doing it

  • I'm new to Mac and I have a Mac Mini. Could you please tell me how I could paste an URL to a video downloader like "Coolmuster Video Downloader for Mac"? I can copy the url but I could not paste it on the downloader. I appreciate your help to my problem.

    I'm new to Mac and I have a Mac Mini. Could you please tell me how I could paste an URL to a video downloader like "Coolmuster Video Downloader for Mac"? I can copy the url but I could not paste it on the downloader. I appreciate your help to my problem.

    Is this happing because the external is formatted to PC and not mac?
    Yes that is correct.
    Will I need to get a mac external hard drive if I wish to continue to save my documents like this?
    If you no longer use a PC you could format this drive for the Mac. However be aware that formatting a drive will erase all the data on it. So you would need someplace to copy the data off this drive to while you did the re-format and then you could copy the data back.
    You could get another drive, format it for the Mac and copy the data to it. Then re-format the original drive and use it as a backup drive. Always good to have backups.
    Post back with the drive type and size of the current drive, if you are doing backups now and how and if you still need to access this drive from a PC.
    regards

Maybe you are looking for

  • Performance Issue for BI system

    Hello, We are facing performance issues for BI System. Its a preproductive system and its performance is degrading badly everyday. I was checking system came to know program buffer hit ratio is increaasing everyday due to high Swaps. So asked to chan

  • Unbale to find data sources in RSA5.

    Hi there, I am unable to find the business content data sources in RSA5, but I can find the same data sources in RSA3 (extract checker). I need these data sources to be replicated to BW and take it up further. Any light on the above issue will be of

  • Smartforms - Printing Label

    Hello All, I´m developing a smartform to print information in a label that has 6cm height. My problem is that when I print the informaton the smartform prints information of the next label on the previous information. It seems that the smartform unde

  • Rotoscoping With Photoshop CS3

    I want to trace the motion of a dancer from a Quicktime video. I have imported the video into Photoshop CS3, but when I add a new layer, the layer is a single picture layer that remains over all the frames. Do I have to create a separate layer for ev

  • Bootcamp 2013 MacBook Pro Retina 15" Scaling Issues

    Hello! I just installed Bootcamp on my 2013 MacBook Pro Retina 15", and some windows and applications are very small. YouTube's Control Panel is really small. Running OBS, the text and windows are scrunched and small. Running The Old Republic, the wi