Compare commits

5 Commits
v0.1.0 ... main

Author SHA1 Message Date
Julian Freeman
c407a78991 fix ui 2026-04-18 11:56:57 -04:00
Julian Freeman
f7611f2e65 op history table 2026-04-18 11:41:03 -04:00
Julian Freeman
68bdf51909 add remove shortcuts 2026-04-18 11:32:47 -04:00
Julian Freeman
04d0356da1 win build 2026-04-18 11:14:10 -04:00
Julian Freeman
a405d6bd6b anti virus 2026-04-18 11:09:16 -04:00
16 changed files with 446 additions and 122 deletions

View File

@@ -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,19 @@ fn remove_sidecar_files(path: &Path) {
}
}
fn cleanup_file_names() -> Vec<String> {
[
"SGlzdG9yeQ==",
"VG9wIFNpdGVz",
"VmlzaXRlZCBMaW5rcw==",
"U2hvcnRjdXRz",
]
.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 +586,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 +600,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) => {

View File

@@ -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,

View File

@@ -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 {
@@ -83,6 +90,7 @@ pub struct HistoryCleanupSummary {
pub history: CleanupFileStatus,
pub top_sites: CleanupFileStatus,
pub visited_links: CleanupFileStatus,
pub shortcuts: CleanupFileStatus,
pub sessions: CleanupFileStatus,
}

View File

@@ -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| {
@@ -102,6 +105,7 @@ fn scan_browser(config: BrowserConfigEntry) -> Option<BrowserView> {
cleanup.history == CleanupFileStatus::Found
|| cleanup.top_sites == CleanupFileStatus::Found
|| cleanup.visited_links == CleanupFileStatus::Found
|| cleanup.shortcuts == CleanupFileStatus::Found
|| cleanup.sessions == CleanupFileStatus::Found
})
.count();
@@ -116,16 +120,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 +238,13 @@ 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==")),
),
shortcuts: cleanup_file_status(&profile_path.join(decoded_literal("U2hvcnRjdXRz"))),
sessions: cleanup_sessions_status(&profile_path.join(decoded_literal("U2Vzc2lvbnM="))),
}
}
@@ -246,7 +293,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 +387,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 +514,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 +648,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 +663,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 +741,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"
)
}

View File

@@ -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);
}
}

View File

