mirror of
https://github.com/lune-org/lune.git
synced 2024-12-12 13:00:37 +00:00
Implement strict target enum for standalone builds, improve paths logic
This commit is contained in:
parent
cec77a9bd9
commit
a11c1558ed
2 changed files with 225 additions and 89 deletions
|
@ -1,29 +1,20 @@
|
||||||
use std::{
|
use std::{
|
||||||
env::consts,
|
|
||||||
io::{Cursor, Read},
|
io::{Cursor, Read},
|
||||||
path::{Path, PathBuf},
|
path::{Path, PathBuf},
|
||||||
process::ExitCode,
|
process::ExitCode,
|
||||||
};
|
};
|
||||||
|
|
||||||
use anyhow::{Context, Result};
|
use anyhow::{bail, Context, Result};
|
||||||
use clap::Parser;
|
use clap::Parser;
|
||||||
use console::style;
|
use console::style;
|
||||||
use directories::BaseDirs;
|
|
||||||
use once_cell::sync::Lazy;
|
|
||||||
use thiserror::Error;
|
use thiserror::Error;
|
||||||
use tokio::{fs, io::AsyncWriteExt, task::spawn_blocking};
|
use tokio::{fs, io::AsyncWriteExt, task::spawn_blocking};
|
||||||
|
|
||||||
use crate::standalone::metadata::{Metadata, CURRENT_EXE};
|
use crate::standalone::metadata::{Metadata, CURRENT_EXE};
|
||||||
|
|
||||||
const TARGET_BASE_DIR: Lazy<PathBuf> = Lazy::new(|| {
|
mod target;
|
||||||
BaseDirs::new()
|
|
||||||
.unwrap()
|
use self::target::{Target, CACHE_DIR};
|
||||||
.home_dir()
|
|
||||||
.to_path_buf()
|
|
||||||
.join(".lune")
|
|
||||||
.join("target")
|
|
||||||
.join(env!("CARGO_PKG_VERSION"))
|
|
||||||
});
|
|
||||||
|
|
||||||
/// Build a standalone executable
|
/// Build a standalone executable
|
||||||
#[derive(Debug, Clone, Parser)]
|
#[derive(Debug, Clone, Parser)]
|
||||||
|
@ -36,33 +27,45 @@ pub struct BuildCommand {
|
||||||
#[clap(short, long)]
|
#[clap(short, long)]
|
||||||
pub output: Option<PathBuf>,
|
pub output: Option<PathBuf>,
|
||||||
|
|
||||||
/// The target to compile for - defaults to the host triple
|
/// The target to compile for in the format `os-arch` -
|
||||||
|
/// defaults to the os and arch of the current system
|
||||||
#[clap(short, long)]
|
#[clap(short, long)]
|
||||||
pub target: Option<String>,
|
pub target: Option<Target>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl BuildCommand {
|
impl BuildCommand {
|
||||||
pub async fn run(self) -> Result<ExitCode> {
|
pub async fn run(self) -> Result<ExitCode> {
|
||||||
|
// Derive target spec to use, or default to the current host system
|
||||||
|
let target = self.target.unwrap_or_else(Target::current_system);
|
||||||
|
|
||||||
|
// Derive paths to use, and make sure the output path is
|
||||||
|
// not the same as the input, so that we don't overwrite it
|
||||||
let output_path = self
|
let output_path = self
|
||||||
.output
|
.output
|
||||||
.unwrap_or_else(|| self.input.with_extension(consts::EXE_EXTENSION));
|
.clone()
|
||||||
|
.unwrap_or_else(|| remove_source_file_ext(&self.input));
|
||||||
let input_path_displayed = self.input.display();
|
let output_path = output_path.with_extension(target.exe_extension());
|
||||||
|
if output_path == self.input {
|
||||||
|
if self.output.is_some() {
|
||||||
|
bail!("output path cannot be the same as input path");
|
||||||
|
}
|
||||||
|
bail!("output path cannot be the same as input path, please specify a different output path");
|
||||||
|
}
|
||||||
|
|
||||||
// Try to read the input file
|
// Try to read the input file
|
||||||
let source_code = fs::read(&self.input)
|
let source_code = fs::read(&self.input)
|
||||||
.await
|
.await
|
||||||
.context("failed to read input file")?;
|
.context("failed to read input file")?;
|
||||||
|
|
||||||
// Dynamically derive the base executable path based on the CLI arguments provided
|
// Derive the base executable path based on the arguments provided
|
||||||
let (base_exe_path, output_path) = get_base_exe_path(self.target, output_path).await?;
|
let base_exe_path = get_or_download_base_executable(target).await?;
|
||||||
|
|
||||||
// Read the contents of the lune interpreter as our starting point
|
// Read the contents of the lune interpreter as our starting point
|
||||||
println!(
|
println!(
|
||||||
"Compiling standalone binary from {}",
|
"Compiling standalone binary from {}",
|
||||||
style(input_path_displayed).green()
|
style(self.input.display()).green()
|
||||||
);
|
);
|
||||||
let patched_bin = Metadata::create_env_patched_bin(base_exe_path, source_code.clone())
|
let patched_bin = Metadata::create_env_patched_bin(base_exe_path, source_code)
|
||||||
.await
|
.await
|
||||||
.context("failed to create patched binary")?;
|
.context("failed to create patched binary")?;
|
||||||
|
|
||||||
|
@ -77,7 +80,21 @@ impl BuildCommand {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn write_executable_file_to(
|
/// Removes the source file extension from the given path, if it has one
|
||||||
|
/// A source file extension is an extension such as `.lua` or `.luau`
|
||||||
|
pub fn remove_source_file_ext(path: &Path) -> PathBuf {
|
||||||
|
if path
|
||||||
|
.extension()
|
||||||
|
.is_some_and(|ext| matches!(ext.to_str(), Some("lua" | "luau")))
|
||||||
|
{
|
||||||
|
path.with_extension("")
|
||||||
|
} else {
|
||||||
|
path.to_path_buf()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Writes the given bytes to a file at the specified path, and makes sure it has permissions to be executed
|
||||||
|
pub async fn write_executable_file_to(
|
||||||
path: impl AsRef<Path>,
|
path: impl AsRef<Path>,
|
||||||
bytes: impl AsRef<[u8]>,
|
bytes: impl AsRef<[u8]>,
|
||||||
) -> Result<(), std::io::Error> {
|
) -> Result<(), std::io::Error> {
|
||||||
|
@ -99,7 +116,7 @@ async fn write_executable_file_to(
|
||||||
#[derive(Debug, Error)]
|
#[derive(Debug, Error)]
|
||||||
pub enum BuildError {
|
pub enum BuildError {
|
||||||
#[error("failed to find lune target '{0}' in GitHub release")]
|
#[error("failed to find lune target '{0}' in GitHub release")]
|
||||||
ReleaseTargetNotFound(String),
|
ReleaseTargetNotFound(Target),
|
||||||
#[error("failed to find lune binary '{0}' in downloaded zip file")]
|
#[error("failed to find lune binary '{0}' in downloaded zip file")]
|
||||||
ZippedBinaryNotFound(String),
|
ZippedBinaryNotFound(String),
|
||||||
#[error("failed to download lune binary: {0}")]
|
#[error("failed to download lune binary: {0}")]
|
||||||
|
@ -114,56 +131,20 @@ pub enum BuildError {
|
||||||
|
|
||||||
pub type BuildResult<T, E = BuildError> = std::result::Result<T, E>;
|
pub type BuildResult<T, E = BuildError> = std::result::Result<T, E>;
|
||||||
|
|
||||||
/// Discovers the path to the base executable to use for cross-compilation
|
/// Discovers the path to the base executable to use for cross-compilation, and downloads it if necessary
|
||||||
async fn get_base_exe_path(
|
pub async fn get_or_download_base_executable(target: Target) -> BuildResult<PathBuf> {
|
||||||
target: Option<String>,
|
// If the target matches the current system, just use the current executable
|
||||||
output_path: PathBuf,
|
if target.is_current_system() {
|
||||||
) -> BuildResult<(PathBuf, PathBuf)> {
|
return Ok(CURRENT_EXE.to_path_buf());
|
||||||
if let Some(target_inner) = target {
|
|
||||||
let current_target = format!("{}-{}", consts::OS, consts::ARCH);
|
|
||||||
|
|
||||||
let target_exe_extension = match target_inner.as_str() {
|
|
||||||
"windows-x86_64" => "exe",
|
|
||||||
_ => "",
|
|
||||||
};
|
|
||||||
|
|
||||||
if target_inner == current_target {
|
|
||||||
// If the target is the host target, just use the current executable
|
|
||||||
return Ok((
|
|
||||||
CURRENT_EXE.to_path_buf(),
|
|
||||||
output_path.with_extension(consts::EXE_EXTENSION),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
|
|
||||||
let path = TARGET_BASE_DIR.join(format!("lune-{target_inner}.{target_exe_extension}"));
|
|
||||||
|
|
||||||
// Create the target base directory in the lune home if it doesn't already exist
|
|
||||||
if !TARGET_BASE_DIR.exists() {
|
|
||||||
fs::create_dir_all(TARGET_BASE_DIR.to_path_buf()).await?;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// If a cached target base executable doesn't exist, attempt to download it
|
// If a cached target base executable doesn't exist, attempt to download it
|
||||||
if !path.exists() {
|
if !target.cache_path().exists() {
|
||||||
println!("Requested target does not exist in cache and must be downloaded");
|
return Ok(target.cache_path());
|
||||||
download_target_to_cache(target_inner, target_exe_extension, &path).await?;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
Ok((path, output_path.with_extension(target_exe_extension)))
|
// The target is not cached, we must download it
|
||||||
} else {
|
println!("Requested target '{target}' does not exist in cache");
|
||||||
// If the target flag was not specified, just use the current executable
|
|
||||||
Ok((
|
|
||||||
CURRENT_EXE.to_path_buf(),
|
|
||||||
output_path.with_extension(consts::EXE_EXTENSION),
|
|
||||||
))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Downloads the target base executable to the cache directory
|
|
||||||
async fn download_target_to_cache(
|
|
||||||
target: String,
|
|
||||||
target_exe_extension: &str,
|
|
||||||
path: &PathBuf,
|
|
||||||
) -> BuildResult<()> {
|
|
||||||
let version = env!("CARGO_PKG_VERSION");
|
let version = env!("CARGO_PKG_VERSION");
|
||||||
let target_triple = format!("lune-{version}-{target}");
|
let target_triple = format!("lune-{version}-{target}");
|
||||||
|
|
||||||
|
@ -171,7 +152,9 @@ async fn download_target_to_cache(
|
||||||
"{base_url}/v{version}/{target_triple}.zip",
|
"{base_url}/v{version}/{target_triple}.zip",
|
||||||
base_url = "https://github.com/lune-org/lune/releases/download",
|
base_url = "https://github.com/lune-org/lune/releases/download",
|
||||||
);
|
);
|
||||||
println!("Downloading {target_triple}");
|
|
||||||
|
// NOTE: This is not entirely accurate, but it is clearer for a user
|
||||||
|
println!("Downloading {target_triple}{}...", target.exe_suffix());
|
||||||
|
|
||||||
// Try to request to download the zip file from the target url,
|
// Try to request to download the zip file from the target url,
|
||||||
// making sure transient errors are handled gracefully and
|
// making sure transient errors are handled gracefully and
|
||||||
|
@ -191,17 +174,9 @@ async fn download_target_to_cache(
|
||||||
let zip_file = Cursor::new(zip_bytes);
|
let zip_file = Cursor::new(zip_bytes);
|
||||||
|
|
||||||
// Look for and extract the binary file from the zip file
|
// Look for and extract the binary file from the zip file
|
||||||
let binary_file_name = format!(
|
// NOTE: We use spawn_blocking here since reading a zip
|
||||||
"lune{}{target_exe_extension}",
|
// archive is a somewhat slow / blocking operation
|
||||||
if target_exe_extension.is_empty() {
|
let binary_file_name = format!("lune{}", target.exe_suffix());
|
||||||
""
|
|
||||||
} else {
|
|
||||||
"."
|
|
||||||
}
|
|
||||||
);
|
|
||||||
|
|
||||||
// NOTE: We use spawn_blocking here since reading a
|
|
||||||
// zip archive is a somewhat slow / blocking operation
|
|
||||||
let binary_file_handle = spawn_blocking(move || {
|
let binary_file_handle = spawn_blocking(move || {
|
||||||
let mut archive = zip_next::ZipArchive::new(zip_file)?;
|
let mut archive = zip_next::ZipArchive::new(zip_file)?;
|
||||||
|
|
||||||
|
@ -215,10 +190,12 @@ async fn download_target_to_cache(
|
||||||
});
|
});
|
||||||
let binary_file_contents = binary_file_handle.await??;
|
let binary_file_contents = binary_file_handle.await??;
|
||||||
|
|
||||||
// Finally write the decompressed data to the target base directory
|
// Finally, write the extracted binary to the cache
|
||||||
write_executable_file_to(&path, binary_file_contents).await?;
|
if !CACHE_DIR.exists() {
|
||||||
|
fs::create_dir_all(CACHE_DIR.as_path()).await?;
|
||||||
|
}
|
||||||
|
write_executable_file_to(target.cache_path(), binary_file_contents).await?;
|
||||||
|
println!("Downloaded successfully and added to cache");
|
||||||
|
|
||||||
println!("Downloaded {target_triple} successfully");
|
Ok(target.cache_path())
|
||||||
|
|
||||||
Ok(())
|
|
||||||
}
|
}
|
||||||
|
|
159
src/cli/build/target.rs
Normal file
159
src/cli/build/target.rs
Normal file
|
@ -0,0 +1,159 @@
|
||||||
|
use std::{env::consts::ARCH, fmt, path::PathBuf, str::FromStr};
|
||||||
|
|
||||||
|
use directories::BaseDirs;
|
||||||
|
use once_cell::sync::Lazy;
|
||||||
|
|
||||||
|
const HOME_DIR: Lazy<PathBuf> = Lazy::new(|| {
|
||||||
|
BaseDirs::new()
|
||||||
|
.expect("could not find home directory")
|
||||||
|
.home_dir()
|
||||||
|
.to_path_buf()
|
||||||
|
});
|
||||||
|
|
||||||
|
pub const CACHE_DIR: Lazy<PathBuf> = Lazy::new(|| HOME_DIR.join(".lune").join("target"));
|
||||||
|
|
||||||
|
/// A target operating system supported by Lune
|
||||||
|
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
|
||||||
|
pub enum TargetOS {
|
||||||
|
Windows,
|
||||||
|
Linux,
|
||||||
|
MacOS,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl TargetOS {
|
||||||
|
fn current_system() -> Self {
|
||||||
|
match std::env::consts::OS {
|
||||||
|
"windows" => Self::Windows,
|
||||||
|
"linux" => Self::Linux,
|
||||||
|
"macos" => Self::MacOS,
|
||||||
|
_ => panic!("unsupported target OS"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn exe_extension(self) -> &'static str {
|
||||||
|
// NOTE: We can't use the constants from std since
|
||||||
|
// they are only accessible for the current target
|
||||||
|
match self {
|
||||||
|
Self::Windows => "exe",
|
||||||
|
_ => "",
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn exe_suffix(self) -> &'static str {
|
||||||
|
match self {
|
||||||
|
Self::Windows => ".exe",
|
||||||
|
_ => "",
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl fmt::Display for TargetOS {
|
||||||
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
|
match self {
|
||||||
|
Self::Windows => write!(f, "windows"),
|
||||||
|
Self::Linux => write!(f, "linux"),
|
||||||
|
Self::MacOS => write!(f, "macos"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FromStr for TargetOS {
|
||||||
|
type Err = &'static str;
|
||||||
|
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
||||||
|
match s.trim().to_ascii_lowercase().as_str() {
|
||||||
|
"windows" => Ok(Self::Windows),
|
||||||
|
"linux" => Ok(Self::Linux),
|
||||||
|
"macos" => Ok(Self::MacOS),
|
||||||
|
_ => Err("invalid target OS"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// A target architecture supported by Lune
|
||||||
|
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
|
||||||
|
pub enum TargetArch {
|
||||||
|
X86_64,
|
||||||
|
Aarch64,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl TargetArch {
|
||||||
|
fn current_system() -> Self {
|
||||||
|
match ARCH {
|
||||||
|
"x86_64" => Self::X86_64,
|
||||||
|
"aarch64" => Self::Aarch64,
|
||||||
|
_ => panic!("unsupported target architecture"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl fmt::Display for TargetArch {
|
||||||
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
|
match self {
|
||||||
|
Self::X86_64 => write!(f, "x86_64"),
|
||||||
|
Self::Aarch64 => write!(f, "aarch64"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FromStr for TargetArch {
|
||||||
|
type Err = &'static str;
|
||||||
|
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
||||||
|
match s.trim().to_ascii_lowercase().as_str() {
|
||||||
|
"x86_64" | "x64" => Ok(Self::X86_64),
|
||||||
|
"aarch64" | "arm64" => Ok(Self::Aarch64),
|
||||||
|
_ => Err("invalid target architecture"),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// A full target description for cross-compilation (OS + Arch)
|
||||||
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
|
pub struct Target {
|
||||||
|
pub os: TargetOS,
|
||||||
|
pub arch: TargetArch,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Target {
|
||||||
|
pub fn current_system() -> Self {
|
||||||
|
Self {
|
||||||
|
os: TargetOS::current_system(),
|
||||||
|
arch: TargetArch::current_system(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn is_current_system(&self) -> bool {
|
||||||
|
self.os == TargetOS::current_system() && self.arch == TargetArch::current_system()
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn exe_extension(&self) -> &'static str {
|
||||||
|
self.os.exe_extension()
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn exe_suffix(&self) -> &'static str {
|
||||||
|
self.os.exe_suffix()
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn cache_path(&self) -> PathBuf {
|
||||||
|
CACHE_DIR.join(format!("{self}{}", self.os.exe_extension()))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl fmt::Display for Target {
|
||||||
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
|
write!(f, "{}-{}", self.os, self.arch)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FromStr for Target {
|
||||||
|
type Err = &'static str;
|
||||||
|
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
||||||
|
let (left, right) = s
|
||||||
|
.split_once('-')
|
||||||
|
.ok_or("target must be in the form `os-arch`")?;
|
||||||
|
|
||||||
|
let os = left.parse()?;
|
||||||
|
let arch = right.parse()?;
|
||||||
|
|
||||||
|
Ok(Self { os, arch })
|
||||||
|
}
|
||||||
|
}
|
Loading…
Reference in a new issue