StringBuilderをSystem.IO.Streamに書き込む最良の方法は何ですか?
私は現在やっています:
StringBuilder message = new StringBuilder("All your base");
message.Append(" are belong to us");
System.IO.MemoryStream stream = new System.IO.MemoryStream();
System.Text.ASCIIEncoding encoding = new ASCIIEncoding();
stream.Write(encoder.GetBytes(message.ToString()), 0, message.Length);
StringBuilderを使用しないでください。ストリームに書き込む場合は、 StreamWriter を使用して実行してください。
using (var memoryStream = new MemoryStream())
using (var writer = new StreamWriter(memoryStream ))
{
// Various for loops etc as necessary that will ultimately do this:
writer.Write(...);
}
それが最良の方法です。それ以外の場合は、StringBuilderを失い、次のようなものを使用します。
using (MemoryStream ms = new MemoryStream())
{
using (StreamWriter sw = new StreamWriter(ms, Encoding.Unicode))
{
sw.WriteLine("dirty world.");
}
//do somthing with ms
}
おそらく役に立つでしょう。
var sb= new StringBuilder("All your money");
sb.Append(" are belong to us, dude.");
var myString = sb.ToString();
var myByteArray = System.Text.Encoding.UTF8.GetBytes(myString);
var ms = new MemoryStream(myByteArray);
// Do what you need with MemoryStream
ユースケースによっては、単にStringWriterで開始することも意味があります。
StringBuilder sb = null;
// StringWriter - a TextWriter backed by a StringBuilder
using (var writer = new StringWriter())
{
writer.WriteLine("Blah");
. . .
sb = writer.GetStringBuilder(); // Get the backing StringBuilder out
}
// Do whatever you want with the StringBuilder
StringBuilderのようなものを使用したい場合は、すっきりさせて作業するので、次に作成したStringBuilderの代替のようなものを使用できます。
最も重要な違いは、最初にStringまたはByteArrayにアセンブルすることなく内部データにアクセスできることです。つまり、メモリ要件を2倍にする必要がなく、オブジェクト全体に適合する連続したメモリチャンクを割り当てようとするリスクがあります。
注:List<string>()
を内部で使用するよりも良いオプションがあると確信していますが、これは単純であり、私の目的には十分であることが証明されました。
public class StringBuilderEx
{
List<string> data = new List<string>();
public void Append(string input)
{
data.Add(input);
}
public void AppendLine(string input)
{
data.Add(input + "\n");
}
public void AppendLine()
{
data.Add("\n");
}
/// <summary>
/// Copies all data to a String.
/// Warning: Will fail with an OutOfMemoryException if the data is too
/// large to fit into a single contiguous string.
/// </summary>
public override string ToString()
{
return String.Join("", data);
}
/// <summary>
/// Process Each section of the data in place. This avoids the
/// memory pressure of exporting everything to another contiguous
/// block of memory before processing.
/// </summary>
public void ForEach(Action<string> processData)
{
foreach (string item in data)
processData(item);
}
}
次のコードを使用して、コンテンツ全体をファイルにダンプできます。
var stringData = new StringBuilderEx();
stringData.Append("Add lots of data");
using (StreamWriter file = new System.IO.StreamWriter(localFilename))
{
stringData.ForEach((data) =>
{
file.Write(data);
});
}