-
Notifications
You must be signed in to change notification settings - Fork 4.7k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Proposal: Atomic<T> (corefx) #17975
Comments
Maybe a CompareExchange variant that takes a bool Transform<TVal>(Func<TVal, TVal> transformation, T comperand) where TVal : struct, T; Added |
cc @sergiy-k |
I think in this case it’s ok skip the interface name suffix convention so things don’t read weird. Consider changing ValueAtomic to AtomicValue. Furthermore, the api really abstracts a memory location consider renaming to AtomicVariable Consider adding 'Extensions' suffix to Extension Method classes. |
There are 3 types, IAtomic, Atomic (class) and ValueAtomic (struct). The ValueAtomic follows the naming of ValueTuple and ValueTask for the struct based versions of Tuple and Task. IAtomic is so generic constraints can be used for the two types in the extension methods. Ideally I'd like ValueTask to be a heap+ref return only (array of ValueTask) struct. It would have a similar problem to SpinLock in stack space (e.g. no purpose and error though copying).
It can represent any type at any size; just will fallback to a lock when it can't be covered by a CAS or equivalent (e.g. TSX/LLSC).
Done |
An alternative design would be to add the following:
That's more flexible than demanding that a certain type must be used. |
Doesn't allow fallbacks; if I had a 16 byte struct it may support CAS on x64, but not x86, a 64 byte struct may support an atomic update with TSX on Intel Skylake but not on earlier cpus, AMD or ARM. As a user I just want an atomically updating data structure without worrying how its done; whether CAS, LLSC, Transactional memory etc. As a power user I may want to know if With the Atomic<struct256byte> LargeStruct = new Atomic<struct256byte>();
var val = LargeStruct.Read();
val.x = 15;
val.name = "www";
LargeStruct.Write(val); An if that became an lock-free operation at some point on a platform the framework could be updated to take advantage of it and no user code would need to change. |
Why? How are these related to this api?
So it abstracts a location in memory.. seems natural to call it as such (e.g AtomicVariable) p.s Not planning to over argue about it... food for your thought |
As there are two types: Atomic<decimal> objectAtomicDecimal = new Atomic<decimal>();
ValueAtomic<decimal> valueTypeAtomicDecimal = new ValueAtomic<decimal>(); The class type (heap) to be passed as parameter; the valuetype to be embedded in class (heap) or used in arrays (heap). |
Aha... didn't pay quite attention to the Atomic class (wrapper) |
BTW.. I don't recall encountering code where an atomic variable was passed around as an argument for anything other then passing it to an interlocked method... even while reading through java code I only recall noticing their atomic abstraction used at the field level. Have you encountered any usage that justifies the 'class version'? Might worth posting an example here to be included in the api doc's as "sample usage". Genuinely interested. |
There's no need for a copy of the struct to put it on the heap. The framework has |
@clrjunkie Unless it could be enforced that a stack copy of the Say you had an atomic subtract extension for decimal which took a minimum value: static ValueTuple<bool, decimal> Subtract<TAtomic>(this TAtomic atom,
decimal value,
decimal min)
where TAtomic : IAtomic<decimal>; Then you took a function local copy: class Account
{
ValueAtomic<decimal> _balance = new ValueAtomic<decimal>();
public bool Withdraw(decimal amount, out string message)
{
var balance = _balance; // uh oh - different copy
var result = balance.Subtract(amount, 0);
var success = result.Item1;
var currentBalance = result.Item2;
if (success)
{
message = $"{amount} was withrawn from your account and you have {currentBalance} remaing";
}
else
{
message = $"You only have {currentBalance} which is insufficent to withrawn {amount}"
+ $"as that would leave you with {currentBalance - amount}";
}
return success;
}
} You may be confused why the actual So I'd prefer the struct version; but the class version comes with less hazards - thus offer both.
Does Java have value types? Everything is mostly an object type? |
Box<Atomic<decimal>> balance = new Box<Atomic<decimal>>(1000);
// ...
balance.Value.Subtract(10, 0); Is just unhappy code... So you'd probably go: Box<Atomic<decimal>> objectBalance = new Box<Atomic<decimal>>(1000);
// ...
var balance = objectBalance.Value;
balance.Subtract(10, 0); And now you are in trouble for the reason mentioned in previous comment as you are operating on a different instance. |
I did something similar with InterlockedBoolean which is a great convenience structure for storing atomic boolean values. However, it can't be passed around since it's an ordinary struct. Perhaps the compiler can issue an error/warning if an instance of the proposed value is passed around. I also think naming these types InterlockedValue and InterlockedObject are more congruent with .NET's InterlockedXXX naming style. |
Actually I started to think about it the other way around: go with class, drop struct, exactly because of boxing penalty.. and I don't see the need for a huge array of atomics and the boxing conversion penalty of both IAtomic where T : IEquatable can have a negative impact overall. And why would anyone do this: var balance = _balance; // uh oh - different copy and not work with the _balance directly to extract the wrapped value via the Read method? You mentioned that the motivation for the class version was for passing it as parameter, and my understanding was that your intention was to reduce the copy size. Java currently has only reference types and my point was that I didn't see those passed around anyway so I didn't understand the motivation compared to a field allocated struct. |
@clrjunkie people take different approaches to things, and its to leave the flexibility open. Depends whether you are taking an object orientated approach and adding 12 bytes plus a GC handle to every object or a data orientated approach for fast batch processing where you'd stream through arrays of data. ref returns for example fit more with a data orientated approach. And you could ref return an ValueAtomic from the array
Shouldn't be any boxing? There's an extra pass though concrete call to the struct which should be inlinable. |
but 'balance' is the value how can it have 'Subtract' ? |
If |
You mean in case the user did var balance = objectBalance, but there is no reason to do so other then by mistake and there can be many other mistakes... Looks like another reason why having a struct version is bad.
I meant the "box" problem in general but as soon as you starting invoking methods that call the atomic through the base interface methods, notability IEquatable the unboxing penalty will start showing. Why do we need this? |
How can the Atomic be returned and not T ?
|
I think you consider the large collection (was array) scenario to be very important, no problem.. what's the use-case? Maybe it involves comparing or lookup and the unboxing effect will introduce a negative effect overall? |
Are you advocating that each class in the framework should also have a struct version to satisfy every potential need or programing approach? |
Was in answer to @GSPP suggestion about using The value-type Atomic should be "non-copyable". So casting it to object, to IAtomic, assigning to a local or assigning another heap variable to it should all be compile errors; as they will take a copy and not modify the original. Passing as a ref return or modifying in place should be fine. Kind of like The
Going back to the Java comparison it has AtomicReferenceArray for similar. However, with the struct type you could use a normal .NET array of
If you were organising data in a column store manner and say the data type was Decimal (16 bytes) then if you wanted to do a Sum: ValueType: for loop over array, proceed in 32 byte skips, 2 per cache line (16 byte decimal + 8 byte null lock pointer + alignment) So the value type would be faster. And if its any array of references then using a object type atomic would mean to use the object would require a double deference. Array->Atomic->Object->Function |
No; just certain building blocks, that represent extensions over simple types. If you are dealing with small types like
However, I do think it would be excellent if escape analysis was done on function allocated local objects and they were allocated on the stack if they didn't escape rather than the heap; but that's another story... |
But your doing 'Sum'... you would probably need to lock some range to get a consistent point in time snapshot, how does atomicity come into play here per data item?? |
Maybe poor example, call it Preventing torn reads; admittedly you could get the same effect by using |
@benaadams, (old news) MSVCRT as of VS2015 Update 3 has also implemented full set of C++11, 85%+ of C++14 and ~30% of C++17, 95% of C99 and 18% of C11 (all ISO standards). So std::atomic is available there as well: https://msdn.microsoft.com/en-us/library/hh567368.aspx#atomics 😉 |
It looks like InterlockedCompareExchange128 is only available on x64 on Windows:
What is the issue with mutating a struct containing a reference? Why can it not be treated as flat memory? |
I like the proposal, but I think it would be good to provide only a value type atomic (have It looks like we would need the following:
@benaadams, are you aware of any real-world scenarios that would greatly benefit from this feature? For instance, are there scenarios that are blocked from a performance perspective due to the inability of being able to do interlocked operations on structs? |
@kouvel there are a number of lock free algorithms that are blocked from not having it. So for example the lock-free Concurrent collections and the threadpool queues can't be fully non-allocating and use pooled nodes as they would suffer from the ABA problem. With the 128 bit CAS then you can add a state/tag/counter to the pointer to resolve this. A 128 bit CAS by itself https://github.com/dotnet/corefx/issues/10478 will only work on certain CPU classes; so the Atomic is better as it provides a lock fallback so can work on all platforms; though obviously less than ideal on some. For example it may be preferable to allocate and still be lock free if locking is involved - hence the static |
There is a fair bit of detail here, and I have not really given it too much thought, but I have some observations / concerns.
Note that even if we did decide to do implement Atomic, we probably want implement it by providing low level support (like the Interlocked operation above), and then implement Atomic on top of it. This keeps the runtime small. If we can't do that (that is we need magic), we need to think about it because by issue (1) above, this is probably not worth implementing much magic. Having said all this, I am aware that most other languages/systems do implement something very much like Atomic, so you can argue that this just filling a competitive hole. However I would like this hole filled with as little magic as possible. Ideally it is a class library sitting on top of very little magic support in CoreCLR. |
@vancem https://github.com/dotnet/corefx/issues/10478 is for 128 bit |
Yes, it seems that magic is needed to solve the alignment issues for CAS128, which makes its cost higher and thus its cost-benefit proposition worse. Right now we don't really have a thought-through design for CAS128, and it 'feels' like it is probably too expensive for its value (so far at least...). If we want to proceed with this, we need to clearly articulate the cost (how we would solve the alignment issue and how expensive that would be), as well as the value (how much faster would these lock-free algorithms be from what we have today. P.S: (slightly off topic, but is relevant in deciding how much better CAS128 algorithms are from Cas64 algorithms. For what it is worth in garbage collected systems when you are playing with GC references (which you typically are) the ABA problem is sometimes not as problematic, because, unlike native code, a reference can't change identity (can't be deleted and that same memory morphed into a different object), as long as there is an object reference pointing at it (which you typically naturally have in the code doing the update). For example normally implementing a linked list stack with PUSH and POP operations would suffer from the ABA problem if POP was implemented in the 'obvious' way with CAS. However that implementation DOES work in a GC environment if the list never tries to reuse link cells because the linked list element being POPed can't be recycled (and thus mutated) while the POP operation has a reference to it. |
@vancem yes, I mean you can't do object pooling + CAS on x64 in .NET currently; you can only do GC + CAS on x64. You could in theory do object pooling + CAS on x86 in .NET though I haven't investigated that particularly as its not relevant to my domain (need Vector ops too much) |
Even javascript is getting Atomic 😱 https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Atomics |
What's the current status on this? If it's unlikely to be done in the near future I'm going to reopen the proposal for the extra bitwise APIs on |
It seems unlikely to happen in the near future. |
A year has passed but nothing has moved ) |
An array backed concurrent stack such as the Stroustrup one would need the CAS128 instruction to avoid ABA. Our problem with the LinkedList based concurrent stack implementation is that we have several million long lived items, and they get popped and pushed over time but the ones lower in the stack generally don't change too much. These items don't get cleaned up until Gen2 runs and the few millions that haven't changed still need its pointers traced by the GC. Stroustrup's implementation creates a lot of short lived objects if you have contention but these will never get past ephemeral gens. If CAS128 is available, Stroustrup's algo could be a good replacement for the current ConcurrentStack implementation, |
@zachsawcs Do you have reference for that impl? |
http://www.stroustrup.com/lock-free-vector.pdf I implemented it from the paper above, but ran into all sorts of trouble with C# - Interlocked.CompareExchange was the first problem preventing me from creating a generic typed ConcurrentStack. I managed to workaround that by doing unsafe cast (Unsafe.As) with a factory for the different types. But the biggest problem was C# just doesn't support 128-bit compare exchange, preventing me from solving the ABA problem for 64-bit data types. There's currently no way to implement such an algo in C#. |
Related: #31911 |
This would help ManualResetValueTaskSourceCore where it is theoretically possible for a race condition to cause the wrong state object to be used (even though that would be user error anyway). And the extra null check could be removed. Lines 146 to 159 in 1f98974
[Edit] Or I guess #31911 would solve the same problem. |
Any update on this? |
Atomic
Background
x64 has been able to do 128bit/16 byte Interlocked CompareExchanges for a while and its a cpu requirement to be able install Window 8.1 x64 and Windows 10 x64. Its also available on MacOS/OSX and Linux. Its availability would allow for more interesting lock-less algorithms.
Was trying to think if there was an easy fallback for https://github.com/dotnet/corefx/issues/10478 but since its struct-based there is nothing to lock.
So additionally it would be good to have a type Atomic which mirrors the C++ 11 atomic type, adds some .NET magic and can fallback to locks when the data width is not supported on the platform.
Proposed Api
Interface, struct, class, extenstions (and some reference manipulation types)
Atomic struct
Atomic class (struct wrapper)
Numeric Extensions
Bool Extensions
Atomic Flagged References
Atomic Versioned References
Atomic Tagged References
Atomic Double Reference
Transforms
The transforms give the flexibility to compose more complex atomic data structures; for example the
int
Add
,Increment
andIncrement
to limit can be implemented asOr an entirely new type that hadn't previously supported atomic updates, with new operations
When the struct was 16 bytes
_data
would need to be 16 byte aligned to allow lock free use withLOCK CMPXCHG16b
where available. Might be easier to enforce alignment than with https://github.com/dotnet/corefx/issues/10478?VersionedReference
andFlaggedReference
should be 16 byte aligned inAtomic
(don't need to be outside), as shouldTaggedReference
when the struct is <= 16 bytes.The text was updated successfully, but these errors were encountered: