Add server support

This commit is contained in:
NepNep21 2022-06-02 17:15:44 -03:00
parent 26b5c7fc50
commit df1d6e5048
Signed by untrusted user who does not match committer: nep
GPG key ID: 818E86B41BD5C364
3 changed files with 214 additions and 8 deletions

View file

@ -11,4 +11,5 @@ ureq = "2.4.0"
sha1 = "0.10.0" sha1 = "0.10.0"
hex = "0.4.3" hex = "0.4.3"
threadpool = "1.8.1" threadpool = "1.8.1"
zip = { version = "0.6.2", default-features = false, features = ["deflate"] } zip = { version = "0.6.2", default-features = false, features = ["deflate"] }
roxmltree = "0.14.1"

View file

@ -4,3 +4,6 @@ Downloads curseforge or FTB modpacks
Before any other arguments, if you wish to use multithreaded downloads to speed up the process pass `--threads n` where n is the number of threads you want Before any other arguments, if you wish to use multithreaded downloads to speed up the process pass `--threads n` where n is the number of threads you want
Obtain a pack id from curseforge/FTB or use one of the search features (more info in the `modpacks-rs help` command), then run `modpacks-rs (ftb or cf) download id version`, where version is either a version ID or `latest`, to get the latest version Obtain a pack id from curseforge/FTB or use one of the search features (more info in the `modpacks-rs help` command), then run `modpacks-rs (ftb or cf) download id version`, where version is either a version ID or `latest`, to get the latest version
# Caveats
Curseforge server installations will not work if the modpack client files contain client only mods, if you know how to download additional files from curseforge without requiring the user to manually get both a pack text id and a file id, any help is appreciated

View file

