It could be useful, I think, to have functions in the standard that let you use a plain-o slice pointer in the manner of an ArrayList. Happens quite often when you’re building some kind of a tree, where there’s variation in the number elements but it’s small.
I’m thinking something like this:
fn calcCapacity(len: usize) usize {
return if (len > 0) std.math.ceilPowerOfTwo(usize, len) catch unreachable else 0;
}
fn GrandchildOf(comptime T: type) type {
return switch (@typeInfo(T)) {
.pointer => |pt| check: {
if (pt.is_const) @compileError("Cannot make modification through a const pointer");
break :check switch (@typeInfo(pt.child)) {
.pointer => |pt2| check2: {
if (pt2.is_const) @compileError("Slice is const");
break :check2 pt2.child;
},
else => @compileError("Not a pointer to a slice"),
};
},
else => @compileError("Not a pointer"),
};
}
fn append(allocator: std.mem.Allocator, slice_ptr: anytype, value: GrandchildOf(@TypeOf(slice_ptr))) !void {
const len = slice_ptr.*.len;
const capacity = calcCapacity(len);
const new_len = len + 1;
const new_capacity = calcCapacity(new_len);
if (new_capacity != capacity) {
const slice_before = slice_ptr.*.ptr[0..capacity];
slice_ptr.* = try allocator.realloc(slice_before, new_capacity);
}
slice_ptr.*.len = new_len;
slice_ptr.*[len] = value;
}
fn remove(allocator: std.mem.Allocator, slice_ptr: anytype, index: usize) void {
_ = GrandchildOf(@TypeOf(slice_ptr));
const len = slice_ptr.*.len;
var i: usize = index;
while (i + 1 < len) : (i += 1) {
slice_ptr.*[i] = slice_ptr.*[i + 1];
}
const capacity = calcCapacity(len);
const new_len = len - 1;
const new_capacity = calcCapacity(new_len);
if (new_capacity != capacity) {
const slice_before = slice_ptr.*.ptr[0..capacity];
slice_ptr.* = allocator.realloc(slice_before, new_capacity) catch unreachable;
}
slice_ptr.*.len = new_len;
}