1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
|
<?php
declare( strict_types = 1 );
namespace MediaWiki\Extension\Translate\Validation\Validators;
use InvalidArgumentException;
use MediaWiki\Extension\Translate\Validation\MessageValidator;
use MediaWiki\Extension\Translate\Validation\ValidationIssue;
use MediaWiki\Extension\Translate\Validation\ValidationIssues;
use TMessage;
/**
* Ensures that only the specified escape characters are present.
* @license GPL-2.0-or-later
* @since 2020.01
*/
class EscapeCharacterValidator implements MessageValidator {
/** @var string[] */
protected $allowedCharacters;
/** @var string */
protected $regex;
/** List of valid escape characters recognized. */
private const VALID_CHARS = [ '\t', '\n', '\\\'', '\"', '\f', '\r', '\a', '\b', '\\\\' ];
public function __construct( array $params ) {
$this->allowedCharacters = $params['values'] ?? [];
if ( $this->allowedCharacters === [] || !is_array( $this->allowedCharacters ) ) {
throw new InvalidArgumentException(
'No values provided for EscapeCharacter validator.'
);
}
$this->regex = $this->buildRegex( $this->allowedCharacters );
}
public function getIssues( TMessage $message, string $targetLanguage ): ValidationIssues {
$issues = new ValidationIssues();
$translation = $message->translation();
preg_match_all( "/$this->regex/U", $translation, $transVars );
// Check for missing variables in the translation
$params = $transVars[0];
if ( count( $params ) ) {
$messageParams = [
[ 'PARAMS', $params ],
[ 'COUNT', count( $params ) ],
[ 'PARAMS', $this->allowedCharacters ],
[ 'COUNT', count( $this->allowedCharacters ) ]
];
$issue =
new ValidationIssue(
'escape', 'invalid', 'translate-checks-escape', $messageParams
);
$issues->add( $issue );
}
return $issues;
}
private function buildRegex( array $allowedCharacters ): string {
$regex = '\\\\[^';
$prefix = '';
foreach ( $allowedCharacters as $character ) {
if ( !in_array( $character, self::VALID_CHARS ) ) {
throw new InvalidArgumentException(
"Invalid escape character encountered: $character during configuration." .
'Valid escape characters include: ' . implode( ', ', self::VALID_CHARS )
);
}
if ( $character !== '\\' ) {
$character = stripslashes( $character );
// negative look ahead, to avoid "\\ " being treated as an accidental escape
$prefix = '(?<!\\\\)';
}
// This is done because in the regex we need slashes for some characters such as
// \", \', but not for others such as \n, \t etc
$normalizedChar = addslashes( $character );
$regex .= $normalizedChar;
}
$regex .= ']';
return $prefix . $regex;
}
}
class_alias( EscapeCharacterValidator::class, '\MediaWiki\Extensions\Translate\EscapeCharacterValidator' );
|