zig/src-self-hosted/ir.zig

740 lines
27 KiB
Zig
Raw Normal View History

const std = @import("std");
2020-04-17 21:09:43 -07:00
const mem = std.mem;
const Allocator = std.mem.Allocator;
const Value = @import("value.zig").Value;
2020-04-18 16:41:45 -07:00
const Type = @import("type.zig").Type;
const assert = std.debug.assert;
const text = @import("ir/text.zig");
2020-04-21 14:54:00 -07:00
const BigInt = std.math.big.Int;
2020-04-21 16:48:59 -07:00
const Target = std.Target;
/// These are in-memory, analyzed instructions. See `text.Inst` for the representation
/// of instructions that correspond to the ZIR text format.
2020-04-20 21:56:30 -07:00
/// This struct owns the `Value` and `Type` memory. When the struct is deallocated,
/// so are the `Value` and `Type`. The value of a constant must be copied into
/// a memory location for the value to survive after a const instruction.
pub const Inst = struct {
2020-04-20 21:56:30 -07:00
tag: Tag,
ty: Type,
2020-04-21 10:50:04 -07:00
/// Byte offset into the source.
src: usize,
2020-04-20 21:56:30 -07:00
pub const Tag = enum {
unreach,
constant,
assembly,
2020-04-21 17:34:40 -07:00
ptrtoint,
2020-04-20 21:56:30 -07:00
};
pub fn cast(base: *Inst, comptime T: type) ?*T {
if (base.tag != T.base_tag)
return null;
return @fieldParentPtr(T, "base", base);
2020-04-19 17:04:11 -07:00
}
2020-04-21 17:34:40 -07:00
pub fn Args(comptime T: type) type {
return std.meta.fieldInfo(T, "args").field_type;
}
2020-04-21 10:50:04 -07:00
/// Returns `null` if runtime-known.
pub fn value(base: *Inst) ?Value {
return switch (base.tag) {
.unreach => Value.initTag(.noreturn_value),
.constant => base.cast(Constant).?.val,
2020-04-21 17:34:40 -07:00
.assembly,
.ptrtoint,
=> null,
2020-04-21 10:50:04 -07:00
};
}
2020-04-21 19:19:32 -07:00
pub const Unreach = struct {
pub const base_tag = Tag.unreach;
base: Inst,
args: void,
};
2020-04-17 21:09:43 -07:00
pub const Constant = struct {
2020-04-20 21:56:30 -07:00
pub const base_tag = Tag.constant;
base: Inst,
2020-04-17 23:55:28 -07:00
2020-04-20 21:56:30 -07:00
val: Value,
};
pub const Assembly = struct {
pub const base_tag = Tag.assembly;
base: Inst,
2020-04-21 17:34:40 -07:00
args: struct {
asm_source: []const u8,
is_volatile: bool,
2020-04-21 19:19:32 -07:00
output: ?[]const u8,
2020-04-21 17:34:40 -07:00
inputs: []const []const u8,
clobbers: []const []const u8,
args: []const *Inst,
},
};
pub const PtrToInt = struct {
pub const base_tag = Tag.ptrtoint;
base: Inst,
args: struct {
ptr: *Inst,
},
};
2020-04-17 21:09:43 -07:00
};
2020-04-21 21:04:52 -07:00
pub const TypedValue = struct {
2020-04-20 21:56:30 -07:00
ty: Type,
val: Value,
};
2020-04-20 21:56:30 -07:00
pub const Module = struct {
exports: []Export,
errors: []ErrorMsg,
arena: std.heap.ArenaAllocator,
2020-04-21 13:06:15 -07:00
fns: []Fn,
2020-04-20 21:56:30 -07:00
pub const Export = struct {
name: []const u8,
typed_value: TypedValue,
2020-04-21 21:04:52 -07:00
src: usize,
};
2020-04-20 21:56:30 -07:00
2020-04-21 13:06:15 -07:00
pub const Fn = struct {
analysis_status: enum { in_progress, failure, success },
body: []*Inst,
2020-04-21 21:04:52 -07:00
fn_type: Type,
2020-04-21 13:06:15 -07:00
};
2020-04-20 21:56:30 -07:00
pub fn deinit(self: *Module, allocator: *Allocator) void {
allocator.free(self.exports);
allocator.free(self.errors);
self.arena.deinit();
self.* = undefined;
}
};
2020-04-18 17:04:37 -07:00
2020-04-20 21:56:30 -07:00
pub const ErrorMsg = struct {
byte_offset: usize,
msg: []const u8,
};
pub fn analyze(allocator: *Allocator, old_module: text.Module) !Module {
2020-04-21 16:48:59 -07:00
const native_info = try std.zig.system.NativeTargetInfo.detect(allocator, .{});
var ctx = Analyze{
2020-04-17 21:09:43 -07:00
.allocator = allocator,
2020-04-20 21:56:30 -07:00
.arena = std.heap.ArenaAllocator.init(allocator),
.old_module = &old_module,
2020-04-18 17:04:37 -07:00
.errors = std.ArrayList(ErrorMsg).init(allocator),
2020-04-21 13:06:15 -07:00
.decl_table = std.AutoHashMap(*text.Inst, Analyze.NewDecl).init(allocator),
2020-04-20 21:56:30 -07:00
.exports = std.ArrayList(Module.Export).init(allocator),
2020-04-21 13:06:15 -07:00
.fns = std.ArrayList(Module.Fn).init(allocator),
2020-04-21 16:48:59 -07:00
.target = native_info.target,
};
defer ctx.errors.deinit();
2020-04-21 13:06:15 -07:00
defer ctx.decl_table.deinit();
2020-04-20 21:56:30 -07:00
defer ctx.exports.deinit();
2020-04-21 13:06:15 -07:00
defer ctx.fns.deinit();
2020-04-21 21:04:52 -07:00
errdefer ctx.arena.deinit();
2020-04-20 21:56:30 -07:00
ctx.analyzeRoot() catch |err| switch (err) {
error.AnalysisFail => {
2020-04-18 17:04:37 -07:00
assert(ctx.errors.items.len != 0);
2020-04-17 21:09:43 -07:00
},
else => |e| return e,
};
return Module{
2020-04-20 21:56:30 -07:00
.exports = ctx.exports.toOwnedSlice(),
2020-04-18 17:04:37 -07:00
.errors = ctx.errors.toOwnedSlice(),
2020-04-21 13:06:15 -07:00
.fns = ctx.fns.toOwnedSlice(),
2020-04-20 21:56:30 -07:00
.arena = ctx.arena,
2020-04-18 17:04:37 -07:00
};
2020-04-17 21:09:43 -07:00
}
2020-04-20 21:56:30 -07:00
const Analyze = struct {
allocator: *Allocator,
arena: std.heap.ArenaAllocator,
old_module: *const text.Module,
errors: std.ArrayList(ErrorMsg),
2020-04-21 13:06:15 -07:00
decl_table: std.AutoHashMap(*text.Inst, NewDecl),
2020-04-20 21:56:30 -07:00
exports: std.ArrayList(Module.Export),
2020-04-21 13:06:15 -07:00
fns: std.ArrayList(Module.Fn),
2020-04-21 16:48:59 -07:00
target: Target,
2020-04-20 21:56:30 -07:00
2020-04-21 13:06:15 -07:00
const NewDecl = struct {
2020-04-20 21:56:30 -07:00
/// null means a semantic analysis error happened
ptr: ?*Inst,
};
2020-04-21 13:06:15 -07:00
const NewInst = struct {
2020-04-21 14:33:41 -07:00
/// null means a semantic analysis error happened
ptr: ?*Inst,
2020-04-21 13:06:15 -07:00
};
const Fn = struct {
body: std.ArrayList(*Inst),
inst_table: std.AutoHashMap(*text.Inst, NewInst),
/// Index into Module fns array
fn_index: usize,
};
2020-04-20 21:56:30 -07:00
const InnerError = error{ OutOfMemory, AnalysisFail };
fn analyzeRoot(self: *Analyze) !void {
for (self.old_module.decls) |decl| {
if (decl.cast(text.Inst.Export)) |export_inst| {
2020-04-21 13:06:15 -07:00
try analyzeExport(self, null, export_inst);
2020-04-20 21:56:30 -07:00
}
2018-07-13 18:56:38 -07:00
}
2020-04-17 21:09:43 -07:00
}
2018-07-13 18:56:38 -07:00
2020-04-21 13:06:15 -07:00
fn resolveInst(self: *Analyze, opt_func: ?*Fn, old_inst: *text.Inst) InnerError!*Inst {
if (opt_func) |func| {
2020-04-21 14:33:41 -07:00
if (func.inst_table.get(old_inst)) |kv| {
return kv.value.ptr orelse return error.AnalysisFail;
}
}
if (self.decl_table.get(old_inst)) |kv| {
2020-04-20 21:56:30 -07:00
return kv.value.ptr orelse return error.AnalysisFail;
} else {
2020-04-21 14:06:09 -07:00
const new_inst = self.analyzeInst(null, old_inst) catch |err| switch (err) {
2020-04-20 21:56:30 -07:00
error.AnalysisFail => {
2020-04-21 13:06:15 -07:00
try self.decl_table.putNoClobber(old_inst, .{ .ptr = null });
2020-04-20 21:56:30 -07:00
return error.AnalysisFail;
},
else => |e| return e,
};
2020-04-21 13:06:15 -07:00
try self.decl_table.putNoClobber(old_inst, .{ .ptr = new_inst });
2020-04-20 21:56:30 -07:00
return new_inst;
}
}
2020-04-17 23:55:28 -07:00
2020-04-21 17:34:40 -07:00
fn requireFunctionBody(self: *Analyze, func: ?*Fn, src: usize) !*Fn {
return func orelse return self.fail(src, "instruction illegal outside function body", .{});
}
2020-04-21 13:06:15 -07:00
fn resolveInstConst(self: *Analyze, func: ?*Fn, old_inst: *text.Inst) InnerError!TypedValue {
const new_inst = try self.resolveInst(func, old_inst);
2020-04-20 21:56:30 -07:00
const val = try self.resolveConstValue(new_inst);
return TypedValue{
.ty = new_inst.ty,
.val = val,
};
}
fn resolveConstValue(self: *Analyze, base: *Inst) !Value {
2020-04-21 10:50:04 -07:00
return base.value() orelse return self.fail(base.src, "unable to resolve comptime value", .{});
2020-04-20 21:56:30 -07:00
}
2020-04-21 13:06:15 -07:00
fn resolveConstString(self: *Analyze, func: ?*Fn, old_inst: *text.Inst) ![]u8 {
const new_inst = try self.resolveInst(func, old_inst);
2020-04-20 21:56:30 -07:00
const wanted_type = Type.initTag(.const_slice_u8);
const coerced_inst = try self.coerce(wanted_type, new_inst);
const val = try self.resolveConstValue(coerced_inst);
return val.toAllocatedBytes(&self.arena.allocator);
}
2020-04-21 13:06:15 -07:00
fn resolveType(self: *Analyze, func: ?*Fn, old_inst: *text.Inst) !Type {
const new_inst = try self.resolveInst(func, old_inst);
const wanted_type = Type.initTag(.@"type");
const coerced_inst = try self.coerce(wanted_type, new_inst);
const val = try self.resolveConstValue(coerced_inst);
return val.toType();
}
fn analyzeExport(self: *Analyze, func: ?*Fn, export_inst: *text.Inst.Export) !void {
const symbol_name = try self.resolveConstString(func, export_inst.positionals.symbol_name);
const typed_value = try self.resolveInstConst(func, export_inst.positionals.value);
2020-04-20 21:56:30 -07:00
switch (typed_value.ty.zigTypeTag()) {
.Fn => {},
else => return self.fail(
2020-04-21 10:50:04 -07:00
export_inst.positionals.value.src,
2020-04-20 21:56:30 -07:00
"unable to export type '{}'",
.{typed_value.ty},
),
}
try self.exports.append(.{
.name = symbol_name,
.typed_value = typed_value,
2020-04-21 21:04:52 -07:00
.src = export_inst.base.src,
2020-04-20 21:56:30 -07:00
});
}
2020-04-21 19:19:32 -07:00
/// TODO should not need the cast on the last parameter at the callsites
2020-04-21 17:34:40 -07:00
fn addNewInstArgs(
self: *Analyze,
func: *Fn,
src: usize,
ty: Type,
comptime T: type,
args: Inst.Args(T),
) !*Inst {
const inst = try self.addNewInst(func, src, ty, T);
inst.args = args;
return &inst.base;
}
fn addNewInst(self: *Analyze, func: *Fn, src: usize, ty: Type, comptime T: type) !*T {
const inst = try self.arena.allocator.create(T);
inst.* = .{
.base = .{
.tag = T.base_tag,
.ty = ty,
.src = src,
},
.args = undefined,
};
try func.body.append(&inst.base);
return inst;
}
2020-04-21 10:50:04 -07:00
fn constInst(self: *Analyze, src: usize, typed_value: TypedValue) !*Inst {
const const_inst = try self.arena.allocator.create(Inst.Constant);
const_inst.* = .{
.base = .{
.tag = Inst.Constant.base_tag,
.ty = typed_value.ty,
.src = src,
},
.val = typed_value.val,
};
return &const_inst.base;
}
fn constStr(self: *Analyze, src: usize, str: []const u8) !*Inst {
2020-04-20 22:20:01 -07:00
const array_payload = try self.arena.allocator.create(Type.Payload.Array_u8_Sentinel0);
array_payload.* = .{ .len = str.len };
const ty_payload = try self.arena.allocator.create(Type.Payload.SingleConstPointer);
ty_payload.* = .{ .pointee_type = Type.initPayload(&array_payload.base) };
const bytes_payload = try self.arena.allocator.create(Value.Payload.Bytes);
bytes_payload.* = .{ .data = str };
2020-04-21 10:50:04 -07:00
return self.constInst(src, .{
.ty = Type.initPayload(&ty_payload.base),
2020-04-20 22:20:01 -07:00
.val = Value.initPayload(&bytes_payload.base),
2020-04-21 10:50:04 -07:00
});
2020-04-20 22:20:01 -07:00
}
2020-04-21 14:06:09 -07:00
fn constType(self: *Analyze, src: usize, ty: Type) !*Inst {
return self.constInst(src, .{
2020-04-21 19:19:32 -07:00
.ty = Type.initTag(.type),
2020-04-21 14:06:09 -07:00
.val = try ty.toValue(&self.arena.allocator),
});
}
2020-04-21 19:19:32 -07:00
fn constVoid(self: *Analyze, src: usize) !*Inst {
return self.constInst(src, .{
.ty = Type.initTag(.void),
.val = Value.initTag(.void_value),
});
}
2020-04-21 14:54:00 -07:00
fn constIntUnsigned(self: *Analyze, src: usize, ty: Type, int: u64) !*Inst {
const int_payload = try self.arena.allocator.create(Value.Payload.Int_u64);
int_payload.* = .{ .int = int };
return self.constInst(src, .{
.ty = ty,
.val = Value.initPayload(&int_payload.base),
});
}
fn constIntSigned(self: *Analyze, src: usize, ty: Type, int: i64) !*Inst {
const int_payload = try self.arena.allocator.create(Value.Payload.Int_i64);
int_payload.* = .{ .int = int };
return self.constInst(src, .{
.ty = ty,
.val = Value.initPayload(&int_payload.base),
});
}
fn constIntBig(self: *Analyze, src: usize, ty: Type, big_int: BigInt) !*Inst {
if (big_int.isPositive()) {
if (big_int.to(u64)) |x| {
return self.constIntUnsigned(src, ty, x);
} else |err| switch (err) {
error.NegativeIntoUnsigned => unreachable,
error.TargetTooSmall => {}, // handled below
}
} else {
if (big_int.to(i64)) |x| {
return self.constIntSigned(src, ty, x);
} else |err| switch (err) {
error.NegativeIntoUnsigned => unreachable,
error.TargetTooSmall => {}, // handled below
}
}
const big_int_payload = try self.arena.allocator.create(Value.Payload.IntBig);
big_int_payload.* = .{ .big_int = big_int };
return self.constInst(src, .{
.ty = ty,
.val = Value.initPayload(&big_int_payload.base),
});
}
2020-04-21 14:06:09 -07:00
fn analyzeInst(self: *Analyze, func: ?*Fn, old_inst: *text.Inst) InnerError!*Inst {
2020-04-20 21:56:30 -07:00
switch (old_inst.tag) {
2020-04-20 22:20:01 -07:00
.str => {
// We can use this reference because Inst.Const's Value is arena-allocated.
// The value would get copied to a MemoryCell before the `text.Inst.Str` lifetime ends.
const bytes = old_inst.cast(text.Inst.Str).?.positionals.bytes;
2020-04-21 10:50:04 -07:00
return self.constStr(old_inst.src, bytes);
2020-04-20 22:20:01 -07:00
},
2020-04-21 14:54:00 -07:00
.int => {
const big_int = old_inst.cast(text.Inst.Int).?.positionals.int;
return self.constIntBig(old_inst.src, Type.initTag(.comptime_int), big_int);
},
2020-04-21 17:34:40 -07:00
.ptrtoint => return self.analyzeInstPtrToInt(func, old_inst.cast(text.Inst.PtrToInt).?),
2020-04-21 18:14:56 -07:00
.fieldptr => return self.analyzeInstFieldPtr(func, old_inst.cast(text.Inst.FieldPtr).?),
2020-04-21 18:33:55 -07:00
.deref => return self.analyzeInstDeref(func, old_inst.cast(text.Inst.Deref).?),
2020-04-21 14:33:41 -07:00
.as => return self.analyzeInstAs(func, old_inst.cast(text.Inst.As).?),
2020-04-21 19:19:32 -07:00
.@"asm" => return self.analyzeInstAsm(func, old_inst.cast(text.Inst.Asm).?),
.@"unreachable" => return self.analyzeInstUnreachable(func, old_inst.cast(text.Inst.Unreachable).?),
2020-04-21 14:06:09 -07:00
.@"fn" => return self.analyzeInstFn(func, old_inst.cast(text.Inst.Fn).?),
2020-04-21 19:19:32 -07:00
.@"export" => {
try self.analyzeExport(func, old_inst.cast(text.Inst.Export).?);
return self.constVoid(old_inst.src);
},
2020-04-21 14:11:42 -07:00
.primitive => return self.analyzeInstPrimitive(func, old_inst.cast(text.Inst.Primitive).?),
2020-04-21 14:06:09 -07:00
.fntype => return self.analyzeInstFnType(func, old_inst.cast(text.Inst.FnType).?),
2020-04-21 16:48:59 -07:00
.intcast => return self.analyzeInstIntCast(func, old_inst.cast(text.Inst.IntCast).?),
2020-04-20 21:56:30 -07:00
}
}
2020-04-21 14:06:09 -07:00
fn analyzeInstFn(self: *Analyze, opt_func: ?*Fn, fn_inst: *text.Inst.Fn) InnerError!*Inst {
const fn_type = try self.resolveType(opt_func, fn_inst.positionals.fn_type);
var new_func: Fn = .{
.body = std.ArrayList(*Inst).init(self.allocator),
.inst_table = std.AutoHashMap(*text.Inst, NewInst).init(self.allocator),
.fn_index = self.fns.items.len,
};
defer new_func.body.deinit();
defer new_func.inst_table.deinit();
// Don't hang on to a reference to this when analyzing body instructions, since the memory
// could become invalid.
(try self.fns.addOne()).* = .{
.analysis_status = .in_progress,
2020-04-21 21:04:52 -07:00
.fn_type = fn_type,
2020-04-21 14:06:09 -07:00
.body = undefined,
};
for (fn_inst.positionals.body.instructions) |src_inst| {
const new_inst = self.analyzeInst(&new_func, src_inst) catch |err| {
self.fns.items[new_func.fn_index].analysis_status = .failure;
2020-04-21 14:33:41 -07:00
try new_func.inst_table.putNoClobber(src_inst, .{ .ptr = null });
2020-04-21 14:06:09 -07:00
return err;
};
try new_func.inst_table.putNoClobber(src_inst, .{ .ptr = new_inst });
}
2020-04-21 21:04:52 -07:00
const f = &self.fns.items[new_func.fn_index];
f.analysis_status = .success;
f.body = new_func.body.toOwnedSlice();
2020-04-21 14:06:09 -07:00
const fn_payload = try self.arena.allocator.create(Value.Payload.Function);
fn_payload.* = .{ .index = new_func.fn_index };
return self.constInst(fn_inst.base.src, .{
.ty = fn_type,
.val = Value.initPayload(&fn_payload.base),
});
}
2020-04-21 14:33:41 -07:00
fn analyzeInstFnType(self: *Analyze, func: ?*Fn, fntype: *text.Inst.FnType) InnerError!*Inst {
const return_type = try self.resolveType(func, fntype.positionals.return_type);
2020-04-21 14:06:09 -07:00
if (return_type.zigTypeTag() == .NoReturn and
fntype.positionals.param_types.len == 0 and
fntype.kw_args.cc == .Naked)
{
return self.constType(fntype.base.src, Type.initTag(.fn_naked_noreturn_no_args));
}
return self.fail(fntype.base.src, "TODO implement fntype instruction more", .{});
}
2020-04-21 14:33:41 -07:00
fn analyzeInstPrimitive(self: *Analyze, func: ?*Fn, primitive: *text.Inst.Primitive) InnerError!*Inst {
2020-04-21 14:11:42 -07:00
return self.constType(primitive.base.src, primitive.positionals.tag.toType());
}
2020-04-21 14:33:41 -07:00
fn analyzeInstAs(self: *Analyze, func: ?*Fn, as: *text.Inst.As) InnerError!*Inst {
const dest_type = try self.resolveType(func, as.positionals.dest_type);
const new_inst = try self.resolveInst(func, as.positionals.value);
return self.coerce(dest_type, new_inst);
}
2020-04-21 17:34:40 -07:00
fn analyzeInstPtrToInt(self: *Analyze, func: ?*Fn, ptrtoint: *text.Inst.PtrToInt) InnerError!*Inst {
const ptr = try self.resolveInst(func, ptrtoint.positionals.ptr);
if (ptr.ty.zigTypeTag() != .Pointer) {
return self.fail(ptrtoint.positionals.ptr.src, "expected pointer, found '{}'", .{ptr.ty});
}
// TODO handle known-pointer-address
const f = try self.requireFunctionBody(func, ptrtoint.base.src);
const ty = Type.initTag(.usize);
return self.addNewInstArgs(f, ptrtoint.base.src, ty, Inst.PtrToInt, Inst.Args(Inst.PtrToInt){ .ptr = ptr });
}
2020-04-21 18:14:56 -07:00
fn analyzeInstFieldPtr(self: *Analyze, func: ?*Fn, fieldptr: *text.Inst.FieldPtr) InnerError!*Inst {
const object_ptr = try self.resolveInst(func, fieldptr.positionals.object_ptr);
const field_name = try self.resolveConstString(func, fieldptr.positionals.field_name);
const elem_ty = switch (object_ptr.ty.zigTypeTag()) {
.Pointer => object_ptr.ty.elemType(),
2020-04-21 18:33:55 -07:00
else => return self.fail(fieldptr.positionals.object_ptr.src, "expected pointer, found '{}'", .{object_ptr.ty}),
2020-04-21 18:14:56 -07:00
};
switch (elem_ty.zigTypeTag()) {
.Array => {
if (mem.eql(u8, field_name, "len")) {
const len_payload = try self.arena.allocator.create(Value.Payload.Int_u64);
len_payload.* = .{ .int = elem_ty.arrayLen() };
const ref_payload = try self.arena.allocator.create(Value.Payload.RefVal);
ref_payload.* = .{ .val = Value.initPayload(&len_payload.base) };
return self.constInst(fieldptr.base.src, .{
.ty = Type.initTag(.single_const_pointer_to_comptime_int),
.val = Value.initPayload(&ref_payload.base),
});
} else {
return self.fail(
fieldptr.positionals.field_name.src,
"no member named '{}' in '{}'",
.{ field_name, elem_ty },
);
}
},
else => return self.fail(fieldptr.base.src, "type '{}' does not support field access", .{elem_ty}),
}
}
2020-04-21 16:48:59 -07:00
fn analyzeInstIntCast(self: *Analyze, func: ?*Fn, intcast: *text.Inst.IntCast) InnerError!*Inst {
const dest_type = try self.resolveType(func, intcast.positionals.dest_type);
const new_inst = try self.resolveInst(func, intcast.positionals.value);
const dest_is_comptime_int = switch (dest_type.zigTypeTag()) {
.ComptimeInt => true,
.Int => false,
else => return self.fail(
intcast.positionals.dest_type.src,
"expected integer type, found '{}'",
.{
dest_type,
},
),
};
switch (new_inst.ty.zigTypeTag()) {
.ComptimeInt, .Int => {},
else => return self.fail(
intcast.positionals.value.src,
"expected integer type, found '{}'",
.{new_inst.ty},
),
}
if (dest_is_comptime_int or new_inst.value() != null) {
return self.coerce(dest_type, new_inst);
}
return self.fail(intcast.base.src, "TODO implement analyze widen or shorten int", .{});
}
2020-04-21 18:33:55 -07:00
fn analyzeInstDeref(self: *Analyze, func: ?*Fn, deref: *text.Inst.Deref) InnerError!*Inst {
const ptr = try self.resolveInst(func, deref.positionals.ptr);
const elem_ty = switch (ptr.ty.zigTypeTag()) {
.Pointer => ptr.ty.elemType(),
else => return self.fail(deref.positionals.ptr.src, "expected pointer, found '{}'", .{ptr.ty}),
};
if (ptr.value()) |val| {
return self.constInst(deref.base.src, .{
.ty = elem_ty,
.val = val.pointerDeref(),
});
}
return self.fail(deref.base.src, "TODO implement runtime deref", .{});
}
2020-04-21 19:19:32 -07:00
fn analyzeInstAsm(self: *Analyze, func: ?*Fn, assembly: *text.Inst.Asm) InnerError!*Inst {
const return_type = try self.resolveType(func, assembly.positionals.return_type);
const asm_source = try self.resolveConstString(func, assembly.positionals.asm_source);
const output = if (assembly.kw_args.output) |o| try self.resolveConstString(func, o) else null;
const inputs = try self.arena.allocator.alloc([]const u8, assembly.kw_args.inputs.len);
const clobbers = try self.arena.allocator.alloc([]const u8, assembly.kw_args.clobbers.len);
const args = try self.arena.allocator.alloc(*Inst, assembly.kw_args.args.len);
for (inputs) |*elem, i| {
elem.* = try self.resolveConstString(func, assembly.kw_args.inputs[i]);
}
for (clobbers) |*elem, i| {
elem.* = try self.resolveConstString(func, assembly.kw_args.clobbers[i]);
}
for (args) |*elem, i| {
elem.* = try self.resolveInst(func, assembly.kw_args.args[i]);
}
const f = try self.requireFunctionBody(func, assembly.base.src);
return self.addNewInstArgs(f, assembly.base.src, return_type, Inst.Assembly, Inst.Args(Inst.Assembly){
.asm_source = asm_source,
.is_volatile = assembly.kw_args.@"volatile",
.output = output,
.inputs = inputs,
.clobbers = clobbers,
.args = args,
});
}
fn analyzeInstUnreachable(self: *Analyze, func: ?*Fn, unreach: *text.Inst.Unreachable) InnerError!*Inst {
const f = try self.requireFunctionBody(func, unreach.base.src);
return self.addNewInstArgs(f, unreach.base.src, Type.initTag(.noreturn), Inst.Unreach, {});
}
2020-04-20 21:56:30 -07:00
fn coerce(self: *Analyze, dest_type: Type, inst: *Inst) !*Inst {
2020-04-21 10:50:04 -07:00
const in_memory_result = coerceInMemoryAllowed(dest_type, inst.ty);
if (in_memory_result == .ok) {
return self.bitcast(dest_type, inst);
}
2020-04-21 10:24:25 -07:00
// *[N]T to []T
if (inst.ty.isSinglePointer() and dest_type.isSlice() and
(!inst.ty.pointerIsConst() or dest_type.pointerIsConst()))
{
const array_type = inst.ty.elemType();
const dst_elem_type = dest_type.elemType();
if (array_type.zigTypeTag() == .Array and
coerceInMemoryAllowed(dst_elem_type, array_type.elemType()) == .ok)
{
2020-04-21 10:50:04 -07:00
return self.coerceArrayPtrToSlice(dest_type, inst);
2020-04-21 10:24:25 -07:00
}
}
2020-04-21 16:48:59 -07:00
// comptime_int to fixed-width integer
if (inst.ty.zigTypeTag() == .ComptimeInt and dest_type.zigTypeTag() == .Int) {
// The representation is already correct; we only need to make sure it fits in the destination type.
const val = inst.value().?; // comptime_int always has comptime known value
if (!val.intFitsInType(dest_type, self.target)) {
return self.fail(inst.src, "type {} cannot represent integer value {}", .{ inst.ty, val });
}
return self.constInst(inst.src, .{ .ty = dest_type, .val = val });
}
2020-04-21 10:50:04 -07:00
return self.fail(inst.src, "TODO implement type coercion", .{});
}
fn bitcast(self: *Analyze, dest_type: Type, inst: *Inst) !*Inst {
2020-04-21 14:33:41 -07:00
if (inst.value()) |val| {
// Keep the comptime Value representation; take the new type.
return self.constInst(inst.src, .{ .ty = dest_type, .val = val });
}
return self.fail(inst.src, "TODO implement runtime bitcast", .{});
2020-04-21 10:50:04 -07:00
}
fn coerceArrayPtrToSlice(self: *Analyze, dest_type: Type, inst: *Inst) !*Inst {
if (inst.value()) |val| {
// The comptime Value representation is compatible with both types.
return self.constInst(inst.src, .{ .ty = dest_type, .val = val });
}
return self.fail(inst.src, "TODO implement coerceArrayPtrToSlice runtime instruction", .{});
2020-04-20 21:56:30 -07:00
}
2020-04-21 10:50:04 -07:00
fn fail(self: *Analyze, src: usize, comptime format: []const u8, args: var) InnerError {
2020-04-20 21:56:30 -07:00
@setCold(true);
const msg = try std.fmt.allocPrint(&self.arena.allocator, format, args);
(try self.errors.addOne()).* = .{
2020-04-21 10:50:04 -07:00
.byte_offset = src,
2020-04-20 21:56:30 -07:00
.msg = msg,
};
return error.AnalysisFail;
}
2020-04-21 10:24:25 -07:00
const InMemoryCoercionResult = enum {
ok,
no_match,
};
fn coerceInMemoryAllowed(dest_type: Type, src_type: Type) InMemoryCoercionResult {
// As a shortcut, if the small tags / addresses match, we're done.
if (dest_type.tag_if_small_enough == src_type.tag_if_small_enough)
return .ok;
// TODO: implement more of this function
return .no_match;
}
2020-04-20 21:56:30 -07:00
};
2020-04-17 21:09:43 -07:00
pub fn main() anyerror!void {
var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator);
defer arena.deinit();
2020-04-20 21:56:30 -07:00
const allocator = if (std.builtin.link_libc) std.heap.c_allocator else &arena.allocator;
2020-04-17 21:09:43 -07:00
const args = try std.process.argsAlloc(allocator);
2020-04-17 21:09:43 -07:00
const src_path = args[1];
const debug_error_trace = true;
const source = try std.fs.cwd().readFileAllocOptions(allocator, src_path, std.math.maxInt(u32), 1, 0);
2020-04-20 21:56:30 -07:00
var zir_module = try text.parse(allocator, source);
defer zir_module.deinit(allocator);
2020-04-19 17:04:11 -07:00
2020-04-20 21:56:30 -07:00
if (zir_module.errors.len != 0) {
for (zir_module.errors) |err_msg| {
2020-04-17 21:09:43 -07:00
const loc = findLineColumn(source, err_msg.byte_offset);
std.debug.warn("{}:{}:{}: error: {}\n", .{ src_path, loc.line + 1, loc.column + 1, err_msg.msg });
}
2020-04-17 21:09:43 -07:00
if (debug_error_trace) return error.ParseFailure;
std.process.exit(1);
}
2020-04-19 17:04:11 -07:00
2020-04-20 21:56:30 -07:00
var analyzed_module = try analyze(allocator, zir_module);
defer analyzed_module.deinit(allocator);
2020-04-19 17:04:11 -07:00
2020-04-20 21:56:30 -07:00
if (analyzed_module.errors.len != 0) {
for (analyzed_module.errors) |err_msg| {
const loc = findLineColumn(source, err_msg.byte_offset);
std.debug.warn("{}:{}:{}: error: {}\n", .{ src_path, loc.line + 1, loc.column + 1, err_msg.msg });
}
if (debug_error_trace) return error.ParseFailure;
std.process.exit(1);
}
2020-04-21 21:04:52 -07:00
var new_zir_module = try text.emit_zir(allocator, analyzed_module);
2020-04-20 21:56:30 -07:00
defer new_zir_module.deinit(allocator);
2020-04-20 21:56:30 -07:00
new_zir_module.dump();
2020-04-17 21:09:43 -07:00
}
2020-04-17 21:09:43 -07:00
fn findLineColumn(source: []const u8, byte_offset: usize) struct { line: usize, column: usize } {
var line: usize = 0;
var column: usize = 0;
for (source[0..byte_offset]) |byte| {
switch (byte) {
'\n' => {
line += 1;
column = 0;
},
else => {
column += 1;
},
}
}
2020-04-17 21:09:43 -07:00
return .{ .line = line, .column = column };
2018-07-13 18:56:38 -07:00
}
2020-04-18 21:38:56 -07:00
// Performance optimization ideas:
// * when analyzing use a field in the Inst instead of HashMap to track corresponding instructions