Suggestions for cleaner for superdrive?

My burner is not working and I'm looking to try a cheap lens cleaner before I spend the money to replace the drive (I know it's not that expensive, but still $10 is less than $40!). Has anyone used one effectively? Willing to recommend a particular one? I have found some that specifically say "not for macs" and ones that say they are for players-- is there any difference between a cleaning disc for a player and one for a burner?
thanks
apolonia

My G5 has the "Sony DVD RW DW-U10A" Superdrive. Almost overnight it seemed to not want to burn DVD-R discs - even from the same spindle of blank discs that had worked for years.
I read a lot of posts here on the issue. I also searched the web looking for a DVD burner specific cleaner disc. I never found one and many cautioned against using a cleaner disc designed for CD and DVD players. Several folks claimed that their DVD burners failed soon after using a cleaner disc designed for a CD/DVD player. Most folks that seemed to be rather knowledgeable and cautious recommended "canned air" as the only safe method for cleaning.
I got a can of air, and found that with the drive door open, I could not see the laser lens. I took the Superdrive out and found it was still hard to see. That's when it hit me that if I can't successfully clean it, I don't care if I kill it.
So, I took the drive casing apart, wiped the laser lens with a Q-tip and sprayed the canned air.
The drive is back in, and working better. It's not great - it fails a good bit at the 4X burn rate, so I have to back it down to 2X or 1X, which is soooo slow. I may just replace it, since it is really frustrating. Of course all of this happened as I was just getting started backing up a big (500GB) external drive.

