fix(engines): store & link engines correctly
Some checks are pending
Debug / Get build version (push) Waiting to run
Debug / Build for linux-x86_64 (push) Blocked by required conditions
Debug / Build for macos-aarch64 (push) Blocked by required conditions
Debug / Build for macos-x86_64 (push) Blocked by required conditions
Debug / Build for windows-x86_64 (push) Blocked by required conditions
Test & Lint / lint (push) Waiting to run

Fixes issues with how engines were stored
which resulted in errors. Also makes outdated
linkers get updated.
This commit is contained in:
daimond113 2025-01-14 14:33:26 +01:00
parent 037ead66bb
commit e3177eeb75
No known key found for this signature in database
GPG key ID: 3A8ECE51328B513C
11 changed files with 115 additions and 93 deletions

View file

@ -99,31 +99,29 @@ impl<W> CliReporter<W> {
} }
} }
pub struct CliDownloadProgressReporter<'a, W> { pub struct CliDownloadProgressReporter<W> {
root_reporter: &'a CliReporter<W>, root_reporter: Arc<CliReporter<W>>,
name: String, name: String,
progress: OnceLock<ProgressBar>, progress: OnceLock<ProgressBar>,
set_progress: Once, set_progress: Once,
} }
impl<'a, W: Write + Send + Sync + 'static> DownloadsReporter<'a> for CliReporter<W> { impl<W: Write + Send + Sync + 'static> DownloadsReporter for CliReporter<W> {
type DownloadProgressReporter = CliDownloadProgressReporter<'a, W>; type DownloadProgressReporter = CliDownloadProgressReporter<W>;
fn report_download<'b>(&'a self, name: &'b str) -> Self::DownloadProgressReporter { fn report_download<'b>(self: Arc<Self>, name: String) -> Self::DownloadProgressReporter {
self.root_progress.inc_length(1); self.root_progress.inc_length(1);
CliDownloadProgressReporter { CliDownloadProgressReporter {
root_reporter: self, root_reporter: self,
name: name.to_string(), name,
progress: OnceLock::new(), progress: OnceLock::new(),
set_progress: Once::new(), set_progress: Once::new(),
} }
} }
} }
impl<W: Write + Send + Sync + 'static> DownloadProgressReporter impl<W: Write + Send + Sync + 'static> DownloadProgressReporter for CliDownloadProgressReporter<W> {
for CliDownloadProgressReporter<'_, W>
{
fn report_start(&self) { fn report_start(&self) {
let progress = self.root_reporter.multi_progress.add(ProgressBar::new(0)); let progress = self.root_reporter.multi_progress.add(ProgressBar::new(0));
progress.set_style(self.root_reporter.child_style.clone()); progress.set_style(self.root_reporter.child_style.clone());
@ -171,16 +169,16 @@ impl<W: Write + Send + Sync + 'static> DownloadProgressReporter
} }
} }
pub struct CliPatchProgressReporter<'a, W> { pub struct CliPatchProgressReporter<W> {
root_reporter: &'a CliReporter<W>, root_reporter: Arc<CliReporter<W>>,
name: String, name: String,
progress: ProgressBar, progress: ProgressBar,
} }
impl<'a, W: Write + Send + Sync + 'static> PatchesReporter<'a> for CliReporter<W> { impl<W: Write + Send + Sync + 'static> PatchesReporter for CliReporter<W> {
type PatchProgressReporter = CliPatchProgressReporter<'a, W>; type PatchProgressReporter = CliPatchProgressReporter<W>;
fn report_patch<'b>(&'a self, name: &'b str) -> Self::PatchProgressReporter { fn report_patch(self: Arc<Self>, name: String) -> Self::PatchProgressReporter {
let progress = self.multi_progress.add(ProgressBar::new(0)); let progress = self.multi_progress.add(ProgressBar::new(0));
progress.set_style(self.child_style.clone()); progress.set_style(self.child_style.clone());
progress.set_message(format!("- {name}")); progress.set_message(format!("- {name}"));
@ -195,7 +193,7 @@ impl<'a, W: Write + Send + Sync + 'static> PatchesReporter<'a> for CliReporter<W
} }
} }
impl<W: Write + Send + Sync + 'static> PatchProgressReporter for CliPatchProgressReporter<'_, W> { impl<W: Write + Send + Sync + 'static> PatchProgressReporter for CliPatchProgressReporter<W> {
fn report_done(&self) { fn report_done(&self) {
if self.progress.is_hidden() { if self.progress.is_hidden() {
writeln!( writeln!(

View file

@ -3,6 +3,7 @@ use crate::cli::{
config::{read_config, write_config, CliConfig}, config::{read_config, write_config, CliConfig},
files::make_executable, files::make_executable,
home_dir, home_dir,
reporters::run_with_reporter,
}; };
use anyhow::Context; use anyhow::Context;
use colored::Colorize; use colored::Colorize;
@ -15,11 +16,13 @@ use pesde::{
}, },
EngineKind, EngineKind,
}, },
reporters::DownloadsReporter,
version_matches, version_matches,
}; };
use semver::{Version, VersionReq}; use semver::{Version, VersionReq};
use std::{ use std::{
collections::BTreeSet, collections::BTreeSet,
env::current_exe,
path::{Path, PathBuf}, path::{Path, PathBuf},
sync::Arc, sync::Arc,
}; };
@ -159,28 +162,25 @@ pub async fn get_or_download_engine(
.await .await
.context("failed to read engines directory")?; .context("failed to read engines directory")?;
let mut matching_versions = BTreeSet::new(); let mut installed_versions = BTreeSet::new();
while let Some(entry) = read_dir.next_entry().await? { while let Some(entry) = read_dir.next_entry().await? {
let path = entry.path(); let path = entry.path();
#[cfg(windows)] let Some(version) = path.file_name().and_then(|s| s.to_str()) else {
let version = path.file_stem();
#[cfg(not(windows))]
let version = path.file_name();
let Some(version) = version.and_then(|s| s.to_str()) else {
continue; continue;
}; };
if let Ok(version) = Version::parse(version) { if let Ok(version) = Version::parse(version) {
if version_matches(&version, &req) { installed_versions.insert(version);
matching_versions.insert(version);
}
} }
} }
if let Some(version) = matching_versions.pop_last() { let max_matching = installed_versions
.iter()
.filter(|v| version_matches(v, &req))
.last();
if let Some(version) = max_matching {
return Ok(path return Ok(path
.join(version.to_string()) .join(version.to_string())
.join(source.expected_file_name()) .join(source.expected_file_name())
@ -198,40 +198,66 @@ pub async fn get_or_download_engine(
.context("failed to resolve versions")?; .context("failed to resolve versions")?;
let (version, engine_ref) = versions.pop_last().context("no matching versions found")?; let (version, engine_ref) = versions.pop_last().context("no matching versions found")?;
let path = path.join(version.to_string());
fs::create_dir_all(&path)
.await
.context("failed to create engine container folder")?;
let path = path let path = path
.join(version.to_string())
.join(source.expected_file_name()) .join(source.expected_file_name())
.with_extension(std::env::consts::EXE_EXTENSION); .with_extension(std::env::consts::EXE_EXTENSION);
let archive = source
.download(
&engine_ref,
&DownloadOptions {
reqwest: reqwest.clone(),
reporter: Arc::new(()),
version,
},
)
.await
.context("failed to download engine")?;
let mut file = fs::File::create(&path) let mut file = fs::File::create(&path)
.await .await
.context("failed to create new file")?; .context("failed to create new file")?;
tokio::io::copy(
&mut archive run_with_reporter(|_, root_progress, reporter| async {
.find_executable(source.expected_file_name()) let root_progress = root_progress;
root_progress.set_message("download");
let reporter = reporter.report_download(format!("{engine} v{version}"));
let archive = source
.download(
&engine_ref,
&DownloadOptions {
reqwest: reqwest.clone(),
reporter: Arc::new(reporter),
version: version.clone(),
},
)
.await .await
.context("failed to find executable")?, .context("failed to download engine")?;
&mut file,
) tokio::io::copy(
.await &mut archive
.context("failed to write to file")?; .find_executable(source.expected_file_name())
.await
.context("failed to find executable")?,
&mut file,
)
.await
.context("failed to write to file")?;
Ok::<_, anyhow::Error>(())
})
.await?;
make_executable(&path) make_executable(&path)
.await .await
.context("failed to make downloaded version executable")?; .context("failed to make downloaded version executable")?;
// replace the executable if there isn't any installed, or the one installed is out of date
if installed_versions.pop_last().is_none_or(|v| version > v) {
replace_bin_exe(
engine,
&current_exe().context("failed to get current exe path")?,
)
.await?;
}
Ok(path) Ok(path)
} }

View file

@ -29,7 +29,7 @@ pub(crate) struct DownloadGraphOptions<Reporter> {
impl<Reporter> DownloadGraphOptions<Reporter> impl<Reporter> DownloadGraphOptions<Reporter>
where where
Reporter: for<'a> DownloadsReporter<'a> + Send + Sync + 'static, Reporter: DownloadsReporter + Send + Sync + 'static,
{ {
/// Creates a new download options with the given reqwest client and reporter. /// Creates a new download options with the given reqwest client and reporter.
pub(crate) fn new(reqwest: reqwest::Client) -> Self { pub(crate) fn new(reqwest: reqwest::Client) -> Self {
@ -85,7 +85,7 @@ impl Project {
errors::DownloadGraphError, errors::DownloadGraphError,
> >
where where
Reporter: for<'a> DownloadsReporter<'a> + Send + Sync + 'static, Reporter: DownloadsReporter + Send + Sync + 'static,
{ {
let DownloadGraphOptions { let DownloadGraphOptions {
reqwest, reqwest,
@ -111,8 +111,8 @@ impl Project {
async move { async move {
let progress_reporter = reporter let progress_reporter = reporter
.as_deref() .clone()
.map(|reporter| reporter.report_download(&package_id.to_string())); .map(|reporter| reporter.report_download(package_id.to_string()));
let _permit = semaphore.acquire().await; let _permit = semaphore.acquire().await;

View file

@ -81,7 +81,7 @@ pub struct DownloadAndLinkOptions<Reporter = (), Hooks = ()> {
impl<Reporter, Hooks> DownloadAndLinkOptions<Reporter, Hooks> impl<Reporter, Hooks> DownloadAndLinkOptions<Reporter, Hooks>
where where
Reporter: for<'a> DownloadsReporter<'a> + Send + Sync + 'static, Reporter: DownloadsReporter + Send + Sync + 'static,
Hooks: DownloadAndLinkHooks + Send + Sync + 'static, Hooks: DownloadAndLinkHooks + Send + Sync + 'static,
{ {
/// Creates a new download options with the given reqwest client and reporter. /// Creates a new download options with the given reqwest client and reporter.
@ -149,7 +149,7 @@ impl Project {
options: DownloadAndLinkOptions<Reporter, Hooks>, options: DownloadAndLinkOptions<Reporter, Hooks>,
) -> Result<DependencyGraphWithTarget, errors::DownloadAndLinkError<Hooks::Error>> ) -> Result<DependencyGraphWithTarget, errors::DownloadAndLinkError<Hooks::Error>>
where where
Reporter: for<'a> DownloadsReporter<'a> + 'static, Reporter: DownloadsReporter + 'static,
Hooks: DownloadAndLinkHooks + 'static, Hooks: DownloadAndLinkHooks + 'static,
{ {
let DownloadAndLinkOptions { let DownloadAndLinkOptions {

View file

@ -53,22 +53,22 @@ impl FromStr for ArchiveInfo {
} }
} }
pub(crate) type ArchiveReader = Pin<Box<dyn AsyncBufRead>>;
/// An archive /// An archive
#[derive(Debug, Clone, PartialEq, Eq, Hash)] pub struct Archive {
pub struct Archive<R: AsyncBufRead + 'static> {
pub(crate) info: ArchiveInfo, pub(crate) info: ArchiveInfo,
pub(crate) reader: R, pub(crate) reader: ArchiveReader,
} }
#[derive(Debug)] enum TarReader {
enum TarReader<R: AsyncBufRead> { Gzip(async_compression::tokio::bufread::GzipDecoder<ArchiveReader>),
Gzip(async_compression::tokio::bufread::GzipDecoder<R>), Plain(ArchiveReader),
Plain(R),
} }
// TODO: try to see if we can avoid the unsafe blocks // TODO: try to see if we can avoid the unsafe blocks
impl<R: AsyncBufRead> AsyncRead for TarReader<R> { impl AsyncRead for TarReader {
fn poll_read( fn poll_read(
self: Pin<&mut Self>, self: Pin<&mut Self>,
cx: &mut Context<'_>, cx: &mut Context<'_>,
@ -83,8 +83,8 @@ impl<R: AsyncBufRead> AsyncRead for TarReader<R> {
} }
} }
enum ArchiveEntryInner<R: AsyncBufRead + 'static> { enum ArchiveEntryInner {
Tar(tokio_tar::Entry<tokio_tar::Archive<TarReader<Pin<Box<R>>>>>), Tar(tokio_tar::Entry<tokio_tar::Archive<TarReader>>),
Zip { Zip {
archive: *mut async_zip::tokio::read::seek::ZipFileReader<std::io::Cursor<Vec<u8>>>, archive: *mut async_zip::tokio::read::seek::ZipFileReader<std::io::Cursor<Vec<u8>>>,
reader: ManuallyDrop< reader: ManuallyDrop<
@ -99,7 +99,7 @@ enum ArchiveEntryInner<R: AsyncBufRead + 'static> {
}, },
} }
impl<R: AsyncBufRead> Drop for ArchiveEntryInner<R> { impl Drop for ArchiveEntryInner {
fn drop(&mut self) { fn drop(&mut self) {
match self { match self {
Self::Tar(_) => {} Self::Tar(_) => {}
@ -112,9 +112,9 @@ impl<R: AsyncBufRead> Drop for ArchiveEntryInner<R> {
} }
/// An entry in an archive. Usually the executable /// An entry in an archive. Usually the executable
pub struct ArchiveEntry<R: AsyncBufRead + 'static>(ArchiveEntryInner<R>); pub struct ArchiveEntry(ArchiveEntryInner);
impl<R: AsyncBufRead> AsyncRead for ArchiveEntry<R> { impl AsyncRead for ArchiveEntry {
fn poll_read( fn poll_read(
self: Pin<&mut Self>, self: Pin<&mut Self>,
cx: &mut Context<'_>, cx: &mut Context<'_>,
@ -131,12 +131,12 @@ impl<R: AsyncBufRead> AsyncRead for ArchiveEntry<R> {
} }
} }
impl<R: AsyncBufRead + 'static> Archive<R> { impl Archive {
/// Finds the executable in the archive and returns it as an [`ArchiveEntry`] /// Finds the executable in the archive and returns it as an [`ArchiveEntry`]
pub async fn find_executable( pub async fn find_executable(
self, self,
expected_file_name: &str, expected_file_name: &str,
) -> Result<ArchiveEntry<R>, errors::FindExecutableError> { ) -> Result<ArchiveEntry, errors::FindExecutableError> {
#[derive(Debug, PartialEq, Eq)] #[derive(Debug, PartialEq, Eq)]
struct Candidate { struct Candidate {
path: PathBuf, path: PathBuf,
@ -188,10 +188,11 @@ impl<R: AsyncBufRead + 'static> Archive<R> {
ArchiveInfo(ArchiveKind::Tar, encoding) => { ArchiveInfo(ArchiveKind::Tar, encoding) => {
use async_compression::tokio::bufread as decoders; use async_compression::tokio::bufread as decoders;
let reader = Box::pin(self.reader);
let reader = match encoding { let reader = match encoding {
Some(EncodingKind::Gzip) => TarReader::Gzip(decoders::GzipDecoder::new(reader)), Some(EncodingKind::Gzip) => {
None => TarReader::Plain(reader), TarReader::Gzip(decoders::GzipDecoder::new(self.reader))
}
None => TarReader::Plain(self.reader),
}; };
let mut archive = tokio_tar::Archive::new(reader); let mut archive = tokio_tar::Archive::new(reader);

View file

@ -13,7 +13,6 @@ use crate::{
use reqwest::header::ACCEPT; use reqwest::header::ACCEPT;
use semver::{Version, VersionReq}; use semver::{Version, VersionReq};
use std::{collections::BTreeMap, path::PathBuf}; use std::{collections::BTreeMap, path::PathBuf};
use tokio::io::AsyncBufRead;
/// The GitHub engine source /// The GitHub engine source
#[derive(Debug, Eq, PartialEq, Hash, Clone)] #[derive(Debug, Eq, PartialEq, Hash, Clone)]
@ -73,7 +72,7 @@ impl EngineSource for GitHubEngineSource {
&self, &self,
engine_ref: &Self::Ref, engine_ref: &Self::Ref,
options: &DownloadOptions<R>, options: &DownloadOptions<R>,
) -> Result<Archive<impl AsyncBufRead + 'static>, Self::DownloadError> { ) -> Result<Archive, Self::DownloadError> {
let DownloadOptions { let DownloadOptions {
reqwest, reqwest,
reporter, reporter,
@ -91,6 +90,8 @@ impl EngineSource for GitHubEngineSource {
.find(|asset| asset.name.eq_ignore_ascii_case(&desired_asset_name)) .find(|asset| asset.name.eq_ignore_ascii_case(&desired_asset_name))
.ok_or(errors::DownloadError::AssetNotFound)?; .ok_or(errors::DownloadError::AssetNotFound)?;
reporter.report_start();
let response = reqwest let response = reqwest
.get(asset.url.clone()) .get(asset.url.clone())
.header(ACCEPT, "application/octet-stream") .header(ACCEPT, "application/octet-stream")
@ -100,7 +101,7 @@ impl EngineSource for GitHubEngineSource {
Ok(Archive { Ok(Archive {
info: asset.name.parse()?, info: asset.name.parse()?,
reader: response_to_async_read(response, reporter.clone()), reader: Box::pin(response_to_async_read(response, reporter.clone())),
}) })
} }
} }

View file

@ -7,7 +7,6 @@ use crate::{
}; };
use semver::{Version, VersionReq}; use semver::{Version, VersionReq};
use std::{collections::BTreeMap, path::PathBuf}; use std::{collections::BTreeMap, path::PathBuf};
use tokio::io::AsyncBufRead;
/// Archives /// Archives
pub mod archive; pub mod archive;
@ -69,7 +68,7 @@ impl EngineSource for EngineSources {
&self, &self,
engine_ref: &Self::Ref, engine_ref: &Self::Ref,
options: &DownloadOptions<R>, options: &DownloadOptions<R>,
) -> Result<Archive<impl AsyncBufRead + 'static>, Self::DownloadError> { ) -> Result<Archive, Self::DownloadError> {
match (self, engine_ref) { match (self, engine_ref) {
(EngineSources::GitHub(source), EngineRefs::GitHub(release)) => { (EngineSources::GitHub(source), EngineRefs::GitHub(release)) => {
source.download(release, options).await.map_err(Into::into) source.download(release, options).await.map_err(Into::into)

View file

@ -1,7 +1,6 @@
use crate::{engine::source::archive::Archive, reporters::DownloadProgressReporter}; use crate::{engine::source::archive::Archive, reporters::DownloadProgressReporter};
use semver::{Version, VersionReq}; use semver::{Version, VersionReq};
use std::{collections::BTreeMap, fmt::Debug, future::Future, path::PathBuf, sync::Arc}; use std::{collections::BTreeMap, fmt::Debug, future::Future, path::PathBuf, sync::Arc};
use tokio::io::AsyncBufRead;
/// Options for resolving an engine /// Options for resolving an engine
#[derive(Debug, Clone)] #[derive(Debug, Clone)]
@ -48,7 +47,5 @@ pub trait EngineSource: Debug {
&self, &self,
engine_ref: &Self::Ref, engine_ref: &Self::Ref,
options: &DownloadOptions<R>, options: &DownloadOptions<R>,
) -> impl Future<Output = Result<Archive<impl AsyncBufRead + 'static>, Self::DownloadError>> ) -> impl Future<Output = Result<Archive, Self::DownloadError>> + Send + Sync;
+ Send
+ Sync;
} }

View file

@ -299,7 +299,7 @@ async fn run() -> anyhow::Result<()> {
let exe_path = let exe_path =
get_or_download_engine(&reqwest, engine, req.unwrap_or(VersionReq::STAR)).await?; get_or_download_engine(&reqwest, engine, req.unwrap_or(VersionReq::STAR)).await?;
if exe_path == current_exe { if exe_path == current_exe {
break 'engines; anyhow::bail!("engine linker executed by itself")
} }
let status = std::process::Command::new(exe_path) let status = std::process::Command::new(exe_path)

View file

@ -84,7 +84,7 @@ impl Project {
reporter: Arc<Reporter>, reporter: Arc<Reporter>,
) -> Result<(), errors::ApplyPatchesError> ) -> Result<(), errors::ApplyPatchesError>
where where
Reporter: for<'a> PatchesReporter<'a> + Send + Sync + 'static, Reporter: PatchesReporter + Send + Sync + 'static,
{ {
let manifest = self.deser_manifest().await?; let manifest = self.deser_manifest().await?;
@ -112,7 +112,7 @@ impl Project {
async move { async move {
tracing::debug!("applying patch"); tracing::debug!("applying patch");
let progress_reporter = reporter.report_patch(&package_id.to_string()); let progress_reporter = reporter.report_patch(package_id.to_string());
let patch = fs::read(&patch_path) let patch = fs::read(&patch_path)
.await .await

View file

@ -15,17 +15,17 @@ use std::sync::Arc;
use tokio::io::AsyncBufRead; use tokio::io::AsyncBufRead;
/// Reports downloads. /// Reports downloads.
pub trait DownloadsReporter<'a>: Send + Sync { pub trait DownloadsReporter: Send + Sync {
/// The [`DownloadProgressReporter`] type associated with this reporter. /// The [`DownloadProgressReporter`] type associated with this reporter.
type DownloadProgressReporter: DownloadProgressReporter + 'a; type DownloadProgressReporter: DownloadProgressReporter + 'static;
/// Starts a new download. /// Starts a new download.
fn report_download<'b>(&'a self, name: &'b str) -> Self::DownloadProgressReporter; fn report_download(self: Arc<Self>, name: String) -> Self::DownloadProgressReporter;
} }
impl DownloadsReporter<'_> for () { impl DownloadsReporter for () {
type DownloadProgressReporter = (); type DownloadProgressReporter = ();
fn report_download(&self, name: &str) -> Self::DownloadProgressReporter {} fn report_download(self: Arc<Self>, name: String) -> Self::DownloadProgressReporter {}
} }
/// Reports the progress of a single download. /// Reports the progress of a single download.
@ -46,17 +46,17 @@ pub trait DownloadProgressReporter: Send + Sync {
impl DownloadProgressReporter for () {} impl DownloadProgressReporter for () {}
/// Reports the progress of applying patches. /// Reports the progress of applying patches.
pub trait PatchesReporter<'a>: Send + Sync { pub trait PatchesReporter: Send + Sync {
/// The [`PatchProgressReporter`] type associated with this reporter. /// The [`PatchProgressReporter`] type associated with this reporter.
type PatchProgressReporter: PatchProgressReporter + 'a; type PatchProgressReporter: PatchProgressReporter + 'static;
/// Starts a new patch. /// Starts a new patch.
fn report_patch<'b>(&'a self, name: &'b str) -> Self::PatchProgressReporter; fn report_patch(self: Arc<Self>, name: String) -> Self::PatchProgressReporter;
} }
impl PatchesReporter<'_> for () { impl PatchesReporter for () {
type PatchProgressReporter = (); type PatchProgressReporter = ();
fn report_patch(&self, name: &str) -> Self::PatchProgressReporter {} fn report_patch(self: Arc<Self>, name: String) -> Self::PatchProgressReporter {}
} }
/// Reports the progress of a single patch. /// Reports the progress of a single patch.