Merge branch 'printer_linter' into printer_linter_auto_format

This commit is contained in:
jspijker 2022-11-21 13:13:17 +01:00
commit 4d0d9ec2dd
13 changed files with 135 additions and 136 deletions

1
.gitignore vendored
View File

@ -99,3 +99,4 @@ conanbuildinfo.txt
graph_info.json
Ultimaker-Cura.spec
.run/
/printer-linter/src/printerlinter.egg-info/

View File

@ -0,0 +1,17 @@
[project]
name = "printerlinter"
description = "Cura UltiMaker printer linting tool"
version = "0.1.0"
authors = [
{ name = "UltiMaker", email = "cura@ultimaker.com" }
]
dependencies = [
"pyyaml"
]
[project.scripts]
printer-linter = "terminal:main"
[build-system]
requires = ["setuptools"]
build-backend = "setuptools.build_meta"

10
printer-linter/setup.cfg Normal file
View File

@ -0,0 +1,10 @@
[metadata]
name = printerlinter
[options]
package_dir=
=src
packages=find:
[options.packages.find]
where=src

6
printer-linter/setup.py Normal file
View File

@ -0,0 +1,6 @@
#!/usr/bin/env python
from setuptools import setup
if __name__ == "__main__":
setup()

View File

@ -0,0 +1,7 @@
from .defintion import Definition
from .diagnostic import Diagnostic
from .factory import create
from .meshes import Meshes
from .profile import Profile
__all__ = ["Profile", "Definition", "Meshes", "Diagnostic", "create"]

View File

@ -1,7 +1,9 @@
import json
import re
from pathlib import Path
from .diagnostic import Diagnostic
from .replacement import Replacement
class Definition:
@ -11,6 +13,8 @@ class Definition:
self._defs = {}
self._getDefs(file)
self._content = self._file.read_text()
settings = {}
for k, v in self._defs["fdmprinter"]["settings"].items():
self._getSetting(k, v, settings)
@ -32,24 +36,25 @@ class Definition:
definition_name = list(self._defs.keys())[0]
definition = self._defs[definition_name]
if "overrides" in definition and definition_name != "fdmprinter":
keys = list(definition["overrides"].keys())
for key, value_dict in definition["overrides"].items():
is_redefined, value, parent = self._isDefinedInParent(key, value_dict, definition['inherits'])
if is_redefined:
termination_key = keys.index(key) + 1
if termination_key >= len(keys):
# FIXME: find the correct end sequence for now assume it is on the same line
termination_seq = None
else:
termination_seq = keys[termination_key]
yield Diagnostic("diagnostic-definition-redundant-override",
f"Overriding **{key}** with the same value (**{value}**) as defined in parent definition: **{definition['inherits']}**",
self._file,
key,
termination_seq)
redefined = re.compile(r'.*(\"' + key + r'\"[\s\S]*?\{)[\s\S]*?(\}[,\"]?)')
found = redefined.search(self._content)
yield Diagnostic(
file = self._file,
diagnostic_name = "diagnostic-definition-redundant-override",
message = f"Overriding {key} with the same value ({value}) as defined in parent definition: {definition['inherits']}",
level = "Warning",
offset = found.span(0)[0],
replacements = [Replacement(
file = self._file,
offset = found.span(1)[0],
length = found.span(2)[1] - found.span(1)[0],
replacement_text = "")]
)
def checkValueOutOfBounds(self):
pass
def _getSetting(self, name, setting, settings):

View File

@ -0,0 +1,20 @@
class Diagnostic:
def __init__(self, file, diagnostic_name, message, level, offset, replacements=None):
self.file = file
self.diagnostic_name = diagnostic_name
self.message = message
self.offset = offset
self.level = level
self.replacements = replacements
def toDict(self):
diagnostic_dict = {"DiagnosticName": self.diagnostic_name,
"DiagnosticMessage": {
"Message": self.message,
"FilePath": self.file.as_posix(),
"FileOffset": self.offset,
"Replacements": [] if self.replacements is None else [r.toDict() for r in self.replacements],
},
"Level": self.level
}
return diagnostic_dict

