Customizing display logic for annotations
Sometimes it’s useful to extend your PDFs with some interaction and functionality. Even though PDFs are quite limited in this regard, Nutrient enables you to extend your PDFs with your own JavaScript code.
Typically, when you customize PDFs dynamically, it involves adding annotations. This allows you to enrich your PDFs with text, images, shapes, and more.
State in annotations
It’s also possible to store custom data in a PDF’s annotations. This lets you initialize your application with the annotation’s data when the PDF is loaded, modify the data while people interact with your PDF, and persist the modified data on the server.
Let’s say you want your annotations to not appear immediately when a PDF is loaded, but rather each one should show up after a certain amount of time. You could set this delay as custom data on each of your annotations and hide it initially:
const delayedAnnotation = annotation  .set("customData", {    appearAfter: Math.random() * 5000  })  .set("opacity", 0);
instance.update(delayedAnnotation);At some point in time, when you decide to reveal your annotations, read the custom data again:
const annotations = await instance.getAnnotations(0);
annotations.forEach(annotation => {  const customData = annotation.get("customData");
  if (!customData || !customData.appearAfter) {    return;  }
  setTimeout(() => {    const visibleAnnotation = annotation.set("opacity", 1);    instance.update(visibleAnnotation);  }, customData.appearAfter);});Here, each annotation appears with the delay that was specified in customData.appearAfter.
What you decide to pass to customData is completely up to you; just make sure the value is JSON-serializable, as the data will be serialized when it gets persisted. In particular, be aware that a Date will get converted to a String and will stay a String when the data is loaded again.
Annotations for different users
A more commonplace example might be that you only want to show certain annotations to certain users. You could achieve this by specifying the user roles in the annotation’s custom data:
const delayedAnnotation = annotation  .set("customData", {    forUserRoles: ["manager", "editor"]  })  .set("opacity", 0);
instance.update(delayedAnnotation);When you display your annotations, it’s possible to filter them by your user’s role:
const annotations = await instance.getAnnotations(0);
annotations.forEach(annotation => {  const customData = annotation.get("customData");
  if (!customData || !customData.forUserRoles) {    return;  }
  if (customData.forUserRoles.includes(currentUser.role)) {    instance.update(annotation.set("opacity", 1));  }});Now an annotation will only be displayed when its forUserRoles array contains the role of the currentUser.
 
  
  
  
 