Skip to content

Commit 4c36e7a

Browse files
First working version with an example
1 parent 4d865fd commit 4c36e7a

9 files changed

+226
-8
lines changed

.flake8

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
[flake8]
2+
ignore =
3+
E203, W503, # Incompatible with black see https://github.com/ambv/black/issues/315
4+
5+
max-line-length=88

.pre-commit-config.yaml

+11-2
Original file line numberDiff line numberDiff line change
@@ -9,8 +9,17 @@ repos:
99
- id: detect-private-key
1010
- id: end-of-file-fixer
1111
- id: name-tests-test
12-
- id: requirements-txt-fixer
1312
- id: trailing-whitespace
13+
- repo: https://github.com/myint/autoflake
14+
rev: v1.4
15+
hooks:
16+
- id: autoflake
17+
args:
18+
- --in-place
19+
- --remove-all-unused-imports
20+
- --expand-star-imports
21+
- --remove-duplicate-keys
22+
- --remove-unused-variables
1423
- repo: 'https://github.com/pycqa/isort'
1524
rev: 5.10.1
1625
hooks:
@@ -43,5 +52,5 @@ repos:
4352
entry: pylint
4453
language: system
4554
types: [python]
46-
args: ["-rn", "-sn", "--fail-on=I"]
55+
args: ["-rn", "-sn", "--fail-on=I", "--disable=C0111"]
4756
exclude: "setup.py"

README.md