Similar Messages

  • Suggestions for Superdrive

    I have experienced partial failure of my Superdrive (DVD's ok, unable to read or write CD's). I perused this forum as well as any other site which seemed to offer a solution. I made sure I had the latest firmware, reset every item in the PowerMac that could be reset and finally in desperation I replaced the Sony drive with a Pioneer DVR-112D. At first it worked ok but within seconds it failed also.
    I then took a look at the ribbon cable; I especially disliked the sharp bends in this cable. Where the cable was laying next to the drive, (held in place by the double sided tape) the insulation was worn off and several wires were exposed. I replaced the cable but the problem persisted. Today I just installed another Pioneer drive and it works perfectly.
    I may be wrong but I'm guessing that the drive failure(s) were caused by the shorted out drive cable. Might be something worth looking at.

    My G5 has the "Sony DVD RW DW-U10A" Superdrive. Almost overnight it seemed to not want to burn DVD-R discs - even from the same spindle of blank discs that had worked for years.
    I read a lot of posts here on the issue. I also searched the web looking for a DVD burner specific cleaner disc. I never found one and many cautioned against using a cleaner disc designed for CD and DVD players. Several folks claimed that their DVD burners failed soon after using a cleaner disc designed for a CD/DVD player. Most folks that seemed to be rather knowledgeable and cautious recommended "canned air" as the only safe method for cleaning.
    I got a can of air, and found that with the drive door open, I could not see the laser lens. I took the Superdrive out and found it was still hard to see. That's when it hit me that if I can't successfully clean it, I don't care if I kill it.
    So, I took the drive casing apart, wiped the laser lens with a Q-tip and sprayed the canned air.
    The drive is back in, and working better. It's not great - it fails a good bit at the 4X burn rate, so I have to back it down to 2X or 1X, which is soooo slow. I may just replace it, since it is really frustrating. Of course all of this happened as I was just getting started backing up a big (500GB) external drive.

  • HT1338 My Mac book Pro is running very slow and the rainbow ball is appearing all the time. Any suggestions for clean up??

    My Mac book Pro is running very slow and the rainbow ball is appearing all the time. Any suggestions for clean up?? I have the OS X Lion system.

    As well as what a brody asked :
    - do you need more RAM? (run Activity Monitor and see how much free RAM - green - is available)
    - do you Restart fairly regularly, e.g. at least once a week, to clear out any swap or temporary files?
    - do  you need to do maintenance, e.g. clearing out caches and unused logs, etc?

  • Suggestion for Improving Number

    Hello Oracle Java community,
    I've recently encountered some difficulties using the abstract class java.lang.Number, and have a suggestion for improvement.
    I'm writing a class that computes statistical information on a list of numbers - it would be nice to not couple this class to Integer, Double, BigDecimal, or any other wrapper by using generics. I saw that there is a nice superclass that all Number objects inherit from.
    I came up with:
    public class Statistics<T extends Number> {
    private List<T> data;
    // statistical data that i wish to find and store, such as median, mean, standard dev, etc
    public synchronized void setData(List<T> data) {
    this.data = data;
    if (this.data != null && !this.data.isEmpty()) calculateStatistics();
    private void calculateStatistics() {
    // Welcome to instanceof and casting hell...
    h4. It would be nice to have richer functionality from the Number class, say to do mathematical operations with them or compare them.
    h4. After all, in the real world it is possible to do so.
    h4. Real numbers are much like BigDecimal. Why not take the idea of BigDecimal, and make that the parent of Integer, BigInteger, Double, Short, Byte, Float (I'm probably forgetting a few)? All of those are limited forms of real numbers. It would make comparison between Number datatypes easy, would probably remove all of that duplicated arithmetic code between all of the children of Number, and also allow Numbers to be used in powerful generic ways. The parent/replacement of BigDecimal could even be named RealNumber, which stays true to its math domain.
    As a side note, I'm solving this problem by taking an initial step to convert the List<whatever type of Number that the user enters> into a List<BigDecimal> by getting the toString() value of each element when cast as a Number.
    private List<BigDecimal> convertData(List<T> data) {
    ArrayList<BigDecimal> converted = new ArrayList<BigDecimal>();
    for (T element : data) {
    converted.add(new BigDecimal(((Number) element).toString()));
    return converted;
    Criticism is always welcome.
    Thanks for your time and thoughts.
    -James Genac

    How compareTo() came into existence is from Comparable interface. As I understand, Comparable came into existence since Collections API has sorting functions - which needs to be run with a matching Comparable object that knows how to determine which element is larger than the other (not limited to objects representing numbers, you might sort a list of Persons). Hence, compareTo() is not solely meant for the comparison of numbers. Existence of the method in BigDecimal is just one case.
    Subclasses can override the equals() method, but that cannot be implemented in a cleaner manner and leads to a very poor design. For example, you might want to compare an Integer and a Float. So the Integer class's equals() method need to have some if-else structure to determine the other type and then compare. Same holds true for the Float class's equals() method as well. Ultimately, Everything becomes a mess. All subclasses of RealNumber needs to know about all other subclasses of RealNumber. And you will not be able to introduce new subtypes and expect the equals() method to work correctly.
    To avoid this, you need to depend on a single representation form for all types of numbers. If that's the case, you might just live with something like BigDecimal and not use Byte, Float, Integer,... (which we kind of do in some cases - for example to represent monetary amounts). So we can live without Byte, Float, Integer,...
    Then we need some utility classes that would contain some number type specific functions to work with primitives. So we will also have Byte, Float, Integer... unrelated to BigDecimal.
    Clearly, the wrapper types are there not because of the need to represent real world number types, but because of the need to represent computer domain number types. Hence, they have been organized not according to relationships found in real world number types. Many of us find this way of modelling sufficient and have an understanding about the limitations. But if you need to model the real world number relationships for some special reason, you might write some new classes. Then again there will be real world aspects that you will not be able to model easily. So you will model some aspects and neglect the other.

  • My granddaughter put the Start Up Disk in the drive inadvertently and now the drive will not eject it or start up using the HD.  I have tried all of the suggestions for opening it that appear in the manual.  Help?

    My granddaughter put the Start Up Disk in the drive inadvertently and now the drive will not eject it or start up using the HD.  I have tried all of the suggestions for opening it that appear in the manual.  Help?  It is her computer, a iMac G3 or G4 with superdrive, the one with the ball shaped base.   Thank you.

    It's a tray loading drive, there should be a little hole next to it, just large enough for a paper clip.  Stick the end of the paper clip in it and the tray should open.
    Miriam

  • Suggestion for Apple or Third-party software company?

    My first question is, where should I post the following suggestion for an improvement in FCP or for the creation of a third party software – suggested sites, blogs, etc.?
    Next, my recommendation, and then my explanation of the reason why (including my personal semi-disaster):
    Recommendation: That someone create a “Project Management” software for FCP (essentially a file management program that runs in the background) that organizes and tracks all of the files created during editing/post production – including the log/capture or log/transfer of the original footage, the audio files, stills, effects, etc, AND all of the files created by the program -- Live Type, Motion, Soundtrack Pro, and Color (especially color). The reason for this is that FCP has an incredibly complicated filing system that results in shots, files, documents, etc., being distributed all over the place – and not all known to the filmmaker or identified in the documentation. And, that condition can lead to disaster – see below.
    Explanation: I just finished my first HD project using Studio 2, including sound track pro and color. After completing what I though was the absolute final version, I burned a one-off DVD and ran it by several filmmaker and non-film maker friends. They all spotted a small sound problem with one cut, so I went back to tweak it – and discovered that ALL of the footage had gone offline. I had nothing, nada, zilch. I had saved earlier sequences (rough cut, polished cut, etc.) and all the original footage appeared, but I had taken the final version into color for some corrections and adjustments, and ALL of those shots/files were missing.
    After burning what I believed to be the final cut, I had cleaned up my hard disk, moving stuff to my backup hard disk, to my RAID array, and to the trash. So, after the initial shock and complete panic, several hours of searching all of these drives, led me to the file that contained the files that contained the color corrections – in my trash, which fortunately had not been emptied. I have no idea where the files were before or how they got into the trash – obviously they were not added to the scratch disk with all of the original footage.
    Part of the difficulty of finding the shots was the discovery that color creates a file folder, that holds a set of file folders, each of which holds only one shot. In order to reconnect, I had to move the parent folder to the desktop, and then move all of the shots, one at a time. into a single folder, and then point reconnect to that folder. Problem solved.
    However, now I face that question of archiving the project, moving all of the files off my hard drive so I can use the space for my next film, and I am terrified that I will leave something out, and not be able to recover the project in the future. Having a project management software that organizes and coordinates all of that would be a lifesaver – and well worth the purchase price.
    Anyone who would like to explore this idea, please feel free to contact me – [email protected].

    You've just learned a hard lesson. Put your current energy into your education, not finding a way to wallow in ignorance.
    There already is a hardware device that will do what you want. It's called a "manual". In particular, the sections that relate to "where the program stores media". Pay very close attention to those sections and set up your computer so that all the scratch and storage pointers are aimed where you want. It's very simple to have them all go to one drive.
    Then, when it's time to archive the project because you are starting a new project, just purchase another hard drive for the new project. They are absurdly inexpensive these days.
    Remove the drive with your project to be archived from your computer (since you now know how to keep all the files organized, they will be all together) - and plug in a new disk for the next project.
    If you want a backup, use carbon copy cloner to simply duplicate the drive (or simply just copy the relevant folders- you'll know which ones) to another drive (or get a RAID 1 device)
    good luck,
    x

  • Suggestions for 808 PureView and Symbian Belle

    Hi friends,
    I am a proud owner of astounding (and worst marketed extra-ordinary device) 808 PureView. Biggest compliment to it is that it has replaced my SGS2. Yes, truly.
    After using 808 for some time now I am quite happy but disappointed with certain things. Few things are so minor that I am surprised why Nokia removed it or didnt implement.
    So here I am presenting a list of things which I would request Nokia to fix or implement. I will also request all of you here to add to the list so that Nokia gets a direct feedback and can improve the device and software. Thanks !
    Camera:
    1. Slow shutter speeds
    2. Full resolution in various Scenes modes
    3. Pics with AutoFlash mostly comes dark in edges in Indoors
    4. Slightly faster Auto-Focus with soft shutter button
    Gallery:
    (I know about other thread but this is a consolidated list)
    1. Batch functions (send, share)
    2. Albums
    3. Folders
    4. Tabbed interface (All, Images, Videos)
    5. Sort by Date, Name, Type, Size, Location, etc.
    6. Send via NFC option (everybody does not read Manual )
    7. Ability to trim parts of video (and to join parts, if possible)
    Contacts:
    1. Labels please !!!
    2. Thumbnail view (atleast in Groups)(could be first-ever. Android has partial implementation)
    3. Contacts with latest Social updates(tweets or Facebook activities) to come second-top after Favourites (convenient and another first)(switch on-off from Settings)
    4.  Additional Tab in Contact's view showing all communication with him/her (Calls, E-mails and Messages)
    5. Another optional Tab showing his/her last 5 Social updates
    Messaging:
    1. Tabbed interface (Conversations/Folders/(optionally) E-Mails)
    2. Forward icon alongside Reply icon
    3. Individual Contact's SMS\Email tone (such a little but practical feature)
    Telephony:
    1. Detailed Call log (Settings>Extended View)
    2. Video Call button
    E-Mail:
    1. E-Mail Popups (probably with Reply option)
    2. Cleaner tabbed interface
    3. Pinch-to-Zoom and Wrap function
    4. Archive option in GMail mails
    5. Go to next email after deleting and not the Inbox (its really annoying)
    Videos:
    1. Large Thumbnail option
    2. Better support for Matroska (mkv)
    3. Better subtitle support (black fonts???)
    4. Options for Brightness and Contrast
    Music Player:
    1. Folders Tab
    2. Editable equaliser
    I again request to provide suggestions and I will add them in OP (with your name). Lets help Nokia make great OS and Product even better. And in my experience, they have always seriously listened to their customers and brought the improvements.
    Good Luck !

    Nokia thank you for last updates..the 808 is quite perfect now!!
    Let's update some last suggestion for Nokia
    Camera:
    1. Slow shutter speeds / FULL Shutter priority mode (with flash and auto/manual ISO....i'm not able to use flash with high ISO and slow shutter speeds)
    2. Full resolution or 12MP / 8MP resolution in various Scenes modes
    3. Pics with AutoFlash mostly comes dark in edges in Indoors
    4. Slightly faster Auto-Focus with soft shutter button
    5. Flash EV Compensation
    7. (Hardware) Image Stabilization with low light
    8. better White Balance..more options..
    9. square (1:1) and 3:2 modes
    10. higher FPS available with low res videos
    11. Camera noise fix, lots of digital noise on the right side of the screen (purple cast) when taking pics in darker conditions without flash, something is interfering..
    12. nedd much better performance for the CAF in video mode, it doesn't work on FP2
    13. Lumia photo tools / add-ons: Cinemagraph lens, Smart Shoot lens, Panorama lens, Bing vision..
    Gallery:
    1. Albums / Folders
    2. Tabbed interface (All, Images, Videos)
    3. Sort by Date, Name, Type, Size, Location, etc.
    4. Send via NFC option (everybody does not read Manual )
    5. Ability to trim parts of video (and to join parts, if possible...improve VideoPRO please..audio editing!)
    6. Improve PHOTO Editing too, more controls (light/shadows, sharpness, fixed ratio for photo crop like 3:2 and 1:1, blur control..)
    Contacts:
    1. Labels please !!!
    2. Thumbnail view (atleast in Groups)(could be first-ever. Android has partial implementation)
    3. Contacts with latest Social updates(tweets or Facebook activities) to come second-top after Favourites (convenient and another first)(switch on-off from Settings)
    4.  Additional Tab in Contact's view showing all communication with him/her (Calls, E-mails and Messages)
    5. Another optional Tab showing his/her last 5 Social updates
    Messaging:
    1. Tabbed interface (Conversations/Folders/(optionally) E-Mails)
    2. Forward icon alongside Reply icon
    3. Individual Contact's SMS\Email tone (such a little but practical feature)
    4. More smart use of Words Suggestions in T9 Mode..priority for shorter words!
    (in Italian...i want to write "ON" and i touch ONLY the 6 button two times, but sometimes it suggests "NO" and/or longer words like "ONLY","NOBODY","NOTHING"...but not "ON"!! (In Italian language, i don't know if it does the same in English!)
    5. In conversation or with Whatsapp, in horizontal mode with QUERTY and Words Suggestions enabled, it's impossible to read the last messages during writing.
    6. much smaller text option
    7. in conversation view, the letter icon and the notification of a new message doesn't disapppear if you've only read the sms, without giving a reply! I suggest that a tap on the yellow letter icon on the right in conversation mode will change the sms status from unread to read
    Telephony:
    1. Detailed Call log (Settings>Extended View)
    2. Video Call button
    4. more notifications on notification bar
    5. improve social network apps and connections between gallery / notification bar and them
    E-Mail:
    1. E-Mail Popups (probably with Reply option)
    2. Cleaner tabbed interface
    3. Pinch-to-Zoom and Wrap function
    4. Archive option in GMail mails
    5. Go to next email after deleting and not the Inbox (its really annoying)
    6. Email notification like with missed calls or sms on the lockscreen.
    Videos:
    1. Large Thumbnail option
    2. Better support for Matroska (mkv)
    3. Better subtitle support (black fonts???)
    4. Options for Brightness and Contrast
    Music Player:
    1. Folders Tab
    2. Editable equaliser
    LET'S GO!!

  • What kind of antivirus do you suggest for mac OS X Maverics?

    What kind of antivirus do you suggest for OS X Maverics?

    OS X already includes everything it needs to protect itself from viruses and malware. Keep it that way with software updates from Apple.
    A much better question is "how should I protect my Mac":
    Never install any product that claims to "speed up", "clean up", "optimize", or "accelerate" your Mac. Without exception, they will do the opposite.
    Never install pirated or "cracked" software, software obtained from dubious websites, or other questionable sources. Illegally obtained software is almost certain to contain malware.
    Don’t supply your password in response to a popup window requesting it, unless you know what it is and the reason your credentials are required.
    Don’t open email attachments from email addresses that you do not recognize, or click links contained in an email:
    Most of these are scams that direct you to fraudulent sites that attempt to convince you to disclose personal information.
    Such "phishing" attempts are the 21st century equivalent of a social exploit that has existed since the dawn of civilization. Don’t fall for it.
    Apple will never ask you to reveal personal information in an email. If you receive an unexpected email from Apple saying your account will be closed unless you take immediate action, just ignore it. If your iTunes or App Store account becomes disabled for valid reasons, you will know when you try to buy something or log in to this support site, and are unable to.
    Don’t install browser extensions unless you understand their purpose. Go to the Safari menu > Preferences > Extensions. If you see any extensions that you do not recognize or understand, simply click the Uninstall button and they will be gone.
    Don’t install Java unless you are certain that you need it:
    Java, a non-Apple product, is a potential vector for malware. If you are required to use Java, be mindful of that possibility.
    Disable Java in Safari > Preferences > Security.
    Despite its name JavaScript is unrelated to Java. No malware can infect your Mac through JavaScript. It’s OK to leave it enabled.
    Block browser popups: Safari menu > Preferences > Security > and check "Block popup windows":
    Popup windows are useful and required for some websites, but popups have devolved to become a common means to deliver targeted advertising that you probably do not want.
    Popups themselves cannot infect your Mac, but many contain resource-hungry code that will slow down Internet browsing.
    If you ever see a popup indicating it detected registry errors, that your Mac is infected with some ick, or that you won some prize, it is 100% fraudulent. Ignore it.
    Ignore hyperventilating popular media outlets that thrive by promoting fear and discord with entertainment products arrogantly presented as "news". Learn what real threats actually exist and how to arm yourself against them:
    The most serious threat to your data security is phishing. To date, most of these attempts have been pathetic and are easily recognized, but that is likely to change in the future as criminals become more clever.
    OS X viruses do not exist, but intentionally malicious or poorly written code, created by either nefarious or inept individuals, is nothing new.
    Never install something without first knowing what it is, what it does, how it works, and how to get rid of it when you don’t want it any more.
    If you elect to use "anti-virus" software, familiarize yourself with its limitations and potential to cause adverse effects, and apply the principle immediately preceding this one.
    Most such utilities will only slow down and destabilize your Mac while they look for viruses that do not exist, conveying no benefit whatsoever - other than to make you "feel good" about security, when you should actually be exercising sound judgment, derived from accurate knowledge, based on verifiable facts.
    Do install updates from Apple as they become available. No one knows more about Macs and how to protect them than the company that builds them.
    Summary: Use common sense and caution when you use your Mac, just like you would in any social context. There is no product, utility, or magic talisman that can protect you from all the evils of mankind.

  • Suggestions For Lightroom

    The first change Adobe should make for the improvement of Lightroom is this Forum. I personally find this forum extremely difficult to navigate. It's cluttered, difficult to read and seemingly archaic compared to the Apple Forums.
    Here are my others suggestions for Lightroom:
    -Allow the ability to select Quick Collection images and Delete them from the disk not just Remove them from the quick collection. The benefit here would be that we could select images from several different folders that might be of the same subject/situation that had been loaded at a different time but still are similar images to others in the collection. This would allow us to clean up redundant images from any number of different folders. Presently when we select Quick Collection images and hit delete it just removes them from the Quick collection leaving them on the hard drive. I want an option to get rid of them from the hard drive.
    -When trying to move images from bottom of a gallery to the top of a gallery and there are hundreds of images, grabbing the ones to move up, when getting to the edge of the gallery, the gallery doesnt move consistently.
    -When in the compare mode it would be nice to have the file name below each image in the bar that contains the Star rating and pick or reject flag.
    -When in the survey mode it would be helpful to differentiate the X & / more effectively. Why not highlight the X in Red and leave the / the color that it is.
    -Include a Preference option that allows us to always have the Spell Check enabled when a catalog is opened. Presently you have to continually remember to turn this feature on each time a catalog is opened.
    -Spell check does not ignore when I select the Ignore option. Seems to be a bug
    -When I select Check Spelling it comes up with the spell check box, up comes the suspect word. I click ignore and nothing happens, I select Next and nothing happens. Bug?
    -Would be nice if P-Picks and X-Rejects could be toggled on and off with the corresponding key.
    -when loading images from a camera card you have the option to have it load to folders. Presently it loads images to folders, dating those folders by the day the images were shot. It would be nice to be able to tell the loading procedure to create folders by the day images are imported.
    -When loading images from camera card you can select a secondary destination. I would like to see the secondary destination look identical to the first destination. Not something completely different as it is now.
    -When using the sequential numbering optin for renaming files on import, the last number in the sequence should be remembered by lightroom and the next import should take off where the last import ended. Photo Mechanic works like this as well as Nikon View and Picture Project.
    -Is there a way to see more than one line of the caption in the Grid/thumbnail mode? If not that would be beneficial.
    -When you select flags and rejects are hidden or shown, currently the grid view goes back to the top of the file/grid. It would be nice if the grid view would stay at the current selection
    -would be nice if during the input of captions, while in the minimal Metadata mode, that the main Metadata window would scroll down as you type a long caption. Presently when a caption goes beyond the window at the bottom of the Metadata pane you have to stop and scroll the Metadata/caption pane down to see what you are typing.
    -I change metadata in MS Expression and tell it to synch with original NEF. It does which you can see by taking the same image into Photoshop and looking at the metadata there. However, the same metadata does not synch in Lightroom even though I have save to XMP enabled..
    -Bug? Going from Grid view to D-Develop. Adjust the exposure and Lightroom hangs up. Have to Force Quit LR to get it back.

    Six changes that would be basic improvements - sorry if these look like bug reports, but they have lasted through all the updates and upgrades and I consider them to be overripe for improvement.
    For mouse-heavy users it would be helpful to have a Grid icon in the toolbar in the Develop module, the same as appears in the Library module.
    The consistency of having a Done button in all places that present a secondary work screen would make leaving those screens simpler.
    When organizing folders, keeping the focus local after a Delete would be good, instead of the focus jumping up to a higher level as it does, requiring a search for your location. If you're making a lot of changes this can be time-consuming and frustrating. I know some other program do this, but not all and it's solvable.
    When moving a folder of files, the last file doesn't get moved and could wind up in some random place if you don't suspect this and go after it to move it by itself. This seems to be unique to Lightroom.
    In leaving Compare, it's not clear which image you're keeping because the filename isn't visible, only the rating (if used). Changing the rating to exit can disable the Done button. To get it back it shouldn't be necessary to swap the images. Why not use a more standard release action like the Escape key?
    In LR 3.3, when using the noise reduction slider the option to update the whole filmstrip to use version 2010 is available only if the demonstration "compare" screen is retained with a box checked. If you uncheck that box, there's no way to get that screen back the next time, so the option to update to 2010 for the whole filmstrip at once is gone and subsequently requires one-by-one clicking to update. This could be simpler and faster.
    I use LR every day and teach it, but I may have missed something so forgive my naming ills that have already been mentioned. Thanks for listening. DKD

  • Your "suggestions for future features" is broken??!!

    I really just wanted to leave you a suggestion for future features. Your system took me to a page that said i needed to be on the most recent version but alas I am! You even tell me so when I go to firefox.com! Hmmmm...... a little problem there.
    Regardless, here is the feature suggestion i wish to make:
    You've done a fine job of cleaning up the top bar in 4.0 to make the most of new widescreen displays so that we have more space for the page content vs. the browser stuff. The deal is, virtually all sites still use only about a third of the page width leaving tons of wasted space on a full screen view. Why don't you offer a way to move all the browser navigation, tabs, and tools wherever i prefer - like running vertically down the left or right side of the massively empty pages i see on my 24" monitor and even my little 11" laptop monitor?

    You can leave your feedback/suggestion at this link: Apple Product Feedback

  • Need Suggestion for Archival of a Table Data

    Hi guys,
    I want to archive one of my large table. the structure of table is as below.
    Daily there will be around 40000 rows inserted into the table.
    Need suggestion for the same. will the partitioning help and on what basis?
    CREATE TABLE IM_JMS_MESSAGES_CLOB_IN
    LOAN_NUMBER VARCHAR2(10 BYTE),
    LOAN_XML CLOB,
    LOAN_UPDATE_DT TIMESTAMP(6),
    JMS_TIMESTAMP TIMESTAMP(6),
    INSERT_DT TIMESTAMP(6)
    TABLESPACE DATA
    PCTUSED 0
    PCTFREE 10
    INITRANS 1
    MAXTRANS 255
    STORAGE (
    INITIAL 1M
    NEXT 1M
    MINEXTENTS 1
    MAXEXTENTS 2147483645
    PCTINCREASE 0
    BUFFER_POOL DEFAULT
    LOGGING
    LOB (LOAN_XML) STORE AS
    ( TABLESPACE DATA
    ENABLE STORAGE IN ROW
    CHUNK 8192
    PCTVERSION 10
    NOCACHE
    STORAGE (
    INITIAL 1M
    NEXT 1M
    MINEXTENTS 1
    MAXEXTENTS 2147483645
    PCTINCREASE 0
    BUFFER_POOL DEFAULT
    NOCACHE
    NOPARALLEL;
    do the needful.
    regards,
    Sandeep

    There will not be any updates /deletes on the table.
    I have created a partitioned table with same struture and i am inserting the records from my original table to this partitioned table where i will maintain data for 6 months.
    After loading the data from original table to archived table i will truncating the original table.
    If my original table is partitioned then what about the restoring of the data??? how will restore the data of last month???

  • I cannot send an email from my iPad 2? No problem receiving, why does this happen? Have tried the suggestions for setting up email and after doing the sync mail through iTunes receiving worked great but still cannot send? Any help would be great

    I cannot send an email from my iPad 2? No problem receiving, why does this happen? Have tried the suggestions for setting up email and after doing the sync mail through iTunes receiving worked great but still cannot send? Any help would be great!

    The fact that you can receive means you have a valid e mail address, and have established the connection to the incoming server, so all of that works.  Since the send does not work, that means your outgoing server is rejecting whatever settings you used formthe outgoing set up.  Try them again. 
    Google your particular isp, and ipad and many times you will find the exact settings needed for your isp.  Or tell us here, and soneone else may be on the same isp.  Some mail services need you to change a port, or have a unique name for the outgoing server.  
    Kep trying.

  • Is there an EASY way to submit podcasts to the itunes store? i've tried creating podcasts in garageband, then somewhere after wordpress  itunes  doesn't recognize the feed. my process has been (i am open to suggestions for other free and EASY services/me

    is there an EASY way to submit podcasts to the itunes store? i've tried creating podcasts in garageband, then somewhere after wordpress  itunes  doesn't recognize the feed.
    my process has been (i am open to suggestions for other free and EASY services/methods):
    garageband : create & edit audio. add 1400x1400 image.
    share to itunes.
    drag file to desktop.
    upload .m4a file to google drive.
    create a link post in wordpress using "podcast" tag & create "podcast" category.
    click on "entries rss" in wordpress, which takes me to the rss subscribe page (which is basically just my wordpress address with "/feed" at the end.
    i copy this url.
    go to itunes store > then "submit a podcast"
    itunes gives me the error message "we had difficulty downloading episodes from your feed."
    when i try to subscribe to my podcast in itunes, it does, but gives me no episodes available.
    i went back into wordpress and changed settings/ reading settings to : "full text" from "summary"
    still the same error message.
    i added a feedburner step after wordpress but got the same errors. i don't think i should have to add feedburner.
    wordpress seems to be encapsulating the rss, what am i doing wrong?
    this so much easier when you could go directly from garage band to iweb to mobileme; i miss those apple days (also idisk).

    if anyone has a super EASY process, i would LOVE to know what it is. EASY, meaning no html and also free. there are many free online storage systems available, many of which i currently use. the above process was just me trying to figure it out, if you have an easier method, please share. thank you so much!

  • How to make suggestion for improvements in LR

    How do I make suggestions for new features or improvements in LR?
    The stacking function, IMO, needs to be improved.  The time between shots does not take into account the length of exposure.  For example if my exposure is 5 seconds the stacking exposure will not add the two exposures together in the time setting < 4 seconds.
    Ideally I would like to see an HDR stacking function, looks at time between exposures (taking into account the length of exposure) and changes in exposure.
    ideally there would be similar options for pans and focus stacking.
    Thanks
    Rich

    Submit a feature request or bug report
    Go to the above site.

  • Drive setup suggestion for multiple users editing simultaneously?

    At work here, a city college, not a professional company or broadcast studio, so resources are limited, we often have three people editing HDV content simultaneously in Final Cut Pro.
    Keeping the content on our multiple backup servers, there's simply too much network traffic to do this smoothly.
    Instead of keeping projects locally spread across multiple machines, I would like one centralized place for everything, for the Macs to access directly over gigabit or something else.
    So, what kind of setup do you guys suggest for this?
    The machines here are two quad-core G5s (no RAID or fiber-channel right now), and a Core2Duo iMac, F400 only.
    Again, it'd need to be able to handle three HDV projects going on simultaneously without skipping due to having to seek back and forth all over the drive.
    Thanks.

    Yes, an XSan system would perfectly fit the bill for what you want to do, but an XSAN is not a cheap solution. When it is all said and done, it will cost you tens of thousands of dollars.
    The best, cheap solution would be to use Firewire drives. I would not duplicate a project onto three drives, because you will then always be trying to figure out which version is the most current. Instead, keep all of your project, capture scratch and render files on the firewire drives. Then move the drive to whichever computer you want to do the editing on.
    Properly log & capture all your footage, then archive all your project files, because Firewire hard drives will fail over time, loosing all the info on the discs. I did say this was the cheap solution. "Cheap" does have its costs…

  • Suggestions for setting up external storage for video editing please?

    I am just starting up as a one-man video-editing business, using a 24 inch iMac running Snow Leopard, with Final Cut Studio. I have realised I'll need an external hard drive for HD footage, and I also need to get some back-up solution in place. Looking for speedy i/o, I would like to connect via the ethernet port (if only eSata was included in the iMac, eh!)
    I've been planning to get a Drobo, but looking around the forums I see that people say it's too slow for using as a working drive to keep all my source footage, so I've been looking at the G-tech 4 Tb, as it says it is designed for media-content production. Does anyone know if I could use two of the drives for working from and two as back up? Or would it be better to keep back-up entirely seperate, and get a Drobo for that for the G-tech to back up to?
    But I am also wondering whether a Mac Mini could be a worthwhile addition to this set up? I find myself sitting around waiting for rendering to complete on clips in my timeline (not to mention exporting to Quicktime conversion!), and I wondered if I put a Mac mini with Xserve installed (Apple store offers this with two 500gb hard drives inside), maybe I could farm the rendering out to the mini while I get on with editing on my iMac? That would require two installations of FCP, which I thought was allowed, but just today in a forum I saw that one would have to be a laptop... anyone have any suggestions for getting rendering done without stopping FCP from doing other things simultaneously?
    Also I don't know if that arrangement is even feasible... I see all these things like Xsan and Artbox... as a one workstation editing suite, does FCP handle all the dataflows for external working drive and external back ups okay without having to introduce more controllers?
    And can anyone explain to me how I could set up an ethernet connection to an external hard drive, or does that require the extra controllers mentioned above? I've seen it said that you can do it via ethernet, but haven't seen how you can actually go about doing it.
    Thanks for overlooking my newbie quality, any answers received with humble gratitude!
    Cheers, Syd

    Hi there,
    as NLEdit said, there will be loads of answers to this.
    IMO i'd avoid drobo like the plague. G tech drives have served me incredibly well working on a huge variety of broadcast projects (just over the water from you in Bristol), I've had no probs with FW800 when using DVCproHD, pro res is ok, sometimes a little slow with multiple layers and of course it eats up storage space. so I'd go for 2 4tb drives, keep the backup one in a different location.
    one tip that has saved me countless times is to format them as follows:-
    mac os extended (not journalled)
    create 2 partitions
    partition 1 - make this small (1gig) and call it "drive a - do not use"
    partition 2 - the rest of available storage and call "drive a"
    this is because the boot sector of the drive is within the first partition and with this method if it goes down it can be re erased without losing all your footage.
    If you call your backup drive the exact same name and have the exact same folder structure, you will not have to relink if you get a problem.
    Ignore getting a mac mini for rendering, won't help at all in FCP. instead I would make every attempt you can at buying a mac pro rather than an imac. much more expansion/speed possibilities and a more robust solution.
    best of luck
    Andy

Maybe you are looking for

  • Can a PDF link to a database (Excel) for information to display? (or similar?)

    I have a template form I created and converted to PDF. It is for houses and each house has different specs that need to be listed. I want them to be able to easily update all the specs from outside of the PDF, like with an Excel file. Is there any wa

  • Regular Cheap CRT TV as Monitor

    I searched the discussions and there was so much technical information I just got confused. I am just not up on TV technology, I guess. I am looking to buy an Intel Core Duo. I think it will end up with Windows as well as X. If I go to Wal-Mart or so

  • How to make a "Program" out of my .java files?

    I have made a little application that stores a file to disk. Is there someway to make a file out of my .java files so it can be run without opening my editor and choosing run?

  • Text not looking good

    Hi I have just done some credits in motion which I have used in Final cut using the scroll behaviour but the letters look as if they had glitter,they sometimes flash slightly. I have used white letters against a black background and the only thing th

  • How can I update my photoshop CS5

    I am trying to install Photoshop cs5 on my new computer. it installs but when I try to update it, it fails and says "This serial number is not for a qualifying product". I had cs4 and have it installed too.