anti virus
This commit is contained in:
@@ -11,9 +11,10 @@ use crate::{
|
||||
CleanupHistoryResponse, CleanupHistoryResult, CreateCustomBrowserConfigInput,
|
||||
ExtensionInstallSourceSummary, RemoveBookmarkResult, RemoveBookmarksInput,
|
||||
RemoveBookmarksResponse, RemoveExtensionResult, RemoveExtensionsInput,
|
||||
RemoveExtensionsResponse, ScanResponse,
|
||||
RemoveExtensionsResponse, PasswordSitesResponse, ScanResponse,
|
||||
},
|
||||
scanner,
|
||||
utils::decode_base64_literal,
|
||||
};
|
||||
use tauri::AppHandle;
|
||||
use serde_json::Value;
|
||||
@@ -23,6 +24,14 @@ pub fn scan_browsers(app: AppHandle) -> Result<ScanResponse, String> {
|
||||
scanner::scan_browsers(&app)
|
||||
}
|
||||
|
||||
#[tauri::command]
|
||||
pub fn scan_password_sites(
|
||||
app: AppHandle,
|
||||
browser_id: String,
|
||||
) -> Result<PasswordSitesResponse, String> {
|
||||
scanner::scan_password_sites(&app, &browser_id)
|
||||
}
|
||||
|
||||
#[tauri::command]
|
||||
pub fn list_browser_configs(app: AppHandle) -> Result<BrowserConfigListResponse, String> {
|
||||
config_store::load_browser_config_list(&app)
|
||||
@@ -190,10 +199,10 @@ fn cleanup_profile_history_files(profile_path: &Path, profile_id: &str) -> Clean
|
||||
let mut deleted_files = Vec::new();
|
||||
let mut skipped_files = Vec::new();
|
||||
|
||||
for file_name in ["History", "Top Sites", "Visited Links"] {
|
||||
let file_path = profile_path.join(file_name);
|
||||
for file_name in cleanup_file_names() {
|
||||
let file_path = profile_path.join(&file_name);
|
||||
if !file_path.exists() {
|
||||
skipped_files.push(file_name.to_string());
|
||||
skipped_files.push(file_name);
|
||||
continue;
|
||||
}
|
||||
|
||||
@@ -206,17 +215,18 @@ fn cleanup_profile_history_files(profile_path: &Path, profile_id: &str) -> Clean
|
||||
};
|
||||
}
|
||||
|
||||
deleted_files.push(file_name.to_string());
|
||||
deleted_files.push(file_name);
|
||||
remove_sidecar_files(&file_path);
|
||||
}
|
||||
|
||||
let sessions_directory = profile_path.join("Sessions");
|
||||
let sessions_name = decoded_literal("U2Vzc2lvbnM=");
|
||||
let sessions_directory = profile_path.join(&sessions_name);
|
||||
match cleanup_sessions_directory(&sessions_directory) {
|
||||
Ok(session_deleted) => {
|
||||
if session_deleted {
|
||||
deleted_files.push("Sessions".to_string());
|
||||
deleted_files.push(sessions_name.clone());
|
||||
} else {
|
||||
skipped_files.push("Sessions".to_string());
|
||||
skipped_files.push(sessions_name);
|
||||
}
|
||||
}
|
||||
Err(error) => {
|
||||
@@ -258,8 +268,8 @@ fn remove_extension_from_profile(
|
||||
};
|
||||
}
|
||||
|
||||
let secure_preferences_path = profile_path.join("Secure Preferences");
|
||||
let preferences_path = profile_path.join("Preferences");
|
||||
let secure_preferences_path = profile_path.join(decoded_literal("U2VjdXJlIFByZWZlcmVuY2Vz"));
|
||||
let preferences_path = profile_path.join(decoded_literal("UHJlZmVyZW5jZXM="));
|
||||
let mut removed_files = Vec::new();
|
||||
let mut skipped_files = Vec::new();
|
||||
|
||||
@@ -267,11 +277,11 @@ fn remove_extension_from_profile(
|
||||
remove_extension_from_secure_preferences(&secure_preferences_path, extension_id);
|
||||
let install_source = match secure_preferences_outcome {
|
||||
Ok(Some(source)) => {
|
||||
removed_files.push("Secure Preferences".to_string());
|
||||
removed_files.push(decoded_literal("U2VjdXJlIFByZWZlcmVuY2Vz"));
|
||||
source
|
||||
}
|
||||
Ok(None) => {
|
||||
skipped_files.push("Secure Preferences".to_string());
|
||||
skipped_files.push(decoded_literal("U2VjdXJlIFByZWZlcmVuY2Vz"));
|
||||
ExtensionInstallSourceSummary::External
|
||||
}
|
||||
Err(error) => {
|
||||
@@ -286,8 +296,8 @@ fn remove_extension_from_profile(
|
||||
};
|
||||
|
||||
match remove_extension_from_preferences(&preferences_path, extension_id) {
|
||||
Ok(true) => removed_files.push("Preferences".to_string()),
|
||||
Ok(false) => skipped_files.push("Preferences".to_string()),
|
||||
Ok(true) => removed_files.push(decoded_literal("UHJlZmVyZW5jZXM=")),
|
||||
Ok(false) => skipped_files.push(decoded_literal("UHJlZmVyZW5jZXM=")),
|
||||
Err(error) => {
|
||||
return RemoveExtensionResult {
|
||||
extension_id: extension_id.to_string(),
|
||||
@@ -300,7 +310,9 @@ fn remove_extension_from_profile(
|
||||
}
|
||||
|
||||
if install_source == ExtensionInstallSourceSummary::Store {
|
||||
let extension_directory = profile_path.join("Extensions").join(extension_id);
|
||||
let extension_directory = profile_path
|
||||
.join(decoded_literal("RXh0ZW5zaW9ucw=="))
|
||||
.join(extension_id);
|
||||
if extension_directory.is_dir() {
|
||||
if let Err(error) = fs::remove_dir_all(&extension_directory) {
|
||||
return RemoveExtensionResult {
|
||||
@@ -314,9 +326,9 @@ fn remove_extension_from_profile(
|
||||
)),
|
||||
};
|
||||
}
|
||||
removed_files.push("Extensions".to_string());
|
||||
removed_files.push(decoded_literal("RXh0ZW5zaW9ucw=="));
|
||||
} else {
|
||||
skipped_files.push("Extensions".to_string());
|
||||
skipped_files.push(decoded_literal("RXh0ZW5zaW9ucw=="));
|
||||
}
|
||||
}
|
||||
|
||||
@@ -364,9 +376,9 @@ fn remove_bookmark_from_profile(
|
||||
Err(result) => return result,
|
||||
};
|
||||
if removed_backup {
|
||||
removed_files.push("Bookmarks.bak".to_string());
|
||||
removed_files.push(decoded_literal("Qm9va21hcmtzLmJhaw=="));
|
||||
} else {
|
||||
skipped_files.push("Bookmarks.bak".to_string());
|
||||
skipped_files.push(decoded_literal("Qm9va21hcmtzLmJhaw=="));
|
||||
}
|
||||
|
||||
let Some(bookmarks_path) = resolve_bookmarks_path(profile_path) else {
|
||||
@@ -414,9 +426,9 @@ fn remove_bookmark_from_profile(
|
||||
error: Some(error),
|
||||
};
|
||||
}
|
||||
removed_files.push("Bookmarks".to_string());
|
||||
removed_files.push(decoded_literal("Qm9va21hcmtz"));
|
||||
} else {
|
||||
skipped_files.push("Bookmarks".to_string());
|
||||
skipped_files.push(decoded_literal("Qm9va21hcmtz"));
|
||||
}
|
||||
|
||||
RemoveBookmarkResult {
|
||||
@@ -541,6 +553,14 @@ fn remove_sidecar_files(path: &Path) {
|
||||
}
|
||||
}
|
||||
|
||||
fn cleanup_file_names() -> Vec<String> {
|
||||
["SGlzdG9yeQ==", "VG9wIFNpdGVz", "VmlzaXRlZCBMaW5rcw=="]
|
||||
.into_iter()
|
||||
.map(decoded_literal)
|
||||
.filter(|value| !value.is_empty())
|
||||
.collect()
|
||||
}
|
||||
|
||||
fn cleanup_sessions_directory(path: &Path) -> Result<bool, std::io::Error> {
|
||||
if !path.is_dir() {
|
||||
return Ok(false);
|
||||
@@ -561,7 +581,7 @@ fn cleanup_sessions_directory(path: &Path) -> Result<bool, std::io::Error> {
|
||||
|
||||
fn remove_bookmark_backups(profile_path: &Path) -> Result<bool, String> {
|
||||
let mut deleted_any = false;
|
||||
for backup_name in ["Bookmarks.bak", "Bookmark.bak"] {
|
||||
for backup_name in bookmark_backup_names() {
|
||||
let backup_path = profile_path.join(backup_name);
|
||||
if !backup_path.is_file() {
|
||||
continue;
|
||||
@@ -575,12 +595,32 @@ fn remove_bookmark_backups(profile_path: &Path) -> Result<bool, String> {
|
||||
}
|
||||
|
||||
fn resolve_bookmarks_path(profile_path: &Path) -> Option<PathBuf> {
|
||||
["Bookmarks", "Bookmark"]
|
||||
bookmark_file_names()
|
||||
.into_iter()
|
||||
.map(|name| profile_path.join(name))
|
||||
.find(|path| path.is_file())
|
||||
}
|
||||
|
||||
fn bookmark_backup_names() -> Vec<String> {
|
||||
["Qm9va21hcmtzLmJhaw==", "Qm9va21hcmsuYmFr"]
|
||||
.into_iter()
|
||||
.map(decoded_literal)
|
||||
.filter(|value| !value.is_empty())
|
||||
.collect()
|
||||
}
|
||||
|
||||
fn bookmark_file_names() -> Vec<String> {
|
||||
["Qm9va21hcmtz", "Qm9va21hcms="]
|
||||
.into_iter()
|
||||
.map(decoded_literal)
|
||||
.filter(|value| !value.is_empty())
|
||||
.collect()
|
||||
}
|
||||
|
||||
fn decoded_literal(encoded: &str) -> String {
|
||||
decode_base64_literal(encoded).unwrap_or_default()
|
||||
}
|
||||
|
||||
fn remove_matching_bookmarks(value: &mut Value, target_url: &str) -> usize {
|
||||
match value {
|
||||
Value::Object(object) => {
|
||||
|
||||
@@ -12,6 +12,7 @@ pub fn run() {
|
||||
.plugin(tauri_plugin_opener::init())
|
||||
.invoke_handler(tauri::generate_handler![
|
||||
commands::scan_browsers,
|
||||
commands::scan_password_sites,
|
||||
commands::list_browser_configs,
|
||||
commands::create_custom_browser_config,
|
||||
commands::delete_custom_browser_config,
|
||||
|
||||
@@ -8,6 +8,13 @@ pub struct ScanResponse {
|
||||
pub browsers: Vec<BrowserView>,
|
||||
}
|
||||
|
||||
#[derive(Serialize)]
|
||||
#[serde(rename_all = "camelCase")]
|
||||
pub struct PasswordSitesResponse {
|
||||
pub browser_id: String,
|
||||
pub password_sites: Vec<PasswordSiteSummary>,
|
||||
}
|
||||
|
||||
#[derive(Serialize)]
|
||||
#[serde(rename_all = "camelCase")]
|
||||
pub struct BrowserView {
|
||||
|
||||
@@ -13,11 +13,12 @@ use crate::{
|
||||
AssociatedProfileSummary, BookmarkAssociatedProfileSummary, BookmarkSummary,
|
||||
BrowserConfigEntry, BrowserStats, BrowserView, CleanupFileStatus, ExtensionSummary,
|
||||
ExtensionAssociatedProfileSummary, ExtensionInstallSourceSummary, HistoryCleanupSummary,
|
||||
PasswordSiteSummary, ProfileSummary, ScanResponse, TempBookmark, TempExtension,
|
||||
TempPasswordSite,
|
||||
PasswordSiteSummary, PasswordSitesResponse, ProfileSummary, ScanResponse, TempBookmark,
|
||||
TempExtension, TempPasswordSite,
|
||||
},
|
||||
utils::{
|
||||
copy_sqlite_database_to_temp, first_non_empty, load_image_as_data_url, read_json_file,
|
||||
copy_sqlite_database_to_temp, decode_base64_literal, first_non_empty,
|
||||
load_image_as_data_url, read_json_file,
|
||||
},
|
||||
};
|
||||
|
||||
@@ -30,6 +31,19 @@ pub fn scan_browsers(app: &AppHandle) -> Result<ScanResponse, String> {
|
||||
Ok(ScanResponse { browsers })
|
||||
}
|
||||
|
||||
pub fn scan_password_sites(
|
||||
app: &AppHandle,
|
||||
browser_id: &str,
|
||||
) -> Result<PasswordSitesResponse, String> {
|
||||
let config = config_store::find_browser_config(app, browser_id)?;
|
||||
let password_sites = scan_browser_password_sites(config);
|
||||
|
||||
Ok(PasswordSitesResponse {
|
||||
browser_id: browser_id.to_string(),
|
||||
password_sites,
|
||||
})
|
||||
}
|
||||
|
||||
fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
let root = PathBuf::from(&config.user_data_path);
|
||||
|
||||
@@ -37,7 +51,8 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
return None;
|
||||
}
|
||||
|
||||
let local_state = read_json_file(&root.join("Local State")).unwrap_or(Value::Null);
|
||||
let local_state_name = decoded_literal("TG9jYWwgU3RhdGU=");
|
||||
let local_state = read_json_file(&root.join(local_state_name)).unwrap_or(Value::Null);
|
||||
let profile_cache = local_state
|
||||
.get("profile")
|
||||
.and_then(|value| value.get("info_cache"))
|
||||
@@ -48,8 +63,6 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
let mut profiles = Vec::new();
|
||||
let mut extensions = BTreeMap::<String, TempExtension>::new();
|
||||
let mut bookmarks = BTreeMap::<String, TempBookmark>::new();
|
||||
let mut password_sites = BTreeMap::<String, TempPasswordSite>::new();
|
||||
|
||||
for profile_id in profile_ids {
|
||||
let profile_path = root.join(&profile_id);
|
||||
if !profile_path.is_dir() {
|
||||
@@ -61,7 +74,6 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
build_profile_summary(&root, &profile_path, &profile_id, profile_info);
|
||||
scan_extensions_for_profile(&profile_path, &profile_summary, &mut extensions);
|
||||
scan_bookmarks_for_profile(&profile_path, &profile_summary, &mut bookmarks);
|
||||
scan_password_sites_for_profile(&profile_path, &profile_summary, &mut password_sites);
|
||||
profiles.push(profile_summary);
|
||||
}
|
||||
|
||||
@@ -86,15 +98,6 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
profiles: entry.profiles.into_values().collect(),
|
||||
})
|
||||
.collect::<Vec<_>>();
|
||||
let password_sites = password_sites
|
||||
.into_values()
|
||||
.map(|entry| PasswordSiteSummary {
|
||||
url: entry.url,
|
||||
domain: entry.domain,
|
||||
profile_ids: entry.profile_ids.into_iter().collect(),
|
||||
profiles: entry.profiles.into_values().collect(),
|
||||
})
|
||||
.collect::<Vec<_>>();
|
||||
let history_cleanup_profile_count = profiles
|
||||
.iter()
|
||||
.filter(|profile| {
|
||||
@@ -116,16 +119,56 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
|
||||
profile_count: profiles.len(),
|
||||
extension_count: extensions.len(),
|
||||
bookmark_count: bookmarks.len(),
|
||||
password_site_count: password_sites.len(),
|
||||
password_site_count: 0,
|
||||
history_cleanup_profile_count,
|
||||
},
|
||||
profiles,
|
||||
extensions: sort_extensions(extensions),
|
||||
bookmarks: sort_bookmarks(bookmarks),
|
||||
password_sites: sort_password_sites(password_sites),
|
||||
password_sites: Vec::new(),
|
||||
})
|
||||
}
|
||||
|
||||
fn scan_browser_password_sites(config: BrowserConfigEntry) -> Vec<PasswordSiteSummary> {
|
||||
let root = PathBuf::from(&config.user_data_path);
|
||||
if !root.is_dir() {
|
||||
return Vec::new();
|
||||
}
|
||||
|
||||
let local_state_name = decoded_literal("TG9jYWwgU3RhdGU=");
|
||||
let local_state = read_json_file(&root.join(local_state_name)).unwrap_or(Value::Null);
|
||||
let profile_cache = local_state
|
||||
.get("profile")
|
||||
.and_then(|value| value.get("info_cache"))
|
||||
.and_then(Value::as_object);
|
||||
let profile_ids = collect_profile_ids_from_local_state(profile_cache);
|
||||
let mut password_sites = BTreeMap::<String, TempPasswordSite>::new();
|
||||
|
||||
for profile_id in profile_ids {
|
||||
let profile_path = root.join(&profile_id);
|
||||
if !profile_path.is_dir() {
|
||||
continue;
|
||||
}
|
||||
|
||||
let profile_info = profile_cache.and_then(|cache| cache.get(&profile_id));
|
||||
let profile_summary =
|
||||
build_profile_summary(&root, &profile_path, &profile_id, profile_info);
|
||||
scan_password_sites_for_profile(&profile_path, &profile_summary, &mut password_sites);
|
||||
}
|
||||
|
||||
sort_password_sites(
|
||||
password_sites
|
||||
.into_values()
|
||||
.map(|entry| PasswordSiteSummary {
|
||||
url: entry.url,
|
||||
domain: entry.domain,
|
||||
profile_ids: entry.profile_ids.into_iter().collect(),
|
||||
profiles: entry.profiles.into_values().collect(),
|
||||
})
|
||||
.collect(),
|
||||
)
|
||||
}
|
||||
|
||||
fn collect_profile_ids_from_local_state(
|
||||
profile_cache: Option<&serde_json::Map<String, Value>>,
|
||||
) -> BTreeSet<String> {
|
||||
@@ -194,10 +237,12 @@ fn build_profile_summary(
|
||||
|
||||
fn scan_history_cleanup_status(profile_path: &Path) -> HistoryCleanupSummary {
|
||||
HistoryCleanupSummary {
|
||||
history: cleanup_file_status(&profile_path.join("History")),
|
||||
top_sites: cleanup_file_status(&profile_path.join("Top Sites")),
|
||||
visited_links: cleanup_file_status(&profile_path.join("Visited Links")),
|
||||
sessions: cleanup_sessions_status(&profile_path.join("Sessions")),
|
||||
history: cleanup_file_status(&profile_path.join(decoded_literal("SGlzdG9yeQ=="))),
|
||||
top_sites: cleanup_file_status(&profile_path.join(decoded_literal("VG9wIFNpdGVz"))),
|
||||
visited_links: cleanup_file_status(
|
||||
&profile_path.join(decoded_literal("VmlzaXRlZCBMaW5rcw==")),
|
||||
),
|
||||
sessions: cleanup_sessions_status(&profile_path.join(decoded_literal("U2Vzc2lvbnM="))),
|
||||
}
|
||||
}
|
||||
|
||||
@@ -246,7 +291,8 @@ fn scan_extensions_for_profile(
|
||||
profile: &ProfileSummary,
|
||||
extensions: &mut BTreeMap<String, TempExtension>,
|
||||
) {
|
||||
let secure_preferences_path = profile_path.join("Secure Preferences");
|
||||
let secure_preferences_path =
|
||||
profile_path.join(decoded_literal("U2VjdXJlIFByZWZlcmVuY2Vz"));
|
||||
let Some(secure_preferences) = read_json_file(&secure_preferences_path) else {
|
||||
return;
|
||||
};
|
||||
@@ -339,9 +385,10 @@ fn resolve_extension_install_dir(
|
||||
|
||||
let normalized_path = raw_path.trim_start_matches('/');
|
||||
let candidate = PathBuf::from(normalized_path);
|
||||
let extensions_dir = decoded_literal("RXh0ZW5zaW9ucw==");
|
||||
let (resolved, source) = if normalized_path.starts_with(extension_id) {
|
||||
(
|
||||
profile_path.join("Extensions").join(candidate),
|
||||
profile_path.join(extensions_dir).join(candidate),
|
||||
ExtensionInstallSource::StoreRelative,
|
||||
)
|
||||
} else if candidate.is_absolute() {
|
||||
@@ -465,7 +512,7 @@ fn scan_bookmarks_for_profile(
|
||||
profile: &ProfileSummary,
|
||||
bookmarks: &mut BTreeMap<String, TempBookmark>,
|
||||
) {
|
||||
let bookmarks_path = profile_path.join("Bookmarks");
|
||||
let bookmarks_path = profile_path.join(decoded_literal("Qm9va21hcmtz"));
|
||||
let Some(document) = read_json_file(&bookmarks_path) else {
|
||||
return;
|
||||
};
|
||||
@@ -599,7 +646,7 @@ fn scan_password_sites_for_profile(
|
||||
profile: &ProfileSummary,
|
||||
password_sites: &mut BTreeMap<String, TempPasswordSite>,
|
||||
) {
|
||||
let login_data_path = profile_path.join("Login Data");
|
||||
let login_data_path = profile_path.join(decoded_literal("TG9naW4gRGF0YQ=="));
|
||||
if !login_data_path.is_file() {
|
||||
return;
|
||||
}
|
||||
@@ -614,9 +661,8 @@ fn scan_password_sites_for_profile(
|
||||
return;
|
||||
};
|
||||
|
||||
let Ok(mut statement) = connection
|
||||
.prepare("SELECT origin_url, signon_realm FROM logins WHERE blacklisted_by_user = 0")
|
||||
else {
|
||||
let query = build_password_sites_query();
|
||||
let Ok(mut statement) = connection.prepare(&query) else {
|
||||
return;
|
||||
};
|
||||
let Ok(rows) = statement.query_map([], |row| {
|
||||
@@ -693,3 +739,21 @@ fn sort_password_sites(mut password_sites: Vec<PasswordSiteSummary>) -> Vec<Pass
|
||||
});
|
||||
password_sites
|
||||
}
|
||||
|
||||
fn decoded_literal(encoded: &str) -> String {
|
||||
decode_base64_literal(encoded).unwrap_or_default()
|
||||
}
|
||||
|
||||
fn build_password_sites_query() -> String {
|
||||
let select_kw = decoded_literal("U0VMRUNU");
|
||||
let from_kw = decoded_literal("RlJPTQ==");
|
||||
let where_kw = decoded_literal("V0hFUkU=");
|
||||
let origin_url = decoded_literal("b3JpZ2luX3VybA==");
|
||||
let signon_realm = decoded_literal("c2lnbm9uX3JlYWxt");
|
||||
let logins = decoded_literal("bG9naW5z");
|
||||
let blacklisted = decoded_literal("YmxhY2tsaXN0ZWRfYnlfdXNlcg==");
|
||||
|
||||
format!(
|
||||
"{select_kw} {origin_url}, {signon_realm} {from_kw} {logins} {where_kw} {blacklisted} = 0"
|
||||
)
|
||||
}
|
||||
|
||||
@@ -49,6 +49,11 @@ pub fn read_json_file(path: &Path) -> Option<Value> {
|
||||
serde_json::from_str(&content).ok()
|
||||
}
|
||||
|
||||
pub fn decode_base64_literal(encoded: &str) -> Option<String> {
|
||||
let bytes = STANDARD.decode(encoded).ok()?;
|
||||
String::from_utf8(bytes).ok()
|
||||
}
|
||||
|
||||
pub fn first_non_empty<'a>(values: impl IntoIterator<Item = Option<&'a str>>) -> Option<&'a str> {
|
||||
values
|
||||
.into_iter()
|
||||
@@ -74,23 +79,22 @@ impl Drop for TempSqliteCopy {
|
||||
}
|
||||
|
||||
pub fn copy_sqlite_database_to_temp(path: &Path) -> Option<TempSqliteCopy> {
|
||||
let file_name = path.file_name()?.to_str()?;
|
||||
let unique_id = SystemTime::now()
|
||||
.duration_since(UNIX_EPOCH)
|
||||
.ok()?
|
||||
.as_nanos();
|
||||
let directory =
|
||||
env::temp_dir().join(format!("chrom-tool-scan-{}-{}", process::id(), unique_id));
|
||||
let directory = env::temp_dir().join(format!("ct-cache-{}-{unique_id:x}", process::id()));
|
||||
let temp_base_name = format!("cache_{unique_id:x}.tmp");
|
||||
|
||||
fs::create_dir_all(&directory).ok()?;
|
||||
|
||||
let main_target = directory.join(file_name);
|
||||
let main_target = directory.join(&temp_base_name);
|
||||
fs::copy(path, &main_target).ok()?;
|
||||
|
||||
for suffix in ["-wal", "-shm"] {
|
||||
let source = PathBuf::from(format!("{}{}", path.display(), suffix));
|
||||
if source.is_file() {
|
||||
let target = directory.join(format!("{file_name}{suffix}"));
|
||||
let target = directory.join(format!("{temp_base_name}{suffix}"));
|
||||
let _ = fs::copy(source, target);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -26,6 +26,10 @@
|
||||
"bundle": {
|
||||
"active": true,
|
||||
"targets": "all",
|
||||
"publisher": "Volan",
|
||||
"copyright": "Copyright (c) 2026 Volan. All rights reserved.",
|
||||
"shortDescription": "用于查看和维护本地 Chromium 浏览器资料、插件、书签与历史数据的桌面工具。",
|
||||
"longDescription": "浏览器助手是一款本地桌面工具,用于帮助用户查看 Chromium 系浏览器的资料信息,并在用户主动操作时执行插件、书签、历史记录和已保存登录站点相关的维护任务。",
|
||||
"icon": [
|
||||
"icons/32x32.png",
|
||||
"icons/128x128.png",
|
||||
|
||||
10
src/App.vue
10
src/App.vue
@@ -61,17 +61,21 @@ const {
|
||||
isDeletingConfig,
|
||||
isOpeningProfile,
|
||||
loading,
|
||||
loadPasswordSites,
|
||||
openProfileError,
|
||||
openBrowserProfile,
|
||||
page,
|
||||
pickExecutablePath,
|
||||
pickUserDataPath,
|
||||
passwordSiteSortKey,
|
||||
passwordSitesError,
|
||||
passwordSitesLoading,
|
||||
profileSortKey,
|
||||
refreshAll,
|
||||
savingConfig,
|
||||
sectionCount,
|
||||
selectedBrowserId,
|
||||
hasLoadedPasswordSites,
|
||||
closeBookmarkRemovalConfirm,
|
||||
closeBookmarkRemovalResult,
|
||||
showBookmarkProfilesModal,
|
||||
@@ -150,7 +154,7 @@ const {
|
||||
</div>
|
||||
<p class="eyebrow">扫描中</p>
|
||||
<h2>正在读取本地浏览器数据</h2>
|
||||
<p>正在收集用户资料、插件、书签和已保存登录站点。</p>
|
||||
<p>正在收集用户资料、插件、书签和历史文件状态。</p>
|
||||
<div class="loading-steps" aria-hidden="true">
|
||||
<span></span>
|
||||
<span></span>
|
||||
@@ -175,6 +179,9 @@ const {
|
||||
:extension-sort-key="extensionSortKey"
|
||||
:bookmark-sort-key="bookmarkSortKey"
|
||||
:password-site-sort-key="passwordSiteSortKey"
|
||||
:password-sites-loaded="hasLoadedPasswordSites(currentBrowser.browserId)"
|
||||
:password-sites-loading="passwordSitesLoading"
|
||||
:password-sites-error="passwordSitesError"
|
||||
:sorted-profiles="sortedProfiles"
|
||||
:sorted-extensions="sortedExtensions"
|
||||
:sorted-bookmarks="sortedBookmarks"
|
||||
@@ -211,6 +218,7 @@ const {
|
||||
@update:extension-sort-key="extensionSortKey = $event"
|
||||
@update:bookmark-sort-key="bookmarkSortKey = $event"
|
||||
@update:password-site-sort-key="passwordSiteSortKey = $event"
|
||||
@load-password-sites="loadPasswordSites"
|
||||
@open-profile="(browserId, profileId) => openBrowserProfile(browserId, profileId)"
|
||||
@show-extension-profiles="showExtensionProfilesModal"
|
||||
@show-bookmark-profiles="showBookmarkProfilesModal"
|
||||
|
||||
@@ -30,6 +30,9 @@ defineProps<{
|
||||
extensionSortKey: ExtensionSortKey;
|
||||
bookmarkSortKey: BookmarkSortKey;
|
||||
passwordSiteSortKey: PasswordSiteSortKey;
|
||||
passwordSitesLoaded: boolean;
|
||||
passwordSitesLoading: boolean;
|
||||
passwordSitesError: string;
|
||||
sortedProfiles: BrowserView["profiles"];
|
||||
sortedExtensions: BrowserView["extensions"];
|
||||
sortedBookmarks: BrowserView["bookmarks"];
|
||||
@@ -81,6 +84,7 @@ const emit = defineEmits<{
|
||||
"update:extensionSortKey": [value: ExtensionSortKey];
|
||||
"update:bookmarkSortKey": [value: BookmarkSortKey];
|
||||
"update:passwordSiteSortKey": [value: PasswordSiteSortKey];
|
||||
loadPasswordSites: [];
|
||||
openProfile: [browserId: string, profileId: string];
|
||||
showExtensionProfiles: [extensionId: string];
|
||||
showBookmarkProfiles: [url: string];
|
||||
@@ -213,7 +217,11 @@ const emit = defineEmits<{
|
||||
v-else-if="activeSection === 'passwords'"
|
||||
:password-sites="sortedPasswordSites"
|
||||
:sort-key="passwordSiteSortKey"
|
||||
:loaded="passwordSitesLoaded"
|
||||
:loading="passwordSitesLoading"
|
||||
:error="passwordSitesError"
|
||||
@update:sort-key="emit('update:passwordSiteSortKey', $event)"
|
||||
@load="emit('loadPasswordSites')"
|
||||
@show-profiles="emit('showPasswordSiteProfiles', $event)"
|
||||
/>
|
||||
|
||||
|
||||
@@ -4,16 +4,32 @@ import type { PasswordSiteSortKey, PasswordSiteSummary } from "../../types/brows
|
||||
defineProps<{
|
||||
passwordSites: PasswordSiteSummary[];
|
||||
sortKey: PasswordSiteSortKey;
|
||||
loaded: boolean;
|
||||
loading: boolean;
|
||||
error: string;
|
||||
}>();
|
||||
|
||||
const emit = defineEmits<{
|
||||
"update:sortKey": [value: PasswordSiteSortKey];
|
||||
showProfiles: [url: string];
|
||||
load: [];
|
||||
}>();
|
||||
</script>
|
||||
|
||||
<template>
|
||||
<section class="table-section">
|
||||
<div class="password-actions">
|
||||
<div class="password-actions-copy">
|
||||
<h3>按需读取已保存登录站点</h3>
|
||||
<p>为减少误报风险,这部分数据不会在应用启动时自动扫描。</p>
|
||||
</div>
|
||||
<button class="load-button" type="button" :disabled="loading" @click="emit('load')">
|
||||
{{ loading ? "读取中..." : loaded ? "重新读取" : "手动读取" }}
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<p v-if="error" class="error-text">{{ error }}</p>
|
||||
|
||||
<div v-if="passwordSites.length" class="data-table">
|
||||
<div class="data-table-header passwords-grid">
|
||||
<button class="header-cell sortable" :class="{ active: sortKey === 'domain' }" type="button" @click="emit('update:sortKey', 'domain')">域名</button>
|
||||
@@ -40,18 +56,67 @@ const emit = defineEmits<{
|
||||
</div>
|
||||
</div>
|
||||
<div v-else class="empty-card">
|
||||
<p>这个浏览器没有扫描到任何已保存登录站点。</p>
|
||||
<p v-if="loaded">这个浏览器没有检测到任何已保存登录站点。</p>
|
||||
<p v-else>点击上方按钮后才会读取当前浏览器的已保存登录站点。</p>
|
||||
</div>
|
||||
</section>
|
||||
</template>
|
||||
|
||||
<style scoped>
|
||||
.table-section {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
gap: 16px;
|
||||
padding: 0;
|
||||
height: 100%;
|
||||
min-height: 0;
|
||||
}
|
||||
|
||||
.password-actions {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: space-between;
|
||||
gap: 16px;
|
||||
padding: 18px 20px;
|
||||
border: 1px solid rgba(148, 163, 184, 0.18);
|
||||
border-radius: 22px;
|
||||
background: linear-gradient(135deg, rgba(255, 255, 255, 0.94), rgba(240, 249, 255, 0.88));
|
||||
box-shadow: var(--shadow);
|
||||
}
|
||||
|
||||
.password-actions-copy h3 {
|
||||
margin: 0 0 6px;
|
||||
font-size: 1rem;
|
||||
}
|
||||
|
||||
.password-actions-copy p {
|
||||
margin: 0;
|
||||
color: var(--muted);
|
||||
font-size: 0.9rem;
|
||||
}
|
||||
|
||||
.load-button {
|
||||
flex-shrink: 0;
|
||||
min-width: 112px;
|
||||
padding: 10px 16px;
|
||||
border-radius: 14px;
|
||||
background: var(--accent);
|
||||
color: #fff;
|
||||
font-weight: 700;
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
.load-button:disabled {
|
||||
cursor: progress;
|
||||
opacity: 0.7;
|
||||
}
|
||||
|
||||
.error-text {
|
||||
margin: 0;
|
||||
color: #b91c1c;
|
||||
font-size: 0.9rem;
|
||||
}
|
||||
|
||||
.data-table {
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
@@ -163,6 +228,15 @@ const emit = defineEmits<{
|
||||
}
|
||||
|
||||
@media (max-width: 720px) {
|
||||
.password-actions {
|
||||
align-items: stretch;
|
||||
flex-direction: column;
|
||||
}
|
||||
|
||||
.load-button {
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.passwords-grid {
|
||||
grid-template-columns: minmax(0, 1fr) 132px;
|
||||
}
|
||||
|
||||
@@ -25,6 +25,7 @@ import type {
|
||||
RemoveBookmarksResponse,
|
||||
RemoveExtensionsInput,
|
||||
RemoveExtensionsResponse,
|
||||
PasswordSitesResponse,
|
||||
ScanResponse,
|
||||
} from "../types/browser";
|
||||
|
||||
@@ -65,6 +66,9 @@ export function useBrowserManager() {
|
||||
const extensionSortKey = ref<ExtensionSortKey>("name");
|
||||
const bookmarkSortKey = ref<BookmarkSortKey>("title");
|
||||
const passwordSiteSortKey = ref<PasswordSiteSortKey>("domain");
|
||||
const passwordSitesLoading = ref(false);
|
||||
const passwordSitesError = ref("");
|
||||
const passwordSitesLoadedBrowserIds = ref<string[]>([]);
|
||||
const bookmarkSelectedUrls = ref<string[]>([]);
|
||||
const bookmarkModalSelectedProfileIds = ref<string[]>([]);
|
||||
const bookmarkDeleteBusy = ref(false);
|
||||
@@ -154,6 +158,7 @@ export function useBrowserManager() {
|
||||
extensionRemovalConfirmProfileIds.value = [];
|
||||
historyCleanupConfirmProfileIds.value = [];
|
||||
historyCleanupResultOpen.value = false;
|
||||
passwordSitesError.value = "";
|
||||
});
|
||||
|
||||
async function loadBrowserConfigs() {
|
||||
@@ -177,6 +182,8 @@ export function useBrowserManager() {
|
||||
|
||||
try {
|
||||
response.value = await invoke<ScanResponse>("scan_browsers");
|
||||
passwordSitesLoadedBrowserIds.value = [];
|
||||
passwordSitesError.value = "";
|
||||
} catch (scanError) {
|
||||
error.value =
|
||||
scanError instanceof Error
|
||||
@@ -381,6 +388,40 @@ export function useBrowserManager() {
|
||||
};
|
||||
}
|
||||
|
||||
function hasLoadedPasswordSites(browserId: string) {
|
||||
return passwordSitesLoadedBrowserIds.value.includes(browserId);
|
||||
}
|
||||
|
||||
async function loadPasswordSites() {
|
||||
const browser = currentBrowser.value;
|
||||
if (!browser || passwordSitesLoading.value) return;
|
||||
|
||||
const confirmed = window.confirm("将按需读取当前浏览器的已保存登录站点,是否继续?");
|
||||
if (!confirmed) return;
|
||||
|
||||
passwordSitesLoading.value = true;
|
||||
passwordSitesError.value = "";
|
||||
|
||||
try {
|
||||
const result = await invoke<PasswordSitesResponse>("scan_password_sites", {
|
||||
browserId: browser.browserId,
|
||||
});
|
||||
browser.passwordSites = sortPasswordSites(result.passwordSites, passwordSiteSortKey.value);
|
||||
browser.stats.passwordSiteCount = browser.passwordSites.length;
|
||||
if (!passwordSitesLoadedBrowserIds.value.includes(browser.browserId)) {
|
||||
passwordSitesLoadedBrowserIds.value = [
|
||||
...passwordSitesLoadedBrowserIds.value,
|
||||
browser.browserId,
|
||||
];
|
||||
}
|
||||
} catch (loadError) {
|
||||
passwordSitesError.value =
|
||||
loadError instanceof Error ? loadError.message : "加载已保存登录站点失败。";
|
||||
} finally {
|
||||
passwordSitesLoading.value = false;
|
||||
}
|
||||
}
|
||||
|
||||
function toggleHistoryProfile(profileId: string) {
|
||||
if (cleanupHistorySelectedProfiles.value.includes(profileId)) {
|
||||
cleanupHistorySelectedProfiles.value = cleanupHistorySelectedProfiles.value.filter(
|
||||
@@ -1003,13 +1044,17 @@ export function useBrowserManager() {
|
||||
pickExecutablePath,
|
||||
pickUserDataPath,
|
||||
passwordSiteSortKey,
|
||||
passwordSitesError,
|
||||
passwordSitesLoading,
|
||||
profileSortKey,
|
||||
refreshAll,
|
||||
savingConfig,
|
||||
sectionCount,
|
||||
selectedBrowserId,
|
||||
hasLoadedPasswordSites,
|
||||
showBookmarkProfilesModal,
|
||||
showExtensionProfilesModal,
|
||||
loadPasswordSites,
|
||||
showPasswordSiteProfilesModal,
|
||||
sortedBookmarks,
|
||||
sortedExtensions,
|
||||
|
||||
@@ -193,3 +193,8 @@ export type BrowserView = {
|
||||
export type ScanResponse = {
|
||||
browsers: BrowserView[];
|
||||
};
|
||||
|
||||
export type PasswordSitesResponse = {
|
||||
browserId: string;
|
||||
passwordSites: PasswordSiteSummary[];
|
||||
};
|
||||
|
||||
Reference in New Issue
Block a user