Skip to content
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

add pmd xml driver #117

Merged
merged 4 commits into from
Jun 30, 2019
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
5 changes: 3 additions & 2 deletions diff_cover/diff_quality_tool.py
Original file line number Diff line number Diff line change
Expand Up @@ -25,7 +25,7 @@
jshint_driver, eslint_driver, pydocstyle_driver,
pycodestyle_driver)
from diff_cover.violationsreporters.java_violations_reporter import (
CheckstyleXmlDriver, checkstyle_driver, FindbugsXmlDriver)
CheckstyleXmlDriver, checkstyle_driver, FindbugsXmlDriver, PmdXmlDriver)

QUALITY_DRIVERS = {
'pycodestyle': pycodestyle_driver,
Expand All @@ -37,7 +37,8 @@
'pydocstyle': pydocstyle_driver,
'checkstyle': checkstyle_driver,
'checkstylexml': CheckstyleXmlDriver(),
'findbugs': FindbugsXmlDriver()
'findbugs': FindbugsXmlDriver(),
'pmd': PmdXmlDriver()
}

VIOLATION_CMD_HELP = "Which code quality tool to use (%s)" % "/".join(sorted(QUALITY_DRIVERS))
Expand Down
74 changes: 73 additions & 1 deletion diff_cover/tests/test_java_violations_reporter.py
Original file line number Diff line number Diff line change
Expand Up @@ -13,7 +13,7 @@
from diff_cover.violationsreporters.base import QualityReporter
from diff_cover.violationsreporters.java_violations_reporter import (
Violation, checkstyle_driver,
CheckstyleXmlDriver, FindbugsXmlDriver)
CheckstyleXmlDriver, FindbugsXmlDriver, PmdXmlDriver)


def _patch_so_all_files_exist():
Expand Down Expand Up @@ -354,3 +354,75 @@ def test_quality_pregenerated_report(self):
self.assertEqual(len(actual_violations), len(expected_violations))
for expected in expected_violations:
self.assertIn(expected, actual_violations)


class PmdXmlQualityReporterTest(unittest.TestCase):

def setUp(self):
_patch_so_all_files_exist()
# Paths generated by git_path are always the given argument
_git_path_mock = patch('diff_cover.violationsreporters.java_violations_reporter.GitPathTool').start()
_git_path_mock.relative_path = lambda path: path
_git_path_mock.absolute_path = lambda path: path

def tearDown(self):
"""
Undo all patches.
"""
patch.stopall()

def test_no_such_file(self):
quality = QualityReporter(PmdXmlDriver())

# Expect that we get no results
result = quality.violations('')
self.assertEqual(result, [])

def test_no_java_file(self):
quality = QualityReporter(PmdXmlDriver())
file_paths = ['file1.coffee', 'subdir/file2.js']
# Expect that we get no results because no Java files
for path in file_paths:
result = quality.violations(path)
self.assertEqual(result, [])

def test_quality_pregenerated_report(self):
# When the user provides us with a pre-generated findbugs report
# then use that instead of calling findbugs directly.
pmd_reports = [
BytesIO(dedent("""
<?xml version="1.0" encoding="UTF-8"?>
<pmd version="5.6.1" timestamp="2019-06-24T15:47:13.429">
<file name="path/to/file.java">
<violation beginline="21" endline="118" begincolumn="8" endcolumn="1" rule="ClassMustHaveAuthorRule" ruleset="AlibabaJavaComments" package="com.huifu.devops.application.component" class="LingeringInputFilter" priority="3">
must have @author comment
</violation>
</file>
<file name="path/to/file.java">
<violation beginline="10" endline="10" begincolumn="29" endcolumn="63" rule="AbstractMethodOrInterfaceMethodMustUseJavadocRule" ruleset="AlibabaJavaComments" package="com.huifu.devops.application.component" class="PipelineExecutionStepVoConverter" method="convert" priority="3">
interface method must include javadoc comment
</violation>
</file>
</pmd>
""").strip().encode('utf-8'))
]

pmd_xml_driver = PmdXmlDriver()
# Generate the violation report
quality = QualityReporter(pmd_xml_driver, reports=pmd_reports)

# Expect that pmd is not installed
self.assertEqual(pmd_xml_driver.installed(), False)

# Expect that we get the right violations
expected_violations = [
Violation(21, 'ClassMustHaveAuthorRule: must have @author comment'),
Violation(10, 'AbstractMethodOrInterfaceMethodMustUseJavadocRule: interface method must include javadoc comment')
]

# We're not guaranteed that the violations are returned
# in any particular order.
actual_violations = quality.violations('path/to/file.java')
self.assertEqual(len(actual_violations), len(expected_violations))
for expected in expected_violations:
self.assertIn(expected, actual_violations)
44 changes: 44 additions & 0 deletions diff_cover/violationsreporters/java_violations_reporter.py
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@
"""
from __future__ import unicode_literals

import os
from collections import defaultdict

from xml.etree import cElementTree
Expand Down Expand Up @@ -115,3 +116,46 @@ def installed(self):
Returns: boolean False: As findbugs analyses bytecode, it would be hard to run it from outside the build framework.
"""
return False


class PmdXmlDriver(QualityDriver):
def __init__(self):
"""
See super for args
"""
super(PmdXmlDriver, self).__init__(
'pmd',
['java'],
[]
)

def parse_reports(self, reports):
"""
Args:
reports: list[str] - output from the report
Return:
A dict[Str:Violation]
Violation is a simple named tuple Defined above
"""
violations_dict = defaultdict(list)
for report in reports:
xml_document = cElementTree.fromstring("".join(report))
node_files = xml_document.findall(".//file")
for node_file in node_files:
for error in node_file.findall('violation'):
line_number = error.get('beginline')
error_str = "{}: {}".format(error.get('rule'),
error.text.strip())
violation = Violation(int(line_number), error_str)
filename = GitPathTool.relative_path(node_file.get('name'))
filename = filename.replace(os.sep, "/")
violations_dict[filename].append(violation)

return violations_dict

def installed(self):
"""
Method checks if the provided tool is installed.
Returns: boolean False: As findbugs analyses bytecode, it would be hard to run it from outside the build framework.
"""
return False