cedar_policy_core/evaluator/err.rs
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 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709
/*
* Copyright Cedar Contributors
*
* 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 crate::extensions::ExtensionFunctionLookupError;
use crate::parser::Loc;
use miette::Diagnostic;
use nonempty::{nonempty, NonEmpty};
use smol_str::SmolStr;
use std::sync::Arc;
use thiserror::Error;
// How many attrs or tags will we store in an error before cutting off for performance reason
const TOO_MANY_ATTRS: usize = 5;
/// Enumeration of the possible errors that can occur during evaluation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution when
// adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Diagnostic, Error)]
pub enum EvaluationError {
/// Tried to lookup an entity UID, but it didn't exist in the provided
/// entities
#[error(transparent)]
#[diagnostic(transparent)]
EntityDoesNotExist(#[from] evaluation_errors::EntityDoesNotExistError),
/// Tried to get an attribute or tag, but the specified entity didn't
/// have that attribute or tag
#[error(transparent)]
#[diagnostic(transparent)]
EntityAttrDoesNotExist(#[from] evaluation_errors::EntityAttrDoesNotExistError),
/// Tried to get an attribute of a (non-entity) record, but that record
/// didn't have that attribute
#[error(transparent)]
#[diagnostic(transparent)]
RecordAttrDoesNotExist(#[from] evaluation_errors::RecordAttrDoesNotExistError),
/// An error occurred when looking up an extension function
#[error(transparent)]
#[diagnostic(transparent)]
FailedExtensionFunctionLookup(#[from] ExtensionFunctionLookupError),
/// Tried to evaluate an operation on values with incorrect types for that
/// operation
#[error(transparent)]
#[diagnostic(transparent)]
TypeError(#[from] evaluation_errors::TypeError),
/// Wrong number of arguments provided to an extension function
#[error(transparent)]
#[diagnostic(transparent)]
WrongNumArguments(#[from] evaluation_errors::WrongNumArgumentsError),
/// Overflow during an integer operation
#[error(transparent)]
#[diagnostic(transparent)]
IntegerOverflow(#[from] evaluation_errors::IntegerOverflowError),
/// Not all template slots were linked
#[error(transparent)]
#[diagnostic(transparent)]
UnlinkedSlot(#[from] evaluation_errors::UnlinkedSlotError),
/// Evaluation error thrown by an extension function
#[error(transparent)]
#[diagnostic(transparent)]
FailedExtensionFunctionExecution(#[from] evaluation_errors::ExtensionFunctionExecutionError),
/// 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(transparent)]
#[diagnostic(transparent)]
NonValue(#[from] evaluation_errors::NonValueError),
/// Maximum recursion limit reached for expression evaluation
#[error(transparent)]
#[diagnostic(transparent)]
RecursionLimit(#[from] evaluation_errors::RecursionLimitError),
}
impl EvaluationError {
/// Extract the source location of the error, if one is attached
pub(crate) fn source_loc(&self) -> Option<&Loc> {
match self {
Self::EntityDoesNotExist(e) => e.source_loc.as_ref(),
Self::EntityAttrDoesNotExist(e) => e.source_loc.as_ref(),
Self::RecordAttrDoesNotExist(e) => e.source_loc.as_ref(),
Self::FailedExtensionFunctionLookup(e) => e.source_loc(),
Self::TypeError(e) => e.source_loc.as_ref(),
Self::WrongNumArguments(e) => e.source_loc.as_ref(),
Self::IntegerOverflow(e) => e.source_loc(),
Self::UnlinkedSlot(e) => e.source_loc.as_ref(),
Self::FailedExtensionFunctionExecution(e) => e.source_loc.as_ref(),
Self::NonValue(e) => e.source_loc.as_ref(),
Self::RecursionLimit(e) => e.source_loc.as_ref(),
}
}
/// Return the `EvaluationError`, but with the new `source_loc` (or `None`).
pub(crate) fn with_maybe_source_loc(self, source_loc: Option<Loc>) -> Self {
match self {
Self::EntityDoesNotExist(e) => {
Self::EntityDoesNotExist(evaluation_errors::EntityDoesNotExistError {
source_loc,
..e
})
}
Self::EntityAttrDoesNotExist(e) => {
Self::EntityAttrDoesNotExist(evaluation_errors::EntityAttrDoesNotExistError {
source_loc,
..e
})
}
Self::RecordAttrDoesNotExist(e) => {
Self::RecordAttrDoesNotExist(evaluation_errors::RecordAttrDoesNotExistError {
source_loc,
..e
})
}
Self::FailedExtensionFunctionLookup(e) => {
Self::FailedExtensionFunctionLookup(e.with_maybe_source_loc(source_loc))
}
Self::TypeError(e) => Self::TypeError(evaluation_errors::TypeError { source_loc, ..e }),
Self::WrongNumArguments(e) => {
Self::WrongNumArguments(evaluation_errors::WrongNumArgumentsError {
source_loc,
..e
})
}
Self::IntegerOverflow(e) => Self::IntegerOverflow(e.with_maybe_source_loc(source_loc)),
Self::UnlinkedSlot(e) => {
Self::UnlinkedSlot(evaluation_errors::UnlinkedSlotError { source_loc, ..e })
}
Self::FailedExtensionFunctionExecution(e) => Self::FailedExtensionFunctionExecution(
evaluation_errors::ExtensionFunctionExecutionError { source_loc, ..e },
),
Self::NonValue(e) => {
Self::NonValue(evaluation_errors::NonValueError { source_loc, ..e })
}
Self::RecursionLimit(_) => {
Self::RecursionLimit(evaluation_errors::RecursionLimitError { source_loc })
}
}
}
/// Construct a [`EntityDoesNotExist`] error
pub(crate) fn entity_does_not_exist(uid: Arc<EntityUID>, source_loc: Option<Loc>) -> Self {
evaluation_errors::EntityDoesNotExistError { uid, source_loc }.into()
}
/// Construct a [`EntityAttrDoesNotExist`] error
///
/// `does_attr_exist_as_a_tag`: does `attr` exist on `entity` as a tag (rather than an attribute)
pub(crate) fn entity_attr_does_not_exist<'a>(
entity: Arc<EntityUID>,
attr: SmolStr,
available_attrs: impl IntoIterator<Item = &'a SmolStr>,
does_attr_exist_as_a_tag: bool,
total_attrs: usize,
source_loc: Option<Loc>,
) -> Self {
evaluation_errors::EntityAttrDoesNotExistError {
entity,
attr_or_tag: attr,
was_attr: true,
exists_the_other_kind: does_attr_exist_as_a_tag,
available_attrs_or_tags: available_attrs
.into_iter()
.take(TOO_MANY_ATTRS)
.cloned()
.collect::<Vec<_>>(),
total_attrs_or_tags: total_attrs,
source_loc,
}
.into()
}
/// Construct an error for the case where an entity tag does not exist
///
/// `does_tag_exist_as_an_attr`: does `tag` exist on `entity` as an attribute (rather than a tag)
pub(crate) fn entity_tag_does_not_exist<'a>(
entity: Arc<EntityUID>,
tag: SmolStr,
available_tags: impl IntoIterator<Item = &'a SmolStr>,
does_tag_exist_as_an_attr: bool,
total_tags: usize,
source_loc: Option<Loc>,
) -> Self {
evaluation_errors::EntityAttrDoesNotExistError {
entity,
attr_or_tag: tag,
was_attr: false,
exists_the_other_kind: does_tag_exist_as_an_attr,
available_attrs_or_tags: available_tags
.into_iter()
.take(TOO_MANY_ATTRS)
.cloned()
.collect::<Vec<_>>(),
total_attrs_or_tags: total_tags,
source_loc,
}
.into()
}
/// Construct a [`RecordAttrDoesNotExist`] error
pub(crate) fn record_attr_does_not_exist<'a>(
attr: SmolStr,
available_attrs: impl IntoIterator<Item = &'a SmolStr>,
total_attrs: usize,
source_loc: Option<Loc>,
) -> Self {
evaluation_errors::RecordAttrDoesNotExistError {
attr,
available_attrs: available_attrs
.into_iter()
.take(TOO_MANY_ATTRS)
.cloned()
.collect(),
total_attrs,
source_loc,
}
.into()
}
/// Construct a [`TypeError`] error
pub(crate) fn type_error(expected: NonEmpty<Type>, actual: &Value) -> Self {
evaluation_errors::TypeError {
expected,
actual: actual.type_of(),
advice: None,
source_loc: actual.source_loc().cloned(),
}
.into()
}
pub(crate) fn type_error_single(expected: Type, actual: &Value) -> Self {
Self::type_error(nonempty![expected], actual)
}
/// Construct a [`TypeError`] error with the advice field set
pub(crate) fn type_error_with_advice(
expected: NonEmpty<Type>,
actual: &Value,
advice: String,
) -> Self {
evaluation_errors::TypeError {
expected,
actual: actual.type_of(),
advice: Some(advice),
source_loc: actual.source_loc().cloned(),
}
.into()
}
pub(crate) fn type_error_with_advice_single(
expected: Type,
actual: &Value,
advice: String,
) -> Self {
Self::type_error_with_advice(nonempty![expected], actual, advice)
}
/// Construct a [`WrongNumArguments`] error
pub(crate) fn wrong_num_arguments(
function_name: Name,
expected: usize,
actual: usize,
source_loc: Option<Loc>,
) -> Self {
evaluation_errors::WrongNumArgumentsError {
function_name,
expected,
actual,
source_loc,
}
.into()
}
/// Construct a [`UnlinkedSlot`] error
pub(crate) fn unlinked_slot(slot: SlotId, source_loc: Option<Loc>) -> Self {
evaluation_errors::UnlinkedSlotError { slot, source_loc }.into()
}
/// Construct a [`FailedExtensionFunctionApplication`] error
pub(crate) fn failed_extension_function_application(
extension_name: Name,
msg: String,
source_loc: Option<Loc>,
) -> Self {
evaluation_errors::ExtensionFunctionExecutionError {
extension_name,
msg,
source_loc,
}
.into()
}
/// Construct a [`NonValue`] error
pub(crate) fn non_value(expr: Expr) -> Self {
let source_loc = expr.source_loc().cloned();
evaluation_errors::NonValueError { expr, source_loc }.into()
}
/// Construct a [`RecursionLimit`] error
#[cfg(not(target_arch = "wasm32"))]
pub(crate) fn recursion_limit(source_loc: Option<Loc>) -> Self {
evaluation_errors::RecursionLimitError { source_loc }.into()
}
}
/// Error subtypes for [`EvaluationError`]
pub mod evaluation_errors {
use crate::ast::{BinaryOp, EntityUID, Expr, SlotId, Type, UnaryOp, Value};
use crate::parser::Loc;
use itertools::Itertools;
use miette::Diagnostic;
use nonempty::NonEmpty;
use smol_str::SmolStr;
use std::sync::Arc;
use thiserror::Error;
use super::Name;
/// Tried to lookup an entity UID, but it didn't exist in the provided entities
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("entity `{uid}` does not exist")]
pub struct EntityDoesNotExistError {
/// Entity UID which didn't exist in the provided entities
pub(crate) uid: Arc<EntityUID>,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
// This and similar `Diagnostic` impls could just be derived with
//
// #[source_code]
// #[label]
// source_loc: Option<Loc>,
//
// if [miette#377](https://github.com/zkat/miette/issues/377) gets fixed.
// Or, we could have separate fields for source code and label instead of
// combining them into `Loc`, which would work around the issue.
impl Diagnostic for EntityDoesNotExistError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
/// Tried to get an attribute, but the specified entity didn't have that
/// attribute
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("`{entity}` does not have the {} `{attr_or_tag}`", if *.was_attr { "attribute" } else { "tag" })]
pub struct EntityAttrDoesNotExistError {
/// Entity that didn't have the attribute
pub(crate) entity: Arc<EntityUID>,
/// Name of the attribute or tag it didn't have
pub(crate) attr_or_tag: SmolStr,
/// Whether this was an attempted attribute access (`true`) or tag access (`false`)
pub(crate) was_attr: bool,
/// If `true`, this is a case where we tried accessing an attribute but
/// there's a tag of that name, or vice versa
pub(crate) exists_the_other_kind: bool,
/// (First five) Available attributes/tags on the entity, depending on `was_attr`
pub(crate) available_attrs_or_tags: Vec<SmolStr>,
/// Total number of attributes/tags on the entity, depending on `was_attr`
pub(crate) total_attrs_or_tags: usize,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for EntityAttrDoesNotExistError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
fn help<'a>(&'a self) -> Option<Box<dyn std::fmt::Display + 'a>> {
let mut help_text = if self.available_attrs_or_tags.is_empty() {
format!(
"`{}` does not have any {}",
&self.entity,
if self.was_attr { "attributes" } else { "tags" }
)
} else if self.available_attrs_or_tags.len() == self.total_attrs_or_tags {
format!(
"available {}: [{}]",
if self.was_attr { "attributes" } else { "tags" },
self.available_attrs_or_tags.iter().join(",")
)
} else {
format!(
"available {}: [{}, ... ({} more attributes) ]",
if self.was_attr { "attributes" } else { "tags" },
self.available_attrs_or_tags.iter().join(","),
self.total_attrs_or_tags - self.available_attrs_or_tags.len()
)
};
if self.exists_the_other_kind {
help_text.push_str(&format!(
"; note that {} (not {}) named `{}` does exist",
if self.was_attr {
"a tag"
} else {
"an attribute"
},
if self.was_attr {
"an attribute"
} else {
"a tag"
},
self.attr_or_tag,
));
}
Some(Box::new(help_text))
}
}
/// Tried to get an attribute of a (non-entity) record, but that record didn't
/// have that attribute
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("record does not have the attribute `{attr}`")]
pub struct RecordAttrDoesNotExistError {
/// Name of the attribute we tried to access
pub(crate) attr: SmolStr,
/// (First five) Available attributes on the record
pub(crate) available_attrs: Vec<SmolStr>,
/// The total number of attrs this record has
pub(crate) total_attrs: usize,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for RecordAttrDoesNotExistError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
fn help<'a>(&'a self) -> Option<Box<dyn std::fmt::Display + 'a>> {
if self.available_attrs.is_empty() {
Some(Box::new("record does not have any attributes"))
} else if self.available_attrs.len() == self.total_attrs {
Some(Box::new(format!(
"available attributes: {:?}",
self.available_attrs
)))
} else {
Some(Box::new(format!(
"available attributes: [{}, ... ({} more attributes) ]",
self.available_attrs.iter().join(","),
self.total_attrs - self.available_attrs.len()
)))
}
}
}
/// Tried to evaluate an operation on values with incorrect types for that
/// operation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
pub struct TypeError {
/// Expected one of these types
pub(crate) expected: NonEmpty<Type>,
/// Encountered this type instead
pub(crate) actual: Type,
/// Optional advice for how to fix this error
pub(crate) advice: Option<String>,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for TypeError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
fn help<'a>(&'a self) -> Option<Box<dyn std::fmt::Display + 'a>> {
self.advice.as_ref().map(|advice| Box::new(advice) as _)
}
}
impl std::fmt::Display for TypeError {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
if self.expected.len() == 1 {
write!(
f,
"type error: expected {}, got {}",
self.expected.first(),
self.actual
)
} else {
write!(
f,
"type error: expected one of [{}], got {}",
self.expected.iter().join(", "),
self.actual
)
}
}
}
/// Wrong number of arguments provided to an extension function
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("wrong number of arguments provided to extension function `{function_name}`: expected {expected}, got {actual}")]
pub struct WrongNumArgumentsError {
/// arguments to this function
pub(crate) function_name: Name,
/// expected number of arguments
pub(crate) expected: usize,
/// actual number of arguments
pub(crate) actual: usize,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for WrongNumArgumentsError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
/// Overflow during an integer operation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Diagnostic, Error)]
pub enum IntegerOverflowError {
/// Overflow during a binary operation
#[error(transparent)]
#[diagnostic(transparent)]
BinaryOp(#[from] BinaryOpOverflowError),
/// Overflow during a unary operation
#[error(transparent)]
#[diagnostic(transparent)]
UnaryOp(#[from] UnaryOpOverflowError),
}
impl IntegerOverflowError {
pub(crate) fn source_loc(&self) -> Option<&Loc> {
match self {
Self::BinaryOp(e) => e.source_loc.as_ref(),
Self::UnaryOp(e) => e.source_loc.as_ref(),
}
}
pub(crate) fn with_maybe_source_loc(self, source_loc: Option<Loc>) -> Self {
match self {
Self::BinaryOp(e) => Self::BinaryOp(BinaryOpOverflowError { source_loc, ..e }),
Self::UnaryOp(e) => Self::UnaryOp(UnaryOpOverflowError { source_loc, ..e }),
}
}
}
/// Overflow during a binary operation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[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" })]
pub struct BinaryOpOverflowError {
/// overflow while evaluating this operator
pub(crate) op: BinaryOp,
/// first argument to that operator
pub(crate) arg1: Value,
/// second argument to that operator
pub(crate) arg2: Value,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for BinaryOpOverflowError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
/// Overflow during a unary operation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("integer overflow while attempting to {} the value `{arg}`", match .op { UnaryOp::Neg => "negate", _ => "perform an operation on" })]
pub struct UnaryOpOverflowError {
/// overflow while evaluating this operator
pub(crate) op: UnaryOp,
/// argument to that operator
pub(crate) arg: Value,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for UnaryOpOverflowError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
/// Not all template slots were linked
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("template slot `{slot}` was not linked")]
pub struct UnlinkedSlotError {
/// Slot which was not linked
pub(crate) slot: SlotId,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for UnlinkedSlotError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
/// Evaluation error thrown by an extension function
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("error while evaluating `{extension_name}` extension function: {msg}")]
pub struct ExtensionFunctionExecutionError {
/// Name of the extension throwing the error
pub(crate) extension_name: Name,
/// Error message from the extension
pub(crate) msg: String,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for ExtensionFunctionExecutionError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
impl ExtensionFunctionExecutionError {
/// Get the name of the extension that threw this error
pub fn extension_name(&self) -> String {
self.extension_name.to_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.
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("the expression contains unknown(s): `{expr}`")]
pub struct NonValueError {
/// Expression that contained unknown(s)
pub(crate) expr: Expr,
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for NonValueError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
fn help<'a>(&'a self) -> Option<Box<dyn std::fmt::Display + 'a>> {
Some(Box::new("consider using the partial evaluation APIs"))
}
}
/// Maximum recursion limit reached for expression evaluation
//
// CAUTION: this type is publicly exported in `cedar-policy`.
// Don't make fields `pub`, don't make breaking changes, and use caution
// when adding public methods.
#[derive(Debug, PartialEq, Eq, Clone, Error)]
#[error("recursion limit reached")]
pub struct RecursionLimitError {
/// Source location
pub(crate) source_loc: Option<Loc>,
}
impl Diagnostic for RecursionLimitError {
impl_diagnostic_from_source_loc_opt_field!(source_loc);
}
}
/// Type alias for convenience
pub type Result<T> = std::result::Result<T, EvaluationError>;