File size: 9,608 Bytes
1e92f2d |
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 anyhow::{Result, bail};
use next_core::emit_assets;
use rustc_hash::{FxHashMap, FxHashSet};
use serde::{Deserialize, Serialize};
use turbo_rcstr::RcStr;
use turbo_tasks::{
FxIndexSet, NonLocalValue, OperationValue, OperationVc, ResolvedVc, State, TryFlatJoinIterExt,
TryJoinIterExt, ValueDefault, Vc, debug::ValueDebugFormat, trace::TraceRawVcs,
};
use turbo_tasks_fs::FileSystemPath;
use turbopack_core::{
asset::Asset,
output::{OptionOutputAsset, OutputAsset, OutputAssets},
source_map::{GenerateSourceMap, OptionStringifiedSourceMap},
version::OptionVersionedContent,
};
#[derive(
Clone,
TraceRawVcs,
PartialEq,
Eq,
ValueDebugFormat,
Serialize,
Deserialize,
Debug,
NonLocalValue,
)]
struct MapEntry {
assets_operation: OperationVc<OutputAssets>,
/// Precomputed map for quick access to output asset by filepath
path_to_asset: FxHashMap<FileSystemPath, ResolvedVc<Box<dyn OutputAsset>>>,
}
// HACK: This is technically incorrect because `path_to_asset` contains `ResolvedVc`...
unsafe impl OperationValue for MapEntry {}
#[turbo_tasks::value(transparent, operation)]
struct OptionMapEntry(Option<MapEntry>);
#[turbo_tasks::value]
#[derive(Debug)]
pub struct PathToOutputOperation(
/// We need to use an operation for outputs as it's stored for later usage and we want to
/// reconnect this operation when it's received from the map again.
///
/// It may not be 100% correct for the key (`FileSystemPath`) to be in a `ResolvedVc` here, but
/// it's impractical to make it an `OperationVc`/`OperationValue`, and it's unlikely to
/// change/break?
FxHashMap<FileSystemPath, FxIndexSet<OperationVc<OutputAssets>>>,
);
// HACK: This is technically incorrect because the map's key is a `ResolvedVc`...
unsafe impl OperationValue for PathToOutputOperation {}
// A precomputed map for quick access to output asset by filepath
type OutputOperationToComputeEntry =
FxHashMap<OperationVc<OutputAssets>, OperationVc<OptionMapEntry>>;
#[turbo_tasks::value]
pub struct VersionedContentMap {
// TODO: turn into a bi-directional multimap, OutputAssets -> FxIndexSet<FileSystemPath>
map_path_to_op: State<PathToOutputOperation>,
map_op_to_compute_entry: State<OutputOperationToComputeEntry>,
}
impl ValueDefault for VersionedContentMap {
fn value_default() -> Vc<Self> {
*VersionedContentMap::new()
}
}
impl VersionedContentMap {
// NOTE(alexkirsz) This must not be a `#[turbo_tasks::function]` because it
// should be a singleton for each project.
pub fn new() -> ResolvedVc<Self> {
VersionedContentMap {
map_path_to_op: State::new(PathToOutputOperation(FxHashMap::default())),
map_op_to_compute_entry: State::new(FxHashMap::default()),
}
.resolved_cell()
}
}
#[turbo_tasks::value_impl]
impl VersionedContentMap {
/// Inserts output assets into the map and returns a completion that when
/// awaited will emit the assets that were inserted.
#[turbo_tasks::function]
pub async fn insert_output_assets(
self: ResolvedVc<Self>,
// Output assets to emit
assets_operation: OperationVc<OutputAssets>,
node_root: FileSystemPath,
client_relative_path: FileSystemPath,
client_output_path: FileSystemPath,
) -> Result<()> {
let this = self.await?;
let compute_entry = compute_entry_operation(
self,
assets_operation,
node_root,
client_relative_path,
client_output_path,
);
this.map_op_to_compute_entry.update_conditionally(|map| {
map.insert(assets_operation, compute_entry) != Some(compute_entry)
});
Ok(())
}
/// Creates a [`MapEntry`] (a pre-computed map for optimized lookup) for an output assets
/// operation. When assets change, map_path_to_op is updated.
#[turbo_tasks::function]
async fn compute_entry(
&self,
assets_operation: OperationVc<OutputAssets>,
node_root: FileSystemPath,
client_relative_path: FileSystemPath,
client_output_path: FileSystemPath,
) -> Result<Vc<OptionMapEntry>> {
let entries = get_entries(assets_operation)
.read_strongly_consistent()
.await
// Any error should result in an empty list, which removes all assets from the map
.ok();
self.map_path_to_op.update_conditionally(|map| {
let mut changed = false;
// get current map's keys, subtract keys that don't exist in operation
let mut stale_assets = map.0.keys().cloned().collect::<FxHashSet<_>>();
for (k, _) in entries.iter().flatten() {
let res = map.0.entry(k.clone()).or_default().insert(assets_operation);
stale_assets.remove(k);
changed = changed || res;
}
// Make more efficient with reverse map
for k in &stale_assets {
let res = map
.0
.get_mut(k)
// guaranteed
.unwrap()
.swap_remove(&assets_operation);
changed = changed || res
}
changed
});
// Make sure all written client assets are up-to-date
emit_assets(
assets_operation.connect(),
node_root,
client_relative_path,
client_output_path,
)
.as_side_effect()
.await?;
let map_entry = Vc::cell(Some(MapEntry {
assets_operation,
path_to_asset: entries.iter().flatten().cloned().collect(),
}));
Ok(map_entry)
}
#[turbo_tasks::function]
pub async fn get(self: Vc<Self>, path: FileSystemPath) -> Result<Vc<OptionVersionedContent>> {
Ok(Vc::cell(match *self.get_asset(path).await? {
Some(asset) => Some(asset.versioned_content().to_resolved().await?),
None => None,
}))
}
#[turbo_tasks::function]
pub async fn get_source_map(
self: Vc<Self>,
path: FileSystemPath,
section: Option<RcStr>,
) -> Result<Vc<OptionStringifiedSourceMap>> {
let Some(asset) = &*self.get_asset(path.clone()).await? else {
return Ok(Vc::cell(None));
};
if let Some(generate_source_map) =
ResolvedVc::try_sidecast::<Box<dyn GenerateSourceMap>>(*asset)
{
Ok(if let Some(section) = section {
generate_source_map.by_section(section)
} else {
generate_source_map.generate_source_map()
})
} else {
let path = path.value_to_string().await?;
bail!("no source map for path {}", path);
}
}
#[turbo_tasks::function]
pub async fn get_asset(self: Vc<Self>, path: FileSystemPath) -> Result<Vc<OptionOutputAsset>> {
let result = self.raw_get(path.clone()).await?;
if let Some(MapEntry {
assets_operation: _,
path_to_asset,
}) = &*result
&& let Some(&asset) = path_to_asset.get(&path)
{
return Ok(Vc::cell(Some(asset)));
}
Ok(Vc::cell(None))
}
#[turbo_tasks::function]
pub async fn keys_in_path(&self, root: FileSystemPath) -> Result<Vc<Vec<RcStr>>> {
let keys = {
let map = &self.map_path_to_op.get().0;
map.keys().cloned().collect::<Vec<_>>()
};
let keys = keys
.into_iter()
.map(|path| {
let root = root.clone();
async move { Ok(root.get_path_to(&path).map(RcStr::from)) }
})
.try_flat_join()
.await?;
Ok(Vc::cell(keys))
}
#[turbo_tasks::function]
fn raw_get(&self, path: FileSystemPath) -> Vc<OptionMapEntry> {
let assets = {
let map = &self.map_path_to_op.get().0;
map.get(&path).and_then(|m| m.iter().next().copied())
};
let Some(assets) = assets else {
return Vc::cell(None);
};
// Need to reconnect the operation to the map
let _ = assets.connect();
let compute_entry = {
let map = self.map_op_to_compute_entry.get();
map.get(&assets).copied()
};
let Some(compute_entry) = compute_entry else {
return Vc::cell(None);
};
compute_entry.connect()
}
}
type GetEntriesResultT = Vec<(FileSystemPath, ResolvedVc<Box<dyn OutputAsset>>)>;
#[turbo_tasks::value(transparent)]
struct GetEntriesResult(GetEntriesResultT);
#[turbo_tasks::function(operation)]
async fn get_entries(assets: OperationVc<OutputAssets>) -> Result<Vc<GetEntriesResult>> {
let assets_ref = assets.connect().await?;
let entries = assets_ref
.iter()
.map(|&asset| async move {
let path = asset.path().owned().await?;
Ok((path, asset))
})
.try_join()
.await?;
Ok(Vc::cell(entries))
}
#[turbo_tasks::function(operation)]
fn compute_entry_operation(
map: ResolvedVc<VersionedContentMap>,
assets_operation: OperationVc<OutputAssets>,
node_root: FileSystemPath,
client_relative_path: FileSystemPath,
client_output_path: FileSystemPath,
) -> Vc<OptionMapEntry> {
map.compute_entry(
assets_operation,
node_root,
client_relative_path,
client_output_path,
)
}
|