Dans Drupal 7, j'utilisais hook_node_presave()
pour mettre à jour certains champs cachés dans un nœud.
function mymodule_node_presave($node){
if ( CONDITIONS ) {
$node->field_fieldname['und'][0]['value'] = importantfunction();
}
}
Dans Drupal 8 je ne peux pas faire la même chose. En regardant dans l'objet j'ai essayé ceci:
function mymodule_node_presave($node){
if ( CONDITIONS ) {
$node->values['field_fieldname'][0]['value'];
}
}
Cela ne fonctionnera pas cependant. Je suis conscient que beaucoup de choses ont changé en Drupal 8 et je l'étudie, mais je n'ai pas encore trouvé de réponse à cela.
Un peu dépassé mais toujours une excellente ressource:
http://wizzlern.nl/drupal/drupal-8-entity-cheat-sheet
Aussi la documentation sur drupal.org: https://www.drupal.org/node/1795854
En bref, les champs sont des listes d'objets qui utilisent des méthodes magiques d'accès aux propriétés et aux tableaux pour leur simplifier la lecture et l'écriture de valeurs:
// Set a value, the field class will decide what to do with it, usually write to the primary property...
$entity->field_fieldname = importantfunction();
// The default property is often called value, but for reference fields, it is target_id, text fields also have a format for example
$entity->field_fieldname->format = 'full_html';
// By default, you access delta 0, you can also set other deltas.
$entity->field_fieldname[1] = importantfunction();
// You can also append a new item, without hardcoding the delta.
$entity->field_fieldname->appendItem(importantfunction());
// Note that when accessing fields, you must always specify the property:
print $entity->field_fieldname->value;
print $entity->field_fieldname[1]->value;
// What basically happens internally for the above is:
$entity->get('field_fieldname')->get(0)->get('value')->getValue();
Probablement en retard ici, mais si quelqu'un regarde toujours:
function mymodule_entity_presave(EntityInterface $entity){
$entity->set( 'field_fieldname',importantfunction() );
}
C'est une réponse très tardive.
Avec l'interface \ Drupal\node\NodeInterface , j'utilise cet extrait pour répondre à vos besoins:
/**
* Implements hook_node_presave();
*
* @param \Drupal\node\NodeInterface $node
*/
function module_name_node_presave(\Drupal\node\NodeInterface $node) {
if($node->get('field_name')->getString() != 'search') {
$node->set('field_name', 'new field value');
}
}
Je ne sais pas si c'est une meilleure pratique, mais je suis arrivé à cette solution:
function mymodule_node_presave(EntityInterface $node){
$node->field_fieldname->set(0, importantfunction() );
}