C# Window编程随记——读取.txt文件内容

C# Window编程随记——读取.txt文件内容

要读取.txt文件的内容,代码结构可以按照步骤分为:

  1. 获取文件路径
  2. 判断路径是否存在
  3. 根据文件名称判断文件是否存在
  4. 读取文件内容,打印输出

1.获取文件路径和判断路径是否存在

从上一篇文章,我们已经完成了第一步,即获取目录操作,我们只需将folderDlg.SelectedPath的内容作为路径即可。那么第二步,即判断目录是否存在,只需要使用如下方法:

if (Directory.Exists(ExcelsFilePath))//判断是否存在

2.判断文件是否存在和读取文件内容,打印输出

下面我们写了一个方法,实现了剩下的步骤3和4,代码如下:

        /// <summary>
        /// 读取.txt文件,转成string类型
        /// </summary>
        /// <param name="_Path"></param>
        /// <param name="fileName"></param>
        /// <returns></returns>
        public static string ReadFileOfTXT(string _Path, string fileName)
        {
            String result = "";
            String line = "";
            try
            {
                if (File.Exists(@""+_Path + "/" + fileName))
                {
                    //存在
                    Console.WriteLine("文件存在");
                    StreamReader sr = new StreamReader(_Path + "/" + fileName, Encoding.Default);

                    while ((line = sr.ReadLine()) != null)
                    {
                        if (result == "")
                        {
                            result = line;
                        }
                        else
                        {
                            result = result + "\r\n" + line;
                        }
                    }
                }
                else
                {
                    //不存在
                    Console.WriteLine("文件不存在");
                    MessageBox.Show("配置文件文件不存在");
                }
            }
            catch (IOException e)
            {
                Console.WriteLine(e.ToString());
                MessageBox.Show("导表失败:" + e.ToString());
            }

            return result;
        }

在C#中没有print方法,我们都是通过控制台Console的Write/WriteLine方法来打印调试信息的。MessageBox.Show(“”)方法也常用于调试,作用是弹出一个文本框,显然是更加直观的提示方式。

你可能感兴趣的:(编程,代码,C#)