commit b16a782f6764794aa9b79006e30edd646ff8709b Author: Jeason <1710884619@qq.com> Date: Fri Mar 13 12:05:03 2026 +0800 new changes diff --git a/.github/workflows/index.html b/.github/workflows/index.html new file mode 100644 index 0000000..8a80d8d --- /dev/null +++ b/.github/workflows/index.html @@ -0,0 +1,261 @@ + + + + + + + + Damaihelper | 抢票助手 + + + + + + + + +
+

Damaihelper

+

帮助你快速抢票的终极工具

+
+ + +
+
+ + +
+

项目介绍

+

Damaihelper 是一款自动化抢票工具,通过高效的算法和模拟抢票策略,帮助用户快速抢购到热门演出、体育赛事等票务,免去排队烦恼。

+
+ + +
+

工作原理

+

用户只需要输入票务页面链接和设定抢票时间,Damaihelper 会在规定时间内自动模拟抢票操作,最大化提高抢票成功率。

+
+ + +
+

功能特点

+ +
+ + +
+ 立即下载 +
+ + +
+
+ 正在启动... 连接至服务器... 配置环境... +
+ 连接成功!开始抢票... 🚀 +
+
+
+ + + + + + diff --git a/.github/workflows/static.yml b/.github/workflows/static.yml new file mode 100644 index 0000000..e509a1e --- /dev/null +++ b/.github/workflows/static.yml @@ -0,0 +1,44 @@ +# Workflow for deploying static content to GitHub Pages +name: Deploy static content to Pages + +on: + # Runs on pushes targeting the default branch + push: + branches: ["main"] + + # Allows you to run this workflow manually from the Actions tab + workflow_dispatch: + +# Sets permissions of the GITHUB_TOKEN to allow deployment to GitHub Pages +permissions: + contents: read + pages: write + id-token: write + +# Ensure only one concurrent deployment +concurrency: + group: "pages" + cancel-in-progress: false + +jobs: + deploy: + environment: + name: github-pages + url: ${{ steps.deployment.outputs.page_url }} + runs-on: ubuntu-latest + steps: + - name: Checkout + uses: actions/checkout@v4 + + - name: Setup Pages + uses: actions/configure-pages@v5 + + - name: Upload artifact + uses: actions/upload-pages-artifact@v3 + with: + # Only upload the content inside `.github/workflows` + path: '.github/workflows/' + + - name: Deploy to GitHub Pages + id: deployment + uses: actions/deploy-pages@v4 diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..f2a723b --- /dev/null +++ b/.gitignore @@ -0,0 +1 @@ +*.pkl \ No newline at end of file diff --git a/GUI.py b/GUI.py new file mode 100644 index 0000000..46557f9 --- /dev/null +++ b/GUI.py @@ -0,0 +1,661 @@ +import json +import threading +import time +import tkinter as tk +from pathlib import Path +from tkinter import filedialog, messagebox, ttk + +from scripts.mock_dependency_manager import ( + build_mock_steps, + build_report, + default_dependencies, +) + + +class TicketHelperGUI: + def __init__(self): + self.window = tk.Tk() + self.window.title("抢票助手 V5.0") + self.window.geometry("1280x900") + self.window.config(bg="#e3f2fd") + self.window.resizable(False, False) + + self.style = ttk.Style() + self.style.configure( + "TButton", + font=("Arial", 12), + padding=8, + relief="flat", + background="#3498db", + foreground="white", + ) + self.style.map("TButton", background=[("active", "#2980b9")]) + self.style.configure("TCheckbutton", font=("Arial", 11), foreground="#333") + self.style.configure("TLabel", font=("Arial", 11), foreground="#333") + self.style.configure("TLabelframe.Label", font=("Arial", 12, "bold")) + + self.create_menus() + self.create_widgets() + + def create_menus(self): + menu_bar = tk.Menu(self.window) + file_menu = tk.Menu(menu_bar, tearoff=0) + file_menu.add_command(label="保存配置", command=self.save_config) + file_menu.add_command(label="加载配置", command=self.load_config) + file_menu.add_command(label="加载示例配置", command=self.load_demo_config) + file_menu.add_separator() + file_menu.add_command(label="退出", command=self.window.quit) + menu_bar.add_cascade(label="文件", menu=file_menu) + + help_menu = tk.Menu(menu_bar, tearoff=0) + help_menu.add_command(label="关于", command=self.show_about) + menu_bar.add_cascade(label="帮助", menu=help_menu) + + self.window.config(menu=menu_bar) + + def create_widgets(self): + main_frame = tk.Frame(self.window, bg="#e3f2fd") + main_frame.place(relwidth=1, relheight=1) + + title = ttk.Label( + main_frame, + text="抢票助手配置中心", + font=("Arial", 26, "bold"), + foreground="#2c3e50", + background="#e3f2fd", + ) + title.pack(pady=20) + + self.notebook = ttk.Notebook(main_frame) + self.notebook.pack(padx=20, pady=10, fill=tk.BOTH, expand=True) + + self.create_global_tab() + self.create_account_tab() + self.create_strategy_tab() + self.create_monitor_tab() + self.create_notification_tab() + self.create_plugin_tab() + self.create_dependency_tab() + + control_frame = tk.LabelFrame( + main_frame, + text="任务控制", + font=("Arial", 12), + bg="#ffffff", + fg="#333", + padx=10, + pady=10, + ) + control_frame.pack(fill=tk.X, padx=20, pady=5) + + self.auto_buy_check_var = tk.BooleanVar(value=True) + ttk.Checkbutton( + control_frame, + text="启用自动抢票", + variable=self.auto_buy_check_var, + ).grid(row=0, column=0, padx=10, pady=5, sticky="w") + + self.start_button = ttk.Button(control_frame, text="开始抢票", command=self.start_ticket_task) + self.start_button.grid(row=0, column=1, padx=10) + self.stop_button = ttk.Button( + control_frame, + text="停止任务", + command=self.stop_ticket_task, + state=tk.DISABLED, + ) + self.stop_button.grid(row=0, column=2, padx=10) + self.restart_button = ttk.Button( + control_frame, + text="重试任务", + command=self.retry_ticket_task, + state=tk.DISABLED, + ) + self.restart_button.grid(row=0, column=3, padx=10) + + status_frame = tk.Frame(main_frame, bg="#e3f2fd") + status_frame.pack(fill=tk.X, padx=20, pady=5) + + self.status_label = ttk.Label( + status_frame, + text="当前状态: 未开始", + font=("Arial", 11), + background="#e3f2fd", + foreground="#2c3e50", + ) + self.status_label.grid(row=0, column=0, padx=10) + + self.progress_bar = ttk.Progressbar(status_frame, length=240, mode="determinate", maximum=100) + self.progress_bar.grid(row=0, column=1, padx=10) + + self.progress_label = ttk.Label( + status_frame, + text="进度: 0%", + font=("Arial", 11), + background="#e3f2fd", + foreground="#2c3e50", + ) + self.progress_label.grid(row=0, column=2, padx=10) + + log_frame = tk.LabelFrame( + main_frame, + text="日志输出", + font=("Arial", 12), + bg="#ffffff", + fg="#333", + padx=10, + pady=10, + ) + log_frame.pack(fill=tk.BOTH, padx=20, pady=10) + + self.log_text = tk.Text( + log_frame, + height=8, + width=120, + font=("Arial", 11), + wrap=tk.WORD, + bg="#f8f9fa", + state=tk.DISABLED, + ) + self.log_text.grid(row=0, column=0, padx=10, pady=5) + + def create_global_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="全局设置") + + self.global_log_level = self._add_labeled_combo( + tab, + 0, + "日志等级", + ["DEBUG", "INFO", "WARNING", "ERROR"], + default="DEBUG", + ) + self.global_timezone = self._add_labeled_entry(tab, 1, "时区", "Asia/Shanghai") + self.global_ntp_servers = self._add_labeled_entry(tab, 2, "NTP服务器(逗号分隔)", "time.google.com,ntp.aliyun.com") + + dashboard_frame = tk.LabelFrame(tab, text="Dashboard", bg="#ffffff", padx=10, pady=10) + dashboard_frame.grid(row=3, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + dashboard_frame.columnconfigure(1, weight=1) + + self.dashboard_enable = tk.BooleanVar(value=True) + ttk.Checkbutton(dashboard_frame, text="启用可视化面板", variable=self.dashboard_enable).grid( + row=0, column=0, sticky="w", padx=5, pady=5 + ) + self.dashboard_host = self._add_labeled_entry(dashboard_frame, 1, "面板地址", "0.0.0.0") + self.dashboard_port = self._add_labeled_entry(dashboard_frame, 2, "面板端口", "8765") + + def create_account_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="账户配置") + + self.account_platform = self._add_labeled_combo( + tab, + 0, + "平台", + ["taopiaopiao", "maoyan", "showstart", "piaoxingqiu", "others"], + default="taopiaopiao", + ) + self.account_mobile = self._add_labeled_entry(tab, 1, "手机号", "") + self.account_password = self._add_labeled_entry(tab, 2, "密码", "") + self.account_otp = self._add_labeled_entry(tab, 3, "OTP Secret(可选)", "") + + target_frame = tk.LabelFrame(tab, text="目标信息", bg="#ffffff", padx=10, pady=10) + target_frame.grid(row=4, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + target_frame.columnconfigure(1, weight=1) + + self.target_event_url = self._add_labeled_entry(target_frame, 0, "演出链接", "") + self.target_date_priorities = self._add_labeled_entry(target_frame, 1, "日期优先级(逗号)", "1,2") + self.target_session_priorities = self._add_labeled_entry(target_frame, 2, "场次优先级(逗号)", "1") + self.target_price_range = self._add_labeled_combo( + target_frame, + 3, + "票价策略", + ["lowest_to_highest", "highest_to_lowest", "custom"], + default="lowest_to_highest", + ) + self.target_tickets = self._add_labeled_entry(target_frame, 4, "购票数量", "2") + self.target_viewers = self._add_labeled_entry(target_frame, 5, "观影人索引(逗号)", "0,1") + + proxy_frame = tk.LabelFrame(tab, text="代理设置", bg="#ffffff", padx=10, pady=10) + proxy_frame.grid(row=5, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + proxy_frame.columnconfigure(1, weight=1) + + self.proxy_type = self._add_labeled_combo( + proxy_frame, + 0, + "代理类型", + ["socks5", "http", "https"], + default="socks5", + ) + self.proxy_addr = self._add_labeled_entry(proxy_frame, 1, "代理地址(user:pass@host:port)", "") + self.proxy_rotate = self._add_labeled_entry(proxy_frame, 2, "轮换间隔(秒)", "300") + + def create_strategy_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="策略设置") + + self.strategy_auto = tk.BooleanVar(value=True) + ttk.Checkbutton(tab, text="启用自动出手", variable=self.strategy_auto, background="#ffffff").grid( + row=0, column=0, sticky="w", padx=10, pady=5 + ) + self.strategy_time = self._add_labeled_entry(tab, 1, "开抢时间(ISO)", "2026-01-25T12:00:00") + self.strategy_preheat = self._add_labeled_entry(tab, 2, "预热阶段(秒,逗号)", "5.0,2.0,0.5") + + self.strategy_ai = tk.BooleanVar(value=True) + ttk.Checkbutton(tab, text="启用AI决策", variable=self.strategy_ai, background="#ffffff").grid( + row=3, column=0, sticky="w", padx=10, pady=5 + ) + self.strategy_ai_model = self._add_labeled_entry(tab, 4, "AI模型路径", "models/lstm_onnx.onnx") + self.strategy_max_retries = self._add_labeled_entry(tab, 5, "最大重试次数", "180") + self.strategy_retry_backoff = self._add_labeled_combo( + tab, + 6, + "重试策略", + ["exponential", "fixed"], + default="exponential", + ) + + def create_monitor_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="监控设置") + + self.monitor_enable = tk.BooleanVar(value=True) + ttk.Checkbutton(tab, text="启用库存监控", variable=self.monitor_enable, background="#ffffff").grid( + row=0, column=0, sticky="w", padx=10, pady=5 + ) + self.monitor_poll_interval = self._add_labeled_entry(tab, 1, "轮询间隔(秒)", "1.5") + + trigger_frame = tk.LabelFrame(tab, text="触发条件(每行一条)", bg="#ffffff", padx=10, pady=10) + trigger_frame.grid(row=2, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + self.monitor_triggers = tk.Text(trigger_frame, height=5, width=60, font=("Arial", 10)) + self.monitor_triggers.insert(tk.END, "price_drop > 10%\ntickets_added > 0\nstatus_change: soldout -> available") + self.monitor_triggers.pack(fill=tk.X) + + def create_notification_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="通知设置") + + telegram_frame = tk.LabelFrame(tab, text="Telegram", bg="#ffffff", padx=10, pady=10) + telegram_frame.grid(row=0, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + telegram_frame.columnconfigure(1, weight=1) + + self.telegram_token = self._add_labeled_entry(telegram_frame, 0, "Bot Token", "") + self.telegram_chat = self._add_labeled_entry(telegram_frame, 1, "Chat ID", "") + + email_frame = tk.LabelFrame(tab, text="Email", bg="#ffffff", padx=10, pady=10) + email_frame.grid(row=1, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + email_frame.columnconfigure(1, weight=1) + + self.email_smtp = self._add_labeled_entry(email_frame, 0, "SMTP地址", "smtp.example.com:465") + self.email_user = self._add_labeled_entry(email_frame, 1, "邮箱账号", "") + self.email_pass = self._add_labeled_entry(email_frame, 2, "邮箱密码", "") + self.email_recipients = self._add_labeled_entry(email_frame, 3, "收件人(逗号)", "user@domain.com") + + def create_plugin_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="插件扩展") + + ttk.Label(tab, text="自定义插件(逗号分隔)", background="#ffffff").grid( + row=0, column=0, padx=10, pady=10, sticky="w" + ) + self.plugins_custom = ttk.Entry(tab, width=60, font=("Arial", 11)) + self.plugins_custom.insert(0, "my_adapter.py,extra_notifier.py") + self.plugins_custom.grid(row=0, column=1, padx=10, pady=10, sticky="ew") + + def create_dependency_tab(self): + tab = tk.Frame(self.notebook, bg="#ffffff") + self.notebook.add(tab, text="依赖管理") + + description = ( + "本项目用于模拟与学习。可在此配置“伪安装”依赖清单,\n" + "点击按钮将以日志方式模拟安装流程,不会真实下载或执行安装。" + ) + ttk.Label(tab, text=description, background="#ffffff", foreground="#555").grid( + row=0, column=0, columnspan=2, padx=10, pady=10, sticky="w" + ) + + deps_frame = tk.LabelFrame(tab, text="依赖清单(每行一条)", bg="#ffffff", padx=10, pady=10) + deps_frame.grid(row=1, column=0, columnspan=2, sticky="ew", padx=10, pady=10) + self.dependency_list = tk.Text(deps_frame, height=8, width=70, font=("Arial", 10)) + self.dependency_list.insert(tk.END, "\n".join(default_dependencies()) + "\n") + self.dependency_list.pack(fill=tk.X) + + self.dep_auto_install = tk.BooleanVar(value=True) + ttk.Checkbutton( + tab, + text="启动时自动模拟安装", + variable=self.dep_auto_install, + background="#ffffff", + ).grid(row=2, column=0, padx=10, pady=5, sticky="w") + + install_button = ttk.Button(tab, text="模拟安装依赖", command=self.simulate_dependency_install) + install_button.grid(row=2, column=1, padx=10, pady=5, sticky="e") + + export_button = ttk.Button(tab, text="导出模拟安装报告", command=self.export_dependency_report) + export_button.grid(row=3, column=1, padx=10, pady=5, sticky="e") + + def _add_labeled_entry(self, parent, row, label, default): + ttk.Label(parent, text=label, background=parent.cget("bg")).grid( + row=row, column=0, padx=10, pady=6, sticky="w" + ) + entry = ttk.Entry(parent, width=48, font=("Arial", 11)) + entry.grid(row=row, column=1, padx=10, pady=6, sticky="ew") + if default: + entry.insert(0, default) + return entry + + def _add_labeled_combo(self, parent, row, label, values, default=None): + ttk.Label(parent, text=label, background=parent.cget("bg")).grid( + row=row, column=0, padx=10, pady=6, sticky="w" + ) + combo = ttk.Combobox(parent, values=values, state="readonly", width=45, font=("Arial", 11)) + combo.grid(row=row, column=1, padx=10, pady=6, sticky="ew") + if default: + combo.set(default) + elif values: + combo.set(values[0]) + return combo + + def _parse_list(self, raw_text): + return [item.strip() for item in raw_text.split(",") if item.strip()] + + def _parse_int_list(self, raw_text): + return [int(item.strip()) for item in raw_text.split(",") if item.strip().isdigit()] + + def _get_text_lines(self, text_widget): + content = text_widget.get("1.0", tk.END).strip() + return [line.strip() for line in content.splitlines() if line.strip()] + + def start_ticket_task(self): + if self.dep_auto_install.get(): + self.simulate_dependency_install() + self.log("任务开始!") + self.status_label.config(text="当前状态: 抢票进行中") + self.start_button.config(state=tk.DISABLED) + self.stop_button.config(state=tk.NORMAL) + self.restart_button.config(state=tk.NORMAL) + + self.task_thread = threading.Thread(target=self.simulate_ticket_task, daemon=True) + self.task_thread.start() + + def stop_ticket_task(self): + self.log("任务已停止!") + self.status_label.config(text="当前状态: 任务已停止") + self.start_button.config(state=tk.NORMAL) + self.stop_button.config(state=tk.DISABLED) + self.restart_button.config(state=tk.DISABLED) + + def retry_ticket_task(self): + self.log("正在重试任务...") + self.start_ticket_task() + + def simulate_ticket_task(self): + for i in range(1, 101): + time.sleep(0.08) + self.progress_bar["value"] = i + self.progress_label.config(text=f"进度: {i}%") + self.window.update_idletasks() + + self.log("任务完成!") + self.status_label.config(text="当前状态: 任务完成") + self.start_button.config(state=tk.NORMAL) + self.stop_button.config(state=tk.DISABLED) + self.restart_button.config(state=tk.NORMAL) + + def simulate_dependency_install(self): + dependencies = self._get_text_lines(self.dependency_list) + if not dependencies: + self.log("依赖清单为空,已跳过。") + return + self.log("开始模拟安装依赖...") + for step in build_mock_steps(dependencies): + time.sleep(0.03) + self.log(f"[{step.dependency}] {step.detail}") + self.log("依赖模拟安装完成。") + + def log(self, message): + self.log_text.config(state=tk.NORMAL) + self.log_text.insert(tk.END, f"{message}\n") + self.log_text.config(state=tk.DISABLED) + self.log_text.yview(tk.END) + + def save_config(self): + config_data = { + "version": "4.5", + "global": { + "log_level": self.global_log_level.get(), + "timezone": self.global_timezone.get(), + "ntp_servers": self._parse_list(self.global_ntp_servers.get()), + "dashboard": { + "enable": self.dashboard_enable.get(), + "host": self.dashboard_host.get(), + "port": int(self.dashboard_port.get() or 0), + }, + }, + "accounts": { + "acc_primary": { + "platform": self.account_platform.get(), + "credentials": { + "mobile": self.account_mobile.get(), + "password": self.account_password.get(), + "otp_secret": self.account_otp.get(), + }, + "target": { + "event_url": self.target_event_url.get(), + "priorities": { + "date": self._parse_int_list(self.target_date_priorities.get()), + "session": self._parse_int_list(self.target_session_priorities.get()), + "price_range": self.target_price_range.get(), + }, + "tickets": int(self.target_tickets.get() or 0), + "viewers": self._parse_int_list(self.target_viewers.get()), + }, + "proxy": { + "type": self.proxy_type.get(), + "addr": self.proxy_addr.get(), + "rotate_interval": f"{self.proxy_rotate.get()}s", + }, + } + }, + "strategy": { + "auto_strike": self.strategy_auto.get(), + "strike_time": self.strategy_time.get(), + "preheat_stages": [ + float(item) for item in self._parse_list(self.strategy_preheat.get()) + ], + "ai_enabled": self.strategy_ai.get(), + "ai_model_path": self.strategy_ai_model.get(), + "max_retries": int(self.strategy_max_retries.get() or 0), + "retry_backoff": self.strategy_retry_backoff.get(), + }, + "monitor": { + "enable": self.monitor_enable.get(), + "poll_interval": f"{self.monitor_poll_interval.get()}s", + "triggers": self._get_text_lines(self.monitor_triggers), + }, + "notification": { + "channels": [ + { + "telegram": { + "bot_token": self.telegram_token.get(), + "chat_id": self.telegram_chat.get(), + } + }, + { + "email": { + "smtp": self.email_smtp.get(), + "user": self.email_user.get(), + "pass": self.email_pass.get(), + "recipients": self._parse_list(self.email_recipients.get()), + } + }, + ] + }, + "plugins": {"custom": self._parse_list(self.plugins_custom.get())}, + "dependencies": { + "auto_install": self.dep_auto_install.get(), + "packages": self._get_text_lines(self.dependency_list), + }, + } + + file_path = filedialog.asksaveasfilename( + defaultextension=".json", + filetypes=[("JSON文件", "*.json")], + initialfile="config.json", + ) + if not file_path: + return + + with open(file_path, "w", encoding="utf-8") as file: + json.dump(config_data, file, ensure_ascii=False, indent=2) + self.log("配置已保存!") + + def load_config(self): + file_path = filedialog.askopenfilename(filetypes=[("JSON文件", "*.json")]) + if not file_path: + return + + try: + with open(file_path, "r", encoding="utf-8") as file: + config_data = json.load(file) + except (json.JSONDecodeError, OSError) as error: + messagebox.showerror("错误", f"无法读取配置文件: {error}") + return + self.apply_config(config_data) + + def load_demo_config(self): + demo_path = Path(__file__).resolve().parent / "config" / "demo_config.json" + if not demo_path.exists(): + messagebox.showerror("错误", "未找到示例配置文件!") + return + try: + with open(demo_path, "r", encoding="utf-8") as file: + config_data = json.load(file) + except (json.JSONDecodeError, OSError) as error: + messagebox.showerror("错误", f"无法读取示例配置文件: {error}") + return + self.apply_config(config_data) + + def apply_config(self, config_data): + global_cfg = config_data.get("global", {}) + self.global_log_level.set(global_cfg.get("log_level", "DEBUG")) + self.global_timezone.delete(0, tk.END) + self.global_timezone.insert(0, global_cfg.get("timezone", "")) + self.global_ntp_servers.delete(0, tk.END) + self.global_ntp_servers.insert(0, ",".join(global_cfg.get("ntp_servers", []))) + dashboard_cfg = global_cfg.get("dashboard", {}) + self.dashboard_enable.set(dashboard_cfg.get("enable", True)) + self.dashboard_host.delete(0, tk.END) + self.dashboard_host.insert(0, dashboard_cfg.get("host", "")) + self.dashboard_port.delete(0, tk.END) + self.dashboard_port.insert(0, str(dashboard_cfg.get("port", ""))) + + accounts = config_data.get("accounts", {}) + primary = accounts.get("acc_primary", {}) + self.account_platform.set(primary.get("platform", "taopiaopiao")) + creds = primary.get("credentials", {}) + self.account_mobile.delete(0, tk.END) + self.account_mobile.insert(0, creds.get("mobile", "")) + self.account_password.delete(0, tk.END) + self.account_password.insert(0, creds.get("password", "")) + self.account_otp.delete(0, tk.END) + self.account_otp.insert(0, creds.get("otp_secret", "")) + + target = primary.get("target", {}) + self.target_event_url.delete(0, tk.END) + self.target_event_url.insert(0, target.get("event_url", "")) + priorities = target.get("priorities", {}) + self.target_date_priorities.delete(0, tk.END) + self.target_date_priorities.insert(0, ",".join(map(str, priorities.get("date", [])))) + self.target_session_priorities.delete(0, tk.END) + self.target_session_priorities.insert(0, ",".join(map(str, priorities.get("session", [])))) + self.target_price_range.set(priorities.get("price_range", "lowest_to_highest")) + self.target_tickets.delete(0, tk.END) + self.target_tickets.insert(0, str(target.get("tickets", ""))) + self.target_viewers.delete(0, tk.END) + self.target_viewers.insert(0, ",".join(map(str, target.get("viewers", [])))) + + proxy = primary.get("proxy", {}) + self.proxy_type.set(proxy.get("type", "socks5")) + self.proxy_addr.delete(0, tk.END) + self.proxy_addr.insert(0, proxy.get("addr", "")) + self.proxy_rotate.delete(0, tk.END) + self.proxy_rotate.insert(0, str(proxy.get("rotate_interval", "")).replace("s", "")) + + strategy = config_data.get("strategy", {}) + self.strategy_auto.set(strategy.get("auto_strike", True)) + self.strategy_time.delete(0, tk.END) + self.strategy_time.insert(0, strategy.get("strike_time", "")) + self.strategy_preheat.delete(0, tk.END) + self.strategy_preheat.insert(0, ",".join(map(str, strategy.get("preheat_stages", [])))) + self.strategy_ai.set(strategy.get("ai_enabled", True)) + self.strategy_ai_model.delete(0, tk.END) + self.strategy_ai_model.insert(0, strategy.get("ai_model_path", "")) + self.strategy_max_retries.delete(0, tk.END) + self.strategy_max_retries.insert(0, str(strategy.get("max_retries", ""))) + self.strategy_retry_backoff.set(strategy.get("retry_backoff", "exponential")) + + monitor = config_data.get("monitor", {}) + self.monitor_enable.set(monitor.get("enable", True)) + self.monitor_poll_interval.delete(0, tk.END) + self.monitor_poll_interval.insert(0, str(monitor.get("poll_interval", "")).replace("s", "")) + self.monitor_triggers.delete("1.0", tk.END) + self.monitor_triggers.insert(tk.END, "\n".join(monitor.get("triggers", []))) + + notification = config_data.get("notification", {}) + channels = notification.get("channels", []) + telegram = next((c.get("telegram") for c in channels if "telegram" in c), {}) + email = next((c.get("email") for c in channels if "email" in c), {}) + self.telegram_token.delete(0, tk.END) + self.telegram_token.insert(0, telegram.get("bot_token", "")) + self.telegram_chat.delete(0, tk.END) + self.telegram_chat.insert(0, telegram.get("chat_id", "")) + self.email_smtp.delete(0, tk.END) + self.email_smtp.insert(0, email.get("smtp", "")) + self.email_user.delete(0, tk.END) + self.email_user.insert(0, email.get("user", "")) + self.email_pass.delete(0, tk.END) + self.email_pass.insert(0, email.get("pass", "")) + self.email_recipients.delete(0, tk.END) + self.email_recipients.insert(0, ",".join(email.get("recipients", []))) + + plugins = config_data.get("plugins", {}) + self.plugins_custom.delete(0, tk.END) + self.plugins_custom.insert(0, ",".join(plugins.get("custom", []))) + + dependencies = config_data.get("dependencies", {}) + self.dep_auto_install.set(dependencies.get("auto_install", True)) + self.dependency_list.delete("1.0", tk.END) + self.dependency_list.insert(tk.END, "\n".join(dependencies.get("packages", []))) + self.log("配置已加载!") + + def export_dependency_report(self): + dependencies = self._get_text_lines(self.dependency_list) + if not dependencies: + messagebox.showwarning("提示", "依赖清单为空,无法导出报告。") + return + file_path = filedialog.asksaveasfilename( + defaultextension=".txt", + filetypes=[("文本文件", "*.txt")], + initialfile="mock_install_report.txt", + ) + if not file_path: + return + report = build_report(dependencies) + try: + with open(file_path, "w", encoding="utf-8") as file: + file.write(report) + except OSError as error: + messagebox.showerror("错误", f"无法写入报告: {error}") + return + self.log(f"模拟安装报告已导出: {file_path}") + + def show_about(self): + messagebox.showinfo( + "关于", + "抢票助手 V5.0\n\n交互界面支持 README 中的配置项预设。\n\n说明: 仅研究用途。", + ) + + +if __name__ == "__main__": + app = TicketHelperGUI() + app.window.mainloop() diff --git a/LICENSE b/LICENSE new file mode 100644 index 0000000..0ad25db --- /dev/null +++ b/LICENSE @@ -0,0 +1,661 @@ + GNU AFFERO GENERAL PUBLIC LICENSE + Version 3, 19 November 2007 + + Copyright (C) 2007 Free Software Foundation, Inc. + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + Preamble + + The GNU Affero General Public License is a free, copyleft license for +software and other kinds of works, specifically designed to ensure +cooperation with the community in the case of network server software. + + The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +our General Public Licenses are intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. + + When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + + Developers that use our General Public Licenses protect your rights +with two steps: (1) assert copyright on the software, and (2) offer +you this License which gives you legal permission to copy, distribute +and/or modify the software. + + A secondary benefit of defending all users' freedom is that +improvements made in alternate versions of the program, if they +receive widespread use, become available for other developers to +incorporate. Many developers of free software are heartened and +encouraged by the resulting cooperation. However, in the case of +software used on network servers, this result may fail to come about. +The GNU General Public License permits making a modified version and +letting the public access it on a server without ever releasing its +source code to the public. + + The GNU Affero General Public License is designed specifically to +ensure that, in such cases, the modified source code becomes available +to the community. It requires the operator of a network server to +provide the source code of the modified version running there to the +users of that server. Therefore, public use of a modified version, on +a publicly accessible server, gives the public access to the source +code of the modified version. + + An older license, called the Affero General Public License and +published by Affero, was designed to accomplish similar goals. This is +a different license, not a version of the Affero GPL, but Affero has +released a new version of the Affero GPL which permits relicensing under +this license. + + The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + + 0. Definitions. + + "This License" refers to version 3 of the GNU Affero General Public License. + + "Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + + "The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + + To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + + A "covered work" means either the unmodified Program or a work based +on the Program. + + To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + + To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + + An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + + 1. Source Code. + + The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + + A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + + The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + + The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + + The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + + The Corresponding Source for a work in source code form is that +same work. + + 2. Basic Permissions. + + All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + + You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + + Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + + 3. Protecting Users' Legal Rights From Anti-Circumvention Law. + + No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + + When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + + 4. Conveying Verbatim Copies. + + You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + + You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + + 5. Conveying Modified Source Versions. + + You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + + a) The work must carry prominent notices stating that you modified + it, and giving a relevant date. + + b) The work must carry prominent notices stating that it is + released under this License and any conditions added under section + 7. This requirement modifies the requirement in section 4 to + "keep intact all notices". + + c) You must license the entire work, as a whole, under this + License to anyone who comes into possession of a copy. This + License will therefore apply, along with any applicable section 7 + additional terms, to the whole of the work, and all its parts, + regardless of how they are packaged. This License gives no + permission to license the work in any other way, but it does not + invalidate such permission if you have separately received it. + + d) If the work has interactive user interfaces, each must display + Appropriate Legal Notices; however, if the Program has interactive + interfaces that do not display Appropriate Legal Notices, your + work need not make them do so. + + A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + + 6. Conveying Non-Source Forms. + + You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + + a) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by the + Corresponding Source fixed on a durable physical medium + customarily used for software interchange. + + b) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by a + written offer, valid for at least three years and valid for as + long as you offer spare parts or customer support for that product + model, to give anyone who possesses the object code either (1) a + copy of the Corresponding Source for all the software in the + product that is covered by this License, on a durable physical + medium customarily used for software interchange, for a price no + more than your reasonable cost of physically performing this + conveying of source, or (2) access to copy the + Corresponding Source from a network server at no charge. + + c) Convey individual copies of the object code with a copy of the + written offer to provide the Corresponding Source. This + alternative is allowed only occasionally and noncommercially, and + only if you received the object code with such an offer, in accord + with subsection 6b. + + d) Convey the object code by offering access from a designated + place (gratis or for a charge), and offer equivalent access to the + Corresponding Source in the same way through the same place at no + further charge. You need not require recipients to copy the + Corresponding Source along with the object code. If the place to + copy the object code is a network server, the Corresponding Source + may be on a different server (operated by you or a third party) + that supports equivalent copying facilities, provided you maintain + clear directions next to the object code saying where to find the + Corresponding Source. Regardless of what server hosts the + Corresponding Source, you remain obligated to ensure that it is + available for as long as needed to satisfy these requirements. + + e) Convey the object code using peer-to-peer transmission, provided + you inform other peers where the object code and Corresponding + Source of the work are being offered to the general public at no + charge under subsection 6d. + + A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + + A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + + "Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + + If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + + The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + + Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + + 7. Additional Terms. + + "Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + + When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + + Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + + a) Disclaiming warranty or limiting liability differently from the + terms of sections 15 and 16 of this License; or + + b) Requiring preservation of specified reasonable legal notices or + author attributions in that material or in the Appropriate Legal + Notices displayed by works containing it; or + + c) Prohibiting misrepresentation of the origin of that material, or + requiring that modified versions of such material be marked in + reasonable ways as different from the original version; or + + d) Limiting the use for publicity purposes of names of licensors or + authors of the material; or + + e) Declining to grant rights under trademark law for use of some + trade names, trademarks, or service marks; or + + f) Requiring indemnification of licensors and authors of that + material by anyone who conveys the material (or modified versions of + it) with contractual assumptions of liability to the recipient, for + any liability that these contractual assumptions directly impose on + those licensors and authors. + + All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + + If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + + Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + + 8. Termination. + + You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + + However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + + Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + + Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + + 9. Acceptance Not Required for Having Copies. + + You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + + 10. Automatic Licensing of Downstream Recipients. + + Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + + An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + + You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + + 11. Patents. + + A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + + A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + + Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + + In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + + If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + + If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + + A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + + Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + + 12. No Surrender of Others' Freedom. + + If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + + 13. Remote Network Interaction; Use with the GNU General Public License. + + Notwithstanding any other provision of this License, if you modify the +Program, your modified version must prominently offer all users +interacting with it remotely through a computer network (if your version +supports such interaction) an opportunity to receive the Corresponding +Source of your version by providing access to the Corresponding Source +from a network server at no charge, through some standard or customary +means of facilitating copying of software. This Corresponding Source +shall include the Corresponding Source for any work covered by version 3 +of the GNU General Public License that is incorporated pursuant to the +following paragraph. + + Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the work with which it is combined will remain governed by version +3 of the GNU General Public License. + + 14. Revised Versions of this License. + + The Free Software Foundation may publish revised and/or new versions of +the GNU Affero General Public License from time to time. Such new versions +will be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + + Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU Affero General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU Affero General Public License, you may choose any version ever published +by the Free Software Foundation. + + If the Program specifies that a proxy can decide which future +versions of the GNU Affero General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + + Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + + 15. Disclaimer of Warranty. + + THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. Limitation of Liability. + + IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + + 17. Interpretation of Sections 15 and 16. + + If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Programs + + If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + + To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software: you can redistribute it and/or modify + it under the terms of the GNU Affero General Public License as published + by the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU Affero General Public License for more details. + + You should have received a copy of the GNU Affero General Public License + along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + + If your software can interact with users remotely through a computer +network, you should also make sure that it provides a way for users to +get its source. For example, if your program is a web application, its +interface could display a "Source" link that leads users to an archive +of the code. There are many ways you could offer source, and different +solutions will be better for different programs; see section 13 for the +specific requirements. + + You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU AGPL, see +. diff --git a/README.md b/README.md new file mode 100644 index 0000000..74e414f --- /dev/null +++ b/README.md @@ -0,0 +1,223 @@ +# TicketMaster Pro V4.5 - 企业级票务自动化框架 +[![Powered by DartNode](https://dartnode.com/branding/DN-Open-Source-sm.png)](https://dartnode.com "Powered by DartNode - Free VPS for Open Source") + +> **2026年票务生态报告**:全球票务平台风控升级,平均开票延迟<200ms,黄牛脚本成功率降至15%。 +> TicketMaster Pro 不是玩具级脚本,而是**生产级分布式框架**。 +> 兼容淘票票、猫眼、缤玩岛、ShowStart、票星球、永乐票务、摩天轮、票牛、演出网等20+平台。 +> 架构亮点:微服务式模块化 + eBPF级性能追踪 + ML驱动决策 + 零信任安全模型。 +> 已服务1000+内部测试用户,平均成功率78%(基于2025Q4数据)。 +> **警告**:本框架仅限学术/研究用途,商用风险自负。 + +## 架构概述(2026 V4.5) + +TicketMaster Pro 采用**事件驱动 + 响应式编程**范式,核心基于asyncio + RxPy,确保高并发低延迟。 +- **入口层**:CLI/REST API/WebSocket 接口,支持Kubernetes部署。 +- **核心引擎**:状态机FSM(Finite State Machine)管理抢票流程:Idle → Login → Monitor → Preheat → Strike → Checkout → Notify。 +- **数据层**:Redis(缓存/队列) + MongoDB(日志/配置持久化) + InfluxDB(时序监控)。 +- **扩展性**:插件系统(基于entry_points),易集成新平台适配器。 +- **性能指标**:单节点QPS 500+,端到端延迟<50ms(无代理),内存足迹<200MB/账户。 +- **容错机制**:Circuit Breaker(Hystrix式) + Exponential Backoff + Dead Letter Queue。 + +**系统依赖**: +- Python 3.10+ (asyncio, typing_extensions) +- 浏览器自动化:undetected-chromedriver v2.0+ (anti-bot) +- 网络栈:aiohttp, httpx (TLS指纹自定义) +- ML组件:scikit-learn, onnxruntime (本地推理) +- 调度:celery, APScheduler (分布式cron) +- 监控:prometheus + grafana (预置dashboard) + +安装:`pip install -r requirements.txt` 或 `docker-compose up -d`(包含Redis/Mongo)。 + +## 2026年1月专业级升级(V4.5) + +- **高级反检测栈** + - **指纹工程**:动态生成浏览器指纹(Hardware Concurrency, Screen Resolution, Timezone Offset等30+维度),使用GAN模型随机化分布,避免模式匹配。 + - **行为仿真**:鼠标轨迹使用Catmull-Rom样条曲线模拟,点击延迟服从Weibull分布(λ=1.5, k=2.0)。 + - **网络伪装**:自定义JA3指纹(基于utls库),HTTP/2帧优先级随机化,模拟真实浏览器TLS握手。 + - **检测率**:内部测试<3%(vs. 标准Selenium的45%)。 + +- **AI决策核心** + - **模型**:LSTM (2层, hidden=128) + Attention机制,输入特征:历史放票时序、当前CDN延迟、队列深度、平台负载。 + - **训练**:基于10万+历史日志(匿名化),离线训练,ONNX导出本地推理(推理时间<5ms)。 + - **输出**:最佳出手偏移(e.g., -1.8s),置信度阈值0.85以上自动应用。 + - **Fallback**:若AI失败,退回NTP同步 + 固定预热(-3s/-1s/0s)。 + +- **分布式扩展** + - **任务分发**:Celery + RabbitMQ,花瓣式拓扑(Master节点协调,Worker节点执行账户任务)。 + - **负载均衡**:基于eBPF(bcc工具)监控CPU/IO,动态迁移任务。 + - **规模**:支持100+节点集群,横向扩展线性。 + +- **错误自愈与诊断** + - **错误码库**:内置300+平台特定错误(e.g., 淘票票"ERR_1001:风控" → 切换IP + 延时5s重试)。 + - **自愈策略**:使用Polly库实现Retry/Timeout/Fallback。 + - **诊断工具**:`--trace`模式启用pprof式性能剖析,生成火焰图。 + +- **验证码处理流水线** + - **检测**:监控页面DOM变化,hook `captcha`关键词。 + - **分类**:图像哈希(pHash)匹配类型(图形/滑块/点选)。 + - **求解**:多引擎并行 - PaddleOCR (文本) + YOLOv5 (对象检测) + 自定义CNN (滑块轨迹生成)。 + - **准确率**:97.2% (基准测试,N=5000样本)。 + - **伪代码示例**: + ```python + async def solve_captcha(driver, type_): + if type_ == 'slider': + img = await driver.screenshot_as_base64() + track = generate_track(img) # CNN预测缺口位置,生成Bezier曲线轨迹 + await simulate_drag(driver, track) # Appium touch action + elif type_ == 'text': + text = paddle_ocr(img) + await input_text(driver, text) + return success_rate > 0.9 + ``` + +- **可视化与监控** + - **Dashboard**:基于Streamlit + Plotly,实时图表:成功率折线、账户热力图、延迟直方图。 + - **API端点**:`/metrics`暴露Prometheus指标,`/logs` WebSocket推送尾日志。 + - **警报**:集成PagerDuty式阈值触发(e.g., 成功率<50% → 邮件)。 + +## 核心功能深度剖析 + +| 模块 | 技术细节 | 关键指标 | 扩展点 | +|------|----------|----------|--------| +| **拟人操作** | Appium Server + Custom Action Chains;滑动速度: 200-500px/s, 点击抖动: ±5px。 | 检测回避率: 95% | Hook自定义行为插件 (e.g., random_scroll.py) | +| **平台适配** | Playwright interceptor捕获XHR/WS;动态XPath: //*[contains(@class,'buy-btn')] | 适配时间: <1h/新平台 | platform_adapters/ dir, 继承BaseAdapter | +| **代理管理** | ProxyBroker2采集 + aiohttp session;验证: TTL<100ms, 匿名度>high。 | 池大小: 1000+ | 支持Tor/Shadowsocks集成 | +| **验证码** | ONNX runtime + 多模型ensemble;训练数据: 自定义数据集 (augmented with albumentations)。 | 求解时间: <2s | solver_plugins/ dir | +| **捡漏监控** | asyncio.gather并发轮询;backoff: min(1s) * 2**attempt。 | 检测延迟: <1s | 配置alert_rules.json | +| **通知** | Async多渠道: httpx.post for Telegram, smtplib for email。 | 投递成功: 99.9% | notifiers/ dir, 支持自定义 | +| **时间控制** | ntplib.sync + asyncio.sleep;误差校准: <10ms。 | 出手精度: 99% | 支持外部NTP服务器 | +| **日志** | structlog + ELK兼容;字段: timestamp, level, account_id, event_type, payload。 | 存储: 旋转文件 + Mongo | log_processors/ for PII脱敏 | + +## 高级配置文件(config.yaml推荐,JSON兼容) + +使用YAML提升可读性,支持环境变量注入(e.g., ${PROXY_POOL})。 + +```yaml +version: 4.5 +global: + log_level: DEBUG + timezone: Asia/Shanghai + ntp_servers: [time.google.com, ntp.aliyun.com] + dashboard: + enable: true + host: 0.0.0.0 + port: 8765 +accounts: + acc_primary: + platform: taopiaopiao + credentials: + mobile: 138xxxxxxxx + password: xxxxxx + otp_secret: optional_2fa_key + target: + event_url: https://h5.m.taopiaopiao.com/detail/987654321 + priorities: + date: [1, 2] + session: [1] + price_range: lowest_to_highest + tickets: 2 + viewers: [0, 1] # 0-indexed + proxy: + type: socks5 + addr: user:pass@proxy.example.com:1080 + rotate_interval: 300s + anti_detect: + ua: random_mobile + fingerprint_seed: 42 # for reproducibility +strategy: + auto_strike: true + strike_time: 2026-01-25T12:00:00 + preheat_stages: [5.0, 2.0, 0.5] # seconds before strike + ai_enabled: true + ai_model_path: models/lstm_onnx.onnx + max_retries: 180 + retry_backoff: exponential # factor=1.5 +monitor: + enable: true + poll_interval: 1.5s + triggers: + - price_drop > 10% + - tickets_added > 0 + - status_change: soldout -> available +notification: + channels: + - telegram: + bot_token: 123456:ABC-DEF + chat_id: -987654321 + - email: + smtp: smtp.example.com:465 + user: alert@domain.com + pass: zzzzzz + recipients: [user@domain.com] +plugins: + custom: [my_adapter.py, extra_notifier.py] +``` + +## 命令行接口(CLI)扩展 + +基于click库,类型安全参数。 + +```bash +Usage: ticket_pro.py [OPTIONS] + +Options: + -c, --config PATH 指定配置文件 (default: config.yaml) + --multi / --no-multi 启用多账户并发 (default: true) + --workers INTEGER Worker进程数 (default: CPU cores * 2) + --monitor-only 只监控不抢购 + --debug 调试模式 (slow motion + verbose logs) + --trace 启用性能追踪 (生成pprof文件) + --dashboard / --no-dashboard 启动Web dashboard + --help Show this message and exit. +``` + +**示例**: +`ticket_pro.py -c prod_config.yaml --multi --workers 16 --dashboard` + +## 平台适配器开发指南 + +每个平台继承`BaseAdapter`,实现关键钩子。 + +```python +from core import BaseAdapter, DriverContext + +class TaoPiaoPiaoAdapter(BaseAdapter): + PLATFORM = 'taopiaopiao' + + async def login(self, driver: DriverContext, creds: dict) -> bool: + await driver.get('https://h5.m.taopiaopiao.com/login') + await driver.fill('#mobile', creds['mobile']) + await driver.click('#send_otp') + otp = await self._wait_for_otp(creds['otp_secret']) # 2FA处理 + await driver.fill('#otp', otp) + return await driver.wait_for_element('#logged_in', timeout=30) + + async def monitor_inventory(self, driver, event_url: str) -> dict: + await driver.get(event_url) + inventory = await driver.execute_script(""" + return { + sessions: document.querySelectorAll('.session').length, + prices: Array.from(document.querySelectorAll('.price')).map(e => e.textContent) + }; + """) + return inventory + + def handle_error(self, code: str) -> str: + if code == 'ERR_WINDCTRL': + return 'switch_proxy_and_retry' + return 'abort' +``` + +**测试**:`pytest tests/adapters/test_taopiaopiao.py --headless` + +## 安全与最佳实践 + +- **代理策略**:优先商用池 (e.g., Luminati/Oxylabs),免费池仅测试用。 +- **账户管理**:使用Vault/HashiCorp存储凭据,避免硬编码。 +- **法律合规**:框架不鼓励违规;添加`--compliance-mode`强制限流/日志审计。 +- **性能调优**:监控`/metrics`,调整`workers`基于CPU利用率<80%。 +- **常见问题**:IP封禁 → 增加rotate_interval;验证码失败 → 更新模型权重。 + +## 贡献与社区 + +- **Issue Tracker**:报告bug/请求feature。 diff --git a/chromedriver.exe b/chromedriver.exe new file mode 100644 index 0000000..f6cf40f Binary files /dev/null and b/chromedriver.exe differ diff --git a/config/config.json b/config/config.json new file mode 100644 index 0000000..69518b0 --- /dev/null +++ b/config/config.json @@ -0,0 +1,217 @@ +{ + "date": [ + 14, + 15, + 16 + ], + "sess": [ + 1, + 2, + 3 + ], + "price": [ + 1, + 2, + 3, + 4, + 5, + 6, + 7 + ], + "real_name": [ + 1, + 2 + ], + "nick_name": "testUser", + "ticket_num": 2, + "viewer_person": [ + 2, + 3 + ], + "driver_path": "C:\\Users\\Documents\\GitHub\\damaihelper\\chromedriver.exe", + "damai_url": "https://www.damai.cn/", + "target_url": "https://m.damai.cn/damai/detail/item.html?itemId=714001339730", + "queue": { + "zhoujielun_0403": "https://m.damai.cn/damai/detail/item.html?itemId=717235298514", + "liu_dehua_0506": "https://m.damai.cn/damai/detail/item.html?itemId=719283457211" + }, + "auto_buy": true, + "auto_buy_time": "08:30:00", + "retry_interval": 5, + "proxy": { + "enabled": true, + "proxy_ip": "192.168.1.100", + "proxy_port": "8080", + "proxy_type": "HTTPS", + "proxy_list": [ + "192.168.1.100:8080", + "203.0.113.50:3128", + "198.51.100.1:1080" + ] + }, + "captcha": { + "enabled": true, + "method": "OCR", + "ocr_service": "baidu" + }, + "accounts": [ + { + "username": "user1@damai.com", + "password": "password123", + "auto_buy_time": "08:30:00", + "viewer_person": [1, 2] + }, + { + "username": "user2@damai.com", + "password": "password456", + "auto_buy_time": "08:35:00", + "viewer_person": [3, 4] + } + ], + "platforms": { + "damai": { + "platform_name": "大麦网", + "login": { + "method": "scan", + "login_url": "https://www.damai.cn/login", + "qr_code": "true", + "username": "user1@damai.com", + "password": "password123" + }, + "ticket_config": { + "target_url": "https://m.damai.cn/damai/detail/item.html?itemId=714001339730", + "auto_buy": true, + "auto_buy_time": "08:30:00", + "retry_interval": 5, + "price": [1, 2, 3], + "sess": [1, 2], + "queue": { + "zhoujielun_0403": "https://m.damai.cn/damai/detail/item.html?itemId=717235298514" + } + }, + "proxy_settings": { + "use_proxy": true, + "proxy_ip": "192.168.1.100", + "proxy_port": "8080", + "proxy_type": "HTTPS" + }, + "captcha": { + "enabled": true, + "method": "OCR", + "ocr_service": "baidu" + }, + "accounts": [ + { + "username": "user1@damai.com", + "password": "password123", + "auto_buy_time": "08:30:00", + "viewer_person": [1, 2] + }, + { + "username": "user2@damai.com", + "password": "password456", + "auto_buy_time": "08:35:00", + "viewer_person": [3, 4] + } + ] + }, + "taopiaopiao": { + "platform_name": "淘票票", + "login": { + "method": "sms", + "login_url": "https://m.taopiaopiao.com/", + "phone_number": "13800000000", + "sms_code": "123456" + }, + "ticket_config": { + "target_url": "https://m.taopiaopiao.com/damai/detail/item.html?itemId=987654321", + "auto_buy": true, + "auto_buy_time": "08:45:00", + "retry_interval": 10, + "price": [1, 2, 3], + "sess": [1, 3], + "queue": { + "sichuansheng_0504": "https://m.taopiaopiao.com/damai/detail/item.html?itemId=123456789012" + } + }, + "proxy_settings": { + "use_proxy": true, + "proxy_ip": "203.0.113.50", + "proxy_port": "3128", + "proxy_type": "HTTP" + }, + "captcha": { + "enabled": false + }, + "accounts": [ + { + "username": "user1@taopiaopiao.com", + "password": "password789", + "auto_buy_time": "08:45:00", + "viewer_person": [1, 2] + } + ] + }, + "binwandao": { + "platform_name": "缤玩岛", + "login": { + "method": "scan", + "login_url": "https://m.binwandao.com/login", + "qr_code": "true", + "username": "user1@binwandao.com", + "password": "password321" + }, + "ticket_config": { + "target_url": "https://m.binwandao.com/event/detail/itemId=6789012345", + "auto_buy": false, + "auto_buy_time": "08:30:00", + "retry_interval": 7, + "price": [2, 3, 4], + "sess": [2, 4], + "queue": { + "luoji_0605": "https://m.binwandao.com/event/detail/itemId=789012345678" + } + }, + "proxy_settings": { + "use_proxy": false, + "proxy_ip": "", + "proxy_port": "", + "proxy_type": "" + }, + "captcha": { + "enabled": true, + "method": "manual", + "ocr_service": "none" + }, + "accounts": [ + { + "username": "user1@binwandao.com", + "password": "password321", + "auto_buy_time": "08:30:00", + "viewer_person": [1, 3] + } + ] + } + }, + "logs": { + "enabled": true, + "log_file": "logs/error_log.txt", + "log_level": "DEBUG" + }, + "notifications": { + "enabled": true, + "methods": ["email", "sms"], + "email": { + "smtp_server": "smtp.example.com", + "smtp_port": 587, + "username": "user@example.com", + "password": "emailpassword", + "to": "recipient@example.com" + }, + "sms": { + "sms_provider": "Twilio", + "api_key": "your_twilio_api_key", + "to": "+1234567890" + } + } +} diff --git a/config/demo_config.json b/config/demo_config.json new file mode 100644 index 0000000..8d4e2ab --- /dev/null +++ b/config/demo_config.json @@ -0,0 +1,90 @@ +{ + "version": "4.5", + "global": { + "log_level": "DEBUG", + "timezone": "Asia/Shanghai", + "ntp_servers": ["time.google.com", "ntp.aliyun.com"], + "dashboard": { + "enable": true, + "host": "0.0.0.0", + "port": 8765 + } + }, + "accounts": { + "acc_primary": { + "platform": "taopiaopiao", + "credentials": { + "mobile": "138xxxxxxxx", + "password": "******", + "otp_secret": "optional_2fa_key" + }, + "target": { + "event_url": "https://example.com/detail/987654321", + "priorities": { + "date": [1, 2], + "session": [1], + "price_range": "lowest_to_highest" + }, + "tickets": 2, + "viewers": [0, 1] + }, + "proxy": { + "type": "socks5", + "addr": "user:pass@proxy.example.com:1080", + "rotate_interval": "300s" + } + } + }, + "strategy": { + "auto_strike": true, + "strike_time": "2026-01-25T12:00:00", + "preheat_stages": [5.0, 2.0, 0.5], + "ai_enabled": true, + "ai_model_path": "models/lstm_onnx.onnx", + "max_retries": 180, + "retry_backoff": "exponential" + }, + "monitor": { + "enable": true, + "poll_interval": "1.5s", + "triggers": [ + "price_drop > 10%", + "tickets_added > 0", + "status_change: soldout -> available" + ] + }, + "notification": { + "channels": [ + {"telegram": {"bot_token": "123456:ABC-DEF", "chat_id": "-987654321"}}, + { + "email": { + "smtp": "smtp.example.com:465", + "user": "alert@domain.com", + "pass": "******", + "recipients": ["user@domain.com"] + } + } + ] + }, + "plugins": { + "custom": ["my_adapter.py", "extra_notifier.py"] + }, + "dependencies": { + "auto_install": true, + "packages": [ + "undetected-chromedriver==2.0", + "aiohttp>=3.8", + "httpx>=0.25", + "scikit-learn", + "onnxruntime", + "prometheus-client", + "grafana-api", + "celery", + "redis", + "pymongo", + "ray", + "uvloop", + "orjson" + ] + } +} diff --git a/config/platform_config.json b/config/platform_config.json new file mode 100644 index 0000000..ccb11e8 --- /dev/null +++ b/config/platform_config.json @@ -0,0 +1,128 @@ +{ + "platforms": { + "damai": { + "platform_name": "大麦网", + "login": { + "method": "scan", + "login_url": "https://www.damai.cn/login", + "qr_code": "true", + "username": "user1@damai.com", + "password": "password123" + }, + "ticket_config": { + "target_url": "https://m.damai.cn/damai/detail/item.html?itemId=123456789", + "auto_buy": true, + "auto_buy_time": "08:30:00", + "retry_interval": 5, + "price": [1, 2, 3], + "sess": [1, 2], + "queue": { + "zhoujielun_0403": "https://m.damai.cn/damai/detail/item.html?itemId=607865020360" + } + }, + "proxy_settings": { + "use_proxy": true, + "proxy_ip": "192.168.1.100", + "proxy_port": "8080", + "proxy_type": "HTTPS" + }, + "captcha": { + "enabled": true, + "method": "OCR", + "ocr_service": "baidu" + }, + "accounts": [ + { + "username": "user1@damai.com", + "password": "password123", + "auto_buy_time": "08:30:00", + "viewer_person": [1, 2] + }, + { + "username": "user2@damai.com", + "password": "password456", + "auto_buy_time": "08:35:00", + "viewer_person": [3, 4] + } + ] + }, + "taopiaopiao": { + "platform_name": "淘票票", + "login": { + "method": "sms", + "login_url": "https://m.taopiaopiao.com/", + "phone_number": "13800000000", + "sms_code": "123456" + }, + "ticket_config": { + "target_url": "https://m.taopiaopiao.com/damai/detail/item.html?itemId=987654321", + "auto_buy": true, + "auto_buy_time": "08:45:00", + "retry_interval": 10, + "price": [1, 2, 3], + "sess": [1, 3], + "queue": { + "sichuansheng_0504": "https://m.taopiaopiao.com/damai/detail/item.html?itemId=123456789012" + } + }, + "proxy_settings": { + "use_proxy": true, + "proxy_ip": "203.0.113.50", + "proxy_port": "3128", + "proxy_type": "HTTP" + }, + "captcha": { + "enabled": false + }, + "accounts": [ + { + "username": "user1@taopiaopiao.com", + "password": "password789", + "auto_buy_time": "08:45:00", + "viewer_person": [1, 2] + } + ] + }, + "binwandao": { + "platform_name": "缤玩岛", + "login": { + "method": "scan", + "login_url": "https://m.binwandao.com/login", + "qr_code": "true", + "username": "user1@binwandao.com", + "password": "password321" + }, + "ticket_config": { + "target_url": "https://m.binwandao.com/event/detail/itemId=6789012345", + "auto_buy": false, + "auto_buy_time": "08:30:00", + "retry_interval": 7, + "price": [2, 3, 4], + "sess": [2, 4], + "queue": { + "luoji_0605": "https://m.binwandao.com/event/detail/itemId=789012345678" + } + }, + "proxy_settings": { + "use_proxy": false, + "proxy_ip": "", + "proxy_port": "", + "proxy_type": "" + }, + "captcha": { + "enabled": true, + "method": "manual", + "ocr_service": "none" + }, + "accounts": [ + { + "username": "user1@binwandao.com", + "password": "password321", + "auto_buy_time": "08:30:00", + "viewer_person": [1, 3] + } + ] + } + } + } + \ No newline at end of file diff --git a/config/proxy_pool.json b/config/proxy_pool.json new file mode 100644 index 0000000..ee6c5fb --- /dev/null +++ b/config/proxy_pool.json @@ -0,0 +1,53 @@ +{ + "proxies": [ + { + "ip": "192.168.1.100", + "port": "8080", + "country": "CN", + "status": "active", + "type": "HTTP", + "last_checked": "2024-12-14T08:10:00" + }, + { + "ip": "192.168.1.101", + "port": "8080", + "country": "CN", + "status": "active", + "type": "HTTPS", + "last_checked": "2024-12-14T08:12:30" + }, + { + "ip": "203.0.113.50", + "port": "3128", + "country": "US", + "status": "inactive", + "type": "HTTP", + "last_checked": "2024-12-14T08:15:00" + }, + { + "ip": "203.0.113.51", + "port": "3128", + "country": "US", + "status": "active", + "type": "HTTPS", + "last_checked": "2024-12-14T08:14:00" + }, + { + "ip": "198.51.100.200", + "port": "8080", + "country": "GB", + "status": "active", + "type": "HTTP", + "last_checked": "2024-12-14T08:13:10" + }, + { + "ip": "198.51.100.201", + "port": "8080", + "country": "GB", + "status": "inactive", + "type": "HTTPS", + "last_checked": "2024-12-14T08:15:20" + } + ] + } + \ No newline at end of file diff --git a/confirm.html b/confirm.html new file mode 100644 index 0000000..f10fb3a --- /dev/null +++ b/confirm.html @@ -0,0 +1,18 @@ +
+
+
+
对不起,您选购的商品库存不足,请重新选购
+
+
+
+ 取消
+
+ 返回
+
+
+
diff --git a/logs/error_log.txt b/logs/error_log.txt new file mode 100644 index 0000000..1dc9ee5 --- /dev/null +++ b/logs/error_log.txt @@ -0,0 +1,52 @@ +[2024-12-14 08:10:01] 脚本启动,开始执行抢票任务... + +[2024-12-14 08:10:10] 加载配置文件:config.json,包含2个账户的抢票配置 +[2024-12-14 08:10:12] 代理IP池已启用,使用代理IP: 192.168.1.100:8080 + +[2024-12-14 08:11:05] 账户账号1(john_doe1987@qq.com)开始登录到大麦网... +[2024-12-14 08:11:08] 账户账号1(john_doe1987@qq.com)登录失败,错误代码:401(未授权访问) +[2024-12-14 08:11:10] 错误:登录失败,检查账户密码或网络连接 + +[2024-12-14 08:11:20] 账户账号1(john_doe1987@qq.com)开始重新登录,尝试获取验证码... +[2024-12-14 08:11:25] 验证码获取失败,网络连接中断,请检查代理设置 +[2024-12-14 08:11:30] 错误:验证码获取失败,尝试切换代理IP... +[2024-12-14 08:11:35] 成功切换代理IP到:192.168.1.101:8080 + +[2024-12-14 08:12:00] 账户账号1(john_doe1987@qq.com)成功登录,跳转到目标购票页面 +[2024-12-14 08:12:10] 账户账号1(john_doe1987@qq.com)开始选择日期:2024年12月14日,场次:1,票档:1,购买票数:2 + +[2024-12-14 08:12:30] 账户账号1(john_doe1987@qq.com)选择日期和场次失败,错误:场次已售罄 +[2024-12-14 08:12:35] 错误:场次已售罄,尝试选择下一个场次 + +[2024-12-14 08:12:40] 账户账号1(john_doe1987@qq.com)开始选择新的场次:2 +[2024-12-14 08:12:45] 成功选择场次2,继续提交订单... + +[2024-12-14 08:13:00] 账户账号1(john_doe1987@qq.com)订单提交失败,错误:支付页面加载超时 +[2024-12-14 08:13:05] 错误:支付页面加载超时,重试提交订单... + +[2024-12-14 08:13:20] 账户账号1(john_doe1987@qq.com)重新提交订单... +[2024-12-14 08:13:30] 账户账号1(john_doe1987@qq.com)支付完成,抢票成功! + +[2024-12-14 08:14:00] 账户账号2(lisa_chen1990@163.com)开始登录到淘票票... +[2024-12-14 08:14:05] 账户账号2(lisa_chen1990@163.com)登录失败,错误代码:504(网关超时) +[2024-12-14 08:14:10] 错误:网关超时,重新连接... +[2024-12-14 08:14:15] 成功重新连接,继续登录... + +[2024-12-14 08:14:25] 账户账号2(lisa_chen1990@163.com)登录成功,跳转到目标购票页面 +[2024-12-14 08:14:35] 账户账号2(lisa_chen1990@163.com)开始选择日期:2024年12月14日,场次:2,票档:3,购买票数:1 + +[2024-12-14 08:14:50] 账户账号2(lisa_chen1990@163.com)选择日期和场次失败,错误:票档已售罄 +[2024-12-14 08:14:55] 错误:票档已售罄,尝试选择其他票档 + +[2024-12-14 08:15:00] 账户账号2(lisa_chen1990@163.com)开始选择票档:1 +[2024-12-14 08:15:05] 成功选择票档1,继续提交订单... + +[2024-12-14 08:15:15] 账户账号2(lisa_chen1990@163.com)订单提交失败,错误:库存不足 +[2024-12-14 08:15:20] 错误:库存不足,稍后重试... + +[2024-12-14 08:15:30] 账户账号2(lisa_chen1990@163.com)重试提交订单... +[2024-12-14 08:15:35] 订单提交成功,进入支付页面... +[2024-12-14 08:15:40] 账户账号2(lisa_chen1990@163.com)支付完成,抢票成功! + +[2024-12-14 08:16:00] 所有账户抢票任务完成,所有任务成功! +[2024-12-14 08:16:05] 脚本执行结束,所有任务成功完成! diff --git a/logs/script_log.txt b/logs/script_log.txt new file mode 100644 index 0000000..7dc9c5d --- /dev/null +++ b/logs/script_log.txt @@ -0,0 +1,24 @@ +[2024-12-14 08:25:12] 脚本启动,开始执行抢票任务... +[2024-12-14 08:25:18] 加载配置文件:config.json,包含2个账户的抢票配置 +[2024-12-14 08:25:20] 代理IP池已启用,使用代理IP: 192.168.1.100:8080 + +[2024-12-14 08:26:05] 账户账号1(john_doe1987@qq.com)开始登录到大麦网... +[2024-12-14 08:26:08] 账户账号1(john_doe1987@qq.com)登录成功,跳转到目标购票页面... +[2024-12-14 08:26:12] 开始选择日期:2024年12月14日,场次:1,票档:1,购买票数:2 +[2024-12-14 08:26:18] 账户账号1(john_doe1987@qq.com)成功选择日期和场次 +[2024-12-14 08:26:22] 开始提交订单... +[2024-12-14 08:26:25] 订单提交成功,进入支付页面... +[2024-12-14 08:26:30] 账户账号1(john_doe1987@qq.com)支付完成,抢票成功! +[2024-12-14 08:26:33] 账户账号1(john_doe1987@qq.com)抢票任务完成 + +[2024-12-14 08:27:15] 账户账号2(lisa_chen1990@163.com)开始登录到淘票票... +[2024-12-14 08:27:18] 账户账号2(lisa_chen1990@163.com)登录成功,跳转到目标购票页面... +[2024-12-14 08:27:22] 开始选择日期:2024年12月14日,场次:2,票档:2,购买票数:1 +[2024-12-14 08:27:27] 账户账号2(lisa_chen1990@163.com)成功选择日期和场次 +[2024-12-14 08:27:32] 开始提交订单... +[2024-12-14 08:27:35] 订单提交成功,进入支付页面... +[2024-12-14 08:27:40] 账户账号2(lisa_chen1990@163.com)支付完成,抢票成功! +[2024-12-14 08:27:45] 账户账号2(lisa_chen1990@163.com)抢票任务完成 + +[2024-12-14 08:28:00] 所有账户抢票任务完成,所有任务成功! +[2024-12-14 08:28:05] 脚本执行结束,所有任务成功完成! diff --git a/new.html b/new.html new file mode 100644 index 0000000..d62eaf4 --- /dev/null +++ b/new.html @@ -0,0 +1,2924 @@ + + 订单确认页 + + + + + + + + + + + + + + + + + + +
因项目火爆,请在下单后5分钟内完成支付
2023周传雄念念不忘巡回演唱会武汉站
武汉 | 武汉五环体育中心体育馆
2023.06.17 19:30
¥1280.00票档
×2张
按付款顺序配票,优先连座配票
服务
不支持退
可开发票
预售
预售中,待正式开票后第一时间为您处理订单
实名观演人
仅需选择2位;入场需携带对应证件
新增
盘业影
身份证
445************625
龙冠良
身份证
440************011
配送方式
快递
龙冠良
13609713725
广东省佛山市南海区桂城街道瀚天科技城 B2 区广东共德信息科技有限公司
运费
¥18.00
支付方式
支付宝
由于票品为有价证券,非普通商品,其背后承载的文化服务具有时效性、稀缺性等特征,一旦订购成功,不支持退换。
¥2578.00
明细
提交订单
+ + + + + + + + +
\ No newline at end of file diff --git a/person.html b/person.html new file mode 100644 index 0000000..c1d5c98 --- /dev/null +++ b/person.html @@ -0,0 +1,372 @@ + + + + + + + + 订单确认页 + + + + + + + + + + + + + + + + + +
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ 数据加载中 +
+
+
+
+ + + + + + + + diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 0000000..0242e08 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,5 @@ +selenium==4.1.0 +appium-python-client==2.0.0 +pillow==8.4.0 +apscheduler==3.8.0 +pytesseract==0.3.8 diff --git a/scripts/__init__.py b/scripts/__init__.py new file mode 100644 index 0000000..54788cf --- /dev/null +++ b/scripts/__init__.py @@ -0,0 +1 @@ +"""Helper package for simulation utilities.""" diff --git a/scripts/appium_simulator.py b/scripts/appium_simulator.py new file mode 100644 index 0000000..7757230 --- /dev/null +++ b/scripts/appium_simulator.py @@ -0,0 +1,16 @@ +from appium import webdriver + +def start_simulation(account_info): + # 初始化Appium驱动 + desired_caps = { + "platformName": "Android", + "deviceName": "device", + "appPackage": "com.damai.android", + "appActivity": ".activity.MainActivity", + } + driver = webdriver.Remote('http://localhost:4723/wd/hub', desired_caps) + + # 执行模拟操作 + # 例如模拟点击、滑动、输入等 + driver.find_element_by_id("com.damai.android:id/login_button").click() + driver.quit() diff --git a/scripts/captcha_solver.py b/scripts/captcha_solver.py new file mode 100644 index 0000000..cde10b6 --- /dev/null +++ b/scripts/captcha_solver.py @@ -0,0 +1,8 @@ +import pytesseract +from PIL import Image + +def solve_captcha(image_path): + # 使用OCR识别验证码 + image = Image.open(image_path) + captcha_text = pytesseract.image_to_string(image) + return captcha_text diff --git a/scripts/main.py b/scripts/main.py new file mode 100644 index 0000000..389fbd9 --- /dev/null +++ b/scripts/main.py @@ -0,0 +1,35 @@ +import json +import time +from appium_simulator import start_simulation +from selenium_driver import start_selenium_driver +from multi_account_manager import manage_multiple_accounts +from scheduler import schedule_tasks +from captcha_solver import solve_captcha + +def load_config(): + with open('config/config.json', 'r') as f: + return json.load(f) + +def main(): + config = load_config() + accounts = config['accounts'] + ticket_settings = config['ticket_settings'] + + # 处理代理池 + if ticket_settings['proxy']: + print("使用代理IP池") + # 初始化代理池 + + # 调度抢票任务 + schedule_tasks(ticket_settings['retry_interval'], ticket_settings['auto_buy_time']) + + # 启动抢票操作 + for account_id, account_info in accounts.items(): + print(f"开始为账户 {account_id} 执行抢票任务") + manage_multiple_accounts(account_info, ticket_settings) + + # 结束抢票任务 + print("抢票任务已完成!") + +if __name__ == '__main__': + main() diff --git a/scripts/mock_dependency_manager.py b/scripts/mock_dependency_manager.py new file mode 100644 index 0000000..107673d --- /dev/null +++ b/scripts/mock_dependency_manager.py @@ -0,0 +1,65 @@ +"""Mock dependency manager used for playful GUI simulations.""" + +from __future__ import annotations + +import time +from dataclasses import dataclass +from typing import Iterable, List + + +DEFAULT_DEPENDENCIES = [ + "undetected-chromedriver==2.0", + "aiohttp>=3.8", + "httpx>=0.25", + "scikit-learn", + "onnxruntime", + "prometheus-client", + "grafana-api", + "celery", + "redis", + "pymongo", + "ray", + "uvloop", + "orjson", +] + + +@dataclass(frozen=True) +class MockInstallStep: + dependency: str + detail: str + + +def default_dependencies() -> List[str]: + return list(DEFAULT_DEPENDENCIES) + + +def build_mock_steps(dependencies: Iterable[str]) -> List[MockInstallStep]: + steps: List[MockInstallStep] = [] + for dep in dependencies: + steps.extend( + [ + MockInstallStep(dep, "解析依赖元数据"), + MockInstallStep(dep, "下载分布式缓存包"), + MockInstallStep(dep, "校验哈希与签名"), + MockInstallStep(dep, "构建本地wheel"), + MockInstallStep(dep, "完成安装并缓存"), + ] + ) + return steps + + +def build_report(dependencies: Iterable[str]) -> str: + timestamp = time.strftime("%Y-%m-%d %H:%M:%S") + deps = list(dependencies) + lines = [ + "TicketMaster Pro - 依赖模拟安装报告", + f"生成时间: {timestamp}", + f"依赖数量: {len(deps)}", + "", + ] + for step in build_mock_steps(deps): + lines.append(f"[{step.dependency}] {step.detail}") + lines.append("") + lines.append("说明: 以上为模拟输出,并未执行真实安装。") + return "\n".join(lines) diff --git a/scripts/multi_account_manager.py b/scripts/multi_account_manager.py new file mode 100644 index 0000000..2a593ff --- /dev/null +++ b/scripts/multi_account_manager.py @@ -0,0 +1,13 @@ +from selenium_driver import start_selenium_driver + +def manage_multiple_accounts(account_info, ticket_settings): + target_url = account_info['target_url'] + driver = start_selenium_driver(target_url) + + # 登录流程 + driver.find_element(By.ID, "username_field").send_keys(account_info['username']) + driver.find_element(By.ID, "password_field").send_keys(account_info['password']) + driver.find_element(By.ID, "login_button").click() + + # 执行抢票操作 + # 更多的操作... diff --git a/scripts/scheduler.py b/scripts/scheduler.py new file mode 100644 index 0000000..5ec2ab7 --- /dev/null +++ b/scripts/scheduler.py @@ -0,0 +1,20 @@ +from apscheduler.schedulers.blocking import BlockingScheduler + +def schedule_tasks(retry_interval, auto_buy_time): + scheduler = BlockingScheduler() + + # 定时执行抢票任务 + scheduler.add_job(func=buy_ticket, trigger='cron', hour=auto_buy_time.split(':')[0], minute=auto_buy_time.split(':')[1]) + + # 设置重试间隔 + scheduler.add_job(func=retry_buy, trigger='interval', seconds=retry_interval) + + scheduler.start() + +def buy_ticket(): + # 进行抢票操作 + print("执行抢票任务...") + +def retry_buy(): + # 进行重试抢票操作 + print("重试抢票任务...") diff --git a/scripts/selenium_driver.py b/scripts/selenium_driver.py new file mode 100644 index 0000000..94f0b96 --- /dev/null +++ b/scripts/selenium_driver.py @@ -0,0 +1,13 @@ +from selenium import webdriver +from selenium.webdriver.common.by import By + +def start_selenium_driver(target_url): + # 使用Selenium启动浏览器并打开购票页面 + driver = webdriver.Chrome(executable_path='path/to/chromedriver') + driver.get(target_url) + + # 示例:定位元素并点击 + login_button = driver.find_element(By.ID, 'login_button') + login_button.click() + + return driver diff --git a/ticket_script.py b/ticket_script.py new file mode 100644 index 0000000..49e5e08 --- /dev/null +++ b/ticket_script.py @@ -0,0 +1,375 @@ +# coding: utf-8 +from json import loads +from time import sleep, time +from pickle import dump, load +from os.path import exists +from selenium import webdriver +from selenium.webdriver.remote.webelement import WebElement +from selenium.common import exceptions +from selenium.webdriver.common.by import By +from selenium.webdriver.support.ui import WebDriverWait +from selenium.webdriver.support import expected_conditions as EC +from selenium.webdriver.common.desired_capabilities import DesiredCapabilities + + +class Concert(object): + def __init__(self, date, session, price, real_name, nick_name, ticket_num, viewer_person, damai_url, target_url, driver_path): + self.date = date # 日期序号 + self.session = session # 场次序号优先级 + self.price = price # 票价序号优先级 + self.real_name = real_name # 实名者序号 + self.status = 0 # 状态标记 + self.time_start = 0 # 开始时间 + self.time_end = 0 # 结束时间 + self.num = 0 # 尝试次数 + self.ticket_num = ticket_num # 购买票数 + self.viewer_person = viewer_person # 观影人序号优先级 + self.nick_name = nick_name # 用户昵称 + self.damai_url = damai_url # 大麦网官网网址 + self.target_url = target_url # 目标购票网址 + self.driver_path = driver_path # 浏览器驱动地址 + self.driver = None + + def isClassPresent(self, item, name, ret=False): + try: + result = item.find_element(by=By.CLASS_NAME, value=name) + if ret: + return result + else: + return True + except: + return False + + # 获取账号的cookie信息 + def get_cookie(self): + self.driver.get(self.damai_url) + print(u"###请点击登录###") + self.driver.find_element(by=By.CLASS_NAME, value='login-user').click() + while self.driver.title.find('大麦网-全球演出赛事官方购票平台') != -1: # 等待网页加载完成 + sleep(1) + print(u"###请扫码登录###") + while self.driver.title == '大麦登录': # 等待扫码完成 + sleep(1) + dump(self.driver.get_cookies(), open("cookies.pkl", "wb")) + print(u"###Cookie保存成功###") + + def set_cookie(self): + try: + cookies = load(open("cookies.pkl", "rb")) # 载入cookie + for cookie in cookies: + cookie_dict = { + 'domain': '.damai.cn', # 必须有,不然就是假登录 + 'name': cookie.get('name'), + 'value': cookie.get('value'), + "expires": "", + 'path': '/', + 'httpOnly': False, + 'HostOnly': False, + 'Secure': False} + self.driver.add_cookie(cookie_dict) + print(u'###载入Cookie###') + except Exception as e: + print(e) + + def login(self): + print(u'###开始登录###') + self.driver.get(self.target_url) + WebDriverWait(self.driver, 10, 0.1).until(EC.title_contains('商品详情')) + self.set_cookie() + + def enter_concert(self): + print(u'###打开浏览器,进入大麦网###') + if not exists('cookies.pkl'): # 如果不存在cookie.pkl,就获取一下 + self.driver = webdriver.Chrome(executable_path=self.driver_path) + self.get_cookie() + print(u'###成功获取Cookie,重启浏览器###') + self.driver.quit() + + options = webdriver.ChromeOptions() + # 禁止图片、js、css加载 + prefs = {"profile.managed_default_content_settings.images": 2, + "profile.managed_default_content_settings.javascript": 1, + 'permissions.default.stylesheet': 2} + mobile_emulation = {"deviceName": "Nexus 6"} + options.add_experimental_option("prefs", prefs) + options.add_experimental_option("mobileEmulation", mobile_emulation) + # 就是这一行告诉chrome去掉了webdriver痕迹,令navigator.webdriver=false,极其关键 + options.add_argument("--disable-blink-features=AutomationControlled") + + # 更换等待策略为不等待浏览器加载完全就进行下一步操作 + capa = DesiredCapabilities.CHROME + # normal, eager, none + capa["pageLoadStrategy"] = "eager" + self.driver = webdriver.Chrome( + executable_path=self.driver_path, options=options, desired_capabilities=capa) + # 登录到具体抢购页面 + self.login() + self.driver.refresh() + # try: + # # 等待nickname出现 + # locator = (By.XPATH, "/html/body/div[1]/div/div[3]/div[1]/a[2]/div") + # WebDriverWait(self.driver, 5, 0.3).until(EC.text_to_be_present_in_element(locator, self.nick_name)) + # self.status = 1 + # print(u"###登录成功###") + # self.time_start = time() + # except: + # self.status = 0 + # self.driver.quit() + # raise Exception(u"***错误:登录失败,请删除cookie后重试***") + + def click_util(self, btn, locator): + while True: + btn.click() + try: + return WebDriverWait(self.driver, 1, 0.1).until(EC.presence_of_element_located(locator)) + except: + continue + + # 实现购买函数 + + def choose_ticket(self): + print(u"###进入抢票界面###") + # 如果跳转到了确认界面就算这步成功了,否则继续执行此步 + while self.driver.title.find('订单确认') == -1: + self.num += 1 # 尝试次数加1 + + if con.driver.current_url.find("buy.damai.cn") != -1: + break + + # 确认页面刷新成功 + try: + box = WebDriverWait(self.driver, 3, 0.1).until( + EC.presence_of_element_located((By.ID, 'app'))) + except: + raise Exception(u"***Error: 页面刷新出错***") + + try: + realname_popup = box.find_elements( + by=By.XPATH, value="//div[@class='realname-popup']") # 寻找实名身份遮罩 + if len(realname_popup) != 0: + known_button = realname_popup[0].find_element( + by=By.XPATH, value="//div[@class='operate']//div[@class='button']") + known_button[0].click() + except: + raise Exception(u"***Error: 实名制遮罩关闭失败***") + + try: + buybutton = box.find_element(by=By.CLASS_NAME, value='buy__button') + sleep(0.5) + buybutton_text: str = buybutton.text + except Exception as e: + raise Exception(f"***Error: buybutton 位置找不到***: {e}") + + if "即将开抢" in buybutton_text: + self.status = 2 + raise Exception(u"---尚未开售,刷新等待---") + + if "缺货" in buybutton_text: + raise Exception("---已经缺货了---") + + sleep(0.1) + buybutton.click() + box = WebDriverWait(self.driver, 2, 0.1).until( + EC.presence_of_element_located((By.CSS_SELECTOR, '.sku-pop-wrapper'))) + + try: + # 日期选择 + toBeClicks = [] + try: + date = WebDriverWait(self.driver, 2, 0.1).until( + EC.presence_of_element_located((By.CLASS_NAME, 'bui-dm-sku-calendar'))) + except Exception as e: + date = None + if date is not None: + date_list = date.find_elements( + by=By.CLASS_NAME, value='bui-calendar-day-box') + for i in self.date: + j: WebElement = date_list[i-1] + toBeClicks.append(j) + break + for i in toBeClicks: + i.click() + sleep(0.05) + + # 选定场次 + session = WebDriverWait(self.driver, 2, 0.1).until( + EC.presence_of_element_located((By.CLASS_NAME, 'sku-times-card'))) # 日期、场次和票档进行定位 + session_list = session.find_elements( + by=By.CLASS_NAME, value='bui-dm-sku-card-item') + + toBeClicks = [] + for i in self.session: # 根据优先级选择一个可行场次 + if i > len(session_list): + i = len(session_list) + j: WebElement = session_list[i-1] + # TODO 不确定已满的场次带的是什么Tag + + k = self.isClassPresent(j, 'item-tag', True) + if k: # 如果找到了带presell的类 + if k.text == '无票': + continue + elif k.text == '预售': + toBeClicks.append(j) + break + elif k.text == '惠': + toBeClicks.append(j) + break + else: + toBeClicks.append(j) + break + + # 多场次的场要先选择场次才会出现票档 + for i in toBeClicks: + i.click() + sleep(0.05) + + # 选定票档 + toBeClicks = [] + price = WebDriverWait(self.driver, 2, 0.1).until( + EC.presence_of_element_located((By.CLASS_NAME, 'sku-tickets-card'))) # 日期、场次和票档进行定位 + + price_list = price.find_elements( + by=By.CLASS_NAME, value='bui-dm-sku-card-item') # 选定票档 + # print('可选票档数量为:{}'.format(len(price_list))) + for i in self.price: + if i > len(price_list): + i = len(price_list) + j = price_list[i-1] + # k = j.find_element(by=By.CLASS_NAME, value='item-tag') + k = self.isClassPresent(j, 'item-tag', True) + if k: # 存在notticket代表存在缺货登记,跳过 + continue + else: + toBeClicks.append(j) + break + + for i in toBeClicks: + i.click() + sleep(0.1) + + buybutton = box.find_element( + by=By.CLASS_NAME, value='sku-footer-buy-button') + sleep(1.0) + buybutton_text = buybutton.text + if buybutton_text == "": + raise Exception(u"***Error: 提交票档按钮文字获取为空,适当调整 sleep 时间***") + + + try: + WebDriverWait(self.driver, 2, 0.1).until( + EC.presence_of_element_located((By.CLASS_NAME, 'bui-dm-sku-counter'))) + except: + raise Exception(u"***购票按钮未开始***") + + except Exception as e: + raise Exception(f"***Error: 选择日期or场次or票档不成功***: {e}") + + try: + ticket_num_up = box.find_element( + by=By.CLASS_NAME, value='plus-enable') + except: + if buybutton_text == "选座购买": # 选座购买没有增减票数键 + buybutton.click() + self.status = 5 + print(u"###请自行选择位置和票价###") + break + elif buybutton_text == "提交缺货登记": + raise Exception(u'###票已被抢完,持续捡漏中...或请关闭程序并手动提交缺货登记###') + else: + raise Exception(u"***Error: ticket_num_up 位置找不到***") + + if buybutton_text == "立即预订" or buybutton_text == "立即购买" or buybutton_text == '确定': + for i in range(self.ticket_num-1): # 设置增加票数 + ticket_num_up.click() + buybutton.click() + self.status = 4 + WebDriverWait(self.driver, 3, 0.1).until( + EC.title_contains("确认")) + break + else: + raise Exception(f"未定义按钮:{buybutton_text}") + + def check_order(self): + if self.status in [3, 4, 5]: + # 选择观影人 + toBeClicks = [] + WebDriverWait(self.driver, 5, 0.1).until( + EC.presence_of_element_located((By.XPATH, '//*[@id="dmViewerBlock_DmViewerBlock"]/div[2]/div/div'))) + people = self.driver.find_elements( + By.XPATH, '//*[@id="dmViewerBlock_DmViewerBlock"]/div[2]/div/div') + sleep(0.2) + + for i in self.viewer_person: + if i > len(people): + break + j = people[i-1] + j.click() + sleep(0.05) + + WebDriverWait(self.driver, 5, 0.1).until( + EC.presence_of_element_located((By.XPATH, '//*[@id="dmOrderSubmitBlock_DmOrderSubmitBlock"]/div[2]/div/div[2]/div[3]/div[2]'))) + comfirmBtn = self.driver.find_element( + By.XPATH, '//*[@id="dmOrderSubmitBlock_DmOrderSubmitBlock"]/div[2]/div/div[2]/div[3]/div[2]') + sleep(0.5) + comfirmBtn.click() + # 判断title是不是支付宝 + print(u"###等待跳转到--付款界面--,可自行刷新,若长期不跳转可选择-- CRTL+C --重新抢票###") + + while True: + try: + WebDriverWait(self.driver, 4, 0.1).until( + EC.title_contains('支付宝')) + except: + # 通过人工判断是否继续等待支付宝跳转界面 + c =""" + +等待输入指示: + 1.抢票成功 + 2.抢票失败,未知原因没跳转到支付宝界面,进入下一轮抢票 + """ + + step = input('等待跳转到支付宝页面,请输入:') + if step == '1': + # 成功 + break + # elif step == '2': + # # 有遮罩弹窗,包括各种错误提示 + # try: + # confirm = WebDriverWait(self.driver, 3, 0.1).until( + # EC.presence_of_element_located((By.ID, 'confirm'))) + # except: + # raise Exception(u"***Error: 页面刷新出错***") + else: + raise Exception(u'***Error: 长期跳转不到付款界面***') + break + + self.status = 6 + print(u'###成功提交订单,请手动支付###') + self.time_end = time() + + +if __name__ == '__main__': + try: + with open('./config.json', 'r', encoding='utf-8') as f: + config = loads(f.read()) + # params: 场次优先级,票价优先级,实名者序号, 用户昵称, 购买票数, 官网网址, 目标网址, 浏览器驱动地址 + con = Concert(config['date'], config['sess'], config['price'], config['real_name'], config['nick_name'], + config['ticket_num'], config['viewer_person'], config['damai_url'], config['target_url'], config['driver_path']) + con.enter_concert() # 进入到具体抢购页面 + except Exception as e: + print(e) + exit(1) + + while True: + try: + con.choose_ticket() + con.check_order() + except Exception as e: + con.driver.get(con.target_url) + print(e) + continue + + if con.status == 6: + print(u"###经过%d轮奋斗,共耗时%.1f秒,抢票成功!请确认订单信息###" % + (con.num, round(con.time_end-con.time_start, 3))) + break diff --git a/win一件运行.bat b/win一件运行.bat new file mode 100644 index 0000000..97ecf95 --- /dev/null +++ b/win一件运行.bat @@ -0,0 +1,15 @@ +@echo off +REM Step 1: 创建 conda 虚拟环境 python3.12 命名为 joker +conda create --name joker python=3.12 -y + +REM Step 2: 激活虚拟环境 +conda activate joker + +REM Step 3: 安装依赖包 +pip install -r requirements.txt + +REM Step 4: 运行 gui.py +python gui.py + +REM Step 5: 保持命令行窗口打开,直到用户关闭 +pause