File size: 14,080 Bytes
53f22b0 |
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 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 |
import os
import shutil
import subprocess
import tempfile
import zipfile
import requests
import rarfile
import tarfile
from flask import Flask, render_template, request, jsonify, send_file
from urllib.parse import urlparse
from werkzeug.utils import secure_filename
import json
from pathlib import Path
import threading
import time
app = Flask(__name__)
app.config['UPLOAD_FOLDER'] = 'temp_repos'
app.config['OUTPUT_FOLDER'] = 'outputs'
app.config['MAX_CONTENT_LENGTH'] = 500 * 1024 * 1024 # 500MB
# 支持的文件类型
ALLOWED_EXTENSIONS = {
'zip', 'rar', '7z', 'tar', 'tar.gz', 'tgz', 'tar.bz2', 'tar.xz',
'py', 'js', 'html', 'css', 'java', 'cpp', 'c', 'h', 'php', 'rb',
'go', 'rs', 'ts', 'vue', 'jsx', 'tsx', 'md', 'txt', 'json', 'xml',
'yaml', 'yml', 'ini', 'cfg', 'conf', 'sh', 'bat', 'ps1', 'sql'
}
# 确保必要的文件夹存在
os.makedirs(app.config['UPLOAD_FOLDER'], exist_ok=True)
os.makedirs(app.config['OUTPUT_FOLDER'], exist_ok=True)
# 全局变量用于跟踪下载进度
download_progress = {}
def allowed_file(filename):
"""检查文件是否允许上传"""
if '.' not in filename:
return False
extension = filename.rsplit('.', 1)[1].lower()
# 特殊处理复合扩展名
if filename.lower().endswith(('.tar.gz', '.tar.bz2', '.tar.xz')):
return True
return extension in ALLOWED_EXTENSIONS
def extract_archive(file_path, extract_to, session_id):
"""解压各种格式的压缩包"""
try:
download_progress[session_id] = {'status': 'extracting', 'progress': 30}
if file_path.lower().endswith('.zip'):
with zipfile.ZipFile(file_path, 'r') as zip_ref:
zip_ref.extractall(extract_to)
elif file_path.lower().endswith('.rar'):
with rarfile.RarFile(file_path, 'r') as rar_ref:
rar_ref.extractall(extract_to)
elif file_path.lower().endswith(('.tar', '.tar.gz', '.tgz', '.tar.bz2', '.tar.xz')):
mode = 'r'
if file_path.lower().endswith(('.tar.gz', '.tgz')):
mode = 'r:gz'
elif file_path.lower().endswith('.tar.bz2'):
mode = 'r:bz2'
elif file_path.lower().endswith('.tar.xz'):
mode = 'r:xz'
with tarfile.open(file_path, mode) as tar_ref:
tar_ref.extractall(extract_to)
elif file_path.lower().endswith('.7z'):
# 对于7z文件,尝试使用7zip命令行工具
import subprocess
try:
subprocess.run(['7z', 'x', file_path, f'-o{extract_to}'], check=True, capture_output=True)
except (subprocess.CalledProcessError, FileNotFoundError):
raise Exception("7z文件需要安装7zip命令行工具")
else:
raise Exception(f"不支持的压缩格式: {file_path}")
download_progress[session_id] = {'status': 'completed', 'progress': 100}
return True
except Exception as e:
download_progress[session_id] = {'status': 'error', 'message': f'解压失败: {str(e)}'}
return False
def process_uploaded_file(file_path, session_id):
"""处理上传的文件"""
try:
download_progress[session_id] = {'status': 'processing', 'progress': 10}
filename = os.path.basename(file_path)
extract_dir = os.path.join(app.config['UPLOAD_FOLDER'], f"{session_id}_uploaded")
if os.path.exists(extract_dir):
shutil.rmtree(extract_dir)
os.makedirs(extract_dir)
# 判断是压缩文件还是单个文件
if any(filename.lower().endswith(ext) for ext in ['.zip', '.rar', '.7z', '.tar', '.tar.gz', '.tgz', '.tar.bz2', '.tar.xz']):
# 解压压缩文件
success = extract_archive(file_path, extract_dir, session_id)
if not success:
return None
else:
# 单个文件,直接复制
download_progress[session_id] = {'status': 'copying', 'progress': 50}
shutil.copy2(file_path, extract_dir)
download_progress[session_id] = {'status': 'completed', 'progress': 100}
return extract_dir
except Exception as e:
download_progress[session_id] = {'status': 'error', 'message': str(e)}
return None
"""从GitHub URL提取用户名和仓库名"""
parsed = urlparse(url)
path_parts = parsed.path.strip('/').split('/')
if len(path_parts) >= 2:
return path_parts[0], path_parts[1]
return None, None
def download_github_repo(url, session_id):
"""下载GitHub仓库"""
try:
download_progress[session_id] = {'status': 'starting', 'progress': 0}
username, repo_name = extract_github_info(url)
if not username or not repo_name:
download_progress[session_id] = {'status': 'error', 'message': '无效的GitHub URL'}
return None
# 创建临时目录
temp_dir = os.path.join(app.config['UPLOAD_FOLDER'], f"{session_id}_{repo_name}")
if os.path.exists(temp_dir):
shutil.rmtree(temp_dir)
download_progress[session_id] = {'status': 'downloading', 'progress': 20}
# 下载ZIP文件
zip_url = f"https://github.com/{username}/{repo_name}/archive/refs/heads/main.zip"
# 尝试main分支,如果失败则尝试master分支
response = requests.get(zip_url, stream=True)
if response.status_code != 200:
zip_url = f"https://github.com/{username}/{repo_name}/archive/refs/heads/master.zip"
response = requests.get(zip_url, stream=True)
if response.status_code != 200:
download_progress[session_id] = {'status': 'error', 'message': '无法下载仓库,请检查URL是否正确'}
return None
download_progress[session_id] = {'status': 'downloading', 'progress': 50}
# 保存ZIP文件
zip_path = os.path.join(app.config['UPLOAD_FOLDER'], f"{session_id}_{repo_name}.zip")
with open(zip_path, 'wb') as f:
for chunk in response.iter_content(chunk_size=8192):
f.write(chunk)
download_progress[session_id] = {'status': 'extracting', 'progress': 70}
# 解压ZIP文件
with zipfile.ZipFile(zip_path, 'r') as zip_ref:
zip_ref.extractall(app.config['UPLOAD_FOLDER'])
# 找到解压后的文件夹
extracted_folders = [f for f in os.listdir(app.config['UPLOAD_FOLDER'])
if f.startswith(f"{repo_name}-") and os.path.isdir(os.path.join(app.config['UPLOAD_FOLDER'], f))]
if extracted_folders:
extracted_path = os.path.join(app.config['UPLOAD_FOLDER'], extracted_folders[0])
os.rename(extracted_path, temp_dir)
# 清理ZIP文件
os.remove(zip_path)
download_progress[session_id] = {'status': 'completed', 'progress': 100}
return temp_dir
except Exception as e:
download_progress[session_id] = {'status': 'error', 'message': str(e)}
return None
def get_file_tree(directory, ignore_dirs=None):
"""获取文件树结构"""
if ignore_dirs is None:
ignore_dirs = set()
def should_ignore(path):
return any(ignore_pattern in path for ignore_pattern in [
'node_modules', '__pycache__', '.git', '.idea', 'venv', 'env',
'.DS_Store', 'Thumbs.db', '*.pyc', '*.pyo', '*.pyd'
])
tree = []
try:
for root, dirs, files in os.walk(directory):
# 过滤要忽略的目录
dirs[:] = [d for d in dirs if not should_ignore(os.path.join(root, d))]
level = root.replace(directory, '').count(os.sep)
indent = ' ' * 2 * level
folder_name = os.path.basename(root)
if level > 0:
tree.append({
'type': 'folder',
'name': folder_name,
'path': root,
'level': level
})
sub_indent = ' ' * 2 * (level + 1)
for file in files:
if not should_ignore(file):
file_path = os.path.join(root, file)
tree.append({
'type': 'file',
'name': file,
'path': file_path,
'level': level + 1,
'size': os.path.getsize(file_path) if os.path.exists(file_path) else 0
})
except Exception as e:
print(f"Error generating file tree: {e}")
return tree
def copy_selected_files_to_txt(source_dir, output_file, selected_files):
"""将选中的文件内容复制到txt文件"""
try:
with open(output_file, 'w', encoding='utf-8') as outfile:
for file_path in selected_files:
if os.path.exists(file_path) and os.path.isfile(file_path):
relative_path = os.path.relpath(file_path, source_dir)
outfile.write(f"{'='*50}\n")
outfile.write(f"文件路径: {relative_path}\n")
outfile.write(f"{'='*50}\n\n")
try:
with open(file_path, 'r', encoding='utf-8') as infile:
content = infile.read()
outfile.write(content)
except UnicodeDecodeError:
try:
with open(file_path, 'r', encoding='gbk') as infile:
content = infile.read()
outfile.write(content)
except:
outfile.write("[二进制文件或编码错误,无法显示内容]\n")
except Exception as e:
outfile.write(f"[读取文件时出错: {str(e)}]\n")
outfile.write("\n\n")
return True
except Exception as e:
print(f"Error copying files: {e}")
return False
@app.route('/')
def index():
return render_template('index.html')
@app.route('/upload', methods=['POST'])
def upload_file():
if 'file' not in request.files:
return jsonify({'error': '没有选择文件'}), 400
file = request.files['file']
if file.filename == '':
return jsonify({'error': '没有选择文件'}), 400
if not allowed_file(file.filename):
return jsonify({'error': '不支持的文件格式'}), 400
session_id = str(int(time.time()))
try:
# 保存上传的文件
filename = secure_filename(file.filename)
file_path = os.path.join(app.config['UPLOAD_FOLDER'], f"{session_id}_{filename}")
file.save(file_path)
# 在后台线程中处理文件
thread = threading.Thread(target=process_uploaded_file, args=(file_path, session_id))
thread.start()
return jsonify({'session_id': session_id, 'filename': filename})
except Exception as e:
return jsonify({'error': f'上传失败: {str(e)}'}), 500
def download_repo():
data = request.get_json()
github_url = data.get('url')
session_id = data.get('session_id', str(int(time.time())))
if not github_url:
return jsonify({'error': '请提供GitHub URL'}), 400
# 在后台线程中下载
thread = threading.Thread(target=download_github_repo, args=(github_url, session_id))
thread.start()
return jsonify({'session_id': session_id})
@app.route('/progress/<session_id>')
def get_progress(session_id):
return jsonify(download_progress.get(session_id, {'status': 'unknown'}))
@app.route('/files/<session_id>')
def get_files(session_id):
# 查找对应的目录
for item in os.listdir(app.config['UPLOAD_FOLDER']):
if item.startswith(session_id) and os.path.isdir(os.path.join(app.config['UPLOAD_FOLDER'], item)):
repo_path = os.path.join(app.config['UPLOAD_FOLDER'], item)
file_tree = get_file_tree(repo_path)
return jsonify({'files': file_tree, 'repo_path': repo_path})
return jsonify({'error': '未找到仓库文件'}), 404
@app.route('/merge', methods=['POST'])
def merge_files():
data = request.get_json()
session_id = data.get('session_id')
selected_files = data.get('selected_files', [])
if not session_id or not selected_files:
return jsonify({'error': '缺少必要参数'}), 400
# 查找仓库路径
repo_path = None
for item in os.listdir(app.config['UPLOAD_FOLDER']):
if item.startswith(session_id) and os.path.isdir(os.path.join(app.config['UPLOAD_FOLDER'], item)):
repo_path = os.path.join(app.config['UPLOAD_FOLDER'], item)
break
if not repo_path:
return jsonify({'error': '未找到仓库'}), 404
# 生成输出文件
output_filename = f"merged_{session_id}.txt"
output_path = os.path.join(app.config['OUTPUT_FOLDER'], output_filename)
success = copy_selected_files_to_txt(repo_path, output_path, selected_files)
if success:
return jsonify({'download_url': f'/download_result/{output_filename}'})
else:
return jsonify({'error': '合并文件时出错'}), 500
@app.route('/download_result/<filename>')
def download_result(filename):
file_path = os.path.join(app.config['OUTPUT_FOLDER'], filename)
if os.path.exists(file_path):
return send_file(file_path, as_attachment=True, download_name=filename)
return "文件不存在", 404
if __name__ == '__main__':
app.run(host='0.0.0.0', port=7860, debug=True) |