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
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
use std::{
io:: {self, Write},
env,
time::Duration
};
use reqwest::{Client, Error};
use colored::*;
use serde_json::Value;
use serde::Deserialize;
use semver::{Version};
fn print_info(text: &str, is_secondary: bool) {
if is_secondary {
println!("{}", text.green().italic().dimmed());
} else {
println!("{}", text.green());
};
}
fn print_ascii_art() {
let art = r"
█████╗ ██████╗ ██████╗ ██╗ ██╗ █████╗ ██████╗ ██████╗ ██╗ █████╗ ███╗ ██╗
██╔══██╗██╔══██╗██╔════╝ ██║ ██║██╔══██╗██╔══██╗██╔══██╗██║██╔══██╗████╗ ██║
███████║██║ ██║██║ ███╗██║ ██║███████║██████╔╝██║ ██║██║███████║██╔██╗ ██║
██╔══██║██║ ██║██║ ██║██║ ██║██╔══██║██╔══██╗██║ ██║██║██╔══██║██║╚██╗██║
██║ ██║██████╔╝╚██████╔╝╚██████╔╝██║ ██║██║ ██║██████╔╝██║██║ ██║██║ ╚████║
╚═╝ ╚═╝╚═════╝ ╚═════╝ ╚═════╝ ╚═╝ ╚═╝╚═╝ ╚═╝╚═════╝ ╚═╝╚═╝ ╚═╝╚═╝ ╚═══╝
";
print_info(art, false);
print_info("\nWelcome to AdGuardian Terminal Edition!", false);
print_info("Terminal-based, real-time traffic monitoring and statistics for your AdGuard Home instance", true);
print_info("For documentation and support, please visit: https://github.com/lissy93/adguardian-term", true);
}
fn print_error(message: &str, sub_message: &str, error: Option<&Error>) {
eprintln!(
"{}{}{}",
format!("{}", message).red(),
match error {
Some(err) => format!("\n{}", err).red().dimmed(),
None => "".red().dimmed(),
},
format!("\n{}", sub_message).yellow(),
);
std::process::exit(1);
}
fn get_env(key: &str) -> Result<String, env::VarError> {
env::var(key).map(|v| {
println!(
"{}",
format!(
"{} is set to {}",
key.bold(),
if key.contains("PASSWORD") { "******" } else { &v }
)
.green()
);
v
})
}
fn check_version(version: Option<&str>) {
let min_version = Version::parse("0.107.29").unwrap();
match version {
Some(version_str) => {
let adguard_version = Version::parse(&version_str[1..]).unwrap();
if adguard_version < min_version {
print_error(
"AdGuard Home version is too old, and is now unsupported",
format!("You're running AdGuard {}. Please upgrade to v{} or later.", version_str, min_version.to_string()).as_str(),
None,
);
}
},
None => {
print_error(
"Unsupported AdGuard Home version",
format!(
concat!(
"Failed to get the version number of your AdGuard Home instance.\n",
"This usually means you're running an old, and unsupported version.\n",
"Please upgrade to v{} or later."
), min_version.to_string()
).as_str(),
None,
);
}
}
}
async fn verify_connection(
client: &Client,
ip: String,
port: String,
protocol: String,
username: String,
password: String,
) -> Result<(), Box<dyn std::error::Error>> {
println!("{}", "\nVerifying connection to your AdGuard instance...".blue());
let auth_string = format!("{}:{}", username, password);
let auth_header_value = format!("Basic {}", base64::encode(&auth_string));
let mut headers = reqwest::header::HeaderMap::new();
headers.insert("Authorization", auth_header_value.parse()?);
let url = format!("{}://{}:{}/control/status", protocol, ip, port);
match client
.get(&url)
.headers(headers)
.timeout(Duration::from_secs(2))
.send()
.await {
Ok(res) if res.status().is_success() => {
let body: Value = res.json().await?;
check_version(body["version"].as_str());
let safe_version = body["version"].as_str().unwrap_or("mystery version");
println!("{}", format!("AdGuard ({}) connection successful!\n", safe_version).green());
Ok(())
}
Ok(_) => {
print_error(
&format!("Authentication with AdGuard at {}:{} failed", ip, port),
"Please check your environmental variables and try again.",
None,
);
Ok(())
},
Err(e) => {
print_error(
&format!("Failed to connect to AdGuard at: {}:{}", ip, port),
"Please check your environmental variables and try again.",
Some(&e),
);
Ok(())
}
}
}
#[derive(Deserialize)]
struct CratesIoResponse {
#[serde(rename = "crate")]
krate: Crate,
}
#[derive(Deserialize)]
struct Crate {
max_version: String,
}
async fn get_latest_version(crate_name: &str) -> Result<String, Box<dyn std::error::Error>> {
let url = format!("https://crates.io/api/v1/crates/{}", crate_name);
let client = reqwest::Client::new();
let res = client.get(&url)
.header(reqwest::header::USER_AGENT, "version_check (adguardian.as93.net)")
.send()
.await?;
if res.status().is_success() {
let response: CratesIoResponse = res.json().await?;
Ok(response.krate.max_version)
} else {
let status = res.status();
let body = res.text().await?;
Err(format!("Request failed with status {}: body: {}", status, body).into())
}
}
async fn check_for_updates() {
let crate_name = env!("CARGO_PKG_NAME");
let crate_version = env!("CARGO_PKG_VERSION");
println!("{}", "\nChecking for updates...".blue());
let current_version = Version::parse(crate_version).unwrap_or_else(|_| {
Version::parse("0.0.0").unwrap()
});
let latest_version = Version::parse(
&get_latest_version(crate_name).await.unwrap_or_else(|_| {
"0.0.0".to_string()
})
).unwrap();
if current_version == Version::parse("0.0.0").unwrap() || latest_version == Version::parse("0.0.0").unwrap() {
println!("{}", "Unable to check for updates".yellow());
} else if current_version < latest_version {
println!("{}",
format!(
"A new version of AdGuardian is available.\nUpdate from {} to {} for the best experience",
current_version.to_string().bold(),
latest_version.to_string().bold()
).yellow()
);
} else if current_version == latest_version {
println!(
"{}",
format!("AdGuardian is up-to-date, running version {}", current_version.to_string().bold()).green()
);
} else if current_version > latest_version {
println!(
"{}",
format!("Running a pre-released edition of AdGuardian, version {}", current_version.to_string().bold()).green()
);
} else {
println!("{}", "Unable to check for updates".yellow());
}
}
pub async fn welcome() -> Result<(), Box<dyn std::error::Error>> {
print_ascii_art();
check_for_updates().await;
println!("{}", "\nStarting initialization checks...".blue());
let client = Client::new();
let flags = [
("--adguard-ip", "ADGUARD_IP"),
("--adguard-port", "ADGUARD_PORT"),
("--adguard-username", "ADGUARD_USERNAME"),
("--adguard-password", "ADGUARD_PASSWORD"),
];
let protocol: String = env::var("ADGUARD_PROTOCOL").unwrap_or_else(|_| "http".into()).parse()?;
env::set_var("ADGUARD_PROTOCOL", protocol);
let mut args = std::env::args().peekable();
while let Some(arg) = args.next() {
for &(flag, var) in &flags {
if arg == flag {
if let Some(value) = args.peek() {
env::set_var(var, value);
args.next();
}
}
}
}
for &key in &["ADGUARD_IP", "ADGUARD_PORT", "ADGUARD_USERNAME", "ADGUARD_PASSWORD"] {
if env::var(key).is_err() {
println!(
"{}",
format!("The {} environmental variable is not yet set", key.bold()).yellow()
);
print!("{}", format!("› Enter a value for {}: ", key).blue().bold());
io::stdout().flush()?;
let mut value = String::new();
io::stdin().read_line(&mut value)?;
env::set_var(key, value.trim());
}
}
let ip = get_env("ADGUARD_IP")?;
let port = get_env("ADGUARD_PORT")?;
let protocol = get_env("ADGUARD_PROTOCOL")?;
let username = get_env("ADGUARD_USERNAME")?;
let password = get_env("ADGUARD_PASSWORD")?;
verify_connection(&client, ip, port, protocol, username, password).await?;
Ok(())
}