Working on main activity (FileTransferActivity)

This commit is contained in:
ChristianVisintin
2020-11-24 22:05:11 +01:00
parent 9eefafde59
commit d871497a49
6 changed files with 355 additions and 39 deletions

View File

@@ -26,9 +26,12 @@
use std::path::PathBuf; use std::path::PathBuf;
// Deps // Deps
use crate::filetransfer::FileTransfer;
use crate::host::Localhost; use crate::host::Localhost;
use crate::ui::activities::{auth_activity::AuthActivity, auth_activity::ScpProtocol, Activity}; use crate::ui::activities::{
auth_activity::AuthActivity, auth_activity::ScpProtocol,
filetransfer_activity::FileTransferActivity, filetransfer_activity::FileTransferParams,
Activity,
};
use crate::ui::context::Context; use crate::ui::context::Context;
// Namespaces // Namespaces
@@ -43,17 +46,6 @@ pub enum NextActivity {
FileTransfer, FileTransfer,
} }
/// ### FileTransferParams
///
/// Holds connection parameters for file transfers
struct FileTransferParams {
address: String,
port: u16,
protocol: ScpProtocol,
username: Option<String>,
password: Option<String>,
}
/// ### ActivityManager /// ### ActivityManager
/// ///
/// The activity manager takes care of running activities and handling them until the application has ended /// The activity manager takes care of running activities and handling them until the application has ended
@@ -68,7 +60,6 @@ impl ActivityManager {
/// ///
/// Initializes a new Activity Manager /// Initializes a new Activity Manager
pub fn new( pub fn new(
client: Box<dyn FileTransfer>,
local_dir: &PathBuf, local_dir: &PathBuf,
interval: Duration, interval: Duration,
) -> Result<ActivityManager, ()> { ) -> Result<ActivityManager, ()> {
@@ -77,7 +68,7 @@ impl ActivityManager {
Ok(h) => h, Ok(h) => h,
Err(_) => return Err(()), Err(_) => return Err(()),
}; };
let ctx: Context = Context::new(client, host); let ctx: Context = Context::new(host);
Ok(ActivityManager { Ok(ActivityManager {
context: ctx, context: ctx,
ftparams: None, ftparams: None,
@@ -116,7 +107,7 @@ impl ActivityManager {
current_activity = match current_activity { current_activity = match current_activity {
Some(activity) => match activity { Some(activity) => match activity {
NextActivity::Authentication => self.run_authentication(), NextActivity::Authentication => self.run_authentication(),
NextActivity::FileTransfer => self.run_authentication(), // FIXME: change NextActivity::FileTransfer => self.run_filetransfer(),
}, },
None => break, // Exit None => break, // Exit
} }
@@ -149,6 +140,58 @@ impl ActivityManager {
if activity.submit { if activity.submit {
// User submitted, set next activity // User submitted, set next activity
result = Some(NextActivity::FileTransfer); result = Some(NextActivity::FileTransfer);
// Get params
self.ftparams = Some(FileTransferParams {
address: activity.address.clone(),
port: activity.port.parse::<u16>().ok().unwrap(),
username: match activity.username.len() {
0 => None,
_ => Some(activity.username.clone()),
},
password: match activity.password.len() {
0 => None,
_ => Some(activity.password.clone()),
},
protocol: activity.protocol.clone(),
});
break;
}
// Sleep for ticks
sleep(self.interval);
}
// Destroy activity
activity.on_destroy(&mut self.context);
result
}
/// ### run_filetransfer
///
/// Loop for FileTransfer activity.
/// Returns when activity terminates.
/// Returns the next activity to run
fn run_filetransfer(&mut self) -> Option<NextActivity> {
if self.ftparams.is_none() {
return Some(NextActivity::Authentication);
}
// Prepare activity
let mut activity: FileTransferActivity =
FileTransferActivity::new(self.ftparams.take().unwrap());
// Prepare result
let result: Option<NextActivity>;
// Create activity
activity.on_create(&mut self.context);
loop {
// Draw activity
activity.on_draw(&mut self.context);
// Check if has to be terminated
if activity.quit {
// Quit activities
result = None;
break;
}
if activity.disconnected {
// User disconnected, set next activity to authentication
result = Some(NextActivity::Authentication);
break; break;
} }
// Sleep for ticks // Sleep for ticks

View File

@@ -42,7 +42,6 @@ mod utils;
// namespaces // namespaces
use activity_manager::{ActivityManager, NextActivity}; use activity_manager::{ActivityManager, NextActivity};
use filetransfer::{sftp_transfer::SftpFileTransfer, FileTransfer};
use ui::activities::auth_activity::ScpProtocol; use ui::activities::auth_activity::ScpProtocol;
/// ### print_usage /// ### print_usage
@@ -119,22 +118,13 @@ fn main() {
} }
} }
} }
// Prepare file transfer
let file_transfer: Box<dyn FileTransfer> = match protocol {
ScpProtocol::Sftp => Box::new(SftpFileTransfer::new()),
_ => {
// FIXME: complete with ftp client
eprintln!("Unsupported protocol!");
std::process::exit(255);
}
};
// Get working directory // Get working directory
let wrkdir: PathBuf = match env::current_dir() { let wrkdir: PathBuf = match env::current_dir() {
Ok(dir) => dir, Ok(dir) => dir,
Err(_) => PathBuf::from("/"), Err(_) => PathBuf::from("/"),
}; };
// Create activity manager // Create activity manager
let mut manager: ActivityManager = match ActivityManager::new(file_transfer, &wrkdir, ticks) { let mut manager: ActivityManager = match ActivityManager::new(&wrkdir, ticks) {
Ok(m) => m, Ok(m) => m,
Err(_) => { Err(_) => {
eprintln!("Invalid directory '{}'", wrkdir.display()); eprintln!("Invalid directory '{}'", wrkdir.display());

View File

@@ -68,7 +68,7 @@ enum InputMode {
/// ### ScpProtocol /// ### ScpProtocol
/// ///
/// ScpProtocol describes the communication protocol selected by the user to communicate with the remote /// ScpProtocol describes the communication protocol selected by the user to communicate with the remote
#[derive(std::cmp::PartialEq, std::fmt::Debug)] #[derive(std::cmp::PartialEq, std::fmt::Debug, std::clone::Clone)]
pub enum ScpProtocol { pub enum ScpProtocol {
Sftp, Sftp,
Ftp, Ftp,

View File

@@ -0,0 +1,292 @@
//! ## FileTransferActivity
//!
//! `filetransfer_activiy` is the module which implements the Filetransfer activity, which is the main activity afterall
/*
*
* Copyright (C) 2020 Christian Visintin - christian.visintin1997@gmail.com
*
* This file is part of "TermSCP"
*
* TermSCP is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* TermSCP is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with TermSCP. If not, see <http://www.gnu.org/licenses/>.
*
*/
// Dependencies
extern crate crossterm;
extern crate tui;
extern crate unicode_width;
// locals
use super::auth_activity::ScpProtocol;
use super::{Activity, Context};
// File transfer
use crate::filetransfer::sftp_transfer::SftpFileTransfer;
use crate::filetransfer::FileTransfer;
// Includes
use crossterm::event::Event as InputEvent;
use crossterm::event::KeyCode;
use crossterm::terminal::{disable_raw_mode, enable_raw_mode};
use std::io::Stdout;
use tui::{
backend::CrosstermBackend,
layout::{Constraint, Direction, Layout, Rect},
style::{Color, Modifier, Style},
terminal::Frame,
text::{Span, Spans, Text},
widgets::{Block, Borders, Clear, Paragraph, Tabs},
};
use unicode_width::UnicodeWidthStr;
// Types
type DialogCallback = fn();
/// ### FileTransferParams
///
/// Holds connection parameters for file transfers
pub struct FileTransferParams {
pub address: String,
pub port: u16,
pub protocol: ScpProtocol,
pub username: Option<String>,
pub password: Option<String>,
}
/// ## PopupType
///
/// PopupType describes the type of popup
#[derive(std::cmp::PartialEq)]
enum PopupType {
Alert(Color, String),
Progress(String),
YesNo(String, DialogCallback, DialogCallback), // Yes, no callback
}
/// ## InputMode
///
/// InputMode describes the current input mode
/// Each input mode handle the input events in a different way
#[derive(std::cmp::PartialEq)]
enum InputMode {
Explorer,
Popup(PopupType),
}
/// ## FileExplorer
///
/// File explorer states
struct FileExplorer {
pub index: usize,
}
impl FileExplorer {
/// ### new
///
/// Instantiates a new FileExplorer
pub fn new() -> FileExplorer {
FileExplorer { index: 0 }
}
}
/// ## FileExplorerTab
///
/// File explorer tab
enum FileExplorerTab {
Local,
Remote,
}
/// ## LogLevel
///
/// Log level type
enum LogLevel {
Error,
Warn,
Info,
}
/// ## LogRecord
///
/// Log record entry
struct LogRecord {
pub level: LogLevel,
pub msg: String,
}
impl LogRecord {
/// ### new
///
/// Instantiates a new LogRecord
pub fn new(level: LogLevel, msg: &str) -> LogRecord {
LogRecord {
level: level,
msg: String::from(msg),
}
}
}
/// ## FileTransferActivity
///
/// FileTransferActivity is the data holder for the file transfer activity
pub struct FileTransferActivity {
pub disconnected: bool,
pub quit: bool,
params: FileTransferParams,
local: FileExplorer,
remote: FileExplorer,
tab: FileExplorerTab,
log_records: Vec<LogRecord>,
progress: usize,
input_mode: InputMode,
client: Box<dyn FileTransfer>,
}
impl FileTransferActivity {
/// ### new
///
/// Instantiates a new FileTransferActivity
pub fn new(params: FileTransferParams) -> FileTransferActivity {
let protocol: ScpProtocol = params.protocol.clone();
FileTransferActivity {
disconnected: false,
quit: false,
params: params,
local: FileExplorer::new(),
remote: FileExplorer::new(),
tab: FileExplorerTab::Local,
log_records: Vec::new(),
progress: 0,
input_mode: InputMode::Explorer,
client: match protocol {
ScpProtocol::Sftp => Box::new(SftpFileTransfer::new()),
ScpProtocol::Ftp => Box::new(SftpFileTransfer::new()), // FIXME: FTP
},
}
}
/// ### draw
///
/// Draw UI
fn draw(&mut self, frame: &mut Frame<CrosstermBackend<Stdout>>) {
// TODO: implement
}
/// ### draw_header
///
/// Draw header
fn draw_header(&self) -> Paragraph {
Paragraph::new(" _____ ____ ____ ____ \n|_ _|__ _ __ _ __ ___ / ___| / ___| _ \\ \n | |/ _ \\ '__| '_ ` _ \\\\___ \\| | | |_) |\n | | __/ | | | | | | |___) | |___| __/ \n |_|\\___|_| |_| |_| |_|____/ \\____|_| \n")
.style(Style::default().fg(Color::LightYellow).add_modifier(Modifier::BOLD))
}
/// ### draw_footer
///
/// Draw authentication page footer
fn draw_footer(&self) -> Paragraph {
// Write header
let footer = vec![
Span::styled(
"<ESC>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("quit\t"),
Span::styled(
"<UP,DOWN>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("change input field\t"),
Span::styled(
"<RIGHT,LEFT>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("change explorer tab\t"),
Span::styled(
"<ENTER>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("to upload/download file\t"),
Span::styled(
"<CTRL+R>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("to rename file\t"),
Span::styled(
"<CANC>",
Style::default()
.bg(Color::Cyan)
.fg(Color::White)
.add_modifier(Modifier::BOLD),
),
Span::raw("to delete file\t"),
];
Paragraph::new(Text::from(Spans::from(footer)))
}
}
impl Activity for FileTransferActivity {
/// ### on_create
///
/// `on_create` is the function which must be called to initialize the activity.
/// `on_create` must initialize all the data structures used by the activity
fn on_create(&mut self, context: &mut Context) {
// Put raw mode on enabled
let _ = enable_raw_mode();
// Clear terminal
let _ = context.terminal.clear();
}
/// ### on_draw
///
/// `on_draw` is the function which draws the graphical interface.
/// This function must be called at each tick to refresh the interface
fn on_draw(&mut self, context: &mut Context) {
// TODO: logic
// draw interface
let _ = context.terminal.draw(|f| {
self.draw(f);
});
}
/// ### on_destroy
///
/// `on_destroy` is the function which cleans up runtime variables and data before terminating the activity.
/// This function must be called once before terminating the activity.
fn on_destroy(&mut self, context: &mut Context) {
// Disable raw mode
let _ = disable_raw_mode();
// Clear terminal
let _ = context.terminal.clear();
// Disconnect client
if self.client.is_connected() {
let _ = self.client.disconnect();
}
}
}

View File

@@ -29,6 +29,7 @@ use super::context::Context;
// Activities // Activities
pub mod auth_activity; pub mod auth_activity;
pub mod filetransfer_activity;
// Activity trait // Activity trait

View File

@@ -29,7 +29,6 @@ extern crate tui;
// Locals // Locals
use super::input::InputHandler; use super::input::InputHandler;
use crate::filetransfer::FileTransfer;
use crate::host::Localhost; use crate::host::Localhost;
// Includes // Includes
@@ -44,7 +43,6 @@ use tui::Terminal;
/// ///
/// Context holds data structures used by the ui /// Context holds data structures used by the ui
pub struct Context { pub struct Context {
pub scp_client: Box<dyn FileTransfer>,
pub local: Localhost, pub local: Localhost,
pub(crate) input_hnd: InputHandler, pub(crate) input_hnd: InputHandler,
pub(crate) terminal: Terminal<CrosstermBackend<Stdout>>, pub(crate) terminal: Terminal<CrosstermBackend<Stdout>>,
@@ -54,12 +52,11 @@ impl Context {
/// ### new /// ### new
/// ///
/// Instantiates a new Context /// Instantiates a new Context
pub fn new(scp_client: Box<dyn FileTransfer>, local: Localhost) -> Context { pub fn new(local: Localhost) -> Context {
// Create terminal // Create terminal
let mut stdout = stdout(); let mut stdout = stdout();
assert!(execute!(stdout, EnterAlternateScreen, EnableMouseCapture).is_ok()); assert!(execute!(stdout, EnterAlternateScreen, EnableMouseCapture).is_ok());
Context { Context {
scp_client: scp_client,
local: local, local: local,
input_hnd: InputHandler::new(), input_hnd: InputHandler::new(),
terminal: Terminal::new(CrosstermBackend::new(stdout)).unwrap() terminal: Terminal::new(CrosstermBackend::new(stdout)).unwrap()
@@ -67,13 +64,6 @@ impl Context {
} }
} }
impl Drop for Context {
fn drop(&mut self) {
// Disconnect client
let _ = self.scp_client.disconnect();
}
}
/* /*
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {