C#使用FileStream复制多媒体文件

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.IO;

namespace 多媒体文件复制
{
    class Program
    {
        static void Main(string[] args)
        {
            //先读取出来,再写入到指定路径
            string source = @"C:\123\123.avi";
            string target = @"C:\123\456.avi";
            CopyFile(source, target);
        }

        public static void CopyFile(string source, string target)
        {
            //创建一个读取的流
            using (FileStream fsRead = new FileStream(source, FileMode.OpenOrCreate, FileAccess.Read))
            {
                //创建一个写入的流
                using (FileStream fsWrite = new FileStream(target, FileMode.OpenOrCreate, FileAccess.Write))
                {
                    //每次读取5M大小
                    byte[] buffer = new byte[1024 * 1024 * 5];
                    //文件可能比较大,循环去读
                    while (true)
                    {
                        //本次实际读取到的字节数
                        int r = fsRead.Read(buffer, 0, buffer.Length);
                        //如果读取到的字节数为0,则意味着读完了
                        if (r == 0)
                        {
                            break;
                        }
                        fsWrite.Write(buffer, 0, r);
                    }
                }
            }
        }
    }
}

你可能感兴趣的:(C#)