1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264
| import os import sys import logging from time import sleep from random import uniform import requests from lxml import html from typing import Optional
class SpiderConfig: """爬虫基础配置""" def __init__(self): self.base_url = "https://wallhaven.cc/search" self.id = "48868" self.timeout = 15 self.retries = 3 self.delay = (1, 3)
self.max_page_fallback = 100
self.image_dir = "images" self.log_dir = "logs" self.log_file = "wallhaven.log"
self.debug_mode = False
class ImprovedSpiderConfig(SpiderConfig): """增强配置""" def __init__(self): super().__init__() self.max_threads = 3 self.proxy = None
class UnicodeSafeStreamHandler(logging.StreamHandler): """安全处理控制台编码""" def emit(self, record): try: msg = self.format(record) stream = self.stream encoding = stream.encoding if stream.encoding else 'utf-8' msg = msg.encode(encoding, errors='replace').decode(encoding) stream.write(msg + self.terminator) self.flush() except Exception: self.handleError(record)
def setup_logging(config: ImprovedSpiderConfig): """初始化安全的日志系统""" log_format = '%(asctime)s - [%(levelname)s] %(message)s' date_format = '%Y-%m-%d %H:%M:%S'
os.makedirs(config.log_dir, exist_ok=True)
logger = logging.getLogger() logger.handlers.clear()
file_handler = logging.FileHandler( filename=os.path.join(config.log_dir, config.log_file), encoding='utf-8' ) file_handler.setFormatter(logging.Formatter(log_format, date_format))
console_handler = UnicodeSafeStreamHandler() console_handler.setFormatter(logging.Formatter(log_format, date_format))
log_level = logging.DEBUG if config.debug_mode else logging.INFO logger.setLevel(log_level) file_handler.setLevel(log_level) console_handler.setLevel(log_level)
logger.addHandler(file_handler) logger.addHandler(console_handler)
class LogMark: """安全日志标识符号""" START = "=== START ===" END = "=== END ===" PROCESS_PAGE = "[PROCESS PAGE]" FOUND_ITEMS = "[FOUND ITEMS]" DOWNLOAD_START = "[DOWNLOAD]" DOWNLOAD_SKIP = "[SKIP]" DOWNLOAD_SUCCESS = "[SUCCESS]" DOWNLOAD_FAIL = "[FAIL]"
class WallHavenSpider: def __init__(self, config: ImprovedSpiderConfig): self.config = config self.session = requests.Session() self.session.headers.update({ 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36', 'Referer': 'https://wallhaven.cc/' }) os.makedirs(self.config.image_dir, exist_ok=True)
def _random_delay(self): sleep(uniform(*self.config.delay))
def _request_with_retry(self, url: str) -> Optional[html.HtmlElement]: for attempt in range(self.config.retries + 1): try: response = self.session.get(url, timeout=self.config.timeout) response.raise_for_status() tree = html.fromstring(response.content)
if self.config.debug_mode: logging.debug(f"HTML Preview:\n{response.text[:200]}...") logging.debug(f"Nodes found: {len(tree.xpath('//*'))}")
if tree is None or len(tree) == 0: logging.warning(f"Empty document: {url}") return None return tree
except requests.exceptions.RequestException as e: logging.warning(f"Request failed ({e.__class__.__name__}): {url}") if attempt == self.config.retries: logging.error(f"Max retries reached: {url}") return None self._random_delay()
def _get_max_page(self, tree: html.HtmlElement) -> int: try: pagination = tree.xpath('//nav[contains(@class, "pagination")]') if pagination: page_buttons = pagination[0].xpath('.//a[contains(@class, "pagination-link")]/text()') numeric_pages = [int(p.strip()) for p in page_buttons if p.strip().isdigit()]
if numeric_pages: logging.debug(f"Numeric pages found: {numeric_pages}") return max(numeric_pages)
last_button = pagination[0].xpath('.//a[contains(@class, "pagination-link")][last()]') if last_button and 'href' in last_button[0].attrib: last_page_url = last_button[0].attrib['href'] if 'page=' in last_page_url: page_num = last_page_url.split('page=')[-1] if page_num.isdigit(): logging.debug(f"Page from URL: {page_num}") return int(page_num)
header = tree.xpath('//header[h2[@class="section-header"]]/h2/text()') if header: parts = header[0].split('of') if len(parts) > 1: total = parts[-1].strip() if total.isdigit(): logging.debug(f"Total items: {total}") return (int(total) - 1) // 24 + 1
logging.warning("Using fallback page strategy") return self.config.max_page_fallback
except Exception as e: logging.error(f"Page parse error: {str(e)}", exc_info=True) return self.config.max_page_fallback
def _get_detail_urls(self, tree: html.HtmlElement) -> list: urls = tree.xpath('//section[contains(@class, "thumb-listing-page")]//a[contains(@class, "preview")]/@href') logging.debug(f"Detail URLs found: {len(urls)}") return urls
def _get_image_url(self, tree: html.HtmlElement) -> Optional[str]: url = tree.xpath('//img[@id="wallpaper"]/@src') if url: logging.debug(f"Image URL found: {url[0]}") return url[0] logging.warning("Image URL not found") return None
def _download_image(self, url: str): try: filename = os.path.basename(url.split('?')[0]) save_path = os.path.join(self.config.image_dir, filename)
if os.path.exists(save_path): logging.info(f"{LogMark.DOWNLOAD_SKIP} {filename}") return
logging.info(f"{LogMark.DOWNLOAD_START} {filename}")
with self.session.get(url, stream=True, timeout=self.config.timeout) as response: response.raise_for_status()
file_size = int(response.headers.get('Content-Length', 0)) progress = 0
with open(save_path, 'wb') as f: for chunk in response.iter_content(chunk_size=8192): if chunk: f.write(chunk) progress += len(chunk) if file_size > 0: logging.debug(f"Progress: {progress}/{file_size} ({progress/file_size:.1%})")
logging.info(f"{LogMark.DOWNLOAD_SUCCESS} {filename} ({progress/1024:.1f}KB)")
except Exception as e: logging.error(f"{LogMark.DOWNLOAD_FAIL} {url}: {str(e)}")
def run(self): logging.info(LogMark.START)
base_url = f"{self.config.base_url}?q=id:{self.config.id}" logging.debug(f"Base URL: {base_url}")
initial_tree = self._request_with_retry(base_url) if initial_tree is None: logging.error("Initial request failed") return
max_page = self._get_max_page(initial_tree) logging.debug(f"Max pages calculated: {max_page}")
for page in range(1, max_page + 1): page_url = f"{base_url}&page={page}" if page > 1 else base_url logging.info(f"{LogMark.PROCESS_PAGE} {page}: {page_url}")
tree = self._request_with_retry(page_url) if tree is None: logging.warning(f"Skip invalid page: {page}") continue
detail_urls = self._get_detail_urls(tree) logging.info(f"{LogMark.FOUND_ITEMS} {len(detail_urls)}")
for idx, url in enumerate(detail_urls, 1): self._random_delay() logging.debug(f"Processing {idx}/{len(detail_urls)}: {url}") detail_tree = self._request_with_retry(url)
if detail_tree: if image_url := self._get_image_url(detail_tree): self._download_image(image_url) else: logging.warning(f"Invalid detail page: {url}")
logging.info(LogMark.END)
if __name__ == "__main__": config = ImprovedSpiderConfig() config.id = "48868" config.delay = (0.5, 1.2) config.debug_mode = False config.max_page_fallback = 6
setup_logging(config)
spider = WallHavenSpider(config) spider.run()
|