Replacement for dead internal Suerdrive

Hello and I do hope you are in a position to offer some sound advice please.
I have an iMac which has a dead internal SuperDrive:-
  Model Name:
iMac
  Model Identifier:
iMac4,1
  Processor Name:
Intel Core Duo
  Processor Speed:
1.83 GHz
  Number Of Processors:
1
  Total Number Of Cores:
2
  L2 Cache:
2 MB
  Memory:
2 GB
  Bus Speed:
667 MHz
I have a need to burn a CD now and again alongside loading music from CD's onto my iMac and into iTunes.
Read that a new external SuperDrive would NOT work with my machine so instead opted for an LG Slim Portable DVD Writer GP60NS50.
Issue is my iMac will not recognise this USB optic drive and will not list it as an alternative drive to burn CD's or read.
Can anyone kindly offer any advice on a suitable CD/Optical drive that is available in the UK that is simply plug and play and will work with my computer?
Many thanks in advance.

Hi and thanks for taking the time to reply.
Nope with a cd in or out this drive is just not recognised which is a real shame.
Looked at various solutions and believe it may be a power issue?
The drive powers up ok but is just not showing on the system profiler.
Any ideas or halo would be most welcome
Thanks in advance.

Similar Messages

  • Will they replace for a single dead pixel????

    My new macbook pro is beautiful. I would have to say it is one of the nicest laptops I have ever owned. I have two real complaints and one minor. Almost smack dab in the middle of the gorgeous display is a solitary dead pixel. At first I thought I could live with it but it has been two days and I unfortunately cannot. I am afraid that apple will not allow an exchange for this though, so I was wondering if anyone else has had a similar problem.
    The other complaint of note is of the very nice glass trackpad. While I really enjoy using it, mine is canted from flush on the left to a noticeable lower attitude on the right side. While this is something that I can live with, I just feel like when you drop $3000.00 on a laptop it is not to much to expect perfection in the product. This I doubt would be repaired and is a bit nicpickie.
    The other complaint is one that has already been posted about the screens hinge tension. I would have not noticed until I tried some alternate positions, such as in bed.
    If anyone could offer any advice or is experiencing similar problems please post. I am fairly new to apple products and am curious if it is even worth my time to call and try to find a solution.
    Thank you in advance.

    I believe you need to have 5 or more dead pixels to quality for a replacement. If you're not happy though, call Apple and ask for Customer Relations (bypass support). They will take care of you.
    For other people that want to check their screens for dead pixels, use PIXel Checker.
    http://www.macupdate.com/info.php/id/10793
    Dave M.
    MacOSG Founder/Ambassador  An Apple User Group  iTunes: MacOSG Podcast
    Creator of 'Mac611 - Mobile Mac Support' (designed exclusively for an iPhone/iPod touch)

  • I could not get my iPhone 5 which purchased in Australia repaired by apple in the US. Guys from apple retail store verified a replacement for me and asked to call apple care. However, apple care said they cannot get it fixed nor repaired.

    My iPhone 5 got some defects and I went to a apple reatil store yesterday. The guy from the genius bar told me that he verified a replacement for me. And I need to call 1-800-apple care to finish that process. I called apple care and one of the senior supervisors told me that I have to send it back to Australia (where I bought this iPhone) to get it repaired. Turns out I could not solve the problem after a apple store vist and several calls. I just want to know if there any way to solve this. This iPhone is a factory unlocked one that purchased in an apple retail store in Melbourne at the day it was first released. And my experience today is not what I can tell as fair. I will be really appreciate for any helps and advices. Thanks.

    Warranty on iPhone is not international, but valid only in country of
    original sale. Since you purchased the iPhone in Australia, your warranty
    is valid only in Australia. You must either personally return the iPhone
    to Australia for evaluation and possible replacement or sent it to someone
    in Australia to take into Apple for the evaluation. Apple will not accept
    international shipments for repair nor will Apple ship out of the country
    after replacement.
    Sorry to be the bearer of this news, but it is the way iPhone warranty and
    replacement has always worked.

  • A replacement for the Quicksort function in the C++ library

    Hi every one,
    I'd like to introduce and share a new Triple State Quicksort algorithm which was the result of my research in sorting algorithms during the last few years. The new algorithm reduces the number of swaps to about two thirds (2/3) of classical Quicksort. A multitude
    of other improvements are implemented. Test results against the std::sort() function shows an average of 43% improvement in speed throughout various input array types. It does this by trading space for performance at the price of n/2 temporary extra spaces.
    The extra space is allocated automatically and efficiently in a way that reduces memory fragmentation and optimizes performance.
    Triple State Algorithm
    The classical way of doing Quicksort is as follows:
    - Choose one element p. Called pivot. Try to make it close to the median.
    - Divide the array into two parts. A lower (left) part that is all less than p. And a higher (right) part that is all greater than p.
    - Recursively sort the left and right parts using the same method above.
    - Stop recursion when a part reaches a size that can be trivially sorted.
     The difference between the various implementations is in how they choose the pivot p, and where equal elements to the pivot are placed. There are several schemes as follows:
    [ <=p | ? | >=p ]
    [ <p | >=p | ? ]
    [ <=p | =p | ? | >p ]
    [ =p | <p | ? | >p ]  Then swap = part to middle at the end
    [ =p | <p | ? | >p | =p ]  Then swap = parts to middle at the end
    Where the goal (or the ideal goal) of the above schemes (at the end of a recursive stage) is to reach the following:
    [ <p | =p | >p ]
    The above would allow exclusion of the =p part from further recursive calls thus reducing the number of comparisons. However, there is a difficulty in reaching the above scheme with minimal swaps. All previous implementation of Quicksort could not immediately
    put =p elements in the middle using minimal swaps, first because p might not be in the perfect middle (i.e. median), second because we don’t know how many elements are in the =p part until we finish the current recursive stage.
    The new Triple State method first enters a monitoring state 1 while comparing and swapping. Elements equal to p are immediately copied to the middle if they are not already there, following this scheme:
    [ <p | ? | =p | ? | >p ]
    Then when either the left (<p) part or the right (>p) part meet the middle (=p) part, the algorithm will jump to one of two specialized states. One state handles the case for a relatively small =p part. And the other state handles the case for a relatively
    large =p part. This method adapts to the nature of the input array better than the ordinary classical Quicksort.
    Further reducing number of swaps
    A typical quicksort loop scans from left, then scans from right. Then swaps. As follows:
    while (l<=r)
    while (ar[l]<p)
    l++;
    while (ar[r]>p)
    r--;
    if (l<r)
    { Swap(ar[l],ar[r]);
    l++; r--;
    else if (l==r)
    { l++; r--; break;
    The Swap macro above does three copy operations:
    Temp=ar[l]; ar[l]=ar[r]; ar[r]=temp;
    There exists another method that will almost eliminate the need for that third temporary variable copy operation. By copying only the first ar[r] that is less than or equal to p, to the temp variable, we create an empty space in the array. Then we proceed scanning
    from left to find the first ar[l] that is greater than or equal to p. Then copy ar[r]=ar[l]. Now the empty space is at ar[l]. We scan from right again then copy ar[l]=ar[r] and continue as such. As long as the temp variable hasn’t been copied back to the array,
    the empty space will remain there juggling left and right. The following code snippet explains.
    // Pre-scan from the right
    while (ar[r]>p)
    r--;
    temp = ar[r];
    // Main loop
    while (l<r)
    while (l<r && ar[l]<p)
    l++;
    if (l<r) ar[r--] = ar[l];
    while (l<r && ar[r]>p)
    r--;
    if (l<r) ar[l++] = ar[r];
    // After loop finishes, copy temp to left side
    ar[r] = temp; l++;
    if (temp==p) r--;
    (For simplicity, the code above does not handle equal values efficiently. Refer to the complete code for the elaborate version).
    This method is not new, a similar method has been used before (read: http://www.azillionmonkeys.com/qed/sort.html)
    However it has a negative side effect on some common cases like nearly sorted or nearly reversed arrays causing undesirable shifting that renders it less efficient in those cases. However, when used with the Triple State algorithm combined with further common
    cases handling, it eventually proves more efficient than the classical swapping approach.
    Run time tests
    Here are some test results, done on an i5 2.9Ghz with 6Gb of RAM. Sorting a random array of integers. Each test is repeated 5000 times. Times shown in milliseconds.
    size std::sort() Triple State QuickSort
    5000 2039 1609
    6000 2412 1900
    7000 2733 2220
    8000 2993 2484
    9000 3361 2778
    10000 3591 3093
    It gets even faster when used with other types of input or when the size of each element is large. The following test is done for random large arrays of up to 1000000 elements where each element size is 56 bytes. Test is repeated 25 times.
    size std::sort() Triple State QuickSort
    100000 1607 424
    200000 3165 845
    300000 4534 1287
    400000 6461 1700
    500000 7668 2123
    600000 9794 2548
    700000 10745 3001
    800000 12343 3425
    900000 13790 3865
    1000000 15663 4348
    Further extensive tests has been done following Jon Bentley’s framework of tests for the following input array types:
    sawtooth: ar[i] = i % arange
    random: ar[i] = GenRand() % arange + 1
    stagger: ar[i] = (i* arange + i) % n
    plateau: ar[i] = min(i, arange)
    shuffle: ar[i] = rand()%arange? (j+=2): (k+=2)
    I also add the following two input types, just to add a little torture:
    Hill: ar[i] = min(i<(size>>1)? i:size-i,arange);
    Organ Pipes: (see full code for details)
    Where each case above is sorted then reordered in 6 deferent ways then sorted again after each reorder as follows:
    Sorted, reversed, front half reversed, back half reversed, dithered, fort.
    Note: GenRand() above is a certified random number generator based on Park-Miller method. This is to avoid any non-uniform behavior in C++ rand().
    The complete test results can be found here:
    http://solostuff.net/tsqsort/Tests_Percentage_Improvement_VC++.xls
    or:
    https://docs.google.com/spreadsheets/d/1wxNOAcuWT8CgFfaZzvjoX8x_WpusYQAlg0bXGWlLbzk/edit?usp=sharing
    Theoretical Analysis
    A Classical Quicksort algorithm performs less than 2n*ln(n) comparisons on the average (check JACEK CICHON’s paper) and less than 0.333n*ln(n) swaps on the average (check Wild and Nebel’s paper). Triple state will perform about the same number of comparisons
    but with less swaps of about 0.222n*ln(n) in theory. In practice however, Triple State Quicksort will perform even less comparisons in large arrays because of a new 5 stage pivot selection algorithm that is used. Here is the detailed theoretical analysis:
    http://solostuff.net/tsqsort/Asymptotic_analysis_of_Triple_State_Quicksort.pdf
    Using SSE2 instruction set
    SSE2 uses the 128bit sized XMM registers that can do memory copy operations in parallel since there are 8 registers of them. SSE2 is primarily used in speeding up copying large memory blocks in real-time graphics demanding applications.
    In order to use SSE2, copied memory blocks have to be 16byte aligned. Triple State Quicksort will automatically detect if element size and the array starting address are 16byte aligned and if so, will switch to using SSE2 instructions for extra speedup. This
    decision is made only once when the function is called so it has minor overhead.
    Few other notes
    - The standard C++ sorting function in almost all platforms religiously takes a “call back pointer” to a comparison function that the user/programmer provides. This is obviously for flexibility and to allow closed sourced libraries. Triple State
    defaults to using a call back function. However, call back functions have bad overhead when called millions of times. Using inline/operator or macro based comparisons will greatly improve performance. An improvement of about 30% to 40% can be expected. Thus,
    I seriously advise against using a call back function when ever possible. You can disable the call back function in my code by #undefining CALL_BACK precompiler directive.
    - Like most other efficient implementations, Triple State switches to insertion sort for tiny arrays, whenever the size of a sub-part of the array is less than TINY_THRESH directive. This threshold is empirically chosen. I set it to 15. Increasing this
    threshold will improve the speed when sorting nearly sorted and reversed arrays, or arrays that are concatenations of both cases (which are common). But will slow down sorting random or other types of arrays. To remedy this, I provide a dual threshold method
    that can be enabled by #defining DUAL_THRESH directive. Once enabled, another threshold TINY_THRESH2 will be used which should be set lower than TINY_THRESH. I set it to 9. The algorithm is able to “guess” if the array or sub part of the array is already sorted
    or reversed, and if so will use TINY_THRESH as it’s threshold, otherwise it will use the smaller threshold TINY_THRESH2. Notice that the “guessing” here is NOT fool proof, it can miss. So set both thresholds wisely.
    - You can #define the RANDOM_SAMPLES precompiler directive to add randomness to the pivoting system to lower the chances of the worst case happening at a minor performance hit.
    -When element size is very large (320 bytes or more). The function/algorithm uses a new “late swapping” method. This will auto create an internal array of pointers, sort the pointers array, then swap the original array elements to sorted order using minimal
    swaps for a maximum of n/2 swaps. You can change the 320 bytes threshold with the LATE_SWAP_THRESH directive.
    - The function provided here is optimized to the bone for performance. It is one monolithic piece of complex code that is ugly, and almost unreadable. Sorry about that, but inorder to achieve improved speed, I had to ignore common and good coding standards
    a little. I don’t advise anyone to code like this, and I my self don’t. This is really a special case for sorting only. So please don’t trip if you see weird code, most of it have a good reason.
    Finally, I would like to present the new function to Microsoft and the community for further investigation and possibly, inclusion in VC++ or any C++ library as a replacement for the sorting function.
    You can find the complete VC++ project/code along with a minimal test program here:
    http://solostuff.net/tsqsort/
    Important: To fairly compare two sorting functions, both should either use or NOT use a call back function. If one uses and another doesn’t, then you will get unfair results, the one that doesn’t use a call back function will most likely win no matter how bad
    it is!!
    Ammar Muqaddas

    Thanks for your interest.
    Excuse my ignorance as I'm not sure what you meant by "1 of 5" optimization. Did you mean median of 5 ?
    Regarding swapping pointers, yes it is common sense and rather common among programmers to swap pointers instead of swapping large data types, at the small price of indirect access to the actual data through the pointers.
    However, there is a rather unobvious and quite terrible side effect of using this trick. After the pointer array is sorted, sequential (sorted) access to the actual data throughout the remaining of the program will suffer heavily because of cache misses.
    Memory is being accessed randomly because the pointers still point to the unsorted data causing many many cache misses, which will render the program itself slow, although the sort was fast!!.
    Multi-threaded qsort is a good idea in principle and easy to implement obviously because qsort itself is recursive. The thing is Multi-threaded qsort is actually just stealing CPU time from other cores that might be busy running other apps, this might slow
    down other apps, which might not be ideal for servers. The thing researchers usually try to do is to do the improvement in the algorithm it self.
    I Will try to look at your sorting code, lets see if I can compile it.

  • I recently replaced my dead airport router with a netgear91-5g router and synced it successfully to my Lexmark Pro 915 printer and my computer and yet when I try to print wirelessly I get the message: "printer not connected; printer offline".

    I recently replaced my dead airport router with a Netgear91-5g router and synced it successfully to my Lexmark Pro 915 printer and my computer; yet when I try to print wirelessly I get the message: "printer not connected; printer offline". Lexmark support verified that my printer was connected to the new router and the problem was with the computer's printer configuration and they could reconfigure it online if I paid for their "Premium Support" services ($119 for one year, 3 fixes). I declined, feeling sure that this is something I could do if I knew how. Could it be an incompatability issue with OS 10.8.3?

    You saved me $$$ that I can ill afford on my fixed income. I was very unhappy with the "support" from Lexmark... what a rip off!  Thank you dwb!

  • I have always been able to email photos (although ONE AT A TIME), but since apple replaced my dead IPad2 no one is receiving my photos.  I just found out two months later!  How can I fix this?

    Since apple replaced my dead IPad2 I can not email photos.  I didn't know that no one was receiving them until today.  How can I fix this?

    I don't understand the ONE AT A TIME lament, as it's pretty easy to email more than one at a time. Have you tried to and been unable or didn't know that you could?
    As for no one receiving, well .... first, review how you're trying to do it and, as a check, email some to yourself. That will be a good first check.

  • Replacement for the Replacement? help!! 1st generation program

    Hi my name is Juan Robles I recently enter to the 1st generation ipod program replacement, and they do send me a better ipod touch nano 8 gb 6 generation.
    but it doesn't charge, i let it charge for a hole day and I even try it with a usb cable and a wall charger and once you  disconected, it goes dead not even a blink... but if i plug it back to the cable it turn on very fast in less than 5 seconds.
    My question is do they support a replacement for the replacement they send me, it is less than 90 days of from the date of service.
    The Fedex box, the one with the replacement new ipod don't have the return address like the first one, the one where i send my 1st generation ipod. So any one  resolve a similar issue , i will love to have the return address. I allready try the thec phone support but they put me on hold for more tha a hour and nothing.
    Thanks in advance...

    Apple Service Operations
    3011 Laguna Blvd., Building A
    ELk Grove, CA 95758

  • REPLACING THE PRIMARY INTERNAL BATTERY 601

    MY PAVILION dv6-2150ev tells me i must replace the primary internal battery 601.
    i do no know which is this battery and how to change it

    Hi,
    This is a VERY misleading message. It's actually the main battery. Before buying a new battery, please try the following test:
        http://h10025.www1.hp.com/ewfrf/wc/document?cc=us&lc=en&docname=c00821536
    Hope the test and calibrate help otherwise you have to buy new battery. You can buy from HP or from:
        http://www.top-laptop-battery.com.au/6cell-hp-pavilion-dv62150ev-battery-108v-5200mah-p-9983.html
    Regards.
    BH
    **Click the KUDOS thumb up on the left to say 'Thanks'**
    Make it easier for other people to find solutions by marking a Reply 'Accept as Solution' if it solves your problem.

  • Mobile not covered under warranty for hairline INTERNAL crack appearing without fall or any impact

    Job No. W115041604910
    I own a Sony Xperia Z1 compact mobile, which I purchased on 29th July, 2014, and around 11th April, 2015, I started to face touch screen problem in the middle region of my mobile. I was playing games on my phone when this issue cropped up.
    The issue was very strange as at times the phone would start typing on its own on security pin screen. This lead to all my data being erased!
    Later, I noticed that the lower part of the front screen of my mobile had a hairline crack - this was strange as my phone did not have any fall or any impact that would result in an INTERNAL hairline crack with no impact on the exterior of the screen. 
    I took my mobile to the authorized Sony service center in Koramanagala (Vigneshwar Services) on 16th April, 2015 and on 23th April, 2015 I was provided an estimated bill of Rs. 6000/-.
    When I escalated the case by writing to "[email protected]", after multiple call and email exchanges, I was provided the "management" response on the Sony letter head stating that "the display was broken and needs to be replaced for satisfactory working of the set and the service estimate for the faulty part is Rs. 6007/-."
    I declined to approve the amount for my repair, as my phone is within the warranty period.
    Please go through the spec of Sony Xperia Z1 Compact on the below website, where it clearly says that the display is shatterproof;
    http://www.gsmarena.com/sony_xperia_z1_compact-5753.php
    Firstly, since the Spec claims that the glass is shatterproof, the crack on my mobile does not void the warranty.
    Secondly, since the hairline crack on my mobile has appeared under "mysterious" circumstances and not a result of any fall or human error on my part, I decline paying any repair cost for my mobile. Also, this is an INTERNAL crack only, which will not appear due to a fall.
    Thirdly, I should not be penalized for the faulty design issue for this model of Sony mobile.
    At one point I would patronize with brand Sony, but sorry to say that is no longer true due to the trauma in dealing with Sony Service Center and Bangalore Regional Office. 

    I have already contacted the local Service Center and they are adamant on saying that I need to pay for the replacement of the front glass.
    My question;
    1. I have repeatedly told that my handset has an INTERNAL crack, which has appeared without any fall or impact. I believe that it is a design fault for which I SHOULD NOT be penalized.
    To support my words, I find that similar issues have been reported for the same model across the globe;
    http://conversation.which.co.uk/technology/sony-xperia-z-cracking-phone-screen-replacement-repair-wa...
    Mine is not the only case wherein such cracks have developed. In UK, Sony has already confirmed this issue and agreed to replace the faulty units free of cost. Please read the link below and watch the video as well.
    http://www.xperiablog.net/2014/05/30/bbcs-watchdog-investigates-xperia-z1-cracking-screen-issue-sony...
    If in UK, this issue has been owned up by Sony company, should the same not be done in India, as ultimately it is Sony and region should not be a bar for taking such decisions especially in case of design flaws.

  • Iphone 4s front glass screen smashed. Will apple replace for free if I have Apple Care?

    Iphone 4s front glass screen smashed. Will apple replace for free if I have Apple Care? Can I do it in any Apple Store? I bought it in EEUU

    Sorry no
    the iPhone can not be serviced anywhere other than the US
    The warranty is NOT international it is only valid in the country of purchase
    AppleCare + as explained is also NOT international it is only
    valid in the US
    This is why all responders recommend against buying in USA
    you are resident in another country
    Just for reference an iPhone purchased within the European Union
    can be serviced under warranty in any member EU state
    However that does not help you

  • Using iMac with dead internal drive long term

    I've got a friend with an iMac with a definitely dead internal HDD. Got it back running with an external and it seems to work. We also selected that external as the default start up in System Prefs.
    I'm curious was to whether, however, he can just run it forever with that HDD inside. I'm not at his machine, but when working on it I saw some evidence that there were attempts to access it, from like mds for Spotlight, and so on. If it was one of mine I'd at least yank the drive, but he doesn't wanna pay to repair it and is quite content with the external. But we'd like to know if that wonky drive is gonna cause issues, or if there's a way through software to disable it forever.

    Add it to Spotlight's Privacy prefPane to preclude indexing. That's all that needs doing.
    27" i7 iMac (Mid 2011) refurb, OS X Yo (10.10), Mavs, ML & SL, G4 450 MP w/10.5 & 9.2.2

  • HT1695 is there a fix for dead wifi for iphone 4s made around jan 2012?

    is there a fix for dead wifi for iphone 4S
    many people complain on these forums, all seem to be built early 2012 and fail 1 year later approx.
    product recall?  or spend $200 more for a refurbish phone?

    There are no recalls, there is no widespread issue.
    Basic troubleshooting from the User's Guide is reset, restart, restore (first from backup then as new).  Try each of these in order until the issue is resolved.
    If the problem continues, take the device to Apple for evaluation and possible replacement.

  • Any suggestions for sources for an internal drive memory for my 13" mid 2010 macbook (not pro)? I'm full up with the 250GB

    any suggestions for sources for an internal drive memory for my 13" mid 2010 macbook (not pro)? I'm full up with the 250GB.

    For a new hard drive try Newegg.com  
    Regular SATA drives http://www.newegg.com/Store/SubCategory.aspx?SubCategory=380&name=Laptop-Hard-Dr ives&Order=PRICE  Use the list at the left for larger and faster drives.
    SSD drives
    http://www.newegg.com/Internal-SSD/SubCategory/ID-636?Order=PRICE  Use the list at the left for larger and faster drives.
    Or OWC for regular hard drives and SSDs  http://eshop.macsales.com/shop/hard-drives/2.5-Notebook/
    Here are instructions on replacing the hard drive in a MacBook with a removable battery. http://creativemac.digitalmedianet.com/articles/viewarticle.jsp?id=45088
    Here are video instructions on replacing the hard drive on the Aluminum Unibody
    http://eshop.macsales.com/installvideos/macbook_13_unibody/
    Here are video instructions on replacing the hard drive on the White Unibody http://eshop.macsales.com/installvideos/macbook_13_09_unibody_hd/
    To transfer your current hard drive I like the applications Carbon Copy Cloner or SuperDuper. They make a bootable copy of everything on your hard drive. http://www.bombich.com/index.html or http://www.shirt-pocket.com/SuperDuper/SuperDuperDescription.html 
    You'll need a cheap SATA external hard drive case. Put the new drive in the case then format and partition the new drive and clone your old drive to the new one. Check that it's set up right by booting up from the external drive. Then replace your old hard drive with the new one and put your old one in the external case.
    Here's a cheap SATA external hard drive case on Amazon http://www.amazon.com/Vantec-NexStar-2-5-Inch-External-Enclosure/dp/B002JQNXZC/r ef=pd_cp_pc_0
    If you don’t have the tools to open up the MacBook OWC has a set for $5
    http://eshop.macsales.com/item/OWC/TOOLKITMHD/

  • Dead Internal Speakers

    I've read other posts about dead internal speakers on eMac. My wife's computer has same problem-- eMac 1G 10.3.9 where internal speakers don't work but headphones do work (haven't tried external speakers). In system prefs, there is no option for selecting anything other than "headphones" even when the headphones are not plugged in. I don't know if our kids were blasting iTunes or if they just died. So far I've trashed the soundpref file and restarted (while resetting PRAM), but to no avail.
    I posted this topic as I don't believe anyone ever found a solution (or diagnosed the likely problem). Past suggestions have been to use the headphones or get external speakers. Bummer as we need external sound and don't want anymore office clutter.
    Thanks.

    I wanted to add this other piece of info:
    I opened the Sound option in system preferences and selected the Output option. At that option, nothing changes in the Output option when I plug in or unplug headphones into the headphone jack. The headphones do work when plugged-in.
    I did the same on my children's iMac CRT running same version of X (Panther) and noticed the output device name toggles between "internal speakers" and "headphones" as you plug the headphone jack in/out.
    This makes me wonder if the female jack on the eMac is somehow stuck/defective. Anyone w/ info. on how to further troubleshoot this?

  • FCP X --Replacement for Current version of FCP???

    I am getting the feel that FCP X is a FC express replacement and not a replacement for the true Professional Suite of products.
    Am I wrong???
    I am using FCP version 6 now on a 2 year old IMAC 23". (Intel I-5) 4 gig ram
    Thanks

    hughmass wrote:
    ...snip...
    Apple didn't kill their product, they made it alive and accessible and cheap. I suspect whole industries will be changing and jobs lost, as ordinary folks can make decent commercials and quick video for broadcast.
    ...snip...
    Apple lifted the Prosumer market up, it didn't lower the Final Cut Standards. I think...time will tell.
    Yeah, I kinda don't see that. Did the availability of inexpensive word processing give rise to hundreds of new Hemingways or Bukowskis or Vonneguts?  Did the unavailability of desktop video deny us Lynch or Almodovar or Soderburgh or Tarantino? The tool isn't what makes the content great.
    If FCP-X lacks Pro features like EDL support, tape deck control (but tape is dead! not), no track assignments, no OMF support, no XML support, no proxy edit support (offline/online workflow), questionable Plugin support... it is doomed in the professional world.
    Sure, consumers will have gotten a great tool for taking their DSLR cameras and putting something pretty on YouTube or Vimeo... but all those silly pro features I listed above? Those are all critical for producing broadcast television.
    If the June release lacks those features, it no longer has the right to be called Final Cut Pro - Final Cut X(press) maybe, but not pro. I'm sure it'll be fine for wedding videos and other end-to-end video production. But Apple won't be able to brag that the next Coen Brother's film was cut with it. You won't see nationally broadcast television commercials edited with it. Nor will it take hold in episodic TV.
    Yes, whole industries may change... back to Avid that is.
    I hope I'm wrong.
    Patrick

Maybe you are looking for

  • Acrobat 9.0 Shared Review problem

    Hello, I upgraded to Acrobat 9.0 professional from 8.0 professional, and can no longer create a shared review. I did a complete uninstall of 8.0 prior to the 9.0 installation. I am running Windows XP Professional w/ Service Pack 3 on a Core2 Quad CPU

  • Error -36 + Fibre Channel Error Log

    K, so I ran into a very strange occurance. While attempting to copy a 250GB folder of media from one pool to another on an xsan volume, I ended up hitting a single 500 MB file that kept giving me "error -36" in the finder. After the third try, I ende

  • Load songs from ipod to new computer

    i recently got a new computer and i want to load the songs from my ipod to the new itunes library...i have done this before but i cant seem to find the link that sent me to the place with the directions to do this...if anyone knows the link can they

  • Text details for my family lines

    Is it possible to get the details of the text messages if they are my own? I have two phones on a family share plan and am wanting to see the details of the text messages. I am not attempting to get text details for another user, but these are on my

  • Share to Media Browser.

    Have imported movie from camera and it appears in event library.Cannot drag it to "Create a new project". If I highlight it and open share it is greyed out. Help says select movie in project library and share but it is not in project library, What am