C# 如何将 .text 文件理解为 main 的输出?

How does C# understand an .txt file as output for the main?

主要写了下面的代码:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.IO;
namespace text_test
{
class Program
{
    static void Main(string[] args)
     {
       txt_program tt = new txt_program();
        string[] output_txt = tt.txt;
    }
}
}

出现错误:

stating cannot convert method group 'txt' to non-delegate type 'string[]'.

而不是 string[] 我应该写什么?调用的代码如下所示:

(与上述相同的系统调用)。

namespace text_test
{

class txt_program

{
    public void txt(string[] args)
    {
        // Take 5 string inputs -> Store them in an array
        // -> Write the array to a text file

        // Define our one ad only variable
        string[] names = new string[5]; // Array to hold the names

        string[] names1 = new string[] { "max", "lars", "john", "iver", "erik" };

        for (int i = 0; i < 5; i++)
        {
            names[i] = names1[i];
        }

        // Write this array to a text file

        StreamWriter SW = new StreamWriter(@"txt.txt");

        for (int i = 0; i < 5; i++)
        {
            SW.WriteLine(names[i]);
        }

        SW.Close();
    }
}
}

public void txt(字符串[] args) { }

删除参数 "string[] args",不需要。

像这样调用方法 tt.txt();

void 方法 return 没有任何值

所以不要尝试获取字符串数组。

如果您只想将数组写入文件

 static void Main(string[] args) {
   string[] namess = new string[] { 
     "max", "lars", "john", "iver", "erik" };

   File.WriteAllLines(@"txt.txt", names);
 }

如果您坚持将 class 与流分开:

class txt_program {
  // () You don't use "args" in the method
  public void txt(){ 
    string[] names = new string[] { "max", "lars", "john", "iver", "erik" };

    // wrap IDisposable (StreamWriter) into using 
    using (StreamWriter SW = new StreamWriter(@"txt.txt")) {
      // do not use magic numbers - 5. 
      // You want write all items, don't you? Then write them  
      foreach (var name in names)
        SW.WriteLine(name);
    }
  }
}

...

static void Main(string[] args){
  // create an instance and call the method
  new txt_program().txt();
}