Para Drupal 8, pude agregar una función de validación personalizada que en realidad puede examinar los errores existentes y cambiar el marcado de los errores según cada caso. En mi caso, quería alterar el mensaje de error de un campo entity_autocomplete que hacía referencia a los usuarios. Si se agregó un usuario no válido, el error de validación decía: "No hay entidades que coincidan con% name". En lugar de la palabra "entidades", quería que dijera "usuarios", para ser menos aterrador y potencialmente confuso para los usuarios.
Primero, uso hook_form_alter () para agregar mi función de validación:
/**
* Implements hook_form_alter().
*/
function my_module_form_alter(&$form, FormStateInterface $form_state, $form_id) {
if (in_array($form_id, ['whatever_form_id_you_need_to_alter'])) {
// Add entity autocomplete custom form validation messages alter.
array_unshift($form['#validate'], 'my_module_custom_user_validate');
}
Luego, en la función 'my_module_custom_user_validate':
/**
* Custom form validation handler that alters default validation.
* @param $form
* @param \Drupal\Core\Form\FormStateInterface $form_state
*/
function my_module_custom_user_validate(&$form, FormStateInterface $form_state) {
// Check for any errors on the form_state
$errors = $form_state->getErrors();
if ($errors) {
foreach ($errors as $error_key => $error_val) {
// Check to see if the error is related to the desired field:
if (strpos($error_key, 'the_entity_reference_field_machine_name') !== FALSE) {
// Check for the word 'entities', which I want to replace
if (strpos($error_val->getUntranslatedString(), 'entities') == TRUE) {
// Get the original args to pass into the new message
$original_args = $error_val->getArguments();
// Re-construct the error
$error_val->__construct("There are no users matching the name %value", $original_args);
}
}
}
}
}
¡Espero que esto ayude!