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
//! Pretty-printable diagnostic reports for errors that reference GraphQL documents.
//!
//! # Usage
//! To use pretty-printing in custom errors, implement the [`ToCliReport`] trait.
//!
//! ```rust
//! use apollo_compiler::NodeLocation;
//! use apollo_compiler::Schema;
//! use apollo_compiler::ast::Name;
//! use apollo_compiler::diagnostic::CliReport;
//! use apollo_compiler::diagnostic::Diagnostic;
//! use apollo_compiler::diagnostic::ToCliReport;
//!
//! /// Error type for a small GraphQL schema linter.
//! #[derive(Debug, thiserror::Error)]
//! enum LintError {
//! #[error("{name} should be PascalCase")]
//! InvalidCase { name: Name },
//! #[error("Missing @specifiedBy directive on scalar {name}")]
//! NoSpecifiedBy {
//! location: Option<NodeLocation>,
//! name: Name,
//! },
//! }
//!
//! impl ToCliReport for LintError {
//! fn location(&self) -> Option<NodeLocation> {
//! match self {
//! LintError::InvalidCase { name } => name.location(),
//! LintError::NoSpecifiedBy { location, .. } => *location,
//! }
//! }
//!
//! fn report(&self, report: &mut CliReport<'_>) {
//! match self {
//! LintError::InvalidCase { name } => {
//! report.with_label_opt(name.location(), "should be PascalCase");
//! report.with_help(format!("Try using {}", to_pascal_case(name)));
//! }
//! LintError::NoSpecifiedBy { location, .. } => {
//! report.with_label_opt(*location, "scalar does not have a specification");
//! }
//! }
//! }
//! }
//!
//! # fn to_pascal_case(name: &str) -> String { todo!() }
//! ```
//!
//! The [`Diagnostic`] type wraps errors that implement [`ToCliReport`] and provides
//! the pretty-printing functionality. [`ToCliReport::to_diagnostic`] returns a diagnostic
//! ready for formatting:
//!
//! ```rust
//! # use apollo_compiler::{NodeLocation, Schema, diagnostic::{ToCliReport, CliReport}};
//! # #[derive(Debug, thiserror::Error)]
//! # #[error("")]
//! # struct LintError {}
//! # impl ToCliReport for LintError {
//! # fn location(&self) -> Option<NodeLocation> { None }
//! # fn report(&self, _report: &mut CliReport) {}
//! # }
//! fn print_errors(schema: &Schema, errors: &[LintError]) {
//! for error in errors {
//! // Debug-formatting uses colors.
//! eprintln!("{:?}", error.to_diagnostic(&schema.sources));
//! }
//! }
//! ```
use crate::execution::GraphQLError;
use crate::execution::GraphQLLocation;
use crate::validation::FileId;
use crate::NodeLocation;
use crate::SourceFile;
use crate::SourceMap;
#[cfg(doc)]
use crate::{ExecutableDocument, Schema};
use ariadne::ColorGenerator;
use ariadne::ReportKind;
use std::cell::Cell;
use std::fmt;
use std::io;
use std::ops::Range;
use std::sync::Arc;
use std::sync::OnceLock;
/// An error bundled together with a source map, for conversion either
/// to a pretty-printable CLI report or to a JSON-serializable GraphQL error.
///
/// Implements [`fmt::Debug`] _with_ ANSI colors enabled,
/// for printing panic messages of [`Result<_, Diagnostic<_>>::unwrap`][Result::unwrap].
///
/// Implements [`fmt::Display`] _without_ colors,
/// so [`.to_string()`][ToString] can be used in more varied contexts like unit tests.
pub struct Diagnostic<'s, T>
where
T: ToCliReport,
{
pub sources: &'s SourceMap,
pub error: &'s T,
}
/// A diagnostic report that can be printed to a CLI with pretty colors and labeled lines of
/// GraphQL source code.
///
/// Custom errors can use this in their `Display` or `Debug` implementations to build a report and
/// then write it out with [`fmt`].
///
/// [`fmt`]: CliReport::fmt
pub struct CliReport<'s> {
sources: &'s SourceMap,
colors: ColorGenerator,
report: ariadne::ReportBuilder<'static, MappedSpan>,
}
/// Indicate when to use ANSI colors for printing.
#[derive(Debug, Clone, Copy)]
pub enum Color {
/// Do not use colors.
Never,
/// Use colors if stderr is a terminal.
StderrIsTerminal,
}
/// Conversion to [`CliReport`]
pub trait ToCliReport: fmt::Display {
/// Return the main location for this error. May be `None` if a location doesn't make sense for
/// the particular error.
fn location(&self) -> Option<NodeLocation>;
/// Fill in the report with source code labels.
///
/// The main message is already set to the output of [`fmt::Display`].
fn report(&self, report: &mut CliReport<'_>);
fn to_report<'s>(&self, sources: &'s SourceMap, color: Color) -> CliReport<'s> {
let mut report = CliReport::builder(sources, self.location(), color);
report.with_message(self);
self.report(&mut report);
report
}
/// Bundle this error together with a source map into a [`Diagnostic`]
///
/// The map normally comes from [`Schema::sources`] or [`ExecutableDocument::sources`].
fn to_diagnostic<'s>(&'s self, sources: &'s SourceMap) -> Diagnostic<'s, Self>
where
Self: Sized,
{
Diagnostic {
sources,
error: self,
}
}
}
impl<T: ToCliReport> ToCliReport for &T {
fn location(&self) -> Option<NodeLocation> {
ToCliReport::location(*self)
}
fn report(&self, report: &mut CliReport) {
ToCliReport::report(*self, report)
}
}
type MappedSpan = (FileId, Range<usize>);
/// Translate a byte-offset location into a char-offset location for use with ariadne.
fn map_span(sources: &SourceMap, location: NodeLocation) -> Option<MappedSpan> {
let source = sources.get(&location.file_id)?;
let mapped_source = source.mapped_source();
let start = mapped_source.map_index(location.offset());
let end = mapped_source.map_index(location.end_offset());
Some((location.file_id, start..end))
}
/// Provide a [`std::io::Write`] API for a [`std::fmt::Formatter`].
struct WriteToFormatter<'a, 'b> {
f: &'a mut fmt::Formatter<'b>,
}
impl io::Write for WriteToFormatter<'_, '_> {
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
let s = std::str::from_utf8(buf).map_err(|_| io::ErrorKind::Other)?;
self.f.write_str(s).map_err(|_| io::ErrorKind::Other)?;
Ok(buf.len())
}
fn flush(&mut self) -> io::Result<()> {
Ok(())
}
}
impl<'s> CliReport<'s> {
/// Returns a builder for creating diagnostic reports.
///
/// Provide GraphQL source files and the main location for the diagnostic.
/// Source files can be obtained from [`Schema::sources`] or [`ExecutableDocument::sources`].
pub fn builder(
sources: &'s SourceMap,
main_location: Option<NodeLocation>,
color: Color,
) -> Self {
let (file_id, range) = main_location
.and_then(|location| map_span(sources, location))
.unwrap_or((FileId::NONE, 0..0));
let report = ariadne::Report::build(ReportKind::Error, file_id, range.start);
let enable_color = match color {
Color::Never => false,
// Rely on ariadne's `auto-color` feature, which uses `concolor` to enable colors
// only if stderr is a terminal.
Color::StderrIsTerminal => true,
};
let config = ariadne::Config::default().with_color(enable_color);
Self {
sources,
colors: ColorGenerator::new(),
report: report.with_config(config),
}
}
/// Set the main message for the report.
pub fn with_message(&mut self, message: impl ToString) {
self.report.set_message(message);
}
/// Set the help message for the report, usually a suggestion on how to fix the error.
pub fn with_help(&mut self, help: impl ToString) {
self.report.set_help(help);
}
/// Set a note for the report, providing additional information that isn't related to a
/// source location (when a label should be used).
pub fn with_note(&mut self, note: impl ToString) {
self.report.set_note(note);
}
/// Add a label at a given location. If the location is `None`, the message is discarded.
pub fn with_label_opt(&mut self, location: Option<NodeLocation>, message: impl ToString) {
if let Some(mapped_span) = location.and_then(|location| map_span(self.sources, location)) {
self.report.add_label(
ariadne::Label::new(mapped_span)
.with_message(message)
.with_color(self.colors.next()),
);
}
}
/// Write the report to a [`Write`].
///
/// [`Write`]: std::io::Write
pub fn write(self, w: impl std::io::Write) -> std::io::Result<()> {
let report = self.report.finish();
report.write(Cache(self.sources), w)
}
/// Write the report to a [`fmt::Formatter`].
pub fn fmt(self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.write(WriteToFormatter { f }).map_err(|_| fmt::Error)
}
/// Write the report to a new [`String`]
pub fn into_string(self) -> String {
struct OneTimeDisplay<'s>(Cell<Option<CliReport<'s>>>);
impl fmt::Display for OneTimeDisplay<'_> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.take().unwrap().fmt(f)
}
}
OneTimeDisplay(Cell::new(Some(self))).to_string()
}
}
struct Cache<'a>(&'a SourceMap);
impl ariadne::Cache<FileId> for Cache<'_> {
type Storage = String;
fn fetch(&mut self, file_id: &FileId) -> Result<&ariadne::Source, Box<dyn fmt::Debug + '_>> {
struct NotFound(FileId);
impl fmt::Debug for NotFound {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "source file not found: {:?}", self.0)
}
}
if let Some(source_file) = self.0.get(file_id) {
Ok(source_file.ariadne())
} else if *file_id == FileId::NONE {
static EMPTY: OnceLock<ariadne::Source> = OnceLock::new();
Ok(EMPTY.get_or_init(|| ariadne::Source::from(String::new())))
} else {
Err(Box::new(NotFound(*file_id)))
}
}
fn display<'a>(&self, file_id: &'a FileId) -> Option<Box<dyn fmt::Display + 'a>> {
if *file_id != FileId::NONE {
struct Path(Arc<SourceFile>);
impl fmt::Display for Path {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.path().display().fmt(f)
}
}
let source_file = self.0.get(file_id)?;
Some(Box::new(Path(source_file.clone())))
} else {
struct NoSourceFile;
impl fmt::Display for NoSourceFile {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.write_str("(no source file)")
}
}
Some(Box::new(NoSourceFile))
}
}
}
impl<T: ToCliReport> std::error::Error for Diagnostic<'_, T> {}
impl<T: ToCliReport> Diagnostic<'_, T> {
/// Get the line and column number where this diagnostic was raised.
pub fn get_line_column(&self) -> Option<GraphQLLocation> {
GraphQLLocation::from_node(self.sources, self.error.location())
}
/// Get a [`serde`]-serializable version of the current diagnostic. The shape is compatible
/// with the JSON error shape described in [the GraphQL spec].
///
/// [the GraphQL spec]: https://spec.graphql.org/draft/#sec-Errors
pub fn to_json(&self) -> GraphQLError
where
T: ToString,
{
GraphQLError::new(self.error.to_string(), self.error.location(), self.sources)
}
/// Produce the diagnostic report, optionally with colors for the CLI.
pub fn to_report(&self, color: Color) -> CliReport<'_> {
self.error.to_report(self.sources, color)
}
}
impl<T: ToCliReport> fmt::Debug for Diagnostic<'_, T> {
/// Pretty-format the diagnostic, with colors for the CLI.
///
/// The debug formatting expects to be written to stderr and ANSI colors are used if stderr is
/// a terminal.
///
/// To output *without* colors, format with `Display`: `format!("{diagnostic}")`
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.to_report(Color::StderrIsTerminal).fmt(f)
}
}
impl<T: ToCliReport> fmt::Display for Diagnostic<'_, T> {
/// Pretty-format the diagnostic without colors.
///
/// To output *with* colors, format with `Debug`: `eprintln!("{diagnostic:?}")`
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.to_report(Color::Never).fmt(f)
}
}