1
0
dust/dust-lang/src/type.rs

488 lines
14 KiB
Rust
Raw Normal View History

2024-08-09 02:44:34 +00:00
//! Description of a kind of value.
//!
//! Most types are concrete and specific, the exceptions are the Generic and Any types.
//!
//! Generic types are temporary placeholders that describe a type that will be defined later. The
//! interpreter should use the analysis phase to enforce that all Generic types have a concrete
//! type assigned to them before the program is run.
//!
//! The Any type is used in cases where a value's type does not matter. For example, the standard
//! library's "length" function does not care about the type of item in the list, only the list
//! itself. So the input is defined as `[any]`, i.e. `Type::ListOf(Box::new(Type::Any))`.
2024-06-24 08:02:44 +00:00
use std::{
fmt::{self, Display, Formatter},
2024-08-16 21:07:49 +00:00
sync::Arc,
2024-06-24 08:02:44 +00:00
};
2024-03-07 03:15:35 +00:00
2024-06-04 18:47:15 +00:00
use serde::{Deserialize, Serialize};
2024-03-20 12:36:18 +00:00
2024-08-16 21:07:49 +00:00
use crate::{value::Function, Identifier};
2024-06-04 18:47:15 +00:00
#[derive(Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Serialize, Deserialize)]
2024-07-15 19:49:34 +00:00
/// Description of a kind of value.
///
/// See the [module documentation](index.html) for more information.
pub enum Type {
2024-03-06 17:15:03 +00:00
Any,
Boolean,
2024-08-16 21:07:49 +00:00
Byte,
Character,
Enum(EnumType),
Float,
2024-08-16 21:07:49 +00:00
Function(FunctionType),
2024-06-19 04:05:58 +00:00
Generic {
identifier: Identifier,
concrete_type: Option<Box<Type>>,
},
Integer,
2024-06-17 14:10:06 +00:00
List {
item_type: Box<Type>,
length: usize,
},
2024-08-16 21:07:49 +00:00
ListEmpty,
ListOf {
item_type: Box<Type>,
2024-06-17 14:10:06 +00:00
},
2024-08-11 23:00:37 +00:00
Number,
Range,
String,
2024-08-13 17:28:22 +00:00
Struct(StructType),
2024-08-16 21:07:49 +00:00
Tuple(Vec<Type>),
}
2024-03-06 17:15:03 +00:00
impl Type {
/// Returns a concrete type, either the type itself or the concrete type of a generic type.
pub fn concrete_type(&self) -> &Type {
match self {
Type::Generic {
concrete_type: Some(concrete_type),
..
} => concrete_type.concrete_type(),
_ => self,
}
}
/// Checks that the type is compatible with another type.
2024-03-17 04:49:01 +00:00
pub fn check(&self, other: &Type) -> Result<(), TypeConflict> {
match (self.concrete_type(), other.concrete_type()) {
2024-03-06 17:15:03 +00:00
(Type::Any, _)
| (_, Type::Any)
| (Type::Boolean, Type::Boolean)
| (Type::Float, Type::Float)
| (Type::Integer, Type::Integer)
| (Type::Range, Type::Range)
2024-03-20 05:29:07 +00:00
| (Type::String, Type::String) => return Ok(()),
2024-06-19 04:05:58 +00:00
(
Type::Generic {
concrete_type: left,
..
},
Type::Generic {
concrete_type: right,
..
},
) => match (left, right) {
2024-06-17 21:38:24 +00:00
(Some(left), Some(right)) => {
2024-07-12 14:20:52 +00:00
if left.check(right).is_ok() {
2024-06-17 21:38:24 +00:00
return Ok(());
}
}
(None, None) => {
return Ok(());
}
_ => {}
},
2024-06-19 04:05:58 +00:00
(Type::Generic { concrete_type, .. }, other)
| (other, Type::Generic { concrete_type, .. }) => {
if let Some(concrete_type) = concrete_type {
if other == concrete_type.as_ref() {
return Ok(());
}
}
}
2024-08-13 17:28:22 +00:00
(Type::Struct(left_struct_type), Type::Struct(right_struct_type)) => {
if left_struct_type == right_struct_type {
2024-03-20 05:29:07 +00:00
return Ok(());
}
}
2024-06-17 15:02:13 +00:00
(
Type::List {
item_type: left_type,
length: left_length,
2024-06-17 15:02:13 +00:00
},
Type::List {
item_type: right_type,
length: right_length,
2024-06-17 15:02:13 +00:00
},
) => {
if left_length != right_length {
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
2024-08-11 23:18:13 +00:00
if left_type.check(right_type).is_err() {
2024-06-17 15:02:13 +00:00
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
return Ok(());
}
(
Type::ListOf {
item_type: left_type,
},
Type::ListOf {
item_type: right_type,
},
) => {
if left_type.check(right_type).is_err() {
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
}
(
Type::List {
item_type: list_item_type,
..
},
Type::ListOf {
item_type: list_of_item_type,
},
)
| (
Type::ListOf {
item_type: list_of_item_type,
},
Type::List {
item_type: list_item_type,
..
},
) => {
// TODO: This is a hack, remove it.
if let Type::Any = **list_of_item_type {
return Ok(());
}
if list_item_type.check(list_of_item_type).is_err() {
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
}
2024-03-20 05:29:07 +00:00
(
2024-08-16 21:07:49 +00:00
Type::Function(FunctionType {
name: left_name,
2024-06-17 14:10:06 +00:00
type_parameters: left_type_parameters,
value_parameters: left_value_parameters,
2024-03-20 12:36:18 +00:00
return_type: left_return,
2024-08-16 21:07:49 +00:00
}),
Type::Function(FunctionType {
name: right_name,
2024-06-17 14:10:06 +00:00
type_parameters: right_type_parameters,
value_parameters: right_value_parameters,
2024-03-20 12:36:18 +00:00
return_type: right_return,
2024-08-16 21:07:49 +00:00
}),
2024-03-20 05:29:07 +00:00
) => {
2024-08-16 21:07:49 +00:00
if left_name != right_name {
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
2024-06-17 14:10:06 +00:00
if left_return == right_return {
for (left_parameter, right_parameter) in left_type_parameters
.iter()
.zip(right_type_parameters.iter())
2024-03-24 19:47:23 +00:00
{
2024-06-17 14:10:06 +00:00
if left_parameter != right_parameter {
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
}
2024-06-17 15:02:13 +00:00
2024-06-17 14:10:06 +00:00
for (left_parameter, right_parameter) in left_value_parameters
.iter()
.zip(right_value_parameters.iter())
{
if left_parameter != right_parameter {
2024-03-24 19:47:23 +00:00
return Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
});
}
}
2024-03-20 05:29:07 +00:00
return Ok(());
}
}
2024-08-11 23:00:37 +00:00
(Type::Number, Type::Number | Type::Integer | Type::Float)
| (Type::Integer | Type::Float, Type::Number) => {
return Ok(());
}
2024-03-20 05:29:07 +00:00
_ => {}
2024-03-06 17:15:03 +00:00
}
2024-03-20 05:29:07 +00:00
Err(TypeConflict {
actual: other.clone(),
expected: self.clone(),
})
2024-03-06 17:15:03 +00:00
}
}
2024-03-07 03:15:35 +00:00
impl Display for Type {
fn fmt(&self, f: &mut Formatter) -> fmt::Result {
match self {
Type::Any => write!(f, "any"),
2024-03-23 21:07:41 +00:00
Type::Boolean => write!(f, "bool"),
2024-08-16 21:07:49 +00:00
Type::Byte => write!(f, "byte"),
Type::Character => write!(f, "char"),
Type::Enum(enum_type) => write!(f, "{enum_type}"),
2024-03-07 03:15:35 +00:00
Type::Float => write!(f, "float"),
2024-08-16 21:07:49 +00:00
Type::Function(function_type) => write!(f, "{function_type}"),
2024-06-19 04:05:58 +00:00
Type::Generic { concrete_type, .. } => {
2024-06-26 15:35:39 +00:00
match concrete_type.clone().map(|r#box| *r#box) {
Some(Type::Generic { identifier, .. }) => write!(f, "{identifier}"),
Some(concrete_type) => write!(f, "implied to be {concrete_type}"),
None => write!(f, "unknown"),
2024-06-17 21:38:24 +00:00
}
}
2024-03-23 21:07:41 +00:00
Type::Integer => write!(f, "int"),
Type::List { item_type, length } => write!(f, "[{item_type}; {length}]"),
2024-08-16 21:07:49 +00:00
Type::ListEmpty => write!(f, "[]"),
2024-08-16 09:14:00 +00:00
Type::ListOf { item_type } => write!(f, "[{item_type}]"),
2024-08-16 21:07:49 +00:00
Type::Number => write!(f, "num"),
Type::Range => write!(f, "range"),
Type::String => write!(f, "str"),
Type::Struct(struct_type) => write!(f, "{struct_type}"),
Type::Tuple(fields) => {
write!(f, "(")?;
2024-06-24 08:02:44 +00:00
2024-08-16 21:07:49 +00:00
for (index, r#type) in fields.iter().enumerate() {
write!(f, "{type}")?;
2024-06-24 08:16:05 +00:00
2024-08-16 21:07:49 +00:00
if index != fields.len() - 1 {
2024-06-24 08:16:05 +00:00
write!(f, ", ")?;
}
2024-06-24 08:02:44 +00:00
}
2024-08-16 21:07:49 +00:00
write!(f, ")")
2024-06-24 08:02:44 +00:00
}
2024-08-16 21:07:49 +00:00
}
}
}
2024-03-09 02:26:49 +00:00
2024-08-16 21:07:49 +00:00
#[derive(Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Serialize, Deserialize)]
pub struct FunctionType {
pub name: Identifier,
pub type_parameters: Option<Vec<Type>>,
pub value_parameters: Option<Vec<(Identifier, Type)>>,
pub return_type: Option<Box<Type>>,
}
2024-06-26 18:44:23 +00:00
2024-08-16 21:07:49 +00:00
impl Display for FunctionType {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
write!(f, "fn ")?;
2024-06-17 14:10:06 +00:00
2024-08-16 21:07:49 +00:00
if let Some(type_parameters) = &self.type_parameters {
write!(f, "<")?;
2024-06-17 14:10:06 +00:00
2024-08-16 21:07:49 +00:00
for (index, type_parameter) in type_parameters.iter().enumerate() {
write!(f, "{type_parameter}")?;
2024-06-26 18:44:23 +00:00
2024-08-16 21:07:49 +00:00
if index != type_parameters.len() - 1 {
write!(f, ", ")?;
2024-03-09 02:26:49 +00:00
}
2024-08-16 21:07:49 +00:00
}
2024-03-09 02:26:49 +00:00
2024-08-16 21:07:49 +00:00
write!(f, ">")?;
}
write!(f, "(")?;
if let Some(value_parameters) = &self.value_parameters {
for (index, (identifier, r#type)) in value_parameters.iter().enumerate() {
write!(f, "{identifier}: {type}")?;
2024-06-22 04:58:30 +00:00
2024-08-16 21:07:49 +00:00
if index != value_parameters.len() - 1 {
write!(f, ", ")?;
2024-06-22 04:58:30 +00:00
}
2024-03-09 02:26:49 +00:00
}
2024-08-13 17:28:22 +00:00
}
2024-08-16 21:07:49 +00:00
write!(f, ")")?;
if let Some(return_type) = &self.return_type {
write!(f, " -> {return_type}")?;
}
Ok(())
2024-08-13 17:28:22 +00:00
}
}
#[derive(Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Serialize, Deserialize)]
pub enum StructType {
Unit {
2024-08-17 02:43:29 +00:00
name: Identifier,
2024-08-13 17:28:22 +00:00
},
Tuple {
2024-08-17 02:43:29 +00:00
name: Identifier,
2024-08-13 20:21:44 +00:00
fields: Vec<Type>,
2024-08-13 17:28:22 +00:00
},
Fields {
2024-08-17 02:43:29 +00:00
name: Identifier,
2024-08-13 17:28:22 +00:00
fields: Vec<(Identifier, Type)>,
},
}
impl Display for StructType {
fn fmt(&self, f: &mut Formatter) -> fmt::Result {
match self {
2024-08-16 21:07:49 +00:00
StructType::Unit { .. } => write!(f, "()"),
StructType::Tuple { fields, .. } => {
write!(f, "(")?;
2024-08-13 17:28:22 +00:00
2024-08-13 20:21:44 +00:00
for (index, r#type) in fields.iter().enumerate() {
2024-08-13 17:28:22 +00:00
write!(f, "{type}")?;
2024-08-13 20:21:44 +00:00
if index != fields.len() - 1 {
2024-08-13 17:28:22 +00:00
write!(f, ", ")?;
}
}
write!(f, ")")
}
2024-08-16 21:07:49 +00:00
StructType::Fields {
2024-08-17 02:43:29 +00:00
name: identifier,
fields,
..
2024-08-16 21:07:49 +00:00
} => {
write!(f, "{identifier} {{ ")?;
2024-08-13 17:28:22 +00:00
for (index, (identifier, r#type)) in fields.iter().enumerate() {
write!(f, "{identifier}: {type}")?;
if index != fields.len() - 1 {
write!(f, ", ")?;
}
}
2024-08-16 21:07:49 +00:00
write!(f, " }}")
2024-08-13 17:28:22 +00:00
}
2024-03-07 03:15:35 +00:00
}
}
}
2024-08-16 21:07:49 +00:00
#[derive(Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Serialize, Deserialize)]
pub struct EnumType {
name: Identifier,
variants: Vec<StructType>,
}
impl Display for EnumType {
fn fmt(&self, f: &mut Formatter) -> fmt::Result {
write!(f, "{}", self.name)
}
}
#[derive(Clone, Debug, Eq, PartialEq, Serialize, Deserialize)]
pub struct TypeConflict {
pub expected: Type,
pub actual: Type,
}
2024-03-06 17:15:03 +00:00
#[cfg(test)]
mod tests {
use super::*;
#[test]
2024-08-16 21:07:49 +00:00
fn check_type_any() {
let foo = Type::Any;
let bar = Type::Any;
foo.check(&bar).unwrap();
}
2024-06-17 14:10:06 +00:00
2024-08-16 21:07:49 +00:00
#[test]
fn check_type_boolean() {
let foo = Type::Boolean;
let bar = Type::Boolean;
foo.check(&bar).unwrap();
}
2024-06-24 08:02:44 +00:00
2024-08-16 21:07:49 +00:00
#[test]
fn check_type_byte() {
let foo = Type::Byte;
let bar = Type::Byte;
foo.check(&bar).unwrap();
}
#[test]
fn check_type_character() {
let foo = Type::Character;
let bar = Type::Character;
2024-06-24 08:02:44 +00:00
2024-08-16 21:07:49 +00:00
foo.check(&bar).unwrap();
}
2024-03-06 17:15:03 +00:00
#[test]
fn errors() {
2024-03-19 21:18:36 +00:00
let foo = Type::Integer;
let bar = Type::String;
2024-03-06 17:15:03 +00:00
assert_eq!(
foo.check(&bar),
2024-03-17 04:49:01 +00:00
Err(TypeConflict {
2024-03-06 17:15:03 +00:00
actual: bar.clone(),
expected: foo.clone()
})
);
assert_eq!(
bar.check(&foo),
2024-03-17 04:49:01 +00:00
Err(TypeConflict {
2024-03-06 17:15:03 +00:00
actual: foo.clone(),
expected: bar.clone()
})
);
let types = [
Type::Boolean,
Type::Float,
Type::Integer,
2024-06-17 14:10:06 +00:00
Type::List {
item_type: Box::new(Type::Integer),
length: 42,
2024-06-17 14:10:06 +00:00
},
2024-03-06 17:15:03 +00:00
Type::Range,
Type::String,
];
2024-06-22 04:58:30 +00:00
for left in types.clone() {
for right in types.clone() {
if left == right {
continue;
}
2024-03-06 17:15:03 +00:00
2024-06-22 04:58:30 +00:00
assert_eq!(
left.check(&right),
Err(TypeConflict {
actual: right.clone(),
expected: left.clone()
})
);
}
2024-03-06 17:15:03 +00:00
}
}
}