diff --git a/.github/workflows/validate-project-fields.yml b/.github/workflows/validate-project-fields.yml new file mode 100644 index 00000000..732a4447 --- /dev/null +++ b/.github/workflows/validate-project-fields.yml @@ -0,0 +1,51 @@ +name: Validate Project Fields + +on: + pull_request: + types: + - opened + - edited + - synchronize + - reopened + - unassigned + +permissions: + contents: write + pull-requests: write + id-token: write + repository-projects: write + +concurrency: + group: ${{ github.workflow }}-${{ github.head_ref || github.ref }} + cancel-in-progress: true + +env: + AWS_REGION: eu-central-1 + AWS_ROLE_ARN: arn:aws:iam::332405224602:role/ci + EARTHLY_TARGET: docker + ECR_REGISTRY: 332405224602.dkr.ecr.eu-central-1.amazonaws.com + +jobs: + validate-project-fields: + runs-on: ubuntu-latest + steps: + - uses: actions/checkout@v4 + + - name: Setup CI + uses: input-output-hk/catalyst-ci/actions/setup@master + with: + aws_role_arn: ${{ env.AWS_ROLE_ARN }} + aws_region: ${{ env.AWS_REGION }} + earthly_runner_secret: ${{ secrets.EARTHLY_RUNNER_SECRET }} + + - name: Run Project Fields Validation + uses: input-output-hk/catalyst-ci/actions/run@master + if: always() + continue-on-error: false + with: + earthfile: ./utilities/project-fields-validator + flags: --allow-privileged + targets: validate-project-fields + target_flags: --GITHUB_REPOSITORY="${{ github.repository }}" --GITHUB_EVENT_NUMBER="${{ github.event.number || '0' }}" + runner_address: ${{ secrets.EARTHLY_SATELLITE_ADDRESS }} + artifact: false diff --git a/utilities/project-fields-validator/Earthfile b/utilities/project-fields-validator/Earthfile new file mode 100644 index 00000000..200ee3c4 --- /dev/null +++ b/utilities/project-fields-validator/Earthfile @@ -0,0 +1,24 @@ +VERSION 0.8 + +IMPORT github.com/input-output-hk/catalyst-ci/earthly/python:v3.1.7 AS python-ci + +test: + FROM python-ci+python-base + COPY . . + DO python-ci+CHECK + +validate-project-fields: + FROM python-ci+python-base + COPY . . + + RUN pip install requests + + ARG PROJECT_NUMBER=102 + ARG --required GITHUB_REPOSITORY + ARG --required GITHUB_EVENT_NUMBER + + ENV PROJECT_NUMBER=${PROJECT_NUMBER} + ENV GITHUB_REPOSITORY=${GITHUB_REPOSITORY} + ENV GITHUB_EVENT_NUMBER=${GITHUB_EVENT_NUMBER} + + RUN --no-cache --secret GITHUB_TOKEN python3 main.py \ No newline at end of file diff --git a/utilities/project-fields-validator/README.md b/utilities/project-fields-validator/README.md new file mode 100644 index 00000000..9e8ec9c6 --- /dev/null +++ b/utilities/project-fields-validator/README.md @@ -0,0 +1,6 @@ +# Project fields validator + +This module is used to validate the fields of a project. + +* auto assign PR creator as assignee +* verifies that all project fields are filled out and fail if any are left unfilled. diff --git a/utilities/project-fields-validator/main.py b/utilities/project-fields-validator/main.py new file mode 100644 index 00000000..8ac93d19 --- /dev/null +++ b/utilities/project-fields-validator/main.py @@ -0,0 +1,401 @@ +import os +import sys +from dataclasses import dataclass +from typing import Optional, List, Dict, Any, Set +from enum import Enum +import requests +from requests.exceptions import RequestException +import json +import traceback + +class FieldType(Enum): + TEXT = "text" + DATE = "date" + SELECT = "name" + NUMBER = "number" + ITERATION = "title" + +@dataclass +class ProjectField: + name: str + value: Optional[str] = None + field_type: Optional[FieldType] = None + +class GitHubAPIError(Exception): + """Exception for GitHub API errors""" + def __init__(self, message: str, response_data: Optional[Dict] = None): + super().__init__(message) + self.response_data = response_data + +class ProjectFieldsValidator: + BASE_URL = "https://api.github.com" + GRAPHQL_URL = f"{BASE_URL}/graphql" + + def __init__(self, github_token: str): + if not github_token: + raise ValueError("GitHub token is required but was empty") + + self.headers = { + "Authorization": f"Bearer {github_token}", + "Accept": "application/vnd.github.v3+json" + } + self.required_fields = [ + ProjectField("Status"), + ProjectField("Area"), + ProjectField("Priority"), + ProjectField("Estimate"), + ProjectField("Iteration"), + ProjectField("Start"), + ProjectField("End") + ] + + def _make_request(self, method: str, url: str, **kwargs) -> Dict[str, Any]: + """Generic method to make HTTP requests with error handling""" + try: + response = requests.request(method, url, headers=self.headers, **kwargs) + response.raise_for_status() + + print(f"\nAPI Response Status: {response.status_code}") + + try: + data = response.json() + + if 'errors' in data: + error_messages = '; '.join(error.get('message', 'Unknown error') for error in data['errors']) + raise GitHubAPIError(f"GraphQL API errors: {error_messages}", data) + + if 'data' in data and data['data'] is None: + raise GitHubAPIError("API returned null data", data) + + return data + except json.JSONDecodeError as e: + raise GitHubAPIError(f"Failed to parse API response: {str(e)}") + + except RequestException as e: + raise GitHubAPIError(f"GitHub API request failed: {str(e)}") + + def run_query(self, query: str, variables: Dict[str, Any]) -> Dict[str, Any]: + """Execute a GraphQL query against GitHub's API.""" + return self._make_request( + "POST", + self.GRAPHQL_URL, + json={'query': query, 'variables': variables} + ) + + def get_pr_details(self, org_name: str, repo_name: str, pr_number: int) -> Dict[str, Any]: + """Get PR details including assignees.""" + query = """ + query($org: String!, $repo: String!, $number: Int!) { + repository(owner: $org, name: $repo) { + pullRequest(number: $number) { + id + author { + login + } + assignees(first: 10) { + nodes { + login + } + } + } + } + } + """ + + print(f"\nFetching PR details for {org_name}/{repo_name}#{pr_number}") + + result = self.run_query(query, { + "org": org_name, + "repo": repo_name, + "number": pr_number + }) + + if not result.get('data'): + raise GitHubAPIError("No data returned from API", result) + if not result['data'].get('repository'): + raise GitHubAPIError("Repository not found", result) + if not result['data']['repository'].get('pullRequest'): + raise GitHubAPIError(f"PR #{pr_number} not found", result) + + return result['data']['repository']['pullRequest'] + + def assign_pr(self, org_name: str, repo_name: str, pr_number: int, assignee: str) -> None: + """Assign PR to a user using REST API.""" + url = f"{self.BASE_URL}/repos/{org_name}/{repo_name}/issues/{pr_number}/assignees" + try: + self._make_request("POST", url, json={"assignees": [assignee]}) + print(f"✅ PR assigned to @{assignee}") + except GitHubAPIError as e: + print(f"❌ Failed to assign PR to @{assignee}: {str(e)}") + + def get_project_items(self, org_name: str, project_number: int) -> List[Dict[str, Any]]: + """Fetch all items from the project with pagination.""" + query = """ + query($org: String!, $projectNumber: Int!, $cursor: String) { + organization(login: $org) { + projectV2(number: $projectNumber) { + items(first: 100, after: $cursor) { + pageInfo { + hasNextPage + endCursor + } + nodes { + id + content { + ... on PullRequest { + number + title + url + author { + login + } + repository { + name + } + } + } + fieldValues(first: 20) { + nodes { + ... on ProjectV2ItemFieldTextValue { + field { + ... on ProjectV2FieldCommon { + name + } + } + text + } + ... on ProjectV2ItemFieldDateValue { + field { + ... on ProjectV2FieldCommon { + name + } + } + date + } + ... on ProjectV2ItemFieldSingleSelectValue { + field { + ... on ProjectV2FieldCommon { + name + } + } + name + } + ... on ProjectV2ItemFieldNumberValue { + field { + ... on ProjectV2FieldCommon { + name + } + } + number + } + ... on ProjectV2ItemFieldIterationValue { + field { + ... on ProjectV2FieldCommon { + name + } + } + title + startDate + duration + } + } + } + } + } + } + } + } + """ + return self._paginate_items(query, org_name, project_number) + + def _paginate_items(self, query: str, org_name: str, project_number: int) -> List[Dict[str, Any]]: + """Handle pagination for project items.""" + all_items = [] + cursor = None + total_items = 0 + + while True: + variables = { + "org": org_name, + "projectNumber": project_number, + "cursor": cursor + } + + try: + result = self.run_query(query, variables) + if not result.get('data', {}).get('organization', {}).get('projectV2'): + raise GitHubAPIError("Could not access project data", result) + + project_data = result['data']['organization']['projectV2']['items'] + valid_items = [ + item for item in project_data['nodes'] + if item.get('content') and isinstance(item['content'], dict) + ] + + all_items.extend(valid_items) + total_items += len(valid_items) + + sys.stdout.write(f"\rFetching project items... {total_items} found") + sys.stdout.flush() + + if not project_data['pageInfo']['hasNextPage']: + break + + cursor = project_data['pageInfo']['endCursor'] + + except GitHubAPIError as e: + print(f"\nError fetching project items: {str(e)}") + if e.response_data: + print("\nAPI Response data:") + print(json.dumps(e.response_data, indent=2)) + raise + + print("\n") + return all_items + + def validate_item(self, item: Dict[str, Any]) -> Set[str]: + """Validate required fields for an item.""" + field_values = self._extract_field_values(item) + + print("\nCurrent field values:") + print("="*50) + for field in self.required_fields: + value = field_values.get(field.name, '❌ empty') + print(f" • {field.name}: {value}") + + return {field.name for field in self.required_fields if field.name not in field_values} + + def _extract_field_values(self, item: Dict[str, Any]) -> Dict[str, str]: + """Extract field values from item data.""" + field_values = {} + + for field_value in item['fieldValues']['nodes']: + if not isinstance(field_value, dict) or 'field' not in field_value: + continue + + try: + field_name = field_value['field']['name'] + for field_type in FieldType: + if field_type.value in field_value: + value = field_value[field_type.value] + if isinstance(value, (int, float)): + value = str(value) + field_values[field_name] = value + break + except (KeyError, TypeError): + continue + + return field_values + + @staticmethod + def print_validation_results(empty_fields: Set[str]) -> None: + """Print validation results in a formatted way.""" + print("\n" + "="*50) + print("Validation Results:") + print("="*50) + + if not empty_fields: + print("✅ All required fields are filled. Validation passed!") + else: + print("❌ Validation failed. The following fields need to be filled:") + for field in sorted(empty_fields): + print(f" • {field}") + print("\nPlease fill in these fields in the project board.") + + print("="*50) + +def clean_env_var(var: str) -> str: + """Clean environment variable by removing quotes and extra whitespace""" + if var is None: + return None + return var.strip().strip('"\'') + +def main(): + try: + env_vars = { + 'GITHUB_TOKEN': clean_env_var(os.environ.get('GITHUB_TOKEN')), + 'GITHUB_REPOSITORY': clean_env_var(os.environ.get('GITHUB_REPOSITORY')), + 'GITHUB_EVENT_NUMBER': clean_env_var(os.environ.get('GITHUB_EVENT_NUMBER')), + 'PROJECT_NUMBER': clean_env_var(os.environ.get('PROJECT_NUMBER')) + } + + debug_vars = env_vars.copy() + debug_vars['GITHUB_TOKEN'] = '[REDACTED]' if env_vars['GITHUB_TOKEN'] else None + print("\nEnvironment variables:") + for key, value in debug_vars.items(): + print(f"{key}: {value}") + + missing_vars = [k for k, v in env_vars.items() if not v] + if missing_vars: + raise ValueError(f"Missing required environment variables: {', '.join(missing_vars)}") + + try: + pr_number = int(env_vars['GITHUB_EVENT_NUMBER']) + project_number = int(env_vars.get('PROJECT_NUMBER', '102')) # Default to 102 if not set + except ValueError as e: + raise ValueError(f"Invalid numeric value in environment variables: {str(e)}") + + github_repository = env_vars['GITHUB_REPOSITORY'] + try: + org_name, repo_name = github_repository.split('/') + except ValueError: + raise ValueError(f"Invalid repository format: {github_repository}. Expected format: owner/repo") + + print(f"\nValidating PR #{pr_number} in {github_repository}") + print(f"Project number: {project_number}") + print("="*50) + + validator = ProjectFieldsValidator(env_vars['GITHUB_TOKEN']) + + try: + pr_details = validator.get_pr_details(org_name, repo_name, pr_number) + author = pr_details['author']['login'] + assignees = [node['login'] for node in pr_details['assignees']['nodes']] + + if not assignees: + print(f"\nAssigning PR to author @{author}") + validator.assign_pr(org_name, repo_name, pr_number, author) + + project_items = validator.get_project_items(org_name, project_number) + pr_items = [ + item for item in project_items + if (item['content'].get('number') == pr_number and + item['content'].get('repository', {}).get('name') == repo_name) + ] + + if not pr_items: + print(f"\nWarning: PR #{pr_number} is not linked to project #{project_number}") + print("Please add it to the project using the following steps:") + print("1. Go to the project board") + print("2. Click '+ Add items'") + print("3. Search for this PR") + print("4. Click 'Add selected items'") + sys.exit(0) + + validation_errors = set() + for item in pr_items: + empty_fields = validator.validate_item(item) + validation_errors.update(empty_fields) + + validator.print_validation_results(validation_errors) + + if validation_errors: + sys.exit(1) + + except GitHubAPIError as e: + print(f"\nError accessing GitHub API: {str(e)}") + if e.response_data: + print("\nAPI Response data:") + print(json.dumps(e.response_data, indent=2)) + sys.exit(1) + + except ValueError as e: + print(f"Configuration error: {str(e)}") + sys.exit(1) + except Exception as e: + print(f"Error: {str(e)}") + traceback.print_exc() + sys.exit(1) + +if __name__ == "__main__": + main() \ No newline at end of file diff --git a/utilities/project-fields-validator/poetry.lock b/utilities/project-fields-validator/poetry.lock new file mode 100644 index 00000000..428a70ee --- /dev/null +++ b/utilities/project-fields-validator/poetry.lock @@ -0,0 +1,183 @@ +# This file is automatically @generated by Poetry 1.8.4 and should not be changed by hand. + +[[package]] +name = "certifi" +version = "2024.8.30" +description = "Python package for providing Mozilla's CA Bundle." +optional = false +python-versions = ">=3.6" +files = [ + {file = "certifi-2024.8.30-py3-none-any.whl", hash = "sha256:922820b53db7a7257ffbda3f597266d435245903d80737e34f8a45ff3e3230d8"}, + {file = "certifi-2024.8.30.tar.gz", hash = "sha256:bec941d2aa8195e248a60b31ff9f0558284cf01a52591ceda73ea9afffd69fd9"}, +] + +[[package]] +name = "charset-normalizer" +version = "3.4.0" +description = "The Real First Universal Charset Detector. Open, modern and actively maintained alternative to Chardet." +optional = false +python-versions = ">=3.7.0" +files = [ + {file = "charset_normalizer-3.4.0-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:4f9fc98dad6c2eaa32fc3af1417d95b5e3d08aff968df0cd320066def971f9a6"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:0de7b687289d3c1b3e8660d0741874abe7888100efe14bd0f9fd7141bcbda92b"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:5ed2e36c3e9b4f21dd9422f6893dec0abf2cca553af509b10cd630f878d3eb99"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:40d3ff7fc90b98c637bda91c89d51264a3dcf210cade3a2c6f838c7268d7a4ca"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1110e22af8ca26b90bd6364fe4c763329b0ebf1ee213ba32b68c73de5752323d"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:86f4e8cca779080f66ff4f191a685ced73d2f72d50216f7112185dc02b90b9b7"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:7f683ddc7eedd742e2889d2bfb96d69573fde1d92fcb811979cdb7165bb9c7d3"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:27623ba66c183eca01bf9ff833875b459cad267aeeb044477fedac35e19ba907"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:f606a1881d2663630ea5b8ce2efe2111740df4b687bd78b34a8131baa007f79b"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-musllinux_1_2_i686.whl", hash = "sha256:0b309d1747110feb25d7ed6b01afdec269c647d382c857ef4663bbe6ad95a912"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-musllinux_1_2_ppc64le.whl", hash = "sha256:136815f06a3ae311fae551c3df1f998a1ebd01ddd424aa5603a4336997629e95"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-musllinux_1_2_s390x.whl", hash = "sha256:14215b71a762336254351b00ec720a8e85cada43b987da5a042e4ce3e82bd68e"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:79983512b108e4a164b9c8d34de3992f76d48cadc9554c9e60b43f308988aabe"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-win32.whl", hash = "sha256:c94057af19bc953643a33581844649a7fdab902624d2eb739738a30e2b3e60fc"}, + {file = "charset_normalizer-3.4.0-cp310-cp310-win_amd64.whl", hash = "sha256:55f56e2ebd4e3bc50442fbc0888c9d8c94e4e06a933804e2af3e89e2f9c1c749"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:0d99dd8ff461990f12d6e42c7347fd9ab2532fb70e9621ba520f9e8637161d7c"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:c57516e58fd17d03ebe67e181a4e4e2ccab1168f8c2976c6a334d4f819fe5944"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:6dba5d19c4dfab08e58d5b36304b3f92f3bd5d42c1a3fa37b5ba5cdf6dfcbcee"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bf4475b82be41b07cc5e5ff94810e6a01f276e37c2d55571e3fe175e467a1a1c"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ce031db0408e487fd2775d745ce30a7cd2923667cf3b69d48d219f1d8f5ddeb6"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:8ff4e7cdfdb1ab5698e675ca622e72d58a6fa2a8aa58195de0c0061288e6e3ea"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:3710a9751938947e6327ea9f3ea6332a09bf0ba0c09cae9cb1f250bd1f1549bc"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:82357d85de703176b5587dbe6ade8ff67f9f69a41c0733cf2425378b49954de5"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:47334db71978b23ebcf3c0f9f5ee98b8d65992b65c9c4f2d34c2eaf5bcaf0594"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-musllinux_1_2_i686.whl", hash = "sha256:8ce7fd6767a1cc5a92a639b391891bf1c268b03ec7e021c7d6d902285259685c"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-musllinux_1_2_ppc64le.whl", hash = "sha256:f1a2f519ae173b5b6a2c9d5fa3116ce16e48b3462c8b96dfdded11055e3d6365"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-musllinux_1_2_s390x.whl", hash = "sha256:63bc5c4ae26e4bc6be6469943b8253c0fd4e4186c43ad46e713ea61a0ba49129"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:bcb4f8ea87d03bc51ad04add8ceaf9b0f085ac045ab4d74e73bbc2dc033f0236"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-win32.whl", hash = "sha256:9ae4ef0b3f6b41bad6366fb0ea4fc1d7ed051528e113a60fa2a65a9abb5b1d99"}, + {file = "charset_normalizer-3.4.0-cp311-cp311-win_amd64.whl", hash = "sha256:cee4373f4d3ad28f1ab6290684d8e2ebdb9e7a1b74fdc39e4c211995f77bec27"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-macosx_10_13_universal2.whl", hash = "sha256:0713f3adb9d03d49d365b70b84775d0a0d18e4ab08d12bc46baa6132ba78aaf6"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-macosx_10_13_x86_64.whl", hash = "sha256:de7376c29d95d6719048c194a9cf1a1b0393fbe8488a22008610b0361d834ecf"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:4a51b48f42d9358460b78725283f04bddaf44a9358197b889657deba38f329db"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b295729485b06c1a0683af02a9e42d2caa9db04a373dc38a6a58cdd1e8abddf1"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:ee803480535c44e7f5ad00788526da7d85525cfefaf8acf8ab9a310000be4b03"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:3d59d125ffbd6d552765510e3f31ed75ebac2c7470c7274195b9161a32350284"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:8cda06946eac330cbe6598f77bb54e690b4ca93f593dee1568ad22b04f347c15"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:07afec21bbbbf8a5cc3651aa96b980afe2526e7f048fdfb7f1014d84acc8b6d8"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:6b40e8d38afe634559e398cc32b1472f376a4099c75fe6299ae607e404c033b2"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-musllinux_1_2_i686.whl", hash = "sha256:b8dcd239c743aa2f9c22ce674a145e0a25cb1566c495928440a181ca1ccf6719"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:84450ba661fb96e9fd67629b93d2941c871ca86fc38d835d19d4225ff946a631"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:44aeb140295a2f0659e113b31cfe92c9061622cadbc9e2a2f7b8ef6b1e29ef4b"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:1db4e7fefefd0f548d73e2e2e041f9df5c59e178b4c72fbac4cc6f535cfb1565"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-win32.whl", hash = "sha256:5726cf76c982532c1863fb64d8c6dd0e4c90b6ece9feb06c9f202417a31f7dd7"}, + {file = "charset_normalizer-3.4.0-cp312-cp312-win_amd64.whl", hash = "sha256:b197e7094f232959f8f20541ead1d9862ac5ebea1d58e9849c1bf979255dfac9"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-macosx_10_13_universal2.whl", hash = "sha256:dd4eda173a9fcccb5f2e2bd2a9f423d180194b1bf17cf59e3269899235b2a114"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:e9e3c4c9e1ed40ea53acf11e2a386383c3304212c965773704e4603d589343ed"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:92a7e36b000bf022ef3dbb9c46bfe2d52c047d5e3f3343f43204263c5addc250"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:54b6a92d009cbe2fb11054ba694bc9e284dad30a26757b1e372a1fdddaf21920"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:1ffd9493de4c922f2a38c2bf62b831dcec90ac673ed1ca182fe11b4d8e9f2a64"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:35c404d74c2926d0287fbd63ed5d27eb911eb9e4a3bb2c6d294f3cfd4a9e0c23"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:4796efc4faf6b53a18e3d46343535caed491776a22af773f366534056c4e1fbc"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:e7fdd52961feb4c96507aa649550ec2a0d527c086d284749b2f582f2d40a2e0d"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:92db3c28b5b2a273346bebb24857fda45601aef6ae1c011c0a997106581e8a88"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-musllinux_1_2_i686.whl", hash = "sha256:ab973df98fc99ab39080bfb0eb3a925181454d7c3ac8a1e695fddfae696d9e90"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-musllinux_1_2_ppc64le.whl", hash = "sha256:4b67fdab07fdd3c10bb21edab3cbfe8cf5696f453afce75d815d9d7223fbe88b"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-musllinux_1_2_s390x.whl", hash = "sha256:aa41e526a5d4a9dfcfbab0716c7e8a1b215abd3f3df5a45cf18a12721d31cb5d"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:ffc519621dce0c767e96b9c53f09c5d215578e10b02c285809f76509a3931482"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-win32.whl", hash = "sha256:f19c1585933c82098c2a520f8ec1227f20e339e33aca8fa6f956f6691b784e67"}, + {file = "charset_normalizer-3.4.0-cp313-cp313-win_amd64.whl", hash = "sha256:707b82d19e65c9bd28b81dde95249b07bf9f5b90ebe1ef17d9b57473f8a64b7b"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:dbe03226baf438ac4fda9e2d0715022fd579cb641c4cf639fa40d53b2fe6f3e2"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:dd9a8bd8900e65504a305bf8ae6fa9fbc66de94178c420791d0293702fce2df7"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:b8831399554b92b72af5932cdbbd4ddc55c55f631bb13ff8fe4e6536a06c5c51"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a14969b8691f7998e74663b77b4c36c0337cb1df552da83d5c9004a93afdb574"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:dcaf7c1524c0542ee2fc82cc8ec337f7a9f7edee2532421ab200d2b920fc97cf"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:425c5f215d0eecee9a56cdb703203dda90423247421bf0d67125add85d0c4455"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-musllinux_1_2_aarch64.whl", hash = "sha256:d5b054862739d276e09928de37c79ddeec42a6e1bfc55863be96a36ba22926f6"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-musllinux_1_2_i686.whl", hash = "sha256:f3e73a4255342d4eb26ef6df01e3962e73aa29baa3124a8e824c5d3364a65748"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-musllinux_1_2_ppc64le.whl", hash = "sha256:2f6c34da58ea9c1a9515621f4d9ac379871a8f21168ba1b5e09d74250de5ad62"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-musllinux_1_2_s390x.whl", hash = "sha256:f09cb5a7bbe1ecae6e87901a2eb23e0256bb524a79ccc53eb0b7629fbe7677c4"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-musllinux_1_2_x86_64.whl", hash = "sha256:0099d79bdfcf5c1f0c2c72f91516702ebf8b0b8ddd8905f97a8aecf49712c621"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-win32.whl", hash = "sha256:9c98230f5042f4945f957d006edccc2af1e03ed5e37ce7c373f00a5a4daa6149"}, + {file = "charset_normalizer-3.4.0-cp37-cp37m-win_amd64.whl", hash = "sha256:62f60aebecfc7f4b82e3f639a7d1433a20ec32824db2199a11ad4f5e146ef5ee"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:af73657b7a68211996527dbfeffbb0864e043d270580c5aef06dc4b659a4b578"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:cab5d0b79d987c67f3b9e9c53f54a61360422a5a0bc075f43cab5621d530c3b6"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:9289fd5dddcf57bab41d044f1756550f9e7cf0c8e373b8cdf0ce8773dc4bd417"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6b493a043635eb376e50eedf7818f2f322eabbaa974e948bd8bdd29eb7ef2a51"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:9fa2566ca27d67c86569e8c85297aaf413ffab85a8960500f12ea34ff98e4c41"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a8e538f46104c815be19c975572d74afb53f29650ea2025bbfaef359d2de2f7f"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:6fd30dc99682dc2c603c2b315bded2799019cea829f8bf57dc6b61efde6611c8"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2006769bd1640bdf4d5641c69a3d63b71b81445473cac5ded39740a226fa88ab"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-musllinux_1_2_aarch64.whl", hash = "sha256:dc15e99b2d8a656f8e666854404f1ba54765871104e50c8e9813af8a7db07f12"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-musllinux_1_2_i686.whl", hash = "sha256:ab2e5bef076f5a235c3774b4f4028a680432cded7cad37bba0fd90d64b187d19"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-musllinux_1_2_ppc64le.whl", hash = "sha256:4ec9dd88a5b71abfc74e9df5ebe7921c35cbb3b641181a531ca65cdb5e8e4dea"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-musllinux_1_2_s390x.whl", hash = "sha256:43193c5cda5d612f247172016c4bb71251c784d7a4d9314677186a838ad34858"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-musllinux_1_2_x86_64.whl", hash = "sha256:aa693779a8b50cd97570e5a0f343538a8dbd3e496fa5dcb87e29406ad0299654"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-win32.whl", hash = "sha256:7706f5850360ac01d80c89bcef1640683cc12ed87f42579dab6c5d3ed6888613"}, + {file = "charset_normalizer-3.4.0-cp38-cp38-win_amd64.whl", hash = "sha256:c3e446d253bd88f6377260d07c895816ebf33ffffd56c1c792b13bff9c3e1ade"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:980b4f289d1d90ca5efcf07958d3eb38ed9c0b7676bf2831a54d4f66f9c27dfa"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:f28f891ccd15c514a0981f3b9db9aa23d62fe1a99997512b0491d2ed323d229a"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:a8aacce6e2e1edcb6ac625fb0f8c3a9570ccc7bfba1f63419b3769ccf6a00ed0"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:bd7af3717683bea4c87acd8c0d3d5b44d56120b26fd3f8a692bdd2d5260c620a"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:5ff2ed8194587faf56555927b3aa10e6fb69d931e33953943bc4f837dfee2242"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:e91f541a85298cf35433bf66f3fab2a4a2cff05c127eeca4af174f6d497f0d4b"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:309a7de0a0ff3040acaebb35ec45d18db4b28232f21998851cfa709eeff49d62"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:285e96d9d53422efc0d7a17c60e59f37fbf3dfa942073f666db4ac71e8d726d0"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-musllinux_1_2_aarch64.whl", hash = "sha256:5d447056e2ca60382d460a604b6302d8db69476fd2015c81e7c35417cfabe4cd"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-musllinux_1_2_i686.whl", hash = "sha256:20587d20f557fe189b7947d8e7ec5afa110ccf72a3128d61a2a387c3313f46be"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-musllinux_1_2_ppc64le.whl", hash = "sha256:130272c698667a982a5d0e626851ceff662565379baf0ff2cc58067b81d4f11d"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-musllinux_1_2_s390x.whl", hash = "sha256:ab22fbd9765e6954bc0bcff24c25ff71dcbfdb185fcdaca49e81bac68fe724d3"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-musllinux_1_2_x86_64.whl", hash = "sha256:7782afc9b6b42200f7362858f9e73b1f8316afb276d316336c0ec3bd73312742"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-win32.whl", hash = "sha256:2de62e8801ddfff069cd5c504ce3bc9672b23266597d4e4f50eda28846c322f2"}, + {file = "charset_normalizer-3.4.0-cp39-cp39-win_amd64.whl", hash = "sha256:95c3c157765b031331dd4db3c775e58deaee050a3042fcad72cbc4189d7c8dca"}, + {file = "charset_normalizer-3.4.0-py3-none-any.whl", hash = "sha256:fe9f97feb71aa9896b81973a7bbada8c49501dc73e58a10fcef6663af95e5079"}, + {file = "charset_normalizer-3.4.0.tar.gz", hash = "sha256:223217c3d4f82c3ac5e29032b3f1c2eb0fb591b72161f86d93f5719079dae93e"}, +] + +[[package]] +name = "idna" +version = "3.10" +description = "Internationalized Domain Names in Applications (IDNA)" +optional = false +python-versions = ">=3.6" +files = [ + {file = "idna-3.10-py3-none-any.whl", hash = "sha256:946d195a0d259cbba61165e88e65941f16e9b36ea6ddb97f00452bae8b1287d3"}, + {file = "idna-3.10.tar.gz", hash = "sha256:12f65c9b470abda6dc35cf8e63cc574b1c52b11df2c86030af0ac09b01b13ea9"}, +] + +[package.extras] +all = ["flake8 (>=7.1.1)", "mypy (>=1.11.2)", "pytest (>=8.3.2)", "ruff (>=0.6.2)"] + +[[package]] +name = "requests" +version = "2.32.3" +description = "Python HTTP for Humans." +optional = false +python-versions = ">=3.8" +files = [ + {file = "requests-2.32.3-py3-none-any.whl", hash = "sha256:70761cfe03c773ceb22aa2f671b4757976145175cdfca038c02654d061d6dcc6"}, + {file = "requests-2.32.3.tar.gz", hash = "sha256:55365417734eb18255590a9ff9eb97e9e1da868d4ccd6402399eaf68af20a760"}, +] + +[package.dependencies] +certifi = ">=2017.4.17" +charset-normalizer = ">=2,<4" +idna = ">=2.5,<4" +urllib3 = ">=1.21.1,<3" + +[package.extras] +socks = ["PySocks (>=1.5.6,!=1.5.7)"] +use-chardet-on-py3 = ["chardet (>=3.0.2,<6)"] + +[[package]] +name = "urllib3" +version = "2.2.3" +description = "HTTP library with thread-safe connection pooling, file post, and more." +optional = false +python-versions = ">=3.8" +files = [ + {file = "urllib3-2.2.3-py3-none-any.whl", hash = "sha256:ca899ca043dcb1bafa3e262d73aa25c465bfb49e0bd9dd5d59f1d0acba2f8fac"}, + {file = "urllib3-2.2.3.tar.gz", hash = "sha256:e7d814a81dad81e6caf2ec9fdedb284ecc9c73076b62654547cc64ccdcae26e9"}, +] + +[package.extras] +brotli = ["brotli (>=1.0.9)", "brotlicffi (>=0.8.0)"] +h2 = ["h2 (>=4,<5)"] +socks = ["pysocks (>=1.5.6,!=1.5.7,<2.0)"] +zstd = ["zstandard (>=0.18.0)"] + +[metadata] +lock-version = "2.0" +python-versions = "^3.11" +content-hash = "8f6b6c24f619f4b3c83feba88e6f3e8b31d33569993e9e520ccb70cf6c4799c5" diff --git a/utilities/project-fields-validator/pyproject.toml b/utilities/project-fields-validator/pyproject.toml new file mode 100644 index 00000000..77de0c76 --- /dev/null +++ b/utilities/project-fields-validator/pyproject.toml @@ -0,0 +1,14 @@ +[tool.poetry] +name = "project-fields-validator" +version = "0.1.0" +description = "" +authors = ["Catalyst Team"] +readme = "README.md" + +[tool.poetry.dependencies] +python = "^3.11" +requests = "^2.32.3" + +[build-system] +requires = ["poetry-core"] +build-backend = "poetry.core.masonry.api"