|
| 1 | +#!/usr/bin/env python3 |
| 2 | +""" |
| 3 | +Dead link checker for the Reflex website. |
| 4 | +Crawls the deployed site and checks for broken links. |
| 5 | +""" |
| 6 | + |
| 7 | +import argparse |
| 8 | +import re |
| 9 | +import sys |
| 10 | +import time |
| 11 | +import xml.etree.ElementTree as ET |
| 12 | +from collections import deque |
| 13 | +from urllib.parse import urljoin, urlparse |
| 14 | + |
| 15 | +import requests |
| 16 | +from bs4 import BeautifulSoup |
| 17 | + |
| 18 | + |
| 19 | +class DeadLinkChecker: |
| 20 | + def __init__(self, base_url, max_pages=None, timeout=10, delay=0.5): |
| 21 | + self.base_url = base_url.rstrip('/') |
| 22 | + self.domain = urlparse(base_url).netloc |
| 23 | + self.max_pages = max_pages |
| 24 | + self.timeout = timeout |
| 25 | + self.delay = delay |
| 26 | + |
| 27 | + self.visited_pages = set() |
| 28 | + self.checked_links = set() |
| 29 | + self.dead_links = [] |
| 30 | + self.pages_to_visit = deque([base_url]) |
| 31 | + |
| 32 | + self.session = requests.Session() |
| 33 | + self.session.headers.update({ |
| 34 | + 'User-Agent': 'Mozilla/5.0 (compatible; DeadLinkChecker/1.0)' |
| 35 | + }) |
| 36 | + |
| 37 | + def is_internal_url(self, url): |
| 38 | + """Check if URL is internal to our domain.""" |
| 39 | + parsed = urlparse(url) |
| 40 | + return parsed.netloc == self.domain or parsed.netloc == '' |
| 41 | + |
| 42 | + def normalize_url(self, url): |
| 43 | + """Normalize URL for comparison.""" |
| 44 | + parsed = urlparse(url) |
| 45 | + normalized = f"{parsed.scheme}://{parsed.netloc}{parsed.path}" |
| 46 | + if parsed.query: |
| 47 | + normalized += f"?{parsed.query}" |
| 48 | + return normalized |
| 49 | + |
| 50 | + def check_link(self, url, source_page): |
| 51 | + """Check if a single link is working.""" |
| 52 | + if url in self.checked_links: |
| 53 | + return True |
| 54 | + |
| 55 | + self.checked_links.add(url) |
| 56 | + |
| 57 | + parsed = urlparse(url) |
| 58 | + if parsed.netloc in ['fonts.googleapis.com', 'fonts.gstatic.com']: |
| 59 | + return True |
| 60 | + |
| 61 | + try: |
| 62 | + response = self.session.head(url, timeout=self.timeout, allow_redirects=True) |
| 63 | + |
| 64 | + if response.status_code == 405: |
| 65 | + response = self.session.get(url, timeout=self.timeout, allow_redirects=True) |
| 66 | + |
| 67 | + if response.status_code == 403 and parsed.netloc in ['twitter.com', 'www.twitter.com', 'x.com', 'www.x.com']: |
| 68 | + print(f"Warning: Twitter/X link may be blocked by bot detection: {url}") |
| 69 | + return True |
| 70 | + |
| 71 | + if response.status_code >= 400: |
| 72 | + self.dead_links.append({ |
| 73 | + 'url': url, |
| 74 | + 'status_code': response.status_code, |
| 75 | + 'source_page': source_page, |
| 76 | + 'error': f"HTTP {response.status_code}" |
| 77 | + }) |
| 78 | + return False |
| 79 | + |
| 80 | + except requests.exceptions.RequestException as e: |
| 81 | + self.dead_links.append({ |
| 82 | + 'url': url, |
| 83 | + 'status_code': None, |
| 84 | + 'source_page': source_page, |
| 85 | + 'error': str(e) |
| 86 | + }) |
| 87 | + return False |
| 88 | + |
| 89 | + return True |
| 90 | + |
| 91 | + def extract_links(self, html, page_url): |
| 92 | + """Extract all links from HTML content.""" |
| 93 | + soup = BeautifulSoup(html, 'html.parser') |
| 94 | + links = [] |
| 95 | + |
| 96 | + for tag in soup.find_all(['a', 'link', 'img', 'script']): |
| 97 | + url = None |
| 98 | + if tag.name == 'a': |
| 99 | + url = tag.get('href') |
| 100 | + elif tag.name == 'link': |
| 101 | + url = tag.get('href') |
| 102 | + elif tag.name == 'img': |
| 103 | + url = tag.get('src') |
| 104 | + elif tag.name == 'script': |
| 105 | + url = tag.get('src') |
| 106 | + |
| 107 | + if url: |
| 108 | + absolute_url = urljoin(page_url, url) |
| 109 | + if not absolute_url.startswith(('javascript:', 'mailto:', 'tel:')): |
| 110 | + links.append(absolute_url) |
| 111 | + |
| 112 | + return links |
| 113 | + |
| 114 | + def crawl_page(self, url): |
| 115 | + """Crawl a single page and extract links.""" |
| 116 | + if url in self.visited_pages or (self.max_pages and len(self.visited_pages) >= self.max_pages): |
| 117 | + return [] |
| 118 | + |
| 119 | + self.visited_pages.add(url) |
| 120 | + print(f"Crawling: {url}") |
| 121 | + |
| 122 | + try: |
| 123 | + response = self.session.get(url, timeout=self.timeout) |
| 124 | + response.raise_for_status() |
| 125 | + |
| 126 | + content_type = response.headers.get('content-type', '').lower() |
| 127 | + if 'text/html' not in content_type: |
| 128 | + return [] |
| 129 | + |
| 130 | + links = self.extract_links(response.text, url) |
| 131 | + |
| 132 | + for link in links: |
| 133 | + self.check_link(link, url) |
| 134 | + |
| 135 | + if self.is_internal_url(link): |
| 136 | + normalized = self.normalize_url(link) |
| 137 | + if normalized not in self.visited_pages: |
| 138 | + self.pages_to_visit.append(normalized) |
| 139 | + |
| 140 | + time.sleep(self.delay) |
| 141 | + return links |
| 142 | + |
| 143 | + except requests.exceptions.RequestException as e: |
| 144 | + print(f"Error crawling {url}: {e}") |
| 145 | + return [] |
| 146 | + |
| 147 | + def get_sitemap_urls(self): |
| 148 | + """Try to get URLs from sitemap.xml.""" |
| 149 | + sitemap_url = f"{self.base_url}/sitemap.xml" |
| 150 | + print(f"Checking for sitemap at: {sitemap_url}") |
| 151 | + |
| 152 | + try: |
| 153 | + response = self.session.get(sitemap_url, timeout=self.timeout) |
| 154 | + if response.status_code == 200: |
| 155 | + print("✅ Found sitemap.xml, parsing URLs...") |
| 156 | + root = ET.fromstring(response.content) |
| 157 | + |
| 158 | + urls = [] |
| 159 | + for url_elem in root.findall('.//{https://www.sitemaps.org/schemas/sitemap/0.9}url'): |
| 160 | + loc_elem = url_elem.find('{https://www.sitemaps.org/schemas/sitemap/0.9}loc') |
| 161 | + if loc_elem is not None and loc_elem.text: |
| 162 | + urls.append(loc_elem.text) |
| 163 | + |
| 164 | + if not urls: |
| 165 | + for url_elem in root.findall('.//url'): |
| 166 | + loc_elem = url_elem.find('loc') |
| 167 | + if loc_elem is not None and loc_elem.text: |
| 168 | + urls.append(loc_elem.text) |
| 169 | + |
| 170 | + print(f"Found {len(urls)} URLs in sitemap") |
| 171 | + return urls if urls else None |
| 172 | + else: |
| 173 | + print(f"No sitemap found (HTTP {response.status_code})") |
| 174 | + return None |
| 175 | + |
| 176 | + except Exception as e: |
| 177 | + print(f"Error fetching sitemap: {e}") |
| 178 | + return None |
| 179 | + |
| 180 | + def run(self): |
| 181 | + """Run the dead link checker.""" |
| 182 | + print(f"Starting dead link check for {self.base_url}") |
| 183 | + print(f"Max pages: {self.max_pages}, Timeout: {self.timeout}s") |
| 184 | + |
| 185 | + sitemap_urls = self.get_sitemap_urls() |
| 186 | + if sitemap_urls: |
| 187 | + print("Using sitemap-based crawling...") |
| 188 | + for url in sitemap_urls: |
| 189 | + if not self.max_pages or len(self.visited_pages) < self.max_pages: |
| 190 | + self.crawl_page(url) |
| 191 | + else: |
| 192 | + print("Using breadth-first crawling...") |
| 193 | + while self.pages_to_visit and (not self.max_pages or len(self.visited_pages) < self.max_pages): |
| 194 | + url = self.pages_to_visit.popleft() |
| 195 | + self.crawl_page(url) |
| 196 | + |
| 197 | + print(f"\nCrawl complete!") |
| 198 | + print(f"Pages visited: {len(self.visited_pages)}") |
| 199 | + print(f"Links checked: {len(self.checked_links)}") |
| 200 | + print(f"Dead links found: {len(self.dead_links)}") |
| 201 | + |
| 202 | + if self.dead_links: |
| 203 | + print("\n❌ DEAD LINKS FOUND:") |
| 204 | + for link_info in self.dead_links: |
| 205 | + print(f" URL: {link_info['url']}") |
| 206 | + print(f" Error: {link_info['error']}") |
| 207 | + print(f" Found on: {link_info['source_page']}") |
| 208 | + print() |
| 209 | + return False |
| 210 | + else: |
| 211 | + print("\n✅ No dead links found!") |
| 212 | + return True |
| 213 | + |
| 214 | + |
| 215 | +def main(): |
| 216 | + parser = argparse.ArgumentParser(description='Check for dead links on a website') |
| 217 | + parser.add_argument('url', help='Base URL to start crawling from') |
| 218 | + parser.add_argument('--max-pages', type=int, default=500, help='Maximum pages to crawl') |
| 219 | + parser.add_argument('--timeout', type=int, default=10, help='Request timeout in seconds') |
| 220 | + parser.add_argument('--delay', type=float, default=0.5, help='Delay between requests') |
| 221 | + |
| 222 | + args = parser.parse_args() |
| 223 | + |
| 224 | + checker = DeadLinkChecker( |
| 225 | + base_url=args.url, |
| 226 | + max_pages=args.max_pages, |
| 227 | + timeout=args.timeout, |
| 228 | + delay=args.delay |
| 229 | + ) |
| 230 | + |
| 231 | + success = checker.run() |
| 232 | + sys.exit(0 if success else 1) |
| 233 | + |
| 234 | + |
| 235 | +if __name__ == '__main__': |
| 236 | + main() |
0 commit comments