Possible solution for white C2D iMacs with screen artifacts or lines

I have a white 20" Core 2 Duo iMac with the famous screen artifacts issues. Screen tearing, horizontal lines, goofy pixels, you name it. From my research it seems there are countless others with these problems.
I tried running the SMC fan control app to boost fan speeds. This helped a little, but did not completely solve the issue. A lot of people think these issues are related to heat, and I agree, but only partially. When a graphics chip overheats it is eventually damaged. I have damaged my share of graphics chips while overclocking them in my PCs. In the case of my iMac and maybe plenty of others, I still have issues if the GPU is hot or cold.
I installed WinXP using bootcamp. I finally found an application which will change the clock speed of the GPU on the fly. The X1600 GPU in my iMac has a 475Mhz core speed and 500Mhz memory speed. I cut these down to 400Mhz on the core and 400Mhz on the memory. At these lower speeds I no longer have any issues with screen tearing, horizontal lines, or random crashing. I do still have a few wierd pixels here and there, but they are not all that noticeable and I can live with them.
Now for the fun part. I wanted to permanently fix these speeds into my GPU so when I boot back to Mac OS X, I don't have any issues, and I no longer have to boost fan speeds or run any additional apps. I spent most of today taking apart my iMac, putting DOS on a spare SATA hard drive, and running an external monitor while booting my iMac with the spare drive hanging out the side. All this so I can run ATIflash, and use it to dump an image of the GPU BIOS ROM file.
Well, I ended up finding out the ATI GPU has no ROM to flash. My best guess is open firmware or something like that passes this data on to the GPU when the system boots.
So, in my case slowing the GPU down significantly reduced my problems while running within windows. I am 100% confident slowing the GPU down will also improve issues within Mac OS X, but I have no way to pull this off.
If Apple reads this, or if anyone has any connections at Apple, can we please get an optional firmware update to reduce the speeds of the X1600 GPU? It won't fix all the iMacs with these issues, but it will fix quite a few, and for those out there who don't have any issues at all with their white C2D iMacs, lowering the GPU speeds will most likely prevent damage from inevitably occurring, keeping them a happy customer.
Now, some of you may not like the idea of a slower GPU, but if I have to pick between a slower GPU and an $800 logic board, I will take the slower GPU any day.

There is a little easier Way to Navigate in Doing an F.D.R. than that Method: I listed it here if you prefer going this Route..
2. Re: FACTORY RESET FOR RAZR AN RAZR MAXX