@ -6,10 +6,15 @@ use std::{
io::{Read, Write, self}, io::{Read, Write, self},
fs::{create_dir_all, File}, fs::{create_dir_all, File},
sync::mpsc::{self, Sender}, sync::mpsc::{self, Sender},
path::PathBuf path::PathBuf,
process::Command
}; };
#[cfg(not(windows))]
use std::{fs::{Permissions, self}, os::unix::prelude::PermissionsExt};
use json::JsonValue; use json::JsonValue;
use roxmltree::Document;
use sha1::{Sha1, Digest}; use sha1::{Sha1, Digest};
use threadpool::ThreadPool; use threadpool::ThreadPool;
use ureq::Response; use ureq::Response;
@ -97,7 +102,12 @@ fn main() {
"download" => { "download" => {
let pack = args.next().expect("Invalid usage"); let pack = args.next().expect("Invalid usage");
let version = args.next().expect("Invalid usage"); let version = args.next().expect("Invalid usage");
downloadPack(pack, version, PackType::FTB, threadCount).expect("Failed to download FTB modpack"); downloadPack(&pack, version, PackType::FTB, threadCount).expect("Failed to download FTB modpack");
}
"server" => {
let pack = args.next().expect("Invalid usage");
let version = args.next().expect("Invalid usage");
downloadFTBServer(pack, version).expect("Failed to install server");
} }
_ => { _ => {
eprintln!("Invalid usage") eprintln!("Invalid usage")
@ -123,7 +133,12 @@ fn main() {
"download" => { "download" => {
let pack = args.next().expect("Invalid usage"); let pack = args.next().expect("Invalid usage");
let version = args.next().expect("Invalid usage"); let version = args.next().expect("Invalid usage");
downloadPack(pack, version, PackType::CF, threadCount).expect("Failed to download curseforge modpack"); downloadPack(&pack, version, PackType::CF, threadCount).expect("Failed to download curseforge modpack");
}
"server" => {
let pack = args.next().expect("Invalid usage");
let version = args.next().expect("Invalid usage");
downloadCFServer(pack, version, threadCount).expect("Failed to install server");
} }
_ => { _ => {
eprintln!("Invalid usage"); eprintln!("Invalid usage");
@ -140,9 +155,11 @@ played: Lists the most played modpacks
installed: Lists the most installed modpacks installed: Lists the most installed modpacks
(search term): Searches for modpacks related to a term (search term): Searches for modpacks related to a term
(download id (version|latest)): Downloads a version of a modpack or the latest one (download id (version|latest)): Downloads a version of a modpack or the latest one
(server id (version|latest)): Downloads a version of a server or the latest one
Curseforge: Curseforge:
(search term): Searches for modpacks related to a term (search term): Searches for modpacks related to a term
(server id (version|latest)): Downloads a version of a modpack or the latest one and performs a server installation
(download id (version|latest)): Downloads a version of a modpack or the latest one"; (download id (version|latest)): Downloads a version of a modpack or the latest one";
println!("{}", usage); println!("{}", usage);
} }
@ -173,9 +190,185 @@ impl PackType {
} }
} }
fn downloadPack(id: String, mut version: String, packType: PackType, threads: usize) -> Result<(), String> { // More targets may be added with requests
#[cfg(all(target_arch = "x86_64", target_os = "linux"))]
fn getFTBServerURL(id: &String, version: &String) -> String {
format!("https://api.modpacks.ch/public/modpack/{}/{}/server/linux", id, version)
}
#[cfg(all(target_arch = "x86_64", target_os = "windows"))]
fn getFTBServerURL(id: &String, version: &String) -> String {
format!("https://api.modpacks.ch/public/modpack/{}/{}/server/windows", id, version)
}
#[cfg(all(target_arch = "aarch64", target_os = "linux"))]
fn getFTBServerURL(id: &String, version: &String) -> String {
format!("https://api.modpacks.ch/public/modpack/{}/{}/server/arm/linux", id, version)
}
#[cfg(not(target_os = "windows"))]
fn getInstallerName(base: String) -> String {
base + "installer"
}
#[cfg(target_os = "windows")]
fn getInstallerName(base: String) -> String {
base + "installer.exe" // In case the user wants to run it later
}
fn tryRunJava(javaArgs: &[&str], typeName: &str) -> Result<(), String> {
match Command::new("java").args(javaArgs).spawn() {
Ok(mut proc) => {
proc.wait().map_err(|it| format!("Failed to wait for forge installer: {:?}", it))?;
}
Err(_) => {
// Assuming file not found
let javaPath = env::var("JAVA_HOME")
.map(|path| path + &if cfg!(windows) { "/bin/java.exe" } else { "/bin/java" })
.map_err(|it| format!("Failed to find java for running installer: {:?}", it))?;
Command::new(javaPath)
.args(javaArgs)
.spawn()
.map_err(|it| format!("Failed to spawn {typeName} installer: {:?}", it))?
.wait()
.map_err(|it| format!("Failed to wait for {typeName} installer: {:?}", it))?;
}
}
Ok(())
}
fn downloadCFServer(id: String, mut version: String, threads: usize) -> Result<(), String> {
if version == "latest" { if version == "latest" {
let manifest = ureq::get(&(packType.url().to_owned() + &id)) version = getLatestVersion(&id, &PackType::CF)?;
}
downloadPack(&id, version, PackType::CF, threads)?;
let mut file = File::open(format!("./{}/manifest.json", id))
.map_err(|it| format!("Failed to open manifest: {:?}", it))?;
let mut buf = String::new();
file.read_to_string(&mut buf).map_err(|it| format!("Failed to read manifest: {:?}", it))?;
let manifest = json::parse(&buf).map_err(|it| format!("Manifest is invalid: {:?}", it))?;
let mcSection = &manifest["minecraft"];
let mcVersion = &mcSection["version"].to_string();
let loader = &mcSection["modLoaders"][0]["id"].to_string();
let mut split = loader.split('-');
let name = split.next().unwrap();
let version = split.next().unwrap();
// Maybe quilt support at some point?
match name {
"forge" => {
let url = format!("https://maven.minecraftforge.net/net/minecraftforge/forge/{mcVersion}-{version}/forge-{mcVersion}-{version}-installer.jar");
let resp = ureq::get(&url)
.call()
.map_err(|it| format!("Failed to download forge installer: {:?}", it))?;
let mut raw: Vec<u8> = vec![];
resp.into_reader()
.read_to_end(&mut raw)
.map_err(|it| format!("Failed to read all bytes: {:?}", it))?;
env::set_current_dir(format!("./{id}")).map_err(|it| format!("Failed to cd: {:?}", it))?;
let path = format!("./installer.jar");
let mut installer = File::create(&path)
.map_err(|it| format!("Couldn't save installer: {:?}", it))?;
installer.write_all(&raw).map_err(|it| format!("Couldn't save installer: {:?}", it))?;
let javaArgs = ["-jar", &path, "--installServer"];
return tryRunJava(&javaArgs, "forge");
}
"fabric" => {
let mavenMeta = ureq::get("https://maven.fabricmc.net/net/fabricmc/fabric-installer/maven-metadata.xml")
.call()
.map_err(|it| format!("Failed to GET fabric installer maven metadata: {:?}", it))?
.into_string()
.map_err(|it| format!("Failed to parse maven metadata as string: {:?}", it))?;
let xml = Document::parse(&mavenMeta)
.map_err(|it| format!("Failed to parse metadata as xml: {:?}", it))?;
let latestVersion = xml.descendants()
.filter(|node| node.has_tag_name("release"))
.next()
.map(|node| node.text());
match latestVersion {
Some(opt) => {
match opt {
Some(loaderVersion) => {
let url = format!("https://maven.fabricmc.net/net/fabricmc/fabric-installer/{loaderVersion}/fabric-installer-{loaderVersion}.jar");
let resp = ureq::get(&url)
.call()
.map_err(|it| format!("Failed to download fabric installer: {:?}", it))?;
let mut raw: Vec<u8> = vec![];
resp.into_reader()
.read_to_end(&mut raw)
.map_err(|it| format!("Failed to read all bytes: {:?}", it))?;
let dir = format!("./{id}");
let path = format!("{dir}/installer.jar");
let mut installer = File::create(&path)
.map_err(|it| format!("Couldn't save installer: {:?}", it))?;
installer.write_all(&raw).map_err(|it| format!("Couldn't save installer: {:?}", it))?;
let args = &["-jar", &path, "server", "-dir", &dir, "-mcversion", &mcVersion, "-loader", &version, "-downloadMinecraft"];
return tryRunJava(args, "fabric");
}
None => {
return Err("Invalid maven metadata".to_string());
}
}
}
None => {
return Err("Invalid maven metadata".to_string());
}
}
}
other => {
return Err(format!("Unsupported modloader: {}", other));
}
}
}
#[cfg(not(windows))]
fn makeExecutable(path: &String, file: &File) -> Result<(), String> {
let mode = fs::metadata(path)
.map_err(|it| format!("Failed to get file mode: {:?}", it))?
.permissions()
.mode();
let mode = format!("{:o}", mode);
let mut mode: Vec<char> = mode.chars().collect();
mode[3] = '7';
let mode = mode.iter().collect::<String>();
let mode = u32::from_str_radix(&mode, 8).unwrap();
file.set_permissions(Permissions::from_mode(mode)).unwrap();
Ok(())
}
fn downloadFTBServer(id: String, mut version: String) -> Result<(), String> {
if version == "latest" {
version = getLatestVersion(&id, &PackType::FTB)?;
}
let url = getFTBServerURL(&id, &version);
let resp = ureq::get(&url)
.call()
.map_err(|it| format!("Failed to download installer: {:?}", it))?;
let mut raw: Vec<u8> = vec![];
resp.into_reader().read_to_end(&mut raw).expect("Failed to read all bytes");
let basePath = "./".to_string() + &id + "/";
create_dir_all(&basePath)
.map_err(|it| format!("Failed to create server directory: {:?}", it))?;
let installerName = getInstallerName(basePath);
let mut file = File::create(&installerName)
.map_err(|it| format!("Failed to create server file: {:?}", it))?;
file.write(&raw).map_err(|it| format!("Failed to write to server file: {:?}", it))?;
#[cfg(not(windows))]
makeExecutable(&installerName, &file)?;
drop(file); // Otherwise spawning won't work
Command::new(installerName)
.args([&id, &version, "--auto", "--path", &id])
.spawn()
.map_err(|it| format!("Failed to spawn installer: {:?}", it))?
.wait()
.map_err(|it| format!("Failed to wait for installer to complete: {:?}", it))?;
Ok(())
}
fn getLatestVersion(id: &String, packType: &PackType) -> Result<String, String> {
let manifest = ureq::get(&(packType.url().to_owned() + &id))
.call() .call()
.map_err(|it| format!("Failed to get modpack manifest: {:?}", it))?; .map_err(|it| format!("Failed to get modpack manifest: {:?}", it))?;
let decoded = manifest.into_string() let decoded = manifest.into_string()
@ -185,14 +378,14 @@ fn downloadPack(id: String, mut version: String, packType: PackType, threads: us
if let JsonValue::Array(versions) = &parsed["versions"] { if let JsonValue::Array(versions) = &parsed["versions"] {
let versions = versions.iter(); let versions = versions.iter();
let handled: Vec<&JsonValue>; let handled: Vec<&JsonValue>;
if packType == PackType::FTB { if packType == &PackType::FTB {
handled = versions.rev().collect(); handled = versions.rev().collect();
} else { } else {
handled = versions.collect(); handled = versions.collect();
} }
match handled.first() { match handled.first() {
Some(new) => { Some(new) => {
version = new["id"].to_string(); return Ok(new["id"].to_string());
} }
None => { None => {
return Err("Failed to retrieve latest version".to_string()); return Err("Failed to retrieve latest version".to_string());
@ -201,6 +394,11 @@ fn downloadPack(id: String, mut version: String, packType: PackType, threads: us
} else { } else {
return Err("\"versions\" is not an array".to_string()); return Err("\"versions\" is not an array".to_string());
} }
}
fn downloadPack(id: &String, mut version: String, packType: PackType, threads: usize) -> Result<(), String> {
if version == "latest" {
version = getLatestVersion(&id, &packType)?;
} }
let url = packType.url().to_owned() + &id + "/" + &version; let url = packType.url().to_owned() + &id + "/" + &version;
@ -291,6 +489,10 @@ fn downloadPack(id: String, mut version: String, packType: PackType, threads: us
.map_err(|it| format!("Failed to create overrides directory: {:?}", it))?; .map_err(|it| format!("Failed to create overrides directory: {:?}", it))?;
} else { } else {
if !path.is_dir() { if !path.is_dir() {
if let Some(parent) = path.parent() {
create_dir_all(parent)
.map_err(|it| format!("Failed to create overrides directory: {:?}", it))?;
}
let mut outFile = File::create(path) let mut outFile = File::create(path)
.map_err(|it| format!("Failed to create output override file: {:?}", it))?; .map_err(|it| format!("Failed to create output override file: {:?}", it))?;
io::copy(&mut file, &mut outFile) io::copy(&mut file, &mut outFile)