mirror of
https://github.com/veeso/termscp.git
synced 2025-12-07 09:36:00 -08:00
Notifications
This commit is contained in:
@@ -33,6 +33,8 @@ use serde::{Deserialize, Serialize};
|
||||
use std::collections::HashMap;
|
||||
use std::path::PathBuf;
|
||||
|
||||
pub const DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD: u64 = 536870912; // 512MB
|
||||
|
||||
#[derive(Deserialize, Serialize, std::fmt::Debug)]
|
||||
/// ## UserConfig
|
||||
///
|
||||
@@ -56,6 +58,8 @@ pub struct UserInterfaceConfig {
|
||||
pub group_dirs: Option<String>,
|
||||
pub file_fmt: Option<String>, // Refers to local host (for backward compatibility)
|
||||
pub remote_file_fmt: Option<String>, // @! Since 0.5.0
|
||||
pub notifications: Option<bool>, // @! Since 0.7.0; Default true
|
||||
pub notification_threshold: Option<u64>, // @! Since 0.7.0; Default 512MB
|
||||
}
|
||||
|
||||
#[derive(Deserialize, Serialize, std::fmt::Debug)]
|
||||
@@ -89,6 +93,8 @@ impl Default for UserInterfaceConfig {
|
||||
group_dirs: None,
|
||||
file_fmt: None,
|
||||
remote_file_fmt: None,
|
||||
notifications: Some(true),
|
||||
notification_threshold: Some(DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD),
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -126,6 +132,8 @@ mod tests {
|
||||
group_dirs: Some(String::from("first")),
|
||||
file_fmt: Some(String::from("{NAME}")),
|
||||
remote_file_fmt: Some(String::from("{USER}")),
|
||||
notifications: Some(true),
|
||||
notification_threshold: Some(DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD),
|
||||
};
|
||||
assert_eq!(ui.default_protocol, String::from("SFTP"));
|
||||
assert_eq!(ui.text_editor, PathBuf::from("nano"));
|
||||
@@ -156,5 +164,10 @@ mod tests {
|
||||
cfg.user_interface.remote_file_fmt,
|
||||
Some(String::from("{USER}"))
|
||||
);
|
||||
assert_eq!(cfg.user_interface.notifications, Some(true));
|
||||
assert_eq!(
|
||||
cfg.user_interface.notification_threshold,
|
||||
Some(DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD)
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -202,6 +202,8 @@ mod tests {
|
||||
assert_eq!(cfg.user_interface.show_hidden_files, true);
|
||||
assert_eq!(cfg.user_interface.check_for_updates.unwrap(), true);
|
||||
assert_eq!(cfg.user_interface.prompt_on_file_replace.unwrap(), false);
|
||||
assert_eq!(cfg.user_interface.notifications.unwrap(), false);
|
||||
assert_eq!(cfg.user_interface.notification_threshold.unwrap(), 1024);
|
||||
assert_eq!(cfg.user_interface.group_dirs, Some(String::from("last")));
|
||||
assert_eq!(
|
||||
cfg.user_interface.file_fmt,
|
||||
@@ -248,6 +250,8 @@ mod tests {
|
||||
assert!(cfg.user_interface.prompt_on_file_replace.is_none());
|
||||
assert!(cfg.user_interface.file_fmt.is_none());
|
||||
assert!(cfg.user_interface.remote_file_fmt.is_none());
|
||||
assert!(cfg.user_interface.notifications.is_none());
|
||||
assert!(cfg.user_interface.notification_threshold.is_none());
|
||||
// Verify keys
|
||||
assert_eq!(
|
||||
*cfg.remote
|
||||
@@ -323,6 +327,8 @@ mod tests {
|
||||
group_dirs = "last"
|
||||
file_fmt = "{NAME} {PEX}"
|
||||
remote_file_fmt = "{NAME} {USER}"
|
||||
notifications = false
|
||||
notification_threshold = 1024
|
||||
|
||||
[remote.ssh_keys]
|
||||
"192.168.1.31" = "/home/omar/.ssh/raspberry.key"
|
||||
|
||||
@@ -47,6 +47,7 @@ extern crate lazy_static;
|
||||
extern crate log;
|
||||
#[macro_use]
|
||||
extern crate magic_crypt;
|
||||
extern crate notify_rust;
|
||||
extern crate open;
|
||||
#[cfg(target_os = "windows")]
|
||||
extern crate path_slash;
|
||||
|
||||
@@ -28,7 +28,9 @@
|
||||
// mod
|
||||
use crate::system::{
|
||||
auto_update::{Update, UpdateStatus},
|
||||
config_client::ConfigClient,
|
||||
environment,
|
||||
notifications::Notification,
|
||||
theme_provider::ThemeProvider,
|
||||
};
|
||||
use std::fs;
|
||||
@@ -66,9 +68,23 @@ pub fn install_update() -> Result<String, String> {
|
||||
{
|
||||
Ok(UpdateStatus::AlreadyUptodate) => Ok("termscp is already up to date".to_string()),
|
||||
Ok(UpdateStatus::UpdateInstalled(v)) => {
|
||||
if get_config_client()
|
||||
.map(|x| x.get_notifications())
|
||||
.unwrap_or(true)
|
||||
{
|
||||
Notification::update_installed(v.as_str());
|
||||
}
|
||||
Ok(format!("termscp has been updated to version {}", v))
|
||||
}
|
||||
Err(err) => Err(err.to_string()),
|
||||
Err(err) => {
|
||||
if get_config_client()
|
||||
.map(|x| x.get_notifications())
|
||||
.unwrap_or(true)
|
||||
{
|
||||
Notification::update_failed(err.to_string());
|
||||
}
|
||||
Err(err.to_string())
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -87,3 +103,19 @@ fn get_config_dir() -> Result<PathBuf, String> {
|
||||
)),
|
||||
}
|
||||
}
|
||||
|
||||
/// ### get_config_client
|
||||
///
|
||||
/// Get configuration client
|
||||
fn get_config_client() -> Option<ConfigClient> {
|
||||
match get_config_dir() {
|
||||
Err(_) => None,
|
||||
Ok(dir) => {
|
||||
let (cfg_path, ssh_key_dir) = environment::get_config_paths(dir.as_path());
|
||||
match ConfigClient::new(cfg_path.as_path(), ssh_key_dir.as_path()) {
|
||||
Err(_) => None,
|
||||
Ok(c) => Some(c),
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -27,7 +27,7 @@
|
||||
*/
|
||||
// Locals
|
||||
use crate::config::{
|
||||
params::UserConfig,
|
||||
params::{UserConfig, DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD},
|
||||
serialization::{deserialize, serialize, SerializerError, SerializerErrorKind},
|
||||
};
|
||||
use crate::filetransfer::FileTransferProtocol;
|
||||
@@ -254,6 +254,37 @@ impl ConfigClient {
|
||||
};
|
||||
}
|
||||
|
||||
/// ### get_notifications
|
||||
///
|
||||
/// Get value of `notifications`
|
||||
pub fn get_notifications(&self) -> bool {
|
||||
self.config.user_interface.notifications.unwrap_or(true)
|
||||
}
|
||||
|
||||
/// ### set_notifications
|
||||
///
|
||||
/// Set new value for `notifications`
|
||||
pub fn set_notifications(&mut self, value: bool) {
|
||||
self.config.user_interface.notifications = Some(value);
|
||||
}
|
||||
|
||||
/// ### get_notification_threshold
|
||||
///
|
||||
/// Get value of `notification_threshold`
|
||||
pub fn get_notification_threshold(&self) -> u64 {
|
||||
self.config
|
||||
.user_interface
|
||||
.notification_threshold
|
||||
.unwrap_or(DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD)
|
||||
}
|
||||
|
||||
/// ### set_notification_threshold
|
||||
///
|
||||
/// Set new value for `notification_threshold`
|
||||
pub fn set_notification_threshold(&mut self, value: u64) {
|
||||
self.config.user_interface.notification_threshold = Some(value);
|
||||
}
|
||||
|
||||
// SSH Keys
|
||||
|
||||
/// ### save_ssh_key
|
||||
@@ -657,6 +688,37 @@ mod tests {
|
||||
assert_eq!(client.get_remote_file_fmt(), None);
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn test_system_config_notifications() {
|
||||
let tmp_dir: TempDir = TempDir::new().ok().unwrap();
|
||||
let (cfg_path, key_path): (PathBuf, PathBuf) = get_paths(tmp_dir.path());
|
||||
let mut client: ConfigClient = ConfigClient::new(cfg_path.as_path(), key_path.as_path())
|
||||
.ok()
|
||||
.unwrap();
|
||||
assert_eq!(client.get_notifications(), true); // Null ?
|
||||
client.set_notifications(true);
|
||||
assert_eq!(client.get_notifications(), true);
|
||||
client.set_notifications(false);
|
||||
assert_eq!(client.get_notifications(), false);
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn test_system_config_remote_notification_threshold() {
|
||||
let tmp_dir: TempDir = TempDir::new().ok().unwrap();
|
||||
let (cfg_path, key_path): (PathBuf, PathBuf) = get_paths(tmp_dir.path());
|
||||
let mut client: ConfigClient = ConfigClient::new(cfg_path.as_path(), key_path.as_path())
|
||||
.ok()
|
||||
.unwrap();
|
||||
assert_eq!(
|
||||
client.get_notification_threshold(),
|
||||
DEFAULT_NOTIFICATION_TRANSFER_THRESHOLD
|
||||
); // Null ?
|
||||
client.set_notification_threshold(1024);
|
||||
assert_eq!(client.get_notification_threshold(), 1024);
|
||||
client.set_notification_threshold(64);
|
||||
assert_eq!(client.get_notification_threshold(), 64);
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn test_system_config_ssh_keys() {
|
||||
let tmp_dir: TempDir = TempDir::new().ok().unwrap();
|
||||
|
||||
@@ -32,5 +32,6 @@ pub mod config_client;
|
||||
pub mod environment;
|
||||
pub(self) mod keys;
|
||||
pub mod logging;
|
||||
pub mod notifications;
|
||||
pub mod sshkey_storage;
|
||||
pub mod theme_provider;
|
||||
|
||||
82
src/system/notifications.rs
Normal file
82
src/system/notifications.rs
Normal file
@@ -0,0 +1,82 @@
|
||||
//! # Notifications
|
||||
//!
|
||||
//! This module exposes the function to send notifications to the guest OS
|
||||
|
||||
#[cfg(all(unix, not(target_os = "macos")))]
|
||||
use notify_rust::Hint;
|
||||
use notify_rust::{Notification as OsNotification, Timeout};
|
||||
|
||||
/// ## Notification
|
||||
///
|
||||
/// A notification helper which provides all the functions to send the available notifications for termscp
|
||||
pub struct Notification;
|
||||
|
||||
impl Notification {
|
||||
/// ### transfer_completed
|
||||
///
|
||||
/// Notify a transfer has been completed with success
|
||||
pub fn transfer_completed<S: AsRef<str>>(body: S) {
|
||||
Self::notify(
|
||||
"Transfer completed ✅",
|
||||
body.as_ref(),
|
||||
Some("transfer.complete"),
|
||||
);
|
||||
}
|
||||
|
||||
/// ### transfer_error
|
||||
///
|
||||
/// Notify a transfer has failed
|
||||
pub fn transfer_error<S: AsRef<str>>(body: S) {
|
||||
Self::notify("Transfer failed ❌", body.as_ref(), Some("transfer.error"));
|
||||
}
|
||||
|
||||
/// ### update_available
|
||||
///
|
||||
/// Notify a new version of termscp is available for download
|
||||
pub fn update_available<S: AsRef<str>>(version: S) {
|
||||
Self::notify(
|
||||
"New version available ⬇️",
|
||||
format!("termscp {} is now available for download", version.as_ref()).as_str(),
|
||||
None,
|
||||
);
|
||||
}
|
||||
|
||||
/// ### update_installed
|
||||
///
|
||||
/// Notify the update has been correctly installed
|
||||
pub fn update_installed<S: AsRef<str>>(version: S) {
|
||||
Self::notify(
|
||||
"Update installed 🎉",
|
||||
format!("termscp {} has been installed! Restart termscp to enjoy the latest version of termscp 🙂", version.as_ref()).as_str(),
|
||||
None,
|
||||
);
|
||||
}
|
||||
|
||||
/// ### update_failed
|
||||
///
|
||||
/// Notify the update installation has failed
|
||||
pub fn update_failed<S: AsRef<str>>(err: S) {
|
||||
Self::notify("Update installation failed ❌", err.as_ref(), None);
|
||||
}
|
||||
|
||||
/// ### notify
|
||||
///
|
||||
/// Notify guest OS with provided Summary, body and optional category
|
||||
/// e.g. Category is supported on FreeBSD/Linux only
|
||||
#[allow(unused_variables)]
|
||||
fn notify(summary: &str, body: &str, category: Option<&str>) {
|
||||
let mut notification = OsNotification::new();
|
||||
// Set common params
|
||||
notification
|
||||
.appname(env!("CARGO_PKG_NAME"))
|
||||
.summary(summary)
|
||||
.body(body)
|
||||
.timeout(Timeout::Milliseconds(10000));
|
||||
// Set category if any
|
||||
#[cfg(all(unix, not(target_os = "macos")))]
|
||||
if let Some(category) = category {
|
||||
notification.hint(Hint::Category(category.to_string()));
|
||||
}
|
||||
let _ = notification.show();
|
||||
}
|
||||
}
|
||||
@@ -27,7 +27,8 @@
|
||||
*/
|
||||
use super::{AuthActivity, FileTransferParams, FileTransferProtocol};
|
||||
use crate::filetransfer::params::{AwsS3Params, GenericProtocolParams, ProtocolParams};
|
||||
use crate::system::auto_update::{Update, UpdateStatus};
|
||||
use crate::system::auto_update::{Release, Update, UpdateStatus};
|
||||
use crate::system::notifications::Notification;
|
||||
|
||||
impl AuthActivity {
|
||||
/// ### protocol_opt_to_enum
|
||||
@@ -155,6 +156,51 @@ impl AuthActivity {
|
||||
|
||||
// -- update install
|
||||
|
||||
/// ### check_for_updates
|
||||
///
|
||||
/// If enabled in configuration, check for updates from Github
|
||||
pub(super) fn check_for_updates(&mut self) {
|
||||
debug!("Check for updates...");
|
||||
// Check version only if unset in the store
|
||||
let ctx = self.context_mut();
|
||||
if !ctx.store().isset(super::STORE_KEY_LATEST_VERSION) {
|
||||
debug!("Version is not set in storage");
|
||||
if ctx.config().get_check_for_updates() {
|
||||
debug!("Check for updates is enabled");
|
||||
// Send request
|
||||
match Update::is_new_version_available() {
|
||||
Ok(Some(Release { version, body })) => {
|
||||
// If some, store version and release notes
|
||||
info!("Latest version is: {}", version);
|
||||
if ctx.config().get_notifications() {
|
||||
// Notify new version available
|
||||
Notification::update_available(version.as_str());
|
||||
}
|
||||
// Store info
|
||||
ctx.store_mut()
|
||||
.set_string(super::STORE_KEY_LATEST_VERSION, version);
|
||||
ctx.store_mut()
|
||||
.set_string(super::STORE_KEY_RELEASE_NOTES, body);
|
||||
}
|
||||
Ok(None) => {
|
||||
info!("Latest version is: {} (current)", env!("CARGO_PKG_VERSION"));
|
||||
// Just set flag as check
|
||||
ctx.store_mut().set(super::STORE_KEY_LATEST_VERSION);
|
||||
}
|
||||
Err(err) => {
|
||||
// Report error
|
||||
error!("Failed to get latest version: {}", err);
|
||||
self.mount_error(
|
||||
format!("Could not check for new updates: {}", err).as_str(),
|
||||
);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
info!("Check for updates is disabled");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// ### install_update
|
||||
///
|
||||
/// Install latest termscp version via GUI
|
||||
@@ -173,9 +219,17 @@ impl AuthActivity {
|
||||
match result {
|
||||
Ok(UpdateStatus::AlreadyUptodate) => self.mount_info("termscp is already up to date!"),
|
||||
Ok(UpdateStatus::UpdateInstalled(ver)) => {
|
||||
if self.config().get_notifications() {
|
||||
Notification::update_installed(ver.as_str());
|
||||
}
|
||||
self.mount_info(format!("termscp has been updated to version {}!", ver))
|
||||
}
|
||||
Err(err) => self.mount_error(format!("Could not install update: {}", err)),
|
||||
Err(err) => {
|
||||
if self.config().get_notifications() {
|
||||
Notification::update_failed(err.to_string());
|
||||
}
|
||||
self.mount_error(format!("Could not install update: {}", err))
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -35,8 +35,8 @@ mod view;
|
||||
use super::{Activity, Context, ExitReason};
|
||||
use crate::config::themes::Theme;
|
||||
use crate::filetransfer::{FileTransferParams, FileTransferProtocol};
|
||||
use crate::system::auto_update::{Release, Update as TermscpUpdate};
|
||||
use crate::system::bookmarks_client::BookmarksClient;
|
||||
use crate::system::config_client::ConfigClient;
|
||||
|
||||
// Includes
|
||||
use crossterm::event::Event;
|
||||
@@ -110,45 +110,6 @@ impl AuthActivity {
|
||||
}
|
||||
}
|
||||
|
||||
/// ### on_create
|
||||
///
|
||||
/// If enabled in configuration, check for updates from Github
|
||||
fn check_for_updates(&mut self) {
|
||||
debug!("Check for updates...");
|
||||
// Check version only if unset in the store
|
||||
let ctx: &mut Context = self.context_mut();
|
||||
if !ctx.store().isset(STORE_KEY_LATEST_VERSION) {
|
||||
debug!("Version is not set in storage");
|
||||
if ctx.config().get_check_for_updates() {
|
||||
debug!("Check for updates is enabled");
|
||||
// Send request
|
||||
match TermscpUpdate::is_new_version_available() {
|
||||
Ok(Some(Release { version, body })) => {
|
||||
// If some, store version and release notes
|
||||
info!("Latest version is: {}", version);
|
||||
ctx.store_mut()
|
||||
.set_string(STORE_KEY_LATEST_VERSION, version);
|
||||
ctx.store_mut().set_string(STORE_KEY_RELEASE_NOTES, body);
|
||||
}
|
||||
Ok(None) => {
|
||||
info!("Latest version is: {} (current)", env!("CARGO_PKG_VERSION"));
|
||||
// Just set flag as check
|
||||
ctx.store_mut().set(STORE_KEY_LATEST_VERSION);
|
||||
}
|
||||
Err(err) => {
|
||||
// Report error
|
||||
error!("Failed to get latest version: {}", err);
|
||||
self.mount_error(
|
||||
format!("Could not check for new updates: {}", err).as_str(),
|
||||
);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
info!("Check for updates is disabled");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// ### context
|
||||
///
|
||||
/// Returns a reference to context
|
||||
@@ -163,6 +124,13 @@ impl AuthActivity {
|
||||
self.context.as_mut().unwrap()
|
||||
}
|
||||
|
||||
/// ### config
|
||||
///
|
||||
/// Returns config client reference
|
||||
fn config(&self) -> &ConfigClient {
|
||||
self.context().config()
|
||||
}
|
||||
|
||||
/// ### theme
|
||||
///
|
||||
/// Returns a reference to theme
|
||||
|
||||
@@ -87,6 +87,13 @@ impl TransferStates {
|
||||
pub fn aborted(&self) -> bool {
|
||||
self.aborted
|
||||
}
|
||||
|
||||
/// ### full_size
|
||||
///
|
||||
/// Returns the size of the entire transfer
|
||||
pub fn full_size(&self) -> usize {
|
||||
self.full.total
|
||||
}
|
||||
}
|
||||
|
||||
impl Default for ProgressStates {
|
||||
@@ -305,6 +312,8 @@ mod test {
|
||||
assert_eq!(states.aborted(), true);
|
||||
states.reset();
|
||||
assert_eq!(states.aborted(), false);
|
||||
states.full.total = 1024;
|
||||
assert_eq!(states.full_size(), 1024);
|
||||
}
|
||||
|
||||
#[test]
|
||||
|
||||
@@ -22,12 +22,15 @@
|
||||
* SOFTWARE.
|
||||
*/
|
||||
// Locals
|
||||
use super::{ConfigClient, FileTransferActivity, LogLevel, LogRecord};
|
||||
use super::{ConfigClient, FileTransferActivity, LogLevel, LogRecord, TransferPayload};
|
||||
use crate::filetransfer::ProtocolParams;
|
||||
use crate::system::environment;
|
||||
use crate::system::notifications::Notification;
|
||||
use crate::system::sshkey_storage::SshKeyStorage;
|
||||
use crate::utils::fmt::fmt_millis;
|
||||
use crate::utils::path;
|
||||
// Ext
|
||||
use bytesize::ByteSize;
|
||||
use std::env;
|
||||
use std::path::{Path, PathBuf};
|
||||
use tuirealm::Update;
|
||||
@@ -146,4 +149,86 @@ impl FileTransferActivity {
|
||||
ProtocolParams::AwsS3(params) => params.bucket_name.clone(),
|
||||
}
|
||||
}
|
||||
|
||||
/// ### get_connection_msg
|
||||
///
|
||||
/// Get connection message to show to client
|
||||
pub(super) fn get_connection_msg(params: &ProtocolParams) -> String {
|
||||
match params {
|
||||
ProtocolParams::Generic(params) => {
|
||||
info!(
|
||||
"Client is not connected to remote; connecting to {}:{}",
|
||||
params.address, params.port
|
||||
);
|
||||
format!("Connecting to {}:{}…", params.address, params.port)
|
||||
}
|
||||
ProtocolParams::AwsS3(params) => {
|
||||
info!(
|
||||
"Client is not connected to remote; connecting to {} ({})",
|
||||
params.bucket_name, params.region
|
||||
);
|
||||
format!("Connecting to {}…", params.bucket_name)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// ### notify_transfer_completed
|
||||
///
|
||||
/// Send notification regarding transfer completed
|
||||
/// The notification is sent only when these conditions are satisfied:
|
||||
///
|
||||
/// - notifications are enabled
|
||||
/// - transfer size is greater or equal than notification threshold
|
||||
pub(super) fn notify_transfer_completed(&self, payload: &TransferPayload) {
|
||||
if self.config().get_notifications()
|
||||
&& self.config().get_notification_threshold() as usize <= self.transfer.full_size()
|
||||
{
|
||||
Notification::transfer_completed(self.transfer_completed_msg(payload));
|
||||
}
|
||||
}
|
||||
|
||||
/// ### notify_transfer_error
|
||||
///
|
||||
/// Send notification regarding transfer error
|
||||
/// The notification is sent only when these conditions are satisfied:
|
||||
///
|
||||
/// - notifications are enabled
|
||||
/// - transfer size is greater or equal than notification threshold
|
||||
pub(super) fn notify_transfer_error(&self, msg: &str) {
|
||||
if self.config().get_notifications()
|
||||
&& self.config().get_notification_threshold() as usize <= self.transfer.full_size()
|
||||
{
|
||||
Notification::transfer_error(msg);
|
||||
}
|
||||
}
|
||||
|
||||
fn transfer_completed_msg(&self, payload: &TransferPayload) -> String {
|
||||
let transfer_stats = format!(
|
||||
"took {} seconds; at {}/s",
|
||||
fmt_millis(self.transfer.partial.started().elapsed()),
|
||||
ByteSize(self.transfer.partial.calc_bytes_per_second()),
|
||||
);
|
||||
match payload {
|
||||
TransferPayload::File(file) => {
|
||||
format!(
|
||||
"File \"{}\" has been successfully transferred ({})",
|
||||
file.name, transfer_stats
|
||||
)
|
||||
}
|
||||
TransferPayload::Any(entry) => {
|
||||
format!(
|
||||
"\"{}\" has been successfully transferred ({})",
|
||||
entry.get_name(),
|
||||
transfer_stats
|
||||
)
|
||||
}
|
||||
TransferPayload::Many(entries) => {
|
||||
format!(
|
||||
"{} files has been successfully transferred ({})",
|
||||
entries.len(),
|
||||
transfer_stats
|
||||
)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -36,7 +36,7 @@ pub(self) mod view;
|
||||
// locals
|
||||
use super::{Activity, Context, ExitReason};
|
||||
use crate::config::themes::Theme;
|
||||
use crate::filetransfer::{FileTransfer, FileTransferProtocol, ProtocolParams};
|
||||
use crate::filetransfer::{FileTransfer, FileTransferProtocol};
|
||||
use crate::filetransfer::{FtpFileTransfer, S3FileTransfer, ScpFileTransfer, SftpFileTransfer};
|
||||
use crate::fs::explorer::FileExplorer;
|
||||
use crate::fs::FsEntry;
|
||||
@@ -239,28 +239,6 @@ impl FileTransferActivity {
|
||||
fn theme(&self) -> &Theme {
|
||||
self.context().theme_provider().theme()
|
||||
}
|
||||
|
||||
/// ### get_connection_msg
|
||||
///
|
||||
/// Get connection message to show to client
|
||||
fn get_connection_msg(params: &ProtocolParams) -> String {
|
||||
match params {
|
||||
ProtocolParams::Generic(params) => {
|
||||
info!(
|
||||
"Client is not connected to remote; connecting to {}:{}",
|
||||
params.address, params.port
|
||||
);
|
||||
format!("Connecting to {}:{}…", params.address, params.port)
|
||||
}
|
||||
ProtocolParams::AwsS3(params) => {
|
||||
info!(
|
||||
"Client is not connected to remote; connecting to {} ({})",
|
||||
params.bucket_name, params.region
|
||||
);
|
||||
format!("Connecting to {}…", params.bucket_name)
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
|
||||
@@ -206,17 +206,27 @@ impl FileTransferActivity {
|
||||
dst_name: Option<String>,
|
||||
) -> Result<(), String> {
|
||||
// Use different method based on payload
|
||||
match payload {
|
||||
TransferPayload::Any(entry) => {
|
||||
self.filetransfer_send_any(&entry, curr_remote_path, dst_name)
|
||||
let result = match payload {
|
||||
TransferPayload::Any(ref entry) => {
|
||||
self.filetransfer_send_any(entry, curr_remote_path, dst_name)
|
||||
}
|
||||
TransferPayload::File(file) => {
|
||||
self.filetransfer_send_file(&file, curr_remote_path, dst_name)
|
||||
TransferPayload::File(ref file) => {
|
||||
self.filetransfer_send_file(file, curr_remote_path, dst_name)
|
||||
}
|
||||
TransferPayload::Many(entries) => {
|
||||
TransferPayload::Many(ref entries) => {
|
||||
self.filetransfer_send_many(entries, curr_remote_path)
|
||||
}
|
||||
};
|
||||
// Notify
|
||||
match &result {
|
||||
Ok(_) => {
|
||||
self.notify_transfer_completed(&payload);
|
||||
}
|
||||
Err(e) => {
|
||||
self.notify_transfer_error(e.as_str());
|
||||
}
|
||||
}
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_send_file
|
||||
@@ -268,10 +278,10 @@ impl FileTransferActivity {
|
||||
// Mount progress bar
|
||||
self.mount_progress_bar(format!("Uploading {}…", entry.get_abs_path().display()));
|
||||
// Send recurse
|
||||
self.filetransfer_send_recurse(entry, curr_remote_path, dst_name);
|
||||
let result = self.filetransfer_send_recurse(entry, curr_remote_path, dst_name);
|
||||
// Umount progress bar
|
||||
self.umount_progress_bar();
|
||||
Ok(())
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_send_many
|
||||
@@ -279,7 +289,7 @@ impl FileTransferActivity {
|
||||
/// Send many entries to remote
|
||||
fn filetransfer_send_many(
|
||||
&mut self,
|
||||
entries: Vec<FsEntry>,
|
||||
entries: &[FsEntry],
|
||||
curr_remote_path: &Path,
|
||||
) -> Result<(), String> {
|
||||
// Reset states
|
||||
@@ -293,12 +303,14 @@ impl FileTransferActivity {
|
||||
// Mount progress bar
|
||||
self.mount_progress_bar(format!("Uploading {} entries…", entries.len()));
|
||||
// Send recurse
|
||||
entries
|
||||
let result = entries
|
||||
.iter()
|
||||
.for_each(|x| self.filetransfer_send_recurse(x, curr_remote_path, None));
|
||||
.map(|x| self.filetransfer_send_recurse(x, curr_remote_path, None))
|
||||
.find(|x| x.is_err())
|
||||
.unwrap_or(Ok(()));
|
||||
// Umount progress bar
|
||||
self.umount_progress_bar();
|
||||
Ok(())
|
||||
result
|
||||
}
|
||||
|
||||
fn filetransfer_send_recurse(
|
||||
@@ -306,7 +318,7 @@ impl FileTransferActivity {
|
||||
entry: &FsEntry,
|
||||
curr_remote_path: &Path,
|
||||
dst_name: Option<String>,
|
||||
) {
|
||||
) -> Result<(), String> {
|
||||
// Write popup
|
||||
let file_name: String = match entry {
|
||||
FsEntry::Directory(dir) => dir.name.clone(),
|
||||
@@ -320,44 +332,42 @@ impl FileTransferActivity {
|
||||
};
|
||||
remote_path.push(remote_file_name);
|
||||
// Match entry
|
||||
match entry {
|
||||
let result: Result<(), String> = match entry {
|
||||
FsEntry::File(file) => {
|
||||
if let Err(err) = self.filetransfer_send_one(file, remote_path.as_path(), file_name)
|
||||
{
|
||||
// Log error
|
||||
self.log_and_alert(
|
||||
LogLevel::Error,
|
||||
format!("Failed to upload file {}: {}", file.name, err),
|
||||
);
|
||||
// If transfer was abrupted or there was an IO error on remote, remove file
|
||||
if matches!(
|
||||
err,
|
||||
TransferErrorReason::Abrupted | TransferErrorReason::RemoteIoError(_)
|
||||
) {
|
||||
// Stat file on remote and remove it if exists
|
||||
match self.client.stat(remote_path.as_path()) {
|
||||
Err(err) => self.log(
|
||||
LogLevel::Error,
|
||||
format!(
|
||||
"Could not remove created file {}: {}",
|
||||
remote_path.display(),
|
||||
err
|
||||
match self.filetransfer_send_one(file, remote_path.as_path(), file_name) {
|
||||
Err(err) => {
|
||||
// If transfer was abrupted or there was an IO error on remote, remove file
|
||||
if matches!(
|
||||
err,
|
||||
TransferErrorReason::Abrupted | TransferErrorReason::RemoteIoError(_)
|
||||
) {
|
||||
// Stat file on remote and remove it if exists
|
||||
match self.client.stat(remote_path.as_path()) {
|
||||
Err(err) => self.log(
|
||||
LogLevel::Error,
|
||||
format!(
|
||||
"Could not remove created file {}: {}",
|
||||
remote_path.display(),
|
||||
err
|
||||
),
|
||||
),
|
||||
),
|
||||
Ok(entry) => {
|
||||
if let Err(err) = self.client.remove(&entry) {
|
||||
self.log(
|
||||
LogLevel::Error,
|
||||
format!(
|
||||
"Could not remove created file {}: {}",
|
||||
remote_path.display(),
|
||||
err
|
||||
),
|
||||
);
|
||||
Ok(entry) => {
|
||||
if let Err(err) = self.client.remove(&entry) {
|
||||
self.log(
|
||||
LogLevel::Error,
|
||||
format!(
|
||||
"Could not remove created file {}: {}",
|
||||
remote_path.display(),
|
||||
err
|
||||
),
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
Err(err.to_string())
|
||||
}
|
||||
Ok(_) => Ok(()),
|
||||
}
|
||||
}
|
||||
FsEntry::Directory(dir) => {
|
||||
@@ -387,7 +397,7 @@ impl FileTransferActivity {
|
||||
err
|
||||
),
|
||||
);
|
||||
return;
|
||||
return Err(err.to_string());
|
||||
}
|
||||
}
|
||||
// Get files in dir
|
||||
@@ -400,8 +410,13 @@ impl FileTransferActivity {
|
||||
break;
|
||||
}
|
||||
// Send entry; name is always None after first call
|
||||
self.filetransfer_send_recurse(entry, remote_path.as_path(), None);
|
||||
if let Err(err) =
|
||||
self.filetransfer_send_recurse(entry, remote_path.as_path(), None)
|
||||
{
|
||||
return Err(err);
|
||||
}
|
||||
}
|
||||
Ok(())
|
||||
}
|
||||
Err(err) => {
|
||||
self.log_and_alert(
|
||||
@@ -412,10 +427,11 @@ impl FileTransferActivity {
|
||||
err
|
||||
),
|
||||
);
|
||||
Err(err.to_string())
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
};
|
||||
// Scan dir on remote
|
||||
self.reload_remote_dir();
|
||||
// If aborted; show popup
|
||||
@@ -426,6 +442,7 @@ impl FileTransferActivity {
|
||||
format!("Upload aborted for \"{}\"!", entry.get_abs_path().display()),
|
||||
);
|
||||
}
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_send_file
|
||||
@@ -613,11 +630,23 @@ impl FileTransferActivity {
|
||||
local_path: &Path,
|
||||
dst_name: Option<String>,
|
||||
) -> Result<(), String> {
|
||||
match payload {
|
||||
TransferPayload::Any(entry) => self.filetransfer_recv_any(&entry, local_path, dst_name),
|
||||
TransferPayload::File(file) => self.filetransfer_recv_file(&file, local_path),
|
||||
TransferPayload::Many(entries) => self.filetransfer_recv_many(entries, local_path),
|
||||
let result = match payload {
|
||||
TransferPayload::Any(ref entry) => {
|
||||
self.filetransfer_recv_any(entry, local_path, dst_name)
|
||||
}
|
||||
TransferPayload::File(ref file) => self.filetransfer_recv_file(file, local_path),
|
||||
TransferPayload::Many(ref entries) => self.filetransfer_recv_many(entries, local_path),
|
||||
};
|
||||
// Notify
|
||||
match &result {
|
||||
Ok(_) => {
|
||||
self.notify_transfer_completed(&payload);
|
||||
}
|
||||
Err(e) => {
|
||||
self.notify_transfer_error(e.as_str());
|
||||
}
|
||||
}
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_recv_any
|
||||
@@ -639,10 +668,10 @@ impl FileTransferActivity {
|
||||
// Mount progress bar
|
||||
self.mount_progress_bar(format!("Downloading {}…", entry.get_abs_path().display()));
|
||||
// Receive
|
||||
self.filetransfer_recv_recurse(entry, local_path, dst_name);
|
||||
let result = self.filetransfer_recv_recurse(entry, local_path, dst_name);
|
||||
// Umount progress bar
|
||||
self.umount_progress_bar();
|
||||
Ok(())
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_recv_file
|
||||
@@ -669,7 +698,7 @@ impl FileTransferActivity {
|
||||
/// Send many entries to remote
|
||||
fn filetransfer_recv_many(
|
||||
&mut self,
|
||||
entries: Vec<FsEntry>,
|
||||
entries: &[FsEntry],
|
||||
curr_remote_path: &Path,
|
||||
) -> Result<(), String> {
|
||||
// Reset states
|
||||
@@ -683,12 +712,14 @@ impl FileTransferActivity {
|
||||
// Mount progress bar
|
||||
self.mount_progress_bar(format!("Downloading {} entries…", entries.len()));
|
||||
// Send recurse
|
||||
entries
|
||||
let result = entries
|
||||
.iter()
|
||||
.for_each(|x| self.filetransfer_recv_recurse(x, curr_remote_path, None));
|
||||
.map(|x| self.filetransfer_recv_recurse(x, curr_remote_path, None))
|
||||
.find(|x| x.is_err())
|
||||
.unwrap_or(Ok(()));
|
||||
// Umount progress bar
|
||||
self.umount_progress_bar();
|
||||
Ok(())
|
||||
result
|
||||
}
|
||||
|
||||
fn filetransfer_recv_recurse(
|
||||
@@ -696,14 +727,14 @@ impl FileTransferActivity {
|
||||
entry: &FsEntry,
|
||||
local_path: &Path,
|
||||
dst_name: Option<String>,
|
||||
) {
|
||||
) -> Result<(), String> {
|
||||
// Write popup
|
||||
let file_name: String = match entry {
|
||||
FsEntry::Directory(dir) => dir.name.clone(),
|
||||
FsEntry::File(file) => file.name.clone(),
|
||||
};
|
||||
// Match entry
|
||||
match entry {
|
||||
let result: Result<(), String> = match entry {
|
||||
FsEntry::File(file) => {
|
||||
// Get local file
|
||||
let mut local_file_path: PathBuf = PathBuf::from(local_path);
|
||||
@@ -716,10 +747,6 @@ impl FileTransferActivity {
|
||||
if let Err(err) =
|
||||
self.filetransfer_recv_one(local_file_path.as_path(), file, file_name)
|
||||
{
|
||||
self.log_and_alert(
|
||||
LogLevel::Error,
|
||||
format!("Could not download file {}: {}", file.name, err),
|
||||
);
|
||||
// If transfer was abrupted or there was an IO error on remote, remove file
|
||||
if matches!(
|
||||
err,
|
||||
@@ -749,6 +776,9 @@ impl FileTransferActivity {
|
||||
}
|
||||
}
|
||||
}
|
||||
Err(err.to_string())
|
||||
} else {
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
FsEntry::Directory(dir) => {
|
||||
@@ -798,12 +828,15 @@ impl FileTransferActivity {
|
||||
}
|
||||
// Receive entry; name is always None after first call
|
||||
// Local path becomes local_dir_path
|
||||
self.filetransfer_recv_recurse(
|
||||
if let Err(err) = self.filetransfer_recv_recurse(
|
||||
entry,
|
||||
local_dir_path.as_path(),
|
||||
None,
|
||||
);
|
||||
) {
|
||||
return Err(err);
|
||||
}
|
||||
}
|
||||
Ok(())
|
||||
}
|
||||
Err(err) => {
|
||||
self.log_and_alert(
|
||||
@@ -814,6 +847,7 @@ impl FileTransferActivity {
|
||||
err
|
||||
),
|
||||
);
|
||||
Err(err.to_string())
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -826,10 +860,11 @@ impl FileTransferActivity {
|
||||
err
|
||||
),
|
||||
);
|
||||
Err(err.to_string())
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
};
|
||||
// Reload directory on local
|
||||
self.reload_local_dir();
|
||||
// if aborted; show alert
|
||||
@@ -843,6 +878,7 @@ impl FileTransferActivity {
|
||||
),
|
||||
);
|
||||
}
|
||||
result
|
||||
}
|
||||
|
||||
/// ### filetransfer_recv_one
|
||||
|
||||
@@ -58,6 +58,8 @@ const COMPONENT_RADIO_PROMPT_ON_FILE_REPLACE: &str = "RADIO_PROMPT_ON_FILE_REPLA
|
||||
const COMPONENT_RADIO_GROUP_DIRS: &str = "RADIO_GROUP_DIRS";
|
||||
const COMPONENT_INPUT_LOCAL_FILE_FMT: &str = "INPUT_LOCAL_FILE_FMT";
|
||||
const COMPONENT_INPUT_REMOTE_FILE_FMT: &str = "INPUT_REMOTE_FILE_FMT";
|
||||
const COMPONENT_RADIO_NOTIFICATIONS_ENABLED: &str = "RADIO_NOTIFICATIONS_ENABLED";
|
||||
const COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD: &str = "INPUT_NOTIFICATIONS_THRESHOLD";
|
||||
// -- ssh keys
|
||||
const COMPONENT_LIST_SSH_KEYS: &str = "LIST_SSH_KEYS";
|
||||
const COMPONENT_INPUT_SSH_HOST: &str = "INPUT_SSH_HOST";
|
||||
|
||||
@@ -40,11 +40,13 @@ use super::{
|
||||
COMPONENT_COLOR_TRANSFER_PROG_BAR_FULL, COMPONENT_COLOR_TRANSFER_PROG_BAR_PARTIAL,
|
||||
COMPONENT_COLOR_TRANSFER_STATUS_HIDDEN, COMPONENT_COLOR_TRANSFER_STATUS_SORTING,
|
||||
COMPONENT_COLOR_TRANSFER_STATUS_SYNC, COMPONENT_INPUT_LOCAL_FILE_FMT,
|
||||
COMPONENT_INPUT_REMOTE_FILE_FMT, COMPONENT_INPUT_SSH_HOST, COMPONENT_INPUT_SSH_USERNAME,
|
||||
COMPONENT_INPUT_TEXT_EDITOR, COMPONENT_LIST_SSH_KEYS, COMPONENT_RADIO_DEFAULT_PROTOCOL,
|
||||
COMPONENT_RADIO_DEL_SSH_KEY, COMPONENT_RADIO_GROUP_DIRS, COMPONENT_RADIO_HIDDEN_FILES,
|
||||
COMPONENT_RADIO_PROMPT_ON_FILE_REPLACE, COMPONENT_RADIO_QUIT, COMPONENT_RADIO_SAVE,
|
||||
COMPONENT_RADIO_UPDATES, COMPONENT_TEXT_ERROR, COMPONENT_TEXT_HELP,
|
||||
COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD, COMPONENT_INPUT_REMOTE_FILE_FMT,
|
||||
COMPONENT_INPUT_SSH_HOST, COMPONENT_INPUT_SSH_USERNAME, COMPONENT_INPUT_TEXT_EDITOR,
|
||||
COMPONENT_LIST_SSH_KEYS, COMPONENT_RADIO_DEFAULT_PROTOCOL, COMPONENT_RADIO_DEL_SSH_KEY,
|
||||
COMPONENT_RADIO_GROUP_DIRS, COMPONENT_RADIO_HIDDEN_FILES,
|
||||
COMPONENT_RADIO_NOTIFICATIONS_ENABLED, COMPONENT_RADIO_PROMPT_ON_FILE_REPLACE,
|
||||
COMPONENT_RADIO_QUIT, COMPONENT_RADIO_SAVE, COMPONENT_RADIO_UPDATES, COMPONENT_TEXT_ERROR,
|
||||
COMPONENT_TEXT_HELP,
|
||||
};
|
||||
use crate::ui::keymap::*;
|
||||
use crate::utils::parser::parse_color;
|
||||
@@ -103,10 +105,26 @@ impl SetupActivity {
|
||||
None
|
||||
}
|
||||
(COMPONENT_INPUT_REMOTE_FILE_FMT, key) if key == &MSG_KEY_DOWN => {
|
||||
self.view.active(COMPONENT_RADIO_NOTIFICATIONS_ENABLED);
|
||||
None
|
||||
}
|
||||
(COMPONENT_RADIO_NOTIFICATIONS_ENABLED, key) if key == &MSG_KEY_DOWN => {
|
||||
self.view.active(COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD);
|
||||
None
|
||||
}
|
||||
(COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD, key) if key == &MSG_KEY_DOWN => {
|
||||
self.view.active(COMPONENT_INPUT_TEXT_EDITOR);
|
||||
None
|
||||
}
|
||||
// Input field <UP>
|
||||
(COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD, key) if key == &MSG_KEY_UP => {
|
||||
self.view.active(COMPONENT_RADIO_NOTIFICATIONS_ENABLED);
|
||||
None
|
||||
}
|
||||
(COMPONENT_RADIO_NOTIFICATIONS_ENABLED, key) if key == &MSG_KEY_UP => {
|
||||
self.view.active(COMPONENT_INPUT_REMOTE_FILE_FMT);
|
||||
None
|
||||
}
|
||||
(COMPONENT_INPUT_REMOTE_FILE_FMT, key) if key == &MSG_KEY_UP => {
|
||||
self.view.active(COMPONENT_INPUT_LOCAL_FILE_FMT);
|
||||
None
|
||||
@@ -136,7 +154,7 @@ impl SetupActivity {
|
||||
None
|
||||
}
|
||||
(COMPONENT_INPUT_TEXT_EDITOR, key) if key == &MSG_KEY_UP => {
|
||||
self.view.active(COMPONENT_INPUT_REMOTE_FILE_FMT);
|
||||
self.view.active(COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD);
|
||||
None
|
||||
}
|
||||
// Error <ENTER> or <ESC>
|
||||
|
||||
@@ -30,6 +30,7 @@
|
||||
use super::{Context, SetupActivity};
|
||||
use crate::filetransfer::FileTransferProtocol;
|
||||
use crate::fs::explorer::GroupDirs;
|
||||
use crate::ui::components::bytes::{Bytes, BytesPropsBuilder};
|
||||
use crate::utils::ui::draw_area_in;
|
||||
// Ext
|
||||
use std::path::PathBuf;
|
||||
@@ -143,8 +144,8 @@ impl SetupActivity {
|
||||
super::COMPONENT_INPUT_LOCAL_FILE_FMT,
|
||||
Box::new(Input::new(
|
||||
InputPropsBuilder::default()
|
||||
.with_foreground(Color::LightBlue)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightBlue)
|
||||
.with_foreground(Color::LightGreen)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightGreen)
|
||||
.with_label("File formatter syntax (local)", Alignment::Left)
|
||||
.build(),
|
||||
)),
|
||||
@@ -153,12 +154,35 @@ impl SetupActivity {
|
||||
super::COMPONENT_INPUT_REMOTE_FILE_FMT,
|
||||
Box::new(Input::new(
|
||||
InputPropsBuilder::default()
|
||||
.with_foreground(Color::LightGreen)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightGreen)
|
||||
.with_foreground(Color::LightCyan)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightCyan)
|
||||
.with_label("File formatter syntax (remote)", Alignment::Left)
|
||||
.build(),
|
||||
)),
|
||||
);
|
||||
self.view.mount(
|
||||
super::COMPONENT_RADIO_NOTIFICATIONS_ENABLED,
|
||||
Box::new(Radio::new(
|
||||
RadioPropsBuilder::default()
|
||||
.with_color(Color::LightRed)
|
||||
.with_inverted_color(Color::Black)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightRed)
|
||||
.with_title("Enable notifications?", Alignment::Left)
|
||||
.with_options(&[String::from("Yes"), String::from("No")])
|
||||
.rewind(true)
|
||||
.build(),
|
||||
)),
|
||||
);
|
||||
self.view.mount(
|
||||
super::COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD,
|
||||
Box::new(Bytes::new(
|
||||
BytesPropsBuilder::default()
|
||||
.with_foreground(Color::LightYellow)
|
||||
.with_borders(Borders::ALL, BorderType::Rounded, Color::LightYellow)
|
||||
.with_label("Notifications: minimum transfer size", Alignment::Left)
|
||||
.build(),
|
||||
)),
|
||||
);
|
||||
// Load values
|
||||
self.load_input_values();
|
||||
}
|
||||
@@ -173,7 +197,7 @@ impl SetupActivity {
|
||||
.constraints(
|
||||
[
|
||||
Constraint::Length(3), // Current tab
|
||||
Constraint::Length(21), // Main body
|
||||
Constraint::Length(18), // Main body
|
||||
Constraint::Length(3), // Help footer
|
||||
]
|
||||
.as_ref(),
|
||||
@@ -182,8 +206,13 @@ impl SetupActivity {
|
||||
// Render common widget
|
||||
self.view.render(super::COMPONENT_RADIO_TAB, f, chunks[0]);
|
||||
self.view.render(super::COMPONENT_TEXT_FOOTER, f, chunks[2]);
|
||||
// Make chunks
|
||||
// Make chunks (two columns)
|
||||
let ui_cfg_chunks = Layout::default()
|
||||
.direction(Direction::Horizontal)
|
||||
.constraints([Constraint::Percentage(50), Constraint::Percentage(50)].as_ref())
|
||||
.split(chunks[1]);
|
||||
// Column 1
|
||||
let ui_cfg_chunks_col1 = Layout::default()
|
||||
.direction(Direction::Vertical)
|
||||
.constraints(
|
||||
[
|
||||
@@ -193,31 +222,65 @@ impl SetupActivity {
|
||||
Constraint::Length(3), // Updates tab
|
||||
Constraint::Length(3), // Prompt file replace
|
||||
Constraint::Length(3), // Group dirs
|
||||
Constraint::Length(3), // Local Format input
|
||||
Constraint::Length(3), // Remote Format input
|
||||
]
|
||||
.as_ref(),
|
||||
)
|
||||
.split(chunks[1]);
|
||||
.split(ui_cfg_chunks[0]);
|
||||
self.view
|
||||
.render(super::COMPONENT_INPUT_TEXT_EDITOR, f, ui_cfg_chunks[0]);
|
||||
.render(super::COMPONENT_INPUT_TEXT_EDITOR, f, ui_cfg_chunks_col1[0]);
|
||||
self.view.render(
|
||||
super::COMPONENT_RADIO_DEFAULT_PROTOCOL,
|
||||
f,
|
||||
ui_cfg_chunks_col1[1],
|
||||
);
|
||||
self.view.render(
|
||||
super::COMPONENT_RADIO_HIDDEN_FILES,
|
||||
f,
|
||||
ui_cfg_chunks_col1[2],
|
||||
);
|
||||
self.view
|
||||
.render(super::COMPONENT_RADIO_DEFAULT_PROTOCOL, f, ui_cfg_chunks[1]);
|
||||
self.view
|
||||
.render(super::COMPONENT_RADIO_HIDDEN_FILES, f, ui_cfg_chunks[2]);
|
||||
self.view
|
||||
.render(super::COMPONENT_RADIO_UPDATES, f, ui_cfg_chunks[3]);
|
||||
.render(super::COMPONENT_RADIO_UPDATES, f, ui_cfg_chunks_col1[3]);
|
||||
self.view.render(
|
||||
super::COMPONENT_RADIO_PROMPT_ON_FILE_REPLACE,
|
||||
f,
|
||||
ui_cfg_chunks[4],
|
||||
ui_cfg_chunks_col1[4],
|
||||
);
|
||||
self.view
|
||||
.render(super::COMPONENT_RADIO_GROUP_DIRS, f, ui_cfg_chunks[5]);
|
||||
self.view
|
||||
.render(super::COMPONENT_INPUT_LOCAL_FILE_FMT, f, ui_cfg_chunks[6]);
|
||||
self.view
|
||||
.render(super::COMPONENT_INPUT_REMOTE_FILE_FMT, f, ui_cfg_chunks[7]);
|
||||
.render(super::COMPONENT_RADIO_GROUP_DIRS, f, ui_cfg_chunks_col1[5]);
|
||||
// Column 2
|
||||
let ui_cfg_chunks_col2 = Layout::default()
|
||||
.direction(Direction::Vertical)
|
||||
.constraints(
|
||||
[
|
||||
Constraint::Length(3), // Local Format input
|
||||
Constraint::Length(3), // Remote Format input
|
||||
Constraint::Length(3), // Notifications enabled
|
||||
Constraint::Length(3), // Notifications threshold
|
||||
Constraint::Length(1), // Filler
|
||||
]
|
||||
.as_ref(),
|
||||
)
|
||||
.split(ui_cfg_chunks[1]);
|
||||
self.view.render(
|
||||
super::COMPONENT_INPUT_LOCAL_FILE_FMT,
|
||||
f,
|
||||
ui_cfg_chunks_col2[0],
|
||||
);
|
||||
self.view.render(
|
||||
super::COMPONENT_INPUT_REMOTE_FILE_FMT,
|
||||
f,
|
||||
ui_cfg_chunks_col2[1],
|
||||
);
|
||||
self.view.render(
|
||||
super::COMPONENT_RADIO_NOTIFICATIONS_ENABLED,
|
||||
f,
|
||||
ui_cfg_chunks_col2[2],
|
||||
);
|
||||
self.view.render(
|
||||
super::COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD,
|
||||
f,
|
||||
ui_cfg_chunks_col2[3],
|
||||
);
|
||||
// Popups
|
||||
if let Some(props) = self.view.get_props(super::COMPONENT_TEXT_ERROR) {
|
||||
if props.visible {
|
||||
@@ -341,6 +404,31 @@ impl SetupActivity {
|
||||
.view
|
||||
.update(super::COMPONENT_INPUT_REMOTE_FILE_FMT, props);
|
||||
}
|
||||
// Notifications enabled
|
||||
if let Some(props) = self
|
||||
.view
|
||||
.get_props(super::COMPONENT_RADIO_NOTIFICATIONS_ENABLED)
|
||||
{
|
||||
let enabled: usize = match self.config().get_notifications() {
|
||||
true => 0,
|
||||
false => 1,
|
||||
};
|
||||
let props = RadioPropsBuilder::from(props).with_value(enabled).build();
|
||||
let _ = self
|
||||
.view
|
||||
.update(super::COMPONENT_RADIO_NOTIFICATIONS_ENABLED, props);
|
||||
}
|
||||
// Notifications threshold
|
||||
if let Some(props) = self
|
||||
.view
|
||||
.get_props(super::COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD)
|
||||
{
|
||||
let value: u64 = self.config().get_notification_threshold();
|
||||
let props = BytesPropsBuilder::from(props).with_value(value).build();
|
||||
let _ = self
|
||||
.view
|
||||
.update(super::COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD, props);
|
||||
}
|
||||
}
|
||||
|
||||
/// ### collect_input_values
|
||||
@@ -404,5 +492,17 @@ impl SetupActivity {
|
||||
};
|
||||
self.config_mut().set_group_dirs(dirs);
|
||||
}
|
||||
if let Some(Payload::One(Value::Usize(opt))) = self
|
||||
.view
|
||||
.get_state(super::COMPONENT_RADIO_NOTIFICATIONS_ENABLED)
|
||||
{
|
||||
self.config_mut().set_notifications(opt == 0);
|
||||
}
|
||||
if let Some(Payload::One(Value::U64(bytes))) = self
|
||||
.view
|
||||
.get_state(super::COMPONENT_INPUT_NOTIFICATIONS_THRESHOLD)
|
||||
{
|
||||
self.config_mut().set_notification_threshold(bytes);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
310
src/ui/components/bytes.rs
Normal file
310
src/ui/components/bytes.rs
Normal file
@@ -0,0 +1,310 @@
|
||||
//! ## Bytes
|
||||
//!
|
||||
//! `Bytes` component extends an `Input` component in order to provide an input type for byte size.
|
||||
|
||||
/**
|
||||
* MIT License
|
||||
*
|
||||
* termscp - Copyright (c) 2021 Christian Visintin
|
||||
*
|
||||
* Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
* of this software and associated documentation files (the "Software"), to deal
|
||||
* in the Software without restriction, including without limitation the rights
|
||||
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
* copies of the Software, and to permit persons to whom the Software is
|
||||
* furnished to do so, subject to the following conditions:
|
||||
*
|
||||
* The above copyright notice and this permission notice shall be included in all
|
||||
* copies or substantial portions of the Software.
|
||||
*
|
||||
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
||||
* SOFTWARE.
|
||||
*/
|
||||
// locals
|
||||
use crate::utils::fmt::fmt_bytes;
|
||||
use crate::utils::parser::parse_bytesize;
|
||||
// ext
|
||||
use tui_realm_stdlib::{Input, InputPropsBuilder};
|
||||
use tuirealm::event::Event;
|
||||
use tuirealm::props::{Alignment, Props, PropsBuilder};
|
||||
use tuirealm::tui::{
|
||||
layout::Rect,
|
||||
style::Color,
|
||||
widgets::{BorderType, Borders},
|
||||
};
|
||||
use tuirealm::{Component, Frame, Msg, Payload, Value};
|
||||
|
||||
// -- props
|
||||
|
||||
/// ## BytesPropsBuilder
|
||||
///
|
||||
/// A wrapper around an `InputPropsBuilder`
|
||||
pub struct BytesPropsBuilder {
|
||||
puppet: InputPropsBuilder,
|
||||
}
|
||||
|
||||
impl Default for BytesPropsBuilder {
|
||||
fn default() -> Self {
|
||||
Self {
|
||||
puppet: InputPropsBuilder::default(),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl PropsBuilder for BytesPropsBuilder {
|
||||
fn build(&mut self) -> Props {
|
||||
self.puppet.build()
|
||||
}
|
||||
|
||||
fn hidden(&mut self) -> &mut Self {
|
||||
self.puppet.hidden();
|
||||
self
|
||||
}
|
||||
|
||||
fn visible(&mut self) -> &mut Self {
|
||||
self.puppet.visible();
|
||||
self
|
||||
}
|
||||
}
|
||||
|
||||
impl From<Props> for BytesPropsBuilder {
|
||||
fn from(props: Props) -> Self {
|
||||
BytesPropsBuilder {
|
||||
puppet: InputPropsBuilder::from(props),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl BytesPropsBuilder {
|
||||
/// ### with_borders
|
||||
///
|
||||
/// Set component borders style
|
||||
pub fn with_borders(
|
||||
&mut self,
|
||||
borders: Borders,
|
||||
variant: BorderType,
|
||||
color: Color,
|
||||
) -> &mut Self {
|
||||
self.puppet.with_borders(borders, variant, color);
|
||||
self
|
||||
}
|
||||
|
||||
/// ### with_label
|
||||
///
|
||||
/// Set input label
|
||||
pub fn with_label<S: AsRef<str>>(&mut self, label: S, alignment: Alignment) -> &mut Self {
|
||||
self.puppet.with_label(label, alignment);
|
||||
self
|
||||
}
|
||||
|
||||
/// ### with_color
|
||||
///
|
||||
/// Set initial value for component
|
||||
pub fn with_foreground(&mut self, color: Color) -> &mut Self {
|
||||
self.puppet.with_foreground(color);
|
||||
self
|
||||
}
|
||||
|
||||
/// ### with_color
|
||||
///
|
||||
/// Set initial value for component
|
||||
pub fn with_value(&mut self, val: u64) -> &mut Self {
|
||||
self.puppet.with_value(fmt_bytes(val));
|
||||
self
|
||||
}
|
||||
}
|
||||
|
||||
// -- component
|
||||
|
||||
/// ## Bytes
|
||||
///
|
||||
/// a wrapper component of `Input` which adds a superset of rules to behave as a color picker
|
||||
pub struct Bytes {
|
||||
input: Input,
|
||||
native_color: Color,
|
||||
}
|
||||
|
||||
impl Bytes {
|
||||
/// ### new
|
||||
///
|
||||
/// Instantiate a new `Bytes`
|
||||
pub fn new(props: Props) -> Self {
|
||||
// Instantiate a new color picker using input
|
||||
Self {
|
||||
native_color: props.foreground,
|
||||
input: Input::new(props),
|
||||
}
|
||||
}
|
||||
|
||||
/// ### update_colors
|
||||
///
|
||||
/// Update colors to match selected color, with provided one
|
||||
fn update_colors(&mut self, color: Color) {
|
||||
let mut props = self.get_props();
|
||||
props.foreground = color;
|
||||
props.borders.color = color;
|
||||
let _ = self.input.update(props);
|
||||
}
|
||||
}
|
||||
|
||||
impl Component for Bytes {
|
||||
/// ### render
|
||||
///
|
||||
/// Based on the current properties and states, renders a widget using the provided render engine in the provided Area
|
||||
/// If focused, cursor is also set (if supported by widget)
|
||||
#[cfg(not(tarpaulin_include))]
|
||||
fn render(&self, render: &mut Frame, area: Rect) {
|
||||
self.input.render(render, area);
|
||||
}
|
||||
|
||||
/// ### update
|
||||
///
|
||||
/// Update component properties
|
||||
/// Properties should first be retrieved through `get_props` which creates a builder from
|
||||
/// existing properties and then edited before calling update.
|
||||
/// Returns a Msg to the view
|
||||
fn update(&mut self, props: Props) -> Msg {
|
||||
let msg: Msg = self.input.update(props);
|
||||
match msg {
|
||||
Msg::OnChange(Payload::One(Value::Str(input))) => {
|
||||
match parse_bytesize(input.as_str()) {
|
||||
Some(bytes) => {
|
||||
// return OK
|
||||
self.update_colors(self.native_color);
|
||||
Msg::OnChange(Payload::One(Value::U64(bytes.as_u64())))
|
||||
}
|
||||
None => {
|
||||
// Invalid color
|
||||
self.update_colors(Color::Red);
|
||||
Msg::None
|
||||
}
|
||||
}
|
||||
}
|
||||
msg => msg,
|
||||
}
|
||||
}
|
||||
|
||||
/// ### get_props
|
||||
///
|
||||
/// Returns a props builder starting from component properties.
|
||||
/// This returns a prop builder in order to make easier to create
|
||||
/// new properties for the element.
|
||||
fn get_props(&self) -> Props {
|
||||
self.input.get_props()
|
||||
}
|
||||
|
||||
/// ### on
|
||||
///
|
||||
/// Handle input event and update internal states.
|
||||
/// Returns a Msg to the view
|
||||
fn on(&mut self, ev: Event) -> Msg {
|
||||
// Capture message from input
|
||||
match self.input.on(ev) {
|
||||
Msg::OnChange(Payload::One(Value::Str(input))) => {
|
||||
// Capture color and validate
|
||||
match parse_bytesize(input.as_str()) {
|
||||
Some(bytes) => {
|
||||
// Update color and return OK
|
||||
self.update_colors(self.native_color);
|
||||
Msg::OnChange(Payload::One(Value::U64(bytes.as_u64())))
|
||||
}
|
||||
None => {
|
||||
// Invalid color
|
||||
self.update_colors(Color::Red);
|
||||
Msg::None
|
||||
}
|
||||
}
|
||||
}
|
||||
Msg::OnSubmit(_) => Msg::None,
|
||||
msg => msg,
|
||||
}
|
||||
}
|
||||
|
||||
/// ### get_state
|
||||
///
|
||||
/// Get current state from component
|
||||
/// For this component returns Unsigned if the input type is a number, otherwise a text
|
||||
/// The value is always the current input.
|
||||
fn get_state(&self) -> Payload {
|
||||
match self.input.get_state() {
|
||||
Payload::One(Value::Str(bytes)) => match parse_bytesize(bytes.as_str()) {
|
||||
None => Payload::None,
|
||||
Some(bytes) => Payload::One(Value::U64(bytes.as_u64())),
|
||||
},
|
||||
_ => Payload::None,
|
||||
}
|
||||
}
|
||||
|
||||
// -- events
|
||||
|
||||
/// ### blur
|
||||
///
|
||||
/// Blur component; basically remove focus
|
||||
fn blur(&mut self) {
|
||||
self.input.blur();
|
||||
}
|
||||
|
||||
/// ### active
|
||||
///
|
||||
/// Active component; basically give focus
|
||||
fn active(&mut self) {
|
||||
self.input.active();
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod test {
|
||||
use super::*;
|
||||
|
||||
use crossterm::event::{KeyCode, KeyEvent};
|
||||
use pretty_assertions::assert_eq;
|
||||
|
||||
#[test]
|
||||
fn bytes_input() {
|
||||
let mut component: Bytes = Bytes::new(
|
||||
BytesPropsBuilder::default()
|
||||
.visible()
|
||||
.with_value(1024)
|
||||
.with_borders(Borders::ALL, BorderType::Double, Color::Rgb(204, 170, 0))
|
||||
.with_label("omar", Alignment::Left)
|
||||
.with_foreground(Color::Red)
|
||||
.build(),
|
||||
);
|
||||
// Focus
|
||||
component.blur();
|
||||
component.active();
|
||||
// Get value
|
||||
assert_eq!(component.get_state(), Payload::One(Value::U64(1024)));
|
||||
// Set an invalid color
|
||||
let props = InputPropsBuilder::from(component.get_props())
|
||||
.with_value(String::from("#pippo1"))
|
||||
.hidden()
|
||||
.build();
|
||||
assert_eq!(component.update(props), Msg::None);
|
||||
assert_eq!(component.get_state(), Payload::None);
|
||||
// Reset color
|
||||
let props = BytesPropsBuilder::from(component.get_props())
|
||||
.with_value(111)
|
||||
.hidden()
|
||||
.build();
|
||||
assert_eq!(
|
||||
component.update(props),
|
||||
Msg::OnChange(Payload::One(Value::U64(111)))
|
||||
);
|
||||
// Backspace (invalid)
|
||||
assert_eq!(
|
||||
component.on(Event::Key(KeyEvent::from(KeyCode::Backspace))),
|
||||
Msg::None
|
||||
);
|
||||
// Press '1'
|
||||
assert_eq!(
|
||||
component.on(Event::Key(KeyEvent::from(KeyCode::Char('B')))),
|
||||
Msg::OnChange(Payload::One(Value::U64(111)))
|
||||
);
|
||||
}
|
||||
}
|
||||
@@ -27,6 +27,7 @@
|
||||
*/
|
||||
// exports
|
||||
pub mod bookmark_list;
|
||||
pub mod bytes;
|
||||
pub mod color_picker;
|
||||
pub mod file_list;
|
||||
pub mod logbox;
|
||||
|
||||
@@ -287,6 +287,25 @@ pub fn shadow_password(s: &str) -> String {
|
||||
(0..s.len()).map(|_| '*').collect()
|
||||
}
|
||||
|
||||
/// ### fmt_bytes
|
||||
///
|
||||
/// Format bytes
|
||||
pub fn fmt_bytes(v: u64) -> String {
|
||||
if v >= 1125899906842624 {
|
||||
format!("{} PB", v / 1125899906842624)
|
||||
} else if v >= 1099511627776 {
|
||||
format!("{} TB", v / 1099511627776)
|
||||
} else if v >= 1073741824 {
|
||||
format!("{} GB", v / 1073741824)
|
||||
} else if v >= 1048576 {
|
||||
format!("{} MB", v / 1048576)
|
||||
} else if v >= 1024 {
|
||||
format!("{} KB", v / 1024)
|
||||
} else {
|
||||
format!("{} B", v)
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod tests {
|
||||
|
||||
@@ -599,4 +618,14 @@ mod tests {
|
||||
fn test_utils_fmt_shadow_password() {
|
||||
assert_eq!(shadow_password("foobar"), String::from("******"));
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn format_bytes() {
|
||||
assert_eq!(fmt_bytes(110).as_str(), "110 B");
|
||||
assert_eq!(fmt_bytes(2048).as_str(), "2 KB");
|
||||
assert_eq!(fmt_bytes(2097152).as_str(), "2 MB");
|
||||
assert_eq!(fmt_bytes(4294967296).as_str(), "4 GB");
|
||||
assert_eq!(fmt_bytes(3298534883328).as_str(), "3 TB");
|
||||
assert_eq!(fmt_bytes(3377699720527872).as_str(), "3 PB");
|
||||
}
|
||||
}
|
||||
|
||||
@@ -36,6 +36,7 @@ use crate::system::config_client::ConfigClient;
|
||||
use crate::system::environment;
|
||||
|
||||
// Ext
|
||||
use bytesize::ByteSize;
|
||||
use chrono::format::ParseError;
|
||||
use chrono::prelude::*;
|
||||
use regex::Regex;
|
||||
@@ -95,6 +96,12 @@ lazy_static! {
|
||||
* - group 6: blue
|
||||
*/
|
||||
static ref COLOR_RGB_REGEX: Regex = Regex::new(r"^(rgb)?\(?([01]?\d\d?|2[0-4]\d|25[0-5])(\W+)([01]?\d\d?|2[0-4]\d|25[0-5])\W+(([01]?\d\d?|2[0-4]\d|25[0-5])\)?)").unwrap();
|
||||
/**
|
||||
* Regex matches:
|
||||
* - group 1: amount (number)
|
||||
* - group 4: unit (K, M, G, T, P)
|
||||
*/
|
||||
static ref BYTESIZE_REGEX: Regex = Regex::new(r"(:?([0-9])+)( )*(:?[KMGTP])?B").unwrap();
|
||||
}
|
||||
|
||||
// -- remote opts
|
||||
@@ -549,6 +556,57 @@ fn parse_rgb_color(color: &str) -> Option<Color> {
|
||||
})
|
||||
}
|
||||
|
||||
#[derive(Debug, PartialEq)]
|
||||
enum ByteUnit {
|
||||
Byte,
|
||||
Kilobyte,
|
||||
Megabyte,
|
||||
Gigabyte,
|
||||
Terabyte,
|
||||
Petabyte,
|
||||
}
|
||||
|
||||
impl FromStr for ByteUnit {
|
||||
type Err = &'static str;
|
||||
|
||||
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
||||
match s {
|
||||
"B" => Ok(Self::Byte),
|
||||
"KB" => Ok(Self::Kilobyte),
|
||||
"MB" => Ok(Self::Megabyte),
|
||||
"GB" => Ok(Self::Gigabyte),
|
||||
"TB" => Ok(Self::Terabyte),
|
||||
"PB" => Ok(Self::Petabyte),
|
||||
_ => Err("Invalid unit"),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// ### parse_bytesize
|
||||
///
|
||||
/// Parse bytes repr (e.g. `24 MB`) into `ByteSize`
|
||||
pub fn parse_bytesize<S: AsRef<str>>(bytes: S) -> Option<ByteSize> {
|
||||
match BYTESIZE_REGEX.captures(bytes.as_ref()) {
|
||||
None => None,
|
||||
Some(groups) => {
|
||||
let amount = groups
|
||||
.get(1)
|
||||
.map(|x| x.as_str().parse::<u64>().unwrap_or(0))?;
|
||||
let unit = groups.get(4).map(|x| x.as_str().to_string());
|
||||
let unit = format!("{}B", unit.unwrap_or_default());
|
||||
let unit = ByteUnit::from_str(unit.as_str()).unwrap();
|
||||
Some(match unit {
|
||||
ByteUnit::Byte => ByteSize::b(amount),
|
||||
ByteUnit::Gigabyte => ByteSize::gib(amount),
|
||||
ByteUnit::Kilobyte => ByteSize::kib(amount),
|
||||
ByteUnit::Megabyte => ByteSize::mib(amount),
|
||||
ByteUnit::Petabyte => ByteSize::pib(amount),
|
||||
ByteUnit::Terabyte => ByteSize::tib(amount),
|
||||
})
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod tests {
|
||||
|
||||
@@ -1055,4 +1113,25 @@ mod tests {
|
||||
);
|
||||
assert!(parse_color("redd").is_none());
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn parse_byteunit() {
|
||||
assert_eq!(ByteUnit::from_str("B").ok().unwrap(), ByteUnit::Byte);
|
||||
assert_eq!(ByteUnit::from_str("KB").ok().unwrap(), ByteUnit::Kilobyte);
|
||||
assert_eq!(ByteUnit::from_str("MB").ok().unwrap(), ByteUnit::Megabyte);
|
||||
assert_eq!(ByteUnit::from_str("GB").ok().unwrap(), ByteUnit::Gigabyte);
|
||||
assert_eq!(ByteUnit::from_str("TB").ok().unwrap(), ByteUnit::Terabyte);
|
||||
assert_eq!(ByteUnit::from_str("PB").ok().unwrap(), ByteUnit::Petabyte);
|
||||
assert!(ByteUnit::from_str("uB").is_err());
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn parse_str_as_bytesize() {
|
||||
assert_eq!(parse_bytesize("1024 B").unwrap().as_u64(), 1024);
|
||||
assert_eq!(parse_bytesize("1024B").unwrap().as_u64(), 1024);
|
||||
assert_eq!(parse_bytesize("10240 KB").unwrap().as_u64(), 10485760);
|
||||
assert_eq!(parse_bytesize("2 GB").unwrap().as_u64(), 2147483648);
|
||||
assert_eq!(parse_bytesize("1 TB").unwrap().as_u64(), 1099511627776);
|
||||
assert!(parse_bytesize("1 XB").is_none());
|
||||
}
|
||||
}
|
||||
|
||||
Reference in New Issue
Block a user