Similar Messages

  • PrintWindow api with possible solution for capture screenshot Google Chrome window

    Hi,
    as all you know, PrintWindow api give us a black image when us want a capture screenshot  of Google Chrome window. So, a friend said me that a possible solution for this problem is: 
    Reduce Google Chrome window for -1px in both sides and after this, reset  to original size. And so, will repaint again.
    Based on code below, someone could help me make this? sincerely I don't know where begin.
    [DllImport("user32.dll", SetLastError = true)]
    static extern IntPtr FindWindow(string lpClassName, string lpWindowName);
    [DllImport("user32.dll", SetLastError = true)]
    static extern IntPtr FindWindowEx(IntPtr hwndParent, IntPtr hwndChildAfter, string lpszClass, string lpszWindow);
    [DllImport("user32.dll")]
    private static extern IntPtr GetDC(IntPtr WindowHandle);
    [DllImport("user32.dll")]
    private static extern void ReleaseDC(IntPtr WindowHandle, IntPtr DC);
    [DllImport("user32.dll")]
    private static extern IntPtr GetWindowRect(IntPtr WindowHandle, ref Rect rect);
    [DllImport("User32.dll", SetLastError = true)]
    [return: MarshalAs(UnmanagedType.Bool)]
    static extern bool PrintWindow(IntPtr hwnd, IntPtr hDC, uint nFlags);
    [StructLayout(LayoutKind.Sequential)]
    private struct Rect
    public int Left;
    public int Top;
    public int Right;
    public int Bottom;
    public static Bitmap Capture(IntPtr handle)
    Rect rect = new Rect();
    GetWindowRect(handle, ref rect);
    Bitmap Bmp = new Bitmap(rect.Right - rect.Left, rect.Bottom - rect.Top);
    Graphics memoryGraphics = Graphics.FromImage(Bmp);
    IntPtr dc = memoryGraphics.GetHdc();
    bool success = PrintWindow(handle, dc, 0);
    memoryGraphics.ReleaseHdc(dc);
    return Bmp;
    private void button1_Click(object sender, EventArgs e)
    IntPtr WindowHandle = FindWindowEx(IntPtr.Zero, IntPtr.Zero, "Chrome_WidgetWin_1", null);
    Bitmap BMP = Capture(WindowHandle);
    BMP.Save("C:\\Foo.bmp");
    BMP.Dispose();
    Any suggestions here is appreciated.

    Hello,
    I would prefer capture the screen rather than get it from that application directly.
    It has been discussed in the following thread.
    Is there any way to hide Chrome window and capture a screenshot or convert the Chrome window to image?
    In this case, you could remove the line "ShowWindowAsync(mainHandle, 0); " since you don't want to hide it.
    using System;
    using System.Runtime.InteropServices;
    using System.Diagnostics;
    using System.Drawing.Imaging;
    [DllImport("user32.dll")]
    private static extern bool ShowWindowAsync(IntPtr hWnd, int nCmdShow);
    [DllImport("user32.dll")]
    public static extern bool GetWindowRect(IntPtr hWnd, out RECT lpRect);
    [DllImport("user32.dll")]
    public static extern bool PrintWindow(IntPtr hWnd, IntPtr hdcBlt, int nFlags);
    public WhateverMethod()
    //initialize process and get hWnd
    Process chrome = Process.Start("chrome.exe","http://www.cnn.com");
    //wait for chrome window to open AND page to load (important for process refresh)
    //you might need to increase the sleep time for the page to load or monitor the "loading" title on Chrome
    System.Threading.Thread.Sleep(4000);
    chrome.Refresh();
    IntPtr mainHandle = chrome.MainWindowHandle;
    RECT rc;
    GetWindowRect(mainHandle, out rc);
    Bitmap bmp = new Bitmap(rc.Width, rc.Height, PixelFormat.Format32bppArgb);
    Graphics gfxBmp = Graphics.FromImage(bmp);
    IntPtr hdcBitmap = gfxBmp.GetHdc();
    PrintWindow(mainHandle, hdcBitmap, 0);
    gfxBmp.ReleaseHdc(hdcBitmap);
    gfxBmp.Dispose();
    bmp.Save("c:\\temp\\test.png", ImageFormat.Png);
    ShowWindowAsync(mainHandle, 0);
    [StructLayout(LayoutKind.Sequential)]
    public struct RECT
    private int _Left;
    private int _Top;
    private int _Right;
    private int _Bottom;
    public RECT(RECT Rectangle)
    : this(Rectangle.Left, Rectangle.Top, Rectangle.Right, Rectangle.Bottom)
    public RECT(int Left, int Top, int Right, int Bottom)
    _Left = Left;
    _Top = Top;
    _Right = Right;
    _Bottom = Bottom;
    public int X
    get { return _Left; }
    set { _Left = value; }
    public int Y
    get { return _Top; }
    set { _Top = value; }
    public int Left
    get { return _Left; }
    set { _Left = value; }
    public int Top
    get { return _Top; }
    set { _Top = value; }
    public int Right
    get { return _Right; }
    set { _Right = value; }
    public int Bottom
    get { return _Bottom; }
    set { _Bottom = value; }
    public int Height
    get { return _Bottom - _Top; }
    set { _Bottom = value + _Top; }
    public int Width
    get { return _Right - _Left; }
    set { _Right = value + _Left; }
    public Point Location
    get { return new Point(Left, Top); }
    set
    _Left = value.X;
    _Top = value.Y;
    public Size Size
    get { return new Size(Width, Height); }
    set
    _Right = value.Width + _Left;
    _Bottom = value.Height + _Top;
    public static implicit operator Rectangle(RECT Rectangle)
    return new Rectangle(Rectangle.Left, Rectangle.Top, Rectangle.Width, Rectangle.Height);
    public static implicit operator RECT(Rectangle Rectangle)
    return new RECT(Rectangle.Left, Rectangle.Top, Rectangle.Right, Rectangle.Bottom);
    public static bool operator ==(RECT Rectangle1, RECT Rectangle2)
    return Rectangle1.Equals(Rectangle2);
    public static bool operator !=(RECT Rectangle1, RECT Rectangle2)
    return !Rectangle1.Equals(Rectangle2);
    public override string ToString()
    return "{ + _Left + "; " + " + _Top + "; Right: " + _Right + "; Bottom: " + _Bottom + "}";
    public override int GetHashCode()
    return ToString().GetHashCode();
    public bool Equals(RECT Rectangle)
    return Rectangle.Left == _Left && Rectangle.Top == _Top && Rectangle.Right == _Right && Rectangle.Bottom == _Bottom;
    public override bool Equals(object Object)
    if (Object is RECT)
    return Equals((RECT)Object);
    else if (Object is Rectangle)
    return Equals(new RECT((Rectangle)Object));
    return false;
    And the key method used is the one shared in
    Get a screenshot of a specific application.
    Regards,
    Carl
    We are trying to better understand customer views on social support experience, so your participation in this interview project would be greatly appreciated if you have time. Thanks for helping make community forums a great place.
    Click
    HERE to participate the survey.

  • Buy my problem of camels Store Lee games possible solution for me my problem?

    Buy my problem of camels Store Lee games possible solution for me my problem?

    This worked for me, sort of. A while back when I downloaded that windows update that installed the new version of IE, I noticed that IE wouldn't connect to the internet and pages wouldn't load. However, I thought nothing of it because I use Firefox and FF was working just fine.
    I went into IE earlier this evening (it still wasn't working) and tried to follow your recommended steps. I got up to step 4 and IE froze. I tried closing it, reopening it and repeating the steps but it would always freeze at step 4. In another thread, someone was saying that iTunes released a security update and that fixed the store for them so I tried opening Apple Software Update and that froze. I tried it several times, nothing. Would always freeze. I even tried updating thru iTunes and IT would freeze.
    Finally, I went to the control panel and uninstalled IE7. The iTunes store and the Apple Software Update program are now working! So thank you very much for your suggestion. Otherwise, it may have never clicked with me that IE was the problem.
    Windows XP

  • I used Roxio VHS to DVD for Mac (have iMac with Snow Leopard) and the audio does not synch with the video when playing in iMovie.  Any suggestions to fix?

    I used Roxio VHS to DVD for Mac (have iMac with Snow Leopard) and the audio does not synch with the video when playing in iMovie.  Any suggestions to fix?

    Thanks for the reply.  I tried playing with detaching the audio in iMovie, but with 20+ hours of video to correct, it would take too long.  After 28 hours, Corel/Roxio tech support replied that it is a known bitrate mismatch problem and they have no real fix.  I strongly suggest not to buy this product.

  • How to create a transaction code for a function group with screen 100 as st

    Hello ,
    I have requirement where I need to create a function group and create screen 100, 200, 300 and include the function in the screens.
    Customer asked me to create a transaction with the screen 100 as the starting screen.
    Can you please let me know how to create a transaction code for a function group with screen 100 as starting screen.
    [ It is not a module pool program ].
    Thanks
    Prashanth.
    Moderator message - Please ask a specific question and do not ask the forum to do your work for you - post locked
    Edited by: Rob Burbank on Jun 2, 2009 11:49 AM

    Go to transaction SE93, enter a transaction code that you want and click on "create". Enter a text and select the "Transaction with Parameters" button. In the Default Values section, enter START_REPORT in the transaction field. Check the "skip initial screen" box. In the Name of Screen field section enter the following lines:
    Name of screen field:                               Value
    D_SREPOVARI-REPORTTYPE                RW
    D_SREPOVARI-REPORT                        ZPCA
    Save and transport accordingly.

  • SAP Solution for Mini steel plant with DRI Process

    Dear all,
    I am a metallurgist who spent couple of years in steel and process Industry and then moved to IT Consulting as SAP consultant / business analyst mainly working in the area of solution designing.
    Here i will like to describe SAP solution for Mini steel plant with DRI proces.
    u201CManufacture Productsu201D Description
    The series of operations performed upon material to convert it from the raw material or a semifinished state to a state of further completion. This includes the establishment and maintenance of a CAPEX plan, the planning, scheduling and execution of production activities, the dispositioning of produced goods, the maintenance of production data, the monitoring of production performance and the implementation of engineering changes.
    u201CManufacture Productsu201D Objectives
    M-010
    Compile 3-year CAPEX Budget     Establish the overall manufacturing goals and metrics that the organization will use to measure performance and progress towards objectives. These goals should be consistent with overall organizational strategy/value propositions. Develop long-term goals for production capabilities and manufacturing. These goals should align with the overall goals and objectives of the organization.
    M-050
    Perform Long Range Production Planning     u201CBudgetingu201D. Long range planning of production quantities based on planned available capacities and known or estimated customer demands. This process may include planning for different capacity and/or demand scenarios. Approved capital expenditures from the 3-year CAPEX budget may influence the budget. Range and frequency for budgeting is yearly.
    M-060
    Perform Medium Range Production Planning     Medium range planning of production quantities based on planned available capacities and known or estimated customer demands. This process may include planning for different capacity and/or demand scenarios.  Range and frequency for planning is quarterly.
    M-070
    Perform Short Range Production Planning     Short term planning of production quantities based on capacities and demands as previously planned in the longer terms, actual customer demand and actual capacities. The result from short range production planning will run into the operational plan for the current and following days.  Range and frequency for planning is monthly.
    M-080
    Schedule Production     This sub-process enables detailed scheduling by resources over the planning horizon. Planned orders that fulfill demands (Stock Transfer Requisitions, Sales Forecasts and Customer Orders defined by due-dates and due-quantities) come from the short range plan. This results in a feasible schedule, optimizing utilization of the production resources. It is based on production process constraints as well as labor resources in order to minimize production costs and also taking into account constraining raw materials availability.
    M-090
    Execute MRP     The purpose of this sub-process is to generate a Materials Requirements Plan (MRP) for all materials, which are produced or purchased. The MRP process involves looking at current material inventory, planned inbound material deliveries, requirements, lead times and stock levels to generate a detailed plan for future material requirements. The materials requirements will be generated with respect to the three planning horizons, short-term, medium-term, and long term. If an over stock of raw materials occurs as a result of a planning change production and marketing personnel will be informed. This would allow for the cancellations of any unneeded shipments.
    M-100
    Perform Setup / Changeover     Perform set-up and changeover activities on production equipment as necessary, to prepare for the production of specific materials/grades. Set-up and changeover activities will enable the production equipment to perform operations on materials, as per the specifications called out on the production order. Ensure time is allocated for first off inspection requirements after changeover.
    M-110
    Execute Production     Insure that the production plan is met by converting raw materials and component supplies into finished and semi-finished products. Batch/lot documentation will be created for individual production orders to provide traceability throughout the process. Each step of the production process is continuously monitored to identify mechanical, quality, and productivity issues and suggest solutions when problems arise. Data collection for performance and financial reporting enables management to take immediate action on manufacturing processes as well as conduct historical analysis.
    M-120
    Perform Quality Management     Quality management refers to the entire supply chain process. Process activities are related to the evaluation and inspection of key characteristics of semi-finished and finished materials. These evaluations are recorded and acted on based on the results. Report/manage internal quality problems or issues. Install and manage quality control systems to insure product quality. For supplier or subcontractor based issues this data should be used as a performance measure during the vendor evaluation process.
    M-130
    Manage Product Disposition     This process ensures those semi-finished and finished products that do not meet quality requirements, are prevented from being used and distributed in good finished product to customer, or released for the next step of the production process. A semi finished product is any material that needs to have another operation on line before being shipped to the customer. Finished goods are defined as any material that can be shipped to a customer; in house produced finished goods, subcontracted materials and trading goods. The information required to make decisions regarding disposition comes from the Quality Management system of each production facility. The first step ensures that raw material and returnable goods are dealt with in another subprocess. The reason for the goods not meeting quality standards is recorded along with the results of any investigation to find the cause of the fault. Information is sent to all other parties who need to know: order fulfillment, inventory management and shipping. The process ensures that the most appropriate action is taken to either dispose of, or rework the goods. Disposal or rework may be either through the original materials supplier or subcontractor, or Mittal Steel Point Lisas.
    M-140
    Maintain Product Related Data     u201CMaterial Master Maintenanceu201D. The Sub-Process 'Maintain Product Related Data' is the list of activities that identify the steps and decision points related to the request for and performance of additions, changes, and deletions to the Material Master file or files. This sub-process begins when a need to create, change or delete a material is identified and ends when the request is either actioned or refused. The sub-process is intended to cover all material types, including finished goods, raw materials, bills of materials, equipment and service, POS, Sundry Items etc. In fact, any product which the company wishes to inventory or purchase. A number of key strategic decisions, including a clear definition of when we issue a new material, will affect this sub-process.
    M-150
    Maintain Production Related Data     u201CMaster Data Maintenanceu201D. This subprocess identifies the activities related to requesting changes or additions to production related master data. Once a need for master data maintenance is identified, a request is submitted for approval. Data defining production capacities and performance standards (e.g. line efficiencies, material yields, etc.) require Corporate level approval prior to maintenance. Other data that is more specific to internal planning functions are maintained at the plant level. Maintenance requests are returned to the originator whether the request is approved or not to improve communication throughout the system. This subprocess may be triggered by: annual operations budgeting process process/production equipment upgrade or replacement change in facility work schedule (i.e. planned hours or days) change in personnel required to operate process/production equipment new products, formulations, or packaging.
    M-160
    Operations Execution Reporting     Gather manufacturing information at various points in the production process. Prepare management reports both at the detailed level for plant management and summary level for senior operations management. Reports will be available on-demand and will include - volume, efficiencies (mechanical, line, and labor), yields, downtime, asset utilization, environmental, safety, quality, and financial data. A major goal of this sub-process is to define a consistent method of calculating operations metrics. Some plants will use line information systems and PCSs to collect information. Not all plants are equipped with these systems and the where they do exist, the level of sophistication varies.
    M-170
    Manage Process Reliability     Optimize capacity by reducing process downtime and ensuring compliance to quality expectations by the reduction of rejects. Install tracking systems to measure line time utilization, quality results, process settings. Conduct root cause analysis, and use the data to develop and implement improved operating procedures.

    Thank you for your prompt response. I'm assuming you are still proposing to use Sales order -> purchase order -> invoice verification -> Customer billing process flow. Is that correct?

  • Help from a Moderator please, possible Solution for Speakers that do not work with X

    Hi!?I think i know a way to get the X-Fi to work with the Inspire 5700 Digital. I have no evil intend, but i would like to post a link to a competitiors product.Well actuall the product itself is not competition since i could not find a creative labs equivalent to it. The idea is to replace the Inspire Digitals Control unit with an alternati've Decoder, while keeping your all of you speakers and stands and the subwoofer. This would allow the X-Fi to be used perfectly. Games would run in 5. via an analoge connection, and DVD would run?in 5. Dolby Digital and DTS via an digital connection. That way, even Windows Vista would work perfectly since games would be covered by Alchemy and DVD's would be decoded indipendently from the computer by the decoder box. The price for this Decoder Box with an optical cable and a remote control is 30 ? and it can be found on the website of germanys most popular computer speaker systems manufacturer... I will post a link to a picture that shows the System now, and it would be very nice of the moderators to not remove this link since it actually would help people to decide to buy an X-Fi. Thanks?http://www.teufel.de/images/zubehoer/dec_fin.jpg?While i have not tried it out myself yet, i see no reason why this should not work. If anyone does, please explain why.Message Edited by Force on 06-4-200702:58 PM

    Hi Jerry,
    The other way around. If you UNCHECK the Windows Event Log, then the media buttons wouldn't work.  If you then CHECK the box again with the checkmark, then the media buttons worked.  I have two of the m645-s4070's at home from Best Buy, I'm returning one, I tested this on both systems and it's the same result.
    I've checked the box again and not unchecked anything in Msconfig - services.  I thought i read somewhere that it wasn't necessary for that to run.  I guess I shouldn't mess around with those. 
    Anyway, it would be very interesting to know what the correlation between the Windows Event Log and the media buttons were.  I read some people were having trouble starting their wireless too since it seems the only way to do that is through those buttons above the function keys.  Perhaps they did the same thing by unchecking the Windows Event Log...

  • For those of u with screen flicker, what did applecare say

    I noticed an ever so slight flicker a couple of weeks ago; only a few times, randomly, and so little that i would think to myself "did the screen just flash" (it was infact, cause i would stare at it for a few seconds afterwards and it would keep doing it) now i was using it and a a pretty dramatic very noticable screen flash, and im afriad of the problem getting worse.
    i know there are a hundred threads about this, and this isnt for people to come in and say "yeahh mine does that too" i want to know some experiences of people who have taken this to a genius ar and what they have said

    I have a standard week 51 White C2D Macbook and everything is still fine, no whine, no moo, no discoloration, no flickering.
    The dvd is quiet, i hear the fan's only when the book gets on it's hottest, wich is 72c, average temp is 48-50 with a 1793 rpm fan.
    I only accepted it with one tiny dead pixel, wich i didn't bother, cause my wallpaper is always dark.
    Last year(it was june i suppose) i bought a white 1,83 CD, this one had a broken topcase and i returned it to the apple reseller as a DOA, then I decided to buy a black one, wich was getting as hot as can be, you could cook an egg on the bottom for instance. So also DOA, the third one was having kernel panics all the time but not at the store while our genius was inspecting the damned thing(you'll see, that will always happen (**** i mean)).
    So, new year, new chances, again I choose a white one, cause the black had so many fingerprints on it, I would be probably arrested for something.

  • [Guide] Install and run Windows 7/8 from an external drive without using bootcamp (works for late 2012 iMacs with 3TB drive)

    This is a copy of a post from my blog, you can also Read it on my blog...
    Introduction
    After I received my new iMac with a 3 TB Fusion Drive, I was disappointed when I realized that Bootcamp was not running on this model and prevented me from installing Windows on it. I wanted to take advantage of the powerful iMac hardware to play games but I couldn't.
    There are a few ways of working around this limitation, but I found most of them quite complex and most of the time they required formatting the internal hard drive or repartitioning it and go for a brand new installation of Mac OS X. I was not comfortable with that.
    But there is another way, and that is to install Windows on an external hard drive, using either USB or Thunderbolt. Personally I used a Lacie Rugged 1 TB drive that has both USB3 and Thunderbolt connectors. Both work very well.
    This guide may interest you if:
    You have an internal hard drive of more than 2TB and you can't run bootcamp at all (like late 2012 iMacs with a 3TB drive)
    You have limited space or you don't want to dedicate disk space on your internal hard disk drive to a Windows installation
    What this guide will make you do:
    It will make you erase all your data from your external USB3/Thunderbolt hard drive
    It will make you install Windows on your external USB3/Thunderbolt hard drive
    It will make you install bootcamp drivers
    What this will not make you do:
    It will not make you modify anything on your internal Mac hard drive
    It will not make you use or install the bootcamp assistant
    It will not activate the Preference Pane for the default boot drive. You have to boot by pressing the ALT key to manually select your boot drive each tome you want to boot Windows.
    What you'll need
    An external hard drive with a USB3 and/or Thunderbolt connector. This drive will be formatted so ensure you saved your files before going further. You can use either an SSD drive or a classic hard drive.
    A Windows 7 or 8 install DVD or ISO (check whether to install 32 or 64 bits versions based on your Bootcamp drivers) and the corresponding Windows serial number.
    One of the following:
    Mac OS X with a Windows 7 or 8 Virtual Machine (use VMWare Fusion or Parallels Desktop for example. Note: VMWare Fusion seems to have some issues with Thunderbolt and USB3. Plug your drive to a USB2 enclosure or hub to work around this -it worked for me-, or use another VM software) → Read the important note below
    A PC running Windows 7 or 8 → Read the important note below
    Windows AIK (free) running on your Virtual Machine or on your PC, or just the imagex.exe file (the rest of the Windows AIK package is not needed)
    Download imagex.exe
    Download Windows AIK (this download and installation is not required if you have already downloaded imagex.exe)
    Bootcamp drivers for your Mac. You can get these either by running bootcamp from your Mac (Applications > Utilities > Bootcamp) or, if like me you have a 3TB drive and can't run bootcamp at all, use the direct download links here.
    A USB stick to store your bootcamp drivers
    IMPORTANT: If your Mac has a 64 bits processor, your Windows Virtual Machine on OSX, your Windows installation on your PC and your Windows DVD/ISO must also be in 64 bits!
    Step by Step guide
    Step 1: Get the install.wim file
    If you have a Windows ISO file:
    Mount the ISO
    If you're on OS X: double click on the ISO file
    If you're on on Windows 7: Use a software like Virtual Clone Drive (free)
    If you're on Windows 8: double click on the ISO file
    Open the mounted drive, then go to the "sources" folder and locate the "install.wim" file. Save this file to C:\wim\ on your Windows installation or virtual machine.
    If you have a Windows DVD: open the "sources" folder on the DVD and locate the "install.wim" file. Save this file to C:\wim\ on your Windows installation or virtual machine.
    IMPORTANT: If instead of a "install.wim" file, you have "install.esd", you can not continue this step by step guide. And an ESD file can not be converted into a WIM file. So you must get a version of the Windows installation DVD/ISO that has an install.wim file.
    Step 2: Clean, partition and format your external hard drive
    On your Windows installation or virtual machine, plug in your external hard drive (can be plugged using USB2, USB3 or Thunderbolt at this stage)
    Open the command prompt in administrator mode (cmd.exe). To run it in administrator mode, right click on cmd.exe > Run as admin.
    Type the following and hit enter to open the disk partitioner utility:
    diskpartType the following and hit enter to list your drives:
    list disk
    This will display a list of disks mounted on your computer or virtual machine. Make sure your drive is listed here before you continue.Identify the disk ID of your external hard drive. Replace # by your real external disk ID in the command below:
    select disk #Clean all partitions by typing the following (warning: this will erase all data from your external drive!):
    clean
    Create the boot parition by typing the following followed by the enter key:
    create partition primary size=350
    This will create a 350MB partition on your external driveFormat the partition in FAT32 by typing the following:
    format fs=fat32 quick
    Set this partition to active by typing:
    active
    Assign a letter to mount this partition. We will use letter B in our example. If B is already used on your PC, replace B by any other available letter:
    assign letter=b
    Windows will detect a new drive and probably display a pop-up. Ignore that.Create the Windows installation partition using all the remaining space available on the external drive by typing the following:
    create partition primary
    Format the new partition in NTFS:
    format fs=ntfs quick
    Assign a letter to mount this partition. We will use letter O in our example. If O is already used on your PC, replace O by any other available letter:
    assign letter=o
    Windows will detect a new drive and probably display a pop-up. Ignore that.Exit the disk partitioner utility by typing:
    exit
    Step 3: Deploy the Windows installation image
    Still using the command prompt in admin mode (you didn't close it, did you? ), locate the imagex.exe file mentioned in the "What you'll need" section and access its folder. In our example, we have put this file in C:\imagex\imagex.exe
    Type the following and hit enter (remember to replace o: with the letter you have chosen in the previous step):
    imagex.exe /apply C:\wim\install.wim 1 o:
    This will take some time. The Windows installation image is being deployed to your external driveOnce done, type the following to create the boot section (remember to replace o: and b: with the letters you've chosen in the previous step):
    o:\windows\system32\bcdboot o:\windows /f ALL /s b:
    If you get an error message saying that you can't run this program on your PC, then most probably you are running on a 32 bits installation of windows and you're trying to deploy a 64 bits install. This means you did not read the important notes in the beginning of this guide
    If you get an error message on the options that can be used with the BCDBOOT command, then it's because you're installing Windows 7, and the /f option is not supported. If that is the case, remove /f ALL from the command and retry.
    Step 4: Boot from your external drive and install Windows
    Plug in your external drive:
    If you've done all the previous steps from a Windows PC, unplug your external drive from your PC and plug it to your Mac, either on a USB3 or a Thunderbolt port.
    If you've done all the previous steps from your Mac using a Virtual Machine, ensure the external drive is plugged in to a USB3 or Thunderbolt port. Using USB2 should also work but you'll get very poor performance so I don't recommend doing that.
    Reboot your Mac and once the bootup sound is over, immediately press the ALT (option) key and release it only when the boot drives selection screen appears. If you did not get the boot drives selection screen, reboot and try again. The timing to press the ALT (option) key is quite short. It must not be too early or too late.
    On the boot selection screen, choose "Windows" using the arrow keys on your keyboard, then press enter.
    The Windows installation starts. Follow the on-screen instructions as normal. The installation program will restart your computer one or 2 times. Don't forget to press ALT (option) right after the bootup sound, and boot on Windows again each time to continue the installation.
    Step 5: Install bootcamp drivers
    Once the Windows installation is complete, plug in the USB stick where you stored the bootcamp drivers (see "what you'll need" section), open it and right click on "setup.exe" and select "Run as admin". Follow the on-screen instructions.If you have an error saying that you can't run this program on this PC, obviously you have installed a 32 bits version of Windows and the bootcamp drivers for your Mac are made for a 64 bits version. You have to restart the whole guide and make sure to get a 64 bits version of Windows this time!
    Once the bootcamp drivers are all installed, reboot and press ALT (option) after the bootup sound to boot on Windows again. And Voilà, you have Windows installed on your USB3/Thunderbolt drive running on your Mac.
    Now each time you want to boot on Windows, press and hold the ALT (option) key after the startup sound and select "Windows", then press Enter.

    Hi i'm trying to follow your guide, I installed windows 8 on bootcamp to do it planning to remove it after the operation is done, but i get stuck at part 3: every command i give to imagex i get a pop-up ftom windws asking how do I want to open this kind of file install.wim and imagex does nothing, what do i have to do to stop those pop-ups?

  • Invalid ELF Heder [possible solution, for the unlucky]

    well i duno whre to post this, but whatevr..
    [woffle]
    yesterday i found that for whatever reason a lot of apps stop working ,
    and instead started complaining about libc.so..6 having an invalid ELF Header... [?] i dunno, that was before and after the upgrade to the 2.5 version...
    anyay, i googled it and found a few random users with this problem, so i knew it had nothign to do with anything.. prolly just the unlucky ones lol..
    [possible solution]
    anways... i managed to fix it [i think] by linking /usr/lib/libc.so.6 to /lib/libc.so.*2.5 instead of /usr/lib/libc.so
    [add]
    /usr/lib/libc.so is an ld-script btw. duno if it should be that way..
    i'd file a bug report, but as i said.. it just happened out of teh blue, i did no sys up/down-grades , compiles, nothing... apart form install kdebase to get kate...

    Hi Florin,
    Check person type useage also. coz When Employee.Ex-Applicant' person type changes to 'Employee.Applicant', no other actions can be processed for that person.
    Kind Regards,

  • Full mesh VPN solution for on MPLS network with PE and CPEs

    Hi,
    We are trying to evaluate some best solution for Hub-Spoke mesh vpn solution in a MPLS network. The VPN hub router will be in PE router and all the VPN spoke will be in CPE.
    Can someone please let us know what will be the best vpn solution, we understands that there will be some technical limitations going with GETVPN but still we did counld find any documenation for possiblity of using DMVPN.
    How about the recent flexvpn, can fex-vpn work on this requirement, where can i get a design/configuration document.?
    thanks in advance.

    Hello,
    GetVPN is intended for (ANY-to-ANY) type of VPN communication, over an MPLS network with Hub and Spoke Topology, your best Option is to look for Cisco (DMVPN) implementation where this type of VPN is primarily designed for Hub & Spoke.
    Regards,
    Mohamed

  • Cleaner for the new iMac i7 screen?

    Anyone have a good cleaner for the new iMacs i swear, the new anti glare brings out the prints!

    How to Clean Apple Products
    http://support.apple.com/kb/HT3226

  • IMac 27" screen artifacts. Is it hardware?

    Is it the story of grafic card dying? ATI Radeon HD 4850
    When working with video in FCPX I put lots of video effects over the videoclip. Usually FCPX rendered video and all was ok. But once I've  got kernel panic.
    Restarted by holding power button. After system loaded I found a gray screen and some dots over it and 1/6 lower part of screen in gorizontal lines. The coursor was seen clearly over this haos.
    I let the iMac cool and turned it on again. It was ok but when I launched FCPX again app screen just turned into "gray dotted lined screen" as did before. And I could see only apple logo when loading when it should be desktop it became  "gray dotted lined screen".
    Nothing helped so I reinstalled my OS X (DVD installation disks 10.6.5) I saw the screen again but now I often see black squares in folder instead of thumbnails artifacts instead of a picture, espessially appStore. I thought upgrad to 10.6.8 can help and after installing got the same "gray dotted linen screen"
    Fans were working too high lately so I decided the termal paste should be replaced. Really, now my fans are working low and iStats menu makes me happy with low temperature but I stiil got troubles. Today all I can do is to write this letter under 10.6.5 OS from 32Gb USB flash. I can see the screen save and sound, but as I try to load from HDD with 10.6.8 screen becomes "gray dotted lined screen" and I can see cursor marker clearly over those dots and Lines.
    All I want to know is it a diying GPU error or I can do anything?
    I desided to change the thermal paste on CPU if it doesn't help I dont know whats the trouble.
    PS. I would not go to service coz changing of my grafic card is too expensive.
    iMac 27" Late 2009, ATI Radeon HD 4850

    Please run Apple Hardware Test 3 times back to back in extended mode. If error codes appear you have confirmated you have a hardware issue. If you are not familiar with AHT please click http://support.apple.com/kb/ht1509 for instructions.

  • Report for PGI & billing value with reference to SO Line item

    Dear all,
    Please guide me whether there is any standard report available to check the PGI value and billing at a time with reference to a sales order (line item).
    Thanks & regards.
    Pranab

    as far as I know there is NO such standard report.
    you would try to build sap query based on VBAK/VBAP using VBFA checking LIKP/LIPS and VBRK/VBRP...
    but you may request abaper for more professional report with MKPF/MSEG and BKPF/BSEG

  • Possible solution for problems printing with ICC profiles - esp. R2400

    (N.B. This is long because I've decided to go in to details about the background of the problem etc.. Also note that whilst my experience is with the Epson R2400, anyone with problems printing using ICC profiles in Aperture may find this post helpful, as will be explained further down the post.)
    Ok, here's the situation. I've been an Aperture user for over a year, and an R2400 owner for half a year. In that time I have done a huge amount of experimenting, but I've never managed to get Aperture to work perfectly with Epson's 'premium' R2400 ICC profiles - the ones you can download from their site which are better than the ones provided 'in the box'. This hasn't been too big a deal because, in fact, the R2400 does a rather good job just set to 'System Managed' in Aperture and 'Epson Vivid' with a gamma of 1.8 in the printer driver. Nevertheless, it really annoyed me that something that should work wasn't, which is why I've spent a lot of time trying to figure out what's going on. Having said that, I have come across a method which will give you pretty good prints out of your Epson R2400 using the premium profiles in Aperture - it's not perfect, but it's the best you're going to get if you want to use those profiles in Aperture. I understand the words 'it's not perfect' aren't what photography experts would probably want to hear, however, I have seen a few anguished posts from R2400 owners in here before, so I think some people may find it useful.
    The whole reason why Aperture is hopeless at using the R2400's premium profiles is because - unusually - their default rendering intent is set to 'relative colorimetric' rather than 'perceptual'. You might say 'but that's good - it means you get more accurate colours!', and if you do, you're right... however, there's a snag. To get an image to reproduce well using Epson's premium profiles and relative colorimetric rendering, you really need to use black point compensation. This is where the trouble lies: Aperture's black point compensation is diabolical to the point of being unusable when used with relative colorimetric rendering - I feel I need to be awarded compensation every time I've ever tempted to use the setting. So because BPC in Aperture is unusable, that effectively makes the premium profiles unusable too, because Aperture always uses the default rendering intent specified in the profile.
    The solution? Use perceptual rendering instead. Ok, so you can't change the rendering intent in Aperture, which makes that sound a tad difficult. However, as I said in the above paragraph, Aperture always obeys the default rendering intent specified in the profile... so you can see where we're going with this: we need to change the ICC profiles' default rendering intent from 'relative colorimetric' to 'perceptual'. I did some digging around and found one or two expensive pieces of software that could do that... but then I found that, lo and behold, the Mac OS has a command-line utility which can do the job for us, for precisely £0.00. It's called SIPS or 'Scriptable Image Processing System', and you can find out some information about it here: http://developer.apple.com/technotes/tn/tn2035.html#TNTAG58 For those who don't like reading technical jargon however, here's what you need to do to convert a profile's rendering intent. First go to terminal, then type in the following command:
    sips -s renderingIntent perceptual
    Do not press 'enter' yet. Instead, add a space after 'perceptual', find the ICC profile you want to modify, and click and drag it into the terminal window. You should then find that your command looks something like this:
    sips -s renderingIntent perceptual /Users/yourname/folder/RandomProfile.ICC
    At which point you can then press 'enter', and the command will execute, giving you an ICC profile which will now make Aperture use perceptual rendering.
    There is just one further thing to be aware of after doing this: for some crazy reason, you then need to turn on BPC in Aperture for the prints to come out as good as possible. Black point compensation shouldn't make any difference when using perceptual rendering as the idea of perceptual is that it takes account of things like that anyway, however, in Aperture BPC does make a difference, so remember to turn it on to get a half decent print. In general, I find that prints made using this setup come out pretty well; they almost perfectly match prints made using the profiles with a perceptual intent in Photoshop Elements, except for the fact that Aperture blocks up the shadows a bit more than Photoshop. However, if you can live with that, you might find this is quite a workable solution.
    Now, I said near the beginning of this post that all the above can apply to other printers too. Most printer profiles have 'perceptual' set as their default rendering intent, in which case everything I've just said won't be of much help. However, If you are reading this because you're having problems with ICC profiles in Aperture, but you don't use an Epson R2400, find your problematic ICC profile, double-click on it, and take a look at the window that opens: specifically, at the 'Rendering Intent' the window mentions. If it doesn't say 'Perceptual' then it may well be worth trying the steps I've outlined in this post to set it to perceptual, to see if doing so produces an improvement when using the profile in Aperture.
    Finally, just one note of caution: if you decide to try out the steps I've detailed above on a paid-for custom-made profile, please back your profile up before messing with it. I haven't experienced any problems when using SIPS to change a profile's rendering intent, but I obviously can't guarantee that it won't do something weird and corrupt your expensive custom-made profile.
    If you have any questions, feel free to ask, although (contrary to any impression I may give) I am not a colour-management expert; I'm just someone who doesn't give up when they have a problem that should be solvable.
    Thomas
    Mac Pro 2.0GHz with 30" ACD; 15" MacBook Pro 2.0GHz   Mac OS X (10.4.10)  

    Thomas
    Wow - thanks for such a comprehensive post.
    I have Aperture and a 2400 so this information is exceptionally useful to me.
    Again - thanks for caring and sharing
    Brian

Maybe you are looking for

  • Multiple iPod Users on the same computer & Music Sharing

    Looking for some help...1 computer, 4 individual users. I originally purchased my iPod, ran the iTunes software of have a substantial library. Chirstmas-time, 3 iPods purchased for wife and two kids (the other three users). Am I supposed to load the

  • Twitter is messed up with Latest Firefox.

    After I upgraded to the latest FireFox When I go to Twitter.com this happens http://screensnapr.com/v/ufFzmM.png I tried clearning my cache and registry and use cCleaner. Still not working. It works fine in IE.

  • My deskjet 9800 only prints partial pages

    My deskjet 9800 only prints partial pages in 11x17" format. then pulls another paper for two inches of printing then pulls another paper for another two inches of printing etc. Other sizes work fine. I just upgraded my computer and changed cable to a

  • What is this msg means?

    I bought a new iPhone the day before yesterday. And, today, as I was a strange msg when was installing a new free app. This is a msg You've already purchased this item but it hasn't been downloaded........to your computer. But I've never purchased it

  • Re : Print program to PDF form

    Hello Gurus,    Can any one help me out in getting the print program to related form.    Is there any table which stores the form and related program. Thanks, Feroz.