+39
Original file line numberDiff line numberDiff line change
@@ -19,3 +19,42 @@ pip install pycrobit
1919
```
2020

2121
Or download ``pycrobit.py`` for offline use.
22+
23+
## Example of use
24+
25+
```python
26+
from pycrobit import Pycrobit
27+
from colorama import Fore
28+
29+
all_lit = """
30+
*****
31+
*****
32+
*****
33+
*****
34+
*****
35+
"""
36+
all_off = """
37+
.....
38+
.....
39+
.....
40+
.....
41+
....."""
42+
43+
44+
pycrobit = Pycrobit(framerate=0.50)
45+
while True:
46+
pycrobit.display(all_lit) # Lit red by default
47+
pycrobit.display(all_off)
48+
pycrobit.display(all_lit, {"*": Fore.YELLOW})
49+
pycrobit.display(all_off)
50+
pycrobit.display(all_lit, {"*": Fore.GREEN})
51+
pycrobit.display(all_off)
52+
pycrobit.display("*.*.*\n" * 5)
53+
pycrobit.wait(-0.25)
54+
pycrobit.display("\n".join(".***." * 5))
55+
pycrobit.wait(-0.25)
56+
```
57+
58+
# TODO
59+
60+
Version without using colorama for when you can't install colorama easily.

pycrobit.py

+77-1
Original file line numberDiff line numberDiff line change
@@ -2,4 +2,80 @@
22
Recycle microbits exercises in python using 5 * 5 strings and some coloring.
33
"""
44

5-
TODO = 42
5+
__all__ = ["Pycrobit", "DEFAULT_COLOR_MAP"]
6+
7+
import os
8+
import time
9+
from typing import Dict
10+
11+
from colorama import Fore, init
12+
from colorama.ansi import AnsiFore
13+
14+
init()
15+
COLORAMA_AVAILABLE = True
16+
DEFAULT_COLOR_MAP = {".": "", "*": Fore.RED}
17+
ColorMap = Dict[str, AnsiFore]
18+
19+
20+
def validate_pycrobit_str(pycrobit_string: str) -> None:
21+
"""Validate that the pycrobit string is correct."""
22+
strip_line_feed = pycrobit_string.strip("\n ")
23+
lines = strip_line_feed.split("\n")
24+
assert len(lines) == 5, f"We expected 5 lines in the string and got {lines} "
25+
for i, line in enumerate(lines):
26+
stripped_line = line.strip(" ")
27+
if len(stripped_line) != 5:
28+
raise ValueError(
29+
f"We expected 5 characters on line n°{i+1} and got "
30+
f"{len(stripped_line)} ({stripped_line})"
31+
)
32+
33+
34+
def validate_color_map(color_map: ColorMap) -> None:
35+
"""Validate that the color map is correct."""
36+
for character, color in color_map.items():
37+
if not isinstance(color, str):
38+
msg = f"The color '{color}' for '{character}' is invalid."
39+
raise ValueError(msg)
40+
41+
42+
def clear_terminal() -> None:
43+
"""Clear the terminal (refresh the screen)."""
44+
os.system("cls" if os.name == "nt" else "clear")
45+
46+
47+
def colorize(pycrobit_string: str, color_map: ColorMap) -> str:
48+
"""Colorize a string to be displayed in terminal."""
49+
validate_pycrobit_str(pycrobit_string)
50+
validate_color_map(color_map)
51+
return "".join(f"{color_map.get(px, '')}{px}{Fore.RESET}" for px in pycrobit_string)
52+
53+
54+
class Pycrobit:
55+
56+
"""A context manager that act similarly as a microbit but in Python."""
57+
58+
DEFAULT_FRAMERATE_SECOND = 1.0
59+
60+
def __init__(self, framerate=DEFAULT_FRAMERATE_SECOND):
61+
# No delay for the first display
62+
self.framerate = framerate
63+
self._switch_frame_after = 0
64+
65+
def wait(self, time_to_wait: float = 0.0):
66+
"""Wait for an additional 'time_to_wait'.
67+
68+
It can be negative to accelerate the framerate."""
69+
if self._switch_frame_after + time_to_wait < 0:
70+
raise ValueError("pycrobit was asked to wait for a negative time.")
71+
self._switch_frame_after += time_to_wait
72+
73+
def display(self, pycrobit_string: str, color_map: ColorMap = None):
74+
"""Display the string"""
75+
# print(f"entering {pycrobit_string}")
76+
clear_terminal()
77+
if color_map is None:
78+
color_map = DEFAULT_COLOR_MAP
79+
print(colorize(pycrobit_string, color_map))
80+
time.sleep(self._switch_frame_after)
81+
self._switch_frame_after = self.framerate

setup.cfg

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[metadata]
22
name = pycrobit
3-
version = 0.0.1
3+
version = 0.1.0
44
description = Recycle microbits exercises in python using 5 * 5 strings and some coloring
55
long_description = file: README.md
66
long_description_content_type = text/markdown

tests/conftest.py

+44
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
import pytest
2+
3+
4+
@pytest.fixture()
5+
def off():
6+
return """\
7+
.....
8+
.....
9+
.....
10+
.....
11+
....."""
12+
13+
14+
@pytest.fixture()
15+
def lit():
16+
return """
17+
*****
18+
*****
19+
*****
20+
*****
21+
*****
22+
"""
23+
24+
25+
@pytest.fixture()
26+
def diagonal():
27+
return """
28+
.****
29+
*.***
30+
**.**
31+
***.*
32+
****.
33+
"""
34+
35+
36+
@pytest.fixture()
37+
def invalid():
38+
return """
39+
.***
40+
*.***
41+
*.**
42+
***.*
43+
***.
44+
"""

tests/pycrobit_colormap_test.py

+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
import pytest
2+
from colorama import Fore
3+
4+
from pycrobit import validate_color_map
5+
6+
7+
def test_colormap():
8+
with pytest.raises(ValueError, match="color '1' for 'x'"):
9+
validate_color_map({"x": 1})
10+
validate_color_map({"x": Fore.RED})

tests/pycrobit_string_test.py

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
import pytest
2+
3+
from pycrobit import validate_pycrobit_str
4+
5+
6+
def test_pycrobit_string():
7+
validate_pycrobit_str(
8+
"""
9+
12345
10+
12345
11+
12345
12+
12345
13+
12345
14+
"""
15+
)
16+
with pytest.raises(ValueError, match="expected 5 characters on line n°3"):
17+
validate_pycrobit_str(
18+
"""
19+
12345
20+
12345
21+
1234
22+
12345
23+
12345
24+
"""
25+
)

tests/pycrobit_test.py

+14-4
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,18 @@
11
"""Basic tests for pycrobit."""
2+
import pytest
3+
from colorama import Fore
24

3-
from pycrobit import TODO
5+
from pycrobit import Pycrobit
46

57

6-
def test_todo():
7-
"""TODO"""
8-
assert TODO
8+
def test_todo(lit, capsys):
9+
pycrobit = Pycrobit(framerate=0.0001)
10+
pycrobit.display(lit)
11+
pycrobit.display(lit, {"*": Fore.YELLOW})
12+
pycrobit.wait(0.002)
13+
pycrobit.display(lit, {"*": Fore.GREEN})
14+
out, err = capsys.readouterr()
15+
assert not err
16+
assert "[33m*\x1b[39m\n" in out
17+
with pytest.raises(ValueError, match="asked to wait for a negative time"):
18+
pycrobit.wait(-1.0)

0 commit comments

Comments
 (0)