mirror of
https://github.com/hwchase17/langchain.git
synced 2025-10-24 03:52:19 +00:00
Moved the following modules to new package langchain-community in a backwards compatible fashion: ``` mv langchain/langchain/adapters community/langchain_community mv langchain/langchain/callbacks community/langchain_community/callbacks mv langchain/langchain/chat_loaders community/langchain_community mv langchain/langchain/chat_models community/langchain_community mv langchain/langchain/document_loaders community/langchain_community mv langchain/langchain/docstore community/langchain_community mv langchain/langchain/document_transformers community/langchain_community mv langchain/langchain/embeddings community/langchain_community mv langchain/langchain/graphs community/langchain_community mv langchain/langchain/llms community/langchain_community mv langchain/langchain/memory/chat_message_histories community/langchain_community mv langchain/langchain/retrievers community/langchain_community mv langchain/langchain/storage community/langchain_community mv langchain/langchain/tools community/langchain_community mv langchain/langchain/utilities community/langchain_community mv langchain/langchain/vectorstores community/langchain_community mv langchain/langchain/agents/agent_toolkits community/langchain_community mv langchain/langchain/cache.py community/langchain_community mv langchain/langchain/adapters community/langchain_community mv langchain/langchain/callbacks community/langchain_community/callbacks mv langchain/langchain/chat_loaders community/langchain_community mv langchain/langchain/chat_models community/langchain_community mv langchain/langchain/document_loaders community/langchain_community mv langchain/langchain/docstore community/langchain_community mv langchain/langchain/document_transformers community/langchain_community mv langchain/langchain/embeddings community/langchain_community mv langchain/langchain/graphs community/langchain_community mv langchain/langchain/llms community/langchain_community mv langchain/langchain/memory/chat_message_histories community/langchain_community mv langchain/langchain/retrievers community/langchain_community mv langchain/langchain/storage community/langchain_community mv langchain/langchain/tools community/langchain_community mv langchain/langchain/utilities community/langchain_community mv langchain/langchain/vectorstores community/langchain_community mv langchain/langchain/agents/agent_toolkits community/langchain_community mv langchain/langchain/cache.py community/langchain_community ``` Moved the following to core ``` mv langchain/langchain/utils/json_schema.py core/langchain_core/utils mv langchain/langchain/utils/html.py core/langchain_core/utils mv langchain/langchain/utils/strings.py core/langchain_core/utils cat langchain/langchain/utils/env.py >> core/langchain_core/utils/env.py rm langchain/langchain/utils/env.py ``` See .scripts/community_split/script_integrations.sh for all changes
189 lines
6.8 KiB
Python
189 lines
6.8 KiB
Python
from abc import ABC
|
|
from datetime import datetime
|
|
from typing import Dict, Iterator, List, Literal, Optional, Union
|
|
|
|
import requests
|
|
from langchain_core.documents import Document
|
|
from langchain_core.pydantic_v1 import BaseModel, root_validator, validator
|
|
from langchain_core.utils import get_from_dict_or_env
|
|
|
|
from langchain_community.document_loaders.base import BaseLoader
|
|
|
|
|
|
class BaseGitHubLoader(BaseLoader, BaseModel, ABC):
|
|
"""Load `GitHub` repository Issues."""
|
|
|
|
repo: str
|
|
"""Name of repository"""
|
|
access_token: str
|
|
"""Personal access token - see https://github.com/settings/tokens?type=beta"""
|
|
github_api_url: str = "https://api.github.com"
|
|
"""URL of GitHub API"""
|
|
|
|
@root_validator(pre=True)
|
|
def validate_environment(cls, values: Dict) -> Dict:
|
|
"""Validate that access token exists in environment."""
|
|
values["access_token"] = get_from_dict_or_env(
|
|
values, "access_token", "GITHUB_PERSONAL_ACCESS_TOKEN"
|
|
)
|
|
return values
|
|
|
|
@property
|
|
def headers(self) -> Dict[str, str]:
|
|
return {
|
|
"Accept": "application/vnd.github+json",
|
|
"Authorization": f"Bearer {self.access_token}",
|
|
}
|
|
|
|
|
|
class GitHubIssuesLoader(BaseGitHubLoader):
|
|
"""Load issues of a GitHub repository."""
|
|
|
|
include_prs: bool = True
|
|
"""If True include Pull Requests in results, otherwise ignore them."""
|
|
milestone: Union[int, Literal["*", "none"], None] = None
|
|
"""If integer is passed, it should be a milestone's number field.
|
|
If the string '*' is passed, issues with any milestone are accepted.
|
|
If the string 'none' is passed, issues without milestones are returned.
|
|
"""
|
|
state: Optional[Literal["open", "closed", "all"]] = None
|
|
"""Filter on issue state. Can be one of: 'open', 'closed', 'all'."""
|
|
assignee: Optional[str] = None
|
|
"""Filter on assigned user. Pass 'none' for no user and '*' for any user."""
|
|
creator: Optional[str] = None
|
|
"""Filter on the user that created the issue."""
|
|
mentioned: Optional[str] = None
|
|
"""Filter on a user that's mentioned in the issue."""
|
|
labels: Optional[List[str]] = None
|
|
"""Label names to filter one. Example: bug,ui,@high."""
|
|
sort: Optional[Literal["created", "updated", "comments"]] = None
|
|
"""What to sort results by. Can be one of: 'created', 'updated', 'comments'.
|
|
Default is 'created'."""
|
|
direction: Optional[Literal["asc", "desc"]] = None
|
|
"""The direction to sort the results by. Can be one of: 'asc', 'desc'."""
|
|
since: Optional[str] = None
|
|
"""Only show notifications updated after the given time.
|
|
This is a timestamp in ISO 8601 format: YYYY-MM-DDTHH:MM:SSZ."""
|
|
|
|
@validator("since")
|
|
def validate_since(cls, v: Optional[str]) -> Optional[str]:
|
|
if v:
|
|
try:
|
|
datetime.strptime(v, "%Y-%m-%dT%H:%M:%SZ")
|
|
except ValueError:
|
|
raise ValueError(
|
|
"Invalid value for 'since'. Expected a date string in "
|
|
f"YYYY-MM-DDTHH:MM:SSZ format. Received: {v}"
|
|
)
|
|
return v
|
|
|
|
def lazy_load(self) -> Iterator[Document]:
|
|
"""
|
|
Get issues of a GitHub repository.
|
|
|
|
Returns:
|
|
A list of Documents with attributes:
|
|
- page_content
|
|
- metadata
|
|
- url
|
|
- title
|
|
- creator
|
|
- created_at
|
|
- last_update_time
|
|
- closed_time
|
|
- number of comments
|
|
- state
|
|
- labels
|
|
- assignee
|
|
- assignees
|
|
- milestone
|
|
- locked
|
|
- number
|
|
- is_pull_request
|
|
"""
|
|
url: Optional[str] = self.url
|
|
while url:
|
|
response = requests.get(url, headers=self.headers)
|
|
response.raise_for_status()
|
|
issues = response.json()
|
|
for issue in issues:
|
|
doc = self.parse_issue(issue)
|
|
if not self.include_prs and doc.metadata["is_pull_request"]:
|
|
continue
|
|
yield doc
|
|
if response.links and response.links.get("next"):
|
|
url = response.links["next"]["url"]
|
|
else:
|
|
url = None
|
|
|
|
def load(self) -> List[Document]:
|
|
"""
|
|
Get issues of a GitHub repository.
|
|
|
|
Returns:
|
|
A list of Documents with attributes:
|
|
- page_content
|
|
- metadata
|
|
- url
|
|
- title
|
|
- creator
|
|
- created_at
|
|
- last_update_time
|
|
- closed_time
|
|
- number of comments
|
|
- state
|
|
- labels
|
|
- assignee
|
|
- assignees
|
|
- milestone
|
|
- locked
|
|
- number
|
|
- is_pull_request
|
|
"""
|
|
return list(self.lazy_load())
|
|
|
|
def parse_issue(self, issue: dict) -> Document:
|
|
"""Create Document objects from a list of GitHub issues."""
|
|
metadata = {
|
|
"url": issue["html_url"],
|
|
"title": issue["title"],
|
|
"creator": issue["user"]["login"],
|
|
"created_at": issue["created_at"],
|
|
"comments": issue["comments"],
|
|
"state": issue["state"],
|
|
"labels": [label["name"] for label in issue["labels"]],
|
|
"assignee": issue["assignee"]["login"] if issue["assignee"] else None,
|
|
"milestone": issue["milestone"]["title"] if issue["milestone"] else None,
|
|
"locked": issue["locked"],
|
|
"number": issue["number"],
|
|
"is_pull_request": "pull_request" in issue,
|
|
}
|
|
content = issue["body"] if issue["body"] is not None else ""
|
|
return Document(page_content=content, metadata=metadata)
|
|
|
|
@property
|
|
def query_params(self) -> str:
|
|
"""Create query parameters for GitHub API."""
|
|
labels = ",".join(self.labels) if self.labels else self.labels
|
|
query_params_dict = {
|
|
"milestone": self.milestone,
|
|
"state": self.state,
|
|
"assignee": self.assignee,
|
|
"creator": self.creator,
|
|
"mentioned": self.mentioned,
|
|
"labels": labels,
|
|
"sort": self.sort,
|
|
"direction": self.direction,
|
|
"since": self.since,
|
|
}
|
|
query_params_list = [
|
|
f"{k}={v}" for k, v in query_params_dict.items() if v is not None
|
|
]
|
|
query_params = "&".join(query_params_list)
|
|
return query_params
|
|
|
|
@property
|
|
def url(self) -> str:
|
|
"""Create URL for GitHub API."""
|
|
return f"{self.github_api_url}/repos/{self.repo}/issues?{self.query_params}"
|