View File

@ -1,9 +1,6 @@
from .defintion import Definition
from .diagnostic import Diagnostic
from .meshes import Meshes
from .profile import Profile
__all__ = ["Profile", "Definition", "Meshes", "Diagnostic", "create"]
from .defintion import Definition
from .meshes import Meshes
def create(file, settings):
@ -17,4 +14,4 @@ def create(file, settings):
return Definition(file, settings)
if file.parent.stem == "meshes":
return Meshes(file, settings)
return None
return None

View File

@ -20,15 +20,22 @@ class Meshes:
def checkFileFormat(self):
if self._file.suffix.lower() not in (".3mf", ".obj", ".stl"):
yield Diagnostic("diagnostic-mesh-file-extension",
f"Extension **{self._file.suffix}** not supported, use **3mf**, **obj** or **stl**",
self._file)
yield Diagnostic(
file = self._file,
diagnostic_name = "diagnostic-mesh-file-extension",
message = f"Extension {self._file.suffix} not supported, use 3mf, obj or stl",
level = "Error",
offset = 1
)
yield
def checkFileSize(self):
if self._file.stat().st_size > self._max_file_size:
yield Diagnostic("diagnostic-mesh-file-size",
f"Mesh file with a size **{self._file.stat().st_size}** is bigger then allowed maximum of **{self._max_file_size}**",
self._file)
yield Diagnostic(
file = self._file,
diagnostic_name = "diagnostic-mesh-file-size",
message = f"Mesh file with a size {self._file.stat().st_size} is bigger then allowed maximum of {self._max_file_size}",
level = "Error",
offset = 1
)
yield

View File

@ -0,0 +1,12 @@
class Replacement:
def __init__(self, file, offset, length, replacement_text):
self.file = file
self.offset = offset
self.length = length
self.replacement_text = replacement_text
def toDict(self):
return {"FilePath": self.file.as_posix(),
"Offset": self.offset,
"Length": self.length,
"ReplacementText": self.replacement_text}

View File

@ -8,22 +8,17 @@ from pathlib import Path
import yaml
from tidy import create
from printerlinter import factory
def examineFile(file, settings):
patient = create(file, settings)
def examineFile(file, settings, full_body_check):
patient = factory.create(file, settings)
if patient is None:
return {}
return
full_body_check = {f"{file.as_posix()}": []}
for diagnostic in patient.check():
if diagnostic:
full_body_check[f"{file.as_posix()}"].append(diagnostic.toDict())
if len(full_body_check[f"{file.as_posix()}"]) == 0:
del full_body_check[f"{file.as_posix()}"]
return full_body_check
full_body_check["Diagnostics"].append(diagnostic.toDict())
def fixFile(file, settings, full_body_check):
@ -72,7 +67,24 @@ def formatFile(file: Path, settings):
config.write(f, space_around_delimiters=settings["format"].get("format-profile-space-around-delimiters", True))
def main(files, setting_path, to_format, to_fix, to_diagnose, report):
def main():
parser = ArgumentParser(
description="UltiMaker Cura printer linting, static analysis and formatting of Cura printer definitions and other resources")
parser.add_argument("--setting", required=False, type=Path, help="Path to the `.printer-linter` setting file")
parser.add_argument("--report", required=False, type=Path, help="Path where the diagnostic report should be stored")
parser.add_argument("--format", action="store_true", help="Format the files")
parser.add_argument("--diagnose", action="store_true", help="Diagnose the files")
parser.add_argument("--fix", action="store_true", help="Attempt to apply the suggested fixes on the files")
parser.add_argument("Files", metavar="F", type=Path, nargs="+", help="Files or directories to format")
args = parser.parse_args()
files = args.Files
setting_path = args.setting
to_format = args.format
to_fix = args.fix
to_diagnose = args.diagnose
report = args.report
if not setting_path:
setting_path = Path(getcwd(), ".printer-linter")
@ -84,13 +96,13 @@ def main(files, setting_path, to_format, to_fix, to_diagnose, report):
settings = yaml.load(f, yaml.FullLoader)
if to_fix or to_diagnose:
full_body_check = {}
full_body_check = {"Diagnostics": []}
for file in files:
if file.is_dir():
for fp in file.rglob("**/*"):
full_body_check |= examineFile(fp, settings)
examineFile(fp, settings, full_body_check)
else:
full_body_check |= examineFile(file, settings)
examineFile(file, settings, full_body_check)
results = yaml.dump(full_body_check, default_flow_style=False, indent=4, width=240)
if report:
@ -118,14 +130,4 @@ def main(files, setting_path, to_format, to_fix, to_diagnose, report):
if __name__ == "__main__":
parser = ArgumentParser(
description="UltiMaker Cura printer linting, static analysis and formatting of Cura printer definitions and other resources")
parser.add_argument("--setting", required=False, type=Path, help="Path to the `.printer-linter` setting file")
parser.add_argument("--report", required=False, type=Path, help="Path where the diagnostic report should be stored")
parser.add_argument("--format", action="store_true", help="Format the files")
parser.add_argument("--diagnose", action="store_true", help="Diagnose the files")
parser.add_argument("--fix", action="store_true", help="Attempt to apply the suggested fixes on the files")
parser.add_argument("Files", metavar="F", type=Path, nargs="+", help="Files or directories to format")
args = parser.parse_args()
main(args.Files, args.setting, args.format, args.fix, args.diagnose, args.report)
main()

