这很简单,我知道,但我没有互联网访问,这个网络键盘很糟糕,所以如果有人可以回答这个问题,请。
什么是班级?只是给我一个正确的方向。有一个简单的arraylist对象,我想写入和从文件读取。 感谢
答案 0 :(得分:4)
这个问题没有一个明确的答案。这取决于文件的格式和列表中的对象。你需要一个序列化器。例如,您可以使用BinaryFormatter将对象实例序列化为二进制文件,但您的对象必须为serializable。另一个选项是使用XML格式的XmlSerializer。
更新:
这是BinaryFormatter的一个例子:
class Program
{
static void Main()
{
var list = new ArrayList();
list.Add("item1");
list.Add("item2");
// Serialize the list to a file
var serializer = new BinaryFormatter();
using (var stream = File.OpenWrite("test.dat"))
{
serializer.Serialize(stream, list);
}
// Deserialize the list from a file
using (var stream = File.OpenRead("test.dat"))
{
list = (ArrayList)serializer.Deserialize(stream);
}
}
}
答案 1 :(得分:1)
由于您没有提及此数组包含的数据类型,我建议您以二进制格式编写该文件。
Here is a good tutorial on how to read and write in binary format.
基本上,您需要使用BinaryReader
和BinaryWriter
类。
[被修改]
private static void write()
{
List<string> list = new List<string>();
list.Add("ab");
list.Add("db");
Stream stream = new FileStream("D:\\Bar.dat", FileMode.Create);
BinaryWriter binWriter = new BinaryWriter(stream);
binWriter.Write(list.Count);
foreach (string _string in list)
{
binWriter.Write(_string);
}
binWriter.Close();
stream.Close();
}
private static void read()
{
List<string> list = new List<string>();
Stream stream = new FileStream("D:\\Bar.dat", FileMode.Open);
BinaryReader binReader = new BinaryReader(stream);
int pos = 0;
int length = binReader.ReadInt32();
while (pos < length)
{
list.Add(binReader.ReadString());
pos ++;
}
binReader.Close();
stream.Close();
}
答案 2 :(得分:0)
如果arraylist中的对象是可序列化的,则可以选择二进制序列化。但这意味着任何其他应用程序需要知道序列化,然后才能使用此文件。您可能想澄清使用序列化的意图。所以问题仍然存在,为什么需要进行序列化?如果它很简单,对于你自己(这个应用程序)的使用,你可以想到二进制序列化。确保您的对象是可序列化的。否则,您需要考虑XML序列化。
对于二进制序列化,您可以考虑这样的代码:
Stream stream = File.Open("C:\\mySerializedData.Net", FileMode.Create);
BinaryFormatter bformatter = new BinaryFormatter();
bformatter.Serialize(stream, myArray);
stream.Close();