欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C#使用FileStream对象读写文件

程序员文章站 2023-11-01 08:55:16
在项目开发中经常会涉及到对文件的读写,c# 提供了很多种方式来对文件进行读写操作,今天来说说filestream 对象。 filestream表示在磁盘或网络路径上指向文...

在项目开发中经常会涉及到对文件的读写,c# 提供了很多种方式来对文件进行读写操作,今天来说说filestream 对象。

filestream表示在磁盘或网络路径上指向文件的流。一般操作文件都习惯使用streamreader 和 streamwriter,因为它们操作的是字符数据 。而filestream 对象操作的是字节和字节数组。有些操作是必须使用filestream 对象执行的,如随机访问文件中间某点的数据。

创建filestream 对象有许多不同的方法,这里使用文件名和filemode枚举值创建:

一、 读取文件,记得引用 system.io 命名空间:

using system;
using system.collections.generic;
using system.text;
using system.io;

namespace consoleapplicationtest
{
 class program
 {
  static void main(string[] args)
  {
   //创建需要读取的数据的字节数组和字符数组
   byte[] bytedata = new byte[200];
   char[] chardata = new char[200];

   //捕获异常:操作文件时容易出现异常,最好加上try catch
   filestream file = null;
   try
   {
    //打开一个当前 program.cs 文件,此时读写文件的指针(或者说操作的光标)指向文件开头
    file = new filestream(@"..\..\program.cs", filemode.open);
    //读写指针从开头往后移动10个字节
    file.seek(10, seekorigin.begin);
    //从当前读写指针的位置往后读取200个字节的数据到字节数组中
    file.read(bytedata, 0, 200);
   }catch(exception e)
   {
    console.writeline("读取文件异常:{0}",e);
   }
   finally
   {
    //关闭文件流
    if(file !=null) file.close();
   }
   //创建一个编码转换器 解码器
   decoder decoder = encoding.utf8.getdecoder();
   //将字节数组转换为字符数组
   decoder.getchars(bytedata, 0, 200, chardata, 0);
   console.writeline(chardata);
   console.readkey();
  }
  }
}

显示结果如下:

C#使用FileStream对象读写文件

二、写入文件:

using system;
using system.collections.generic;
using system.text;
using system.io;

namespace consoleapplicationtest
{
 class program
 {
  static void main(string[] args)
  {
   byte[] bytedata;
   char[] chardata;
   filestream file = null;
   try
   {
    //在当前启动目录下的创建 aa.txt 文件
    file = new filestream("aa.txt", filemode.create);
    //将“test write text to file”转换为字符数组并放入到 chardata 中
    chardata = "test write text to file".tochararray();
    bytedata = new byte[chardata.length];
    //创建一个编码器,将字符转换为字节
    encoder encoder = encoding.utf8.getencoder();
    encoder.getbytes(chardata, 0, chardata.length, bytedata, 0,true);
    file.seek(0, seekorigin.begin);
    //写入数据到文件中
    file.write(bytedata, 0, bytedata.length);

   }catch(exception e)
   {
    console.writeline("写入文件异常:{0}",e);
   }
   finally
   {
    if (file != null) file.close();
   }
   
   console.readkey();
  }
 }
}

结果如下:

C#使用FileStream对象读写文件

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。