-
Notifications
You must be signed in to change notification settings - Fork 282
Script for checking codeblock coverage #2731
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
falOn-Dev
wants to merge
19
commits into
wpilibsuite:main
Choose a base branch
from
Team2537:codeblock-coverage-checking
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from 15 commits
Commits
Show all changes
19 commits
Select commit
Hold shift + click to select a range
aa3f18e
Create check_codeblock_coverage.py
falOn-Dev e4e0939
Update check_codeblock_coverage.py
falOn-Dev be66f29
Update check_codeblock_coverage.py
falOn-Dev 99a2117
Working version 1
falOn-Dev 5f4a3b7
Add in ability to set output dir and which langs to check
falOn-Dev 25e3b5b
Formatting
falOn-Dev 5f3d04a
Documentation
falOn-Dev ac85b19
Update CI.yml
falOn-Dev 42af9ca
Black reformatting
falOn-Dev 60cd55f
Update check_codeblock_coverage.py
falOn-Dev 8102ad3
No more CI codeblock coverage
falOn-Dev 4ee14bd
dynamically create the regex
falOn-Dev e31c46e
Change "wordy" to "verbose"
falOn-Dev bd3b68a
Left in debug statement on accident
falOn-Dev 1c9fae2
Docstring + Formatting
falOn-Dev 64ef5c7
Revert "Left in debug statement on accident"
falOn-Dev b9d764b
Update check_codeblock_coverage.py
falOn-Dev d373466
Add --help to explain usage
falOn-Dev 9e81367
Update check_codeblock_coverage.py
falOn-Dev File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -185,4 +185,4 @@ jobs: | |
pip install -r source/requirements.txt | ||
- name: Format | ||
run: | | ||
black --check . | ||
black --check . |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,210 @@ | ||
""" | ||
This script checks the code block coverage in .rst files in a specified directory. | ||
It counts the number of code blocks for each language and outputs the coverage percentage for each language. | ||
If the verbose flag is set, it also outputs detailed information about missing code blocks. | ||
|
||
Arguments for the script: | ||
--dir: The directory to search for .rst files (required) | ||
--verbose: Include detailed information about missing code blocks, as well as output to file rather than terminal (optional, default=False) | ||
--output: The path to the output file (optional, default="output.txt") | ||
--langs: The languages to check for (optional, default=["java", "python", "c++"]) | ||
|
||
Example usage: python check_codeblock_coverage.py --dir=docs --verbose --output=missing_code_blocks.txt | ||
Example usage: python check_codeblock_coverage.py --dir=docs --langs=java python c++ | ||
""" | ||
|
||
import sys | ||
import os | ||
import re | ||
import argparse | ||
from dataclasses import dataclass | ||
|
||
|
||
@dataclass | ||
class CodeBlock: | ||
""" | ||
A class representing a code block in an .rst file. | ||
|
||
Attributes: | ||
start (int): The starting line number of the code block. | ||
file (str): The file path of the .rst file. | ||
langs (list[str]): A list of languages found in the code block. | ||
""" | ||
|
||
start: int | ||
file: str | ||
langs: list[str] | ||
|
||
|
||
def get_all_rst_files(dir: str) -> list[str]: | ||
""" | ||
Recursively searches a directory for .rst files. | ||
|
||
Parameters: | ||
dir (str): The directory path to search. | ||
|
||
Returns: | ||
list[str]: A list of file paths for .rst files. | ||
""" | ||
files = [] | ||
for root, dirs, filenames in os.walk(dir): | ||
for filename in filenames: | ||
if filename.endswith(".rst"): | ||
files.append(os.path.join(root, filename)) | ||
return files | ||
|
||
|
||
def is_codeblock(line: str) -> bool: | ||
""" | ||
Checks if a line in an .rst file indicates the start of a code block. | ||
|
||
Parameters: | ||
line (str): A line from the file. | ||
|
||
Returns: | ||
bool: True if the line starts a code block, False otherwise. | ||
""" | ||
return line.startswith(".. tab-set-code::") or line.startswith(".. tab-set::") | ||
|
||
|
||
def generate_language_regex(langs: list[str]) -> str: | ||
""" | ||
Generates a regex pattern to match the specified languages. | ||
|
||
Parameters: | ||
langs (list[str]): A list of languages to match. | ||
|
||
Returns: | ||
str: A regex pattern to match the specified languages. | ||
""" | ||
return f"(`{{3}}|:language: )({'|'.join(langs)})".replace("+", r"\+") | ||
|
||
|
||
def get_blocks_from_rst_file(file: str, langs: list[str]) -> list[CodeBlock]: | ||
""" | ||
Extracts code blocks from a given .rst file. | ||
|
||
Parameters: | ||
file (str): The path to the .rst file. | ||
|
||
Returns: | ||
list[CodeBlock]: A list of CodeBlock instances representing the code blocks in the file. | ||
""" | ||
blocks = [] | ||
lang_regex = generate_language_regex(langs) | ||
with open(file, "r", encoding="utf8") as f: | ||
block_start = None | ||
langs = [] | ||
for index, line in enumerate(f): | ||
if is_codeblock(line): | ||
if langs != []: | ||
blocks.append(CodeBlock(start=block_start, file=file, langs=langs)) | ||
block_start = index + 1 | ||
langs = [] | ||
else: | ||
if line.startswith(" ") or line.startswith("\t"): | ||
lang = re.search(lang_regex, line.lower()) | ||
if lang is not None: | ||
langs.append(lang.group(2)) | ||
|
||
if langs != []: | ||
blocks.append(CodeBlock(start=block_start, file=file, langs=langs)) | ||
|
||
return blocks | ||
|
||
|
||
def generate_report( | ||
blocks: list[CodeBlock], langs: list[str], verbose: bool, output: str | ||
): | ||
""" | ||
Generates a report of code block coverage and writes it to the specified output. | ||
|
||
Parameters: | ||
blocks (list[CodeBlock]): A list of CodeBlock instances to analyze. | ||
langs (list[str]): A list of languages to check for. | ||
verbose (bool): Whether to include detailed missing code block information. | ||
output (str): The path to the output file. | ||
""" | ||
stream = sys.stdout | ||
if verbose: | ||
stream = open(output, "w") | ||
|
||
blocks_count = len(blocks) | ||
langs_coverage = {lang: 0 for lang in langs} | ||
|
||
# Calculate coverage for each language | ||
for block in blocks: | ||
for lang in langs: | ||
if lang in block.langs: | ||
langs_coverage[lang] += 1 | ||
|
||
# Print the coverage summary | ||
print(f"Total code blocks: {blocks_count}", file=stream) | ||
for lang, coverage in langs_coverage.items(): | ||
print( | ||
f"{lang} coverage: {coverage}/{blocks_count} ({coverage/blocks_count*100:.2f}%)", | ||
file=stream, | ||
) | ||
|
||
# If verbose flag is set, print detailed information about missing code blocks | ||
if verbose: | ||
print("\n\nMissing code blocks:", file=stream) | ||
for block in blocks: | ||
missing_langs = [lang for lang in langs if lang not in block.langs] | ||
if missing_langs: | ||
print(f"File: {block.file}, Line: {block.start}", file=stream) | ||
print(f"Missing languages: {missing_langs}", file=stream) | ||
|
||
# Close the output file if it was opened | ||
if stream is not sys.stdout: | ||
stream.close() | ||
|
||
|
||
def main(): | ||
""" | ||
The main entry point of the script. | ||
""" | ||
# Set up argument parsing | ||
parser = argparse.ArgumentParser( | ||
description="Check code block coverage in FRC docs" | ||
) | ||
parser.add_argument("--dir", type=str, help="Directory to search for rst files") | ||
parser.add_argument( | ||
"--verbose", | ||
action="store_true", | ||
help="Outputs which code blocks are missing languages", | ||
) | ||
parser.add_argument( | ||
"--output", | ||
type=str, | ||
default="output.txt", | ||
help="Output file for missing code blocks", | ||
) | ||
parser.add_argument( | ||
"--langs", | ||
nargs="+", | ||
default=["java", "python", "c++"], | ||
help="Languages to check for", | ||
) | ||
|
||
# Parse the command line arguments | ||
args = parser.parse_args() | ||
|
||
# Get all .rst files from the specified directory | ||
files = get_all_rst_files(dir=args.dir) | ||
blocks = [] | ||
for file in files: | ||
file_blocks = get_blocks_from_rst_file(file, args.langs) | ||
if len(file_blocks) == 0: | ||
continue | ||
else: | ||
blocks.extend(file_blocks) | ||
|
||
# Generate the report based on the collected code blocks | ||
generate_report( | ||
blocks=blocks, langs=args.langs, verbose=args.verbose, output=args.output | ||
) | ||
|
||
|
||
if __name__ == "__main__": | ||
main() |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,47 @@ | ||
Translations | ||
============ | ||
|
||
frc-docs supports translations using the web-based `Transifex <https://www.transifex.com>`__ utility. frc-docs has been translated into Spanish - Mexico (es_MX), French - Canada (fr_CA) and Turkish - Turkey (tr_TR). Chinese - China (zh_CN), Hebrew - Israel (he_IL), and Portuguese - Brazil (pt_BR) have translations in progress. Translators that are fluent in *both* English and one of the specified languages would be greatly appreciated to contribute to the translations. Even once a translation is complete, it needs to be updated to keep up with changes in frc-docs. | ||
|
||
Workflow | ||
-------- | ||
|
||
Here are some steps to follow for translating frc-docs. | ||
|
||
1. Sign up for `Transifex <https://www.transifex.com/>`__ and ask to join the `frc-docs project <https://www.transifex.com/wpilib/frc-docs>`__, and request access to the language you'd like to contribute to. | ||
2. Join GitHub `discussions <https://github.com/wpilibsuite/allwpilib/discussions>`__! This is a direct means of communication with the WPILib team. You can use this to ask us questions in a fast and streamlined fashion. | ||
3. You may be contacted and asked questions involving contributing languages before being granted access to the frc-docs translation project. | ||
4. Translate your language! | ||
|
||
Links | ||
----- | ||
|
||
Links must be preserved in their original syntax. To translate a link, you can replace the TRANSLATE ME text (this will be replaced with the English title) with the appropriate translation. | ||
|
||
An example of the original text may be | ||
|
||
.. code-block:: text | ||
|
||
For complete wiring instructions/diagrams, please see the :doc:`Wiring the FRC Control System Document <Wiring the FRC Control System document>`. | ||
|
||
where the ``Wiring the FRC Control System Document`` then gets translated. | ||
|
||
.. code-block:: text | ||
|
||
For complete wiring instructions/diagrams, please see the :doc:`TRANSLATED TEXT <Wiring the FRC Control System document>`. | ||
|
||
Another example is below | ||
|
||
.. code-block:: text | ||
|
||
For complete wiring instructions/diagrams, please see the :ref:`TRANSLATED TEXT <docs/zero-to-robot/step-1/how-to-wire-a-simple-robot:How to Wire an FRC Robot>` | ||
|
||
Publishing Translations | ||
----------------------- | ||
|
||
Translations are pulled from Transifex and published automatically each day. | ||
|
||
Accuracy | ||
-------- | ||
|
||
Translations should be accurate to the original text. If improvements to the English text can be made, open a PR or issue on the `frc-docs <https://github.com/wpilibsuite/frc-docs>`__ repository. These can then get translated on merge. |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,39 @@ | ||
.. include:: <isonum.txt> | ||
|
||
Developing with allwpilib | ||
========================= | ||
|
||
.. important:: This document contains information for developers *of* WPILib. This is not for programming FRC\ |reg| robots. | ||
|
||
This is a list of links to the various documentation for the `allwpilib <https://github.com/wpilibsuite/allwpilib>`__ repository. | ||
|
||
Quick Start | ||
----------- | ||
|
||
Below is a list of instructions that guide you through cloning, building, publishing and using local allwpilib binaries in a robot project. This quick start is not intended as a replacement for the information that is further listed in this document. | ||
|
||
* Clone the repository with ``git clone https://github.com/wpilibsuite/allwpilib.git`` | ||
* Build the repository with ``./gradlew build`` or ``./gradlew build --build-cache`` if you have an internet connection | ||
* Publish the artifacts locally by running ``./gradlew publish`` | ||
* `Update your robot project's <https://github.com/wpilibsuite/allwpilib/blob/main/DevelopmentBuilds.md>`__ ``build.gradle`` `to use the artifacts <https://github.com/wpilibsuite/allwpilib/blob/main/DevelopmentBuilds.md>`__ | ||
|
||
Core Repository | ||
--------------- | ||
.. toctree:: | ||
:maxdepth: 1 | ||
|
||
Overview <https://github.com/wpilibsuite/allwpilib> | ||
Styleguide & wpiformat <https://github.com/wpilibsuite/styleguide/blob/main/README.md> | ||
Building with CMake <https://github.com/wpilibsuite/allwpilib/blob/main/README-CMAKE.md> | ||
Using Development Builds <https://github.com/wpilibsuite/allwpilib/blob/main/DevelopmentBuilds.md> | ||
Maven Artifacts <https://github.com/wpilibsuite/allwpilib/blob/main/MavenArtifacts.md> | ||
Contributor Guidelines <https://github.com/wpilibsuite/allwpilib/blob/main/CONTRIBUTING.md> | ||
|
||
NetworkTables | ||
------------- | ||
|
||
.. toctree:: | ||
:maxdepth: 1 | ||
|
||
NetworkTables 4 Protocol Spec <https://github.com/wpilibsuite/allwpilib/blob/main/ntcore/doc/networktables4.adoc> | ||
NetworkTables 3 Protocol Spec <https://github.com/wpilibsuite/allwpilib/blob/main/ntcore/doc/networktables3.adoc> |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.