|
| 1 | +import os |
| 2 | +import time |
| 3 | +from typing import Any |
| 4 | +from typing import List |
| 5 | +from typing import Optional |
| 6 | +from urllib.parse import urljoin |
| 7 | +from urllib.parse import urlparse |
| 8 | +from urllib.parse import urlunparse |
| 9 | + |
| 10 | +import requests |
| 11 | +from bs4 import BeautifulSoup |
| 12 | +from requests.auth import HTTPBasicAuth |
| 13 | + |
| 14 | +from onyx.configs.app_configs import INDEX_BATCH_SIZE |
| 15 | +from onyx.configs.constants import DocumentSource |
| 16 | +from onyx.connectors.interfaces import GenerateDocumentsOutput |
| 17 | +from onyx.connectors.interfaces import LoadConnector |
| 18 | +from onyx.connectors.interfaces import PollConnector |
| 19 | +from onyx.connectors.interfaces import SecondsSinceUnixEpoch |
| 20 | +from onyx.connectors.models import Document |
| 21 | +from onyx.connectors.models import Section |
| 22 | +from onyx.utils.logger import setup_logger |
| 23 | + |
| 24 | +logger = setup_logger() |
| 25 | + |
| 26 | +_TIMEOUT = 60 |
| 27 | +_MAX_DEPTH = 5 |
| 28 | + |
| 29 | + |
| 30 | +class GitHubPagesConnector(LoadConnector, PollConnector): |
| 31 | + def __init__(self, base_url: str, batch_size: int = INDEX_BATCH_SIZE) -> None: |
| 32 | + self.base_url = base_url |
| 33 | + self.batch_size = batch_size |
| 34 | + self.visited_urls = set() |
| 35 | + self.auth: Optional[HTTPBasicAuth] = None |
| 36 | + |
| 37 | + def load_credentials(self, credentials: dict[str, Any]) -> None: |
| 38 | + """ |
| 39 | + Optionally use credentials for HTTP Basic Auth. |
| 40 | + For public GitHub Pages, these are not required. |
| 41 | + """ |
| 42 | + github_username = credentials.get("github_username") |
| 43 | + github_token = credentials.get("github_personal_access_token") |
| 44 | + if not github_username or not github_token: |
| 45 | + logger.warning( |
| 46 | + "GitHub credentials are missing. Requests may fail for private pages." |
| 47 | + ) |
| 48 | + self.auth = ( |
| 49 | + HTTPBasicAuth(github_username, github_token) |
| 50 | + if github_username and github_token |
| 51 | + else None |
| 52 | + ) |
| 53 | + |
| 54 | + def load_from_state(self, state: dict) -> None: |
| 55 | + """Restore connector state (e.g., already visited URLs).""" |
| 56 | + self.visited_urls = set(state.get("visited_urls", [])) |
| 57 | + |
| 58 | + def _normalize_url(self, url: str) -> str: |
| 59 | + """Remove fragments and query parameters for uniformity.""" |
| 60 | + parsed = urlparse(url) |
| 61 | + return urlunparse(parsed._replace(fragment="", query="")) |
| 62 | + |
| 63 | + def _fetch_with_retry( |
| 64 | + self, url: str, retries: int = 3, delay: int = 2 |
| 65 | + ) -> Optional[str]: |
| 66 | + """Fetch a URL with retry logic.""" |
| 67 | + for attempt in range(retries): |
| 68 | + try: |
| 69 | + response = requests.get(url, timeout=_TIMEOUT, auth=self.auth) |
| 70 | + response.raise_for_status() |
| 71 | + return response.text |
| 72 | + except requests.exceptions.RequestException as e: |
| 73 | + logger.warning(f"Attempt {attempt + 1} failed for {url}: {e}") |
| 74 | + time.sleep(delay) |
| 75 | + logger.error(f"All attempts failed for {url}") |
| 76 | + return None |
| 77 | + |
| 78 | + def _crawl_github_pages( |
| 79 | + self, url: str, batch_size: int, depth: int = 0 |
| 80 | + ) -> List[str]: |
| 81 | + """Crawl pages starting at 'url' up to a specified depth and batch size.""" |
| 82 | + if depth > _MAX_DEPTH: |
| 83 | + return [] |
| 84 | + |
| 85 | + to_visit = [url] |
| 86 | + crawled_urls: List[str] = [] |
| 87 | + |
| 88 | + while to_visit and len(crawled_urls) < batch_size: |
| 89 | + current_url = to_visit.pop() |
| 90 | + if current_url in self.visited_urls: |
| 91 | + continue |
| 92 | + |
| 93 | + content = self._fetch_with_retry(current_url) |
| 94 | + if content: |
| 95 | + soup = BeautifulSoup(content, "html.parser") |
| 96 | + self.visited_urls.add(current_url) |
| 97 | + crawled_urls.append(current_url) |
| 98 | + |
| 99 | + # Follow in-domain links |
| 100 | + for link in soup.find_all("a"): |
| 101 | + href = link.get("href") |
| 102 | + if href: |
| 103 | + full_url = self._normalize_url(urljoin(self.base_url, href)) |
| 104 | + if ( |
| 105 | + full_url.startswith(self.base_url) |
| 106 | + and full_url not in self.visited_urls |
| 107 | + ): |
| 108 | + to_visit.append(full_url) |
| 109 | + return crawled_urls |
| 110 | + |
| 111 | + def _index_pages(self, urls: List[str]) -> List[Document]: |
| 112 | + """Convert a list of URLs into Document objects by fetching their content.""" |
| 113 | + documents = [] |
| 114 | + for url in urls: |
| 115 | + content = self._fetch_with_retry(url) |
| 116 | + if content: |
| 117 | + soup = BeautifulSoup(content, "html.parser") |
| 118 | + text_content = soup.get_text(separator="\n", strip=True) |
| 119 | + metadata = { |
| 120 | + "url": url, |
| 121 | + "crawl_time": str(time.time()), |
| 122 | + "content_length": str(len(text_content)), |
| 123 | + } |
| 124 | + documents.append( |
| 125 | + Document( |
| 126 | + id=url, |
| 127 | + sections=[Section(link=url, text=text_content)], |
| 128 | + source=DocumentSource.GITHUB_PAGES, |
| 129 | + semantic_identifier=url, |
| 130 | + metadata=metadata, |
| 131 | + ) |
| 132 | + ) |
| 133 | + return documents |
| 134 | + |
| 135 | + def _get_all_crawled_urls(self) -> List[str]: |
| 136 | + """Crawl repeatedly until no new pages are found.""" |
| 137 | + all_crawled_urls: List[str] = [] |
| 138 | + while True: |
| 139 | + crawled_urls = self._crawl_github_pages(self.base_url, self.batch_size) |
| 140 | + if not crawled_urls: |
| 141 | + break |
| 142 | + all_crawled_urls.extend(crawled_urls) |
| 143 | + return all_crawled_urls |
| 144 | + |
| 145 | + def _pull_all_pages(self) -> GenerateDocumentsOutput: |
| 146 | + """Yield batches of Document objects from crawled pages.""" |
| 147 | + crawled_urls = self._get_all_crawled_urls() |
| 148 | + yield self._index_pages(crawled_urls) |
| 149 | + |
| 150 | + def poll_source( |
| 151 | + self, start: SecondsSinceUnixEpoch, end: SecondsSinceUnixEpoch |
| 152 | + ) -> GenerateDocumentsOutput: |
| 153 | + """ |
| 154 | + Poll the source. This simple crawler does not support time filtering. |
| 155 | + """ |
| 156 | + yield from self._pull_all_pages() |
| 157 | + |
| 158 | + |
| 159 | +if __name__ == "__main__": |
| 160 | + connector = GitHubPagesConnector(base_url=os.environ["GITHUB_PAGES_BASE_URL"]) |
| 161 | + |
| 162 | + credentials = { |
| 163 | + "github_username": os.getenv("GITHUB_USERNAME", ""), |
| 164 | + "github_personal_access_token": os.getenv("GITHUB_PERSONAL_ACCESS_TOKEN", ""), |
| 165 | + } |
| 166 | + connector.load_credentials(credentials) |
| 167 | + |
| 168 | + document_batches = connector.poll_source(0, 0) |
| 169 | + print(next(document_batches)) |
0 commit comments