apollo_composition/lib.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
use apollo_compiler::parser::LineColumn;
use apollo_federation::sources::connect::expand::{expand_connectors, Connectors, ExpansionResult};
use apollo_federation::sources::connect::validation::{validate, Severity as ValidationSeverity};
use apollo_federation_types::build_plugin::{
BuildMessage, BuildMessageLevel, BuildMessageLocation, BuildMessagePoint,
};
use apollo_federation_types::javascript::{
CompositionHint, GraphQLError, SatisfiabilityResult, SubgraphASTNode, SubgraphDefinition,
};
use apollo_federation_types::rover::{BuildError, BuildHint};
use either::Either;
use std::iter::once;
use std::ops::Range;
/// This trait includes all the Rust-side composition logic, plus hooks for the JavaScript side.
/// If you implement the functions in this trait to build your own JavaScript interface, then you
/// can call [`HybridComposition::compose`] to run the complete composition process.
///
/// JavaScript should be implemented using `@apollo/composition@2.9.0-connectors.0`.
#[allow(async_fn_in_trait)]
pub trait HybridComposition {
/// Call the JavaScript `composeServices` function from `@apollo/composition` plus whatever
/// extra logic you need. Make sure to disable satisfiability, like `composeServices(definitions, {runSatisfiability: false})`
async fn compose_services_without_satisfiability(
&mut self,
subgraph_definitions: Vec<SubgraphDefinition>,
) -> Option<SupergraphSdl>;
/// Call the JavaScript `validateSatisfiability` function from `@apollo/composition` plus whatever
/// extra logic you need.
///
/// # Input
///
/// The `validateSatisfiability` function wants an argument like `{ supergraphSdl }`. That field
/// should be the value that's updated when [`update_supergraph_sdl`] is called.
///
/// # Output
///
/// If satisfiability completes from JavaScript, the [`SatisfiabilityResult`] (matching the shape
/// of that function) should be returned. If Satisfiability _can't_ be run, you can return an
/// `Err(Issue)` instead indicating what went wrong.
async fn validate_satisfiability(&mut self) -> Result<SatisfiabilityResult, Issue>;
/// Allows the Rust composition code to modify the stored supergraph SDL
/// (for example, to expand connectors).
fn update_supergraph_sdl(&mut self, supergraph_sdl: String);
/// When the Rust composition/validation code finds issues, it will call this method to add
/// them to the list of issues that will be returned to the user.
///
/// It's on the implementor of this trait to convert `From<Issue>`
fn add_issues<Source: Iterator<Item = Issue>>(&mut self, issues: Source);
/// Runs the complete composition process, hooking into both the Rust and JavaScript implementations.
///
/// # Asyncness
///
/// While this function is async to allow for flexible JavaScript execution, it is a CPU-heavy task.
/// Take care when consuming this in an async context, as it may block longer than desired.
///
/// # Algorithm
///
/// 1. Run Rust-based validation on the subgraphs
/// 2. Call [`compose_services_without_satisfiability`] to run JavaScript-based composition
/// 3. Run Rust-based validation on the supergraph
/// 4. Call [`validate_satisfiability`] to run JavaScript-based validation on the supergraph
async fn compose(&mut self, subgraph_definitions: Vec<SubgraphDefinition>) {
let subgraph_validation_errors = subgraph_definitions
.iter()
.flat_map(|subgraph| {
validate(&subgraph.sdl, &subgraph.name)
.into_iter()
.map(|validation_error| Issue {
code: validation_error.code.to_string(),
message: validation_error.message,
locations: validation_error
.locations
.into_iter()
.map(|range| SubgraphLocation {
subgraph: Some(subgraph.name.clone()),
range: Some(range),
})
.collect(),
severity: validation_error.code.severity().into(),
})
})
.collect::<Vec<_>>();
let run_composition = subgraph_validation_errors
.iter()
.all(|issue| issue.severity != Severity::Error);
self.add_issues(subgraph_validation_errors.into_iter());
if !run_composition {
return;
}
let Some(supergraph_sdl) = self
.compose_services_without_satisfiability(subgraph_definitions)
.await
else {
return;
};
let expansion_result = match expand_connectors(supergraph_sdl) {
Ok(result) => result,
Err(err) => {
self.add_issues(once(Issue {
code: "INTERNAL_ERROR".to_string(),
message: format!(
"Composition failed due to an internal error, please report this: {}",
err
),
locations: vec![],
severity: Severity::Error,
}));
return;
}
};
match expansion_result {
ExpansionResult::Expanded {
raw_sdl,
connectors: Connectors {
by_service_name, ..
},
..
} => {
let original_supergraph_sdl = supergraph_sdl.to_string();
self.update_supergraph_sdl(raw_sdl);
let satisfiability_result = self.validate_satisfiability().await;
self.add_issues(
satisfiability_result_into_issues(satisfiability_result).map(|mut issue| {
for (service_name, connector) in by_service_name.iter() {
issue.message = issue
.message
.replace(&**service_name, connector.id.subgraph_name.as_str());
}
issue
}),
);
self.update_supergraph_sdl(original_supergraph_sdl);
}
ExpansionResult::Unchanged => {
let satisfiability_result = self.validate_satisfiability().await;
self.add_issues(satisfiability_result_into_issues(satisfiability_result));
}
}
}
}
pub type SupergraphSdl<'a> = &'a str;
/// A successfully composed supergraph, optionally with some issues that should be addressed.
#[derive(Clone, Debug)]
pub struct PartialSuccess {
pub supergraph_sdl: String,
pub issues: Vec<Issue>,
}
/// Some issue the user should address. Errors block composition, warnings do not.
#[derive(Clone, Debug)]
pub struct Issue {
pub code: String,
pub message: String,
pub locations: Vec<SubgraphLocation>,
pub severity: Severity,
}
/// A location in a subgraph's SDL
#[derive(Clone, Debug)]
pub struct SubgraphLocation {
/// This field is an Option to support the lack of subgraph names in
/// existing composition errors. New composition errors should always
/// include a subgraph name.
pub subgraph: Option<String>,
pub range: Option<Range<LineColumn>>,
}
#[derive(Clone, Copy, Debug, Eq, PartialEq)]
pub enum Severity {
Error,
Warning,
}
impl From<ValidationSeverity> for Severity {
fn from(severity: ValidationSeverity) -> Self {
match severity {
ValidationSeverity::Error => Severity::Error,
ValidationSeverity::Warning => Severity::Warning,
}
}
}
impl From<Severity> for BuildMessageLevel {
fn from(severity: Severity) -> Self {
match severity {
Severity::Error => BuildMessageLevel::Error,
Severity::Warning => BuildMessageLevel::Warn,
}
}
}
impl From<Issue> for BuildMessage {
fn from(issue: Issue) -> Self {
BuildMessage {
level: issue.severity.into(),
message: issue.message,
code: Some(issue.code.to_string()),
locations: issue
.locations
.into_iter()
.map(|location| location.into())
.collect(),
schema_coordinate: None,
step: None,
other: Default::default(),
}
}
}
impl From<SubgraphLocation> for BuildMessageLocation {
fn from(location: SubgraphLocation) -> Self {
BuildMessageLocation {
subgraph: location.subgraph,
start: location.range.as_ref().map(|range| BuildMessagePoint {
line: Some(range.start.line),
column: Some(range.start.column),
start: None,
end: None,
}),
end: location.range.as_ref().map(|range| BuildMessagePoint {
line: Some(range.end.line),
column: Some(range.end.column),
start: None,
end: None,
}),
source: None,
other: Default::default(),
}
}
}
impl SubgraphLocation {
fn from_ast(node: SubgraphASTNode) -> Option<Self> {
Some(Self {
subgraph: node.subgraph,
range: node.loc.and_then(|node_loc| {
Some(Range {
start: LineColumn {
line: node_loc.start_token.line?,
column: node_loc.start_token.column?,
},
end: LineColumn {
line: node_loc.end_token.line?,
column: node_loc.end_token.column?,
},
})
}),
})
}
}
impl From<GraphQLError> for Issue {
fn from(error: GraphQLError) -> Issue {
Issue {
code: error
.extensions
.map(|extension| extension.code)
.unwrap_or_default(),
message: error.message,
severity: Severity::Error,
locations: error
.nodes
.unwrap_or_default()
.into_iter()
.filter_map(SubgraphLocation::from_ast)
.collect(),
}
}
}
impl From<CompositionHint> for Issue {
fn from(hint: CompositionHint) -> Issue {
Issue {
code: hint.definition.code,
message: hint.message,
severity: Severity::Warning,
locations: hint
.nodes
.unwrap_or_default()
.into_iter()
.filter_map(SubgraphLocation::from_ast)
.collect(),
}
}
}
fn satisfiability_result_into_issues(
satisfiability_result: Result<SatisfiabilityResult, Issue>,
) -> Either<impl Iterator<Item = Issue>, impl Iterator<Item = Issue>> {
match satisfiability_result {
Ok(satisfiability_result) => Either::Left(
satisfiability_result
.errors
.into_iter()
.flatten()
.map(Issue::from)
.chain(
satisfiability_result
.hints
.into_iter()
.flatten()
.map(Issue::from),
),
),
Err(issue) => Either::Right(once(issue)),
}
}
impl From<BuildError> for Issue {
fn from(error: BuildError) -> Issue {
Issue {
code: error
.code
.unwrap_or_else(|| "UNKNOWN_ERROR_CODE".to_string()),
message: error.message.unwrap_or_else(|| "Unknown error".to_string()),
locations: error
.nodes
.unwrap_or_default()
.into_iter()
.map(Into::into)
.collect(),
severity: Severity::Error,
}
}
}
impl From<BuildHint> for Issue {
fn from(hint: BuildHint) -> Issue {
Issue {
code: hint.code.unwrap_or_else(|| "UNKNOWN_HINT_CODE".to_string()),
message: hint.message,
locations: hint
.nodes
.unwrap_or_default()
.into_iter()
.map(Into::into)
.collect(),
severity: Severity::Warning,
}
}
}
impl From<BuildMessageLocation> for SubgraphLocation {
fn from(location: BuildMessageLocation) -> Self {
Self {
subgraph: location.subgraph,
range: location.start.and_then(|start| {
let end = location.end?;
Some(Range {
start: LineColumn {
line: start.line?,
column: start.column?,
},
end: LineColumn {
line: end.line?,
column: end.column?,
},
})
}),
}
}
}