我有一个System.Net.Mail.Attachment对象,其中包含一些.csv数据。我需要将附件的内容保存在文件中。我试过这个:
var sb = new StringBuilder();
sb.AppendLine("Accounts,JOB,Usage Count");
sb.AppendLine("One,Two,Three");
sb.AppendLine("One,Two,Three");
sb.AppendLine("One,Two,Three");
var stream = new MemoryStream(Encoding.ASCII.GetBytes(sb.ToString()));
//Add a new attachment to the E-mail message, using the correct MIME type
var attachment = new Attachment(stream, new ContentType("text/csv"))
{
Name = "theAttachment.csv"
};
var sr = new StreamWriter(@"C:\Blah\Look.csv");
sr.WriteLine(attachment.ContentStream.ToString());
sr.Close();
但该文件只有以下内容:“System.IO.MemoryStream”。 你能告诉我如何在那里获得真实的数据吗?
感谢。
答案 0 :(得分:5)
您无法在任意流上调用ToString
。相反,您应该使用CopyTo
:
using (var fs = new FileStream(@"C:\temp\Look.csv", FileMode.Create))
{
attachment.ContentStream.CopyTo(fs);
}
使用它来替换示例的最后三行。默认情况下,ToString
只返回该类型的名称,除非该类重写ToString。 ContentStream只是抽象的Stream(在运行时它是MemoryStream
),所以只有默认的实现。
CopyTo
是.NET Framework 4中的新增功能。如果您不使用.NET Framework 4,则可以使用扩展方法模拟它:
public static void CopyTo(this Stream fromStream, Stream toStream)
{
if (fromStream == null)
throw new ArgumentNullException("fromStream");
if (toStream == null)
throw new ArgumentNullException("toStream");
var bytes = new byte[8092];
int dataRead;
while ((dataRead = fromStream.Read(bytes, 0, bytes.Length)) > 0)
toStream.Write(bytes, 0, dataRead);
}
感谢Gunnar Peipman在his blog上的扩展方法。
答案 1 :(得分:0)
假设您的流不是太大,您可以将其全部写入文件,如下所示:
StreamWriter writer = new StreamWriter(@"C:\Blah\Look.csv");
StreamReader reader = new StreamReader(attachment.ContentStream);
writer.WriteLine(reader.ReadToEnd());
writer.Close();
如果它更大,你可能希望将读取数据块化为一个循环,以免拆除你的RAM(并且存在内存异常的风险)。