-
Notifications
You must be signed in to change notification settings - Fork 22
/
Copy pathProgram.cs
80 lines (67 loc) · 1.95 KB
/
Program.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
using System.Text;
using BenchmarkDotNet.Attributes;
using BenchmarkDotNet.Running;
BenchmarkRunner.Run<Benchmark>();
[MemoryDiagnoser]
public class Benchmark
{
private StringBuilder _sb = default!;
[Params(10, 100, 1000)]
public int Chars { get; set; }
[GlobalSetup]
public void Setup() => _sb = new StringBuilder(new string('c', Chars));
[Benchmark(Baseline = true)]
public void EnumeratorViaToString()
{
foreach (var c in _sb.ToString()) _ = c;
}
[Benchmark]
public void EnumeratorViaExtension()
{
foreach (var c in _sb) _ = c;
}
[Benchmark]
public void IterateViaForLoop()
{
for (var i = 0; i < _sb.Length; i++)
_ = _sb[i];
}
[Benchmark]
public void ViaChunkEnumerator()
{
foreach (var chunk in _sb.GetChunks())
{
foreach (var c in chunk.Span)
_ = c;
}
}
}
public static class Extensions
{
public static StringEnumerator GetEnumerator(this StringBuilder s) => new(s);
}
/// <summary>
/// ref structs can't escape to the heap
/// We do this to further optimize the runtime and allocations
/// I know that mutable value types are evil, but normally this type
/// is not handled by user-code, so it is fine
/// </summary>
public ref struct StringEnumerator
{
private readonly StringBuilder _stringBuilder;
private int _index = -1;
public StringEnumerator(StringBuilder stringBuilder) => _stringBuilder = stringBuilder;
public bool MoveNext()
{
_index++;
return _index < _stringBuilder.Length;
}
/// <summary>
/// This is potentially dangerous as this is not always O(1)
/// The StringBuilder has chunks, which are at most 8000 bytes long
/// So having a string longer than 8000 bytes might have to access
/// the second chunk.
/// </summary>
public char Current => _stringBuilder[_index];
public void Dispose() => _index = -1;
}