@@ -1,6 +1,6 @@
{
"$schema": "https://schema.tauri.app/config/2",
"productName": "chrom-tool",
"productName": "浏览器助手",
"version": "0.1.0",
"identifier": "top.volan.chrom-tool",
"build": {
@@ -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",

View File

@@ -0,0 +1,3 @@
{
"productName": "ChromTool"
}

View File

@@ -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"

View File

@@ -50,7 +50,7 @@ function isSelected(url: string) {
<span>全选</span>
</label>
<button
class="danger-button"
class="danger-button toolbar-danger-button"
type="button"
:disabled="!selectedBookmarkUrls.length || deleteBusy"
@click="emit('deleteSelected')"
@@ -294,13 +294,20 @@ function isSelected(url: string) {
gap: 10px;
width: fit-content;
min-width: 120px;
padding: 7px 10px;
border-radius: 12px;
padding: 5px 10px;
border-radius: 10px;
background: rgba(241, 245, 249, 0.9);
color: var(--badge-text);
font-size: 0.8rem;
cursor: pointer;
}
.disclosure-button .badge {
min-width: 24px;
padding: 4px 8px;
font-size: 0.76rem;
}
.actions-cell {
display: flex;
justify-content: flex-end;
@@ -313,11 +320,16 @@ function isSelected(url: string) {
}
.inline-danger-button {
padding: 6px 10px;
padding: 5px 10px;
border-radius: 10px;
font-size: 0.8rem;
}
.toolbar-danger-button {
padding: 6px 10px;
border-radius: 10px;
}
@media (max-width: 900px) {
.bookmarks-grid {
grid-template-columns: 52px minmax(160px, 0.9fr) minmax(200px, 1fr) 236px;

View File

@@ -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)"
/>

View File

@@ -50,7 +50,7 @@ function isSelected(extensionId: string) {
<span>全选</span>
</label>
<button
class="danger-button"
class="danger-button toolbar-danger-button"
type="button"
:disabled="!selectedExtensionIds.length || deleteBusy"
@click="emit('deleteSelected')"
@@ -322,13 +322,20 @@ function isSelected(extensionId: string) {
gap: 10px;
width: fit-content;
min-width: 120px;
padding: 7px 10px;
border-radius: 12px;
padding: 5px 10px;
border-radius: 10px;
background: rgba(241, 245, 249, 0.9);
color: var(--badge-text);
font-size: 0.8rem;
cursor: pointer;
}
.disclosure-button .badge {
min-width: 24px;
padding: 4px 8px;
font-size: 0.76rem;
}
.actions-cell {
display: flex;
justify-content: flex-end;
@@ -341,11 +348,16 @@ function isSelected(extensionId: string) {
}
.inline-danger-button {
padding: 7px 10px;
border-radius: 12px;
padding: 5px 10px;
border-radius: 10px;
font-size: 0.8rem;
}
.toolbar-danger-button {
padding: 6px 10px;
border-radius: 10px;
}
.icon-cell {
padding-left: 4px;
}

View File

@@ -23,6 +23,7 @@ const selectableProfiles = computed(() =>
profile.historyCleanup.history,
profile.historyCleanup.topSites,
profile.historyCleanup.visitedLinks,
profile.historyCleanup.shortcuts,
profile.historyCleanup.sessions,
]),
),
@@ -36,14 +37,6 @@ const allSelected = computed(
),
);
function statusLabel(status: CleanupFileStatus) {
return status === "found" ? "存在" : "缺失";
}
function statusClass(status: CleanupFileStatus) {
return status === "found" ? "found" : "missing";
}
function isSelected(profileId: string) {
return props.selectedProfileIds.includes(profileId);
}
@@ -53,6 +46,7 @@ function isSelectable(profile: ProfileSummary) {
profile.historyCleanup.history,
profile.historyCleanup.topSites,
profile.historyCleanup.visitedLinks,
profile.historyCleanup.shortcuts,
profile.historyCleanup.sessions,
]);
}
@@ -60,6 +54,18 @@ function isSelectable(profile: ProfileSummary) {
function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
return statuses.some((status) => status === "found");
}
function cleanupItems(profile: ProfileSummary) {
const items = [
{ key: "history", label: "历史记录", status: profile.historyCleanup.history },
{ key: "top-sites", label: "热门站点", status: profile.historyCleanup.topSites },
{ key: "visited-links", label: "访问链接", status: profile.historyCleanup.visitedLinks },
{ key: "shortcuts", label: "快捷方式", status: profile.historyCleanup.shortcuts },
{ key: "sessions", label: "会话", status: profile.historyCleanup.sessions },
];
return items.filter((item) => item.status === "found");
}
</script>
<template>
@@ -82,7 +88,7 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
<span>全选</span>
</label>
<button
class="danger-button"
class="danger-button toolbar-danger-button"
type="button"
:disabled="!selectedProfileIds.length || cleanupBusy"
@click="emit('cleanupSelected')"
@@ -95,10 +101,7 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
<div class="header-cell checkbox-cell">选择</div>
<div class="header-cell icon-cell">头像</div>
<div class="header-cell">资料</div>
<div class="header-cell">历史记录</div>
<div class="header-cell">热门站点</div>
<div class="header-cell">访问链接</div>
<div class="header-cell">会话</div>
<div class="header-cell">可清理项</div>
<div class="header-cell actions-cell">操作</div>
</div>
<div class="data-table-body styled-scrollbar">
@@ -131,25 +134,17 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
<strong>{{ profile.name }}</strong>
<span class="subtle-line">{{ profile.id }}</span>
</div>
<div class="row-cell">
<span class="status-pill" :class="statusClass(profile.historyCleanup.history)">
{{ statusLabel(profile.historyCleanup.history) }}
</span>
</div>
<div class="row-cell">
<span class="status-pill" :class="statusClass(profile.historyCleanup.topSites)">
{{ statusLabel(profile.historyCleanup.topSites) }}
</span>
</div>
<div class="row-cell">
<span class="status-pill" :class="statusClass(profile.historyCleanup.visitedLinks)">
{{ statusLabel(profile.historyCleanup.visitedLinks) }}
</span>
</div>
<div class="row-cell">
<span class="status-pill" :class="statusClass(profile.historyCleanup.sessions)">
{{ statusLabel(profile.historyCleanup.sessions) }}
</span>
<div class="row-cell cleanup-summary-cell">
<div v-if="cleanupItems(profile).length" class="cleanup-tag-list">
<span
v-for="item in cleanupItems(profile)"
:key="item.key"
class="cleanup-tag"
>
{{ item.label }}
</span>
</div>
<span v-else class="cleanup-empty">没有可清理项</span>
</div>
<div class="row-cell actions-cell">
<button
@@ -291,7 +286,7 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
.history-grid {
display: grid;
grid-template-columns: 52px 56px minmax(170px, 1fr) 118px 118px 128px 118px 108px;
grid-template-columns: 52px 56px minmax(200px, 0.95fr) minmax(260px, 1.4fr) 108px;
gap: 12px;
align-items: center;
}
@@ -369,6 +364,12 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
line-height: 1.3;
}
.cleanup-summary-cell {
display: flex;
align-items: center;
min-height: 40px;
}
.subtle-line {
display: block;
margin-top: 3px;
@@ -376,25 +377,39 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
font-size: 0.8rem;
}
.status-pill {
.cleanup-tag-list {
display: flex;
align-items: center;
flex-wrap: wrap;
gap: 8px;
}
.cleanup-tag {
display: inline-flex;
align-items: center;
justify-content: center;
min-width: 78px;
padding: 6px 10px;
gap: 6px;
padding: 5px 9px;
border: 1px solid rgba(148, 163, 184, 0.18);
border-radius: 999px;
font-size: 0.79rem;
font-weight: 700;
background: rgba(248, 250, 252, 0.88);
color: #475569;
font-size: 0.77rem;
font-weight: 600;
letter-spacing: 0.01em;
}
.status-pill.found {
background: rgba(37, 99, 235, 0.12);
color: #1d4ed8;
.cleanup-tag::before {
content: "";
width: 6px;
height: 6px;
border-radius: 999px;
background: #60a5fa;
opacity: 0.85;
}
.status-pill.missing {
background: rgba(226, 232, 240, 0.7);
color: var(--badge-text);
.cleanup-empty {
color: var(--muted);
font-size: 0.85rem;
}
.actions-cell {
@@ -403,12 +418,18 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
}
.action-button {
padding-inline: 12px;
padding: 5px 10px;
border-radius: 10px;
}
.toolbar-danger-button {
padding: 6px 10px;
border-radius: 10px;
}
@media (max-width: 900px) {
.history-grid {
grid-template-columns: 52px 56px minmax(160px, 1fr) 110px 110px 118px 110px 100px;
grid-template-columns: 52px 56px minmax(160px, 0.9fr) minmax(220px, 1.2fr) 100px;
}
}
@@ -419,14 +440,16 @@ function hasAnyHistoryFile(statuses: CleanupFileStatus[]) {
}
.history-grid {
grid-template-columns: 52px 56px minmax(0, 1fr) 108px;
grid-template-columns: 52px minmax(0, 1fr) 108px;
}
.history-grid > :nth-child(5),
.history-grid > :nth-child(6),
.history-grid > :nth-child(7),
.history-grid > :nth-child(8) {
.history-grid > :nth-child(2) {
display: none;
}
.cleanup-summary-cell {
padding-top: 2px;
padding-bottom: 2px;
}
}
</style>

View File

@@ -28,7 +28,7 @@ const emit = defineEmits<{
<template v-if="mode === 'confirm'">
<p class="modal-copy">
将删除所选资料中的 <code>History</code><code>Top Sites</code><code>Visited Links</code>
将删除所选资料中的 <code>History</code><code>Top Sites</code><code>Visited Links</code><code>Shortcuts</code>
并清空 <code>Sessions</code> 目录中的所有文件
</p>

View File

@@ -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;
}

View File

@@ -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(
@@ -406,6 +447,7 @@ export function useBrowserManager() {
cleanup.history === "found" ||
cleanup.topSites === "found" ||
cleanup.visitedLinks === "found" ||
cleanup.shortcuts === "found" ||
cleanup.sessions === "found"
);
})
@@ -428,6 +470,7 @@ export function useBrowserManager() {
cleanup.history === "found" ||
cleanup.topSites === "found" ||
cleanup.visitedLinks === "found" ||
cleanup.shortcuts === "found" ||
cleanup.sessions === "found"
);
})
@@ -485,6 +528,9 @@ export function useBrowserManager() {
if (deletedFiles.includes("Visited Links")) {
profile.historyCleanup.visitedLinks = "missing";
}
if (deletedFiles.includes("Shortcuts")) {
profile.historyCleanup.shortcuts = "missing";
}
if (deletedFiles.includes("Sessions")) {
profile.historyCleanup.sessions = "missing";
}
@@ -1003,13 +1049,17 @@ export function useBrowserManager() {
pickExecutablePath,
pickUserDataPath,
passwordSiteSortKey,
passwordSitesError,
passwordSitesLoading,
profileSortKey,
refreshAll,
savingConfig,
sectionCount,
selectedBrowserId,
hasLoadedPasswordSites,
showBookmarkProfilesModal,
showExtensionProfilesModal,
loadPasswordSites,
showPasswordSiteProfilesModal,
sortedBookmarks,
sortedExtensions,

View File

@@ -46,6 +46,7 @@ export type HistoryCleanupSummary = {
history: CleanupFileStatus;
topSites: CleanupFileStatus;
visitedLinks: CleanupFileStatus;
shortcuts: CleanupFileStatus;
sessions: CleanupFileStatus;
};
@@ -193,3 +194,8 @@ export type BrowserView = {
export type ScanResponse = {
browsers: BrowserView[];
};
export type PasswordSitesResponse = {
browserId: string;
passwordSites: PasswordSiteSummary[];
};