artiq/artiq/compiler/types.py

391 lines
11 KiB
Python
Raw Normal View History

2015-05-29 14:53:24 +08:00
"""
The :mod:`types` module contains the classes describing the types
in :mod:`asttyped`.
"""
import string
from collections import OrderedDict
2015-05-29 14:53:24 +08:00
def genalnum():
ident = ["a"]
while True:
yield "".join(ident)
pos = len(ident) - 1
while pos >= 0:
cur_n = string.ascii_lowercase.index(ident[pos])
if cur_n < 26:
ident[pos] = string.ascii_lowercase[cur_n + 1]
break
else:
ident[pos] = "a"
pos -= 1
if pos < 0:
ident = "a" + ident
class UnificationError(Exception):
def __init__(self, typea, typeb):
self.typea, self.typeb = typea, typeb
class Type(object):
pass
class TVar(Type):
"""
A type variable.
In effect, the classic union-find data structure is intrusively
folded into this class.
"""
def __init__(self):
self.parent = self
def find(self):
if self.parent is self:
return self
else:
root = self.parent.find()
self.parent = root # path compression
return root
def unify(self, other):
other = other.find()
if self.parent is self:
self.parent = other
else:
self.find().unify(other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
if self.parent is self:
return fn(accum, self)
else:
return self.find().fold(accum, fn)
2015-05-29 14:53:24 +08:00
def __repr__(self):
if self.parent is self:
return "<py2llvm.types.TVar %d>" % id(self)
2015-05-29 14:53:24 +08:00
else:
return repr(self.find())
# __eq__ and __hash__ are not overridden and default to
# comparison by identity. Use .find() explicitly before
# any lookups or comparisons.
class TMono(Type):
2015-07-02 23:44:09 +08:00
"""
A monomorphic type, possibly parametric.
:class:`TMono` is supposed to be subclassed by builtin types,
unlike all other :class:`Type` descendants.
"""
2015-05-29 14:53:24 +08:00
attributes = OrderedDict()
2015-06-13 18:50:56 +08:00
def __init__(self, name, params={}):
self.name, self.params = name, params
2015-05-29 14:53:24 +08:00
def find(self):
return self
def unify(self, other):
if isinstance(other, TMono) and self.name == other.name:
assert self.params.keys() == other.params.keys()
for param in self.params:
self.params[param].unify(other.params[param])
2015-06-04 19:50:16 +08:00
elif isinstance(other, TVar):
other.unify(self)
2015-05-29 14:53:24 +08:00
else:
raise UnificationError(self, other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
for param in self.params:
accum = self.params[param].fold(accum, fn)
return fn(accum, self)
2015-05-29 14:53:24 +08:00
def __repr__(self):
return "py2llvm.types.TMono(%s, %s)" % (repr(self.name), repr(self.params))
2015-05-29 14:53:24 +08:00
2015-06-04 19:12:41 +08:00
def __getitem__(self, param):
return self.params[param]
2015-05-29 14:53:24 +08:00
def __eq__(self, other):
return isinstance(other, TMono) and \
self.name == other.name and \
self.params == other.params
def __ne__(self, other):
return not (self == other)
2015-06-14 17:07:13 +08:00
class TTuple(Type):
"""
A tuple type.
:ivar elts: (list of :class:`Type`) elements
"""
2015-06-14 17:07:13 +08:00
attributes = OrderedDict()
2015-06-14 17:07:13 +08:00
def __init__(self, elts=[]):
self.elts = elts
def find(self):
return self
def unify(self, other):
if isinstance(other, TTuple) and len(self.elts) == len(other.elts):
for selfelt, otherelt in zip(self.elts, other.elts):
selfelt.unify(otherelt)
elif isinstance(other, TVar):
other.unify(self)
else:
raise UnificationError(self, other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
for elt in self.elts:
accum = elt.fold(accum, fn)
return fn(accum, self)
2015-06-14 17:07:13 +08:00
def __repr__(self):
return "py2llvm.types.TTuple(%s)" % repr(self.elts)
2015-06-14 17:07:13 +08:00
def __eq__(self, other):
return isinstance(other, TTuple) and \
self.elts == other.elts
def __ne__(self, other):
return not (self == other)
class TFunction(Type):
"""
A function type.
:ivar args: (:class:`collections.OrderedDict` of string to :class:`Type`)
mandatory arguments
:ivar optargs: (:class:`collections.OrderedDict` of string to :class:`Type`)
optional arguments
:ivar ret: (:class:`Type`)
return type
"""
attributes = OrderedDict()
def __init__(self, args, optargs, ret):
self.args, self.optargs, self.ret = args, optargs, ret
2015-06-15 21:55:13 +08:00
def arity(self):
return len(self.args) + len(self.optargs)
def find(self):
return self
def unify(self, other):
if isinstance(other, TFunction) and \
self.args.keys() == other.args.keys() and \
self.optargs.keys() == other.optargs.keys():
2015-07-03 00:49:52 +08:00
for selfarg, otherarg in zip(list(self.args.values()) + list(self.optargs.values()),
list(other.args.values()) + list(other.optargs.values())):
selfarg.unify(otherarg)
self.ret.unify(other.ret)
elif isinstance(other, TVar):
other.unify(self)
else:
raise UnificationError(self, other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
for arg in self.args:
2015-07-04 09:27:24 +08:00
accum = self.args[arg].fold(accum, fn)
2015-07-03 02:28:26 +08:00
for optarg in self.optargs:
accum = self.optargs[optarg].fold(accum, fn)
accum = self.ret.fold(accum, fn)
return fn(accum, self)
def __repr__(self):
2015-07-04 09:27:24 +08:00
return "py2llvm.types.TFunction({}, {}, {})".format(
repr(self.args), repr(self.optargs), repr(self.ret))
def __eq__(self, other):
return isinstance(other, TFunction) and \
self.args == other.args and \
self.optargs == other.optargs
def __ne__(self, other):
return not (self == other)
2015-06-24 16:24:35 +08:00
class TBuiltin(Type):
"""
An instance of builtin type. Every instance of a builtin
type is treated specially according to its name.
"""
def __init__(self, name):
self.name = name
self.attributes = OrderedDict()
2015-06-24 16:24:35 +08:00
def find(self):
return self
def unify(self, other):
if self != other:
raise UnificationError(self, other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
return fn(accum, self)
2015-06-24 16:24:35 +08:00
def __repr__(self):
return "py2llvm.types.TBuiltin(%s)" % repr(self.name)
def __eq__(self, other):
return isinstance(other, TBuiltin) and \
self.name == other.name
def __ne__(self, other):
return not (self == other)
2015-06-29 03:40:57 +08:00
class TBuiltinFunction(TBuiltin):
"""
A type of a builtin function.
"""
class TConstructor(TBuiltin):
"""
A type of a constructor of a builtin class, e.g. ``list``.
Note that this is not the same as the type of an instance of
the class, which is ``TMono("list", ...)``.
"""
class TExceptionConstructor(TBuiltin):
"""
A type of a constructor of a builtin exception, e.g. ``Exception``.
Note that this is not the same as the type of an instance of
the class, which is ``TMono("Exception", ...)``.
"""
2015-06-29 05:31:06 +08:00
def to_exception_type(self):
# Exceptions currently can't have type parameters
return TMono(self.name, {})
2015-06-24 16:24:35 +08:00
2015-05-29 14:53:24 +08:00
class TValue(Type):
"""
A type-level value (such as the integer denoting width of
a generic integer type.
"""
def __init__(self, value):
self.value = value
def find(self):
return self
def unify(self, other):
2015-06-04 19:50:16 +08:00
if isinstance(other, TVar):
other.unify(self)
elif self != other:
2015-05-29 14:53:24 +08:00
raise UnificationError(self, other)
2015-07-03 02:28:26 +08:00
def fold(self, accum, fn):
return fn(accum, self)
2015-05-29 14:53:24 +08:00
def __repr__(self):
return "py2llvm.types.TValue(%s)" % repr(self.value)
2015-05-29 14:53:24 +08:00
def __eq__(self, other):
return isinstance(other, TValue) and \
self.value == other.value
def __ne__(self, other):
return not (self == other)
2015-06-12 13:59:41 +08:00
def is_var(typ):
2015-06-14 17:07:13 +08:00
return isinstance(typ.find(), TVar)
2015-06-12 13:59:41 +08:00
2015-06-15 03:48:04 +08:00
def is_mono(typ, name=None, **params):
2015-06-14 17:07:13 +08:00
typ = typ.find()
2015-06-13 14:28:40 +08:00
params_match = True
for param in params:
2015-06-15 03:48:04 +08:00
params_match = params_match and \
typ.params[param].find() == params[param].find()
2015-06-12 13:59:41 +08:00
return isinstance(typ, TMono) and \
2015-06-15 03:48:04 +08:00
(name is None or (typ.name == name and params_match))
2015-06-12 13:59:41 +08:00
2015-07-03 02:28:26 +08:00
def is_polymorphic(typ):
return typ.fold(False, lambda accum, typ: accum or is_var(typ))
2015-06-14 17:07:13 +08:00
def is_tuple(typ, elts=None):
typ = typ.find()
if elts:
return isinstance(typ, TTuple) and \
elts == typ.elts
else:
return isinstance(typ, TTuple)
2015-06-15 21:55:13 +08:00
def is_function(typ):
return isinstance(typ.find(), TFunction)
def is_builtin(typ, name=None):
typ = typ.find()
if name is None:
return isinstance(typ, TBuiltin)
else:
return isinstance(typ, TBuiltin) and \
typ.name == name
def is_exn_constructor(typ, name=None):
typ = typ.find()
if name is not None:
return isinstance(typ, TExceptionConstructor) and \
typ.name == name
else:
return isinstance(typ, TExceptionConstructor)
2015-06-24 17:16:17 +08:00
2015-06-14 17:07:13 +08:00
def get_value(typ):
typ = typ.find()
if isinstance(typ, TVar):
return None
elif isinstance(typ, TValue):
return typ.value
else:
assert False
2015-06-12 13:59:41 +08:00
2015-05-29 14:53:24 +08:00
class TypePrinter(object):
"""
A class that prints types using Python-like syntax and gives
type variables sequential alphabetic names.
"""
def __init__(self):
self.gen = genalnum()
self.map = {}
def name(self, typ):
typ = typ.find()
if isinstance(typ, TVar):
if typ not in self.map:
self.map[typ] = "'%s" % next(self.gen)
return self.map[typ]
elif isinstance(typ, TMono):
2015-06-06 20:12:40 +08:00
if typ.params == {}:
return typ.name
else:
return "%s(%s)" % (typ.name, ", ".join(
["%s=%s" % (k, self.name(typ.params[k])) for k in typ.params]))
2015-05-29 14:53:24 +08:00
elif isinstance(typ, TTuple):
if len(typ.elts) == 1:
return "(%s,)" % self.name(typ.elts[0])
else:
return "(%s)" % ", ".join(list(map(self.name, typ.elts)))
elif isinstance(typ, TFunction):
args = []
args += [ "%s:%s" % (arg, self.name(typ.args[arg])) for arg in typ.args]
args += ["?%s:%s" % (arg, self.name(typ.optargs[arg])) for arg in typ.optargs]
return "(%s)->%s" % (", ".join(args), self.name(typ.ret))
2015-06-29 03:40:57 +08:00
elif isinstance(typ, TBuiltinFunction):
return "<function %s>" % typ.name
elif isinstance(typ, (TConstructor, TExceptionConstructor)):
return "<constructor %s>" % typ.name
2015-05-29 14:53:24 +08:00
elif isinstance(typ, TValue):
return repr(typ.value)
else:
assert False