View File

@ -1,85 +0,0 @@
class Diagnostic:
def __init__(self, illness, msg, file, key=None, termination_seq=None):
self.illness = illness
self.key = key
self.msg = msg
self.file = file
self._lines = None
self._location = None
self._fix = None
self._content_block = None
self._termination_seq = termination_seq
@property
def location(self):
if self._location:
return self._location
if not self._lines:
with open(self.file, "r") as f:
if not self.is_text_file:
self._fix = ""
return self._fix
self._lines = f.readlines()
start_location = {"col": 1, "line": 1}
end_location = {"col": len(self._lines[-1]) + 1, "line": len(self._lines) + 1}
if self.key is not None:
for lino, line in enumerate(self._lines, 1):
if f'"{self.key}":' in line:
col = line.index(f'"{self.key}":') + 1
start_location = {"col": col, "line": lino}
if self._termination_seq is None:
end_location = {"col": len(line) + 1, "line": lino}
break
if f'"{self._termination_seq}":' in line:
col = line.index(f'"{self._termination_seq}":') + 1
end_location = {"col": col, "line": lino}
self._location = {"start": start_location, "end": end_location}
return self._location
@property
def is_text_file(self):
return self.file.name.split(".", maxsplit=1)[-1] in ("def.json", "inst.cfg")
@property
def content_block(self):
if self._content_block:
return self._content_block
if not self._lines:
if not self.is_text_file:
self._fix = ""
return self._fix
with open(self.file, "r") as f:
self._lines = f.readlines()
start_line = self.location["start"]["line"] - 1
end_line = self.location["end"]["line"] - 1
self._content_block = "\n".join(self._lines[start_line:end_line])
return self._content_block
@property
def fix(self):
if self._fix:
return self._fix
if not self._lines:
if not self.is_text_file:
self._fix = ""
return self._fix
with open(self.file, "r") as f:
self._lines = f.readlines()
start_line = self.location["start"]["line"] - 2
start_col = 0
end_line = self.location["end"]["line"] - 1
end_col = len(self._lines[start_line:end_line - 1]) + self.location["start"]["col"] - 4 # TODO: double check if 4 holds in all instances
self._fix = self.content_block[start_col:end_col]
return self._fix
def toDict(self):
diagnostic_dict = {"diagnostic": self.illness, "message": self.msg}
if self.is_text_file:
diagnostic_dict |= {"fix": self.fix, "lino": self.location, "content": self.content_block}
return diagnostic_dict