如何在文本文件中保存此内容?在C#
using System;
using System.Collections.Generic;
using System.Text;
namespace LinkList
{
class Program
{
static void Main(string[] args)
{
list x = null;
list first;
Random rnd = new Random();
x = new list();
first = x;
x.data = rnd.Next(20, 500);
x.next = null;
for (int i = 0; i < 20; i++)
{
x.next = new list(); //create new node
x = x.next;
x.next = null;
//x.data = System.Convert.ToInt32(Console.ReadLine());
x.data = rnd.Next(20, 500);
}
x = first;
int count = 0;
int y;
while (x != null)
{
Console.WriteLine(x.data);
x = x.next;
}
}
}
class list
{
public int data; //4 byte
public list next; // 4 byte
}
}
答案 0 :(得分:0)
一种可能的方法是序列化它。 JSON是一种非常标准的格式,因此您可以使用JSON序列化程序,例如Newtonsoft.JSON
:
string json = JsonConvert.SerializeObject(first);
File.WriteAllText("list.txt", json);
或者如果您不想使用第三方库,您可以使用框架中内置的JavaScriptSerializer
类来实现相同的目标:
string json = new JavaScriptSerializer().Serialize(first);
File.WriteAllText("list.txt", json);
如果您更喜欢XML作为序列化格式,则可以这样做:
var serializer = new XmlSerializer(typeof(list));
using (var output = File.OpenWrite("list.xml"))
{
serializer.Serialize(output, first);
}
为此,您可能需要制作list
课程public
,因为在您的示例中它是internal
。