rspec/rules/S5860/java/rule.adoc

95 lines
2.1 KiB
Plaintext
Raw Normal View History

== Why is this an issue?
include::../description.adoc[]
=== Noncompliant code example
2021-04-28 16:49:39 +02:00
2022-02-04 17:28:24 +01:00
[source,java]
2021-04-28 16:49:39 +02:00
----
String date = "01/02";
Pattern datePattern = Pattern.compile("(?<month>[0-9]{2})/(?<year>[0-9]{2})");
Matcher dateMatcher = datePattern.matcher(date);
if (dateMatcher.matches()) {
checkValidity(dateMatcher.group(1), dateMatcher.group(2)); // Noncompliant - numbers instead of names of groups are used
checkValidity(dateMatcher.group("day")); // Noncompliant - there is no group called "day"
}
// ...
String score = "14:1";
Pattern scorePattern = Pattern.compile("(?<player1>[0-9]+):(?<player2>[0-9]+)"); // Noncompliant - named groups are never used
Matcher scoreMatcher = scorePattern.matcher(score);
if (scoreMatcher.matches()) {
checkScore(score);
}
----
=== Compliant solution
2021-04-28 16:49:39 +02:00
2022-02-04 17:28:24 +01:00
[source,java]
2021-04-28 16:49:39 +02:00
----
String date = "01/02";
Pattern datePattern = Pattern.compile("(?<month>[0-9]{2})/(?<year>[0-9]{2})");
Matcher dateMatcher = datePattern.matcher(date);
if (dateMatcher.matches()) {
checkValidity(dateMatcher.group("month"), dateMatcher.group("year"));
}
// ...
String score = "14:1";
Pattern scorePattern = Pattern.compile("(?<player1>[0-9]+):(?<player2>[0-9]+)");
Matcher scoreMatcher = scorePattern.matcher(score);
if (scoreMatcher.matches()) {
checkScore(scoreMatcher.group("player1"));
checkScore(scoreMatcher.group("player2"));
}
----
Or, using dedicated variables instead of group names:
2022-02-04 17:28:24 +01:00
[source,java]
2021-04-28 16:49:39 +02:00
----
String score = "14:1";
String player = "([0-9]+)";
String gameScore = player + ":" + player;
Pattern scorePattern = Pattern.compile(gameScore);
Matcher scoreMatcher = scorePattern.matcher(score);
if (scoreMatcher.matches()) {
checkScore(score);
}
----
ifdef::env-github,rspecator-view[]
'''
== Implementation Specification
(visible only on this page)
=== Message
* not used: Use the named groups of this regex or remove the names
* numbers are used: Directly use 'name' instead of its number
=== Highlighting
* not used: the regex
* numbers are used:
** primary: the number
** secondary: the corresponding group in the regex
endif::env-github,rspecator-view[]