बरदीर ने सही जवाब दिया, कि एक बाधा ड्रुपल 8. एक क्षेत्र में मान्यता जोड़ने के बारे में जाने का सही तरीका है। यहां एक उदाहरण है।
नीचे दिए गए उदाहरण में, मैं एक नोड प्रकार के साथ काम करूंगा podcast
, जिसमें एकल मान फ़ील्ड है field_podcast_duration
। इस फ़ील्ड के मान को HH: MM: SS (घंटे, मिनट और सेकंड) के रूप में स्वरूपित करने की आवश्यकता है।
एक बाधा बनाने के लिए, दो वर्गों को जोड़ने की आवश्यकता है। पहली बाधा परिभाषा है, और दूसरी बाधा सत्यापनकर्ता है। ये दोनों प्लगइन्स हैं, के नाम स्थान में Drupal\[MODULENAME]\Plugin\Validation\Constraint
।
सबसे पहले, बाधा परिभाषा। ध्यान दें कि प्लगइन आईडी को क्लास के एनोटेशन (कमेंट) में 'पॉडकास्ट ड्यूरेशन' के रूप में दिया गया है। इसे और नीचे उपयोग किया जाएगा।
namespace Drupal\[MODULENAME]\Plugin\Validation\Constraint;
use Symfony\Component\Validator\Constraint;
/**
* Checks that the submitted duration is of the format HH:MM:SS
*
* @Constraint(
* id = "PodcastDuration",
* label = @Translation("Podcast Duration", context = "Validation"),
* )
*/
class PodcastDurationConstraint extends Constraint {
// The message that will be shown if the format is incorrect.
public $incorrectDurationFormat = 'The duration must be in the format HH:MM:SS or HHH:MM:SS. You provided %duration';
}
अगला, हमें बाधा सत्यापनकर्ता प्रदान करने की आवश्यकता है। इस वर्ग का यह नाम ऊपर से वर्ग का नाम होगा, जिसके Validator
साथ इसे जोड़ा जाएगा:
namespace Drupal\[MODULENAME]\Plugin\Validation\Constraint;
use Symfony\Component\Validator\Constraint;
use Symfony\Component\Validator\ConstraintValidator;
/**
* Validates the PodcastDuration constraint.
*/
class PodcastDurationConstraintValidator extends ConstraintValidator {
/**
* {@inheritdoc}
*/
public function validate($items, Constraint $constraint) {
// This is a single-item field so we only need to
// validate the first item
$item = $items->first();
// If there is no value we don't need to validate anything
if (!isset($item)) {
return NULL;
}
// Check that the value is in the format HH:MM:SS
if (!preg_match('/^[0-9]{1,2}:[0-5]{1}[0-9]{1}:[0-5]{1}[0-9]{1}$/', $item->value)) {
// The value is an incorrect format, so we set a 'violation'
// aka error. The key we use for the constraint is the key
// we set in the constraint, in this case $incorrectDurationFormat.
$this->context->addViolation($constraint->incorrectDurationFormat, ['%duration' => $item->value]);
}
}
}
अंत में, हम पर हमारे बाधा उपयोग करने के लिए Drupal बताने की आवश्यकता field_podcast_duration
पर podcast
नोड प्रकार। हम इसमें करते हैं hook_entity_bundle_field_info_alter()
:
use Drupal\Core\Entity\EntityTypeInterface;
function HOOK_entity_bundle_field_info_alter(&$fields, EntityTypeInterface $entity_type, $bundle) {
if (!empty($fields['field_podcast_duration'])) {
$fields['field_podcast_duration']->addConstraint('PodcastDuration');
}
}