1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152
/*
* Copyright 2022-2023 Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
use crate::ast::*;
use smol_str::SmolStr;
use std::sync::Arc;
use thiserror::Error;
/// Errors that can occur during evaluation
#[derive(Debug, PartialEq, Clone, Error)]
pub enum EvaluationError {
/// Tried to lookup this entity UID, but it didn't exist in the provided
/// entities
#[error("entity does not exist: {0}")]
EntityDoesNotExist(Arc<EntityUID>),
/// Tried to get this attribute, but the specified entity didn't
/// have that attribute
#[error("`{}` does not have the attribute: {}", &.entity, &.attr)]
EntityAttrDoesNotExist {
/// Entity that didn't have the attribute
entity: Arc<EntityUID>,
/// Name of the attribute it didn't have
attr: SmolStr,
},
/// Tried to access an attribute of an unspecified entity
#[error("cannot access attribute of unspecified entity: {0}")]
UnspecifiedEntityAccess(SmolStr),
/// Tried to get an attribute of a (non-entity) record, but that record
/// didn't have that attribute
#[error("record does not have the attribute: {0}. Available attributes: {1:?}")]
RecordAttrDoesNotExist(SmolStr, Vec<SmolStr>),
/// An error occurred when looking up an extension function
#[error(transparent)]
FailedExtensionFunctionLookup(#[from] crate::extensions::ExtensionsError),
/// Tried to evaluate an operation on values with incorrect types for that
/// operation
// INVARIANT `expected` must be non-empty
#[error("{}", pretty_type_error(expected, actual))]
TypeError {
/// Expected (one of) these types
expected: Vec<Type>,
/// Encountered this type instead
actual: Type,
},
/// Wrong number of arguments provided to an extension function
#[error("wrong number of arguments provided to extension function {function_name}: expected {expected}, got {actual}")]
WrongNumArguments {
/// arguments to this function
function_name: Name,
/// expected number of arguments
expected: usize,
/// actual number of arguments
actual: usize,
},
/// Overflow during an integer operation
#[error(transparent)]
IntegerOverflow(#[from] IntegerOverflowError),
/// Error with the use of "restricted" expressions
#[error(transparent)]
InvalidRestrictedExpression(#[from] RestrictedExpressionError),
/// Thrown when a policy is evaluated with a slot that is not linked to an
/// [`EntityUID`]
#[error("template slot `{0}` was not linked")]
UnlinkedSlot(SlotId),
/// Evaluation error thrown by an extension function
#[error("error while evaluating {extension_name} extension function: {msg}")]
FailedExtensionFunctionApplication {
/// Name of the extension throwing the error
extension_name: Name,
/// Error message from the extension
msg: String,
},
/// This error is raised if an expression contains unknowns and cannot be
/// reduced to a [`Value`]. In order to return partial results, use the
/// partial evaluation APIs instead.
#[error("the expression contains unknown(s) (consider using the partial evaluation API): {0}")]
NonValue(Expr),
/// Maximum recursion limit reached for expression evaluation
#[error("recursion limit reached")]
RecursionLimit,
}
/// helper function for pretty-printing type errors
/// INVARIANT: `expected` must have at least one value
fn pretty_type_error(expected: &[Type], actual: &Type) -> String {
match expected.len() {
// PANIC SAFETY, `expected` is non-empty by invariant
#[allow(clippy::unreachable)]
0 => unreachable!("should expect at least one type"),
// PANIC SAFETY. `len` is 1 in this branch
#[allow(clippy::indexing_slicing)]
1 => format!("type error: expected {}, got {}", expected[0], actual),
_ => {
use itertools::Itertools;
format!(
"type error: expected one of [{}], got {actual}",
expected.iter().join(", ")
)
}
}
}
#[derive(Debug, PartialEq, Clone, Error)]
pub enum IntegerOverflowError {
/// Overflow during a binary operation
#[error("integer overflow while attempting to {} the values {arg1} and {arg2}", match .op { BinaryOp::Add => "add", BinaryOp::Sub => "subtract", BinaryOp::Mul => "multiply", _ => "perform an operation on" })]
BinaryOp {
/// overflow while evaluating this operator
op: BinaryOp,
/// first argument to that operator
arg1: Value,
/// second argument to that operator
arg2: Value,
},
/// Overflow during an integer negation operation
#[error("integer overflow while attempting to {} the value {arg}", match .op { UnaryOp::Neg => "negate", _ => "perform an operation on" })]
UnaryOp {
/// overflow while evaluating this operator
op: UnaryOp,
/// argument to that operator
arg: Value,
},
}
/// Type alias for convenience
pub type Result<T> = std::result::Result<T, EvaluationError>;