feat: add upload progress bar

This commit is contained in:
uku 2025-05-12 22:54:13 +02:00
parent ca96431208
commit 3b75134572
Signed by: uku
SSH key fingerprint: SHA256:4P0aN6M8ajKukNi6aPOaX0LacanGYtlfjmN+m/sHY/o
4 changed files with 125 additions and 27 deletions

2
Cargo.lock generated
View file

@ -2282,10 +2282,12 @@ version = "0.1.0"
dependencies = [ dependencies = [
"color-eyre", "color-eyre",
"dirs", "dirs",
"futures",
"relm4", "relm4",
"reqwest", "reqwest",
"rfd", "rfd",
"serde", "serde",
"tokio-util",
"toml", "toml",
"tracing", "tracing",
"tracing-subscriber", "tracing-subscriber",

View file

@ -6,10 +6,12 @@ edition = "2024"
[dependencies] [dependencies]
color-eyre = "0.6.4" color-eyre = "0.6.4"
dirs = "6.0.0" dirs = "6.0.0"
futures = "0.3.31"
relm4 = { version = "0.9.1", features = ["gnome_47", "libadwaita"] } relm4 = { version = "0.9.1", features = ["gnome_47", "libadwaita"] }
reqwest = { version = "0.12.15", default-features = false, features = ["http2", "charset", "rustls-tls", "json", "multipart", "stream"] } reqwest = { version = "0.12.15", default-features = false, features = ["http2", "charset", "rustls-tls", "json", "multipart", "stream"] }
rfd = { version = "0.15.3", default-features = false, features = ["tokio", "xdg-portal"] } rfd = { version = "0.15.3", default-features = false, features = ["tokio", "xdg-portal"] }
serde = { version = "1.0.219", features = ["derive"] } serde = { version = "1.0.219", features = ["derive"] }
tokio-util = { version = "0.7.15", features = ["io"] }
toml = "0.8.22" toml = "0.8.22"
tracing = "0.1.41" tracing = "0.1.41"
tracing-subscriber = { version = "0.3.19", features = ["env-filter"] } tracing-subscriber = { version = "0.3.19", features = ["env-filter"] }

View file

@ -8,7 +8,7 @@ use color_eyre::eyre::{OptionExt, Result, bail};
use gobject::GtkZiplineFolder; use gobject::GtkZiplineFolder;
use relm::{Dialog, DialogInput}; use relm::{Dialog, DialogInput};
use relm4::{ use relm4::{
Component, ComponentController, Controller, RelmApp, Component, ComponentController, Controller, RelmApp, Sender,
adw::{self, prelude::*}, adw::{self, prelude::*},
gtk::{self, gio}, gtk::{self, gio},
prelude::{AsyncComponent, AsyncComponentParts}, prelude::{AsyncComponent, AsyncComponentParts},
@ -43,14 +43,29 @@ impl Config {
enum Message { enum Message {
OpenFilePicker, OpenFilePicker,
SetFolder(ZiplineFolder), SetFolder(ZiplineFolder),
LockAndStart,
StartTheProcess, StartTheProcess,
Nothing, Nothing,
} }
#[derive(Debug)]
enum ProgressMessage {
SetTotal(usize),
Progress(usize),
Finish,
Error(String),
}
struct UploadInfo {
config: Config,
video_path: Option<PathBuf>,
folder: Option<ZiplineFolder>,
}
struct Tyrolienne { struct Tyrolienne {
config: Config, config: Config,
locked: bool, locked: bool,
progress: usize,
total: usize,
video_path: Option<PathBuf>, video_path: Option<PathBuf>,
folder: Option<ZiplineFolder>, folder: Option<ZiplineFolder>,
dialog: Controller<Dialog>, dialog: Controller<Dialog>,
@ -63,13 +78,21 @@ impl Tyrolienne {
.map(|p| p.to_string_lossy()) .map(|p| p.to_string_lossy())
.unwrap_or(Cow::Borrowed("None")) .unwrap_or(Cow::Borrowed("None"))
} }
fn clone_as_info(&self) -> UploadInfo {
UploadInfo {
config: self.config.clone(),
video_path: self.video_path.clone(),
folder: self.folder.clone(),
}
}
} }
#[relm4::component(async)] #[relm4::component(async)]
impl AsyncComponent for Tyrolienne { impl AsyncComponent for Tyrolienne {
type Input = Message; type Input = Message;
type Output = (); type Output = ();
type CommandOutput = (); type CommandOutput = ProgressMessage;
type Init = Config; type Init = Config;
view! { view! {
@ -119,12 +142,22 @@ impl AsyncComponent for Tyrolienne {
} }
}, },
gtk::Button { gtk::Box {
#[watch] set_orientation: gtk::Orientation::Vertical,
set_label: if model.locked { "Uploading..." } else { "Send" }, set_spacing: 10,
#[watch]
set_sensitive: !model.locked && model.video_path.is_some(), gtk::ProgressBar {
connect_clicked => Message::LockAndStart, #[watch]
set_fraction: model.progress as f64 / model.total as f64,
},
gtk::Button {
#[watch]
set_label: if model.locked { "Uploading..." } else { "Send" },
#[watch]
set_sensitive: !model.locked && model.video_path.is_some(),
connect_clicked => Message::StartTheProcess,
}
} }
} }
} }
@ -139,6 +172,8 @@ impl AsyncComponent for Tyrolienne {
let model = Tyrolienne { let model = Tyrolienne {
config, config,
locked: false, locked: false,
progress: 0,
total: 1,
video_path: None, video_path: None,
folder: None, folder: None,
dialog: Dialog::builder() dialog: Dialog::builder()
@ -199,21 +234,48 @@ impl AsyncComponent for Tyrolienne {
self.video_path = Some(file.path().to_owned()); self.video_path = Some(file.path().to_owned());
} }
} }
Message::LockAndStart => {
// a little bit convoluted, but i don't really know how to force a view update
// before starting the "long" process
self.locked = true;
sender.input(Message::StartTheProcess);
}
Message::StartTheProcess => { Message::StartTheProcess => {
match the_process(self).await { self.locked = true;
Ok(url) => tracing::info!("{url}"), let info = self.clone_as_info();
Err(e) => self.dialog.emit(DialogInput::Show { sender.command(|out, shutdown| {
Box::pin(
shutdown
.register(async move {
match the_process(info, &out).await {
Ok(url) => {
tracing::info!("{url}");
out.emit(ProgressMessage::Finish);
}
Err(e) => out.emit(ProgressMessage::Error(e.to_string())),
}
})
.drop_on_shutdown(),
)
});
}
}
}
async fn update_cmd(
&mut self,
message: Self::CommandOutput,
_sender: relm4::AsyncComponentSender<Self>,
_root: &Self::Root,
) {
match message {
ProgressMessage::SetTotal(total) => self.total = total,
ProgressMessage::Progress(prog) => self.progress += prog,
ProgressMessage::Finish | ProgressMessage::Error(_) => {
self.locked = false;
self.progress = 0;
self.total = 1;
if let ProgressMessage::Error(e) = message {
self.dialog.emit(DialogInput::Show {
heading: "An error occurred".into(), heading: "An error occurred".into(),
body: e.to_string(), body: e.to_string(),
}), });
} }
self.locked = false;
} }
} }
} }
@ -264,7 +326,7 @@ fn get_config() -> Result<Config> {
Ok(config) Ok(config)
} }
async fn the_process(app: &Tyrolienne) -> Result<String> { async fn the_process(app: UploadInfo, sender: &Sender<ProgressMessage>) -> Result<String> {
if let Some(folder) = app.folder.as_ref() { if let Some(folder) = app.folder.as_ref() {
tracing::info!("uploading to folder '{}'...", folder.name); tracing::info!("uploading to folder '{}'...", folder.name);
} else { } else {
@ -275,7 +337,7 @@ async fn the_process(app: &Tyrolienne) -> Result<String> {
bail!("No video given!"); bail!("No video given!");
}; };
let res = zipline::upload_file(&app.config, app.folder.as_ref(), video_path).await?; let res = zipline::upload_file(&app.config, sender, app.folder.as_ref(), video_path).await?;
let zp_file = &res.files[0]; let zp_file = &res.files[0];
tracing::info!("recalculating thumbnails..."); tracing::info!("recalculating thumbnails...");

View file

@ -1,9 +1,16 @@
use std::{path::Path, sync::LazyLock}; use std::{path::Path, sync::LazyLock};
use color_eyre::eyre::{Result, bail}; use color_eyre::eyre::{Result, bail};
use reqwest::{Client, StatusCode, header::AUTHORIZATION, multipart::Form}; use futures::StreamExt;
use relm4::{Sender, tokio::fs::File};
use reqwest::{
Body, Client, StatusCode,
header::AUTHORIZATION,
multipart::{Form, Part},
};
use tokio_util::io::ReaderStream;
use crate::Config; use crate::{Config, ProgressMessage};
static CLIENT: LazyLock<Client> = LazyLock::new(Client::new); static CLIENT: LazyLock<Client> = LazyLock::new(Client::new);
@ -42,6 +49,31 @@ impl ZiplineFileInfo {
} }
} }
async fn wrap_file(path: &Path, sender: Sender<ProgressMessage>) -> Result<Part> {
let file_name = path
.file_name()
.map(|filename| filename.to_string_lossy().into_owned());
let file = File::open(path).await?;
let len = file.metadata().await?.len();
sender.emit(ProgressMessage::SetTotal(len as usize));
let stream = ReaderStream::new(file).map(move |b| {
if let Ok(ref bytes) = b {
sender.emit(ProgressMessage::Progress(bytes.len()));
}
b
});
let field = Part::stream_with_length(Body::wrap_stream(stream), len).mime_str("video/webm")?;
Ok(if let Some(file_name) = file_name {
field.file_name(file_name)
} else {
field
})
}
pub async fn get_folders(config: &Config) -> Result<Vec<ZiplineFolder>> { pub async fn get_folders(config: &Config) -> Result<Vec<ZiplineFolder>> {
let url = format!("{}api/user/folders?noincl=true", config.fixed_url()); let url = format!("{}api/user/folders?noincl=true", config.fixed_url());
@ -64,14 +96,14 @@ pub async fn get_folders(config: &Config) -> Result<Vec<ZiplineFolder>> {
pub async fn upload_file( pub async fn upload_file(
config: &Config, config: &Config,
sender: &Sender<ProgressMessage>,
folder: Option<&ZiplineFolder>, folder: Option<&ZiplineFolder>,
file_path: &Path, file_path: &Path,
) -> Result<ZiplineUploadResponse> { ) -> Result<ZiplineUploadResponse> {
let url = format!("{}api/upload", config.fixed_url()); let url = format!("{}api/upload", config.fixed_url());
// TODO use Part::stream to provide a wrapped file with a custom stream impl to send progress let wrapped_file = wrap_file(file_path, sender.clone()).await?;
// (i hope it works) let form = Form::new().part("file", wrapped_file);
let form = Form::new().file("file", file_path).await?;
let mut req = CLIENT let mut req = CLIENT
.post(url) .post(url)