turbopack_dev_server/update/
stream.rs1use std::pin::Pin;
2
3use anyhow::Result;
4use futures::prelude::*;
5use tokio::sync::mpsc::Sender;
6use tokio_stream::wrappers::ReceiverStream;
7use tracing::Instrument;
8use turbo_rcstr::{RcStr, rcstr};
9use turbo_tasks::{
10 IntoTraitRef, NonLocalValue, OperationVc, ReadRef, ResolvedVc, TransientInstance, Vc,
11 trace::{TraceRawVcs, TraceRawVcsContext},
12};
13use turbo_tasks_fs::{FileSystem, FileSystemPath};
14use turbopack_core::{
15 error::PrettyPrintError,
16 issue::{
17 CollectibleIssuesExt, Issue, IssueSeverity, IssueStage, OptionStyledString, PlainIssue,
18 StyledString,
19 },
20 server_fs::ServerFileSystem,
21 version::{
22 NotFoundVersion, PartialUpdate, TotalUpdate, Update, Version, VersionState,
23 VersionedContent,
24 },
25};
26
27use crate::source::{ProxyResult, resolve::ResolveSourceRequestResult};
28
29struct TypedGetContentFn<C> {
30 capture: C,
31 func: for<'a> fn(&'a C) -> OperationVc<ResolveSourceRequestResult>,
32}
33
34unsafe impl<C: NonLocalValue> NonLocalValue for TypedGetContentFn<C> {}
37
38impl<C: TraceRawVcs> TraceRawVcs for TypedGetContentFn<C> {
40 fn trace_raw_vcs(&self, trace_context: &mut TraceRawVcsContext) {
41 self.capture.trace_raw_vcs(trace_context);
42 }
43}
44
45trait TypedGetContentFnTrait: NonLocalValue + TraceRawVcs {
46 fn call(&self) -> OperationVc<ResolveSourceRequestResult>;
47}
48
49impl<C> TypedGetContentFnTrait for TypedGetContentFn<C>
50where
51 C: NonLocalValue + TraceRawVcs,
52{
53 fn call(&self) -> OperationVc<ResolveSourceRequestResult> {
54 (self.func)(&self.capture)
55 }
56}
57
58#[derive(NonLocalValue, TraceRawVcs)]
64pub struct GetContentFn {
65 inner: Box<dyn TypedGetContentFnTrait + Send + Sync>,
66}
67
68impl GetContentFn {
69 pub fn new<C>(
72 capture: C,
73 func: for<'a> fn(&'a C) -> OperationVc<ResolveSourceRequestResult>,
74 ) -> Self
75 where
76 C: NonLocalValue + TraceRawVcs + Send + Sync + 'static,
77 {
78 Self {
79 inner: Box::new(TypedGetContentFn { capture, func }),
80 }
81 }
82}
83
84impl GetContentFn {
85 fn call(&self) -> OperationVc<ResolveSourceRequestResult> {
86 self.inner.call()
87 }
88}
89
90async fn peek_issues<T: Send>(source: OperationVc<T>) -> Result<Vec<ReadRef<PlainIssue>>> {
91 let captured = source.peek_issues();
92
93 captured.get_plain_issues().await
94}
95
96fn extend_issues(issues: &mut Vec<ReadRef<PlainIssue>>, new_issues: Vec<ReadRef<PlainIssue>>) {
97 for issue in new_issues {
98 if issues.contains(&issue) {
99 continue;
100 }
101
102 issues.push(issue);
103 }
104}
105
106#[turbo_tasks::function(operation)]
107fn versioned_content_update_operation(
108 content: ResolvedVc<Box<dyn VersionedContent>>,
109 from: ResolvedVc<Box<dyn Version>>,
110) -> Vc<Update> {
111 content.update(*from)
112}
113
114#[turbo_tasks::function(operation)]
115async fn get_update_stream_item_operation(
116 resource: RcStr,
117 from: ResolvedVc<VersionState>,
118 get_content: TransientInstance<GetContentFn>,
119) -> Result<Vc<UpdateStreamItem>> {
120 let content_op = get_content.call();
121 let content_result = content_op.read_strongly_consistent().await;
122 let mut plain_issues = peek_issues(content_op).await?;
123
124 let content_value = match content_result {
125 Ok(content) => content,
126 Err(e) => {
127 plain_issues.push(
128 PlainIssue::from_issue(
129 Vc::upcast(
130 FatalStreamIssue {
131 resource,
132 description: StyledString::Text(
133 format!("{}", PrettyPrintError(&e)).into(),
134 )
135 .resolved_cell(),
136 }
137 .cell(),
138 ),
139 None,
140 )
141 .await?,
142 );
143
144 let update = Update::Total(TotalUpdate {
145 to: Vc::upcast::<Box<dyn Version>>(NotFoundVersion::new())
146 .into_trait_ref()
147 .await?,
148 })
149 .cell();
150 return Ok(UpdateStreamItem::Found {
151 update: update.await?,
152 issues: plain_issues,
153 }
154 .cell());
155 }
156 };
157
158 match *content_value {
159 ResolveSourceRequestResult::Static(static_content_vc, _) => {
160 let static_content = static_content_vc.await?;
161
162 if static_content.status_code == 404 {
164 return Ok(UpdateStreamItem::NotFound.cell());
165 }
166
167 let resolved_content = static_content.content;
168 let from = from.get().to_resolved().await?;
169 let update_op = versioned_content_update_operation(resolved_content, from);
170
171 extend_issues(&mut plain_issues, peek_issues(update_op).await?);
172
173 Ok(UpdateStreamItem::Found {
174 update: update_op.connect().await?,
175 issues: plain_issues,
176 }
177 .cell())
178 }
179 ResolveSourceRequestResult::HttpProxy(proxy_result_op) => {
180 let proxy_result_vc = proxy_result_op.connect();
181 let proxy_result_value = proxy_result_vc.await?;
182
183 if proxy_result_value.status == 404 {
184 return Ok(UpdateStreamItem::NotFound.cell());
185 }
186
187 extend_issues(&mut plain_issues, peek_issues(proxy_result_op).await?);
188
189 let from = from.get();
190 if let Some(from) = Vc::try_resolve_downcast_type::<ProxyResult>(from).await?
191 && from.await? == proxy_result_value
192 {
193 return Ok(UpdateStreamItem::Found {
194 update: Update::None.cell().await?,
195 issues: plain_issues,
196 }
197 .cell());
198 }
199
200 Ok(UpdateStreamItem::Found {
201 update: Update::Total(TotalUpdate {
202 to: Vc::upcast::<Box<dyn Version>>(proxy_result_vc)
203 .into_trait_ref()
204 .await?,
205 })
206 .cell()
207 .await?,
208 issues: plain_issues,
209 }
210 .cell())
211 }
212 _ => {
213 let update = if plain_issues.is_empty() {
214 Update::Total(TotalUpdate {
219 to: Vc::upcast::<Box<dyn Version>>(NotFoundVersion::new())
220 .into_trait_ref()
221 .await?,
222 })
223 .cell()
224 } else {
225 Update::None.cell()
226 };
227
228 Ok(UpdateStreamItem::Found {
229 update: update.await?,
230 issues: plain_issues,
231 }
232 .cell())
233 }
234 }
235}
236
237#[derive(TraceRawVcs)]
238struct ComputeUpdateStreamSender(
239 #[turbo_tasks(trace_ignore)] Sender<Result<ReadRef<UpdateStreamItem>>>,
246);
247
248#[turbo_tasks::function]
251async fn compute_update_stream(
252 resource: RcStr,
253 from: ResolvedVc<VersionState>,
254 get_content: TransientInstance<GetContentFn>,
255 sender: TransientInstance<ComputeUpdateStreamSender>,
256) -> Vc<()> {
257 let item = get_update_stream_item_operation(resource, from, get_content)
258 .read_strongly_consistent()
259 .await;
260
261 let _ = sender.0.send(item).await;
263
264 Default::default()
265}
266
267pub(super) struct UpdateStream(
268 Pin<Box<dyn Stream<Item = Result<ReadRef<UpdateStreamItem>>> + Send + Sync>>,
269);
270
271impl UpdateStream {
272 #[tracing::instrument(skip(get_content), name = "UpdateStream::new")]
273 pub async fn new(
274 resource: RcStr,
275 get_content: TransientInstance<GetContentFn>,
276 ) -> Result<UpdateStream> {
277 let (sx, rx) = tokio::sync::mpsc::channel(32);
278
279 let content = get_content.call();
280 let version = match *content.connect().await? {
283 ResolveSourceRequestResult::Static(static_content, _) => {
284 static_content.await?.content.version()
285 }
286 ResolveSourceRequestResult::HttpProxy(proxy_result) => {
287 Vc::upcast(proxy_result.connect())
288 }
289 _ => Vc::upcast(NotFoundVersion::new()),
290 };
291 let version_state = VersionState::new(version.into_trait_ref().await?).await?;
292
293 let _ = compute_update_stream(
294 resource,
295 version_state,
296 get_content,
297 TransientInstance::new(ComputeUpdateStreamSender(sx)),
298 );
299
300 let mut last_had_issues = false;
301
302 let stream = ReceiverStream::new(rx).filter_map(move |item| {
303 {
304 let (has_issues, issues_changed) =
305 if let Ok(UpdateStreamItem::Found { issues, .. }) = item.as_deref() {
306 let has_issues = !issues.is_empty();
307 let issues_changed = has_issues != last_had_issues;
308 last_had_issues = has_issues;
309 (has_issues, issues_changed)
310 } else {
311 (false, false)
312 };
313
314 async move {
315 match item.as_deref() {
316 Ok(UpdateStreamItem::Found { update, .. }) => {
317 match &**update {
318 Update::Partial(PartialUpdate { to, .. })
319 | Update::Total(TotalUpdate { to }) => {
320 version_state
321 .set(to.clone())
322 .await
323 .expect("failed to update version");
324
325 Some(item)
326 }
327 Update::None | Update::Missing => {
329 if has_issues || issues_changed {
330 Some(item)
331 } else {
332 None
333 }
334 }
335 }
336 }
337 _ => {
338 Some(item)
340 }
341 }
342 }
343 .in_current_span()
344 }
345 .in_current_span()
346 });
347
348 Ok(UpdateStream(Box::pin(stream)))
349 }
350}
351
352impl Stream for UpdateStream {
353 type Item = Result<ReadRef<UpdateStreamItem>>;
354
355 fn poll_next(
356 self: Pin<&mut Self>,
357 cx: &mut std::task::Context<'_>,
358 ) -> std::task::Poll<Option<Self::Item>> {
359 Pin::new(&mut self.get_mut().0).poll_next(cx)
360 }
361}
362
363#[turbo_tasks::value(serialization = "none")]
364#[derive(Debug)]
365pub enum UpdateStreamItem {
366 NotFound,
367 Found {
368 update: ReadRef<Update>,
369 issues: Vec<ReadRef<PlainIssue>>,
370 },
371}
372
373#[turbo_tasks::value(serialization = "none")]
374struct FatalStreamIssue {
375 description: ResolvedVc<StyledString>,
376 resource: RcStr,
377}
378
379#[turbo_tasks::value_impl]
380impl Issue for FatalStreamIssue {
381 fn severity(&self) -> IssueSeverity {
382 IssueSeverity::Fatal
383 }
384
385 #[turbo_tasks::function]
386 fn stage(&self) -> Vc<IssueStage> {
387 IssueStage::Other(rcstr!("websocket")).cell()
388 }
389
390 #[turbo_tasks::function]
391 async fn file_path(&self) -> Result<Vc<FileSystemPath>> {
392 Ok(ServerFileSystem::new()
393 .root()
394 .await?
395 .join(&self.resource)?
396 .cell())
397 }
398
399 #[turbo_tasks::function]
400 fn title(&self) -> Vc<StyledString> {
401 StyledString::Text(rcstr!("Fatal error while getting content to stream")).cell()
402 }
403
404 #[turbo_tasks::function]
405 fn description(&self) -> Vc<OptionStyledString> {
406 Vc::cell(Some(self.description))
407 }
408}
409
410#[cfg(test)]
411pub mod test {
412 use std::sync::{
413 Arc,
414 atomic::{AtomicI32, Ordering},
415 };
416
417 use turbo_tasks::TurboTasks;
418 use turbo_tasks_backend::{BackendOptions, TurboTasksBackend, noop_backing_storage};
419
420 use super::*;
421
422 #[turbo_tasks::function(operation)]
423 pub fn noop_operation() -> Vc<ResolveSourceRequestResult> {
424 ResolveSourceRequestResult::NotFound.cell()
425 }
426
427 #[tokio::test(flavor = "multi_thread", worker_threads = 2)]
428 async fn test_get_content_fn() {
429 let tt = TurboTasks::new(TurboTasksBackend::new(
430 BackendOptions::default(),
431 noop_backing_storage(),
432 ));
433 tt.run_once(async move {
434 let number = Arc::new(AtomicI32::new(0));
435 fn func(number: &Arc<AtomicI32>) -> OperationVc<ResolveSourceRequestResult> {
436 number.store(42, Ordering::SeqCst);
437 noop_operation()
438 }
439 let wrapped_func = GetContentFn::new(number.clone(), func);
440 let return_value = wrapped_func
441 .call()
442 .read_strongly_consistent()
443 .await
444 .unwrap();
445 assert_eq!(number.load(Ordering::SeqCst), 42);
446 assert!(*return_value == ResolveSourceRequestResult::NotFound);
448 Ok(())
449 })
450 .await
451 .unwrap();
452 }
453}