use cairo_lang_debug::DebugWithDb;
use cairo_lang_defs::diagnostic_utils::StableLocation;
use cairo_lang_defs::ids::{
EnumId, ExternTypeId, GenericParamId, GenericTypeId, ModuleFileId, NamedLanguageElementId,
StructId, TraitTypeId,
};
use cairo_lang_diagnostics::{DiagnosticAdded, Maybe};
use cairo_lang_proc_macros::SemanticObject;
use cairo_lang_syntax::attribute::consts::MUST_USE_ATTR;
use cairo_lang_syntax::node::ids::SyntaxStablePtrId;
use cairo_lang_syntax::node::{ast, TypedStablePtr, TypedSyntaxNode};
use cairo_lang_utils::{define_short_id, try_extract_matches, Intern, LookupIntern, OptionFrom};
use itertools::Itertools;
use num_bigint::BigInt;
use num_traits::Zero;
use smol_str::SmolStr;
use crate::corelib::{
concrete_copy_trait, concrete_destruct_trait, concrete_drop_trait,
concrete_panic_destruct_trait, get_usize_ty,
};
use crate::db::SemanticGroup;
use crate::diagnostic::SemanticDiagnosticKind::*;
use crate::diagnostic::{NotFoundItemType, SemanticDiagnostics, SemanticDiagnosticsBuilder};
use crate::expr::compute::{
compute_expr_semantic, ComputationContext, ContextFunction, Environment,
};
use crate::expr::inference::canonic::ResultNoErrEx;
use crate::expr::inference::{InferenceData, InferenceError, InferenceId, TypeVar};
use crate::items::attribute::SemanticQueryAttrs;
use crate::items::constant::{resolve_const_expr_and_evaluate, ConstValue, ConstValueId};
use crate::items::imp::{ImplId, ImplLookupContext};
use crate::resolve::{ResolvedConcreteItem, Resolver};
use crate::substitution::SemanticRewriter;
use crate::{semantic, semantic_object_for_id, ConcreteTraitId, FunctionId, GenericArgumentId};
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub enum TypeLongId {
Concrete(ConcreteTypeId),
Tuple(Vec<TypeId>),
Snapshot(TypeId),
GenericParameter(GenericParamId),
Var(TypeVar),
Coupon(FunctionId),
FixedSizeArray {
type_id: TypeId,
size: ConstValueId,
},
ImplType(ImplTypeId),
TraitType(TraitTypeId),
Closure(ClosureTypeLongId),
Missing(#[dont_rewrite] DiagnosticAdded),
}
impl OptionFrom<TypeLongId> for ConcreteTypeId {
fn option_from(other: TypeLongId) -> Option<Self> {
try_extract_matches!(other, TypeLongId::Concrete)
}
}
define_short_id!(TypeId, TypeLongId, SemanticGroup, lookup_intern_type, intern_type);
semantic_object_for_id!(TypeId, lookup_intern_type, intern_type, TypeLongId);
impl TypeId {
pub fn missing(db: &dyn SemanticGroup, diag_added: DiagnosticAdded) -> Self {
TypeLongId::Missing(diag_added).intern(db)
}
pub fn format(&self, db: &dyn SemanticGroup) -> String {
self.lookup_intern(db).format(db)
}
pub fn check_not_missing(&self, db: &dyn SemanticGroup) -> Maybe<()> {
if let TypeLongId::Missing(diag_added) = self.lookup_intern(db) {
Err(diag_added)
} else {
Ok(())
}
}
pub fn is_missing(&self, db: &dyn SemanticGroup) -> bool {
self.check_not_missing(db).is_err()
}
pub fn is_unit(&self, db: &dyn SemanticGroup) -> bool {
matches!(self.lookup_intern(db), TypeLongId::Tuple(types) if types.is_empty())
}
pub fn head(&self, db: &dyn SemanticGroup) -> Option<TypeHead> {
self.lookup_intern(db).head(db)
}
pub fn is_fully_concrete(&self, db: &dyn SemanticGroup) -> bool {
db.priv_type_is_fully_concrete(*self)
}
pub fn is_var_free(&self, db: &dyn SemanticGroup) -> bool {
db.priv_type_is_var_free(*self)
}
pub fn is_phantom(&self, db: &dyn SemanticGroup) -> bool {
self.lookup_intern(db).is_phantom(db)
}
}
impl TypeLongId {
pub fn format(&self, db: &dyn SemanticGroup) -> String {
format!("{:?}", self.debug(db.elongate()))
}
pub fn head(&self, db: &dyn SemanticGroup) -> Option<TypeHead> {
Some(match self {
TypeLongId::Concrete(concrete) => TypeHead::Concrete(concrete.generic_type(db)),
TypeLongId::Tuple(_) => TypeHead::Tuple,
TypeLongId::Snapshot(inner) => TypeHead::Snapshot(Box::new(inner.head(db)?)),
TypeLongId::Coupon(_) => TypeHead::Coupon,
TypeLongId::FixedSizeArray { .. } => TypeHead::FixedSizeArray,
TypeLongId::GenericParameter(_)
| TypeLongId::Var(_)
| TypeLongId::Missing(_)
| TypeLongId::ImplType(_)
| TypeLongId::TraitType(_)
| TypeLongId::Closure(_) => {
return None;
}
})
}
pub fn is_phantom(&self, db: &dyn SemanticGroup) -> bool {
let phantom_type_attributes = db.declared_phantom_type_attributes();
match self {
TypeLongId::Concrete(id) => match id {
ConcreteTypeId::Struct(id) => phantom_type_attributes
.iter()
.any(|attr| id.has_attr(db, attr).unwrap_or_default()),
ConcreteTypeId::Enum(id) => phantom_type_attributes
.iter()
.any(|attr| id.has_attr(db, attr).unwrap_or_default()),
ConcreteTypeId::Extern(id) => phantom_type_attributes
.iter()
.any(|attr| id.has_attr(db, attr).unwrap_or_default()),
},
TypeLongId::Tuple(inner) => inner.iter().any(|ty| ty.is_phantom(db)),
TypeLongId::FixedSizeArray { type_id, .. } => type_id.is_phantom(db),
TypeLongId::Snapshot(_)
| TypeLongId::GenericParameter(_)
| TypeLongId::Var(_)
| TypeLongId::Coupon(_)
| TypeLongId::TraitType(_)
| TypeLongId::ImplType(_)
| TypeLongId::Missing(_)
| TypeLongId::Closure(_) => false,
}
}
}
impl DebugWithDb<dyn SemanticGroup> for TypeLongId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
let def_db = db.upcast();
match self {
TypeLongId::Concrete(concrete) => write!(f, "{}", concrete.format(db)),
TypeLongId::Tuple(inner_types) => {
if inner_types.len() == 1 {
write!(f, "({},)", inner_types[0].format(db))
} else {
write!(f, "({})", inner_types.iter().map(|ty| ty.format(db)).join(", "))
}
}
TypeLongId::Snapshot(ty) => write!(f, "@{}", ty.format(db)),
TypeLongId::GenericParameter(generic_param) => {
write!(f, "{}", generic_param.name(def_db).unwrap_or_else(|| "_".into()))
}
TypeLongId::ImplType(impl_type_id) => {
write!(f, "{}::{}", impl_type_id.impl_id.name(db), impl_type_id.ty.name(def_db))
}
TypeLongId::Var(var) => write!(f, "?{}", var.id.0),
TypeLongId::Coupon(function_id) => write!(f, "{}::Coupon", function_id.full_name(db)),
TypeLongId::Missing(_) => write!(f, "<missing>"),
TypeLongId::FixedSizeArray { type_id, size } => {
write!(f, "[{}; {:?}]", type_id.format(db), size.debug(db.elongate()))
}
TypeLongId::TraitType(trait_type_id) => {
write!(
f,
"{}::{}",
trait_type_id.trait_id(def_db).name(def_db),
trait_type_id.name(def_db)
)
}
TypeLongId::Closure(closure) => {
write!(f, "{:?}", closure.debug(db.elongate()))
}
}
}
}
#[derive(Clone, Debug, Hash, PartialEq, Eq)]
pub enum TypeHead {
Concrete(GenericTypeId),
Snapshot(Box<TypeHead>),
Tuple,
Coupon,
FixedSizeArray,
}
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub enum ConcreteTypeId {
Struct(ConcreteStructId),
Enum(ConcreteEnumId),
Extern(ConcreteExternTypeId),
}
impl ConcreteTypeId {
pub fn new(
db: &dyn SemanticGroup,
generic_ty: GenericTypeId,
generic_args: Vec<semantic::GenericArgumentId>,
) -> Self {
match generic_ty {
GenericTypeId::Struct(id) => ConcreteTypeId::Struct(
ConcreteStructLongId { struct_id: id, generic_args }.intern(db),
),
GenericTypeId::Enum(id) => {
ConcreteTypeId::Enum(ConcreteEnumLongId { enum_id: id, generic_args }.intern(db))
}
GenericTypeId::Extern(id) => ConcreteTypeId::Extern(
ConcreteExternTypeLongId { extern_type_id: id, generic_args }.intern(db),
),
}
}
pub fn generic_type(&self, db: &dyn SemanticGroup) -> GenericTypeId {
match self {
ConcreteTypeId::Struct(id) => GenericTypeId::Struct(id.lookup_intern(db).struct_id),
ConcreteTypeId::Enum(id) => GenericTypeId::Enum(id.lookup_intern(db).enum_id),
ConcreteTypeId::Extern(id) => {
GenericTypeId::Extern(id.lookup_intern(db).extern_type_id)
}
}
}
pub fn generic_args(&self, db: &dyn SemanticGroup) -> Vec<semantic::GenericArgumentId> {
match self {
ConcreteTypeId::Struct(id) => id.lookup_intern(db).generic_args,
ConcreteTypeId::Enum(id) => id.lookup_intern(db).generic_args,
ConcreteTypeId::Extern(id) => id.lookup_intern(db).generic_args,
}
}
pub fn format(&self, db: &dyn SemanticGroup) -> String {
let generic_type_format = self.generic_type(db).format(db.upcast());
let mut generic_args = self.generic_args(db).into_iter();
if let Some(first) = generic_args.next() {
const CHARS_BOUND: usize = 500;
let mut f = generic_type_format;
f.push_str("::<");
f.push_str(&first.format(db));
for arg in generic_args {
if f.len() > CHARS_BOUND {
f.push_str(", ...");
break;
}
f.push_str(", ");
f.push_str(&arg.format(db));
}
f.push('>');
f
} else {
generic_type_format
}
}
pub fn is_must_use(&self, db: &dyn SemanticGroup) -> Maybe<bool> {
match self {
ConcreteTypeId::Struct(id) => id.has_attr(db, MUST_USE_ATTR),
ConcreteTypeId::Enum(id) => id.has_attr(db, MUST_USE_ATTR),
ConcreteTypeId::Extern(id) => id.has_attr(db, MUST_USE_ATTR),
}
}
pub fn is_fully_concrete(&self, db: &dyn SemanticGroup) -> bool {
self.generic_args(db)
.iter()
.all(|generic_argument_id| generic_argument_id.is_fully_concrete(db))
}
pub fn is_var_free(&self, db: &dyn SemanticGroup) -> bool {
self.generic_args(db).iter().all(|generic_argument_id| generic_argument_id.is_var_free(db))
}
}
impl DebugWithDb<dyn SemanticGroup> for ConcreteTypeId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
write!(f, "{}", self.format(db))
}
}
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub struct ConcreteStructLongId {
pub struct_id: StructId,
pub generic_args: Vec<semantic::GenericArgumentId>,
}
define_short_id!(
ConcreteStructId,
ConcreteStructLongId,
SemanticGroup,
lookup_intern_concrete_struct,
intern_concrete_struct
);
semantic_object_for_id!(
ConcreteStructId,
lookup_intern_concrete_struct,
intern_concrete_struct,
ConcreteStructLongId
);
impl ConcreteStructId {
pub fn struct_id(&self, db: &dyn SemanticGroup) -> StructId {
self.lookup_intern(db).struct_id
}
}
impl DebugWithDb<dyn SemanticGroup> for ConcreteStructLongId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
write!(f, "{:?}", ConcreteTypeId::Struct(self.clone().intern(db)).debug(db))
}
}
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub struct ConcreteEnumLongId {
pub enum_id: EnumId,
pub generic_args: Vec<semantic::GenericArgumentId>,
}
impl DebugWithDb<dyn SemanticGroup> for ConcreteEnumLongId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
write!(f, "{:?}", ConcreteTypeId::Enum(self.clone().intern(db)).debug(db))
}
}
define_short_id!(
ConcreteEnumId,
ConcreteEnumLongId,
SemanticGroup,
lookup_intern_concrete_enum,
intern_concrete_enum
);
semantic_object_for_id!(
ConcreteEnumId,
lookup_intern_concrete_enum,
intern_concrete_enum,
ConcreteEnumLongId
);
impl ConcreteEnumId {
pub fn enum_id(&self, db: &dyn SemanticGroup) -> EnumId {
self.lookup_intern(db).enum_id
}
}
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub struct ConcreteExternTypeLongId {
pub extern_type_id: ExternTypeId,
pub generic_args: Vec<semantic::GenericArgumentId>,
}
define_short_id!(
ConcreteExternTypeId,
ConcreteExternTypeLongId,
SemanticGroup,
lookup_intern_concrete_extern_type,
intern_concrete_extern_type
);
semantic_object_for_id!(
ConcreteExternTypeId,
lookup_intern_concrete_extern_type,
intern_concrete_extern_type,
ConcreteExternTypeLongId
);
impl ConcreteExternTypeId {
pub fn extern_type_id(&self, db: &dyn SemanticGroup) -> ExternTypeId {
self.lookup_intern(db).extern_type_id
}
}
#[derive(Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub struct ClosureTypeLongId {
pub param_tys: Vec<TypeId>,
pub ret_ty: TypeId,
pub captured_types: Vec<TypeId>,
pub parent_function: Maybe<FunctionId>,
#[dont_rewrite]
pub wrapper_location: StableLocation,
}
impl DebugWithDb<dyn SemanticGroup> for ClosureTypeLongId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
write!(f, "{{closure@{:?}}}", self.wrapper_location.debug(db.upcast()))
}
}
#[derive(Copy, Clone, Debug, Hash, PartialEq, Eq, SemanticObject)]
pub struct ImplTypeId {
impl_id: ImplId,
ty: TraitTypeId,
}
impl ImplTypeId {
pub fn new(impl_id: ImplId, ty: TraitTypeId, db: &dyn SemanticGroup) -> Self {
if let crate::items::imp::ImplLongId::Concrete(concrete_impl) = impl_id.lookup_intern(db) {
let impl_def_id = concrete_impl.impl_def_id(db);
assert_eq!(Ok(ty.trait_id(db.upcast())), db.impl_def_trait(impl_def_id));
}
ImplTypeId { impl_id, ty }
}
pub fn impl_id(&self) -> ImplId {
self.impl_id
}
pub fn ty(&self) -> TraitTypeId {
self.ty
}
pub fn format(&self, db: &dyn SemanticGroup) -> SmolStr {
format!("{}::{}", self.impl_id.name(db.upcast()), self.ty.name(db.upcast())).into()
}
}
impl DebugWithDb<dyn SemanticGroup> for ImplTypeId {
fn fmt(
&self,
f: &mut std::fmt::Formatter<'_>,
db: &(dyn SemanticGroup + 'static),
) -> std::fmt::Result {
write!(f, "{}", self.format(db))
}
}
pub fn resolve_type(
db: &dyn SemanticGroup,
diagnostics: &mut SemanticDiagnostics,
resolver: &mut Resolver<'_>,
ty_syntax: &ast::Expr,
) -> TypeId {
maybe_resolve_type(db, diagnostics, resolver, ty_syntax)
.unwrap_or_else(|diag_added| TypeId::missing(db, diag_added))
}
pub fn maybe_resolve_type(
db: &dyn SemanticGroup,
diagnostics: &mut SemanticDiagnostics,
resolver: &mut Resolver<'_>,
ty_syntax: &ast::Expr,
) -> Maybe<TypeId> {
let syntax_db = db.upcast();
Ok(match ty_syntax {
ast::Expr::Path(path) => {
match resolver.resolve_concrete_path(diagnostics, path, NotFoundItemType::Type)? {
ResolvedConcreteItem::Type(ty) => ty,
_ => {
return Err(diagnostics.report(path, NotAType));
}
}
}
ast::Expr::Parenthesized(expr_syntax) => {
resolve_type(db, diagnostics, resolver, &expr_syntax.expr(syntax_db))
}
ast::Expr::Tuple(tuple_syntax) => {
let sub_tys = tuple_syntax
.expressions(syntax_db)
.elements(syntax_db)
.into_iter()
.map(|subexpr_syntax| resolve_type(db, diagnostics, resolver, &subexpr_syntax))
.collect();
TypeLongId::Tuple(sub_tys).intern(db)
}
ast::Expr::Unary(unary_syntax)
if matches!(unary_syntax.op(syntax_db), ast::UnaryOperator::At(_)) =>
{
let ty = resolve_type(db, diagnostics, resolver, &unary_syntax.expr(syntax_db));
TypeLongId::Snapshot(ty).intern(db)
}
ast::Expr::Unary(unary_syntax)
if matches!(unary_syntax.op(syntax_db), ast::UnaryOperator::Desnap(_)) =>
{
let ty = resolve_type(db, diagnostics, resolver, &unary_syntax.expr(syntax_db));
if let Some(desnapped_ty) =
try_extract_matches!(ty.lookup_intern(db), TypeLongId::Snapshot)
{
desnapped_ty
} else {
return Err(diagnostics.report(ty_syntax, DesnapNonSnapshot));
}
}
ast::Expr::FixedSizeArray(array_syntax) => {
let [ty] = &array_syntax.exprs(syntax_db).elements(syntax_db)[..] else {
return Err(diagnostics.report(ty_syntax, FixedSizeArrayTypeNonSingleType));
};
let ty = resolve_type(db, diagnostics, resolver, ty);
let size = match extract_fixed_size_array_size(db, diagnostics, array_syntax, resolver)?
{
Some(size) => size,
None => {
return Err(diagnostics.report(ty_syntax, FixedSizeArrayTypeEmptySize));
}
};
TypeLongId::FixedSizeArray { type_id: ty, size }.intern(db)
}
_ => {
return Err(diagnostics.report(ty_syntax, UnknownType));
}
})
}
pub fn extract_fixed_size_array_size(
db: &dyn SemanticGroup,
diagnostics: &mut SemanticDiagnostics,
syntax: &ast::ExprFixedSizeArray,
resolver: &Resolver<'_>,
) -> Maybe<Option<ConstValueId>> {
let syntax_db = db.upcast();
match syntax.size(syntax_db) {
ast::OptionFixedSizeArraySize::FixedSizeArraySize(size_clause) => {
let environment = Environment::empty();
let resolver = Resolver::with_data(
db,
(resolver.data).clone_with_inference_id(db, resolver.inference_data.inference_id),
);
let mut ctx = ComputationContext::new(
db,
diagnostics,
resolver,
None,
environment,
ContextFunction::Global,
);
let size_expr_syntax = size_clause.size(syntax_db);
let size = compute_expr_semantic(&mut ctx, &size_expr_syntax);
let const_value = resolve_const_expr_and_evaluate(
db,
&mut ctx,
&size,
size_expr_syntax.stable_ptr().untyped(),
get_usize_ty(db),
);
if matches!(const_value, ConstValue::Int(_, _) | ConstValue::Generic(_)) {
Ok(Some(const_value.intern(db)))
} else {
Err(diagnostics.report(syntax, FixedSizeArrayNonNumericSize))
}
}
ast::OptionFixedSizeArraySize::Empty(_) => Ok(None),
}
}
pub fn verify_fixed_size_array_size(
diagnostics: &mut SemanticDiagnostics,
size: &BigInt,
syntax: &ast::ExprFixedSizeArray,
) -> Maybe<()> {
if size > &BigInt::from(i16::MAX) {
return Err(diagnostics.report(syntax, FixedSizeArraySizeTooBig));
}
Ok(())
}
pub fn generic_type_generic_params(
db: &dyn SemanticGroup,
generic_type: GenericTypeId,
) -> Maybe<Vec<semantic::GenericParam>> {
match generic_type {
GenericTypeId::Struct(id) => db.struct_generic_params(id),
GenericTypeId::Enum(id) => db.enum_generic_params(id),
GenericTypeId::Extern(id) => db.extern_type_declaration_generic_params(id),
}
}
#[derive(Clone, Debug, PartialEq, Eq)]
pub struct TypeInfo {
pub droppable: Result<ImplId, InferenceError>,
pub copyable: Result<ImplId, InferenceError>,
pub destruct_impl: Result<ImplId, InferenceError>,
pub panic_destruct_impl: Result<ImplId, InferenceError>,
}
pub fn get_impl_at_context(
db: &dyn SemanticGroup,
lookup_context: ImplLookupContext,
concrete_trait_id: ConcreteTraitId,
stable_ptr: Option<SyntaxStablePtrId>,
) -> Result<ImplId, InferenceError> {
let mut inference_data = InferenceData::new(InferenceId::NoContext);
let mut inference = inference_data.inference(db);
let impl_id = inference.new_impl_var(concrete_trait_id, stable_ptr, lookup_context);
if let Err((err_set, _)) = inference.finalize_without_reporting() {
return Err(inference
.consume_error_without_reporting(err_set)
.expect("Error couldn't be already consumed"));
};
Ok(inference.rewrite(impl_id).no_err())
}
pub fn single_value_type(db: &dyn SemanticGroup, ty: TypeId) -> Maybe<bool> {
Ok(match ty.lookup_intern(db) {
TypeLongId::Concrete(concrete_type_id) => match concrete_type_id {
ConcreteTypeId::Struct(id) => {
for member in db.struct_members(id.struct_id(db))?.values() {
if !db.single_value_type(member.ty)? {
return Ok(false);
}
}
true
}
ConcreteTypeId::Enum(id) => {
let variants = db.enum_variants(id.enum_id(db))?;
if variants.len() != 1 {
return Ok(false);
}
db.single_value_type(
db.variant_semantic(id.enum_id(db), *variants.values().next().unwrap())?.ty,
)?
}
ConcreteTypeId::Extern(_) => false,
},
TypeLongId::Tuple(types) => {
for ty in &types {
if !db.single_value_type(*ty)? {
return Ok(false);
}
}
true
}
TypeLongId::Snapshot(ty) => db.single_value_type(ty)?,
TypeLongId::GenericParameter(_)
| TypeLongId::Var(_)
| TypeLongId::Missing(_)
| TypeLongId::Coupon(_)
| TypeLongId::ImplType(_)
| TypeLongId::TraitType(_)
| TypeLongId::Closure(_) => false,
TypeLongId::FixedSizeArray { type_id, size } => {
db.single_value_type(type_id)?
|| matches!(size.lookup_intern(db),
ConstValue::Int(value, _) if value.is_zero())
}
})
}
pub fn add_type_based_diagnostics(
db: &dyn SemanticGroup,
diagnostics: &mut SemanticDiagnostics,
ty: TypeId,
stable_ptr: impl Into<SyntaxStablePtrId> + Copy,
) {
if db.type_size_info(ty) == Ok(TypeSizeInformation::Infinite) {
diagnostics.report(stable_ptr, InfiniteSizeType(ty));
}
if let TypeLongId::Concrete(ConcreteTypeId::Extern(extrn)) = ty.lookup_intern(db) {
let long_id = extrn.lookup_intern(db);
if long_id.extern_type_id.name(db.upcast()).as_str() == "Array" {
if let [GenericArgumentId::Type(arg_ty)] = &long_id.generic_args[..] {
if db.type_size_info(*arg_ty) == Ok(TypeSizeInformation::ZeroSized) {
diagnostics.report(stable_ptr, ArrayOfZeroSizedElements(*arg_ty));
}
}
}
}
}
#[derive(Clone, Debug, PartialEq, Eq)]
pub enum TypeSizeInformation {
Infinite,
ZeroSized,
Other,
}
pub fn type_size_info(db: &dyn SemanticGroup, ty: TypeId) -> Maybe<TypeSizeInformation> {
match ty.lookup_intern(db) {
TypeLongId::Concrete(concrete_type_id) => match concrete_type_id {
ConcreteTypeId::Struct(id) => {
let mut zero_sized = true;
for (_, member) in db.struct_members(id.struct_id(db))?.iter() {
if db.type_size_info(member.ty)? != TypeSizeInformation::ZeroSized {
zero_sized = false;
}
}
if zero_sized {
return Ok(TypeSizeInformation::ZeroSized);
}
}
ConcreteTypeId::Enum(id) => {
for (_, variant) in db.enum_variants(id.enum_id(db))? {
db.type_size_info(db.variant_semantic(id.enum_id(db), variant)?.ty)?;
}
}
ConcreteTypeId::Extern(_) => {}
},
TypeLongId::Tuple(types) => {
let mut zero_sized = true;
for ty in types {
if db.type_size_info(ty)? != TypeSizeInformation::ZeroSized {
zero_sized = false;
}
}
if zero_sized {
return Ok(TypeSizeInformation::ZeroSized);
}
}
TypeLongId::Snapshot(ty) => {
if db.type_size_info(ty)? == TypeSizeInformation::ZeroSized {
return Ok(TypeSizeInformation::ZeroSized);
}
}
TypeLongId::Coupon(_) => return Ok(TypeSizeInformation::ZeroSized),
TypeLongId::GenericParameter(_)
| TypeLongId::Var(_)
| TypeLongId::Missing(_)
| TypeLongId::TraitType(_)
| TypeLongId::ImplType(_)
| TypeLongId::Closure(_) => {}
TypeLongId::FixedSizeArray { type_id, size } => {
if matches!(size.lookup_intern(db), ConstValue::Int(value,_) if value.is_zero())
|| db.type_size_info(type_id)? == TypeSizeInformation::ZeroSized
{
return Ok(TypeSizeInformation::ZeroSized);
}
}
}
Ok(TypeSizeInformation::Other)
}
pub fn type_size_info_cycle(
_db: &dyn SemanticGroup,
_cycle: &salsa::Cycle,
_ty: &TypeId,
) -> Maybe<TypeSizeInformation> {
Ok(TypeSizeInformation::Infinite)
}
pub fn type_info(
db: &dyn SemanticGroup,
lookup_context: ImplLookupContext,
ty: TypeId,
) -> Maybe<TypeInfo> {
let droppable =
get_impl_at_context(db, lookup_context.clone(), concrete_drop_trait(db, ty), None);
let copyable =
get_impl_at_context(db, lookup_context.clone(), concrete_copy_trait(db, ty), None);
let destruct_impl =
get_impl_at_context(db, lookup_context.clone(), concrete_destruct_trait(db, ty), None);
let panic_destruct_impl =
get_impl_at_context(db, lookup_context, concrete_panic_destruct_trait(db, ty), None);
Ok(TypeInfo { droppable, copyable, destruct_impl, panic_destruct_impl })
}
pub fn priv_type_is_fully_concrete(db: &dyn SemanticGroup, ty: TypeId) -> bool {
match ty.lookup_intern(db) {
TypeLongId::Concrete(concrete_type_id) => concrete_type_id.is_fully_concrete(db),
TypeLongId::Tuple(types) => types.iter().all(|ty| ty.is_fully_concrete(db)),
TypeLongId::Snapshot(ty) => ty.is_fully_concrete(db),
TypeLongId::GenericParameter(_)
| TypeLongId::Var(_)
| TypeLongId::Missing(_)
| TypeLongId::ImplType(_)
| TypeLongId::TraitType(_) => false,
TypeLongId::Coupon(function_id) => function_id.is_fully_concrete(db),
TypeLongId::FixedSizeArray { type_id, size } => {
type_id.is_fully_concrete(db) && size.is_fully_concrete(db)
}
TypeLongId::Closure(closure) => {
closure.param_tys.iter().all(|param| param.is_fully_concrete(db))
&& closure.ret_ty.is_fully_concrete(db)
}
}
}
pub fn priv_type_is_var_free(db: &dyn SemanticGroup, ty: TypeId) -> bool {
match ty.lookup_intern(db) {
TypeLongId::Concrete(concrete_type_id) => concrete_type_id.is_var_free(db),
TypeLongId::Tuple(types) => types.iter().all(|ty| ty.is_var_free(db)),
TypeLongId::Snapshot(ty) => ty.is_var_free(db),
TypeLongId::Var(_) => false,
TypeLongId::GenericParameter(_) | TypeLongId::Missing(_) | TypeLongId::TraitType(_) => true,
TypeLongId::Coupon(function_id) => function_id.is_var_free(db),
TypeLongId::FixedSizeArray { type_id, size } => {
type_id.is_var_free(db) && size.is_var_free(db)
}
TypeLongId::ImplType(_) => false,
TypeLongId::Closure(closure) => {
closure.param_tys.iter().all(|param| param.is_var_free(db))
&& closure.ret_ty.is_var_free(db)
}
}
}
pub fn peel_snapshots(db: &dyn SemanticGroup, ty: TypeId) -> (usize, TypeLongId) {
peel_snapshots_ex(db, ty.lookup_intern(db))
}
pub fn peel_snapshots_ex(db: &dyn SemanticGroup, mut long_ty: TypeLongId) -> (usize, TypeLongId) {
let mut n_snapshots = 0;
while let TypeLongId::Snapshot(ty) = long_ty {
long_ty = ty.lookup_intern(db);
n_snapshots += 1;
}
(n_snapshots, long_ty)
}
pub fn wrap_in_snapshots(db: &dyn SemanticGroup, mut ty: TypeId, n_snapshots: usize) -> TypeId {
for _ in 0..n_snapshots {
ty = TypeLongId::Snapshot(ty).intern(db);
}
ty
}
pub(crate) fn are_coupons_enabled(db: &dyn SemanticGroup, module_file_id: ModuleFileId) -> bool {
let owning_crate = module_file_id.0.owning_crate(db.upcast());
let Some(config) = db.crate_config(owning_crate) else { return false };
config.settings.experimental_features.coupons
}