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
use std::collections::HashMap;
use std::iter::once;
use apollo_compiler::schema::ExtendedType;
use apollo_federation::sources::connect::{
expand::{expand_connectors, Connectors, ExpansionResult},
validation::{validate, Severity as ValidationSeverity, ValidationResult},
};
use apollo_federation_types::composition::SubgraphLocation;
use apollo_federation_types::{
composition::{Issue, Severity},
javascript::{SatisfiabilityResult, SubgraphDefinition},
};
use either::Either;
/// 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 validation_results = subgraph_definitions
.iter()
.map(|subgraph| {
(
subgraph.name.clone(),
validate(&subgraph.sdl, &subgraph.name),
)
})
.collect::<Vec<_>>();
let subgraph_validation_errors = validation_results
.iter()
.flat_map(|(name, validation_result)| {
validation_result
.errors
.iter()
.cloned()
.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(name.clone()),
range: Some(range),
})
.collect(),
severity: convert_severity(validation_error.code.severity()),
})
})
.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;
};
// Any issues with overrides are fatal since they'll cause errors in expansion,
// so we return early if we see any.
let override_errors = validate_overrides(validation_results);
if !override_errors.is_empty() {
self.add_issues(override_errors.into_iter());
return;
}
let expansion_result = match expand_connectors(supergraph_sdl, &Default::default()) {
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));
}
}
}
}
/// Validate overrides for connector-related subgraphs
///
/// Overrides mess with the supergraph in ways that can be difficult to detect when
/// expanding connectors; the supergraph may omit overridden fields and other shenanigans.
/// To allow for a better developer experience, we check here if any connector-enabled subgraphs
/// have fields overridden.
fn validate_overrides(schemas: impl IntoIterator<Item = (String, ValidationResult)>) -> Vec<Issue> {
let validations_by_subgraph_name = HashMap::<_, _>::from_iter(schemas);
let mut override_errors = Vec::new();
for (subgraph_name, ValidationResult { schema, .. }) in validations_by_subgraph_name.iter() {
// We need to grab all fields in the schema since only fields can have the @override
// directive attached
macro_rules! extract_directives {
($node:ident) => {
$node
.fields
.iter()
.flat_map(|(name, field)| {
field
.directives
.iter()
.map(move |d| (format!("{}.{}", $node.name, name), d))
})
.collect::<Vec<_>>()
};
}
let override_directives = schema
.types
.values()
.flat_map(|v| match v {
ExtendedType::Object(node) => extract_directives!(node),
ExtendedType::Interface(node) => extract_directives!(node),
ExtendedType::InputObject(node) => extract_directives!(node),
// These types do not have fields
ExtendedType::Scalar(_) | ExtendedType::Union(_) | ExtendedType::Enum(_) => {
Vec::new()
}
})
.filter(|(_, directive)| {
// TODO: The directive name for @override could have been aliased
// at the SDL level, so we'll need to extract the aliased name here instead
directive.name == "override" || directive.name == "federation__override"
});
// Now see if we have any overrides that try to reference connector subgraphs
for (field, directive) in override_directives {
// If the override directive does not have a valid `from` field, then there is
// no point trying to validate it, as later steps will validate the entire schema.
let Ok(Some(overriden_subgraph_name)) = directive
.argument_by_name("from", schema)
.map(|node| node.as_str())
else {
continue;
};
if let Some(overriden_subgraph) =
validations_by_subgraph_name.get(overriden_subgraph_name)
{
if overriden_subgraph.has_connectors {
override_errors.push(Issue {
code: "OVERRIDE_ON_CONNECTOR".to_string(),
message: format!(
r#"Field "{}" on subgraph "{}" is trying to override connector-enabled subgraph "{}", which is not yet supported. See https://go.apollo.dev/connectors/limitations#override-is-partially-unsupported"#,
field,
subgraph_name,
overriden_subgraph_name,
),
locations: vec![SubgraphLocation {
subgraph: Some(subgraph_name.clone()),
range: directive.line_column_range(&schema.sources),
}],
severity: Severity::Error,
});
}
}
}
}
override_errors
}
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>,
}
fn convert_severity(severity: ValidationSeverity) -> Severity {
match severity {
ValidationSeverity::Error => Severity::Error,
ValidationSeverity::Warning => Severity::Warning,
}
}
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)),
}
}