Extensiones de la Doctrine: Timestampable
Keep on Learning!
If you liked what you've learned so far, dive in! Subscribe to get access to this tutorial plus video, code and script downloads.
With a Subscription, click any sentence in the script to jump to that part of the video!
Login SubscribeMe gusta mucho añadir el comportamiento timestampable a mis entidades. Es cuando tienes propiedades$createdAt y $updatedAt que se establecen automáticamente. Simplemente... ayuda a llevar la cuenta de cuándo sucedieron las cosas. Hemos añadido $createdAt y lo hemos establecido inteligentemente a mano en el constructor. ¿Pero qué pasa con $updatedAt? Doctrine tiene un impresionante sistema de eventos, y podríamos engancharnos a él para ejecutar un código en la "actualización" que establezca esa propiedad. Pero hay una biblioteca que ya hace eso. Así que vamos a instalarla.
Instalación de stof/doctrine-extensions-bundle
En tu terminal, ejecuta:
composer require stof/doctrine-extensions-bundle
Esto instala un pequeño bundle, que es una envoltura de una biblioteca llamada DoctrineExtensions. Como muchos paquetes, éste incluye una receta. Pero ésta es la primera receta que proviene del repositorio "contrib". Recuerda: Symfony tiene en realidad dos repositorios de recetas. Está el principal, que está estrechamente vigilado por el equipo principal de Symfony. Luego hay otro llamado recipes-contrib. Hay algunos controles de calidad en ese repositorio, pero está mantenido por la comunidad. La primera vez que Symfony instala una receta del repositorio "contrib", te pregunta si está bien. Voy a decir p por "sí permanentemente". Luego ejecuta:
get status
¡Impresionante! Ha habilitado un bundle y ha añadido un nuevo archivo de configuración que veremos en un segundo.
Habilitación de Timestampable
Obviamente, este bundle tiene su propia documentación. Puedes buscarstof/doctrine-extensions-bundle y encontrarla en Symfony.com. Pero la mayor parte de la documentación está en la biblioteca DoctrineExtensions subyacente... que contiene un montón de comportamientos realmente interesantes, incluyendo "sluggable" y "timestampable". Vamos a añadir primero "timestampable".
Primer paso: entra en config/packages/ y abre el archivo de configuración que acaba de añadir. Aquí, añade orm porque estamos utilizando Doctrine ORM, luego default, y por último timestampable: true.
| // ... lines 1 - 2 | |
| stof_doctrine_extensions: | |
| default_locale: en_US | |
| orm: | |
| default: | |
| timestampable: true |
Esto no hará realmente nada todavía. Sólo activa un oyente de Doctrine que buscará entidades que soporten timestampable cada vez que se inserte o actualice una entidad. ¿Cómo hacemos que nuestro VinylMix admita timestampable? La forma más sencilla (y la que a mí me gusta hacer) es mediante un rasgo.
En la parte superior de la clase, di use TimestampableEntity.
| // ... lines 1 - 7 | |
| use Gedmo\Timestampable\Traits\TimestampableEntity; | |
| // ... lines 9 - 10 | |
| class VinylMix | |
| { | |
| use TimestampableEntity; | |
| // ... lines 14 - 124 | |
| } |
Eso es todo. ¡Ya hemos terminado! ¡Hora de comer!
Para entender esta magia negra, mantén pulsado "cmd" o "ctrl" y haz clic en TimestampableEntity. Esto añade dos propiedades: createdAt yupdatedAt. Y son campos normales, como el createdAt que teníamos antes. También tiene métodos getter y setter aquí abajo, igual que tenemos en nuestra entidad.
La magia es este atributo #[Gedmo\Timestampable()]. Esto dice que
esta propiedad debe establecerse
on:'update'
y
esta propiedad debe establecerse
on: 'create'.
Gracias a este rasgo, ¡obtenemos todo esto gratis! Y... ya no necesitamos nuestra propiedadcreatedAt... porque ya vive en el trait. Así que elimina la propiedad... y el constructor... y aquí abajo, elimina los métodos getter y setter ¡Limpieza!
Añadir la migración
El trait tiene una propiedad createdAt como la que teníamos antes, pero además añade un campoupdatedAt. Así que tenemos que crear una nueva migración para eso. Ya conoces el procedimiento. En tu terminal, ejecuta:
symfony console make:migration
Entonces... vamos a comprobar ese archivo... para asegurarnos de que queda como esperamos. Veamos aquí... ¡sí! Tenemos ALTER TABLE vinyl_mix ADD updated_at. Y aparentemente la columna created_at será un poco diferente a la que teníamos antes.
| // ... lines 1 - 12 | |
| final class Version20220718170826 extends AbstractMigration | |
| { | |
| // ... lines 15 - 19 | |
| public function up(Schema $schema): void | |
| { | |
| // this up() migration is auto-generated, please modify it to your needs | |
| $this->addSql('ALTER TABLE vinyl_mix ADD updated_at TIMESTAMP(0) WITHOUT TIME ZONE NOT NULL'); | |
| $this->addSql('ALTER TABLE vinyl_mix ALTER created_at TYPE TIMESTAMP(0) WITHOUT TIME ZONE'); | |
| $this->addSql('ALTER TABLE vinyl_mix ALTER created_at DROP DEFAULT'); | |
| $this->addSql('COMMENT ON COLUMN vinyl_mix.created_at IS NULL'); | |
| } | |
| // ... lines 28 - 37 | |
| } |
Cuando las migraciones fallan
Bien, vamos a ejecutarlo:
symfony console doctrine:migrations:migrate
Y... ¡falla!
[...]column "updated_at" of relation "vinyl_mix" contains null values.
Esto es un Not null violation... lo cual tiene sentido. Nuestra base de datos ya tiene un montón de registros... así que cuando intentamos añadir una nueva columna updated_at que no permite valores nulos... se vuelve loco.
Si el estado actual de nuestra base de datos ya estuviera en producción, tendríamos que ajustar esta migración para dar a la nueva columna un valor por defecto para esos registros existentes. Entonces podríamos volver a cambiarla para que no permita nulos. Para saber más sobre el manejo de migraciones fallidas, consulta un capítulo de nuestro tutorial de Doctrine de Symfony 5.
Pero como todavía no tenemos una base de datos de producción que contenga viny_mix filas, podemos tomar un atajo: eliminar la base de datos y empezar de nuevo con cero filas. Para ello, ejecuta
symfony console doctrine:database:drop --force
para eliminar completamente nuestra base de datos. Y vuelve a crearla con
symfony console doctrine:database:create
En este punto, tenemos una base de datos vacía sin tablas, incluso la tabla de migraciones ha desaparecido. Así que podemos volver a ejecutar todas nuestras migraciones desde el principio. Hazlo:
symfony console doctrine:migrations:migrate
¡Genial! Se han ejecutado tres migraciones: todas con éxito.
De vuelta a nuestro sitio, si vamos a "Examinar mezclas", está vacío... porque hemos vaciado nuestra base de datos. Así que vayamos a /mix/new para crear la mezcla ID 1... y luego refresquemos unas cuantas veces más. Ahora dirígete a /mix/7... y sube la nota, lo que actualizará eseVinylMix.
De acuerdo ¡Veamos si la marca de tiempo ha funcionado! Comprueba la base de datos ejecutando:
symfony console doctrine:query:sql 'SELECT * FROM vinyl_mix WHERE id = 7'
Y... ¡impresionante! El created_at está configurado y luego el updated_at está configurado justo unos segundos después de que hayamos votado la mezcla. Funciona. Ahora podemos añadir fácilmente timestampable a cualquier entidad nueva en el futuro, simplemente añadiendo ese rasgo.
A continuación: vamos a aprovechar otro comportamiento: sluggable. Esto nos permitirá crear URLs más elegantes guardando automáticamente una versión segura de la URL del título en una nueva propiedad.
35 Comments
Symfony 7 throws the following error on using Timestampable.
"Gedmo\Timestampable\Mapping\Event\Adapter\ORM::getRawData Value(): Argument #1 ($mapping) must be of type array, Doctrine\ORM\Mapping\FieldMapping given"
Hey @Sjoerd-N!
Hmm, yea, that makes sense. Doctrine ORM 3 just came out, and one of the biggest changes is that the mapping changed from an array to
FieldMapping. That's a nice change, but a bunch of libraries on the web are still updating to work with V3. It looks like the latest version of this library actually restricts using ORM 3 - https://github.com/doctrine-extensions/DoctrineExtensions/releases/tag/v3.15.0 - because they're not ready for it yet. But I'm not sure what the status is.So, the fix is to downgrade
doctrine/ormto^2.18in your composer.json file (or add this line if it's not there).Cheers!
great! that worked ^^
Hello,
For some reason, this is what I get in the version file
And I do not get any error message as mentioned in the exercise.
Best regards
Benoit Lorant
Hey guys!
No error? That's even better ;) Well, most probably you have a fresher Doctrine migrations package installed, or you have a fresher MariaDB server version, or even both :) I see your app was able to generate a single query migration, i.e. it's was optimized in comparison to the migration in the video. In other words, migrations might be slightly different because of different versions. So, as long as this migration works for you - that's great, you can ignore hunting about that error ;)
Cheers!
Same for me... My project ist connected to a local MariaDB, but this should not have any effect?!
Hey Remy,
I replied with my thoughts about this difference here: https://symfonycasts.com/screencast/symfony-doctrine/timestampable#comment-28049
Cheers!
It’s also a Maria DB on my side.
Benoit
If someone wants to migrate the newly generated migration without dropping the whole database, add
DEFAULT CURRENT_TIMESTAMP(0)::TIMESTAMP WITHOUT TIME ZONEin yourupdated_atcolumn's definition afterNOT NULLand running the migration should work fine.Hey Ssi-anik,
Thank you for the tip! I personally didn't try this but I'll believe you that it works :)
Cheers!
I am new to databases, so the migration failure thing did a great impression on me.
At this stage, my opinion is that
Is this sound?
Hey Francois,
Well, it may depend on the DB server you're using.
Sounds good. Though that's not necessary actually, e.g. some fields, like string, may just be an empty string. Or it may just be 0 instead of NULL, so it mostly depends on your needs.
Default value in the entity might be a good idea to avoid "field not initilized" error. Well, you can play without a default value and you will see if you get an error because of it or no.
Cheers!
Hi!
Is there a way to update the updateAt timestamp of a parent entity when only a collection of child entities is modified and not the parent entity itself ? The preUpdate Event seems not to be fired :-(
Thanks for your answer
Cyril
Finally I had to create my own trait to set the updatedAt value with PreFlush LifecycleCallback in the parent entity. It fires well the preUpdate Event but even when no change was made at all… If someone has another idea, it will be appreciated. Thanks !
hey @Cyril
It's pretty hard to get some advice without seeing how listener was implemented IIRC, you can check if there were some changes on entity, there is method on event argument to check the change set
Cheers!
Hi,
Here is my solution with an EventSubscriber. Maybe it could help someone else as it works for me.
Honestly I'm not sure about your way, I think it can be done with less code and without several
foreachblocks, as I understand the collection is some sort of One-To-Many relation, so you can just make a doctrine listener and create some sort ofParentTimeStampableInterfaceand check if persisted/updated/deleted entity is instance of this interface then simplegetParent()method to get parent entity and make your changesor maybe I'm missing something =)
Cheers.
Of course there are other ways (array_values, for example) to get the parent entity which is a bit deeply wrapped in $identityMap which is an associative array.
But anyways, I don't understand your approach as I'm not very familiar with interfaces :-(
If you ever have time to spend in it, a small example of code will be appreciated!
Thanks
Hi there,
I was trying to avoid droping the database and played around a bit. There seems to be no way to rollback a migration.
I ended up dropping my database and start from scratch... that is NO solution on production machines. There are functions (up and down) filled automaticaly with code but
how can I tell doctrine to rollback the last migration? i.e. to use the down method of the actual migration?
I tried things like
php app/console doctrine:migrations:execute YYYYMMDDHHMMSS --downbut that did not work. I got lots of errormessages like this`In ExceptionConverter.php line 87:
An exception occurred while executing a query: SQLSTATE[42P06]: Duplicate schema: 7 ERROR: schema "public" already exists`
Hey @Georg-L!
Yes, when things go wrong with migrations, life gets tricky :p. And part of that can't be avoided: if we get surprised by a failing migration when deploying, it means something unexpected happened. Then, to make matters worse, fixing it may not be as simple as running the "down" method. For example, suppose you have a migration that executes 3 SQL statements. When you run it, the 1st is successful, but the 2nd fails (and so the 3rd also didn't run). If you ran the
down()method, it will likely also fail because usually those methods try to doup()in reverse. So, for example, if the 3rd statement in up was aCREATE TABLE foo, then the 1st statement indown()will beDROP TABLE foo... which will fail, becausefoowas never created.So, as you can see - a big mess when things fail! But sometimes running down WILL help. And you DID use the correct command. My guess is that it's failing due to the reason I described above.
When this happens to me (it's rare, but bad things DO happen), I debug it by hand. There's simply no automatic way to know exactly how a migration failed (did none of the statements run successfully? Or some of them?). In this situation,
doctrine:schema:updatecan be your friend:That'll show you what is "missing" from your production database. It might be enough to execute those:
Or, more likely, I may copy those commands and "adapt" them quickly, and run them manually. For example, suppose, like in this video, I'm missing a new column that does NOT allow null... but that failed because of a not null violation. To fix this, I would copy the SQL statement from
doctrine:schema:update, change it to "YES" allow NULL temporarily, then run that. At that point, your site will probably start working again, and you can figure out your next steps. Probably you'll run some SQL to give all of the existing records some value for the column, and THEN run another SQL query to change the column from "yes" allows null to "NOT" allow null. Finally, after fixing things by hand, you may need to tell Doctrine manually that the migration that failed "did run" (since you have basically completed that migration manually) so that it won't try to run it again on the next deploy. You can do that with thedoctrine:migrations:versioncommand, followed by the version.Phew! Let me know if this helps - it is always an ugly situation when this happens!
Cheers!
Hey Rayn,
thank you so much for your answer. This is really very helpful. Yeah, failing migrations ar ugly, brrrr. I have some experience with phinx. I can tell you, that this can also be messed up, if you try hard enough ;)
So thanks to you, I have a toolset to handle these situations.
See U.
btw.
I love this course. You did a great job. Thank you.
Happy this was helpful - and thanks for the kind words ❤️
By adding that trait, are you not effectively coupling your domain to the infrastructure (beyond the necessary and forgivable attributes/annotations for mapping), which should be what you'd want to avoid doing?
Hey Michael,
Hm, maybe? That trait gives you some ready-to-use functionality. You can do it yourself, with createdAt it's pretty easy, you can set it in the constructor. With the updatedAt - a bit more complex, you need to add a listener to track when the entity is actually updated. So, at least it save your time.
Cheers!
Hello,
For some reason, I get an error while installing this bundle the error:
any help please!!
Hey JnahDev,
Did you download the course code, or are you following this tutorial on your own? It seems like your project is expecting "annotations" but in Symfony 6 those were removed and you should use PHP attributes
No I'm following the tutorial on my own, maybe I need to download the source code and continue other chapters.
Thank you MolloKhan.
yes, that's how we recommend following our tutorials, although you can do it on your own, but of course, you'll find problems like this along the way
I fixed this bug by adding annotations.yaml in config/routes, but I don't understand why this problem occurs.
After I installed Doctrine bundle I encountered this bug.
Hi I really like the automatic CreatedAt and UpdatedAt feature. I am wondering how do I change the column name that is created to store these, I'm thinking I would need to edit the file below and add the Doctrine column name property to the annotation for the protected $createdAt property?
\vendor\gedmo\doctrine-extensions\src\Timestampable\Traits\TimestampableEntity.php
Is there a more "reusable" way, that doesn't modify the file from the package?
Thank you
Mark
Hey Mark,
I'm afraid that's not possible if you use the entity trait. For that purpose, you'll have to add each property to your entity like this
I hope it helps. Cheers!
Hey!
After installing
stof/docrtine-extensions-bundleSymfony is throwing this error:Call to undefined method Doctrine\Common\Annotations\AnnotationRegistry::registerLoader(). My version of Symfony is 6.2.1.This error was fixed in version 6.2.3
Sorry for the late reply!
Hi, there seems to be a little typo : Instead of "get status" you meant "git status", correct?
Nice catch! Thank you TS
By the way, in case you're interested in helping a bit further. We have a GitHub link on each chapter script where you can submit change requests
Cheers!
"Houston: no signs of life"
Start the conversation!