Copy asm file to different asm

I need to create a copy of a standby database manged with ASM.
How can I copy datafile, controlfile, archive, ecc to new ASM on different server??
thanks a lot
Silvio B

Hi,
With ASM I strongly recommend using rman. RMAN is the only way to keep you out of small problems down the road.
http://www.oracle.com/technology/deploy/availability/pdf/RMAN_DataGuard_10g_wp.pdf
You can restore the database to that server if duplicate does not do the job.
Also see the thread.
migrate standby
Regards,
Edited by: gjilevski1 on Aug 11, 2010 12:26 PM

Similar Messages

  • Copy New Files to different locations

    Hello, I'd like duplicates of directories on computer a and computer b. And then I also want computer b to send backups of my files to a portable hard drive (change and modified files)
    Computer A + B Structors and Files Same
    Portable Hard Drive - New / Modified Songs
    Thanks - MSG43

    I'm not sure how you would do it, but this might be an interesting application of a version control system.  You could have an svn repository on the portable drive somehow, and have the computers use svn commit to write updates to the drives....
    Guess that wouldn't work because you'd have to use svn update to sync back from the drive to the computers if you change something on one of the computers..... hmmm.....
    ok, maybe darcs would work, because its a distributed version control system.... would allow you to sync a repo between the two computers and also to sync to the hard drive.  Yeah, I like this idea....
    ok, enough thinking out loud on my behalf.
    Dusty

  • Does anyone know how to copy my files from my ipod to a different computer?

    Does anyone know how to copy my files from my ipod to a different computer? I tried to do it, but all that it did was erase my files. What i want to to is use my ipod to transfer my files to another computer (which has itunes as well) PLEASE help!

    You will need to enable your iPod for disk use. Then, you should see your iPod in "My Computer" and you can open up your iPod's folder there and drag the files into it. You can store the files on the iPod, then connect it to the other computer and drag-and-drop them from the iPod into the designated directory in that computer. Make sure individual files are not larger than 4 GB.

  • File length different for a copied file. Or use checksum

    Hi
    I am making a backup of a file before doing some writes to the original.
    I first check it out of source control, then make a copy using:
    public static void backupFile(File f)
    try{
    File backup = new File(f.getPath()+"_BACKUP");
    if (!backup.exists()) {
    if (!backup.createNewFile()) {
    Logger.getLogger().log("Could not create "+backup.getPath());
    SystemTools.copyFile(f,backup);
    } catch (Exception e)
    Logger.getLogger().log("Error backing up "+f.getPath()+ ": "+e);
    public static synchronized void copyFile(File from, File to) throws Exception
    if (!from.exists() || !from.isFile())
    throw new Exception ("copyFile Error: checking 'from' file!");
    if (!to.exists())
    if(!to.createNewFile())
    throw new Exception ("copyFile Error: creating 'to' file!");
    FileInputStream in=new FileInputStream(from);
    FileOutputStream out=new FileOutputStream(to);
    int length;
    byte[] buffer=new byte[256];
    while((length=in.read(buffer))!=-1) {       
    out.write(buffer, 0, length);
    in.close();
    out.close();
    After writing has finished, I need to see if the file is different to the backup..
    If so, I need to check it into source control.
    I wanted to use a checksum, but couldn't find an example that actually worked!!! Therefore I did a quick tool:
    public static boolean isBackupIdenticalToOrig(File f) throws Exception {
    File bu = new File(f.getPath()+"_BACKUP");
    Logger.getLogger().log("Lengths: New/Backup"+f.length()+"/"+bu.length());
    if (bu.length()!=f.length())
    return false;
    // Have the same lengths, so we can compare!!
    BufferedInputStream f_in = null;
    BufferedInputStream bu_in= null;
    f_in =new BufferedInputStream (new FileInputStream (f));
    bu_in =new BufferedInputStream (new FileInputStream (bu));
    for (int i=0;i<f.length();i++)
    int c = f_in.read();
    int d = bu_in.read();
    if (c!=d)
    Logger.getLogger().log(""+f.getName()+" has been modified");
    return false;
    Logger.getLogger().log(""+f.getName()+" has not been modified");
    return true;
    The problem is in that the File.length() method is returning different values for the backup file, than for the original, even if identical!
    For example:
    10/15/2002 10:22:05: Lengths: New/Backup413/402
    10/15/2002 10:22:06: Lengths: New/Backup397/386
    10/15/2002 10:22:07: Lengths: New/Backup191/185
    All the new files are longer that the backup, but the contents are exactly the same! Is there some WIN32 'extras' in the file that's causing a problem here???
    In each of the cases, if I open the new(Longer) file in a good editor, I can see that the lengths are correct. But no extra characters existed in the new file compared to the backup!!
    Any ideas would be most appreciated
    Cheers
    Chris

    10 and 13 are CR(carriage return) and LF(linefeed) - this is normal for a Windows file. Use this copy routine; it works.
       // copyFile -  input: inFile -  path to source file
       //                    outFile - path to copy file to (including filename)
       //                    bRemoveSource - true removes the source files, false leaves them intact
       //             returns: void
       public static void copyFile(String inFile, String outFile,boolean bRemoveSource) throws IOException
          FileInputStream fin     = null;
          FileOutputStream fout   = null;
          boolean bCanWrite       = false;
          boolean bDeleted        = false;
          // To preserve date/time stamp
          File fTimeIn = new File(inFile);
          File fTimeOut = new File(outFile);
          long lTimeIn = fTimeIn.lastModified();
          try
            fin  = new FileInputStream(inFile);
            fout = new FileOutputStream(outFile);
            copyStream(fin, fout);
          finally
            try
              if (fin != null) fin.close();
            catch (IOException e) {}
            try
              if (fout != null) fout.close();
            catch (IOException e) {}
          fin.close();
          fout.close();
          // Set out time to in time
          fTimeOut.setLastModified(lTimeIn);
          if (bRemoveSource == true)
             bCanWrite = fTimeIn.canWrite();
             if (bCanWrite)  {
                bDeleted = fTimeIn.delete();
       // copyStream (a helper function for copyFile) -  input: in  - file stream of source file
       //                                                       out - file stream of destination file
       //                                                returns: void
       // *** NOTE: This function is thread safe ***
       public static void copyStream(InputStream in, OutputStream out)  throws IOException
          // do not allow other threads to read from the
          // input or write to the output while copying is
          // taking place
          synchronized (in)  {
             synchronized (out)  {
                byte[] buffer = new byte[256];
                while (true)  {
                   int bytesRead = in.read(buffer);
                   if (bytesRead == -1)
                      break;
                   out.write(buffer, 0, bytesRead);
       }

  • I just received an OEM copy of Adobe Photoshop Lightroom 5 with my Canon Pixma Pro 100 Printer.  What exactly is OEM.  Is it a full version?  Can I transfer files between different computers?

    @

    OEM means "Original Equipment Manufacturer", or in your case, Canon (not Adobe) is providing the software. It is identical to what you can buy from Adobe. It is the full version (that's the only version of Lightroom that exists)
    Transfer files between different computers ... this is not a function of Lightroom. Lightroom neither helps nor prevents you from transferring files from one computer to another.

  • TC and WD500 External drive - Locks up when copying large files

    I have a TC with a Western Digital 500GB my Book connected to the USB port on the TC that I use for network Storage. Everything works fine until I try to copy large files or directories from the Finder mounted share. After the copy freezes the external drive can no longer be seen by airport utility. If I look at disks it sees the disk but no partition. I have to power cycle the external drive to have TC see the drive again. Then I disconnect the drive and plug it in directly to the MAC and run disk utility and his repairs the journal. I have to do the repair every time it locks up. Should the external drive be formatted different or does it have to be connected to a USB hub. Or is this just a bug with the TC and afp ?

    I have this very same problem.
    I tried to copy a 4GB+ folder from the Macbook to the 500GB MyBook attached to my TC and it froze.
    Now the the files on the MyBook are invisible when attached to the TC ("0 Items") but are available when the drive is connected directly to the Macbook. I have run disk utility but it hasn't helped. The disk is FAT 32 formatted and the files on the MyBook are still invisible over the network.
    When the drive attached to the Macbook directly I can see a 'phantom' file with the same title as the 4GB+ folder I'd tried to copy. This file is "ZERO KB" and it cannot be deleted (error code -43).
    Anyone have a clue what is happening here?

  • After copying a file from NTFS to HFS volume, file size changed when viewing in Windows

    Hi guys,
    I have a Mac Air running Mavericks on a HFS partition and Windows 7 on a BOOTCAMP NTFS partition. I have some files that I want to read/write from/to both systems. Since OS X can't write NTFS and Windows can't write HFS either, and I don't want to use any 3rd-party tools/drivers, I have to adopt a "stupid" way: in OS X, I copy those files from NTFS to its HFS partition, make changes, then switch to Windows and sync them back to NTFS.
    The problem is, after I copied a file from NTFS to HFS in OS X, it seemed ok. But when I switched to Windows, the very copied file in HFS partition had its size changed (bigger) although I didn't make any changes to it in OS X yet. This happens to almost every file I copied, text and binary. For those text files, I tried to open it with EditPlus in Windows and EditPlus reports the correct size on the status bar.
    How could this happen?

    I am not sure if this is what your seeing but...
    The same unaltered file on two different volumes might use different amounts of disk space. This is because a 'disk' is divided in to 'blocks' and a block (also historically known as a 'sector') is a certain minimum size. So if disk-1 has a block size of 512 bytes and disk-2 has a block size of 1024 bytes then a file containing just 10 bytes will use up twice as much space on disk-2 as disk-1 even though it is the exact same file.
    Beyond that, Macs can add additional information like Spotlight tags, labels, icons, etc. which make a file bigger. If you are modifying a file then presumably that also implies adding additional content e.g. for a Word document more text and this will make it bigger. Also depending on some programs are configured or designed 'deleting' text may only mark it as deleted and not really delete. This can apply to older versions of Word which has a 'Fast Save' feature, new versions have removed this and do a proper delete.
    You would have to give more details like what you are doing to the document, what kind of document, and what the two sizes are.
    Finally, there is one other potential difference, some systems and manufacturers use 1024 as a unit for measuring file and disk sizes, some use 1000. It will be the same number of bytes in each case but 1000 bytes in one case would exactly equal 1MB, and in the other it would be 0.9765MB.

  • Drive Redirection virtual channel hangs when copying a file from server to client over RDP 8.1

    Problem Summary:
    A UTF-8 without BOM Web RoE XML file output from a line of business application will not drag and drop copy nor copy/paste from a Server 2012 R2 RD Session Host running RD Gateway to a Windows 7 Remote Desktop client over an RDP 8.1 connection and the Drive
    Redirection virtual channel hangs.  The same issue affects a test client/server with only Remote Desktop enabled on the server.
    Other files copy with no issue.  See below for more info.
    Environment:
    Server 2012 R2 Standard v6.3.9600 Build 9600
    the production server runs RDS Session Host and RD Gateway roles (on the same server).  BUT,
    the issue can be reproduced on a test machine running this OS with simply Remote Desktop enabled for Remote Administration
    Windows 7 Pro w SP1v6.1.7601 SP1 Build 7601 running updates to support RDP 8.1
    More Information:
    -the file is a UTF-8 w/o BOM (Byte Order Marker) file containing XML data and has a .BLK extension.  It is a Web Record of Employment (RoE) data file exported from the Maestro accounting application.
    -the XML file that does not copy does successfully validate against CRA's validation XML Schema for Web RoE files
    -Video redirection is NOT AFFECTED and continues to work
    -the Drive Redirection virtual channel can be re-established by disconnecting/reconnecting
    -when the copy fails, a file is created on the client and is a similar size to the original.  However, the contents are incomplete.  The file appears blank but CTRL-A shows whitespace
    -we can copy the contents into a file created with Notepad and then that file, which used to copy, will then NOT copy
    -the issue affects another Server 2012 R2 test installation, not just the production server
    -it also affects other client Win7 Pro systems against affected server
    -the issue is uni-directional i.e. copy fails server to client but succeeds client to server
    -I don't notice any event log entries at the time I attempt to copy the file.
    What DOES WORK
    -downgrading to RDP 7.1 on the client WORKS
    -modifying the file > 2 characters -- either changing existing characters or adding characters (CRLFs) WORKS
    -compressing the file WORKS e.g. to a ZIP file
    -copying OTHER files of smaller, same, and larger sizes WORKS
    What DOES NOT WORK?
    -changing the name and/or extension does not work
    -copying and pasting affected content into a text file that used to have different content and did copy before, then does not work
    -Disabling SMB3 and SMB2 does not work
    -modifying TCP auto-tuning does not work
    -disabling WinFW on both client and server does not work
    As noted above, if I modify the affected file to sanitize it's contents, it will work, so it's not much help.  I'm going to try to get a sample file exported that I can upload since I can't give you the original.
    Your help is greatly appreciated!
    Thanks.
    Kevin

    Hi Dharmesh,
    Thanks for your reply!
    The issue does seem to affect multiple users.  I'm not fully clear on whether it's multiple users and the same employee's file, but I suspect so.
    The issue happens with a specific XML file and I've since determined that it seems to affect the exported RoE XML file for one employee (record?) in the software.  Other employees appear to work.
    The biggest issue is that there's limited support from the vendor in this scenario.  Their app is supported on 2012 R2 RDS.
    What I can't quite wrap my head around are
    why does it work in RDP 7.1 but not 8.1?  What differences between the two for drive redirection would have it work in 7.1 and not 8.1?
    when I examine the affected file, it really doesn't appear any different than one that works.  I used Notepad++ and it shows the encoding as the same and there doesn't appear to be any invalid characters in the affected file.  I wondered
    if there was some string of characters that was being misinterpreted by RDP or some other operation and blocked somehow but besides having disabled AV and firewall software on both ends, I'm not sure what else I could change to test that further
    Since it seems to affect only the one employee's XML file AND since modifying that file to change details in order to post it online would then make that file able to be copied, it seems I won't be able to post a sample.  Too bad.
    Kevin

  • Problem copying some files.  Error messages -36 and -50

    I'm trying to backup my user folder onto an external LA Cie drive, and some of the files refuse to copy. The files, it seems, are mostly image or mov. files, and there appear to be dozens of "bad" ones, maybe hundreds. Several tens of thousand have no problem copying, but the bad files foul up the entire process.
    The error messages I tend to get are as follows:
    --"The finder cannot complete the operation because some data in [file name] could not be read or written (error code -36)"
    --"The operation cannot be completed because the item [file name] is locked."
    --I also get error code -50 sometimes.
    Can anyone diagnose this problem and tell me how to fix it?
    Powerbook G4   Mac OS X (10.4.9)  

    Todd--
    First thing I think I'd try would be to see if a different cable helps. Sometimes a bad cable can cause problems with an external disk. Also, make sure nothing but the drive is connected to the PowerBook.
    Second, look at the LaCie web site and see if there's a firmware update for your drive. I found a post on another board where the person had the -50 problem with a LaCie DVD drive that was cured by a firmware update.
    The -36 error means there's a disk I/O error:
    <pre class="command">ioErr = -36, /*I/O error (bummers)*/</pre>Look in your console log at the time you try to copy one of these files. It might have a line something like this:
    <pre class="command">Apr 07 09:00:00 username kernel[0]: disk0s3: I/O error.</pre>The username and disk0s3 parts will change a bit. You can figure out which disk is which using the Terminal application. Just copy and run this command:
    <pre class="command">diskutil list</pre>That'll give you the names and BSD identifiers (which is the diskNsN name) for your drive's partition. That should tell you where the actual error is occuring.
    As for the -50 error, that's an error in the parameter list. That can be caused by copying Mac files to FAT32 formatted partitions. If your LaCie drive is not formatted as Mac OS Extended, you might come up against this problem, too.
    charlie

  • What is the best way to work on the same InDesign file in different locations?

    I'm the creative director for an in-house creative department. We produce 37 catalogs and a multitude of print and electronic advertising each year, plus a variety of other items. Our problem is that we have two locations. In the current set-up, if I want someone at one location to work on a project but the files are at the other location, I have someone at the one location package all the materials involved with that project and either upload them to DropBox or copy them to an external drive and ship it. Not very efficient.
    We have servers at both locations but there are different files at each location. I'm able to remote from my computer into a computer at the other location, but if everyone were to do that we would need double the number of CC subscriptions and computers, and it would bog down the internet connection that the entire company uses. I'm also connected to the server at the other location (again, over the internet) and have opened InDesign files that reside on the server there and tried to work on them here (over the internet) but that is much slower than remoting in.
    The only way I can think of to alleviate this problem is to run duplicate servers at each location, but this would be an update and back-up nightmare (unless I'm missing something). Is anyone operating this same way and, if so, how are you dealing with it?
    We can't be the only company that works like this. Maybe I'm just missing something.
    Thanks,
    Lloyd

    We have servers at both locations but there are different files at each location. I'm able to remote from my computer into a computer at the other location, but if everyone were to do that we would need double the number of CC subscriptions and computers, and it would bog down the internet connection that the entire company uses. I'm also connected to the server at the other location (again, over the internet) and have opened InDesign files that reside on the server there and tried to work on them here (over the internet) but that is much slower than remoting in.
    One tiny thing bothers me about your setup. And you said it above, you would need double the number of CC subscriptions and computers. Are you using two people to access under the same CC subscription. Even if they are working in two different time zones, it is technically violating the rules and spirit of the rules of being able to install on two machines at the same time.
    You're allowed to install for two machines for one person working at the office and then at home. One person wouldn't be in two different locations at the same time.
    Meanwhile, regards your problem, I remember reading about a system many years ago that was pretty simple. It was based on an old newspaper/magaizine system of "who has the folder." (Created before computers) In the old days, if someone was working on a file, they left a folder with their name in its place.
    In the computer age, one person, working on a file, would move it to their desktop. Then, they would leave an empty folder with that document's name where it had been as well as their initials. So if I took "Shoes and Socks Fall 2015.indd" out, I would leave a folder named "Shoes and Socks Fall 2015_smsc" in its place.
    And if it was necessary for me to have the images, I would make a copy of them onto my machine so I wouldn't tax the network. Then when I was finished, I would copy the file back to the server. The links should show up. If not, we could relink later.
    With the empty folder on the server, anyone could tell who is working on a project. So if they were late getting it back, you could email them.
    It relies on the people being disciplined enough to make the folders, move the docs, etc. But since you've ruled out all the systems for companies with dumb employees, you're going to have to make them follow the rules.

  • Two machines saving the same file as different sizes?

    My coworker and I both have the same version of Illustratir (CS6) and both use Lion on iMacs, but today noticed something weird. He saved a file similar to a file I had done before as both an eps and a pdf and his file size was more than twice what my file sizes usually are. I thought it was odd, so I copied everything from his file into a new file (same dimensions) and saved out an eps and pdf (default settings), and like I thought, my files were less than half the size of his.
    Why would two machines be saving identical files at different sizes? Is there a setting somewhere I'm missing? Everything in the file is vector, if it matters. There's not even any editable text.

    See the mechanism of saving here: http://superuser.com/questions/66825/what-is-the-difference-between-size-and-size-on-disk
    The size of the "blocks" depends on the size of the disk and how it's been formatted.

  • The operation can't be completed because an unexped error occurred (error code-50).   This appears when I'm copying a file to the drive and then I wasn't able to edit to my drive.  Then this morning I can't open my project file.  What to do?

    Message: The operation can't be completed because an unexped error occurred (error code-50).
    This appears when I'm copying a file to the drive and then I wasn't able to edit to my drive.
    Then this morning I can't open my project file.  I get this message: The project appears to be damaged, it cannot be opened.
    What should I do!??
    I  have moved my project onto 2 different external hard-drives now.

    Hi There,
    After looking around for this error, it seems to be related to OS, we would recommend you to contact Apple support for this.
    Thanks,
    Atul Saini

  • Copying large file sets to external drives hangs copy process

    Hi all,
    Goal: to move large media file libraries for iTunes, iPhoto, and iMovie to external drives. Will move this drive as a media drive for a new iMac 2013. I am attempting to consolidate many old drives over the years and consolidate to newer and larger drives.
    Hardware: moving from a Mac Pro 2010 to variety of USB and other drives for use with a 2013 iMac.  The example below is from the boot drive of the Mac Pro. Today, the target drive was a 3 TB Seagate GoFlex ? USB 3 drive formatted as HFS+ Journaled. All drives are this format. I was using the Seagate drive on both the MacPro USB 2 and the iMac USB 3. I also use a NitroAV Firewire and USB hub to connect 3-4 USB and FW drives to the Mac Pro.
    OS: Mac OS X 10.9.1 on Mac Pro 2010
    Problem: Today--trying to copy large file sets such as iTunes, iPhoto libs, iMovie events from internal Mac drives to external drive(s) will hang the copy process (forever). This seems to mostly happen with very large batches of files: for example, an entire folder of iMovie events, the iTunes library; the iPhoto library. Symptom is that the process starts and then hangs at a variety of different points, never completing the copy. Requires a force quit of Finder and then a hard power reboot of the Mac. Recent examples today were (a) a hang at 3 Gb for a 72 Gb iTunes file; (b) hang at 13 Gb for same 72 Gb iTunes file; (c) hang at 61 Gb for a 290 Gb iPhoto file. In the past, I have had similar drive-copying issues from a variety of USB 2, USB 3 and FW drives (old and new) mostly on the Mac Pro 2010. The libraries and programs seem to run fine with no errors. Small folder copying is rarely an issue. Drives are not making weird noises. Drives were checked for permissions and repairs. Early trip to Genius Bar did not find any hardware issues on the internal drives.
    I seem to get these "dropoff" of hard drives unmounting themselves and other drive-copy hangs more often than I should. These drives seem to be ok much of the time but they do drop off here and there.
    Attempted solutions today: (1) Turned off all networking on Mac -- Ethernet and WiFi. This appeared to work and allowed the 72 Gb iTunes file to fully copy without an issue. However, on the next several attempts to copy the iPhoto and the hangs returned (at 16 and then 61 Gb) with no additional workarounds. (2) Restart changes the amount of copying per instance but still hangs. (3) Last line of a crash report said "Thunderbolt" but the Mac Pro had no Thunderbolt or Mini Display Port. I did format the Seagate drive on the new iMac that has Thunderbolt. ???
    Related threads were slightly different. Any thoughts or solutions would be appreciated. Better copy software than Apple's Finder? I want the new Mac to be clean and thus did not do data migration. Should I do that only for the iPhoto library? I'm stumped.
    It seems like more and more people will need to large media file sets to external drives as they load up more and more iPhone movies (my thing) and buy new Macs with smaller Flash storage. Why can't the copy process just "skip" the parts of the thing it can't copy and continue the process? Put an X on the photos/movies that didn't make it?
    Thanks -- John

    I'm having a similar problem.  I'm using a MacBook Pro 2012 with a 500GB SSD as the main drive, 1TB internal drive (removed the optical drive), and also tried running from a Sandisk Ultra 64GB Micro SDXC card with the beta version of Mavericks.
    I have a HUGE 1TB Final Cut Pro library that I need to get off my LaCie Thunderbolt drive and moved to a 3TB WD USB 3.0 drive.  Every time I've tried to copy it the process would hang at some point, roughly 20% of the way through, then my MacBook would eventually restart on its own.  No luck getting the file copied.  Now I'm trying to create a disk image using disk utility to get the file from the Thunderbolt drive and saved to the 3TB WD drive. It's been running for half an hour so far and appears that it could take as long a 5 hours to complete.
    Doing the copy via disk image was a shot in the dark and I'm not sure how well it will work if I need to actually use the files again. I'll post my results after I see what's happened.

  • Error code -36 when copying large file

    Aperture (Apple's pro photo software) stores all of it's data (pictures, metadata, etc) in what appears to be a large file called the Library. In fact, it's a large folder with all of the contents hidden so you don't mess around with it. I back this file up periodically to both an internal and external drive. After a hard drive failure and recreating my whole machine, everything seemed fine and Aperture is working normally. I have tried to drag copy my Aperture Library (rebuilt from my Aperture vault, a back up file created by Aperture) file to my internal second drive, a process that takes about 2 hours (300 Gb). The drive I'm copying to has over 451 GB available and was freshly formatted during this rebuild process. A little more that half way through the drag copy I get the following message.
    "The Finder cannot complete the operation because some data in “Aperture Library” could not be read or written, (Error code -36)"
    Here's what I've done to so far.
    1. Aperture has a function to repair permissions and rebuild the file, done both several times.
    2. I found (by looking at all 20,000 plus pictures) some corrupt picture files and deleted them, then repeted step one.
    3. Tried a duplicate file on the same drive, same error.
    Thoughts? Help? I can't find anything on a Mac OS error -36.
    By the way, I'm running Mac OS 10.5.8 and Aperture 2.1.4 on a Quad Core G5.

    This what it means:
    Type -36 error (I/O Errors (bummers)
    This file is having difficulty while either reading from the drive or writing to the drive. The file
    may have been improperly written data to the drive or the hard drive or disk may be damaged.
    This is almost always indicative of a media error (hard error on the disk). Sometimes (rarely) it is transient.
    Solutions: Try copying the file to another drive. Use a disk recovery software, such as Disk First Aid to examine the disk. You can try rebooting with all extensions off. Once in a while this will allow you to read the data. The file in question should be restored from a backup that was stored on a different disk. Regular backups can reduce the time to recover from this error.

  • Error -36 when trying to copy AVI files from External Drive to Mac

    Hi
    Hoping for some help with a problem I appreciate others have faced.
    I bought a new video camera recently and have just tried to copy the AVI files from the first few videos to my mac but am getting the error code 36 that states the files cannot be read or written.
    The format of the camera is MS-DOS (FAT 32) but when I tried changing it to MAC OS Extended it did something to the camera so the mac could then not recognise it when I tried to re-connect it via the USB port.
    I've been able to copy the files onto my friends Windows laptop no problem so don't believe them to be corrupt.
    Have also tried the dot_clean fix but this didn't work.
    Could there be another reason for the error? Any help or advice would be much appreciated.
    Thanks

    BDAqua wrote:
    I hear 3rd Party, or HW Raid 0/1/5/10 are OK, but 6 months is the absolute most I got out of my many screaming RAID setups before they completely lost it!
    Bummer. I'm not really doing this for speed though, just for total storage volume and constant, worry-free, no-brainer back-up. I guess RIAD in general is something I need to study up on. Would a simple mirror of one 500GB drive to another (back-up) - and do that twice - be a better, more reliable way to go?
    I've used Tri-Backup3/4 for years for Backups, it's fast, automatic, reliable, works in the background if you wish...
    Back-up software always seemed to have some kind of a hiccup to it, but I'll certainly look into Tri-Backup3/4. I used to Retrospect years ago, a rather fussy thing if I recall.
    Now, on the Safe Mode boot - not a success BUT a different result!
    I got the -36 again, but this time it was the external drive FILE that errored, not the OS-resident drive.
    In other words, pre-Safe Mode the error said "...because some data in "ZillaHAL" could not be read or written." (ZillaHAL is my OS-X drive).
    In Safe, it read, "...because some data in "WinXP Pro.vmem" could not be read or written."
    "WinXP Pro.vmem" is the virtual machine file - which basically is a simple Mac volume (folder) containing all of the files to run my XP virtual machine.
    Also, this time, a file* did manage to remain on the external drive whereas before, after the error, no file at all remained.
    * a generic icon appears, but it shows a size of 16+GBs. The actual file is 18.13GB - I did manage to shrink it down the other day (from it's previous 25GB).
    Well, that's it for now. I'll be away for three days, so don't mind me if I cannot reply back for a spell.
    Thanks BD,
    mp

  • My mac os 10.4.11 desktop requires authorization to copy a file to it.

    my mac os 10.4.11 desktop requires authorization to copy a file to it.
    I was trying to install some software on my moms computer and she forgot her login password so I changed the passwords on her login and the root user login to the same password. Ever since I have done that her desktop asks for authorization every time I try to move a file to it which after suppling the password it will copy it instead of move it. I tried changing the root to a different password thinking it may have somthing to do with that but it does the same thing. Any ideas?
    Thanks
    John

    It was a permissions problem. My desktop was set to read only. As far as the root user All I did was change its password. Will that activate the root user? I do not see a root user account when I boot in. There is only My login and other to choose from. I booted into the install disk and ran disk utility to correct my permissions and that fixed the desktop. If the root is active how do I deactivate it? I was reading that I need to do this via netinfo manager. Is that correct? If so any layman's terms on how to use this program? Thanks for all the help!!

Maybe you are looking for

  • How to connect my Mac book Pro to a TV

    How to connect my MacBook Pro to the TV using HDTV cable

  • Making a field visible for a particular row in table control.

    Hi Experts, I have a scenario where in there are 7 columns in table control wherein last column I have made invisible. Now I got to make that column visible only for the selected row and this column for the rest of the rows should be invisible. How c

  • Complete novice needs help

    Hi folks I hope you can indulge me. I am a mature student studying with the Open University in the UK. In order to complete my degree I have to produce a (small) project (doesn't have to have full functionality) based on a Network application. I am l

  • Tablespace TEMP en Oracle 10g

    Hola, tengo un crecimiento excesivo del tablespace TEMP y no encuentro la causa, Consulte la v$sort_usage pero no muestra nada. Como puedo solucionarlo ? Gracias Jorge

  • InDesign CS6 Crashing/Error

    Hello, My Indesign CS6 has decided to die - I can open the app fine however as soon as I interact with the document it crashes. I get this error message - http://pastebin.com/6zzzkF6N I am on Mac and have deadlines fast approaching. Photoshop and Ill