I have just been getting my feet wet with Zig, so apologies if this is something that has been hashed out and rejected already. One criticism I have seen of Zig is that a common pattern is to have some init or create function that requires some corresponding deinit or destroy function call. The only way that way that library writers tend to communicate that the latter should be called to library consumers is through doc comments, or through the expectation that this convention is followed, and for the consumer to expect some function to exist and to look for it.
This seems like a reasonable criticism to me, since forgetting to deinitialize things that require it is a very common problem in general. I realized the Zig language already supports a feature that mitigates this, it is just not being used in the standard library (and thus the convention is to not use this in community libraries). If functions that require a corresponding cleanup function call simply return that function, callers would be required to either explicitly ignore that return value to get the current behavior, or capture the return value and use it (probably a deferred application).
For example, I propose changing the function signature of std.mem.Allocator.alloc
from
alloc(self: Allocator, comptime T: type, n: usize) Error![]T
to something like
alloc(self: Allocator, comptime T: type, n: usize) Error!struct { []T, fn () void }
and instead of calling to free
and passing the return value of alloc
, you would be encouraged to capture both values of the tuple, and defer a call to the latter.
const foos, const freeFoos = try allocator.alloc(Foo, 5);
defer freeFoos();
// use foos
In this example, freeFoos
would be a closure over foos
that calls allocator.free
on it. The current behavior could still be achieved by just ignoring the second value of the tuple.
const foos, _ = try allocator.alloc(Foo, 5);
defer allocator.free(foos);
// use foos
Sorry if the syntax isn’t exactly correct, I’m on mobile and haven’t actually tested this
Also FWIW, one place I have seen this pattern before is with cancelable contexts in Golang. See the collapsed example under the WithCancel
documentation here: context package - context - Go Packages. Go is another language that requires return values to be handled (at least when one or more of them are handled, like the ctx
value in the example), and requires the cancel
value either be used (applied) or ignored (assigned to _
, just like in Zig). It seems like this would be a reasonable pattern to use all over the standard library, and thus encourage community libraries to do the same. Thoughts?