hachyderm.io is one of the many independent Mastodon servers you can use to participate in the fediverse.
Hachyderm is a safe space, LGBTQIA+ and BLM, primarily comprised of tech industry professionals world wide. Note that many non-user account types have restrictions - please see our About page.

Administered by:

Server stats:

9.4K
active users

b4ux1t3 :trek_ds9_sisko:#1️⃣

Okay, Ziguanas, is this really the best we can do for "interfaces" in ?

I can't think of another way to do it.

```zig
// The interface
pub const BusDevice = struct {
ptr: *anyopaque,
min_address: u16,
max_address: u16,
readFn: *const fn (ptr: *anyopaque, addr: u16) u8,
writeFn: *const fn (ptr: *anyopaque, addr: u16, value: u8) void,

fn read(self: BusDevice, addr: u16) u8 {
return self.readFn(self.ptr, addr);
}
fn write(self: BusDevice, addr: u16, value: u8) void {
self.writeFn(self.ptr, addr, value);
}
};

// The implementation
pub const Memory = struct {
min_address: u16,
max_address: u16,
physical_memory: []u8,

pub fn new(allocator: Allocator, min_address: u16, max_address: u16) !Memory {
const phys_mem = try allocator.alloc(u8, max_address - min_address);

for (phys_mem) |*address| {
address.* = 0;
}

return Memory{
.min_address = min_address,
.max_address = max_address,
.physical_memory = phys_mem,
};
}

pub fn write(self: *Memory, address: u16, value: u8) void {
self.physical_memory[address] = value;
}

pub fn read(self: *Memory, address: u16) u8 {
return self.physical_memory[address - self.min_address];
}

pub fn busDevice(self: *Memory) BusDevice {
return BusDevice{ .ptr = self, .min_address = self.min_address, .max_address = self.max_address, .readFn = self.read, .writeFn = self.write };
}
};
```

You know, I could probably do comptime shenanigans here instead. Hmmmm.

@b4ux1t3 I tend to go for the "fat pointer" approach. Instead of a pointer to an interface embedded in a struct, you have a "fat pointer" which contains a pointer to the runtime data and another pointer to the struct with all the function pointers.

I think the standard library also uses this approach for `std.mem.Allocator`.

@b4ux1t3 You might also look up when the random interface was changed for performance reasons, TLDR LLVM can optimize some interfaces better than others.

@leroycep thanks for the tip! Perf is certainly going to be a concern, though maybe not as much today as when I started this project. (I've been building, rebuilding, and tweaking this emulator in different languages for like fifteen years, hahaha)

Part of the problem is that I'm spoiled a little bit; I love the concept of interfaces (and traits).

I should definitely see if there's a more idiomatic way to do this, try to break some habits, even if they're good habits to have in other languages.