My Macbook doesn't turn on, it just show a white screen and after a while a question mark blink, I cannot click the question mark, and cannot do anything. Any suggestions?

Hi, my Macbook doesn't turn on, it just show a white screen and after a while a big question mark blinks but nothing else, cannot click the question mark, cannot do anything.Also it makes a funny noise.  Any suggestions?

Suppose it's a HDD crash. Boot from Install DVD which came with your MacBook(Press C during startup) and open DiskUtility to repair your HDD if it's able to mount.

Similar Messages

  • HT201210 I dropped my iPhone 5 and it doesn't turn on it just shows the apple and says to plug into iTunes.. then i restore it and it says error , what do i do to get my phone to turn on fully ?

    helpppp
    I dropped my iPhone 5 and it doesn't turn on it just shows the apple and says to plug into iTunes.. then i restore it and it says error , what do i do to get my phone to turn on fully ?

    See if this helps: http://support.apple.com/kb/TS3694#USB
    If it does not help, the drop probably damaged something inside the phone.

  • What do I do if my iTouch does't turn on or off and just shows a white screen?

    I was on fb and it suddenly freezes. I press the button (not the on/off one), and then it doesn't respond. I try the on/off button next and it still doesn't respond. I try doing both and it goes to a white screen. I guess it's still on because the light is pretty much on. But what do I do? I use this iTouch to contact people and it's important that I get it back to normal ASAP. Please help!

    Let the battery fully drain. After charging for at least an your try:
    iOS: Not responding or does not turn on
    If still problem time for an appointment at the Genius Bar of an Apple store.

  • New to JMF my players just showing a white screen

    Hello
    I'm an experienced java programmer but i am new to JMF i'm having trouble applying an effect to a video track i've registered the effect successfully however when i then apply it to the video track all i get is a white screen. the player displays the video fine without the effect plugin applied however when i apply the effect it all goes wrong. i've checked the plugin viewer and data does seem to be moving between the various plugins and when i use a print statement the data is coming out of the plug in correctly. below is my code the player follwed by the effect file. its a real mess because i've been playing around with it for hours trying to get it to work and it's driving me crazy please can someone help!
    Thanks
    /////////////////***********Effect File************\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\
    import javax.media.*;
    import javax.media.format.*;
    import java.awt.*;
    public class RGBPassThruEffect implements Effect {
    Format inputFormat;
    Format outputFormat;
    Format[] inputFormats;
    Format[] outputFormats;
    public RGBPassThruEffect() {
    inputFormats = new Format[] {
    new RGBFormat(null,
    Format.NOT_SPECIFIED,
    Format.byteArray,
    Format.NOT_SPECIFIED,
    24,
    3, 2, 1,
    3, Format.NOT_SPECIFIED,
    Format.TRUE,
    Format.NOT_SPECIFIED)
    outputFormats = new Format[] {
    new RGBFormat(null,
    Format.NOT_SPECIFIED,
    Format.byteArray,
    Format.NOT_SPECIFIED,
    24,
    3, 2, 1,
    3, Format.NOT_SPECIFIED,
    Format.TRUE,
    Format.NOT_SPECIFIED)
    // methods for interface Codec
    public Format[] getSupportedInputFormats() {
         return inputFormats;
    public Format [] getSupportedOutputFormats(Format input) {
    if (input == null) {
    return outputFormats;
    if (matches(input, inputFormats) != null) {
    return new Format[] { outputFormats[0].intersects(input) };
    } else {
    return new Format[0];
    public Format setInputFormat(Format input) {
         inputFormat = input;
         return input;
    public Format setOutputFormat(Format output) {
    if (output == null || matches(output, outputFormats) == null)
    return null;
    RGBFormat incoming = (RGBFormat) output;
    Dimension size = incoming.getSize();
    int maxDataLength = incoming.getMaxDataLength();
    int lineStride = incoming.getLineStride();
    float frameRate = incoming.getFrameRate();
    int flipped = incoming.getFlipped();
    int endian = incoming.getEndian();
    if (size == null)
    return null;
    if (maxDataLength < size.width * size.height * 3)
    maxDataLength = size.width * size.height * 3;
    if (lineStride < size.width * 3)
    lineStride = size.width * 3;
    if (flipped != Format.FALSE)
    flipped = Format.FALSE;
    outputFormat = outputFormats[0].intersects(new RGBFormat(size,
    maxDataLength,
    null,
    frameRate,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED,
    lineStride,
    Format.NOT_SPECIFIED,
    Format.NOT_SPECIFIED));
    //System.out.println("final outputformat = " + outputFormat);
    return outputFormat;
    // methods for interface PlugIn
    public String getName() {
    return "Blue Screen Effect";
    public void open() {
    public void close() {
    public void reset() {
    // methods for interface javax.media.Controls
    public Object getControl(String controlType) {
         return null;
    public Object[] getControls() {
         return null;
    // Utility methods.
    Format matches(Format in, Format outs[]) {
         for (int i = 0; i < outs.length; i++) {
         if (in.matches(outs))
              return outs[i];
         return null;
    public int process(Buffer inBuffer, Buffer outBuffer) {
    int outputDataLength = ((VideoFormat)outputFormat).getMaxDataLength();
         validateByteArraySize(outBuffer, outputDataLength);
    outBuffer.setLength(outputDataLength);
    outBuffer.setFormat(outputFormat);
    outBuffer.setFlags(inBuffer.getFlags());
    byte [] inData = (byte[]) inBuffer.getData();          // Byte array of image in 24 bit RGB
    byte [] outData = (byte[]) outBuffer.getData();          // Byte array of image in 24 bit RGB
    RGBFormat vfIn = (RGBFormat) inBuffer.getFormat();     // Metadata - format of RGB stream
    Dimension sizeIn = vfIn.getSize();               // Dimensions of image
    int pixStrideIn = vfIn.getPixelStride();          // bytes between pixels
    int lineStrideIn = vfIn.getLineStride();          // bytes between lines
         int bpp = vfIn.getBitsPerPixel();               // bits per pixel of image
         for (int i=0; i < sizeIn.width * sizeIn.height * (bpp/8); i+= pixStrideIn)
              outData[i] = inData[i];                    // Blue
              //System.out.println("Blue: OutData = "+outData[i]+" | InData = "+inData[i]);
              outData[i+1] = inData[i+1];               // Green Don't you just love Intel byte ordering? :-)
              //System.out.println("Green: OutData = "+outData[i+1]+" | InData = "+inData[i+1]);
              outData[i+2] = inData[i+2];               // Red
              //System.out.println("Red: OutData = "+outData[i+2]+" | InData = "+inData[i+2]);
    return BUFFER_PROCESSED_OK;
    byte[] validateByteArraySize(Buffer buffer,int newSize) {
         Object objectArray=buffer.getData();
         byte[] typedArray;
         if (objectArray instanceof byte[]) {     // is correct type AND not null
              typedArray=(byte[])objectArray;
              if (typedArray.length >= newSize ) { // is sufficient capacity
                   return typedArray;
              byte[] tempArray=new byte[newSize]; // re-alloc array
              System.arraycopy(typedArray,0,tempArray,0,typedArray.length);
              typedArray = tempArray;
         } else {
              typedArray = new byte[newSize];
         buffer.setData(typedArray);
         return typedArray;
    //////////////////////////******Player file**********\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\
    import javax.media.*;
    import javax.media.format.*;
    import javax.media.control.*;
    import javax.media.protocol.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    import java.io.*;
    import java.lang.*;
    import java.util.*;
    class RTPReceiver extends JFrame implements ControllerListener
         JPanel main = new JPanel();
         BorderLayout layout = new BorderLayout();
         boolean realized = false;
         boolean loopBack = true;
         boolean configured = false;
         RGBPassThruEffect Effect = new RGBPassThruEffect();
         TrackControl[] TC;
         static final String CLASS_NAME = "Documents and Settings.Alex Bowman.Desktop.RTPSender.RGBPassThruEffect";
         Processor myPlayer;
         Player player;
         //processor myProcessor;
         public RTPReceiver()
              //super();
              System.out.println(""+PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3).size());
              CreateProcessor("rtp://127.0.0.1:8000/video");
              myPlayer.configure();
              while(myPlayer.getState()!=myPlayer.Configured)
              //TC = myPlayer.getTrackControls();
              applyEffect();
              FileTypeDescriptor FTD = new FileTypeDescriptor("RAW");
              myPlayer.setContentDescriptor(FTD);
              blockingRealize();
              myPlayer.start();
              try
                   player = Manager.createPlayer(myPlayer.getDataOutput());
              catch (IOException e)
                   System.out.println("Error creating player "+e);
              catch (NoPlayerException NPE)
                   System.out.println("Error creating player "+NPE);
              player.realize();
              while(player.getState() != player.Realized)
              player.start();
              System.out.println("hello i get here");
              main.add("Centre",player.getVisualComponent());
              main.setLayout(layout);
              main.add("South",player.getControlPanelComponent());
              setTitle("RTP Video Receiver");
              setSize(325,296);
              setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
              setContentPane(main);
              setVisible(true);
              //show();
         public void applyNewPlugin()
              PlugInManager.addPlugIn(CLASS_NAME, Effect.inputFormats, Effect.outputFormats, javax.media.PlugInManager.EFFECT);
              try
    PlugInManager.commit();
              catch (IOException e)
                   System.out.println("Error commiting PlugIn to system.");
         public void applyEffect()
              TC = myPlayer.getTrackControls();
              Vector V = PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3);
              System.out.println("1: "+TC[0].getFormat().toString());
                        //Codec COD = PlugInManager.getPlugInList(Effect.inputFormat,Effect.outputFormat,3).get(0);
                        Codec effectChain[] = {new RGBPassThruEffect()};
                        try
                             System.out.println(""+V.get(0));
                             Format[] input = Effect.getSupportedInputFormats();
                             TC[0].setFormat(input[0]);
                             System.out.println("2: "+TC[0].getFormat().toString());
                             TC[0].setCodecChain(effectChain);
                        catch (UnsupportedPlugInException E)
                             System.out.println("Error applying effect file. "+ E);
         public void CreateProcessor(String URL)
              MediaLocator MRL = new MediaLocator(URL);
              try
                   myPlayer = Manager.createProcessor(MRL);
                   myPlayer.addControllerListener(this);
              catch (NoPlayerException e)
                   System.out.println("NoPlayerException Occurred when trying to create Player for URL "+URL);
              catch (IOException f)
                   System.out.println("IO Exception occurred creating Player for RTP stream at URL: "+ URL);
         public synchronized void blockingRealize()
              myPlayer.realize();
              while(realized == false)
                   try
                        wait();
                   catch (InterruptedException IE)
                        System.out.println("Thread Interupted while waiting on realization of player");
                        System.exit(1);
         /*     if(myPlayer.getVisualComponent() !=null)
                   //main.add("Centre",myPlayer.getVisualComponent());
              else
                   System.out.println("error creating visual component");
         public synchronized void controllerUpdate(ControllerEvent E)
              if(E instanceof RealizeCompleteEvent)
                   realized = true;
                   notify();
              if(E instanceof EndOfMediaEvent)
                   //code for end of media file in here
                   myPlayer.setMediaTime(new Time(0));
                   myPlayer.start();
         public void Start()
         public void Stop()
              if(myPlayer != null)
                   myPlayer.stop();
                   myPlayer.deallocate();
         public static void main(String[] args)
              RTPReceiver RTP = new RTPReceiver();

    YYes  this is normal. if you go back to the main screen and view older post, at the bottom click "View More", you will see more posts like your own.

  • Itunes just shows a white screen that says "ipod"

    Hi!
    My boyfriend just bought an 32 gb ipod touch. When he plugged it into his computer to sync with itunes, the ipod touch was recognized, but instead of the normal screen that shows the touch's serial number and other information, as well as the tabs for syncing music, videos, and applications, all we see is a white screen that says "ipod." I plugged my 32 gb touch into his computer and itunes worked fine. Any advice? Is the ipod the problem or is it itunes?

    Try:
    - Resetting the iPod. Nothing will be lost
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Next try placing the iPod in Recovery Mode and then restoring via iTunes.
    iTunes: Backing up, updating, and restoring iOS software

  • Downloaded Premiere elements 10 app, but just get a white screen??

    I have just bought this app and it wont open properly, it just shows a white screen. Can anyone help?

    >still think I need to update
    Yes... no computer company builds one at a time with the "then current" software drivers for all hardware
    A "master tape" (or hard drive image) is made at some point in time, with Operating System and Device Driver software current as of THAT date
    That production master is then copied on each computer's hard drive during assembly... which means the master may be several months out of date
    So... you are using a macbook pro... what about the rest of the questions in the links I posted?

  • MacBook Doesn't Turn On

    It's a fact: my Windows PC doesn't freeze/crash as much as my MacBook does.
    Just now my new MacBook froze up on me for the fith time in three weeks. Here's what happens: I shut down my MacBook the same way I always do, and then I close my MacBook's lid. I come back later to use my MacBook and realize that the "sleep light" is lit up. I open the lid and the sleep light fades away. I press keys and nothing happens, I move my finger across the trackpad and nothing happens, I press my clicker below the trackpad and nothing happens, I press and even hold the power button and nothing happens. I check the battery by clicking the battery button on the back of my MacBook each time, and never has it indicated that my battery was low (never has less than two out of five dots lit up). So the battery is not the problem here.
    How I eventually get the laptop to start up is different every time. In the past pressing the keys over and over for a few mins seems to do the trick. Or holding power for a really, really long time. Today it didn't turn on until I held "option" and pressed power. Then I finally got a response, and my MacBook started up again.
    And every single time I get the same message: "The computer was restarted after Mac OS X quit unexpectedly." I click "report" for more information and nothing ever pops up. Pity.
    My guess is that when I try to shut down my MacBook, it occasionally doesn't shut down, for some reason. I'm guessing that the MacBook freezes up and goes into a deep-sleep mode or something... even though the screen turns black like it normally does after I shut down my MacBook. So then I walk away thinking my MacBook is shut down when in all reality it's semi-awake. It's irritating.
    So that's mu dillema. My MacBook doesn't turn on... or perhaps it just never turns off. Because if it was fully off, there wouldn't be a problem turning it on. Haha.
    Why is my MacBook doing this? Why can't it just shut down without a problem? What could be causing my MacBook to crash/freeze up at shut down like this?
    All help is greatly appreciated!
    MacBook 2.0Ghz   Mac OS X (10.4.6)  

    Take your battery out and reset your PMU.
    http://docs.info.apple.com/article.html?artnum=303319
    Next time you shut down, wait until the computer is totally shut down -- i.e., make sure you don't hear your fan running, the screen is black and that the light is out on the front of the computer -- before you close the lid.
    I had that exact thing happen once, and since I done the above, it's never happened since.
    -Bmer
    Mac Owners Support Group
    Join Us @ MacOSG.com
    ITMS: MacOSG Podcast
     An Apple User Group 

  • MacBook doesn't turns into sleep mode and swop doesn't work.

    MacBook doesn't turns into sleep mode and swop doesn't work.
    Can you help me please. I have a MacBook Pro 8.2. I reinstalled OS X to make swop file working, but it still doesn't work. I reinstalled OS X from Internet recovery.
    Start time: 10:31:02 03/15/15
    Model Identifier: MacBookPro8,2
    System Version: OS X 10.10.2 (14C109)
    Kernel Version: Darwin 14.1.0
    Time since boot: 3 minutes
    Memory
        BANK 0/DIMM0:
          Size: 4 GB
          Speed: 1333 MHz
          Status: OK
          Manufacturer: 0x029E
        BANK 1/DIMM0:
          Size: 4 GB
          Speed: 1333 MHz
          Status: OK
          Manufacturer: 0x029E
    SerialATA
       TOSHIBA MK5065GSXF                     
    Diagnostic reports
       2015-03-15 Boom 2 crash
       2015-03-15 com.apple.internetaccounts crash
    Log
       Mar 15 10:26:10 memorystatus_thread: idle exiting pid 546 [tccd]
       Mar 15 10:26:11 memorystatus_thread: idle exiting pid 547 [nsurlstoraged]
       Mar 15 10:26:12 memorystatus_thread: idle exiting pid 544 [soagent]
       Mar 15 10:26:13 memorystatus_thread: idle exiting pid 548 [nsurlstoraged]
       Mar 15 10:26:43 memorystatus_thread: idle exiting pid 556 [com.apple.CodeSi]
       Mar 15 10:26:44 memorystatus_thread: idle exiting pid 558 [accountsd]
       Mar 15 10:26:45 memorystatus_thread: idle exiting pid 553 [com.apple.iCloud]
       Mar 15 10:26:46 memorystatus_thread: idle exiting pid 561 [networkd_privile]
       Mar 15 10:26:47 memorystatus_thread: idle exiting pid 555 [secinitd]
       Mar 15 10:26:48 memorystatus_thread: idle exiting pid 560 [tccd]
       Mar 15 10:26:49 memorystatus_thread: idle exiting pid 562 [secd]
       Mar 15 10:26:50 memorystatus_thread: idle exiting pid 554 [com.apple.intern]
       Mar 15 10:26:51 memorystatus_thread: idle exiting pid 565 [nsurlstoraged]
       Mar 15 10:26:52 memorystatus_thread: idle exiting pid 563 [soagent]
       Mar 15 10:26:53 memorystatus_thread: idle exiting pid 551 [syncdefaultsd]
       Mar 15 10:26:54 memorystatus_thread: idle exiting pid 557 [CoreServicesUIAg]
       Mar 15 10:26:55 memorystatus_thread: idle exiting pid 567 [iconservicesd]
       Mar 15 10:26:56 memorystatus_thread: idle exiting pid 566 [iconservicesagen]
       Mar 15 10:26:57 memorystatus_thread: idle exiting pid 568 [systemstatsd]
       Mar 15 10:26:58 memorystatus_thread: idle exiting pid 550 [cfprefsd]
       Mar 15 10:26:59 memorystatus_thread: idle exiting pid 552 [cfprefsd]
       Mar 15 10:27:00 memorystatus_thread: idle exiting pid 549 [coreduetd]
       Mar 15 10:27:01 memorystatus_thread: idle exiting pid 564 [nsurlstoraged]
       Mar 15 10:28:18 ** GPU Hardware VM is disabled (multispace: disabled, page table updates with DMA: disabled)
       Mar 15 10:29:09 proc 316: load code signature error 4 for file "Boom 2"
    I/O per process: coresymbolicati (UID 0) is using 15 MB/s
    kexts
       com.globaldelight.driver.Boom2Device (1.1)
    Daemons
       com.apple.installer.osmessagetracing
    Agents
       com.apple.AirPortBaseStationAgent
       com.globaldelight.Boom2Daemon
    Extensions
       /Library/Extensions/Boom2Device.kext
       - com.globaldelight.driver.Boom2Device
       /System/Library/Extensions/EPSONUSBPrintClass.kext
       - com.epson.print.kext.USBPrintClass
       /System/Library/Extensions/JMicronATA.kext
       - com.jmicron.JMicronATA
    Applications
       /Applications/Boom 2.app
       - com.globaldelight.Boom2
       /Applications/Boom 2.app/Contents/Library/LoginItems/Boom2Daemon.app
       - null
    Bundles
       /Library/Printers/Canon/BJPrinter/Plugins/BJNP/CIJNetworkIOM.plugin
       - jp.co.Canon.ij.print.iom.CIJNP
       /Library/Printers/Canon/BJPrinter/Plugins/BJNP/CIJNetworkPBM.plugin
       - jp.co.Canon.ij.print.pbm.CIJNP
       /Library/Printers/Canon/BJPrinter/Plugins/BJUSB/BJUSBIOM.plugin
       - jp.co.canon.bj.print.bjusbiom
       /Library/Printers/Canon/BJPrinter/Plugins/BJUSB/BJUSBPBM.plugin
       - jp.co.canon.bj.print.pbm.USB
       /Library/Printers/Canon/BJPrinter/Plugins/BJUSB/CIJUSBClassDriver.plugin
       - jp.co.canon.ij.print.CIJUSBClassDriver
       /Library/Printers/Canon/BJPrinter/Plugins/BJUSB/CIJUSBClassDriver2.plugin
       - jp.co.canon.ij.print.CIJUSBClassDriver2
       /Library/Printers/Canon/BJPrinter/Plugins/IJBluetooth/IJBluetoothIOM.plugin
       - jp.co.canon.ij.print.ijbluetoothiom
       /Library/Printers/EPSON/CIOSupport/CIOHelper.plugin
       - com.epson.print.plugin.CIOHelper
       /Library/Printers/EPSON/CIOSupport/EPSONUSBPrintClass.plugin
       - com.epson.print.plugin.USBPrintClass
       /Library/Printers/EPSON/CIOSupport/XIOP.plugin
       - com.epson.print.plugin.XIOP
       /Library/Printers/EPSON/CIOSupport/XIORemoteClient.plugin
       - com.epson.print.plugin.XIORemoteClient
       /Library/Printers/EPSON/CIOSupport/XIORemoteServer.plugin
       - com.epson.print.plugin.XIORemoteServer
    Restricted files: 219
    Elapsed time (s): 238

    Remove "Boom" and test.
    Any third-party software that doesn't install by drag-and-drop into the Applications folder, and uninstall by drag-and-drop to the Trash, is a system modification.
    Whenever you remove system modifications, they must be removed completely, and the only way to do that is to use the uninstallation tool, if any, provided by the developers, or to follow their instructions. If the software has been incompletely removed, you may have to re-download or even reinstall it in order to finish the job.
    I never install system modifications myself, and except as stated in this comment, I don't know how to uninstall them. You'll have to do your own research to find that information.
    Here are some general guidelines to get you started. Suppose you want to remove something called “BrickMyMac” (a hypothetical example.) First, consult the product's Help menu, if there is one, for instructions. Finding none there, look on the developer's website, say www.brickmymac.com. (That may not be the actual name of the site; if necessary, search the Web for the product name.) If you don’t find anything on the website or in your search, contact the developer. While you're waiting for a response, download BrickMyMac.dmg and open it. There may be an application in there such as “Uninstall BrickMyMac.” If not, open “BrickMyMac.pkg” and look for an Uninstall button. The uninstaller might also be accessed by clicking the Customize button, if there is one.
    Back up all data before making any changes.
    You will generally have to restart the computer in order to complete an uninstallation. Until you do that, there may be no effect, or unpredictable effects.
    If you can’t remove software in any other way, you’ll have to erase and install OS X. Never install any third-party software unless you're sure you know how to uninstall it; otherwise you may create problems that are very hard to solve.
    Trying to remove complex system modifications by hunting for files by name often will not work and may make the problem worse. The same goes for "utilities" such as "AppCleaner" and the like that purport to remove software.

  • My 13" macbook just stopped working. When you turn it on you get a white screen and hear a repetitive clicking sound on the left side. Is this the hard drive? Any suggestions on replacement drives?

    My 13" macbook just stopped working. When you turn it on you get a white screen and hear a repetitive clicking sound on the left side. Is this the hard drive? Any suggestions on replacement drives?
    Thanks

    Put your install DVD into the optical drive (CD/DVD drive) and reboot. Be sure to either use the disc that came with your Mac, or, if you installed a later Mac OS X version from disc, use the newer disc. As soon as you hear the boot chime, hold down the "c" key on your keyboard (or the Option Key until the Install Disk shows up) until the apple shows up. That will force your MacBook to boot from the install DVD in the optical drive.
    When it does start up, you'll see a panel asking you to choose your language. Choose your language and press the Return key on your keyboard once. It will then present you with an Installation window. Completely ignore this window and click on Utilities in the top menu and scroll down to Disk Utility and click it. When it comes up is your Hard Drive in the list on the left?
    If it is, then click on the Mac OS partition of your hard drive in the left hand list. Then select the First Aid Tab and run Repair Disk. The Repair Disk button won't be available until you've clicked on the Mac OS partition on your hard drive. If that repairs any problems run it again until the green OK appears and then run Repair Permissions. After repairing use Startup Disk from the same menu to choose your hard drive for restarting from your hard drive.
    If your hard drive isn’t recognized in Disk Utility then your hard drive is probably dead.

  • Hi! I'm using a Macbook Pro, and my photo booth stopped working! I just updated my software yesterday, but it still doesn't work!! The green light does go on though, any suggestions on how to make it work?

    Hi! I'm using a Macbook Pro, and my photo booth stopped working! I just updated my software yesterday, but it still doesn't work!! The green light does go on though, any suggestions on how to make it work?

    In what way is it not working? 
    Please describe in detail all you have attempted to do in order to resolve the issue. 

  • I have a Macbook PRO and it stopped booting up. When I turn power on it just stays in white screen.

    I have a Macbook PRO and it stopped booting up. When I turn power on it just stays in white screen. I have not dropped it anything. Please help.

    Try holding alt when booting to select your hard drive to boot into, if that fails, do it again but select the "recovery" partition (If you have Lion or Mountain Lion)

  • My macbook doesn't turn off and filesystem verify or repair failed

    My macbook doesn't turn off unless I take out the battery, which I did not do at this time. Used disk utility and it came up with Error: filesystem verify or repair failed. Missing thread record id=2099508. Incorrect number of thread records.  Invalid file count. Should be 1042169 instead of 1042170. The volume needs to be repaired - 7%. Okay, shall I take out the battery, then put it back in, and on startup press D and do a hardware test? Or what?  Thank you.  Ellen 
    These are the MacBook's specs:
    Processor Name:
    Intel Core 2 Duo
       Processor Speed:
    2.4 GHz
       Number Of Processors:
    1
       Total Number Of Cores:
    2
       L2 Cache:
    3 MB
       Memory:
    2 GB
       Bus Speed:
    800 MHz

    Sorry I didn't reply sooner. I had work to do on my computer, and I didn't want to rsk messing around with it until I finished.  So, I removed the battery in order to turn off the computer, then restarted it , holding down the D key at the same time. The computer started up, but no screen came up to continue. So I again removed the battery, though I did first try shutting it down the correct way, and aain restarted with holding the D key down. Nothing happed no hardware test.  So, everything is backed up now, and is my next step to insert my Mac OS X install disc 1, or do I earase everything and install it,?  And am I supposed to install the disc while holding down the C key?
    Thank you.
    Ellen

  • My MacBook Air will not turn on. I get a white screen with the apple logo and a spinning star that just does that for hours

    My MacBook Air will not turn on. I get a white screen with the apple logo and a spinning star (search icon). It will spin for hours and never go away unless I power off.

    Take each of these steps that you haven't already tried. Stop when the problem is resolved.
    To restart an unresponsive computer, press and hold the power button for a few seconds until the power shuts off, then release, wait a few more seconds, and press it again briefly.
    Step 1
    The first step in dealing with a startup failure is to secure the data. If you want to preserve the contents of the startup drive, and you don't already have at least one current backup, you must try to back up now, before you do anything else. It may or may not be possible. If you don't care about the data that has changed since the last backup, you can skip this step.
    There are several ways to back up a Mac that is unable to start. You need an external hard drive to hold the backup data.
    a. Start up from the Recovery partition, or from a local Time Machine backup volume (option key at startup.) When the OS X Utilities screen appears, launch Disk Utility and follow the instructions in this support article, under “Instructions for backing up to an external hard disk via Disk Utility.” The article refers to starting up from a DVD, but the procedure in Recovery mode is the same. You don't need a DVD if you're running OS X 10.7 or later.
    b. If Step 1a fails because of disk errors, and no other Mac is available, then you may be able to salvage some of your files by copying them in the Finder. If you already have an external drive with OS X installed, start up from it. Otherwise, if you have Internet access, follow the instructions on this page to prepare the external drive and install OS X on it. You'll use the Recovery installer, rather than downloading it from the App Store.
    c. If you have access to a working Mac, and both it and the non-working Mac have FireWire or Thunderbolt ports, start the non-working Mac in target disk mode. Use the working Mac to copy the data to another drive. This technique won't work with USB, Ethernet, Wi-Fi, or Bluetooth.
    d. If the internal drive of the non-working Mac is user-replaceable, remove it and mount it in an external enclosure or drive dock. Use another Mac to copy the data.
    Step 2
    If the startup process stops at a blank gray screen with no Apple logo or spinning "daisy wheel," then the startup volume may be full. If you had previously seen warnings of low disk space, this is almost certainly the case. You might be able to start up in safe mode even though you can't start up normally. Otherwise, start up from an external drive, or else use the technique in Step 1b, 1c, or 1d to mount the internal drive and delete some files. According to Apple documentation, you need at least 9 GB of available space on the startup volume (as shown in the Finder Info window) for normal operation.
    Step 3
    Sometimes a startup failure can be resolved by resetting the NVRAM.
    Step 4
    If a desktop Mac hangs at a plain gray screen with a movable cursor, the keyboard may not be recognized. Press and hold the button on the side of an Apple wireless keyboard to make it discoverable. If need be, replace or recharge the batteries. If you're using a USB keyboard connected to a hub, connect it to a built-in port.
    Step 5
    If there's a built-in optical drive, a disc may be stuck in it. Follow these instructions to eject it.
    Step 6
    Press and hold the power button until the power shuts off. Disconnect all wired peripherals except those needed to start up, and remove all aftermarket expansion cards. Use a different keyboard and/or mouse, if those devices are wired. If you can start up now, one of the devices you disconnected, or a combination of them, is causing the problem. Finding out which one is a process of elimination.
    Step 7
    If you've started from an external storage device, make sure that the internal startup volume is selected in the Startup Disk pane of System Preferences.
    Start up in safe mode. Note: If FileVault is enabled in OS X 10.9 or earlier, or if a firmware password is set, or if the startup volume is a software RAID, you can’t do this. Post for further instructions.
    Safe mode is much slower to start and run than normal, and some things won’t work at all, including wireless networking on certain Macs.
    The login screen appears even if you usually log in automatically. You must know the login password in order to log in. If you’ve forgotten the password, you will need to reset it before you begin.
    When you start up in safe mode, it's normal to see a dark gray progress bar on a light gray background. If the progress bar gets stuck for more than a few minutes, or if the system shuts down automatically while the progress bar is displayed, the startup volume is corrupt and the drive is probably malfunctioning. In that case, go to Step 11. If you ever have another problem with the drive, replace it immediately.
    If you can start and log in in safe mode, empty the Trash, and then open the Finder Info window on the startup volume ("Macintosh HD," unless you gave it a different name.) Check that you have at least 9 GB of available space, as shown in the window. If you don't, copy as many files as necessary to another volume (not another folder on the same volume) and delete the originals. Deletion isn't complete until you empty the Trash again. Do this until the available space is more than 9 GB. Then restart as usual (i.e., not in safe mode.)
    If the startup process hangs again, the problem is likely caused by a third-party system modification that you installed. Post for further instructions.
    Step 8
    Launch Disk Utility in Recovery mode (see Step 1.) Select the startup volume, then run Repair Disk. If any problems are found, repeat until clear. If Disk Utility reports that the volume can't be repaired, the drive has malfunctioned and should be replaced. You might choose to tolerate one such malfunction in the life of the drive. In that case, erase the volume and restore from a backup. If the same thing ever happens again, replace the drive immediately.
    This is one of the rare situations in which you should also run Repair Permissions, ignoring the false warnings it may produce. Look for the line "Permissions repair complete" at the end of the output. Then restart as usual.
    Step 9
    If the startup device is an aftermarket SSD, it may need a firmware update and/or a forced "garbage collection." Instructions for doing this with a Crucial-branded SSD were posted here. Some of those instructions may apply to other brands of SSD, but you should check with the vendor's tech support.  
    Step 10
    Reinstall the OS. If the Mac was upgraded from an older version of OS X, you’ll need the Apple ID and password you used to upgrade.
    Step 11
    Do as in Step 9, but this time erase the startup volume in Disk Utility before installing. The system should automatically restart into the Setup Assistant. Follow the prompts to transfer the data from a Time Machine or other backup.
    Step 12
    This step applies only to models that have a logic-board ("PRAM") battery: all Mac Pro's and some others (not current models.) Both desktop and portable Macs used to have such a battery. The logic-board battery, if there is one, is separate from the main battery of a portable. A dead logic-board battery can cause a startup failure. Typically the failure will be preceded by loss of the settings for the startup disk and system clock. See the user manual for replacement instructions. You may have to take the machine to a service provider to have the battery replaced.
    Step 13
    If you get this far, you're probably dealing with a hardware fault. Make a "Genius" appointment at an Apple Store, or go to another authorized service provider.

  • TS3218 My iPod Nano 6th generation fell one time and it kept working with a small crack in the screen.But after a while it just gave out and does not turn on.I try to charge it and all it does is blink the apple icon on and off.When disconnected nothing h

    My iPod Nano 6th generation fell one time and it kept working with a small crack in the screen.But after a while it just gave out and does not turn on.I try to charge it and all it does is blink the apple icon on and off.When disconnected nothing happens.

    I am having the identical trouble as described above with my month old Macbook Air. I tried everything with the ditto results. Please help anyone!
    Mine is a Macbook Air 13', 128GB, 1.86GHz with 4 GB RAM.

  • Hi, i've just bought my first macbook pro, i just installed office mac and when i open the page i cannot see the minimise maximise and close buttons as it's hidden behind the apple menu bar, also when it's at full screen, those buttons do not appear

    hi, i've just bought my first macbook pro, i just installed office mac and when i open the page i cannot see the minimise maximise and close buttons as it's hidden behind the apple menu bar, also when it's at full screen, those buttons do not appear

    Try to edit the size of the page using the sides of the page, or if you are desperate, force quit using command-Q. In full screen put your cursor on the top of the page, and the menu bar will appear. If it doesn't keep "pushing" it up until it does. Hope this helps!

Maybe you are looking for

  • How to add  operator NE (not equal) in view BP_HEAD_SEARCH/MainSearch?

    Hi Experts: I am usuing CRM 2007. In view BP_HEAD_SEARCH/MainSearch I have added some new fields. This is working fine. But the operators of these new fields are all limited to Equal to. I need to add filter option (operator) NE (not equal). How can

  • OBA5 : Error Message for duplicate entry

    Hi In Tcode OBA5 - i enter F5 as Apllication area and i select new entries - i Enter 117 - and i Enter E before i save. but when i go to MIRO to check if there is an error message for duplicate entry, i find just a Warning Message ! Please did i forg

  • PS script that fills security zones in IE

    This script fills the IE security zones. The idea is for it to be added as a logon script. I reworked it from the original script from David Wyatt on https://social.technet.microsoft.com/Forums/windowsserver/en-US/84434209-0b35-49f1-91f7-0e041ca656da

  • Dynamic MC depth swap

    i have several duplicated movie clips, and want to have 2 buttons that swap the depth of these so that the user can page through (like pages of a book). the first part of the code generates the movie clips and puts them on different depths (this all

  • Can't see HD on desktop

    One of my freelancers just got a new 27" imac running 10.6.4. There is no HD icon on desktop. I can see an app folder in the dock with her imported apps (she used apple migration to move stuff from her laptop to imac). But there is no HD icon anywher