e2950ec768
Former-commit-id: fc39669a0b707dd3c063977486506b6793da2890
2.9 KiB
2.9 KiB
System.Memory Design Guidelines
System.Memory
is a collection of types and features that make working with
buffers and raw memory more efficient while remaining type safe. The feature
specs can be found here:
Overview
ReadOnlySpan<T>
is effectively the universal receiver, in thatT[]
,T*
,Memory<T>
,ReadOnlyMemory<T>
,Span<T>
,ArraySegment<T>
can all be converted to it. So if you can declare your API to accept aReadOnlySpan<T>
and behave efficiently, that's best, as any of these inputs can be used with your method.- Similarly for
Span<T>
, if you need write access in the implementation. - It allows building safe public APIs that can operate on unmanaged memory without forcing all consumers to use pointers (and thus becoming unsafe). The implementation can still extract a raw pointer, therefore getting equivalent performance if necessary.
- It's generally best for a synchronous method to accept
Span<T>
orReadOnlySpan<T>
. However, sinceReadOnlySpan<T>
/Span<T>
are stack-only [1], this may be too limiting for the implementation. In particular, if the implementation needs to be able to store the argument for later usage, such as with an asynchronous method or an iterator,ReadOnlySpan<T>
/Span<T>
is inappropriate.ReadOnlyMemory<T>
/Memory<T>
should be used in such situations.
[1] stack-only isn't the best way to put it. Strictly speaking, these types
are called ref
-like types. These types must be structs, cannot be fields
in classes, cannot be boxed, and cannot be used to instantiate generic
types. Value types containing fields of ref
-like types must themselves be
ref
-like types.
Guidance
- DO NOT use pointers for methods operating on buffers. Instead, use
appropriate type from below. In performance critical code where bounds
checking is unacceptable, the method's implementation can still pin the span
and get the raw pointer if necessary. The key is that you don't spread the
pointer through the public API.
- Synchronous, read-only access needed:
ReadOnlySpan<T>
- Synchronous, writable access needed:
Span<T>
- Asynchronous, read-only access needed:
ReadOnlyMemory<T>
- Asynchronous, writable access needed:
Memory<T>
- Synchronous, read-only access needed:
- CONSIDER using
stackalloc
withSpan<T>
when you need small temporary storage but you need to avoid allocations and associated life-time management. - AVOID providing overloads for both
ReadOnlySpan<T>
andSpan<T>
asSpan<T>
can be implicitly converted toReadOnlySpan<T>
. - AVOID providing overloads for both
ReadOnlySpan<T>
/Span<T>
as well as pointers and arrays as those can be implicitly converted toReadOnlySpan<T>
/Span<T>
.