feat: overhaul application to APM 应用商店 with enhanced download management

- Removed CHANGELOG.md and electron-vite-vue.gif files.
- Updated LICENSE to reflect new copyright holder.
- Transformed README.md to reflect new project identity and features.
- Introduced DownloadQueue and DownloadDetail components for managing downloads.
- Implemented download simulation and management logic in App.vue.
- Added URL scheme handling in Electron main process.
- Integrated electron-app-universal-protocol-client for protocol handling.
- Updated package.json to include new dependencies.
This commit is contained in:
Elysia
2026-01-17 23:17:14 +08:00
parent 4dd3bd321c
commit 9b17c57c5c
10 changed files with 1296 additions and 97 deletions

View File

@@ -16,6 +16,14 @@
<ScreenPreview :show="showPreview" :screenshots="screenshots" :current-screen-index="currentScreenIndex"
@close="closeScreenPreview" @prev="prevScreen" @next="nextScreen" />
<DownloadQueue :downloads="downloads" @pause="pauseDownload" @resume="resumeDownload"
@cancel="cancelDownload" @retry="retryDownload" @clear-completed="clearCompletedDownloads"
@show-detail="showDownloadDetailModalFunc" />
<DownloadDetail :show="showDownloadDetailModal" :download="currentDownload" @close="closeDownloadDetail"
@pause="pauseDownload" @resume="resumeDownload" @cancel="cancelDownload" @retry="retryDownload"
@open-app="openDownloadedApp" />
</div>
</template>
@@ -26,6 +34,8 @@ import AppHeader from './components/AppHeader.vue';
import AppGrid from './components/AppGrid.vue';
import AppDetailModal from './components/AppDetailModal.vue';
import ScreenPreview from './components/ScreenPreview.vue';
import DownloadQueue from './components/DownloadQueue.vue';
import DownloadDetail from './components/DownloadDetail.vue';
import { APM_STORE_ARCHITECTURE, APM_STORE_BASE_URL } from './global/StoreConfig';
import axios from 'axios';
@@ -47,7 +57,10 @@ const currentApp = ref(null);
const currentScreenIndex = ref(0);
const screenshots = ref([]);
const loading = ref(true);
const observer = ref(null);
const downloads = ref([]);
const showDownloadDetailModal = ref(false);
const currentDownload = ref(null);
let downloadIdCounter = 0;
// 计算属性
const filteredApps = computed(() => {
@@ -160,6 +173,31 @@ const nextScreen = () => {
const handleInstall = () => {
if (!currentApp.value?.Pkgname) return;
// 创建下载任务
const download = {
id: ++downloadIdCounter,
name: currentApp.value.Name,
pkgname: currentApp.value.Pkgname,
version: currentApp.value.Version,
icon: `${APM_STORE_BASE_URL}/${APM_STORE_ARCHITECTURE}/${currentApp.value._category}/${currentApp.value.Pkgname}/icon.png`,
status: 'downloading',
progress: 0,
downloadedSize: 0,
totalSize: 0,
speed: 0,
timeRemaining: 0,
startTime: Date.now(),
logs: [
{ time: Date.now(), message: '开始下载...' }
],
source: 'APM Store'
};
downloads.value.push(download);
// 模拟下载进度(实际应该调用真实的下载 API
simulateDownload(download);
const encodedPkg = encodeURIComponent(currentApp.value.Pkgname);
openApmStoreUrl(`apmstore://install?pkg=${encodedPkg}`, {
fallbackText: `/usr/bin/apm-installer --install ${currentApp.value.Pkgname}`
@@ -242,6 +280,131 @@ const escapeHtml = (s) => {
})[c]);
};
// 下载管理方法
const simulateDownload = (download) => {
// 模拟下载进度(实际应该调用真实的下载 API
const totalSize = Math.random() * 100 + 50; // MB
download.totalSize = totalSize * 1024 * 1024;
const interval = setInterval(() => {
const downloadObj = downloads.value.find(d => d.id === download.id);
if (!downloadObj || downloadObj.status !== 'downloading') {
clearInterval(interval);
return;
}
// 更新进度
downloadObj.progress = Math.min(downloadObj.progress + Math.random() * 10, 100);
downloadObj.downloadedSize = (downloadObj.progress / 100) * downloadObj.totalSize;
downloadObj.speed = (Math.random() * 5 + 1) * 1024 * 1024; // 1-6 MB/s
const remainingBytes = downloadObj.totalSize - downloadObj.downloadedSize;
downloadObj.timeRemaining = Math.ceil(remainingBytes / downloadObj.speed);
// 添加日志
if (downloadObj.progress % 20 === 0 && downloadObj.progress > 0 && downloadObj.progress < 100) {
downloadObj.logs.push({
time: Date.now(),
message: `下载进度: ${downloadObj.progress.toFixed(0)}%`
});
}
// 下载完成
if (downloadObj.progress >= 100) {
clearInterval(interval);
downloadObj.status = 'installing';
downloadObj.logs.push({
time: Date.now(),
message: '下载完成,开始安装...'
});
// 模拟安装
setTimeout(() => {
downloadObj.status = 'completed';
downloadObj.endTime = Date.now();
downloadObj.logs.push({
time: Date.now(),
message: '安装完成!'
});
}, 2000);
}
}, 500);
};
const pauseDownload = (id) => {
const download = downloads.value.find(d => d.id === id);
if (download && download.status === 'downloading') {
download.status = 'paused';
download.logs.push({
time: Date.now(),
message: '下载已暂停'
});
}
};
const resumeDownload = (id) => {
const download = downloads.value.find(d => d.id === id);
if (download && download.status === 'paused') {
download.status = 'downloading';
download.logs.push({
time: Date.now(),
message: '继续下载...'
});
simulateDownload(download);
}
};
const cancelDownload = (id) => {
const index = downloads.value.findIndex(d => d.id === id);
if (index !== -1) {
const download = downloads.value[index];
download.status = 'cancelled';
download.logs.push({
time: Date.now(),
message: '下载已取消'
});
// 延迟删除,让用户看到取消状态
setTimeout(() => {
downloads.value.splice(index, 1);
}, 1000);
}
};
const retryDownload = (id) => {
const download = downloads.value.find(d => d.id === id);
if (download && download.status === 'failed') {
download.status = 'downloading';
download.progress = 0;
download.downloadedSize = 0;
download.logs.push({
time: Date.now(),
message: '重新开始下载...'
});
simulateDownload(download);
}
};
const clearCompletedDownloads = () => {
downloads.value = downloads.value.filter(d => d.status !== 'completed');
};
const showDownloadDetailModalFunc = (download) => {
currentDownload.value = download;
showDownloadDetailModal.value = true;
};
const closeDownloadDetail = () => {
showDownloadDetailModal.value = false;
currentDownload.value = null;
};
const openDownloadedApp = (download) => {
const encodedPkg = encodeURIComponent(download.pkgname);
openApmStoreUrl(`apmstore://launch?pkg=${encodedPkg}`, {
fallbackText: `打开应用: ${download.pkgname}`
});
};
const loadCategories = async () => {
try {
const response = await axiosInstance.get(`/${APM_STORE_ARCHITECTURE}/categories.json`);
@@ -314,8 +477,6 @@ watch(isDarkTheme, (newVal) => {
}
});
// 暴露给模板
const appsList = computed(() => filteredApps.value);
</script>
<style scoped>

View File

@@ -0,0 +1,591 @@
<template>
<transition name="modal-fade">
<div v-if="show" class="modal-overlay" @click="handleOverlayClick">
<div class="modal-content download-detail" @click.stop>
<!-- 头部 -->
<div class="detail-header">
<button class="close-btn" @click="close">
<i class="fas fa-times"></i>
</button>
<h2>下载详情</h2>
</div>
<!-- 内容 -->
<div class="detail-body" v-if="download">
<!-- 应用信息 -->
<div class="app-section">
<div class="app-icon-large">
<img :src="download.icon" :alt="download.name" />
</div>
<div class="app-info-detail">
<h3 class="app-name">{{ download.name }}</h3>
<div class="app-meta">
<span>{{ download.pkgname }}</span>
<span class="separator">·</span>
<span>{{ download.version }}</span>
</div>
</div>
</div>
<!-- 下载状态 -->
<div class="status-section">
<div class="status-header">
<span class="status-label">状态</span>
<span class="status-value" :class="download.status">
{{ getStatusText(download.status) }}
</span>
</div>
<!-- 进度条 -->
<div v-if="download.status === 'downloading'" class="progress-section">
<div class="progress-bar-large">
<div class="progress-fill" :style="{ width: download.progress + '%' }"></div>
</div>
<div class="progress-info">
<span>{{ download.progress }}%</span>
<span v-if="download.downloadedSize && download.totalSize">
{{ formatSize(download.downloadedSize) }} / {{ formatSize(download.totalSize) }}
</span>
</div>
<div v-if="download.speed" class="download-speed">
<i class="fas fa-tachometer-alt"></i>
<span>{{ formatSpeed(download.speed) }}</span>
<span v-if="download.timeRemaining" class="time-remaining">
剩余 {{ formatTime(download.timeRemaining) }}
</span>
</div>
</div>
</div>
<!-- 下载信息 -->
<div class="info-section">
<div class="info-item">
<span class="info-label">下载源</span>
<span class="info-value">{{ download.source || 'APM Store' }}</span>
</div>
<div class="info-item" v-if="download.startTime">
<span class="info-label">开始时间</span>
<span class="info-value">{{ formatDate(download.startTime) }}</span>
</div>
<div class="info-item" v-if="download.endTime">
<span class="info-label">完成时间</span>
<span class="info-value">{{ formatDate(download.endTime) }}</span>
</div>
<div class="info-item" v-if="download.error">
<span class="info-label">错误信息</span>
<span class="info-value error">{{ download.error }}</span>
</div>
</div>
<!-- 日志 -->
<div v-if="download.logs && download.logs.length > 0" class="logs-section">
<div class="logs-header">
<span>下载日志</span>
<button @click="copyLogs" class="copy-logs-btn">
<i class="fas fa-copy"></i>
复制日志
</button>
</div>
<div class="logs-content">
<div v-for="(log, index) in download.logs" :key="index" class="log-entry">
<span class="log-time">{{ formatLogTime(log.time) }}</span>
<span class="log-message">{{ log.message }}</span>
</div>
</div>
</div>
<!-- 操作按钮 -->
<div class="actions-section">
<button
v-if="download.status === 'downloading'"
@click="pause"
class="action-btn secondary"
>
<i class="fas fa-pause"></i>
暂停下载
</button>
<button
v-else-if="download.status === 'paused'"
@click="resume"
class="action-btn primary"
>
<i class="fas fa-play"></i>
继续下载
</button>
<button
v-if="download.status === 'failed'"
@click="retry"
class="action-btn primary"
>
<i class="fas fa-redo"></i>
重试下载
</button>
<button
v-if="download.status !== 'completed'"
@click="cancel"
class="action-btn danger"
>
<i class="fas fa-times"></i>
取消下载
</button>
<button
v-if="download.status === 'completed'"
@click="openApp"
class="action-btn primary"
>
<i class="fas fa-external-link-alt"></i>
打开应用
</button>
</div>
</div>
</div>
</div>
</transition>
</template>
<script setup>
import { defineProps, defineEmits } from 'vue';
const props = defineProps({
show: {
type: Boolean,
default: false
},
download: {
type: Object,
default: null
}
});
const emit = defineEmits(['close', 'pause', 'resume', 'cancel', 'retry', 'open-app']);
const close = () => {
emit('close');
};
const handleOverlayClick = () => {
close();
};
const pause = () => {
emit('pause', props.download.id);
};
const resume = () => {
emit('resume', props.download.id);
};
const cancel = () => {
emit('cancel', props.download.id);
};
const retry = () => {
emit('retry', props.download.id);
};
const openApp = () => {
emit('open-app', props.download);
};
const getStatusText = (status) => {
const statusMap = {
'pending': '等待中',
'downloading': '下载中',
'installing': '安装中',
'completed': '已完成',
'failed': '失败',
'paused': '已暂停',
'cancelled': '已取消'
};
return statusMap[status] || status;
};
const formatSize = (bytes) => {
if (!bytes) return '0 B';
const units = ['B', 'KB', 'MB', 'GB'];
const i = Math.floor(Math.log(bytes) / Math.log(1024));
return (bytes / Math.pow(1024, i)).toFixed(2) + ' ' + units[i];
};
const formatSpeed = (bytesPerSecond) => {
return formatSize(bytesPerSecond) + '/s';
};
const formatTime = (seconds) => {
if (seconds < 60) return `${seconds}`;
if (seconds < 3600) return `${Math.floor(seconds / 60)}分钟`;
return `${Math.floor(seconds / 3600)}小时${Math.floor((seconds % 3600) / 60)}分钟`;
};
const formatDate = (timestamp) => {
const date = new Date(timestamp);
return date.toLocaleString('zh-CN');
};
const formatLogTime = (timestamp) => {
const date = new Date(timestamp);
return date.toLocaleTimeString('zh-CN');
};
const copyLogs = () => {
if (!props.download?.logs) return;
const logsText = props.download.logs
.map(log => `[${formatLogTime(log.time)}] ${log.message}`)
.join('\n');
navigator.clipboard?.writeText(logsText).then(() => {
alert('日志已复制到剪贴板');
}).catch(() => {
prompt('请手动复制日志:', logsText);
});
};
</script>
<style scoped>
.modal-overlay {
position: fixed;
top: 0;
left: 0;
right: 0;
bottom: 0;
background: rgba(0, 0, 0, 0.6);
backdrop-filter: blur(8px);
display: flex;
align-items: center;
justify-content: center;
z-index: 2000;
padding: 20px;
}
.modal-content {
background: var(--card);
border-radius: 16px;
max-width: 600px;
width: 100%;
max-height: 90vh;
display: flex;
flex-direction: column;
box-shadow: 0 20px 60px rgba(0, 0, 0, 0.3);
}
.detail-header {
padding: 24px;
border-bottom: 1px solid var(--border);
position: relative;
}
.detail-header h2 {
margin: 0;
font-size: 20px;
font-weight: 600;
}
.close-btn {
position: absolute;
top: 24px;
right: 24px;
background: transparent;
border: none;
font-size: 20px;
cursor: pointer;
color: var(--muted);
padding: 4px;
transition: color 0.2s;
}
.close-btn:hover {
color: var(--text);
}
.detail-body {
padding: 24px;
overflow-y: auto;
flex: 1;
}
.app-section {
display: flex;
gap: 16px;
margin-bottom: 24px;
padding-bottom: 24px;
border-bottom: 1px solid var(--border);
}
.app-icon-large {
width: 80px;
height: 80px;
flex-shrink: 0;
}
.app-icon-large img {
width: 100%;
height: 100%;
border-radius: 16px;
object-fit: cover;
}
.app-info-detail {
flex: 1;
display: flex;
flex-direction: column;
justify-content: center;
}
.app-name {
margin: 0 0 8px 0;
font-size: 20px;
font-weight: 600;
}
.app-meta {
color: var(--muted);
font-size: 14px;
}
.separator {
margin: 0 8px;
}
.status-section {
margin-bottom: 24px;
padding-bottom: 24px;
border-bottom: 1px solid var(--border);
}
.status-header {
display: flex;
justify-content: space-between;
align-items: center;
margin-bottom: 16px;
}
.status-label {
font-weight: 600;
color: var(--muted);
}
.status-value {
padding: 4px 12px;
border-radius: 12px;
font-size: 14px;
font-weight: 600;
}
.status-value.downloading {
background: rgba(0, 122, 255, 0.1);
color: #007AFF;
}
.status-value.completed {
background: rgba(52, 199, 89, 0.1);
color: #34C759;
}
.status-value.failed {
background: rgba(255, 59, 48, 0.1);
color: #FF3B30;
}
.status-value.paused {
background: rgba(255, 149, 0, 0.1);
color: #FF9500;
}
.progress-section {
margin-top: 16px;
}
.progress-bar-large {
width: 100%;
height: 8px;
background: var(--glass);
border-radius: 4px;
overflow: hidden;
margin-bottom: 8px;
}
.progress-fill {
height: 100%;
background: var(--primary);
transition: width 0.3s ease;
}
.progress-info {
display: flex;
justify-content: space-between;
font-size: 14px;
color: var(--muted);
margin-bottom: 8px;
}
.download-speed {
display: flex;
align-items: center;
gap: 8px;
font-size: 14px;
color: var(--text);
}
.download-speed i {
color: var(--primary);
}
.time-remaining {
margin-left: auto;
color: var(--muted);
}
.info-section {
margin-bottom: 24px;
padding-bottom: 24px;
border-bottom: 1px solid var(--border);
}
.info-item {
display: flex;
justify-content: space-between;
padding: 8px 0;
}
.info-label {
color: var(--muted);
font-weight: 500;
}
.info-value {
text-align: right;
max-width: 60%;
word-break: break-word;
}
.info-value.error {
color: #FF3B30;
}
.logs-section {
margin-bottom: 24px;
}
.logs-header {
display: flex;
justify-content: space-between;
align-items: center;
margin-bottom: 12px;
font-weight: 600;
}
.copy-logs-btn {
background: transparent;
border: 1px solid var(--border);
padding: 6px 12px;
border-radius: 8px;
cursor: pointer;
font-size: 13px;
color: var(--text);
display: flex;
align-items: center;
gap: 6px;
transition: all 0.2s;
}
.copy-logs-btn:hover {
background: var(--glass);
border-color: var(--primary);
color: var(--primary);
}
.logs-content {
background: var(--glass);
border-radius: 8px;
padding: 12px;
max-height: 200px;
overflow-y: auto;
font-family: 'Consolas', 'Monaco', monospace;
font-size: 12px;
}
.log-entry {
display: flex;
gap: 12px;
padding: 4px 0;
color: var(--text);
}
.log-time {
color: var(--muted);
flex-shrink: 0;
}
.log-message {
flex: 1;
}
.actions-section {
display: flex;
gap: 12px;
flex-wrap: wrap;
}
.action-btn {
flex: 1;
min-width: 140px;
padding: 12px 20px;
border: none;
border-radius: 10px;
font-size: 14px;
font-weight: 600;
cursor: pointer;
display: flex;
align-items: center;
justify-content: center;
gap: 8px;
transition: all 0.2s;
}
.action-btn.primary {
background: var(--primary);
color: white;
}
.action-btn.primary:hover {
opacity: 0.9;
transform: translateY(-1px);
}
.action-btn.secondary {
background: var(--glass);
color: var(--text);
}
.action-btn.secondary:hover {
background: var(--border);
}
.action-btn.danger {
background: rgba(255, 59, 48, 0.1);
color: #FF3B30;
}
.action-btn.danger:hover {
background: rgba(255, 59, 48, 0.2);
}
.modal-fade-enter-active,
.modal-fade-leave-active {
transition: opacity 0.3s ease;
}
.modal-fade-enter-active .modal-content,
.modal-fade-leave-active .modal-content {
transition: transform 0.3s ease;
}
.modal-fade-enter-from,
.modal-fade-leave-to {
opacity: 0;
}
.modal-fade-enter-from .modal-content,
.modal-fade-leave-to .modal-content {
transform: scale(0.9);
}
</style>

View File

@@ -0,0 +1,355 @@
<template>
<div class="download-queue" :class="{ 'expanded': isExpanded }">
<!-- 队列头部 -->
<div class="queue-header" @click="toggleExpand">
<div class="queue-info">
<i class="fas fa-download"></i>
<span class="queue-title">下载队列</span>
<span class="queue-count" v-if="downloads.length > 0">({{ activeDownloads }}/{{ downloads.length }})</span>
</div>
<div class="queue-actions">
<button v-if="downloads.length > 0" @click.stop="clearCompleted" class="clear-btn" title="清除已完成">
<i class="fas fa-broom"></i>
</button>
<button @click.stop="toggleExpand" class="expand-btn">
<i class="fas" :class="isExpanded ? 'fa-chevron-down' : 'fa-chevron-up'"></i>
</button>
</div>
</div>
<!-- 队列列表 -->
<transition name="slide">
<div v-show="isExpanded" class="queue-list">
<div v-if="downloads.length === 0" class="empty-state">
<i class="fas fa-inbox"></i>
<p>暂无下载任务</p>
</div>
<div v-else class="download-items">
<div
v-for="download in downloads"
:key="download.id"
class="download-item"
:class="download.status"
@click="showDownloadDetail(download)"
>
<div class="download-icon">
<img :src="download.icon" :alt="download.name" />
</div>
<div class="download-info">
<div class="download-name">{{ download.name }}</div>
<div class="download-status-text">
<span v-if="download.status === 'downloading'">
下载中 {{ download.progress }}%
</span>
<span v-else-if="download.status === 'installing'">
安装中...
</span>
<span v-else-if="download.status === 'completed'">
已完成
</span>
<span v-else-if="download.status === 'failed'">
失败: {{ download.error }}
</span>
<span v-else-if="download.status === 'paused'">
已暂停
</span>
<span v-else>
等待中...
</span>
</div>
<div v-if="download.status === 'downloading'" class="progress-bar">
<div class="progress-fill" :style="{ width: download.progress + '%' }"></div>
</div>
</div>
<div class="download-actions">
<button
v-if="download.status === 'downloading'"
@click.stop="pauseDownload(download.id)"
class="action-icon"
title="暂停"
>
<i class="fas fa-pause"></i>
</button>
<button
v-else-if="download.status === 'paused'"
@click.stop="resumeDownload(download.id)"
class="action-icon"
title="继续"
>
<i class="fas fa-play"></i>
</button>
<button
v-if="download.status === 'failed'"
@click.stop="retryDownload(download.id)"
class="action-icon"
title="重试"
>
<i class="fas fa-redo"></i>
</button>
<button
@click.stop="cancelDownload(download.id)"
class="action-icon"
title="取消"
>
<i class="fas fa-times"></i>
</button>
</div>
</div>
</div>
</div>
</transition>
</div>
</template>
<script setup>
import { ref, computed, defineProps, defineEmits } from 'vue';
const props = defineProps({
downloads: {
type: Array,
default: () => []
}
});
const emit = defineEmits([
'pause',
'resume',
'cancel',
'retry',
'clear-completed',
'show-detail'
]);
const isExpanded = ref(true);
const activeDownloads = computed(() => {
return props.downloads.filter(d =>
d.status === 'downloading' || d.status === 'installing'
).length;
});
const toggleExpand = () => {
isExpanded.value = !isExpanded.value;
};
const pauseDownload = (id) => {
emit('pause', id);
};
const resumeDownload = (id) => {
emit('resume', id);
};
const cancelDownload = (id) => {
emit('cancel', id);
};
const retryDownload = (id) => {
emit('retry', id);
};
const clearCompleted = () => {
emit('clear-completed');
};
const showDownloadDetail = (download) => {
emit('show-detail', download);
};
</script>
<style scoped>
.download-queue {
position: fixed;
bottom: 0;
right: 20px;
width: 400px;
max-height: 500px;
background: var(--card);
border-radius: 12px 12px 0 0;
box-shadow: var(--shadow);
z-index: 1000;
transition: all 0.3s ease;
}
.download-queue:not(.expanded) {
max-height: 60px;
}
.queue-header {
display: flex;
justify-content: space-between;
align-items: center;
padding: 16px 20px;
cursor: pointer;
border-bottom: 1px solid var(--border);
user-select: none;
}
.queue-header:hover {
background: var(--glass);
}
.queue-info {
display: flex;
align-items: center;
gap: 10px;
font-weight: 600;
}
.queue-info i {
color: var(--primary);
}
.queue-count {
color: var(--muted);
font-size: 14px;
}
.queue-actions {
display: flex;
gap: 8px;
}
.clear-btn,
.expand-btn {
background: transparent;
border: none;
padding: 6px 10px;
cursor: pointer;
border-radius: 6px;
color: var(--text);
transition: all 0.2s;
}
.clear-btn:hover,
.expand-btn:hover {
background: var(--glass);
}
.queue-list {
max-height: 440px;
overflow-y: auto;
}
.slide-enter-active,
.slide-leave-active {
transition: all 0.3s ease;
}
.slide-enter-from,
.slide-leave-to {
max-height: 0;
opacity: 0;
}
.empty-state {
padding: 40px 20px;
text-align: center;
color: var(--muted);
}
.empty-state i {
font-size: 48px;
margin-bottom: 12px;
opacity: 0.5;
}
.download-items {
padding: 8px 0;
}
.download-item {
display: flex;
align-items: center;
gap: 12px;
padding: 12px 20px;
cursor: pointer;
transition: background 0.2s;
}
.download-item:hover {
background: var(--glass);
}
.download-item.completed {
opacity: 0.7;
}
.download-item.failed {
background: rgba(255, 59, 48, 0.1);
}
.download-icon {
width: 48px;
height: 48px;
flex-shrink: 0;
}
.download-icon img {
width: 100%;
height: 100%;
border-radius: 12px;
object-fit: cover;
}
.download-info {
flex: 1;
min-width: 0;
}
.download-name {
font-weight: 600;
white-space: nowrap;
overflow: hidden;
text-overflow: ellipsis;
margin-bottom: 4px;
}
.download-status-text {
font-size: 13px;
color: var(--muted);
margin-bottom: 6px;
}
.progress-bar {
width: 100%;
height: 4px;
background: var(--glass);
border-radius: 2px;
overflow: hidden;
}
.progress-fill {
height: 100%;
background: var(--primary);
transition: width 0.3s ease;
}
.download-actions {
display: flex;
gap: 4px;
}
.action-icon {
background: transparent;
border: none;
padding: 8px;
cursor: pointer;
border-radius: 6px;
color: var(--text);
transition: all 0.2s;
}
.action-icon:hover {
background: var(--glass);
color: var(--primary);
}
@media (max-width: 768px) {
.download-queue {
right: 10px;
width: calc(100% - 20px);
max-width: 400px;
}
}
</style>