1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
|
use std::collections::HashSet;
use std::env;
use std::fs::{self, DirBuilder, File};
use std::io::{self, BufReader, Read, Write};
use std::path::PathBuf;
use crate::errors::*;
use dirs;
use reqwest;
use rss::Channel;
const UNSUBSCRIBE_NOTE: &str = "Note: this does NOT delete any downloaded podcasts";
pub fn trim_extension(filename: &str) -> Option<String> {
let name = String::from(filename);
if name.contains('.') {
name.rfind('.').map(|index| String::from(&name[0..index]))
} else {
Some(name)
}
}
pub fn find_extension(input: &str) -> Option<String> {
let s: Vec<String> = input.split('.').map(|s| s.to_string()).collect();
if s.len() > 1 {
return s.last().cloned();
}
None
}
pub fn get_podcast_dir() -> Result<PathBuf> {
match env::var_os("PODCAST") {
Some(val) => Ok(PathBuf::from(val)),
None => {
let mut path = dirs::home_dir().unwrap();
path.push("Podcasts");
Ok(path)
}
}
}
pub fn append_extension(filename: &str, ext: &str) -> String {
let mut f = filename.to_string();
if !f.ends_with('.') {
f.push_str(".");
}
f.push_str(ext);
f
}
pub fn create_dir_if_not_exist(path: &PathBuf) -> Result<()> {
DirBuilder::new().recursive(true).create(&path)?;
Ok(())
}
pub fn create_directories() -> Result<()> {
let mut path = get_podcast_dir()?;
writeln!(io::stdout().lock(), "Using PODCAST dir: {:?}", &path).ok();
path.push(".rss");
create_dir_if_not_exist(&path)
}
pub fn delete(title: &str) -> Result<()> {
let mut path = get_xml_dir()?;
let mut filename = String::from(title);
filename.push_str(".xml");
path.push(filename);
println!("Removing '{}' from subscriptions...", &title);
println!("{}", UNSUBSCRIBE_NOTE);
fs::remove_file(path)?;
Ok(())
}
pub fn delete_all() -> Result<()> {
println!("Removing all subscriptions...");
println!("{}", UNSUBSCRIBE_NOTE);
fs::remove_dir_all(get_xml_dir()?)?;
Ok(())
}
pub fn already_downloaded(dir: &str) -> Result<HashSet<String>> {
let mut result = HashSet::new();
let mut path = get_podcast_dir()?;
path.push(dir);
let entries = fs::read_dir(path)?;
for entry in entries {
let entry = entry?;
match entry.file_name().into_string() {
Ok(name) => {
let index = name.find('.').unwrap();
result.insert(String::from(&name[0..index]));
}
Err(_) => {
eprintln!(
"OsString: {:?} couldn't be converted to String",
entry.file_name()
);
}
}
}
Ok(result)
}
pub fn get_sub_file() -> Result<PathBuf> {
let mut path = get_podcast_dir()?;
path.push(".subscriptions.json");
Ok(path)
}
pub fn get_xml_dir() -> Result<PathBuf> {
let mut path = get_podcast_dir()?;
path.push(".rss");
Ok(path)
}
pub fn download_rss_feed(url: &str) -> Result<Channel> {
println!("Downloading RSS feed...");
let mut path = get_podcast_dir()?;
path.push(".rss");
create_dir_if_not_exist(&path)?;
let mut resp = reqwest::get(url)?;
let mut content: Vec<u8> = Vec::new();
resp.read_to_end(&mut content)?;
let channel = Channel::read_from(BufReader::new(&content[..]))?;
let mut filename = String::from(channel.title());
filename.push_str(".xml");
path.push(filename);
let mut file = File::create(&path)?;
file.write_all(&content)?;
Ok(channel)
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_find_extension_mp3() {
assert_eq!(find_extension("test.mp3"), Some("mp3".into()))
}
#[test]
fn test_find_extension_m4a() {
assert_eq!(find_extension("test.m4a"), Some("m4a".into()))
}
#[test]
fn test_find_extension_wav() {
assert_eq!(find_extension("test.wav"), Some("wav".into()))
}
#[test]
fn test_find_extension_ogg() {
assert_eq!(find_extension("test.ogg"), Some("ogg".into()))
}
#[test]
fn test_find_extension_opus() {
assert_eq!(find_extension("test.opus"), Some("opus".into()))
}
#[test]
fn test_find_weird_extension() {
assert_eq!(find_extension("test.taco"), Some("taco".into()))
}
#[test]
fn test_find_no_extension() {
assert_eq!(find_extension("test"), None)
}
#[test]
fn test_trim_extension() {
assert_eq!(trim_extension("test.taco"), Some(String::from("test")))
}
#[test]
fn test_trim_extension_invalid() {
assert_eq!(trim_extension("test"), Some("test".into()))
}
}
|