diff --git a/.gitignore b/.gitignore
index 6949b541ba08bc0c927e84c2093e565ca6e1197e..30e60b494b92d02b4c5f534ee61b480806e6065c 100644
--- a/.gitignore
+++ b/.gitignore
@@ -19,4 +19,7 @@ cern.notifications.privatekey.pem
 
 # SMIME Cert
 notifications-noreply-key.pem
-notifications-noreply.pem
\ No newline at end of file
+notifications-noreply.pem
+
+# DB dump
+scripts/dump.sql
diff --git a/Makefile b/Makefile
index d8925b8c3dc613a5a74bda36378974d5935c3d36..2857a649deb82c344ea4c3e87a8f2b38e6c74902 100644
--- a/Makefile
+++ b/Makefile
@@ -10,7 +10,7 @@
 ## make ci-test             # runs tests inside docker
 ## make docker-build-env    # run docker-compose: creates images, containers, volumes and start the consumer
 ## make docker-rebuild-env  # force create of docker environment
-## make docker-shell-env    # bash the main container
+## make shell-env    # bash the main container
 ## make stop-test           # stops containers, networks, images, and volume
 ## make docker-send-email   # send a email notification to activeMQ
 ## make docker-run          # run a consumer
@@ -69,9 +69,9 @@ docker-rebuild-env:
 	docker-compose up --force-recreate --remove-orphans
 .PHONY: docker-rebuild-env
 
-docker-shell-env:
+shell-env:
 	docker-compose exec notifications-consumer /bin/bash
-.PHONY: docker-shell-env
+.PHONY: shell-env
 
 stop:
 	docker-compose down --volumes
@@ -93,3 +93,7 @@ docker-send-email-gateway:
 docker-run:
 	python -m notifications_consumer
 .PHONY: docker-run
+
+dbdump:
+	pg_dump -h dbod-pnsdev.cern.ch -p 6602 -U admin push_dev --column-inserts > scripts/dump.sql
+.PHONY: dbdump
diff --git a/notifications_consumer/processors/email_gateway/processor.py b/notifications_consumer/processors/email_gateway/processor.py
index 7fb386035b6c8913d23d5d9bc22f18e082c73c2e..bd1b66d36861e9ec39107675f33353597ee454dd 100644
--- a/notifications_consumer/processors/email_gateway/processor.py
+++ b/notifications_consumer/processors/email_gateway/processor.py
@@ -7,6 +7,7 @@ import requests
 
 from notifications_consumer.config import Config
 from notifications_consumer.data_source.data_source import DataSource
+from notifications_consumer.exceptions import NotFoundDataSourceError
 from notifications_consumer.processors.email_gateway.utils import validate_email_recipient_format
 from notifications_consumer.processors.processor import Processor
 from notifications_consumer.processors.registry import ProcessorRegistry
@@ -38,20 +39,25 @@ class MailGatewayProcessor(Processor):
         logging.debug("%s - status:running - kwargs:%r", self, kwargs)
 
         recipient_email = kwargs["to"]
+        sender = kwargs["sender"]
+        listid = kwargs.get("listid", None)
 
         match_format = validate_email_recipient_format(recipient_email)
-
         if not match_format:
             error_message = f"Wrong format of recipient: <{recipient_email}>"
             logging.info(error_message)
-            return self.handle_message_error(error_message, None, None, kwargs)
+            return self.handle_message_error(error_message, None, sender, None, kwargs)
 
         channel_slug = match_format[2]
         priority = match_format[3]
-        sender = kwargs["sender"]
-        listid = kwargs.get("listid", None)
 
-        channel = self.data_source.get_channel(channel_slug)
+        try:
+            channel = self.data_source.get_channel(channel_slug)
+        except NotFoundDataSourceError:
+            error_message = f"Not Found: Message from sender <{sender}> to unknown channel <{channel_slug}>"
+            logging.info(error_message)
+            return self.handle_message_error(error_message, channel_slug, sender, None, kwargs)
+
         owner_email = channel[DataSource.OWNER_EMAIL]
         channel_id = channel[DataSource.ID]
 
@@ -59,12 +65,12 @@ class MailGatewayProcessor(Processor):
         if not self.data_source.can_send_to_channel(channel_id, sender, listid):
             error_message = f"Forbidden: Unauthorised message from sender <{sender}> to channel <{channel_slug}>"
             logging.info(error_message)
-            return self.handle_message_error(error_message, channel_slug, owner_email, kwargs)
+            return self.handle_message_error(error_message, channel_slug, owner_email, channel_id, kwargs)
 
         if priority.lower() == Config.CRITICAL_PRIORITY:
             error_message = f"Forbidden: Critical priority isn't enabled for channel <{channel_slug}>"
             logging.info(error_message)
-            return self.handle_message_error(error_message, channel_slug, owner_email, kwargs)
+            return self.handle_message_error(error_message, channel_slug, owner_email, channel_id, kwargs)
 
         subject = kwargs["subject"]
         content = kwargs["content"]
@@ -76,7 +82,7 @@ class MailGatewayProcessor(Processor):
             )
             logging.error(error_message)
             logging.error(response.text)
-            self.handle_message_error(error_message, channel_slug, owner_email, kwargs)
+            self.handle_message_error(error_message, channel_slug, owner_email, channel_id, kwargs)
 
     @staticmethod
     def send_notification(content, subject, channel_id, priority, sender):
@@ -94,7 +100,7 @@ class MailGatewayProcessor(Processor):
             Config.SEND_NOTIFICATION_BACKEND_URL, json=message, verify=Config.SEND_NOTIFICATION_BACKEND_URL_VERIFY
         )
 
-    def handle_message_error(self, error_message, channel, mail, kwargs):
+    def handle_message_error(self, error_message, channel, mail, channel_id, kwargs):
         """Publish Error Message to Dead Letter Queue."""
         message_body = {
             "sender": kwargs["sender"],
@@ -103,7 +109,13 @@ class MailGatewayProcessor(Processor):
             "to": kwargs["to"],
         }
         message = json.dumps(
-            {"error": error_message, "channel": channel, "channel_owner": mail, "message": message_body}
+            {
+                "error": error_message,
+                "channel": channel,
+                "channel_id": channel_id,
+                "channel_owner": mail,
+                "message": message_body,
+            }
         )
 
         self.publisher.send(
diff --git a/notifications_consumer/processors/email_gateway_failure/processor.py b/notifications_consumer/processors/email_gateway_failure/processor.py
index dbf2d462f8b0f708a86b88b8fa7ff92071fb7e24..541f8496836d9e99af55f7c4450de2ddf59db595 100644
--- a/notifications_consumer/processors/email_gateway_failure/processor.py
+++ b/notifications_consumer/processors/email_gateway_failure/processor.py
@@ -52,15 +52,15 @@ class EmailGatewayFailureProcessor(Processor):
     def __process_manually_sent_error(self, message_object):
         """Process Messages Sent Manually to DLQ."""
         channel_owner = message_object.get("channel_owner")
-        channel = message_object.get("channel")
         message = message_object.get("message")
+        channel_id = message_object.get("channel_id")
 
         if channel_owner is not None:
-            return self.__send_notification_email(channel_owner, message, message_object["error"], channel)
+            return self.__send_notification_email(channel_owner, message, message_object["error"], channel_id)
 
         sender = None if message is None else message.get("sender")
         if sender is not None:
-            return self.__send_notification_email(sender, message, message_object["error"])
+            return self.__send_notification_email(sender, message, message_object["error"], channel_id)
 
         raise Exception(f"Missing message originator <{self}>(process_manually_sent_error): {message_object}")
 
@@ -74,8 +74,9 @@ class EmailGatewayFailureProcessor(Processor):
             try:
                 channel = self.data_source.get_channel(channel_slug)
                 channel_mail = channel[DataSource.INCOMING_EMAIL]
+                channel_id = channel[DataSource.ID]
 
-                return self.__send_notification_email(channel_mail, message_object, error, channel_slug)
+                return self.__send_notification_email(channel_mail, message_object, error, channel_id)
             except NotFoundDataSourceError:
                 error = f"Bad Request: Channel {channel_slug} not found"
                 logging.info("Channel not found %s", channel_slug)
@@ -88,7 +89,7 @@ class EmailGatewayFailureProcessor(Processor):
 
         raise Exception(f"Error While Processing <{self}>: {message_object}")
 
-    def __send_notification_email(self, recipient_email, message, error, channel=None):
+    def __send_notification_email(self, recipient_email, message, error, channel_id=None):
         """Send Notification Error Email."""
         logging.debug("Sending Failure Notification to %s", recipient_email)
         subject = f"[{Config.SERVICE_NAME}] Email Gateway Notification Failure"
@@ -104,8 +105,8 @@ class EmailGatewayFailureProcessor(Processor):
             "email_gateway_address": Config.EMAIL_GATEWAY_ADDRESS,
             "recipient_email": message["to"],
         }
-        if channel:
-            context["channel"] = channel
+        if channel_id:
+            context["channel_id"] = channel_id
 
         email = create_email([recipient_email], subject, text_template, html_template, context, True)
 
diff --git a/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.html b/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.html
index 804e073c6f2155a4e7b16e7383aa3edcf9c16ed2..edf4ae379137576be49dc2da98df5adb2a98c765 100644
--- a/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.html
+++ b/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.html
@@ -6,19 +6,19 @@
     <td>
       <p>An error occured while processing an incoming email.</p>
       <p><b>Error:</b> {{ error }}</p>
-      {% if channel %}
+      {% if channel_id %}
         <p>
           You may manage your channel's Incoming e-mail address through the
-          <a href="{{ base_url }}/channels/{{ channel }}">Notifications Portal</a>
+          <a href="{{ base_url }}/channels/{{ channel_id }}">Notifications Portal</a>
           verify you're sending to the correct email address "{{ email_gateway_address }}+&lt;channel-slug&gt;+&lt;level&gt;@cern.ch"
-          or open a ticket through the <a href="https://cern.service-now.com/service-portal">Service Portal</a>.
+          or open a ticket through the <a href="https://cern.service-now.com/service-portal?id=sc_cat_item&name=incident&se=notifications-service">Service Portal</a>.
         </p>
       {% else %}
         <p>
           Please verify your channels' Incoming e-mail address through the
           <a href="{{ base_url }}/#manage">Notifications Portal</a>,
           verify you're sending to the correct email address "{{ email_gateway_address }}+&lt;channel-slug&gt;+&lt;level&gt;@cern.ch"
-          or open a ticket through the <a href="https://cern.service-now.com/service-portal">Service Portal</a>.
+          or open a ticket through the <a href="https://cern.service-now.com/service-portal?id=sc_cat_item&name=incident&se=notifications-service">Service Portal</a>.
         </p>
       {% endif %}
     </td>
diff --git a/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.txt b/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.txt
index 06d10d115136641d560386d0bea02c924df30a44..1aeaa48f8e2fa18dd94e964e7241775fdcf14b4f 100644
--- a/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.txt
+++ b/notifications_consumer/processors/email_gateway_failure/templates/simple_notification.txt
@@ -6,6 +6,7 @@ To: {{ to }}
 Subject: {{ subject }}
 Content:
 {{ message_body }}
+Channel: {{ channel_id }}
 
 -----
 This notification has been sent by CERN Notifications.
diff --git a/scripts/activemq_messages/mail_gateway_failure_error.json b/scripts/activemq_messages/mail_gateway_failure_error.json
index d2b04e74a74e5bb27847d4190408409f89b1298e..1c1dc9b6f37de6f95098df100429327629be676a 100644
--- a/scripts/activemq_messages/mail_gateway_failure_error.json
+++ b/scripts/activemq_messages/mail_gateway_failure_error.json
@@ -2,6 +2,7 @@
     "channel_owner": "user@cern.ch",
     "channel": "cern-news",
     "error": "Forbidden: Unauthorised message from sender <noreply1@cern.ch> to channel <cern-news>",
+    "channel_id": "a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce",
     "message": {
         "sender": "noreply1@cern.ch",
         "subject": "This week news!",
diff --git a/scripts/activemq_messages/mail_gateway_failure_error_unknown_channel.json b/scripts/activemq_messages/mail_gateway_failure_error_unknown_channel.json
new file mode 100644
index 0000000000000000000000000000000000000000..1bad3ee7a07ddfa90603dcbd32376845ece07d8d
--- /dev/null
+++ b/scripts/activemq_messages/mail_gateway_failure_error_unknown_channel.json
@@ -0,0 +1,11 @@
+{
+    "channel_owner": "user@cern.ch",
+    "channel": "cern-news",
+    "error": "Not Found: Message from sender <noreply1@cern.ch> to unknown channel <cern-news>",
+    "message": {
+        "sender": "noreply1@cern.ch",
+        "subject": "This week news!",
+        "content": "<p>This is an <a href=\"http://example.com/\">example link</a>.</p><!-- This is a comment --><code>/home/\nhicodeline2\ncodeline3</code>\n<img src=\"img_girl.jpg\" alt=\"Girl in a jacket\" width=\"500\" height=\"600\">\n<h1>Hello</h1>\n<h2>Hello</h2>",
+        "to": "service+cern-news+normal@cern.ch"
+    }
+}
diff --git a/scripts/docker-send-email-gateway-2.py b/scripts/docker-send-email-gateway-2.py
new file mode 100644
index 0000000000000000000000000000000000000000..921790bac4bbf9c7ccd4699c743396742c8868d0
--- /dev/null
+++ b/scripts/docker-send-email-gateway-2.py
@@ -0,0 +1,17 @@
+"""Utility to send one message inside docker environment."""
+import stomp
+
+
+conn = stomp.Connection([("activemq", 61613)])
+conn.connect("admin", "admin", wait=True)
+message_body = r"""{ "sender":"no-reply@cern.ch", "subject":"This week news!", "content":"<p>This is an <a
+href=\"http://example.com/\">example link</a>.</p><!-- This comment --><code>/home/\nhi
+codeline2\ncodeline3</code>\n<img src=\"img_girl.jpg\" alt=\"Girl in a jacket\" width=\"500\"
+height=\"600\">\n<h1>Hello</h1>\n<h2>Hello</h2>", "to":"service+what-channel+normal@dovecotmta.cern.ch",
+"source":"EMAIL" } """
+conn.send(
+    body=message_body,
+    destination="/queue/np.email-gateway",
+    headers={"persistent": "true"},
+)
+conn.disconnect()
diff --git a/scripts/docker-send-email-gateway-unknown-channel.py b/scripts/docker-send-email-gateway-unknown-channel.py
new file mode 100644
index 0000000000000000000000000000000000000000..1f76e2eb3b871e2b096167b74f0325381d2bacaa
--- /dev/null
+++ b/scripts/docker-send-email-gateway-unknown-channel.py
@@ -0,0 +1,14 @@
+"""Utility to send one message inside docker environment."""
+import stomp
+
+
+conn = stomp.Connection([("activemq", 61613)])
+conn.connect("admin", "admin", wait=True)
+message_body = open("scripts/activemq_messages/mail_gateway_failure_error_unknown_channel.json").read()
+
+conn.send(
+    body=message_body,
+    destination="/queue/np.email-gateway-failure",
+    headers={"persistent": "true"},
+)
+conn.disconnect()
diff --git a/scripts/docker-send-email-gateway.py b/scripts/docker-send-email-gateway.py
index 3c0fbb844bb3a89af94c12f57c0de342b70875f0..d5f6d93e1714d91aff5bf9ae9da7fd3143233ac7 100644
--- a/scripts/docker-send-email-gateway.py
+++ b/scripts/docker-send-email-gateway.py
@@ -4,15 +4,11 @@ import stomp
 
 conn = stomp.Connection([("activemq", 61613)])
 conn.connect("admin", "admin", wait=True)
-message_body = r"""{
-"sender":"no-reply@cern.ch",
-"subject":"This week news!",
-"content":"<p>This is an <a href=\"http://example.com/\">example link</a>.</p><!-- This comment --><code>/home/\nhi"
-    "codeline2\ncodeline3</code>\n<img src=\"img_girl.jpg\" alt=\"Girl"
-    " in a jacket\" width=\"500\" height=\"600\">\n<h1>Hello</h1>\n<h2>Hello</h2>",
-"to":"service+cern-news+normal@dovecotmta.cern.ch",
-"source":"EMAIL"
-} """
+message_body = r"""{ "sender":"no-reply@cern.ch", "subject":"This week news!", "content":"<p>This is an <a
+href=\"http://example.com/\">example link</a>.</p><!-- This comment --><code>/home/\nhi
+codeline2\ncodeline3</code>\n<img src=\"img_girl.jpg\" alt=\"Girl in a jacket\" width=\"500\"
+height=\"600\">\n<h1>Hello</h1>\n<h2>Hello</h2>", "to":"service+cern-news+normal@dovecotmta.cern.ch",
+"source":"EMAIL" } """
 conn.send(
     body=message_body,
     destination="/queue/np.email-gateway",
diff --git a/scripts/dump.sql b/scripts/dump.sql
deleted file mode 100644
index a6117f097fa58712e634738bcf043fe4e4157dff..0000000000000000000000000000000000000000
--- a/scripts/dump.sql
+++ /dev/null
@@ -1,4121 +0,0 @@
---
--- PostgreSQL database dump
---
-
--- Dumped from database version 9.6.20
--- Dumped by pg_dump version 13.1
-
-SET statement_timeout = 0;
-SET lock_timeout = 0;
-SET idle_in_transaction_session_timeout = 0;
-SET client_encoding = 'UTF8';
-SET standard_conforming_strings = on;
-SELECT pg_catalog.set_config('search_path', '', false);
-SET check_function_bodies = false;
-SET xmloption = content;
-SET client_min_messages = warning;
-SET row_security = off;
-CREATE EXTENSION IF NOT EXISTS pgcrypto WITH SCHEMA public;
-
---
--- Name: authorization_service; Type: SCHEMA; Schema: -; Owner: admin
---
-
-CREATE SCHEMA authorization_service;
-
-
-ALTER SCHEMA authorization_service OWNER TO admin;
-
---
--- Name: push; Type: SCHEMA; Schema: -; Owner: admin
---
-
-CREATE SCHEMA push;
-
-
-ALTER SCHEMA push OWNER TO admin;
-
---
--- Name: push_test; Type: SCHEMA; Schema: -; Owner: admin
---
-
-CREATE SCHEMA push_test;
-
-
-ALTER SCHEMA push_test OWNER TO admin;
-
---
--- Name: test; Type: SCHEMA; Schema: -; Owner: admin
---
-
-CREATE SCHEMA test;
-
-
-ALTER SCHEMA test OWNER TO admin;
-
---
--- Name: pgcrypto; Type: EXTENSION; Schema: -; Owner: -
---
-
-CREATE EXTENSION IF NOT EXISTS pgcrypto WITH SCHEMA public;
-
-
---
--- Name: EXTENSION pgcrypto; Type: COMMENT; Schema: -; Owner:
---
-
-COMMENT ON EXTENSION pgcrypto IS 'cryptographic functions';
-
-
---
--- Name: Channels_submissionbyemail_enum; Type: TYPE; Schema: push; Owner: admin
---
-
-CREATE TYPE push."Channels_submissionbyemail_enum" AS ENUM (
-    'ADMINISTRATORS',
-    'MEMBERS',
-    'EMAIL'
-);
-
-
-ALTER TYPE push."Channels_submissionbyemail_enum" OWNER TO admin;
-
---
--- Name: Channels_submissionbyform_enum; Type: TYPE; Schema: push; Owner: admin
---
-
-CREATE TYPE push."Channels_submissionbyform_enum" AS ENUM (
-    'ADMINISTRATORS',
-    'MEMBERS'
-);
-
-
-ALTER TYPE push."Channels_submissionbyform_enum" OWNER TO admin;
-
-SET default_tablespace = '';
-
---
--- Name: Notifications; Type: TABLE; Schema: authorization_service; Owner: admin
---
-
-CREATE TABLE authorization_service."Notifications" (
-    id integer NOT NULL,
-    target character varying NOT NULL,
-    subject character varying NOT NULL,
-    body character varying NOT NULL,
-    sent boolean DEFAULT false NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone,
-    "fromId" integer
-);
-
-
-ALTER TABLE authorization_service."Notifications" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE; Schema: authorization_service; Owner: admin
---
-
-CREATE SEQUENCE authorization_service."Notifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE authorization_service."Notifications_id_seq" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE OWNED BY; Schema: authorization_service; Owner: admin
---
-
-ALTER SEQUENCE authorization_service."Notifications_id_seq" OWNED BY authorization_service."Notifications".id;
-
-
---
--- Name: Rules; Type: TABLE; Schema: authorization_service; Owner: admin
---
-
-CREATE TABLE authorization_service."Rules" (
-    id integer NOT NULL,
-    name character varying NOT NULL,
-    channel character varying NOT NULL,
-    string character varying,
-    type character varying NOT NULL,
-    "userId" integer
-);
-
-
-ALTER TABLE authorization_service."Rules" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE; Schema: authorization_service; Owner: admin
---
-
-CREATE SEQUENCE authorization_service."Rules_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE authorization_service."Rules_id_seq" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE OWNED BY; Schema: authorization_service; Owner: admin
---
-
-ALTER SEQUENCE authorization_service."Rules_id_seq" OWNED BY authorization_service."Rules".id;
-
-
---
--- Name: Services; Type: TABLE; Schema: authorization_service; Owner: admin
---
-
-CREATE TABLE authorization_service."Services" (
-    id integer NOT NULL,
-    name character varying NOT NULL,
-    "apiKey" character varying
-);
-
-
-ALTER TABLE authorization_service."Services" OWNER TO admin;
-
---
--- Name: Services_id_seq; Type: SEQUENCE; Schema: authorization_service; Owner: admin
---
-
-CREATE SEQUENCE authorization_service."Services_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE authorization_service."Services_id_seq" OWNER TO admin;
-
---
--- Name: Services_id_seq; Type: SEQUENCE OWNED BY; Schema: authorization_service; Owner: admin
---
-
-ALTER SEQUENCE authorization_service."Services_id_seq" OWNED BY authorization_service."Services".id;
-
-
---
--- Name: UserNotifications; Type: TABLE; Schema: authorization_service; Owner: admin
---
-
-CREATE TABLE authorization_service."UserNotifications" (
-    id integer NOT NULL,
-    read boolean NOT NULL,
-    archived boolean NOT NULL,
-    "userId" integer,
-    "notificationId" integer
-);
-
-
-ALTER TABLE authorization_service."UserNotifications" OWNER TO admin;
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE; Schema: authorization_service; Owner: admin
---
-
-CREATE SEQUENCE authorization_service."UserNotifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE authorization_service."UserNotifications_id_seq" OWNER TO admin;
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE OWNED BY; Schema: authorization_service; Owner: admin
---
-
-ALTER SEQUENCE authorization_service."UserNotifications_id_seq" OWNED BY authorization_service."UserNotifications".id;
-
-
---
--- Name: Users; Type: TABLE; Schema: authorization_service; Owner: admin
---
-
-CREATE TABLE authorization_service."Users" (
-    id integer NOT NULL,
-    username character varying(50) NOT NULL,
-    email character varying NOT NULL,
-    enabled boolean NOT NULL
-);
-
-
-ALTER TABLE authorization_service."Users" OWNER TO admin;
-
---
--- Name: Notfications; Type: TABLE; Schema: public; Owner: admin
---
-
-CREATE TABLE public."Notfications" (
-    id integer NOT NULL,
-    target character varying NOT NULL,
-    subject character varying NOT NULL,
-    body character varying NOT NULL,
-    sent boolean DEFAULT false NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone
-);
-
-
-ALTER TABLE public."Notfications" OWNER TO admin;
-
---
--- Name: Notfications_id_seq; Type: SEQUENCE; Schema: public; Owner: admin
---
-
-CREATE SEQUENCE public."Notfications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE public."Notfications_id_seq" OWNER TO admin;
-
---
--- Name: Notfications_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: admin
---
-
-ALTER SEQUENCE public."Notfications_id_seq" OWNED BY public."Notfications".id;
-
-
---
--- Name: Notifications; Type: TABLE; Schema: public; Owner: admin
---
-
-CREATE TABLE public."Notifications" (
-    id integer NOT NULL,
-    target character varying NOT NULL,
-    subject character varying NOT NULL,
-    body character varying NOT NULL,
-    sent boolean DEFAULT false NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone
-);
-
-
-ALTER TABLE public."Notifications" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE; Schema: public; Owner: admin
---
-
-CREATE SEQUENCE public."Notifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE public."Notifications_id_seq" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: admin
---
-
-ALTER SEQUENCE public."Notifications_id_seq" OWNED BY public."Notifications".id;
-
-
---
--- Name: Users; Type: TABLE; Schema: public; Owner: admin
---
-
-CREATE TABLE public."Users" (
-    id integer NOT NULL,
-    username character varying(50) NOT NULL,
-    enabled boolean NOT NULL
-);
-
-
-ALTER TABLE public."Users" OWNER TO admin;
-
---
--- Name: Users_id_seq; Type: SEQUENCE; Schema: public; Owner: admin
---
-
-CREATE SEQUENCE public."Users_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE public."Users_id_seq" OWNER TO admin;
-
---
--- Name: Users_id_seq; Type: SEQUENCE OWNED BY; Schema: public; Owner: admin
---
-
-ALTER SEQUENCE public."Users_id_seq" OWNED BY public."Users".id;
-
-
---
--- Name: Channels; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Channels" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    slug character varying NOT NULL,
-    name character varying NOT NULL,
-    description character varying NOT NULL,
-    visibility character varying DEFAULT 'RESTRICTED'::character varying NOT NULL,
-    "subscriptionPolicy" character varying DEFAULT 'SELF_SUBSCRIPTION'::character varying NOT NULL,
-    archive boolean DEFAULT true NOT NULL,
-    "APIKey" character varying,
-    "creationDate" timestamp without time zone DEFAULT now() NOT NULL,
-    "lastActivityDate" timestamp without time zone DEFAULT now() NOT NULL,
-    "incomingEmail" character varying,
-    "deleteDate" timestamp without time zone,
-    "ownerId" uuid,
-    "adminGroupId" character varying,
-    "submissionByEmail" push."Channels_submissionbyemail_enum"[],
-    "submissionByForm" push."Channels_submissionbyform_enum"[] DEFAULT '{ADMINISTRATORS}'::push."Channels_submissionbyform_enum"[]
-);
-
-
-ALTER TABLE push."Channels" OWNER TO admin;
-
---
--- Name: Devices; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Devices" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    name character varying NOT NULL,
-    info character varying,
-    type character varying NOT NULL,
-    "subType" character varying,
-    uuid uuid,
-    token character varying NOT NULL,
-    "userId" uuid
-);
-
-
-ALTER TABLE push."Devices" OWNER TO admin;
-
---
--- Name: Groups; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Groups" (
-    id character varying NOT NULL,
-    "groupIdentifier" character varying NOT NULL
-);
-
-
-ALTER TABLE push."Groups" OWNER TO admin;
-
---
--- Name: Mute; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Mute" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    start timestamp with time zone,
-    "end" timestamp with time zone,
-    "userId" uuid,
-    "targetId" uuid
-);
-
-
-ALTER TABLE push."Mute" OWNER TO admin;
-
---
--- Name: Notifications; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Notifications" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    body character varying NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone,
-    tags text,
-    link character varying,
-    summary character varying,
-    "contentType" character varying,
-    "imgUrl" character varying,
-    priority character varying DEFAULT 'NORMAL'::character varying NOT NULL,
-    "targetId" uuid
-);
-
-
-ALTER TABLE push."Notifications" OWNER TO admin;
-
---
--- Name: Preferences; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Preferences" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    name character varying,
-    type character varying NOT NULL,
-    "notificationPriority" text,
-    "rangeStart" time without time zone,
-    "rangeEnd" time without time zone,
-    "userId" uuid,
-    "targetId" uuid,
-    "scheduledTime" time without time zone
-);
-
-
-ALTER TABLE push."Preferences" OWNER TO admin;
-
---
--- Name: ServiceStatus; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."ServiceStatus" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    message character varying NOT NULL,
-    created timestamp without time zone DEFAULT now() NOT NULL,
-    validity integer DEFAULT 3 NOT NULL
-);
-
-
-ALTER TABLE push."ServiceStatus" OWNER TO admin;
-
---
--- Name: Services; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Services" (
-    id uuid NOT NULL,
-    name character varying NOT NULL,
-    email character varying
-);
-
-
-ALTER TABLE push."Services" OWNER TO admin;
-
---
--- Name: UserDailyNotifications; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."UserDailyNotifications" (
-    "userId" uuid NOT NULL,
-    "notificationId" uuid NOT NULL,
-    datetime timestamp with time zone NOT NULL
-);
-
-
-ALTER TABLE push."UserDailyNotifications" OWNER TO admin;
-
---
--- Name: UserNotifications; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."UserNotifications" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    sent boolean NOT NULL,
-    read boolean NOT NULL,
-    pinned boolean DEFAULT false NOT NULL,
-    archived boolean NOT NULL,
-    "userId" uuid,
-    "notificationId" uuid
-);
-
-
-ALTER TABLE push."UserNotifications" OWNER TO admin;
-
---
--- Name: Users; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push."Users" (
-    id uuid DEFAULT public.gen_random_uuid() NOT NULL,
-    username character varying NOT NULL,
-    email character varying NOT NULL,
-    enabled boolean NOT NULL,
-    created timestamp with time zone DEFAULT now() NOT NULL,
-    "lastLogin" timestamp with time zone
-);
-
-
-ALTER TABLE push."Users" OWNER TO admin;
-
---
--- Name: channels_groups__groups; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push.channels_groups__groups (
-    "channelsId" uuid NOT NULL,
-    "groupsId" character varying NOT NULL
-);
-
-
-ALTER TABLE push.channels_groups__groups OWNER TO admin;
-
---
--- Name: channels_members__users; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push.channels_members__users (
-    "channelsId" uuid NOT NULL,
-    "usersId" uuid NOT NULL
-);
-
-
-ALTER TABLE push.channels_members__users OWNER TO admin;
-
---
--- Name: channels_unsubscribed__users; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push.channels_unsubscribed__users (
-    "channelsId" uuid NOT NULL,
-    "usersId" uuid NOT NULL
-);
-
-
-ALTER TABLE push.channels_unsubscribed__users OWNER TO admin;
-
---
--- Name: preferences_devices__devices; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push.preferences_devices__devices (
-    "preferencesId" uuid NOT NULL,
-    "devicesId" uuid NOT NULL
-);
-
-
-ALTER TABLE push.preferences_devices__devices OWNER TO admin;
-
---
--- Name: preferences_disabled_channels__channels; Type: TABLE; Schema: push; Owner: admin
---
-
-CREATE TABLE push.preferences_disabled_channels__channels (
-    "preferencesId" uuid NOT NULL,
-    "channelsId" uuid NOT NULL
-);
-
-
-ALTER TABLE push.preferences_disabled_channels__channels OWNER TO admin;
-
---
--- Name: Notifications; Type: TABLE; Schema: push_test; Owner: admin
---
-
-CREATE TABLE push_test."Notifications" (
-    id integer NOT NULL,
-    target character varying NOT NULL,
-    subject character varying NOT NULL,
-    body character varying NOT NULL,
-    sent boolean DEFAULT false NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone,
-    "fromId" character varying,
-    tags text,
-    link character varying,
-    summary character varying,
-    "contentType" character varying,
-    "imgUrl" character varying,
-    priority character varying DEFAULT 'NORMAL'::character varying NOT NULL
-);
-
-
-ALTER TABLE push_test."Notifications" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE; Schema: push_test; Owner: admin
---
-
-CREATE SEQUENCE push_test."Notifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE push_test."Notifications_id_seq" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE OWNED BY; Schema: push_test; Owner: admin
---
-
-ALTER SEQUENCE push_test."Notifications_id_seq" OWNED BY push_test."Notifications".id;
-
-
---
--- Name: Rules; Type: TABLE; Schema: push_test; Owner: admin
---
-
-CREATE TABLE push_test."Rules" (
-    id integer NOT NULL,
-    name character varying NOT NULL,
-    channels text DEFAULT 'PUSH'::text NOT NULL,
-    type character varying NOT NULL,
-    string character varying,
-    "userUsername" character varying(50)
-);
-
-
-ALTER TABLE push_test."Rules" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE; Schema: push_test; Owner: admin
---
-
-CREATE SEQUENCE push_test."Rules_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE push_test."Rules_id_seq" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE OWNED BY; Schema: push_test; Owner: admin
---
-
-ALTER SEQUENCE push_test."Rules_id_seq" OWNED BY push_test."Rules".id;
-
-
---
--- Name: Services; Type: TABLE; Schema: push_test; Owner: admin
---
-
-CREATE TABLE push_test."Services" (
-    id character varying NOT NULL,
-    name character varying NOT NULL,
-    email character varying
-);
-
-
-ALTER TABLE push_test."Services" OWNER TO admin;
-
---
--- Name: UserNotifications; Type: TABLE; Schema: push_test; Owner: admin
---
-
-CREATE TABLE push_test."UserNotifications" (
-    id integer NOT NULL,
-    read boolean NOT NULL,
-    pinned boolean DEFAULT false NOT NULL,
-    archived boolean NOT NULL,
-    "userUsername" character varying(50),
-    "notificationId" integer
-);
-
-
-ALTER TABLE push_test."UserNotifications" OWNER TO admin;
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE; Schema: push_test; Owner: admin
---
-
-CREATE SEQUENCE push_test."UserNotifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE push_test."UserNotifications_id_seq" OWNER TO admin;
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE OWNED BY; Schema: push_test; Owner: admin
---
-
-ALTER SEQUENCE push_test."UserNotifications_id_seq" OWNED BY push_test."UserNotifications".id;
-
-
---
--- Name: Users; Type: TABLE; Schema: push_test; Owner: admin
---
-
-CREATE TABLE push_test."Users" (
-    username character varying(50) NOT NULL,
-    email character varying NOT NULL,
-    "deviceTokens" text,
-    enabled boolean NOT NULL
-);
-
-
-ALTER TABLE push_test."Users" OWNER TO admin;
-
---
--- Name: Notifications; Type: TABLE; Schema: test; Owner: admin
---
-
-CREATE TABLE test."Notifications" (
-    id integer NOT NULL,
-    target character varying NOT NULL,
-    subject character varying NOT NULL,
-    body character varying NOT NULL,
-    sent boolean DEFAULT false NOT NULL,
-    "sendAt" timestamp without time zone,
-    "sentAt" timestamp without time zone,
-    "from" character varying NOT NULL
-);
-
-
-ALTER TABLE test."Notifications" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE; Schema: test; Owner: admin
---
-
-CREATE SEQUENCE test."Notifications_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE test."Notifications_id_seq" OWNER TO admin;
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE OWNED BY; Schema: test; Owner: admin
---
-
-ALTER SEQUENCE test."Notifications_id_seq" OWNED BY test."Notifications".id;
-
-
---
--- Name: Rules; Type: TABLE; Schema: test; Owner: admin
---
-
-CREATE TABLE test."Rules" (
-    id integer NOT NULL,
-    channel character varying NOT NULL,
-    type character varying NOT NULL,
-    "userId" integer,
-    string character varying
-);
-
-
-ALTER TABLE test."Rules" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE; Schema: test; Owner: admin
---
-
-CREATE SEQUENCE test."Rules_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE test."Rules_id_seq" OWNER TO admin;
-
---
--- Name: Rules_id_seq; Type: SEQUENCE OWNED BY; Schema: test; Owner: admin
---
-
-ALTER SEQUENCE test."Rules_id_seq" OWNED BY test."Rules".id;
-
-
---
--- Name: Services; Type: TABLE; Schema: test; Owner: admin
---
-
-CREATE TABLE test."Services" (
-    id integer NOT NULL,
-    name character varying NOT NULL,
-    "apiKey" character varying
-);
-
-
-ALTER TABLE test."Services" OWNER TO admin;
-
---
--- Name: Services_id_seq; Type: SEQUENCE; Schema: test; Owner: admin
---
-
-CREATE SEQUENCE test."Services_id_seq"
-    START WITH 1
-    INCREMENT BY 1
-    NO MINVALUE
-    NO MAXVALUE
-    CACHE 1;
-
-
-ALTER TABLE test."Services_id_seq" OWNER TO admin;
-
---
--- Name: Services_id_seq; Type: SEQUENCE OWNED BY; Schema: test; Owner: admin
---
-
-ALTER SEQUENCE test."Services_id_seq" OWNED BY test."Services".id;
-
-
---
--- Name: Users; Type: TABLE; Schema: test; Owner: admin
---
-
-CREATE TABLE test."Users" (
-    id integer NOT NULL,
-    username character varying(50) NOT NULL,
-    email character varying NOT NULL
-);
-
-
-ALTER TABLE test."Users" OWNER TO admin;
-
---
--- Name: users_notifications__notifications; Type: TABLE; Schema: test; Owner: admin
---
-
-CREATE TABLE test.users_notifications__notifications (
-    "usersId" integer NOT NULL,
-    "notificationsId" integer NOT NULL
-);
-
-
-ALTER TABLE test.users_notifications__notifications OWNER TO admin;
-
---
--- Name: Notifications id; Type: DEFAULT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Notifications" ALTER COLUMN id SET DEFAULT nextval('authorization_service."Notifications_id_seq"'::regclass);
-
-
---
--- Name: Rules id; Type: DEFAULT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Rules" ALTER COLUMN id SET DEFAULT nextval('authorization_service."Rules_id_seq"'::regclass);
-
-
---
--- Name: Services id; Type: DEFAULT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Services" ALTER COLUMN id SET DEFAULT nextval('authorization_service."Services_id_seq"'::regclass);
-
-
---
--- Name: UserNotifications id; Type: DEFAULT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."UserNotifications" ALTER COLUMN id SET DEFAULT nextval('authorization_service."UserNotifications_id_seq"'::regclass);
-
-
---
--- Name: Notfications id; Type: DEFAULT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Notfications" ALTER COLUMN id SET DEFAULT nextval('public."Notfications_id_seq"'::regclass);
-
-
---
--- Name: Notifications id; Type: DEFAULT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Notifications" ALTER COLUMN id SET DEFAULT nextval('public."Notifications_id_seq"'::regclass);
-
-
---
--- Name: Users id; Type: DEFAULT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Users" ALTER COLUMN id SET DEFAULT nextval('public."Users_id_seq"'::regclass);
-
-
---
--- Name: Notifications id; Type: DEFAULT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Notifications" ALTER COLUMN id SET DEFAULT nextval('push_test."Notifications_id_seq"'::regclass);
-
-
---
--- Name: Rules id; Type: DEFAULT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Rules" ALTER COLUMN id SET DEFAULT nextval('push_test."Rules_id_seq"'::regclass);
-
-
---
--- Name: UserNotifications id; Type: DEFAULT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."UserNotifications" ALTER COLUMN id SET DEFAULT nextval('push_test."UserNotifications_id_seq"'::regclass);
-
-
---
--- Name: Notifications id; Type: DEFAULT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Notifications" ALTER COLUMN id SET DEFAULT nextval('test."Notifications_id_seq"'::regclass);
-
-
---
--- Name: Rules id; Type: DEFAULT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Rules" ALTER COLUMN id SET DEFAULT nextval('test."Rules_id_seq"'::regclass);
-
-
---
--- Name: Services id; Type: DEFAULT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Services" ALTER COLUMN id SET DEFAULT nextval('test."Services_id_seq"'::regclass);
-
-
---
--- Data for Name: Notifications; Type: TABLE DATA; Schema: authorization_service; Owner: admin
---
-
-
-
---
--- Data for Name: Rules; Type: TABLE DATA; Schema: authorization_service; Owner: admin
---
-
-
-
---
--- Data for Name: Services; Type: TABLE DATA; Schema: authorization_service; Owner: admin
---
-
-INSERT INTO authorization_service."Services" VALUES (2, 'authorization-service', 'e9ac78c1a8e1d67360036bd4cefef6ffd7a849c2dd97bbf98ef08817b80cf398');
-
-
---
--- Data for Name: UserNotifications; Type: TABLE DATA; Schema: authorization_service; Owner: admin
---
-
-
-
---
--- Data for Name: Users; Type: TABLE DATA; Schema: authorization_service; Owner: admin
---
-
-
-
---
--- Data for Name: Notfications; Type: TABLE DATA; Schema: public; Owner: admin
---
-
-INSERT INTO public."Notfications" VALUES (1, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (2, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (3, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (4, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (5, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (6, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (7, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (8, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (9, 'Me', 'Test', 'Send push notification test', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (10, 'Test 19 July 2018', 'Test 19 July 2018', 'Test 19 July 2018', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (11, 'Test 20 July 2018', 'Test 20 July 2018', 'Test 20 July 2018', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (17, 'target', 'Test', 'This is a test notifications', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (19, 'all', 'Test', 'This is a test notifications', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (20, 'all', 'test', 'This is a test notification', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (21, 'Test 20 July 2018 David [2]', 'Test 20 July 2018 David [2]', 'Test 20 July 2018 David [2]', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (22, 'Test 20 July 2018 David [3]', 'Test 20 July 2018 David [3]', 'Test 20 July 2018 David [3]', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (23, 'david.martin.clavo@cern.ch', 'Test 20 July 2018 David [4]', 'Test 20 July 2018 David [4]', false, '2018-08-17 00:00:00', NULL);
-INSERT INTO public."Notfications" VALUES (24, 'Mario', 'Test', 'This is a test notification', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (28, 'all', 'test', 'eeey testing material ui', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (29, 'all', 'test', 'eeey testing material ui', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (30, 'all', 'test', 'eeey testing material ui', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (31, 'all', 'test', 'eeey testing material ui', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (32, 'all', 'test', 'eeey testing material ui', false, NULL, NULL);
-INSERT INTO public."Notfications" VALUES (36, 'adsf', 'adsf', 'adsf', false, NULL, NULL);
-
-
---
--- Data for Name: Notifications; Type: TABLE DATA; Schema: public; Owner: admin
---
-
-INSERT INTO public."Notifications" VALUES (1, 'Panero', 'Test', 'This is a test notification', false, NULL, NULL);
-INSERT INTO public."Notifications" VALUES (2, 'Mario', 'Test', 'This is a test notification', false, NULL, NULL);
-INSERT INTO public."Notifications" VALUES (4, 'pablo.roncer.fernandez@cern.ch', 'Test', 'This is a test notification', false, NULL, NULL);
-
-
---
--- Data for Name: Users; Type: TABLE DATA; Schema: public; Owner: admin
---
-
-
-
---
--- Data for Name: Channels; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Channels" VALUES ('a8b1b6db-2543-4549-b143-442735739fed', 'notifications-dev-test-channel', 'Notifications DEV Test Channel', 'Notifications DEV Test Channel', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-02-26 18:38:30.292949', '2021-02-26 18:38:30.292949', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a', NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('9367e33e-47df-4648-825e-e6b52d73b593', 'test-public-channel', 'Test Public Channel', 'A Public Channel for testing', 'PUBLIC', 'SELF_SUBSCRIPTION', false, NULL, '2021-03-01 11:38:04.611044', '2021-03-01 11:38:04.611044', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('54f42ef2-8dc8-4dd1-986d-18025eb74b82', 'carina-s-internal-test-channel', 'Carina''s Internal Test Channel', '', 'INTERNAL', 'SELF_SUBSCRIPTION_APPROVAL', false, NULL, '2021-03-01 12:56:47.422348', '2021-03-01 12:56:47.422348', 'carina.oliveira.antunes@cern.ch', NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('00736a81-9f42-49c8-9d2c-1b8536507706', '0', 'Test-Notifications', 'Test Channel For notifications ok', 'INTERNAL', 'SELF_SUBSCRIPTION', false, NULL, '2021-02-26 19:44:44.030731', '2021-02-26 19:44:44.030731', 'igor.jakovljevic@outlook.com', NULL, '598d151c-f850-451e-9eac-1f6a3d987a5c', '08d82a52-7972-4fed-8135-bf603f002247', NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('0808932d-9175-4621-9f7b-4ef3f404806b', 'testing-one-2-3-DELETED-1616598178442', 'testing one 2 3-DELETED-1616598178442', '', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-03-24 16:02:45.23638', '2021-03-24 16:02:45.23638', NULL, '2021-03-24 16:02:58.093018', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('e4aa1f94-9eba-43cc-ad3e-9d9d49b03891', 'test-self-subscription-with-approval-DELETED-1616598178442', 'Test Self Subscription with approval-DELETED-1616598178442', '', 'INTERNAL', 'SELF_SUBSCRIPTION_APPROVAL', false, NULL, '2021-03-01 14:14:03.452426', '2021-03-01 14:14:03.452426', NULL, '2021-03-04 12:40:12.36043', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('ef46aca0-e73b-4794-8043-ffe974247cc8', 'my-internal-test-channel-DELETED-1616598178442', 'My Internal Test Channel-DELETED-1616598178442', 'My Internal Test Channel', 'INTERNAL', 'DYNAMIC', false, NULL, '2021-03-01 12:52:17.25554', '2021-03-01 12:52:17.25554', NULL, '2021-03-05 10:54:16.881154', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a', NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('bc00f63f-3779-4f82-8272-643df1425f6f', 'carina', 'carina', '', 'RESTRICTED', 'DYNAMIC', true, NULL, '2021-03-31 12:41:13.117283', '2021-03-31 12:41:13.117283', 'carina.oliveira.antunes@cern.ch', NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('431d3f39-2df7-4b22-b63e-ad40670a7091', 'carina-s-restricted-test-channel', 'Carina''s Restricted Test Channel', '', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-03-05 10:53:34.557828', '2021-03-05 10:53:34.557828', 'carina.oliveira.antunes@cern.ch', NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('44a197e8-2fdc-4a7f-a9a5-4d02c050ebf1', 'testing-caetan', 'Testing Caetan', 'No notifications channel', 'RESTRICTED', 'DYNAMIC', true, NULL, '2021-03-02 12:06:46.467351', '2021-03-02 12:06:46.467351', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('ac47643d-0f6e-4c33-9d96-3fa3946215a8', 'caetan-test-channel', 'Caetan Test Channel', 'This is the test Channel for Caetán private', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-03-01 10:04:22.492549', '2021-03-01 10:04:22.492549', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce', 'cern-news', 'CERN News', 'Organization news (https://home.cern)', 'PUBLIC', 'SELF_SUBSCRIPTION', false, NULL, '2021-03-02 14:51:08.972028', '2021-03-02 14:51:08.972028', NULL, NULL, '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('533788d4-2fb2-48bf-854b-60d0fd814406', 'it-security-news', 'IT Security news', 'IT Security news and notifications', 'INTERNAL', 'SELF_SUBSCRIPTION', false, NULL, '2021-03-02 14:49:09.205001', '2021-03-02 14:49:09.205001', NULL, NULL, '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('96639a38-24e2-4fab-a369-5b00f4ecc01f', 'computing-blog', 'Computing Blog', 'Computing blog posts', 'INTERNAL', 'SELF_SUBSCRIPTION', false, NULL, '2021-04-09 16:22:46.395606', '2021-04-09 16:22:46.395606', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('2098db12-7ab4-4216-8150-81f762d17cd3', 'the-notification-service-news', 'The Notification Service News', 'News about this service, coming updates, tips and tricks, etc.', 'PUBLIC', 'SELF_SUBSCRIPTION', true, NULL, '2021-03-22 14:42:53.559887', '2021-03-22 14:42:53.559887', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', NULL, NULL, '{ADMINISTRATORS}');
-INSERT INTO push."Channels" VALUES ('8e58c4fe-446b-423b-a67e-6ffa06fdf6aa', 'test', 'test', '', 'RESTRICTED', 'DYNAMIC', true, NULL, '2021-04-14 16:03:57.460822', '2021-04-14 16:03:57.460822', 'carinadeoliveiraantunes@gmail.com', NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, '{ADMINISTRATORS,MEMBERS,EMAIL}', '{ADMINISTRATORS,MEMBERS}');
-INSERT INTO push."Channels" VALUES ('c3ccc15b-298f-4dc7-877f-2c8970331caf', 'it-cda-wf', 'IT-CDA-WF', 'Section notification channel for IT-CDA-WF section', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-03-02 14:50:36.472017', '2021-03-02 14:50:36.472017', NULL, NULL, '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', NULL, NULL, '{ADMINISTRATORS,MEMBERS}');
-INSERT INTO push."Channels" VALUES ('23ada92a-e7dd-4c19-90b0-a9493f95f1e4', 'a-wf-restricted-test-channel', 'A WF Restricted test channel', '', 'RESTRICTED', 'DYNAMIC', false, NULL, '2021-03-01 12:58:00.902803', '2021-03-01 12:58:00.902803', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL, '{ADMINISTRATORS}');
-
-
---
--- Data for Name: Devices; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Devices" VALUES ('d4e15d11-a56e-4568-9e9f-497110426a72', 'carina.oliveira.antunes@cern.ch', 'Default', 'MAIL', NULL, NULL, 'carina.oliveira.antunes@cern.ch', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push."Devices" VALUES ('c14467fd-acd5-446a-b2e8-31f4eb601a37', 'caetan.tojeiro.carpente@cern.ch', 'Default', 'MAIL', NULL, NULL, 'caetan.tojeiro.carpente@cern.ch', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push."Devices" VALUES ('5b2d3c49-e4dc-4827-ae75-0ab48e1b5ac6', 'igor.jakovljevic@cern.ch', 'Default', 'MAIL', NULL, NULL, 'igor.jakovljevic@cern.ch', '598d151c-f850-451e-9eac-1f6a3d987a5c');
-INSERT INTO push."Devices" VALUES ('fa69dcc7-8c71-41af-9886-8993c124c8de', 'emmanuel.ormancey@cern.ch', 'Default', 'MAIL', NULL, NULL, 'emmanuel.ormancey@cern.ch', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('26d0fb3e-5d1c-4a19-a624-c1893dcd9a10', 'eduardo.alvarez.fernandez@cern.ch', 'Default', 'MAIL', NULL, NULL, 'eduardo.alvarez.fernandez@cern.ch', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push."Devices" VALUES ('3df09d16-5ad8-4654-9542-5a2aaeaeba37', 'Win Chrome', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/88.0.4324.190 Safari/537.36', 'BROWSER', 'OTHER', '278e03a0-dce7-4957-af66-99d624667802', '{"endpoint":"https://fcm.googleapis.com/fcm/send/dZc0xNybiGs:APA91bFv-eAJoZrXxii5YvmWsRYvwrjw6brr5_OM7MgPgFRWG1ALFNCpz3A9SlBnF_c4-HMCA-2GvCs7T5fy96Aa43jIHh01G2HfzYjdju00PKMcqnHp4I3vOaMzKZqviDvjpCVT92tG","expirationTime":null,"keys":{"p256dh":"BDMCyG7hwxxj_6oqqgy1rFQ8IsNx07VZiL0zSMxMp5Zoi3wjBp76aS_-IMkuhUkI2ob_XEU9kynY75vpamYEQEw","auth":"OvLTX1JnFehi7alUSkqHoA"}}', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push."Devices" VALUES ('ac83f078-d4a6-4355-adaa-790fd19e3b40', 'dimitra.chatzichrysou@cern.ch', 'Default', 'MAIL', NULL, NULL, 'dimitra.chatzichrysou@cern.ch', '3855058d-a287-4cf8-974e-502fc568af78');
-INSERT INTO push."Devices" VALUES ('8d515b7f-5f2c-4d1c-8c31-592d1c795fc9', 'sjdfnksjfjksdf.fsdfsdfsd@cern.ch', 'Default', 'MAIL', NULL, NULL, 'sjdfnksjfjksdf.fsdfsdfsd@cern.ch', '88733d47-5c15-4503-b5be-3ad194c137fb');
-INSERT INTO push."Devices" VALUES ('b364010c-a34d-421f-bb92-9ba5ebb2b1ae', 'Mac Firefox', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.15; rv:86.0) Gecko/20100101 Firefox/86.0', 'BROWSER', 'OTHER', '9577609f-5ab5-4586-9067-ecea355bd4c3', '{"endpoint":"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABgVNjRFN7VRrs0mmNubT-g3MPovCUxrhxSKy3B8cWTAufbFwFABE7dQJSzMy8xOIPQTUTVkh1ovu_Rt78moUrgav_AxMmRKw4bq6C4r8LsfuIG1FvZaG7FdQb4tcOL0EN_BqSrgGEbewZUhL8mtzT3Nv0AxRrUi-nm0qUJbvKCqP1pVAE","keys":{"auth":"Kh-Wz9UDqZjyuexqjDMktw","p256dh":"BOsxEUqGFj-bvy6oEiAj9KEbEdUpzHGeEITqVqFMI9lYdD2W3LLMve6lUekmk6N8yBrxoR16TOYyzWEjMOOhyzQ"}}', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push."Devices" VALUES ('67f4d51a-ce9e-4c99-bacd-d3463dc78e50', 'admca@cern.ch', 'Default', 'MAIL', NULL, NULL, 'admca@cern.ch', '51b0700c-8543-48a3-9bc4-3e6ec1d1845a');
-INSERT INTO push."Devices" VALUES ('b1bd33b8-8f6e-488f-9152-39ae4139a894', 'diogo.lima.nicolau@cern.ch', 'Default', 'MAIL', NULL, NULL, 'diogo.lima.nicolau@cern.ch', '4952a4af-6936-4303-b117-1aaa48130aea');
-INSERT INTO push."Devices" VALUES ('7e0b1843-4733-48d1-824f-75245305fa6c', 'X1 Carbon Win Chrome', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/89.0.4389.90 Safari/537.36', 'BROWSER', 'OTHER', 'c5e756d1-5f61-4123-9ea1-11d1cc529da4', '{"endpoint":"https://fcm.googleapis.com/fcm/send/e_n9RunSftY:APA91bEv1NkrKQhHpERlZJnpPjFHpXgvwFeGqdE-Kx9PPryIpNmPNOZNn_c-b-zOP9flAJ8tOfOJNv-eVCHT_dzqeEkAc3YN0q87Cwqi52c4PvTCXF6AoWiObogE8uyke8QfgqkqcpHY","expirationTime":null,"keys":{"p256dh":"BGRzOPVKIGrNbQcpkcz375eUq-vX7Af1E6C3oPzvH-fh-TVblcLegBLuEDlp7zCyQjKEA9roD98kxMBbc17Zumg","auth":"3p8Vqerg4gDF_W-XXnOvMw"}}', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('2efa4594-14dd-4eea-9df8-acb0715a06f4', 'X1 Carbon Win Firefox', 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:86.0) Gecko/20100101 Firefox/86.0', 'BROWSER', 'OTHER', '15fbb82c-3591-4b81-b972-db364a35a948', '{"endpoint":"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABgWJ3M_jr7f5OVDPDT7h0n-Cc8mpria7-uglW8y5YUDsW-DBWZfWJ1bPvBJevh9SGwy3THY31dtXEy65eOR4ZThrdFQ9imfmxp5goCou4fZ5IrpHVg6qTpHP0Qw-Iu4ZueM8lGx1ylQ7kXZjU6svQUmxYtKIlAgKS5kRYUyVDdgm5XeXA","keys":{"auth":"2xzz_xJWOAvEu7phrW5e0A","p256dh":"BD7zTx5bOUvzIo-J20uDFaRIA20MycGdIx9cQxC3PJ9Ph59_TVUL6X1gqCO1LoXXRJes2rVM2aMRTuvLvRd9SfA"}}', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('3dbfe29a-b000-4c56-8049-e5f2f7f6455a', 'Mac Safari', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_6) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0.3 Safari/605.1.15', 'BROWSER', 'SAFARI', '056529d1-6cee-4f94-941f-f344cc85ce50', '07137DDB22D01763F25216BE94C7D05275F2BCC500F55DAD7C557D4A2E5C500F', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('81003193-d76f-4e76-b0c2-5f45e055bbfd', 'Mac Chrome', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 11_2_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/89.0.4389.90 Safari/537.36', 'BROWSER', 'OTHER', '0b7b761a-48c3-4fb6-9283-2a860f419d44', '{"endpoint":"https://fcm.googleapis.com/fcm/send/ehHscjZvAas:APA91bGbdZ0QPgjdkiXz7hywoKRdU3gTiGkzOE6KmvOvtjPURyjj6cOouJPq1RRYTzslXuXLZDXnFuxgqbshnr-cEK8PCA5i3nrCmEwO2ltFOPS0yWlXH4__C84GfLtx9iGBT2Gy1w8Y","expirationTime":null,"keys":{"p256dh":"BDVIikD5PohGJqWCBOhI3x4VTfN8_Qc5IxdK9g6pHqZU6Tq2jBfFyEX5Rhdz_4X0-jBGJME7EF9v1_MB2Yxyjjc","auth":"uINmZgHuMhnAd_8ksb5eBA"}}', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('403884ee-e491-4ce8-99e3-109f10bdf664', 'Mac Firefox', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.16; rv:86.0) Gecko/20100101 Firefox/86.0', 'BROWSER', 'OTHER', '8c6f08bf-961b-403c-b30e-aa7508e113a7', '{"endpoint":"https://updates.push.services.mozilla.com/wpush/v2/gAAAAABgWKJzoR36PAvgqt8415pHZuBdPkOsTw9JAXSPmYT3nt2c0Q0IMC42lSsKEaA_6TI_SRVKiSQWe3n6clB1qyCC6UvBp5PZveVRy6fclFfs5VQGLaNXx4H_c0q_UjXZllLcOBcHWGo0K_78sVYgoUam9ftlxreP4TYhLdLP6bhYs3Q_kmg","keys":{"auth":"ArNwFBWOz3Vb-zLZOtDEuA","p256dh":"BLNJ9aPoNzGVxvYh-xosfnguk8EU_bmOcuukT3Ex3iRYWU3tEtdeSxYlIb3kUiscVcvOdKeYo2Ii0VC2WlfRPtY"}}', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('f2b231da-9b62-4df0-b9ea-25c0bcdbbc64', 'Mac Safari', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_6) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0.3 Safari/605.1.15', 'BROWSER', 'SAFARI', '5b355740-9423-4fe0-a28e-21188ed27ac7', '47E8676CD15CFC86161D10DAF407220A189FC590C5660962855C64AA3254F9FA', '598d151c-f850-451e-9eac-1f6a3d987a5c');
-INSERT INTO push."Devices" VALUES ('ae7c7a41-7067-444b-8858-9187cd9da99e', 'OnePlus Chrome', 'Mozilla/5.0 (Linux; Android 10; ONEPLUS A5010) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/89.0.4389.90 Mobile Safari/537.36', 'BROWSER', 'OTHER', 'd669b213-015e-4258-8d84-bf5db19b7b52', '{"endpoint":"https://fcm.googleapis.com/fcm/send/ecclYPPZLPY:APA91bGyHhZL-N-lzc9GWf3K1DRpWJ4Qe__SFdScOf-ZZ-Oj7xso_9e2-G-kleILBiDTy7WwKNG1RGGJMCtoza5Gd7gOwyAjZzzRugGmM0ZbZzqSkwW5Q9xO8Wq7SZ0XrS2gZCeAooDt","expirationTime":null,"keys":{"p256dh":"BK1oooBoaIVlbrFaO4Sw8u_kqrgLvU9-3KbhA1KGS__5OPQUNXBib2yWB1kiDcIQPcADk03K6qHs-5tlv8DIIxw","auth":"aVoyMAL8SnWOa-rt2TArbw"}}', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push."Devices" VALUES ('468d334c-e004-4bdc-a8be-2ddd87df23b7', 'admcae@cern.ch', 'Default', 'MAIL', NULL, NULL, 'admcae@cern.ch', 'bd9f20af-122b-4f08-b95c-3256eb9967be');
-INSERT INTO push."Devices" VALUES ('f6c20231-8b27-4a42-b4f9-0999b6210d59', 'Mac Chrome', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/89.0.4389.114 Safari/537.36', 'BROWSER', 'OTHER', '249cb9ef-32bb-417d-821e-e1c6f5d69448', '{"endpoint":"https://fcm.googleapis.com/fcm/send/fg7T3LZy7rw:APA91bGFDDqCypgUcLJv7xockxywXNkLjhV6hYWWDyT_1oYPVf9A9EVeAtD6yP5Sayv07_gQUlf1Oe4rSMDlmtFYXHL58Amb9--s0lOU62f7fCJiEUnsHiWHFY1AcMHCWXGpytPkb_0j","expirationTime":null,"keys":{"p256dh":"BKUnT9w_tw-IQlHNL8XfiD2LoDSJ91OWFDxgNPfZJkqSKDmspNXuRudWEqa4gUh329TSiEe32C5fnOKSum0lCtc","auth":"d36hcvW-HrnXINsdG-NVtQ"}}', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push."Devices" VALUES ('32105152-ea40-4e01-85bf-3e848165b2d1', 'jose.semedo@cern.ch', 'Default', 'MAIL', NULL, NULL, 'jose.semedo@cern.ch', 'fd331503-68a7-42fd-86a1-ff39efcd5f7c');
-
-
---
--- Data for Name: Groups; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Groups" VALUES ('186d8dfc-2774-43a8-91b5-a887fcb6ba4a', 'it-dep-cda-wf');
-INSERT INTO push."Groups" VALUES ('08d82a52-7972-4fed-8135-bf603f002247', 'notifications-service-admins');
-INSERT INTO push."Groups" VALUES ('08d7bc9a-583b-4015-86a5-4ab9f3f771b8', 'notifications-admins');
-INSERT INTO push."Groups" VALUES ('08d779a6-bb89-d392-7c96-d894d312f8a6', 'cernsearch-administrators');
-
-
---
--- Data for Name: Mute; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-
-
---
--- Data for Name: Notifications; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Notifications" VALUES ('550d47a8-5247-47a8-ab7c-b5452485e69b', '<p><img alt="" src="https://codimd.web.cern.ch/uploads/upload_e3ccd0101f70e1b546ae45db09922bde.png" /></p>
-
-<p>&nbsp;</p>
-
-<h1>My first notification!</h1>
-
-<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Mauris justo turpis, sodales at neque pulvinar, cursus rutrum erat. Ut laoreet faucibus arcu, vel convallis nibh efficitur at. Nam tincidunt dolor quis scelerisque faucibus. Pellentesque nec nulla in leo mollis consequat. Nullam euismod, diam ac mollis blandit, dolor nulla sollicitudin enim, eget blandit mi libero nec sem. In et tortor neque. Donec ullamcorper magna eget ornare luctus. Duis pretium diam et arcu finibus ultrices. Aliquam condimentum interdum sem, sagittis rutrum leo hendrerit ac. Curabitur placerat tellus sed felis congue, ut gravida nisl tristique. Fusce at elementum mauris.</p>
-
-<p>Sed nulla purus, consequat at suscipit ac, semper vitae diam. Vestibulum quis tincidunt mi. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; Etiam vel lobortis nisi. Pellentesque sit amet risus libero. Sed erat sem, ullamcorper at eleifend lacinia, vestibulum ut lorem. Sed euismod odio et ornare accumsan. Ut non venenatis purus. Aenean tellus tellus, vulputate ut nisi at, luctus vestibulum augue. Maecenas sed est neque. Mauris lorem tellus, gravida ac justo at, cursus tincidunt leo.</p>
-
-<p>Morbi vitae massa in ipsum ultrices mollis. Mauris accumsan rutrum gravida. Nullam rutrum tortor eu ante volutpat lobortis. Suspendisse vel rutrum tellus, in tempor sapien. Duis a risus id velit vestibulum laoreet. Curabitur sit amet elementum odio. Aenean sed magna ut augue ornare rutrum. Quisque fermentum, risus et faucibus pellentesque, enim diam porttitor odio, sed sodales mi est eget enim. Cras mattis risus mattis est lacinia, vel interdum justo ornare.</p>
-
-<p>Nullam eleifend, felis a ornare egestas, justo nibh mollis quam, eget facilisis sapien nulla ac nisl. Sed efficitur lacinia mauris, ut dictum odio sagittis quis. Fusce ut diam nibh. Aliquam pretium a nunc id finibus. Praesent laoreet dapibus turpis, a ullamcorper velit semper eu. Sed sed nisi lectus. Mauris eget condimentum mauris. Morbi bibendum ac est at volutpat. Morbi dapibus dui ex, eget rutrum massa tristique ac. Aenean nulla turpis, laoreet vitae quam at, condimentum rhoncus erat.</p>
-
-<p>Phasellus imperdiet auctor felis non posuere. Morbi egestas pharetra dui non porta. Aliquam laoreet finibus ullamcorper. Phasellus eget magna vitae nisi scelerisque tincidunt. Quisque ornare odio in pharetra faucibus. Vivamus semper, velit eu viverra tristique, felis libero vehicula elit, in interdum felis magna a lacus. Etiam ut purus cursus, consectetur urna eu, rhoncus ante. Nam aliquam massa quis ullamcorper elementum. Vestibulum sagittis, dui at semper lobortis, eros felis dignissim ligula, ut pulvinar arcu ante ut dui. Aliquam ac ultrices lorem.</p>
-', NULL, '2021-02-26 17:42:17.91', NULL, NULL, 'My first test notification!', NULL, NULL, 'NORMAL', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('283e560a-9b08-4fda-8841-fe8682b755e0', '<p>Mega Test</p>
-', NULL, '2021-02-26 18:45:37.19', NULL, NULL, 'Title', NULL, NULL, 'NORMAL', '00736a81-9f42-49c8-9d2c-1b8536507706');
-INSERT INTO push."Notifications" VALUES ('c56ed0c6-af50-44fe-a631-76465c5150e6', '<p>Test 2</p>
-', NULL, '2021-03-01 08:48:47.525', NULL, NULL, 'Test 2', NULL, NULL, 'NORMAL', '00736a81-9f42-49c8-9d2c-1b8536507706');
-INSERT INTO push."Notifications" VALUES ('d53a7d79-0c5e-4b72-9d6f-8492b7415340', '<p>This is my first notification in Caetan&#39;s channel</p>
-', NULL, '2021-03-01 10:07:21.657', NULL, NULL, 'My first Noti - Caetán', NULL, 'https://upload.wikimedia.org/wikipedia/commons/e/e0/Deportivodelacoruna2008.jpg', 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('bd19eea4-9dca-48d9-a577-5de9d2bf374a', '<p>My Daily Notification Body.</p>
-
-<p>- C</p>
-', NULL, '2021-03-01 14:17:47.47', NULL, NULL, 'My Daily Notification', NULL, NULL, 'NORMAL', 'ef46aca0-e73b-4794-8043-ffe974247cc8');
-INSERT INTO push."Notifications" VALUES ('c086358b-df22-48d3-b518-12b18d100cc6', '<p>Test</p>
-', NULL, '2021-03-01 14:23:11.609', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', 'ef46aca0-e73b-4794-8043-ffe974247cc8');
-INSERT INTO push."Notifications" VALUES ('508cd4db-74cb-4ea6-941c-d45170dca8f6', '<p>Daily Test Notification Body</p>
-', NULL, '2021-03-01 14:40:18.556', NULL, NULL, 'Daily Test Notification', NULL, NULL, 'NORMAL', 'ef46aca0-e73b-4794-8043-ffe974247cc8');
-INSERT INTO push."Notifications" VALUES ('2003cb40-b39b-4aa7-951e-26ceed6cf9b6', '<p><img alt="" src="https://cds.cern.ch/record/2751566/files/BPH-20-004_LambdaK_v1.png?subformat=icon-640" style="height:317px; width:640px" /></p>
-', NULL, '2021-03-01 17:45:01.259', NULL, NULL, 'Hello World!', NULL, NULL, 'NORMAL', '23ada92a-e7dd-4c19-90b0-a9493f95f1e4');
-INSERT INTO push."Notifications" VALUES ('07dcdb82-c56b-4396-a9fe-aa86709431fd', '<p>This time with a Image Url</p>
-', NULL, '2021-03-01 17:45:35.579', NULL, NULL, 'Hello world 2!', NULL, 'https://cds.cern.ch/record/2751566/files/BPH-20-004_LambdaK_v1.png?subformat=icon-640', 'NORMAL', '23ada92a-e7dd-4c19-90b0-a9493f95f1e4');
-INSERT INTO push."Notifications" VALUES ('9cd6ade8-dd1e-4daf-b1f6-c1dbcbd78dbc', '<p>Just for me notif low</p>
-', NULL, '2021-03-01 18:23:10.575', NULL, NULL, 'Just for me notif', NULL, NULL, 'NORMAL', 'ef46aca0-e73b-4794-8043-ffe974247cc8');
-INSERT INTO push."Notifications" VALUES ('63e4a411-df20-4d0e-becb-cef24d089ec8', '<p>testing</p>
-', NULL, '2021-03-01 18:24:28.339', NULL, NULL, 'low', NULL, NULL, 'NORMAL', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('3bec8a7b-bcba-4cb5-9e20-c14479e51aae', '<p>ccc</p>
-', NULL, '2021-03-02 12:07:03.664', NULL, NULL, 'ddd', NULL, NULL, 'NORMAL', '00736a81-9f42-49c8-9d2c-1b8536507706');
-INSERT INTO push."Notifications" VALUES ('487019f7-449c-493f-a6e5-c6fda29df2f4', '<p><img alt="" src="https://liveoakreserveresident.files.wordpress.com/2020/07/board-meeting.png" style="height:333px; margin-left:200px; margin-right:200px; width:383px" /></p>
-
-<p>Dear members, a reminder for tomorrow&#39;s section meeting at 11:00. As usual, please fill in the highlights (activity, news, changes, incidents, etc.) for your services since the last section meeting on the Indico event page <a href="https://indico.cern.ch/e/CERN-IT-CDA-WF-2021-03-03" target="_blank">https://indico.cern.ch/e/CERN-IT-CDA-WF-2021-03-03</a> (To join the meeting: <a href="https://cern.zoom.us/j/871767646?pwd=YmR5ZTdYRFpuWEhmWVZHRXo5c1BlUT09" target="_blank">https://cern.zoom.us/j/871767646?pwd=YmR5ZTdYRFpuWEhmWVZHRXo5c1BlUT09</a> ).</p>
-', NULL, '2021-03-02 17:22:26.209', NULL, NULL, 'Section Meeting Reminder', NULL, NULL, 'NORMAL', '23ada92a-e7dd-4c19-90b0-a9493f95f1e4');
-INSERT INTO push."Notifications" VALUES ('1e1afb46-9d5d-439b-980d-dd6abae32a6b', '<p><img alt="" src="https://huntnewsnu.com/wp-content/uploads/2017/10/cartoon.png" style="height:389px; margin-left:200px; margin-right:200px; width:500px" /></p>
-
-<p>Dear all, a reminder for tomorrow&#39;s section meeting at 11:00. As usual, please fill in the highlights (activity, news, changes, incidents, etc.) for your services since the last section meeting on the Indico event page <a href="https://indico.cern.ch/e/CERN-IT-CDA-WF-2021-02-24" target="_blank">https://indico.cern.ch/e/CERN-IT-CDA-WF-2021-02-24</a> (To join the meeting: <a href="https://cern.zoom.us/j/871767646?pwd=YmR5ZTdYRFpuWEhmWVZHRXo5c1BlUT09" target="_blank">https://cern.zoom.us/j/871767646?pwd=YmR5ZTdYRFpuWEhmWVZHRXo5c1BlUT09</a> ).</p>
-', NULL, '2021-03-02 17:27:44.88', NULL, NULL, 'Section Meeting Reminder', NULL, NULL, 'NORMAL', '23ada92a-e7dd-4c19-90b0-a9493f95f1e4');
-INSERT INTO push."Notifications" VALUES ('69dbebfc-1ef3-4047-9321-45efd6f0ef9d', '', NULL, '2021-03-03 09:26:26.726', NULL, 'https://gitlab.cern.ch/', 'URL target notif', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('12fb8898-a420-44d3-9c51-252cfd98d747', '<p>Test</p>
-', NULL, '2021-03-04 12:36:05.268', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', 'e4aa1f94-9eba-43cc-ad3e-9d9d49b03891');
-INSERT INTO push."Notifications" VALUES ('01927855-ca37-4b1d-a0bf-1009e27afde8', '', NULL, '2021-03-05 10:55:44.565', NULL, NULL, 'test', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('119e8eb4-51d8-4f39-aea1-75b8e0de9558', '', NULL, '2021-03-05 10:56:13.017', NULL, NULL, 'hi', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('3c421d4a-2e9a-47ba-a751-17375e0635a3', '<p>Notification Caetan</p>
-', NULL, '2021-03-08 12:34:08.263', NULL, NULL, 'Notification Caetan', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('84bd7a68-c61e-4198-b49e-cdcda7129518', '<p>Notification Caetan</p>
-', NULL, '2021-03-08 12:34:26.74', NULL, NULL, 'Notification Caetan', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('36cafe2f-7228-43ba-82b2-b01eaa2f4c98', '<p>this has a target URL</p>
-', NULL, '2021-03-08 12:35:03.477', NULL, 'https://gitlab.cern.ch', 'target URL Caetan', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('13254a5e-6073-473b-aae4-1c55371d6282', '<p>this is for chck if alsways is normal</p>
-', NULL, '2021-03-08 12:38:37.537', NULL, NULL, 'checking normal', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('cecbf3bc-f2ae-4153-a64a-383e57d897b4', '<p>this is a ow notif</p>
-', NULL, '2021-03-08 12:46:28.966', NULL, NULL, 'testin low not', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('16658b7d-2233-4c8d-95cf-db2a0eb5febd', '', NULL, '2021-03-08 12:53:44.119', NULL, NULL, 'test low', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('57345a2c-cd94-428d-896e-06c27294409d', '', NULL, '2021-03-08 12:54:34.104', NULL, NULL, 'payload test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('43f80e77-2ad5-4f6d-9084-489a65d69c51', '', NULL, '2021-03-08 12:55:52.18', NULL, NULL, 'changing update', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('cc11e78c-de65-4bd4-a326-d1c5464ede75', '', NULL, '2021-03-08 13:06:35.277', NULL, NULL, 'check onchange', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('797e3172-c381-4bc5-8ccd-79e70df5209b', '', NULL, '2021-03-08 13:08:06.792', NULL, NULL, 'onchange', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('6c51c94a-4280-4db1-94e9-b561d76251b8', '', NULL, '2021-03-08 13:12:52.684', NULL, NULL, 'test notif', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('458b703a-66e5-4313-94b7-45759b12074c', '', NULL, '2021-03-08 13:13:25.68', NULL, NULL, 'cahnge type', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('5242181e-a919-486c-be81-3a65c2f5fa0c', '', NULL, '2021-03-08 13:13:58.456', NULL, NULL, 'test low type', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('e43d83be-d8a0-49d8-a7c4-6b4dc6d6c5f3', '', NULL, '2021-03-08 13:15:15.874', NULL, NULL, 'test impotant', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('5903a52d-a36f-442c-a702-89fb1230cf0a', '', NULL, '2021-03-08 13:16:33.306', NULL, NULL, 'test  backend changed', NULL, NULL, 'LOW', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('08fd038f-0ffd-4873-8367-b19d01b5737d', '', NULL, '2021-03-08 13:21:03.58', NULL, NULL, 'bancekd test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('e4c23826-f1b4-4266-93ce-5105c14ea33e', '', NULL, '2021-03-08 13:22:07.701', NULL, NULL, 'tstt backedn', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('74a9bfaf-9a71-43ef-b404-f8f00f22aad9', '', NULL, '2021-03-08 13:22:37.986', NULL, NULL, 'test this backedn', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('124611a1-114c-4f95-8085-ec230be1ba72', '', NULL, '2021-03-08 14:02:12.588', NULL, NULL, '1', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('91be5d26-013c-4646-8809-61274645ea1d', '', NULL, '2021-03-08 14:02:41.264', NULL, NULL, '1', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('c30fff76-3d73-4038-8927-006c0d90d9ec', '<p>Testing</p>
-', NULL, '2021-03-08 14:03:40.304', NULL, NULL, 'Hello!', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('b711722c-96b8-4690-8c4a-5dca390e856a', '', NULL, '2021-03-08 14:05:31.682', NULL, NULL, '1', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('38bf32f0-287e-4088-989c-43c990c1f3a7', '<p>Hello</p>
-', NULL, '2021-03-08 14:07:09.36', NULL, NULL, 'Hi', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('2d81b6d3-da44-4ecf-b6f6-a2c4f37ece1a', '', NULL, '2021-03-08 14:07:28.364', NULL, NULL, 'Hi', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('8de4361a-1d6f-4ac0-8649-e447a3e67258', '<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.</p>
-', NULL, '2021-03-08 18:39:41.523', NULL, NULL, 'Lorem ipsum dolor sit amet', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('02a2ea6d-80b0-4ce9-8c99-eb98a48d898a', '<ul>
-	<li>Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.</li>
-	<li>Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.</li>
-</ul>
-', NULL, '2021-03-08 18:40:05.363', NULL, NULL, 'Lorem ipsum', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('bf8a2647-3ca8-41b1-8aae-b0167b379768', '', NULL, '2021-03-09 13:58:45.861', NULL, NULL, 'importante notif', NULL, NULL, 'IMPORTANT', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('5eabde63-dd34-419a-aff6-1c5fa110a865', '', NULL, '2021-03-09 13:59:14.114', NULL, NULL, 'low notif', NULL, NULL, 'LOW', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('10501117-4a24-4354-af1f-50d4be61dbd1', '<p>Test test 1 2 3</p>
-', NULL, '2021-03-11 14:28:17.394', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('efdfc68e-d6c3-487a-8374-7fef520fe11c', '<p>Testing!</p>
-', NULL, '2021-03-11 14:31:04.593', NULL, NULL, 'Test 1', NULL, NULL, 'NORMAL', '9367e33e-47df-4648-825e-e6b52d73b593');
-INSERT INTO push."Notifications" VALUES ('471a81e6-4e7e-4d12-bf77-3c7eda101214', '<p>123</p>
-', NULL, '2021-03-11 14:33:32.6', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('ebea768d-c3db-4f64-9438-e9650d29e0e1', '<p>when notif is created</p>
-', NULL, '2021-03-12 17:33:57.252', NULL, NULL, 'testing current redirection', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('711a7645-e224-40b3-bf0d-3a9734a6e919', '<p>test redirection to Notifications</p>
-', NULL, '2021-03-12 17:42:59.687', NULL, NULL, 'testing redirection', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('3fcfd4bc-4246-434e-a878-e01164e97f66', '<p>test</p>
-', NULL, '2021-03-12 17:44:29.805', NULL, NULL, 'test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('88a71888-50f0-4bc0-8840-e1a63a43b5c2', '<p>test redirection</p>
-', NULL, '2021-03-12 17:45:03.358', NULL, NULL, 'test redirection', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('dc89d360-34fe-46f4-8b33-b0f541a1fa4b', '', NULL, '2021-03-12 17:51:13.78', NULL, NULL, 'testing red', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('b75e1e8a-e211-4f53-972b-ab0036410c85', '', NULL, '2021-03-12 17:53:05.954', NULL, NULL, 'test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('83ba670b-e0fc-4c6e-8bfe-c6fb18cc4ee7', '', NULL, '2021-03-12 17:59:22.197', NULL, NULL, 'eeee', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('1f05fbc7-15bc-42d1-8240-a371f213a49f', '', NULL, '2021-03-12 18:00:12.575', NULL, NULL, 'hash test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('ae65a2e9-ad31-40b2-9b0e-10d10bd52009', '', NULL, '2021-03-12 18:02:30.939', NULL, NULL, 'test hash', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('6217deee-1e0f-4688-a1c0-2fa94b93e13a', '', NULL, '2021-03-12 18:03:23.463', NULL, NULL, 'hs', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('b79eaf36-7202-4758-9c96-eef788055766', '', NULL, '2021-03-12 18:08:33.937', NULL, NULL, 'eee', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('f5df1c5f-b991-4523-8bb4-f4dcb637c3b9', '', NULL, '2021-03-12 18:09:56.17', NULL, NULL, 'dfd', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('eb2406e0-c4b8-4729-8c03-ab9b2569521e', '', NULL, '2021-03-12 18:11:34.026', NULL, NULL, 'rwer', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('26c74b24-535d-4639-9a77-65b447401700', '', NULL, '2021-03-12 18:12:21.312', NULL, NULL, 'location has', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('dd916adb-9ed2-49c7-8341-453a0a1b0d3e', '', NULL, '2021-03-12 18:12:55.802', NULL, NULL, 'asd', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('c42d5424-8017-42a1-8b69-2f5e7fc299c7', '', NULL, '2021-03-12 18:18:02.071', NULL, NULL, 'dsf', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('99749aa9-7405-4c0b-aa70-5c3e2a4e279b', '', NULL, '2021-03-12 18:19:48.182', NULL, NULL, 'sending', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('b7c82cf9-4fd5-44b6-82bd-6dc9f2a87954', '', NULL, '2021-03-12 18:21:43.817', NULL, NULL, 'tsting', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('1c178f2a-4482-4cdc-bede-04d0d6744d57', '', NULL, '2021-03-12 18:23:28.707', NULL, NULL, 'sdfsf', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('52b303ab-e172-40cc-b132-baec78768354', '', NULL, '2021-03-12 18:24:31.266', NULL, NULL, 'section', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('53b7a1f5-55fe-4c2b-958b-29531ae06716', '', NULL, '2021-03-12 18:25:36.174', NULL, NULL, 'eff', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('4d8070cf-fc1f-4ff4-b159-48caee4b43f6', '', NULL, '2021-03-12 18:27:36.829', NULL, NULL, 'setactive', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('07987972-7324-492a-a741-6843611e4bdf', '', NULL, '2021-03-12 18:37:58.755', NULL, NULL, 'sss', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('2fb0900a-d570-4592-b0e1-27559c80dd7a', '', NULL, '2021-03-12 18:48:00.23', NULL, NULL, 'ssss', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('d188c374-4559-4d73-a7ea-1374ecb65289', '', NULL, '2021-03-12 18:49:07.829', NULL, NULL, 'var null', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('a7e5ee53-a45b-40d3-a09f-d2efd5db999c', '', NULL, '2021-03-12 18:49:22.831', NULL, NULL, 'nnnn', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('d607e910-96c7-4fb8-80a8-0c8530677bae', '', NULL, '2021-03-12 18:49:38.281', NULL, NULL, 'another test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('4ddb768c-1310-4aab-ba9c-8f584f04855a', '', NULL, '2021-03-12 19:25:49.073', NULL, NULL, 'sddsd', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('dd6f4afd-d3a9-4c26-afa6-b6420be778fe', '', NULL, '2021-03-12 19:37:23.975', NULL, NULL, 'no hash', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('86f483d4-db82-4f6c-9df6-16e37ed7cbea', '', NULL, '2021-03-12 19:39:12.144', NULL, NULL, 'no reducers', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('d12e114f-da62-4287-a748-a63b552a34a2', '', NULL, '2021-03-15 10:34:44.222', NULL, NULL, 'test send', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('db1a4e29-90de-4c9e-a7ce-349c191fc88a', '', NULL, '2021-03-15 10:34:57.986', NULL, NULL, 'test send consecutivo', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('08ed5bf1-2ff1-4f1b-83bf-16d88711d9df', '', NULL, '2021-03-15 10:36:31.357', NULL, NULL, 'test final', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('58339f4b-565b-4547-b25b-1a6ac1fac1ca', '', NULL, '2021-03-15 10:36:52.89', NULL, NULL, 'test final consecutivo', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('8b7efff5-af94-423d-bf1a-347aeb8c1cb3', '', NULL, '2021-03-15 10:37:01.359', NULL, NULL, 'e outro mais', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('23b32733-fefd-454a-abe5-4f878e22c4d0', '', NULL, '2021-03-15 10:40:39.281', NULL, NULL, 'test no id', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('9e181997-b149-4420-9f43-2d9cbf5ec058', '', NULL, '2021-03-15 10:40:47.75', NULL, NULL, 'no id cons', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('9b7107e9-6852-456d-85c7-41e7995dcbba', '', NULL, '2021-03-15 10:43:29.902', NULL, NULL, 'not null', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('fa7c441f-1e87-4125-b108-4bfd083428df', '', NULL, '2021-03-15 10:43:46.905', NULL, NULL, 'yes', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('0c2364b9-5bd1-4765-931f-aa7ae272495e', '<p>Testing</p>
-', NULL, '2021-03-18 17:55:52.296', NULL, NULL, 'Low Test', NULL, NULL, 'LOW', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('7a295bbf-3485-4890-ac9c-3197672deaad', '', NULL, '2021-03-19 13:48:36.383', NULL, NULL, 'test', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('f0509918-9d5d-4362-b207-513ad052612d', '<p>testing</p>
-', NULL, '2021-03-19 13:01:17.973', NULL, NULL, 'test 2', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('d51714a1-97a8-46d7-bb89-be359c0cae4e', '<p>test</p>
-', NULL, '2021-03-19 14:01:58.167', NULL, NULL, 'test', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('2991f099-7179-428f-89a8-21e5c2136d42', '<p>Service is starting</p>
-', NULL, '2021-03-22 15:04:24.114', NULL, NULL, 'Service is starting', NULL, NULL, 'NORMAL', '2098db12-7ab4-4216-8150-81f762d17cd3');
-INSERT INTO push."Notifications" VALUES ('b56c86ca-a5fe-4eeb-9029-99d46ef7aeec', '<p><a href="https://design-guidelines.web.cern.ch/sites/design-guidelines.web.cern.ch/files/inline-images/fond_Logo%20CERN_1920x1080p_0.png" target="_top"><img alt="" src="https://design-guidelines.web.cern.ch/sites/design-guidelines.web.cern.ch/files/inline-images/fond_Logo%20CERN_1920x1080p_0.png" style="height:1080px; width:1920px" /></a></p>
-', NULL, '2021-03-23 08:22:42.951', NULL, NULL, 'Image Test Notification', NULL, NULL, 'NORMAL', '00736a81-9f42-49c8-9d2c-1b8536507706');
-INSERT INTO push."Notifications" VALUES ('3063b177-0489-4c47-bbf4-53cf8ca82a35', '<p>1 2 3</p>
-', NULL, '2021-03-24 08:59:19.175', NULL, NULL, 'test', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('317ca7c2-0aaf-46cb-a68a-36d4e9a3cd7d', '<p class="ql-align-center"><strong class="ql-size-large" style="color: rgb(0, 71, 178);">Testing the Quill Editor!</strong></p><p class="ql-align-center"><br></p><p class="ql-align-center"><img src="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAOkAAADsEAYAAADBal0TAAAMYmlDQ1BJQ0MgUHJvZmlsZQAASImVVwdYU8kWnltSSWiBCEgJvYnSCSAlhBZBQDqISkgCCSXGhKBiZ11WwbWLKJYVXRVRdC2ArAURu4ti74sFFWVdLNhQeRMSWNd95Xvn++bOf8+c+U/JTO4MADodfJksH9UFoEBaKI+PCGGlpqWzSJ0ABcaACgwAjS9QyDhxcdEAymD/d3l7DSCq/rKLiuuf4/9V9IUihQAAJAPiLKFCUABxMwB4iUAmLwSAGAr11lMLZSoshthADgOEeKYK56jxUhXOUuMtAzaJ8VyIGwEg0/h8eQ4A2q1QzyoS5EAe7UcQu0qFEikAOgYQBwrEfCHEiRCPKCiYrMJzIXaA9jKIt0PMzvqKM+dv/FlD/Hx+zhBW5zUg5FCJQpbPn/5/luZ/S0G+ctCHHWw0sTwyXpU/rOGNvMlRKkyDuFuaFROrqjXE7yVCdd0BQKliZWSS2h41FSi4sH6ACbGrkB8aBbEpxOHS/JhojT4rWxLOgxiuFnSapJCXqJm7QKQIS9BwrpNPjo8dxNlyLkczt44vH/Crsm9V5iVxNPw3xCLeIP+bYnFiCsRUADBqkSQ5BmJtiA0UeQlRahvMqljMjRm0kSvjVfHbQMwWSSNC1PxYRrY8PF5jLytQDOaLlYolvBgNriwUJ0aq64PtEPAH4jeCuF4k5SQN8ogUqdGDuQhFoWHq3LE2kTRJky92T1YYEq+Z2yPLj9PY42RRfoRKbwWxiaIoQTMXH10IF6eaH4+WFcYlquPEM3P5Y+LU8eBFIBpwQShgASVsWWAyyAWStu6GbvimHgkHfCAHOUAEXDSawRkpAyNS+EwAxeAPiERAMTQvZGBUBIqg/vOQVv10AdkDo0UDM/LAY4gLQBTIh+/KgVnSIW/J4BHUSP7hXQBjzYdNNfZPHQdqojUa5SAvS2fQkhhGDCVGEsOJjrgJHoj749HwGQybO87GfQej/cue8JjQTnhAuEroINycJCmRfxPLWNAB+cM1GWd9nTFuBzm98BA8ALJDZpyJmwAX3BP64eBB0LMX1HI1catyZ/2bPIcy+KrmGjuKKwWlDKMEUxy+nantpO01xKKq6Nf1UceaNVRV7tDIt/65X9VZCPuoby2xBdg+7BR2DDuDHcIaAAs7ijVi57HDKjy0hh4NrKFBb/ED8eRBHsk//PE1PlWVVLjWuna5ftKMgULRtELVBuNOlk2XS3LEhSwO/AqIWDypYOQIlruruxsAqm+K+m/qNXPgW4Ewz/6lK7kLQEBaf3//ob900XCf7n8Kt3n3Xzr7WgDoRwA4/b1AKS9S63DVgwD/DXTgjjIG5sAaOMCM3IE38AfBIAyMAbEgEaSBibDOYrie5WAqmAnmgVJQDpaCVWAt2Ag2g+1gF9gLGsAhcAycBOfARXAV3IbrpxM8Bz3gLehDEISE0BEGYoxYILaIM+KOsJFAJAyJRuKRNCQTyUGkiBKZiXyHlCPLkbXIJqQG+QU5iBxDziDtyE3kPtKFvEI+ohhKQw1QM9QOHYWyUQ4ahSaiE9AcdApajM5HF6OVaDW6E61Hj6Hn0KtoB/oc7cUApoUxMUvMBWNjXCwWS8eyMTk2GyvDKrBqrA5rgr/0ZawD68Y+4EScgbNwF7iGI/EkXIBPwWfji/C1+Ha8Hm/FL+P38R78C4FOMCU4E/wIPEIqIYcwlVBKqCBsJRwgnIC7qZPwlkgkMon2RB+4G9OIucQZxEXE9cTdxGZiO/EhsZdEIhmTnEkBpFgSn1RIKiWtIe0kHSVdInWS3pO1yBZkd3I4OZ0sJZeQK8g7yEfIl8hPyH0UXYotxY8SSxFSplOWULZQmigXKJ2UPqoe1Z4aQE2k5lLnUSupddQT1DvU11paWlZavlrjtCRac7UqtfZonda6r/WBpk9zonFpGTQlbTFtG62ZdpP2mk6n29GD6en0Qvpieg39OP0e/b02Q3ukNk9bqD1Hu0q7XvuS9gsdio6tDkdnok6xToXOPp0LOt26FF07Xa4uX3e2bpXuQd3rur16DD03vVi9Ar1Fejv0zug91Sfp2+mH6Qv15+tv1j+u/5CBMawZXIaA8R1jC+MEo9OAaGBvwDPINSg32GXQZtBjqG/oaZhsOM2wyvCwYQcTY9oxecx85hLmXuY15sdhZsM4w0TDFg6rG3Zp2Duj4UbBRiKjMqPdRleNPhqzjMOM84yXGTcY3zXBTZxMxplMNdlgcsKke7jBcP/hguFlw/cOv2WKmjqZxpvOMN1set6018zcLMJMZrbG7LhZtznTPNg813yl+RHzLguGRaCFxGKlxVGLZyxDFoeVz6pktbJ6LE0tIy2Vlpss2yz7rOytkqxKrHZb3bWmWrOts61XWrdY99hY2Iy1mWlTa3PLlmLLthXbrrY9ZfvOzt4uxe4Huwa7p/ZG9jz7Yvta+zsOdIcghykO1Q5XHImObMc8x/WOF51QJy8nsVOV0wVn1NnbWeK83rl9BGGE7wjpiOoR111oLhyXIpdal/sjmSOjR5aMbBj5YpTNqPRRy0adGvXF1cs133WL6203fbcxbiVuTW6v3J3cBe5V7lc86B7hHnM8Gj1eejp7ijw3eN7wYniN9frBq8Xrs7ePt9y7zrvLx8Yn02edz3W2ATuOvYh92pfgG+I7x/eQ7wc/b79Cv71+f/q7+Of57/B/Otp+tGj0ltEPA6wC+AGbAjoCWYGZgT8FdgRZBvGDqoMeBFsHC4O3Bj/hOHJyOTs5L0JcQ+QhB0Lecf24s7jNoVhoRGhZaFuYflhS2Nqwe+FW4TnhteE9EV4RMyKaIwmRUZHLIq/zzHgCXg2vZ4zPmFljWqNoUQlRa6MeRDtFy6ObxqJjx4xdMfZOjG2MNKYhFsTyYlfE3o2zj5sS9+s44ri4cVXjHse7xc+MP5XASJiUsCPhbWJI4pLE20kOScqklmSd5IzkmuR3KaEpy1M6Ukelzko9l2aSJklrTCelJ6dvTe8dHzZ+1fjODK+M0oxrE+wnTJtwZqLJxPyJhyfpTOJP2pdJyEzJ3JH5iR/Lr+b3ZvGy1mX1CLiC1YLnwmDhSmGXKEC0XPQkOyB7efbTnICcFTld4iBxhbhbwpWslbzMjczdmPsuLzZvW15/fkr+7gJyQWbBQam+NE/aOtl88rTJ7TJnWamsY4rflFVTeuRR8q0KRDFB0VhoAA/v55UOyu+V94sCi6qK3k9Nnrpvmt406bTz052mL5z+pDi8+OcZ+AzBjJaZljPnzbw/izNr02xkdtbsljnWc+bP6ZwbMXf7POq8vHm/lbiWLC95813Kd03zzebPnf/w+4jva0u1S+Wl13/w/2HjAnyBZEHbQo+FaxZ+KROWnS13La8o/7RIsOjsj24/Vv7Yvzh7cdsS7yUblhKXSpdeWxa0bPtyveXFyx+uGLuifiVrZdnKN6smrTpT4VmxcTV1tXJ1R2V0ZeMamzVL13xaK157tSqkavc603UL171bL1x/aUPwhrqNZhvLN378SfLTjU0Rm+qr7aorNhM3F21+vCV5y6mf2T/XbDXZWr718zbpto7t8dtba3xqanaY7lhSi9Yqa7t2Zuy8uCt0V2OdS92m3czd5XvAHuWeZ79k/nJtb9Teln3sfXX7bfevO8A4UFaP1E+v72kQN3Q0pjW2HxxzsKXJv+nAryN/3XbI8lDVYcPDS45Qj8w/0n+0+Ghvs6y5+1jOsYctk1puH089fqV1XGvbiagTp0+Gnzx+inPq6OmA04fO+J05eJZ9tuGc97n6817nD/zm9duBNu+2+gs+Fxov+l5sah/dfuRS0KVjl0Mvn7zCu3LuaszV9mtJ125cz7jecUN44+nN/JsvbxXd6rs99w7hTtld3bsV90zvVf/u+PvuDu+Ow/dD759/kPDg9kPBw+ePFI8+dc5/TH9c8cTiSc1T96eHusK7Lj4b/6zzuex5X3fpH3p/rHvh8GL/n8F/nu9J7el8KX/Z/2rRa+PX2954vmnpjeu997bgbd+7svfG77d/YH849THl45O+qZ9Inyo/O35u+hL15U5/QX+/jC/nDxwFMNjQ7GwAXm2D54Q0ABgX4flhvPrONyCI+p46gMB/wup74YB4A1AHO9VxndsMwB7Y7OZCbviuOqonBgPUw2OoaUSR7eGu5qLBGw/hfX//azMASE0AfJb39/et7+//DO+o2E0Amqeo75oqIcK7wU+BKnTVKHUT+EbU99Cvcvy2B6oIPMG3/b8AD2yJiTR2WlMAAABsZVhJZk1NACoAAAAIAAQBGgAFAAAAAQAAAD4BGwAFAAAAAQAAAEYBKAADAAAAAQACAACHaQAEAAAAAQAAAE4AAAAAAAAAYAAAAAEAAABgAAAAAQACoAIABAAAAAEAAADpoAMABAAAAAEAAADsAAAAAPrS/7IAAAAJcEhZcwAADsQAAA7EAZUrDhsAADU8SURBVHgB7d0JfFNV9gfwc1+6sqYLLTupLGWVsiogNCiiINqCrG60Km3ZUlAH0Bmk7qL8ZREhbVCKCkKL0CCDQimkFAQE2fc17Fiatgil6ZJ3/8GZoINAF9KX5OXX+cykybvvnnu+9w2neSsj/EAAAhCAQLkEuPVnJhfItDar7/GtgyPZXnaNRkbHUwMeTNlhKn0D0x6Nsq4q4nTAk3N+O22kQHaBQjYb2AnehL29VO/98+Xw4hVr06ovHzpUl2opV0w0cn4B5vxDxAghAAEIOFbgt+83xMZFNlV5+Hp4CLuXLdT7mlZrqJO6oqOK8AnoPvvB/Qa2kgVSt6iJ/p/0/Hz+W7v2VLQftHcuARRS55oPjAYCEHAigZzkzClxD/VWr2qS+92Eyxs22ntoTxv9289e3qt3nejwVfO7ZBns3T/6k0ZAkCYMokAAAhBwHYHco1s6j5lVX1VVBdQmIRSx8+yR1I3ZmqySsYf8lLbP8epaAiikrjVfGC0EICCBgNjU0p3enDqyqkPpQ00mTd1gEqL4QJ79enxVx0P/VSOAQlo1rugVAhBwQYHilINDxqR40aosk14TFJcgVQrsF7pIT7yaYDuZSaq4iGMfARRS+ziiFwhAQAYCV580naQXOqulTsX2zTR/8uYpJ7Z2DpM6PuLdnwAK6f35YW0IQEBGAop/USt6sKXKUSlxH36dDw9DIXXUBFQyLgppJeGwGgQgID8BMYYxOtW0iaMy46EkUnFzh8V3VN6uHheF1NVnEOOHAATsJsDm8f2U11Rttw4r2lE27ed1Qh0Xv6LjRfs/BFBIsSFAAAIQsAnUoer0cz3bO+lfQ0jF8vCFVHr4+4uIQnp/flgbAhCQk0BD8qMRQY7LyEgFlFNH5bgBIHJlBFBIK6OGdSAAAXkKmMlC54PUjkpO3960SxNcT3XzMphIwo3nHDUPFY2LQlpRMbSHAARkJ1DIN/IXyIP0bU2HNQ38HZ7f5TkZnsG+tXCnI4fPRPkGgEJaPie0ggAEZCRwI8Dw9sRGPsqcXVmtR780POpGlseztU79uNFZUvQ2ecUq6gyL/C3IEB4/S4mC6iwTc5dxYN/BXWDwMQQgIB+BXM2mD8ZU7xBGg+kGBb0SwbNoB2U/l6DvbjqqCfRz+kQjLAGN5xRmGnhN6wPbdqbq+VviMdZ+WXKdDPWueXk5+U6fgMwHiEIq8wlGehBwJwHbN83CL4Ud5jZDI6mYHmS/jhmpr2Naqqn2kFpuFhHr/bvO/nG1gfdlNejZhbMDevX8qsWhtDRm/ZnIRLml67T5oJA67dRgYBCAQFkC+bUNG8cEqVSWeUIKCWNHWk8V2kiF0Qn6RqZCjTKgrNVltzyiNKDjnFWHDHSc/KnHB4t8Nlx+oqTfsmQ8SLxqp9phhXT/iRfnPBbsq/RsU1yiGNI9jJn4q3xk5zDrrovFlNGiPeVQZ6rWSMWasRXUsSaRB+9L2zztpsHPkoLEPLv1V1ZHrKY1I4t08fgpqkZCvpG1sl4XV42XNTzHL1/CezJjbRU9y1bwQDscug9km+gtgfhpPoim17ZbftyTc7rqSUI965/7fjXs1q+1ACjIz5f4YeJU7KOyW8fMeqccU00VldJ1qubxZ7f1qAE7/s+JLVlKp3Xz58/6c4Fz/2bqkzFqTPNgJXvbM4hKp8anWUzfasSxCc49aseNLuJ8QNicnGNGpmCFfNKkif7P9Vw3f5o+zXEjkmfkKi+kW/mLQx4mL/LPLUqouTkikjbxerT9xfhRe307xg16Wi1PVmQFAecU0H1SFDu/wQZDUEHYlByvx3v7sTfZHmutddaf880Mg2Mn1VD6fCNYhA8mx68ym3bFN/tXgrOO19nHFbEnoNHsWj8YBEvpW2zj+Gi/Nx7tPy/wjNHZx+3s47N7Ib1VOC1F79WaEjuB1+XZnP8jPmac70txcY1Uzg6C8UFAjgK6d8yJ2m9zSbGWP6h4pn1Is76p9X5qf97orLnmPmSYPnqLdQ/Vu0IWe3rJSr2Xab+mZnOVs47XVccVsTeg05ykNyb6x/f8/uITn826eWw1zbpTBD8VE7BbIT3ccljc42+p1ewq70pB86fFxPq8GxfRUl2x4aA1BCBQFQJJ482z5+c/O7BlQErE+g4rnG7Xnu0GBLkLsx6r10szQR9iOhl/ZtbMqrBAn3cXiFjh12XmsHohAZ+rlyd+ctl495ZY8leBShfSK9b7bjxpvYA594LXhdLsd6aNWuDTY3TBWwl/7Ry/QwACjhVIesc8Sbvsq+SWPGVM+pRXoh07mr9HLzi93nPcm9WV5gWekZYXl67U98n9Jb7fAPXfW+ITKQQi8gIempN7wcirUZE487nowCd76bWvbjJIEduVY1S4kB5aOuyN8KRqStaRt/VekroydolPQuzC/mpXRsDYISA3AV2ieZl2zXmjl7fncY+Qdh1CjItf+LF/fr6z5HnlMUPHMX6BSiFWeJw8Vq+U6+UpzuJd2XFEZgX0nbM8Ltr/7V66eV0Skyvbj9zXK/fpkYcTBk0Y8F11pfAMH+iVuw4FVO5bBvJzaQGeyzazw1HRzlZA82ZsWDMmp4lKGC7Uo9pZKKBOvpWl9TSt0wzWLjRt2DRuTOPZ02y74J182JIPr8xCmrOzX6KarKf7f+gxrOj89ytjPvF5Pm5YD7XkI0VACECgTIEkvXlG4ri5CS2Llr2+bm6GocwVJGpgqr8leKxfmzAxwOMrCv15o76Z6YCG4xwKifjvO4yemX7QME1C7vKsEfWDFi4sSty5c1KM/S5HvO8BOriDMgup6fmaHT2uTp826i2fEXGDn1A7eLwIDwEI3EFA96F5qXb5SaM4mW0ripg8+w5NHPJRzktbGsY9GaqiSZbuvDB9pV5l2qGpUV/lkMEg6H0L6ANNWzW+I6MKfr3x/rW9320sGJySMmqI4r77dfUO7lpIj54btqjPxf6Ro0b4DBmdOzHB1RPF+CEgZwHuY70BhThxYuvhy2Zkxtxw+LHQ7DObXhob2VzFelseFnZs2Gh7PJic58CdcksbYdodf/lZtdkrWO/x/oKF7r7L92+F1HbHIerE67KUuTj93J3+34FcXU7AellLivaHdEPL35dNSp/8g8Mva7k6afMbYw89oFJsoBs8y7AR30BdbpOq0ID1o3I3x/eNisrdmhVTb9in0yq0sowa/62QejY09xE0kyaMGuMTGxcRopJRrkgFArITEI6LJ/kD4x1+WcvFvls6v/JQTWWpWjzH1fqFKKCy29TumZC+yLQuftvrCbmDMqeNvjQq6p6NZbjwViG1nZVLp1k2uzDebf+ykOEcIyUZCugWmn9I/GxGQouHl49YP+Co0VEp3tylN5ML5N2lNMRrofUORL6mbRrftmpHjQdxHSuQNj43Of7hpIW54ZnjR/frEubY0UgX/VYhFf7lEVe89+WomGU+UbH/cL+nJkhHjkgQuH8Br1rsZbr0ocNPKrq5S+/Y8E+m4UYK9z+ncuqBTxd2s9OpK68oMtLGXw9Qyim3O+Vyq5DyJvQzb/BSxJ0a4TMIQMA5BHTzzF9pN01PCNm/bMe65XkOO6nI1MswOW5QH7Vtl55z6GAUziKgL8w5pym0Xi/8nudblqB5K51lXFU1DuFwy8Ftn3xYpYoZZb037oDO6qoKhH4hAIH7F2AN6U3Fs7MW3X9Plevh0uz1HrG+tZXWR9RdEtZ+ubByvWAtdxHQdzMVaOoMVefu2txrdOqASLnmLQg/KeIsX/ZWyzVB5AUBOQgkvWFeqF26wtBiV8r2n2o47mbiXv7efRRnZ87Ue5syNYGNVXKwRQ5VLyAKYhvqM3tmYZutCaNzfWW3q1fgAm9Kq7uFVz0lIkAAApUVEE6y5xn7ymHHRHM1mz4YU71DmL5hzmFN5+ioyuaB9dxTYFWeaU182AOqgo9KTpLP5AlyUxBYFxLIq5VKbokhHwjISeDqAsuUalPWpzkqJ96F9vIHP8J15Y6aAJnEXVXTtCm+1bRpVxZufSbuQ3/ZfDMV+EXyIQpRyWSekAYEZCWQpDHPTPxglaHL58s1aVQkeW45W7L6jTGEq/UNTdvjL+IWoZJPgEwDsi6ltYQZr8fLJT0h5j2fkXGRDVRySQh5QEBOAozYDb4sXe+onNhmyqNRU3BduaMmQKZxV13JydLUfCvhcv1t4eO713L5b6a3Ln+R6XwhLQi4tIAQxErY2p8NUieRr93yedyixip915xLmuIn1VLHRzz3EPD4seRGaZOXolw9WxRSV59BjF/WAsoSc5TQfd8eqZMsbW/ZwJ4bNVLquIjnXgLsFx7Eto6NcPWsUUhdfQYxflkK6F4zZ2jPGQx1WBr9RKWS5Wi75R87QgpW9+UoyQIjkFsK2J5Lmzcpa/LYn7uGuSoCCqmrzhzGLWsBHsQvsxlbDVInmafepDnWv1MYbjovtbx7x+NK0U987wWX/WaKQure2y+yd1IBxoQd/LkdeyUfXgQrYGf6R0oeFwHdWoB3ZIfYpogoV0VAIXXVmcO45S1Qg7ej9XslPzbKG1IdutIPN2iR99bldNnZ7pRl8s0aGJvd2uV28aKQOt0mhQFBgCgou8OjVxYYjVJZZGuySsYe8lPq65iWaqo9pJYqLuJA4K8CfIZYVxD7qP/6mSv8jkLqCrOEMbqNgO5j89LEOVsNfuxNtodEyfJWNOZPia+4z/MjJYNFoAoJsDbCJTbg4fYVWskJGqOQOsEkYAgQuCVgJk/eZp/x1nupflFRCfl3VEsVDnEgcCcBruT1eLrr7RFBIb3TbOIzCDhK4DRXUf5+yU8yYuuoNuV0xrFRR8074v4hYLu5vavd8QiFFBswBJxJIIi1E5bsl/4ko4cpmO3tqHImCozFfQW8Xyh5WJzR0mW2RxRS991WkbkTClg8ebGoPyxZIbU9H1IfYvpJExyickISDMkNBcTufJ/4bkuXOXsXhdQNN1Kk7LwCrb1Sc9IbXcmXaoQ3TpXuFUtDVFLFQxwIlEeAHSQvdrqxqjxtnaENCqkzzALG4PYCuiVFsdpWuw1SQ7AtzCRkPqCSOi7iQeCeAj2pLRXX5fds40QLUUidaDIwFDcW+J0uU9EpyQHErZY21BOFVHJ4BLy3wEzaSwX11Pdu5DxLUUidZy4wEncWqEsPUOApg9QELITl0YiQ2lLHRTwI3EtAHEc1+P6692riVMtQSJ1qOjAYdxXgu/kjbPDpq1Lnz+bxmpTaUC11XMSDwL0E2BmqzZrUU92rjTMtQyF1ptnAWNxWgNUSZotXTkp2tq4NmndiB9nxINtbvELAKQRc7SxyFFKn2GwwCLcXOM7q8QmnjJI7NCQ/GoFCKrk7ApZL4NLs9R6xvrWV5WrswEYopA7ER2gI2ARygz1OFTxy1mh7L9mrSGYeUFctWTwEgkAFBISGwivsiUAU0gqYoSkE3E5AN928RKs/a+zGvkndRsWS5V+ccnDImBQv0rcwnYjPcfp/pyRzQSDnEvDa7qlUTApw+g0U30ida7vBaNxMgB+nUvI6Y5Q67YKzv0XTo65zMofUPojnHAL8hHhBHBugco7R3H0UKKR3t8ESCFS9gC/5sjMO2KW7QrGSDtVXVX2CiACBygvwtlSXVmPXbuUFsSYE3ECAFVJ98XXpv5FaZgvZ5Fnf6XeZucEmgBTvJdBfyGFF2LV7LyIsg4DbC/D6nNGus2ckh/Cii3wOdu1K7o6AFRLgnF/ljQKc/oYh2LVboWlFYwjYV4BdY23ZpjP59u21HL0pKJStref0/0CVIxM0kbGAsJ11ZN0DnD5DFFKnnyIMUM4Clqn0mfCl9Lt22Yci51txjFTO25YcchO9+Hy+zvkvz0IhlcPWhhxcVoD5l+7xnOWAk41eZoUsDIXUZTccNxk4q0/DWEhDp8/Ww+lHiAFCQIYCSa+Z52nTcqhlrRX90ycWSL9rtzp58z71iMxW3H0yBEZK8hAwkpHMDVXOngy+kTr7DGF8shRgbSiAqp01OCy547Sbbaqvdlh8BIZAOQT07U27NMH1VLYbiJRjFYc0QSF1CDuCursAX0U5dEH6k3XPNzMMjp1UQ6lvZCrUKJ3/JA53306Q/38Eboy6MobGOe+hCBRSbKkQcIAAa2s9a7b4jEHq0NUGKeoJyhYqqeMiHgTuR6BkKr1PTZ13Fy8K6f3MLtaFQCUFxAJ+gbLPSv78UV5PrMvE0LBKDhurQcAhAsJjika0WKVySPByBEUhLQcSmkDA3gLMwvLF8dJf9sKbsiP8tVCVvfNBfxCoSgHuab0ndedWTaoyxv30jUJ6P3pYFwKVFBCK6B/UVvrLXoQk7kM32oRXcthYDQKOEUgTSbzYWu2Y4GVHRSEt2wgtIGB3Afacog87dNRo947L6JAPYgJr2ElVRjMshoBTCTBfChBmtVI51aD+MhgU0r9g4FcIVLWA7tOikdqjR43NDd/NS29/TbLrR38LMoTHz1Iq9SGmnzTBIaqqzhP9Q8CeAvqOuWma+aGqG8fWNntxjbc9u7ZLXyikdmFEJxAonwAr5C9Srd2G8rW2XyvFJ6xb0XcdcJKR/UjRkwMECrdXe6TWYOc7WQ6F1AEbA0K6rwCvw/awBbv3Si0g5LJs4VovtdRxEQ8C9hTg+eI10dxDbc8+7dEXCqk9FNEHBMopwAP5KVG/xlDO5nZrxoPYKaqtxklGdhNFR44QYO0EC+vYs70jYt8rJu61ey8dLIOAnQR075i12rUZhlCe8uR604E9duq2zG5sx5SWXsg5rRmtVpe5AhpAwJkFcrkXHXW+PSv4RurMGw3GJhsB9i1Fkv+YaKkTMk/xebjGPx+NlDou4kGgKgT0fqbtGv8GqquTNr8x9tADqqqIUZk+UUgro4Z1IFBOAV1k4enED6KjWzyfYk4fesxYztXs1kxMYf7syDNOtyvMbgmiI7cUKGlkOS22fcJp/kBEIXXLzRBJV7VA0hvmhdqlKwyhYals3YLk5KqOd3v/3PozkwvE5tI54hFRty/Hewi4sgBrxbJZ4LAIZ8kBhdRZZgLjkIVA0lTzIm3aBWNpjMel0qsxAx2VVO6KzUOON+qttj2GylHjQFwIVIWAXmE6q/ENV+ee3/BhbLcGqqqIUZE+UUgrooW2EChLoBrbyU6OjG67ZMlzGz825ZfVvMqW/yqG0phXR1ZZ/+gYAk4gwM97HlMsHuLwXbwopE6wMWAIri+g+6AwU/vjJwkti5a9vm5uhsFRGV15zNBxjF+gUv947reaxOFRjhoH4kJAEoF9YiCvHRVx81BGJDFJQt4pCArpnVTwGQTKKaBbUhSrbbXbkFvs88a1MVPfKedqVdaMjWQt+SlNfJUFQMcQcCIBffPc1PiO7dW5YzIT6o933MlHKKROtFFgKK4nIB4SWwlNR07sxr5J3UbFDkvgcv1t4eO711KycyyHNRyX4LCBIDAEHCHQQ5FJOyc77A9IFFJHTDpiurxA0jTz94mfjJnYyiM1cu3B/XscnZDn8KL2pUumxOu7m45qAv0cPRzEh4CkAvoG1huOXFSr8yZlTR77c9cwSYNbg6GQSi2OeC4toIspmqxlqw3BdKzTsfnaWY5OxvRNVtTYag+G6Z/O1ceHv5ng6PEgPgQcKSA+wA38qRkzpT5mikLqyFlHbJcTUDSmAWJBXLQf20NG4g4bfyHfyF8g6x0+A3h1XuermQ4bCAJDwIkE9KGmy5paPdWmTVnh9a4MlexsXhRSJ9oIMBTnFUicWvh14vhR0c1KlzXKaHPB6OiRFr6nGFKz4+QEva9ptYY6qR09HsSHgDMJsKPUgLWbMfN8M8Pg2Ek1lFU9NhTSqhZG/y4tkPivwmTtgkxDXeF4r2Orv0x2dDK5uYbZcQUPq9N6mnbEm96f5ujxID4EnFFA39z0s8a7oco3mrVTtHm7yk9CQiF1xq0AY3IaAcVOfol3i3X4rlzbX9Z8h5AuNPp6odMAYSAQcGIBfffcrzRv/yMhJzlzStxDvdVVNVQU0qqSRb8uLZD0ceHixPiPElo8vHzE+gFHjY5OxvdVoUDRWztT72Xar6nZXOXo8SA+BFxJgBWzM8KZrxdma7JKxh7ys/uuXhRSV9oaMNYqF7DdK1fYXy3do+jD2VUesIwAprcz3xh94cUo/UOmQ5q456PKaI7FEIDAHQRsu3oVg2gIf+kLu5+ch0J6B3R85L4CnNN2lvbGOy2aL0pYs/Z6vqMkcvpmlY4e2kKl7229c0t37Mp11DwgrrwE9Dxnt+bKiCjbH6j2yg6F1F6S6MelBXQfmOfNp02GVh4pk9ZlLk12VDI3jq1t9uIab2KT+GiWtRTHQh01EYgrawHbH6jZZza9NDby/g+VoJDKenNBcuUVEM/xpxUPvOPwe+Waf/F9vubUGdOsj4lap/HqoC7v+NEOAhCouIBwgorFxOSFt67LrngXf6yBQlpJOKwmD4GkiYVbtD/sM7Sqm2pZyzcYHJVV7mebxo79rn9kWgNTsiYH98p11DwgrnsJrBJMW+O7dlcXzlS8Uqv1PxMqmz0KaWXlsJ4sBNg1Rnz4aoOjkrnYd0vnVx6qqeSFdJWP0dr9JAhH5YW4EHAlgbQOpgxNQcK03PDM8aP7dQmr6NhRSCsqhvayEuC1eS3KN2Q6Kimff1me8M7+6ObN5rM0tRqpHDUOxIUABIj4ZCayQ/P/uFfvTF7+8lj+llCGgAwFeBfezeOl40apU7OdlZtmMX2rEccmSB0f8SAAgb8L2G65mbtnc/Tx089F/b3FnT9BIb2zCz51E4G6h2sc8H/tnFHydNfw19gPE0dKHhcBIQCBsgV28iv06D9HlvcpMiikZZOihYwF/FgyLRlqkTxDNofWEw1OkDwwAkIAAmUK6JuZDmh4S3VeXuacugUPqctaAYW0LCEsh4AdBa4s3PpM3If+Sn0HU4EmKNCOPaMrCEDA3gJ8g5DGhqrVZfWLQlqWEJbLWuDY8ZEJ/Z+o+scs2RCrqQt+9LhWZHuLVwhAwIkFmJl6scsNeFlDRCEtSwjLZS3AaxYXFk2ta/ebWN8NrXpIn5K5HxXkR1wM6Dfn2i7D3drhcwhAwPECYmv6lf7vapkD8SizBRpAQM4CvhadsKbZf68bO2GUKlWey6/w/AV6qm+NWHOeWqq4iFM5gYgDAa3mXMglakm+9OtlA/3G8igum6gx+dPiUmLfcpGPsP6D24bdYKvFP4Mc5NX4AIH4C0xg39Um66wreEB1YjeomNUPUNENus5bBqn0LUwn4nMk+3vuz/Hht3sKMMb8xQtZZV4eh0J6T0YslLsAD6UkqtvpZiEdTPRTmlT51nizxi8lrRclR3zE2sw58v5MfVvTYU0Df6nCu32cCEtA3znFuw3cw7rzzn+nkf0icl50ZC/zYLWF944YS5qUllqWHd1Ts11JRkHMeWO13r1++qb/f3fJt7+N74Hb3te57f3Nt0nW/97eztbsV6KbN+Yott6YwyeTN/b6/AGVuE6sTSObqoRl1osZ/duGifWpiGd0CGedmSAEdFTpvU2ZmsDGKlsXeLWvQERpQMc5qw4Z/MMeWXS5/TqDtfev7xUBhfReOlgmf4FDpGD7uoZbv1dI+uNzvdO5BQdu5Od03dRj9Nm3J1q/mRD1nIs7G9lpFiKyA8Lm/J5uoEBWm7+crhe78APs8y17anTzfIZf3r3H92C3hPn+hfl/hLt0W9ARt72X4M+r+ut67Pxy+7Wb49lJXffuofCbY7C+/vGz4j8j8PnPu5v/m/f+pilU0kglFvNSflqtphN0ia4/Gk7t2QHWuX+UvqspX+Mf9OcK+K1iAlm8KQ/8eBF7nLE0KvMQKbFeCS+pvj9tfXgUfiDgxgKzzuY9njTH16/jVz/o1s403/wHTZKfm9ep3byDSu7izb2Pd8/YqG+Qc1pz0foPI37uKRDxS4ByTm428detJad0RQKbRUd42MrMags9u9O/s/63UN6zJ3kttG1POdeyOh33flgtFLBO9Puz4bSM55ByRJS+vWmXJrieSl5Z2y+biPX+XWf/uNrg/36vlEutn+lt3bWLQmo/XvQkd4GkcebPEr99snfLwJRB66auNUidb+7RLZ3HzKqv4kZLXXrXsFHvZdqvqdlcJfU4nDXeMzcCes72TkymK7wh91u2yHf1bx0tjTcZqi8fOlSXKv11wM7qdLdxFQxOSRk1REFFYvAqjxN9I3krKqLFY+L1fXJ/ie83QH239dzl84i8gIfm5F4wil+IJ8gjrEOdDPWueXk55f6DGt9I3WVLQZ73FNDNNS+Yb/42OTQnpc/6Vi9G37NxFS78LcgQHj9LqfRYpQgpeSYqih/hZ3kNdQSrSw1ZSAfZHxt7RgzoNvuXnw1Mz2uSesEin4klyYrIlDTb2c5VSO+WXZt8swbGZrcOo6ncrGj1ery+m+mQpsbLUe6CceskMgU1EIaoOwSM6fXl3O/2/3eXevkVUEjLb4WWbiDwRZfrvb+YFeDX7qkVCzfMzi33X6RS0dz6ZjEr8IRwvq7KUstjueLXJiq2m9rzpnWVwmzemDYEKPmz7Azr6K+kLozx1/xr872igmv8VUI6y2G9/FS2s0it54zWo95+RJ50kVb5Eh2gAOpV7ebZpGeptLbKejP9o5pA63I7/URcsB67zL9spLqkoOJ9RraIN+LnMzPF34T/o9HLkwPX9fSYn3LMaKdw6KaCArm/ZiWMu1BPZT27+KgYFj+SjlMe5Y1KcPWT4SJ+Dgidk5NH1IqUJNwwUoH1G7lYQIJKKKTnXxro1/ORdfOStle4gNp4UUhtEniFgFVA96o5W7v6zXdCG6bcSB//cQJQ/iNQlLhz56QYT7p6sLB9wYQaSs/GJek8qJbSss87RnzBh4QJPEzx2d9vbCH8wp6w7LiS78u8u9XacsnoHdu58ydJJWB1EYHCNlsTRuf6Km+MLTnHGg+M5K1ZMTVRhwsruEgFrVX8KbpKvwepeDA14icVt7JiV+gyO2s28t/Jg6uuEttE3qyO9e/S6rwJJVw18h7sDE+2fq4gC8vLN5KJvMkj7yqrxq6T/1XiRrEDjbiazzi7yJpezRf9eU3LrMJ84UHFAcXC3/P5ALaDepjJ4wX+Im0pzC/9lP9seeRavmU8ZSo2l1LQnJ6eX7TOk+wPYRTSW1OPXyBgvUphmDk58VMTKUYrUnhsiF9zw3fz0tv/cTYleCAAAQjcUUC446f4EAJuKhCzzCcq9h8BJP5ieY59PXGCmzIgbQhAoAICKKQVwEJT9xEYNcnnhdhx70w7tnioz+MpLVTukzkyhQAEKiqAQlpRMbR3KwFxEK0l4xcL8/hHPIzwfxe3mnwkC4FyCuBfhnJCoZl7CsRM9xkZN6SP+jefXWvrxLyV4J4KyBoCELiXAArpvXSwDAL/FYh50zcu7s33ph29OtT/8beejAQMBCAAAZsACqlNAq8QKIfAqJk+teJG/bjy2J7h0/t+Hq4uxypoAgEIyFwAN62X+QQjvaoReDXNa37sAMPGo3WGZvCaj/cOvZLyWHrUekPVREOvziZgO2Z+5dt9Y+t0rqviT5fuFnyDlewkW863CmQJpxTx21pKwZceZGYFsb00mj+fn8+fVnQX0opJsVd8z9LalB9Q4tso+OBlox9LpiVDcatDZ5vn8o4H15GWVwrtIHAPAd3Iwl+134+bGBqSGpD+xhez7tEUi5xY4OjlEZMf29xMxduU9hNWdVHTFQqjOp2bWG8/sIfyO6lv3sScApupYt6zHjuPbKCyVypJb5q/me9lNFqfUrqa7TxsJAV/nIfsMFBdtov9uHOvoqNgpCcNBlzXbC9x+/aDQmpfT/Tm5gK618wZ2nMGA/uB2tDl2OgWz6eY04filnfOslnsP/HinMeCfZVe3YraCNN7hBG7+Z8+4VxBRsqLUMfE+rwbF9FS7SzjvX0cupiiyVq22sC9eQta/sMisSYfRsNWprX2Ss1Jb3Ql//b2eC+NAAqpNM6I4qYCOq05Wbt5fgL7P3qSvGctQmGVZkM4tm3wd31Wh6osLVl9YUX/SGZhvjysX0TM5z5D455+XC3NKKSLkjTenJqoXZzMC3lvMWjuolYNU6+vf32bQboRuGekPOtFcaqbf4vheaTuuQEga8cI6JLMqdp/bzfQXraHHks3cB9xOFdsyrRs9NAKHkeMbZ757h/rHjhndMzoXCfqjvGD50Rab89aK9lj5/XB4WoeLPaitwaEs7PUlmX0jxr1ls/wuMFNVa6TkX1HqvvC/JX2+18NtIMdon5fLCou9RLFR5emtWv2jSbjt/8+0Ny+Id2itys80voXsQflWLw+EcMHRwmtmYVvnzQShdQtph9JuppAks78tnb1TgPLZUepvfWY2SVqQOGHz3ALb8J3Hd2jOCwEc+Mho5/P1b2WgSf3BHb+MdZA8rsZ/MFVIz7te6qRSjFSvEAfPqmm/byfmPDUyJgFPrGjSyLUrjavjhpvUox5jnZlHrE61JplL0oQtgs5locS9c0fWfpwxsAjexw1LmeNe+tksku7QwNLOoaJD/CFwrODIqx7Ngp4j5FRo/7pExM3tL7KNn4UUpsEXiHgwgJJidbCqz9ioDUUTLmHyfpQtR5U87SBgoUEunb2KssV49jO80axmIp4//NG/oViBPFL+R79vId6rs7Nb9F8UcKatdftfowtZ2e/RLX1GW3Xomst8BpcQ3njA2EofVJDqWhe+gENb6yiLsIIUd9QyS7zj9l5lYofp830w0MR9CDVIL+udj+px4WnuEqGbjumL1bnF9gnixdZXvQ8X9J2ZVrbJUue2/ixye7bQ5UkYe3UVvguPL//O78pfkrP9NJgj5zaSr6BTxT/yUgoZj8qmiuV1mfKXGIqb6X14XAXLKl1law2hQrLGqh4DW6iQ/Vqs1PCPj6nndq6v/YkneqqHvWW9/K4kKAyh41CWiYRGkDAfQRufXNRWR98FVZC/BwfQEevG8sUYCSSqaaKSuk6VfOgmCQfTdxA+z3HtMz4aGBXgaRXzV9rf8wysBYksJPrM6m69Q+wdj8bLCPonDD5Qr7lidLMkuG/GWtM8TzgcYHfim35P3GVMLW6UhwuePCnrM+3TefF/HItJSmEb2lmDSUPEafzS75K63aSRf1rkvWptJ4k1FRSI8qmXX5KOkwhfKh/bQrnZmGcP9Fn9AA18lPzR9gO3sSfWEvr9lVs/ZxZd794+KtGjfGJjYsIUd0agMS/JL1mnqdNy8ExUondEQ4CEIAABGQikDTVvEibdsGIOxvJZEKRBgQgAAEISCxQSgIfWoLHWUjMjnAQgAAEICATAVafzGxJMQqpTOYTaUAAAhCAgNQCedajvDWKsWtXanfEgwAEIAABmQg0Y9tpInbtymQ2kQYEIAABCEgucJ33oRnYtSu5OwJCAAIQgIA8BPgvVGi9SBXHSOUxncgCAhCAAASkFmCN6AYKqdTqiAcBCEAAArIR4NbLX6gEx0hlM6FIBAIQgAAEJBa4SgVsL3btSqyOcBCAAAQgIBuBq1SDN0Ahlc18IhEIQAACEJBWgPVnO6g3riOVVh3RIAABCEBANgL8F96TfY9jpLKZUCQCAQhAAAISC+TRdd4Qu3YlVkc4CEAAAhCQiwDrxn6mfti1K5f5RB4QgAAEICC1QA3+DG+Cb6RSsyMeBCAAAQjIReAUD2KLcYxULtOJPCAAAQhAQGqBi8I661m7uEWg1O6IBwEIQAACMhFowluxBSVMkEk6SAMCEIAABCAgrcAx6stV+EYqLTqiQQACEICAfARa0TpiJfn4RiqfKUUmEIAABCAgpUAeBbLz+EYqJTliQQACEICAjAS4wGuJ6mJ8I5XRnCIVCEAAAhCQUICdFVawRvhGKiE5QkEAAhCAgKwEWvBOLAXXkcpqTpEMBCAAAQhIKLCdHhEnYdeuhOIIBQEIQAACshIYJkwUZmPXrqzmFMlAAAIQgICEAhm8nRiFQiqhOEJBAAIQgICcBLhSHETXcR2pnOYUuUAAAhCAgIQCwknFPGEtvpFKSI5QEIAABCAgJwE+lF8Vv0IhldOcIhcIQAACEJBQgH3Hxwr7cdauhOQIBQEIQAACchLgMYp/0ne4jlROc4pcIAABCEBAQgFhNo+zeGDXroTkCAUBCEAAAnISEAeKBcK/sWtXTnOKXCAAAQhAQEIBxWLeWjEe30glJEcoCEAAAhCQk4BlrOJiUTCuI5XTnCIXCEAAAhCQUMDLh8d5jsM3UgnJEQoCEIAABOQkYH62pIfXsyikcppT5AIBCEAAAhIK5E+rfiFnBHbtSkiOUBCAAAQgICeBlrQ/9TLhOlI5zSlygQAEIAABCQSSxpi/0i6+Qn5sDxmJk6BLNC/TrjlvlCA2QkAAAhCAAARcXkAIogeoW47BlojAd1ARsdNG2wd4hQAEIAABCEDg7gLibjpImUduNRBYqPV3y2HjrU/wCwQgAAEIQAACdxVgXageEw4YbA0EOk3NeNTPmbYP8AoBCEAAAhCAwN0FuIJtpJzMW3VTKN2mWCxc2WC4+ypYAgEIQAACEICATeDG8zeOMM8te2zvme2Xo/WH7nh87raNo2J8hsQ99ZDa9jleIQABCEAAAhAgWvCueb320tLkFmJKs/TuI6JtJoLtF36BBHZwkd72Hq8QgAAEIAABCPwpIGbTPpaRvOjPT/7z25+F9J3Sb7x6fZ1suz7m9oZ4DwEIQAACEHBHAd0n5hTtqoOG4IAOA7OnphtuN7hVSFslrJi1ekRBPvNiB2jqzHdub4j3EIAABCAAAbcUKOK12Npps/3Ym9ZbMIh/I7hVSG1Lfp9qoer8swTd52addvkxo+1zvEIAAhCAAATcSUD3gXnefNpkCCo93vLYmhVpd8v9b4W0y+fLNWnWezSQYP1PnbG3DqberQN8DgEIQAACEJCjgLBR8Od7YifabgV4txwVd1sw98bBr0+lnTKu3dbi3/mnvemHRzxXdO7XU3239vgcAhCAAAQgIAcBXWTh6cQPoqNbdE1ptH7y+p/Kyulv30hvXyG4sHqPwBemvqPTFkVoH/jecPtyvIcABCAAAQjIQUA3w7xcu2peQmhYKlu3IDm5vDmVWUj9WDItGWqh4s1eTcWgFwfqPimKnd8AN3AoLzDaQQACEICAcwskjTenJmoXJwdd69DpSvz4Cp9sW2YhtaXfrtk3mozfCvN/f8VSvYZX/974hmqTwSsEIAABCLiiQJLePCNx3NyEYP8OnbOnvxR9t7Nyy8qNldXgbsvzeBipiNFvQaETmr+tmRAz1jstLnrWzLu1x+cQgAAEIAABZxBI+qIoUrtwwsSWV5bNSn939qz7HVOlC+ntgQ+/MrzZY6VdwoRVYpIwa/7MUWN9Xo57tpP69nZ4DwEIQAACEJBSwHYZi+gh9hL6j57YqnB5jXWHD926V+79jsVuhdQ2kDweRc+lKCh7bwHPWfdiFPUQEvjgKdNG/cN7UVxoqMrWDq8QgAAEIACBqhDQJZu/027cb6CV9Agf9v7soLBjlhPVU9PKuoylsmOxeyG9fSB5/CPrTmCBsnfvGhq48YlIel7owNgLEaOGeSfFNXku6vb2eA8BCEAAAhCoiIBuetEw7blvkqkG70unvl4UlH3sseNRGYaqKpy3j63KC+ntAW3vr/BIepI8KEf03GuZ2ylMuCocoDe7qKkdHaEtLWvTXHEipTdWUw9mpp41iNpYP99Uy7a667xuYydoUFP1qG+8P4xjStcZt5uONOn7opHaH/YZ2GUeTsUlbqqAtCHgYIGD1JJ6/U60hftQ1nWiccJMevysgfZbP+9x5Ko4iDJZt18MdTf6JgW++use29Uljhq1wwqpoxKWOu6R80PX9jmftjFmgU/s6JIItdTxEe/eArpPzV9rVyclB2ReO1wyflx0YOcfYw2EAnpvNSyFAAT+KuDx1zf4HQLuIqCLMJ+bHzRsYGhCSq/141PSqLO7ZI48IQABewugkNpbFP05pUDS2+avEuecMFoPHewUvx54s4BOWm86YLez9pwyaQwKAhCQRACFVBJmBHGUQOJz5oTE6DUG7/ZsMgW+MDDk4LId6015+Y4aD+JCAALyEyj3nY3kl7pEGRXwEJbCJQqGMDYB3TzzV9pN0xPqNu8wMtvwdO+Q/ct2rFuOAmrzwSsEIGA/AXwjtZ8lenICAetp8BO02wcNDC1MeTR95Mo0YilOMCoMAQIQkLMACqmcZ9cNcktKNL+t1R8xiENIED4aNNFaQKPSfzuMY59uMPdIEQLOIoBdu84yExhHhQR0HazPC5y7zMBjS/d5B3ce2HpOStRaFNAKGaIxBCBgHwF8I7WPI3qRSED3hnmvNmfKxKDqx9nx//tkll/EHjISjkFLxI8wEIDAHQRQSO+AYtePbrDjlI9/6CtrmjTMnJz4qYlYL7LwrsN7Wy9bqZ0etd5Q2f6wHgQgAAF7C2DXrr1F0Z9dBHRLimK1rXYb+EBxnLCrc0jolZTHUEDtQotOIAABOwugkNoZFN3dn4BurnnBfPO3ycVrvKqLtXsMbHVk+YGfthmN99cr1oYABCBQdQLYtVt1tui5AgK2Y583d92u7zJ9FjWrwMpoCgEIQMCBAiikDsR359DWB+0maVMuGimEGfjSwdF/FNDdWw3ubILcIQAB1xRAIa3qeWtO1cgXJxvZmJMmmRdrl20xMJPYn70/JLrF58uvpl+/ZLQtxysEIAABVxPAMVJXmzEXHa/tcWV5vt6zrk15tPfNAroOBdRFZxPDhgAE/iqAb6R/1cDvdhfQTTCv01565eau2xbp479KJjwB1+7G6BACEHCsAAqpY/1lFz1pbuHXWu05I49QvCx+8OzAUGVKi4yQHbhln+xmGglBAAI2AezatUlU0StrxtLoLfkfI9W9Zs7QnjMYyMeSLZZ07tDqy6UnMjxQQKtos0K3EICAEwmgkDrRZLjiUJJWFQ3QZsxJ8K9Z3FTR6/HeLc+vGJzxWTae9+mKk4kxQwAClRLArt1KsWEl3XNFMxLXDhkYmrBscHrccuvjymACAQhAwD0FUEjdc94rnPUfl62sPW6kLrSF/9P6vM+ElMHrTQdw7LPCklgBAhCQmwB27cptRu2cT+K/zK9r//1vg3drz9Mejbt2aHkwZRIKqJ2R0R0EIODSAiikVTx9fCsfQG+73slGunnmr7SbpifUVXQYd2XcM71DjItf+LF/Po59VvH2gu4hAAHXE8CuXdebsyodcdJnhQsSP44cGPp76qPpiXrrsc+UKo2HziEAAQi4ugAKqavP4H2OP2li4RbtD/sMdJb6iU8Pim6ZkNonI/Gk8T67xeoQgAAE3EYAu3bdZqr/N9EF75rXay8tTeYzLZ961+k+sGW71H0ZISig/6uEdxCAAATKFsA30rKNZNXC9riyFtbHlaV3tz6uLEFW6SEZCEAAApILoJBWMTlrTr+Tj/Vko39VcaC7dJ/0mnmeNi2HqA47zE4O733zcWXpczMMd2mOjyEAAQhAoIICKKQVBHOV5rovzcu063YZLCf4DHHAoOjWRSmpGc3PGF1l/BgnBCAAAVcRwDFSV5mpco5TN71omPbcN8nFG723i28/MrD1t6kooOW0QzMIQAAClRHAN9LKqDnhOklfFEVqF06YGFq4bHr6u7NnUTMnHCSGBAEIQECGAiikLjqpSVPNi7RpF4z8En+Ki4NvXrYya/272wwumg6GDQEIQMBlBVBIq3jquIf1ZCNf+93ZSDffnKhN22xgq2iSYtSQ6Ba7Uq//VOOysYrTQPcQgAAEIHAXARwjvQuMs32s+9T8tXZ1UnLAv68ZSyY+2rvFrpTtKKDONksYDwQg4I4C+Ebq5LOuiyw8nfhBdHRoQipLX5CcTJ2dfMAYHgQgAAE3E0AhdbIJ1003L9HqzxrZSYriY58d2KJ+Klu/YCceV+Zk84ThQAACELAJoJDaJBz8aj15KEm7+idDcZdSneX08wPb1V9xbINnLp624uB5QXgIQAACZQngGGlZQve5nC3jUezc3U82sj2uLFio1rdO8IDe7Z5asXDDbBTQ+2TH6hCAAAQkE8A3Usmo/zeQ7r3CnxLHDh4Yakltmb7me+vjyv53Od5BAAIQgIBrCKCQSjRPus/NOu3yY0axrTCRvzjojwK6fs1BHPuUyB9hIAABCEDARQWOeg3d2nfaC1HH1SPGPL63ptJF08CwIQABCEAAAhCAAAQgAAEI2F/g/wEJDl99XMmJxAAAAABJRU5ErkJggg==" style="" width="162"></p><p class="ql-align-center"><br></p><h2>What is Lorem Ipsum?</h2><p class="ql-align-justify"><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry''s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop <em>publishing</em> software like Aldus PageMaker including versions of Lorem Ipsum.</p><p class="ql-align-center"><br></p><p>From: <a href="www.lipsum.com/" rel="noopener noreferrer" target="_blank">https://www.lipsum.com/</a></p><p><br></p><p>A list</p><ol><li>one</li><li>two </li><li>three</li></ol><p><br></p><p>another list</p><ul><li>1</li><li class="ql-indent-1">1.1</li><li class="ql-indent-1">1.2</li></ul><p><br></p><blockquote>Quote myself!</blockquote><p><br></p><p><u>Bye bye,</u></p><p>Carina</p>', NULL, '2021-03-25 16:05:13.184', NULL, NULL, 'Testing new free editor!', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('09d8189b-aae6-494e-8e42-3a5581ca6266', '<p class="ql-align-center"><img src="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAOkAAADsEAYAAADBal0TAAAMYmlDQ1BJQ0MgUHJvZmlsZQAASImVVwdYU8kWnltSSWiBCEgJvYnSCSAlhBZBQDqISkgCCSXGhKBiZ11WwbWLKJYVXRVRdC2ArAURu4ti74sFFWVdLNhQeRMSWNd95Xvn++bOf8+c+U/JTO4MADodfJksH9UFoEBaKI+PCGGlpqWzSJ0ABcaACgwAjS9QyDhxcdEAymD/d3l7DSCq/rKLiuuf4/9V9IUihQAAJAPiLKFCUABxMwB4iUAmLwSAGAr11lMLZSoshthADgOEeKYK56jxUhXOUuMtAzaJ8VyIGwEg0/h8eQ4A2q1QzyoS5EAe7UcQu0qFEikAOgYQBwrEfCHEiRCPKCiYrMJzIXaA9jKIt0PMzvqKM+dv/FlD/Hx+zhBW5zUg5FCJQpbPn/5/luZ/S0G+ctCHHWw0sTwyXpU/rOGNvMlRKkyDuFuaFROrqjXE7yVCdd0BQKliZWSS2h41FSi4sH6ACbGrkB8aBbEpxOHS/JhojT4rWxLOgxiuFnSapJCXqJm7QKQIS9BwrpNPjo8dxNlyLkczt44vH/Crsm9V5iVxNPw3xCLeIP+bYnFiCsRUADBqkSQ5BmJtiA0UeQlRahvMqljMjRm0kSvjVfHbQMwWSSNC1PxYRrY8PF5jLytQDOaLlYolvBgNriwUJ0aq64PtEPAH4jeCuF4k5SQN8ogUqdGDuQhFoWHq3LE2kTRJky92T1YYEq+Z2yPLj9PY42RRfoRKbwWxiaIoQTMXH10IF6eaH4+WFcYlquPEM3P5Y+LU8eBFIBpwQShgASVsWWAyyAWStu6GbvimHgkHfCAHOUAEXDSawRkpAyNS+EwAxeAPiERAMTQvZGBUBIqg/vOQVv10AdkDo0UDM/LAY4gLQBTIh+/KgVnSIW/J4BHUSP7hXQBjzYdNNfZPHQdqojUa5SAvS2fQkhhGDCVGEsOJjrgJHoj749HwGQybO87GfQej/cue8JjQTnhAuEroINycJCmRfxPLWNAB+cM1GWd9nTFuBzm98BA8ALJDZpyJmwAX3BP64eBB0LMX1HI1catyZ/2bPIcy+KrmGjuKKwWlDKMEUxy+nantpO01xKKq6Nf1UceaNVRV7tDIt/65X9VZCPuoby2xBdg+7BR2DDuDHcIaAAs7ijVi57HDKjy0hh4NrKFBb/ED8eRBHsk//PE1PlWVVLjWuna5ftKMgULRtELVBuNOlk2XS3LEhSwO/AqIWDypYOQIlruruxsAqm+K+m/qNXPgW4Ewz/6lK7kLQEBaf3//ob900XCf7n8Kt3n3Xzr7WgDoRwA4/b1AKS9S63DVgwD/DXTgjjIG5sAaOMCM3IE38AfBIAyMAbEgEaSBibDOYrie5WAqmAnmgVJQDpaCVWAt2Ag2g+1gF9gLGsAhcAycBOfARXAV3IbrpxM8Bz3gLehDEISE0BEGYoxYILaIM+KOsJFAJAyJRuKRNCQTyUGkiBKZiXyHlCPLkbXIJqQG+QU5iBxDziDtyE3kPtKFvEI+ohhKQw1QM9QOHYWyUQ4ahSaiE9AcdApajM5HF6OVaDW6E61Hj6Hn0KtoB/oc7cUApoUxMUvMBWNjXCwWS8eyMTk2GyvDKrBqrA5rgr/0ZawD68Y+4EScgbNwF7iGI/EkXIBPwWfji/C1+Ha8Hm/FL+P38R78C4FOMCU4E/wIPEIqIYcwlVBKqCBsJRwgnIC7qZPwlkgkMon2RB+4G9OIucQZxEXE9cTdxGZiO/EhsZdEIhmTnEkBpFgSn1RIKiWtIe0kHSVdInWS3pO1yBZkd3I4OZ0sJZeQK8g7yEfIl8hPyH0UXYotxY8SSxFSplOWULZQmigXKJ2UPqoe1Z4aQE2k5lLnUSupddQT1DvU11paWlZavlrjtCRac7UqtfZonda6r/WBpk9zonFpGTQlbTFtG62ZdpP2mk6n29GD6en0Qvpieg39OP0e/b02Q3ukNk9bqD1Hu0q7XvuS9gsdio6tDkdnok6xToXOPp0LOt26FF07Xa4uX3e2bpXuQd3rur16DD03vVi9Ar1Fejv0zug91Sfp2+mH6Qv15+tv1j+u/5CBMawZXIaA8R1jC+MEo9OAaGBvwDPINSg32GXQZtBjqG/oaZhsOM2wyvCwYQcTY9oxecx85hLmXuY15sdhZsM4w0TDFg6rG3Zp2Duj4UbBRiKjMqPdRleNPhqzjMOM84yXGTcY3zXBTZxMxplMNdlgcsKke7jBcP/hguFlw/cOv2WKmjqZxpvOMN1set6018zcLMJMZrbG7LhZtznTPNg813yl+RHzLguGRaCFxGKlxVGLZyxDFoeVz6pktbJ6LE0tIy2Vlpss2yz7rOytkqxKrHZb3bWmWrOts61XWrdY99hY2Iy1mWlTa3PLlmLLthXbrrY9ZfvOzt4uxe4Huwa7p/ZG9jz7Yvta+zsOdIcghykO1Q5XHImObMc8x/WOF51QJy8nsVOV0wVn1NnbWeK83rl9BGGE7wjpiOoR111oLhyXIpdal/sjmSOjR5aMbBj5YpTNqPRRy0adGvXF1cs133WL6203fbcxbiVuTW6v3J3cBe5V7lc86B7hHnM8Gj1eejp7ijw3eN7wYniN9frBq8Xrs7ePt9y7zrvLx8Yn02edz3W2ATuOvYh92pfgG+I7x/eQ7wc/b79Cv71+f/q7+Of57/B/Otp+tGj0ltEPA6wC+AGbAjoCWYGZgT8FdgRZBvGDqoMeBFsHC4O3Bj/hOHJyOTs5L0JcQ+QhB0Lecf24s7jNoVhoRGhZaFuYflhS2Nqwe+FW4TnhteE9EV4RMyKaIwmRUZHLIq/zzHgCXg2vZ4zPmFljWqNoUQlRa6MeRDtFy6ObxqJjx4xdMfZOjG2MNKYhFsTyYlfE3o2zj5sS9+s44ri4cVXjHse7xc+MP5XASJiUsCPhbWJI4pLE20kOScqklmSd5IzkmuR3KaEpy1M6Ukelzko9l2aSJklrTCelJ6dvTe8dHzZ+1fjODK+M0oxrE+wnTJtwZqLJxPyJhyfpTOJP2pdJyEzJ3JH5iR/Lr+b3ZvGy1mX1CLiC1YLnwmDhSmGXKEC0XPQkOyB7efbTnICcFTld4iBxhbhbwpWslbzMjczdmPsuLzZvW15/fkr+7gJyQWbBQam+NE/aOtl88rTJ7TJnWamsY4rflFVTeuRR8q0KRDFB0VhoAA/v55UOyu+V94sCi6qK3k9Nnrpvmt406bTz052mL5z+pDi8+OcZ+AzBjJaZljPnzbw/izNr02xkdtbsljnWc+bP6ZwbMXf7POq8vHm/lbiWLC95813Kd03zzebPnf/w+4jva0u1S+Wl13/w/2HjAnyBZEHbQo+FaxZ+KROWnS13La8o/7RIsOjsj24/Vv7Yvzh7cdsS7yUblhKXSpdeWxa0bPtyveXFyx+uGLuifiVrZdnKN6smrTpT4VmxcTV1tXJ1R2V0ZeMamzVL13xaK157tSqkavc603UL171bL1x/aUPwhrqNZhvLN378SfLTjU0Rm+qr7aorNhM3F21+vCV5y6mf2T/XbDXZWr718zbpto7t8dtba3xqanaY7lhSi9Yqa7t2Zuy8uCt0V2OdS92m3czd5XvAHuWeZ79k/nJtb9Teln3sfXX7bfevO8A4UFaP1E+v72kQN3Q0pjW2HxxzsKXJv+nAryN/3XbI8lDVYcPDS45Qj8w/0n+0+Ghvs6y5+1jOsYctk1puH089fqV1XGvbiagTp0+Gnzx+inPq6OmA04fO+J05eJZ9tuGc97n6817nD/zm9duBNu+2+gs+Fxov+l5sah/dfuRS0KVjl0Mvn7zCu3LuaszV9mtJ125cz7jecUN44+nN/JsvbxXd6rs99w7hTtld3bsV90zvVf/u+PvuDu+Ow/dD759/kPDg9kPBw+ePFI8+dc5/TH9c8cTiSc1T96eHusK7Lj4b/6zzuex5X3fpH3p/rHvh8GL/n8F/nu9J7el8KX/Z/2rRa+PX2954vmnpjeu997bgbd+7svfG77d/YH849THl45O+qZ9Inyo/O35u+hL15U5/QX+/jC/nDxwFMNjQ7GwAXm2D54Q0ABgX4flhvPrONyCI+p46gMB/wup74YB4A1AHO9VxndsMwB7Y7OZCbviuOqonBgPUw2OoaUSR7eGu5qLBGw/hfX//azMASE0AfJb39/et7+//DO+o2E0Amqeo75oqIcK7wU+BKnTVKHUT+EbU99Cvcvy2B6oIPMG3/b8AD2yJiTR2WlMAAABsZVhJZk1NACoAAAAIAAQBGgAFAAAAAQAAAD4BGwAFAAAAAQAAAEYBKAADAAAAAQACAACHaQAEAAAAAQAAAE4AAAAAAAAAYAAAAAEAAABgAAAAAQACoAIABAAAAAEAAADpoAMABAAAAAEAAADsAAAAAPrS/7IAAAAJcEhZcwAADsQAAA7EAZUrDhsAADU8SURBVHgB7d0JfFNV9gfwc1+6sqYLLTupLGWVsiogNCiiINqCrG60Km3ZUlAH0Bmk7qL8ZREhbVCKCkKL0CCDQimkFAQE2fc17Fiatgil6ZJ3/8GZoINAF9KX5OXX+cykybvvnnu+9w2neSsj/EAAAhCAQLkEuPVnJhfItDar7/GtgyPZXnaNRkbHUwMeTNlhKn0D0x6Nsq4q4nTAk3N+O22kQHaBQjYb2AnehL29VO/98+Xw4hVr06ovHzpUl2opV0w0cn4B5vxDxAghAAEIOFbgt+83xMZFNlV5+Hp4CLuXLdT7mlZrqJO6oqOK8AnoPvvB/Qa2kgVSt6iJ/p/0/Hz+W7v2VLQftHcuARRS55oPjAYCEHAigZzkzClxD/VWr2qS+92Eyxs22ntoTxv9289e3qt3nejwVfO7ZBns3T/6k0ZAkCYMokAAAhBwHYHco1s6j5lVX1VVBdQmIRSx8+yR1I3ZmqySsYf8lLbP8epaAiikrjVfGC0EICCBgNjU0p3enDqyqkPpQ00mTd1gEqL4QJ79enxVx0P/VSOAQlo1rugVAhBwQYHilINDxqR40aosk14TFJcgVQrsF7pIT7yaYDuZSaq4iGMfARRS+ziiFwhAQAYCV580naQXOqulTsX2zTR/8uYpJ7Z2DpM6PuLdnwAK6f35YW0IQEBGAop/USt6sKXKUSlxH36dDw9DIXXUBFQyLgppJeGwGgQgID8BMYYxOtW0iaMy46EkUnFzh8V3VN6uHheF1NVnEOOHAATsJsDm8f2U11Rttw4r2lE27ed1Qh0Xv6LjRfs/BFBIsSFAAAIQsAnUoer0cz3bO+lfQ0jF8vCFVHr4+4uIQnp/flgbAhCQk0BD8qMRQY7LyEgFlFNH5bgBIHJlBFBIK6OGdSAAAXkKmMlC54PUjkpO3960SxNcT3XzMphIwo3nHDUPFY2LQlpRMbSHAARkJ1DIN/IXyIP0bU2HNQ38HZ7f5TkZnsG+tXCnI4fPRPkGgEJaPie0ggAEZCRwI8Dw9sRGPsqcXVmtR780POpGlseztU79uNFZUvQ2ecUq6gyL/C3IEB4/S4mC6iwTc5dxYN/BXWDwMQQgIB+BXM2mD8ZU7xBGg+kGBb0SwbNoB2U/l6DvbjqqCfRz+kQjLAGN5xRmGnhN6wPbdqbq+VviMdZ+WXKdDPWueXk5+U6fgMwHiEIq8wlGehBwJwHbN83CL4Ud5jZDI6mYHmS/jhmpr2Naqqn2kFpuFhHr/bvO/nG1gfdlNejZhbMDevX8qsWhtDRm/ZnIRLml67T5oJA67dRgYBCAQFkC+bUNG8cEqVSWeUIKCWNHWk8V2kiF0Qn6RqZCjTKgrNVltzyiNKDjnFWHDHSc/KnHB4t8Nlx+oqTfsmQ8SLxqp9phhXT/iRfnPBbsq/RsU1yiGNI9jJn4q3xk5zDrrovFlNGiPeVQZ6rWSMWasRXUsSaRB+9L2zztpsHPkoLEPLv1V1ZHrKY1I4t08fgpqkZCvpG1sl4XV42XNTzHL1/CezJjbRU9y1bwQDscug9km+gtgfhpPoim17ZbftyTc7rqSUI965/7fjXs1q+1ACjIz5f4YeJU7KOyW8fMeqccU00VldJ1qubxZ7f1qAE7/s+JLVlKp3Xz58/6c4Fz/2bqkzFqTPNgJXvbM4hKp8anWUzfasSxCc49aseNLuJ8QNicnGNGpmCFfNKkif7P9Vw3f5o+zXEjkmfkKi+kW/mLQx4mL/LPLUqouTkikjbxerT9xfhRe307xg16Wi1PVmQFAecU0H1SFDu/wQZDUEHYlByvx3v7sTfZHmutddaf880Mg2Mn1VD6fCNYhA8mx68ym3bFN/tXgrOO19nHFbEnoNHsWj8YBEvpW2zj+Gi/Nx7tPy/wjNHZx+3s47N7Ib1VOC1F79WaEjuB1+XZnP8jPmac70txcY1Uzg6C8UFAjgK6d8yJ2m9zSbGWP6h4pn1Is76p9X5qf97orLnmPmSYPnqLdQ/Vu0IWe3rJSr2Xab+mZnOVs47XVccVsTeg05ykNyb6x/f8/uITn826eWw1zbpTBD8VE7BbIT3ccljc42+p1ewq70pB86fFxPq8GxfRUl2x4aA1BCBQFQJJ482z5+c/O7BlQErE+g4rnG7Xnu0GBLkLsx6r10szQR9iOhl/ZtbMqrBAn3cXiFjh12XmsHohAZ+rlyd+ctl495ZY8leBShfSK9b7bjxpvYA594LXhdLsd6aNWuDTY3TBWwl/7Ry/QwACjhVIesc8Sbvsq+SWPGVM+pRXoh07mr9HLzi93nPcm9WV5gWekZYXl67U98n9Jb7fAPXfW+ITKQQi8gIempN7wcirUZE487nowCd76bWvbjJIEduVY1S4kB5aOuyN8KRqStaRt/VekroydolPQuzC/mpXRsDYISA3AV2ieZl2zXmjl7fncY+Qdh1CjItf+LF/fr6z5HnlMUPHMX6BSiFWeJw8Vq+U6+UpzuJd2XFEZgX0nbM8Ltr/7V66eV0Skyvbj9zXK/fpkYcTBk0Y8F11pfAMH+iVuw4FVO5bBvJzaQGeyzazw1HRzlZA82ZsWDMmp4lKGC7Uo9pZKKBOvpWl9TSt0wzWLjRt2DRuTOPZ02y74J182JIPr8xCmrOzX6KarKf7f+gxrOj89ytjPvF5Pm5YD7XkI0VACECgTIEkvXlG4ri5CS2Llr2+bm6GocwVJGpgqr8leKxfmzAxwOMrCv15o76Z6YCG4xwKifjvO4yemX7QME1C7vKsEfWDFi4sSty5c1KM/S5HvO8BOriDMgup6fmaHT2uTp826i2fEXGDn1A7eLwIDwEI3EFA96F5qXb5SaM4mW0ripg8+w5NHPJRzktbGsY9GaqiSZbuvDB9pV5l2qGpUV/lkMEg6H0L6ANNWzW+I6MKfr3x/rW9320sGJySMmqI4r77dfUO7lpIj54btqjPxf6Ro0b4DBmdOzHB1RPF+CEgZwHuY70BhThxYuvhy2Zkxtxw+LHQ7DObXhob2VzFelseFnZs2Gh7PJic58CdcksbYdodf/lZtdkrWO/x/oKF7r7L92+F1HbHIerE67KUuTj93J3+34FcXU7AellLivaHdEPL35dNSp/8g8Mva7k6afMbYw89oFJsoBs8y7AR30BdbpOq0ID1o3I3x/eNisrdmhVTb9in0yq0sowa/62QejY09xE0kyaMGuMTGxcRopJRrkgFArITEI6LJ/kD4x1+WcvFvls6v/JQTWWpWjzH1fqFKKCy29TumZC+yLQuftvrCbmDMqeNvjQq6p6NZbjwViG1nZVLp1k2uzDebf+ykOEcIyUZCugWmn9I/GxGQouHl49YP+Co0VEp3tylN5ML5N2lNMRrofUORL6mbRrftmpHjQdxHSuQNj43Of7hpIW54ZnjR/frEubY0UgX/VYhFf7lEVe89+WomGU+UbH/cL+nJkhHjkgQuH8Br1rsZbr0ocNPKrq5S+/Y8E+m4UYK9z+ncuqBTxd2s9OpK68oMtLGXw9Qyim3O+Vyq5DyJvQzb/BSxJ0a4TMIQMA5BHTzzF9pN01PCNm/bMe65XkOO6nI1MswOW5QH7Vtl55z6GAUziKgL8w5pym0Xi/8nudblqB5K51lXFU1DuFwy8Ftn3xYpYoZZb037oDO6qoKhH4hAIH7F2AN6U3Fs7MW3X9Plevh0uz1HrG+tZXWR9RdEtZ+ubByvWAtdxHQdzMVaOoMVefu2txrdOqASLnmLQg/KeIsX/ZWyzVB5AUBOQgkvWFeqF26wtBiV8r2n2o47mbiXv7efRRnZ87Ue5syNYGNVXKwRQ5VLyAKYhvqM3tmYZutCaNzfWW3q1fgAm9Kq7uFVz0lIkAAApUVEE6y5xn7ymHHRHM1mz4YU71DmL5hzmFN5+ioyuaB9dxTYFWeaU182AOqgo9KTpLP5AlyUxBYFxLIq5VKbokhHwjISeDqAsuUalPWpzkqJ96F9vIHP8J15Y6aAJnEXVXTtCm+1bRpVxZufSbuQ3/ZfDMV+EXyIQpRyWSekAYEZCWQpDHPTPxglaHL58s1aVQkeW45W7L6jTGEq/UNTdvjL+IWoZJPgEwDsi6ltYQZr8fLJT0h5j2fkXGRDVRySQh5QEBOAozYDb4sXe+onNhmyqNRU3BduaMmQKZxV13JydLUfCvhcv1t4eO713L5b6a3Ln+R6XwhLQi4tIAQxErY2p8NUieRr93yedyixip915xLmuIn1VLHRzz3EPD4seRGaZOXolw9WxRSV59BjF/WAsoSc5TQfd8eqZMsbW/ZwJ4bNVLquIjnXgLsFx7Eto6NcPWsUUhdfQYxflkK6F4zZ2jPGQx1WBr9RKWS5Wi75R87QgpW9+UoyQIjkFsK2J5Lmzcpa/LYn7uGuSoCCqmrzhzGLWsBHsQvsxlbDVInmafepDnWv1MYbjovtbx7x+NK0U987wWX/WaKQure2y+yd1IBxoQd/LkdeyUfXgQrYGf6R0oeFwHdWoB3ZIfYpogoV0VAIXXVmcO45S1Qg7ej9XslPzbKG1IdutIPN2iR99bldNnZ7pRl8s0aGJvd2uV28aKQOt0mhQFBgCgou8OjVxYYjVJZZGuySsYe8lPq65iWaqo9pJYqLuJA4K8CfIZYVxD7qP/6mSv8jkLqCrOEMbqNgO5j89LEOVsNfuxNtodEyfJWNOZPia+4z/MjJYNFoAoJsDbCJTbg4fYVWskJGqOQOsEkYAgQuCVgJk/eZp/x1nupflFRCfl3VEsVDnEgcCcBruT1eLrr7RFBIb3TbOIzCDhK4DRXUf5+yU8yYuuoNuV0xrFRR8074v4hYLu5vavd8QiFFBswBJxJIIi1E5bsl/4ko4cpmO3tqHImCozFfQW8Xyh5WJzR0mW2RxRS991WkbkTClg8ebGoPyxZIbU9H1IfYvpJExyickISDMkNBcTufJ/4bkuXOXsXhdQNN1Kk7LwCrb1Sc9IbXcmXaoQ3TpXuFUtDVFLFQxwIlEeAHSQvdrqxqjxtnaENCqkzzALG4PYCuiVFsdpWuw1SQ7AtzCRkPqCSOi7iQeCeAj2pLRXX5fds40QLUUidaDIwFDcW+J0uU9EpyQHErZY21BOFVHJ4BLy3wEzaSwX11Pdu5DxLUUidZy4wEncWqEsPUOApg9QELITl0YiQ2lLHRTwI3EtAHEc1+P6692riVMtQSJ1qOjAYdxXgu/kjbPDpq1Lnz+bxmpTaUC11XMSDwL0E2BmqzZrUU92rjTMtQyF1ptnAWNxWgNUSZotXTkp2tq4NmndiB9nxINtbvELAKQRc7SxyFFKn2GwwCLcXOM7q8QmnjJI7NCQ/GoFCKrk7ApZL4NLs9R6xvrWV5WrswEYopA7ER2gI2ARygz1OFTxy1mh7L9mrSGYeUFctWTwEgkAFBISGwivsiUAU0gqYoSkE3E5AN928RKs/a+zGvkndRsWS5V+ccnDImBQv0rcwnYjPcfp/pyRzQSDnEvDa7qlUTApw+g0U30ida7vBaNxMgB+nUvI6Y5Q67YKzv0XTo65zMofUPojnHAL8hHhBHBugco7R3H0UKKR3t8ESCFS9gC/5sjMO2KW7QrGSDtVXVX2CiACBygvwtlSXVmPXbuUFsSYE3ECAFVJ98XXpv5FaZgvZ5Fnf6XeZucEmgBTvJdBfyGFF2LV7LyIsg4DbC/D6nNGus2ckh/Cii3wOdu1K7o6AFRLgnF/ljQKc/oYh2LVboWlFYwjYV4BdY23ZpjP59u21HL0pKJStref0/0CVIxM0kbGAsJ11ZN0DnD5DFFKnnyIMUM4Clqn0mfCl9Lt22Yci51txjFTO25YcchO9+Hy+zvkvz0IhlcPWhhxcVoD5l+7xnOWAk41eZoUsDIXUZTccNxk4q0/DWEhDp8/Ww+lHiAFCQIYCSa+Z52nTcqhlrRX90ycWSL9rtzp58z71iMxW3H0yBEZK8hAwkpHMDVXOngy+kTr7DGF8shRgbSiAqp01OCy547Sbbaqvdlh8BIZAOQT07U27NMH1VLYbiJRjFYc0QSF1CDuCursAX0U5dEH6k3XPNzMMjp1UQ6lvZCrUKJ3/JA53306Q/38Eboy6MobGOe+hCBRSbKkQcIAAa2s9a7b4jEHq0NUGKeoJyhYqqeMiHgTuR6BkKr1PTZ13Fy8K6f3MLtaFQCUFxAJ+gbLPSv78UV5PrMvE0LBKDhurQcAhAsJjika0WKVySPByBEUhLQcSmkDA3gLMwvLF8dJf9sKbsiP8tVCVvfNBfxCoSgHuab0ndedWTaoyxv30jUJ6P3pYFwKVFBCK6B/UVvrLXoQk7kM32oRXcthYDQKOEUgTSbzYWu2Y4GVHRSEt2wgtIGB3Afacog87dNRo947L6JAPYgJr2ElVRjMshoBTCTBfChBmtVI51aD+MhgU0r9g4FcIVLWA7tOikdqjR43NDd/NS29/TbLrR38LMoTHz1Iq9SGmnzTBIaqqzhP9Q8CeAvqOuWma+aGqG8fWNntxjbc9u7ZLXyikdmFEJxAonwAr5C9Srd2G8rW2XyvFJ6xb0XcdcJKR/UjRkwMECrdXe6TWYOc7WQ6F1AEbA0K6rwCvw/awBbv3Si0g5LJs4VovtdRxEQ8C9hTg+eI10dxDbc8+7dEXCqk9FNEHBMopwAP5KVG/xlDO5nZrxoPYKaqtxklGdhNFR44QYO0EC+vYs70jYt8rJu61ey8dLIOAnQR075i12rUZhlCe8uR604E9duq2zG5sx5SWXsg5rRmtVpe5AhpAwJkFcrkXHXW+PSv4RurMGw3GJhsB9i1Fkv+YaKkTMk/xebjGPx+NlDou4kGgKgT0fqbtGv8GqquTNr8x9tADqqqIUZk+UUgro4Z1IFBOAV1k4enED6KjWzyfYk4fesxYztXs1kxMYf7syDNOtyvMbgmiI7cUKGlkOS22fcJp/kBEIXXLzRBJV7VA0hvmhdqlKwyhYals3YLk5KqOd3v/3PozkwvE5tI54hFRty/Hewi4sgBrxbJZ4LAIZ8kBhdRZZgLjkIVA0lTzIm3aBWNpjMel0qsxAx2VVO6KzUOON+qttj2GylHjQFwIVIWAXmE6q/ENV+ee3/BhbLcGqqqIUZE+UUgrooW2EChLoBrbyU6OjG67ZMlzGz825ZfVvMqW/yqG0phXR1ZZ/+gYAk4gwM97HlMsHuLwXbwopE6wMWAIri+g+6AwU/vjJwkti5a9vm5uhsFRGV15zNBxjF+gUv947reaxOFRjhoH4kJAEoF9YiCvHRVx81BGJDFJQt4pCArpnVTwGQTKKaBbUhSrbbXbkFvs88a1MVPfKedqVdaMjWQt+SlNfJUFQMcQcCIBffPc1PiO7dW5YzIT6o933MlHKKROtFFgKK4nIB4SWwlNR07sxr5J3UbFDkvgcv1t4eO711KycyyHNRyX4LCBIDAEHCHQQ5FJOyc77A9IFFJHTDpiurxA0jTz94mfjJnYyiM1cu3B/XscnZDn8KL2pUumxOu7m45qAv0cPRzEh4CkAvoG1huOXFSr8yZlTR77c9cwSYNbg6GQSi2OeC4toIspmqxlqw3BdKzTsfnaWY5OxvRNVtTYag+G6Z/O1ceHv5ng6PEgPgQcKSA+wA38qRkzpT5mikLqyFlHbJcTUDSmAWJBXLQf20NG4g4bfyHfyF8g6x0+A3h1XuermQ4bCAJDwIkE9KGmy5paPdWmTVnh9a4MlexsXhRSJ9oIMBTnFUicWvh14vhR0c1KlzXKaHPB6OiRFr6nGFKz4+QEva9ptYY6qR09HsSHgDMJsKPUgLWbMfN8M8Pg2Ek1lFU9NhTSqhZG/y4tkPivwmTtgkxDXeF4r2Orv0x2dDK5uYbZcQUPq9N6mnbEm96f5ujxID4EnFFA39z0s8a7oco3mrVTtHm7yk9CQiF1xq0AY3IaAcVOfol3i3X4rlzbX9Z8h5AuNPp6odMAYSAQcGIBfffcrzRv/yMhJzlzStxDvdVVNVQU0qqSRb8uLZD0ceHixPiPElo8vHzE+gFHjY5OxvdVoUDRWztT72Xar6nZXOXo8SA+BFxJgBWzM8KZrxdma7JKxh7ys/uuXhRSV9oaMNYqF7DdK1fYXy3do+jD2VUesIwAprcz3xh94cUo/UOmQ5q456PKaI7FEIDAHQRsu3oVg2gIf+kLu5+ch0J6B3R85L4CnNN2lvbGOy2aL0pYs/Z6vqMkcvpmlY4e2kKl7229c0t37Mp11DwgrrwE9Dxnt+bKiCjbH6j2yg6F1F6S6MelBXQfmOfNp02GVh4pk9ZlLk12VDI3jq1t9uIab2KT+GiWtRTHQh01EYgrawHbH6jZZza9NDby/g+VoJDKenNBcuUVEM/xpxUPvOPwe+Waf/F9vubUGdOsj4lap/HqoC7v+NEOAhCouIBwgorFxOSFt67LrngXf6yBQlpJOKwmD4GkiYVbtD/sM7Sqm2pZyzcYHJVV7mebxo79rn9kWgNTsiYH98p11DwgrnsJrBJMW+O7dlcXzlS8Uqv1PxMqmz0KaWXlsJ4sBNg1Rnz4aoOjkrnYd0vnVx6qqeSFdJWP0dr9JAhH5YW4EHAlgbQOpgxNQcK03PDM8aP7dQmr6NhRSCsqhvayEuC1eS3KN2Q6Kimff1me8M7+6ObN5rM0tRqpHDUOxIUABIj4ZCayQ/P/uFfvTF7+8lj+llCGgAwFeBfezeOl40apU7OdlZtmMX2rEccmSB0f8SAAgb8L2G65mbtnc/Tx089F/b3FnT9BIb2zCz51E4G6h2sc8H/tnFHydNfw19gPE0dKHhcBIQCBsgV28iv06D9HlvcpMiikZZOihYwF/FgyLRlqkTxDNofWEw1OkDwwAkIAAmUK6JuZDmh4S3VeXuacugUPqctaAYW0LCEsh4AdBa4s3PpM3If+Sn0HU4EmKNCOPaMrCEDA3gJ8g5DGhqrVZfWLQlqWEJbLWuDY8ZEJ/Z+o+scs2RCrqQt+9LhWZHuLVwhAwIkFmJl6scsNeFlDRCEtSwjLZS3AaxYXFk2ta/ebWN8NrXpIn5K5HxXkR1wM6Dfn2i7D3drhcwhAwPECYmv6lf7vapkD8SizBRpAQM4CvhadsKbZf68bO2GUKlWey6/w/AV6qm+NWHOeWqq4iFM5gYgDAa3mXMglakm+9OtlA/3G8igum6gx+dPiUmLfcpGPsP6D24bdYKvFP4Mc5NX4AIH4C0xg39Um66wreEB1YjeomNUPUNENus5bBqn0LUwn4nMk+3vuz/Hht3sKMMb8xQtZZV4eh0J6T0YslLsAD6UkqtvpZiEdTPRTmlT51nizxi8lrRclR3zE2sw58v5MfVvTYU0Df6nCu32cCEtA3znFuw3cw7rzzn+nkf0icl50ZC/zYLWF944YS5qUllqWHd1Ts11JRkHMeWO13r1++qb/f3fJt7+N74Hb3te57f3Nt0nW/97eztbsV6KbN+Yott6YwyeTN/b6/AGVuE6sTSObqoRl1osZ/duGifWpiGd0CGedmSAEdFTpvU2ZmsDGKlsXeLWvQERpQMc5qw4Z/MMeWXS5/TqDtfev7xUBhfReOlgmf4FDpGD7uoZbv1dI+uNzvdO5BQdu5Od03dRj9Nm3J1q/mRD1nIs7G9lpFiKyA8Lm/J5uoEBWm7+crhe78APs8y17anTzfIZf3r3H92C3hPn+hfl/hLt0W9ARt72X4M+r+ut67Pxy+7Wb49lJXffuofCbY7C+/vGz4j8j8PnPu5v/m/f+pilU0kglFvNSflqtphN0ia4/Gk7t2QHWuX+UvqspX+Mf9OcK+K1iAlm8KQ/8eBF7nLE0KvMQKbFeCS+pvj9tfXgUfiDgxgKzzuY9njTH16/jVz/o1s403/wHTZKfm9ep3byDSu7izb2Pd8/YqG+Qc1pz0foPI37uKRDxS4ByTm428detJad0RQKbRUd42MrMags9u9O/s/63UN6zJ3kttG1POdeyOh33flgtFLBO9Puz4bSM55ByRJS+vWmXJrieSl5Z2y+biPX+XWf/uNrg/36vlEutn+lt3bWLQmo/XvQkd4GkcebPEr99snfLwJRB66auNUidb+7RLZ3HzKqv4kZLXXrXsFHvZdqvqdlcJfU4nDXeMzcCes72TkymK7wh91u2yHf1bx0tjTcZqi8fOlSXKv11wM7qdLdxFQxOSRk1REFFYvAqjxN9I3krKqLFY+L1fXJ/ie83QH239dzl84i8gIfm5F4wil+IJ8gjrEOdDPWueXk55f6DGt9I3WVLQZ73FNDNNS+Yb/42OTQnpc/6Vi9G37NxFS78LcgQHj9LqfRYpQgpeSYqih/hZ3kNdQSrSw1ZSAfZHxt7RgzoNvuXnw1Mz2uSesEin4klyYrIlDTb2c5VSO+WXZt8swbGZrcOo6ncrGj1ery+m+mQpsbLUe6CceskMgU1EIaoOwSM6fXl3O/2/3eXevkVUEjLb4WWbiDwRZfrvb+YFeDX7qkVCzfMzi33X6RS0dz6ZjEr8IRwvq7KUstjueLXJiq2m9rzpnWVwmzemDYEKPmz7Azr6K+kLozx1/xr872igmv8VUI6y2G9/FS2s0it54zWo95+RJ50kVb5Eh2gAOpV7ebZpGeptLbKejP9o5pA63I7/URcsB67zL9spLqkoOJ9RraIN+LnMzPF34T/o9HLkwPX9fSYn3LMaKdw6KaCArm/ZiWMu1BPZT27+KgYFj+SjlMe5Y1KcPWT4SJ+Dgidk5NH1IqUJNwwUoH1G7lYQIJKKKTnXxro1/ORdfOStle4gNp4UUhtEniFgFVA96o5W7v6zXdCG6bcSB//cQJQ/iNQlLhz56QYT7p6sLB9wYQaSs/GJek8qJbSss87RnzBh4QJPEzx2d9vbCH8wp6w7LiS78u8u9XacsnoHdu58ydJJWB1EYHCNlsTRuf6Km+MLTnHGg+M5K1ZMTVRhwsruEgFrVX8KbpKvwepeDA14icVt7JiV+gyO2s28t/Jg6uuEttE3qyO9e/S6rwJJVw18h7sDE+2fq4gC8vLN5KJvMkj7yqrxq6T/1XiRrEDjbiazzi7yJpezRf9eU3LrMJ84UHFAcXC3/P5ALaDepjJ4wX+Im0pzC/9lP9seeRavmU8ZSo2l1LQnJ6eX7TOk+wPYRTSW1OPXyBgvUphmDk58VMTKUYrUnhsiF9zw3fz0tv/cTYleCAAAQjcUUC446f4EAJuKhCzzCcq9h8BJP5ieY59PXGCmzIgbQhAoAICKKQVwEJT9xEYNcnnhdhx70w7tnioz+MpLVTukzkyhQAEKiqAQlpRMbR3KwFxEK0l4xcL8/hHPIzwfxe3mnwkC4FyCuBfhnJCoZl7CsRM9xkZN6SP+jefXWvrxLyV4J4KyBoCELiXAArpvXSwDAL/FYh50zcu7s33ph29OtT/8beejAQMBCAAAZsACqlNAq8QKIfAqJk+teJG/bjy2J7h0/t+Hq4uxypoAgEIyFwAN62X+QQjvaoReDXNa37sAMPGo3WGZvCaj/cOvZLyWHrUekPVREOvziZgO2Z+5dt9Y+t0rqviT5fuFnyDlewkW863CmQJpxTx21pKwZceZGYFsb00mj+fn8+fVnQX0opJsVd8z9LalB9Q4tso+OBlox9LpiVDcatDZ5vn8o4H15GWVwrtIHAPAd3Iwl+134+bGBqSGpD+xhez7tEUi5xY4OjlEZMf29xMxduU9hNWdVHTFQqjOp2bWG8/sIfyO6lv3sScApupYt6zHjuPbKCyVypJb5q/me9lNFqfUrqa7TxsJAV/nIfsMFBdtov9uHOvoqNgpCcNBlzXbC9x+/aDQmpfT/Tm5gK618wZ2nMGA/uB2tDl2OgWz6eY04filnfOslnsP/HinMeCfZVe3YraCNN7hBG7+Z8+4VxBRsqLUMfE+rwbF9FS7SzjvX0cupiiyVq22sC9eQta/sMisSYfRsNWprX2Ss1Jb3Ql//b2eC+NAAqpNM6I4qYCOq05Wbt5fgL7P3qSvGctQmGVZkM4tm3wd31Wh6osLVl9YUX/SGZhvjysX0TM5z5D455+XC3NKKSLkjTenJqoXZzMC3lvMWjuolYNU6+vf32bQboRuGekPOtFcaqbf4vheaTuuQEga8cI6JLMqdp/bzfQXraHHks3cB9xOFdsyrRs9NAKHkeMbZ757h/rHjhndMzoXCfqjvGD50Rab89aK9lj5/XB4WoeLPaitwaEs7PUlmX0jxr1ls/wuMFNVa6TkX1HqvvC/JX2+18NtIMdon5fLCou9RLFR5emtWv2jSbjt/8+0Ny+Id2itys80voXsQflWLw+EcMHRwmtmYVvnzQShdQtph9JuppAks78tnb1TgPLZUepvfWY2SVqQOGHz3ALb8J3Hd2jOCwEc+Mho5/P1b2WgSf3BHb+MdZA8rsZ/MFVIz7te6qRSjFSvEAfPqmm/byfmPDUyJgFPrGjSyLUrjavjhpvUox5jnZlHrE61JplL0oQtgs5locS9c0fWfpwxsAjexw1LmeNe+tksku7QwNLOoaJD/CFwrODIqx7Ngp4j5FRo/7pExM3tL7KNn4UUpsEXiHgwgJJidbCqz9ioDUUTLmHyfpQtR5U87SBgoUEunb2KssV49jO80axmIp4//NG/oViBPFL+R79vId6rs7Nb9F8UcKatdftfowtZ2e/RLX1GW3Xomst8BpcQ3njA2EofVJDqWhe+gENb6yiLsIIUd9QyS7zj9l5lYofp830w0MR9CDVIL+udj+px4WnuEqGbjumL1bnF9gnixdZXvQ8X9J2ZVrbJUue2/ixye7bQ5UkYe3UVvguPL//O78pfkrP9NJgj5zaSr6BTxT/yUgoZj8qmiuV1mfKXGIqb6X14XAXLKl1law2hQrLGqh4DW6iQ/Vqs1PCPj6nndq6v/YkneqqHvWW9/K4kKAyh41CWiYRGkDAfQRufXNRWR98FVZC/BwfQEevG8sUYCSSqaaKSuk6VfOgmCQfTdxA+z3HtMz4aGBXgaRXzV9rf8wysBYksJPrM6m69Q+wdj8bLCPonDD5Qr7lidLMkuG/GWtM8TzgcYHfim35P3GVMLW6UhwuePCnrM+3TefF/HItJSmEb2lmDSUPEafzS75K63aSRf1rkvWptJ4k1FRSI8qmXX5KOkwhfKh/bQrnZmGcP9Fn9AA18lPzR9gO3sSfWEvr9lVs/ZxZd794+KtGjfGJjYsIUd0agMS/JL1mnqdNy8ExUondEQ4CEIAABGQikDTVvEibdsGIOxvJZEKRBgQgAAEISCxQSgIfWoLHWUjMjnAQgAAEICATAVafzGxJMQqpTOYTaUAAAhCAgNQCedajvDWKsWtXanfEgwAEIAABmQg0Y9tpInbtymQ2kQYEIAABCEgucJ33oRnYtSu5OwJCAAIQgIA8BPgvVGi9SBXHSOUxncgCAhCAAASkFmCN6AYKqdTqiAcBCEAAArIR4NbLX6gEx0hlM6FIBAIQgAAEJBa4SgVsL3btSqyOcBCAAAQgIBuBq1SDN0Ahlc18IhEIQAACEJBWgPVnO6g3riOVVh3RIAABCEBANgL8F96TfY9jpLKZUCQCAQhAAAISC+TRdd4Qu3YlVkc4CEAAAhCQiwDrxn6mfti1K5f5RB4QgAAEICC1QA3+DG+Cb6RSsyMeBCAAAQjIReAUD2KLcYxULtOJPCAAAQhAQGqBi8I661m7uEWg1O6IBwEIQAACMhFowluxBSVMkEk6SAMCEIAABCAgrcAx6stV+EYqLTqiQQACEICAfARa0TpiJfn4RiqfKUUmEIAABCAgpUAeBbLz+EYqJTliQQACEICAjAS4wGuJ6mJ8I5XRnCIVCEAAAhCQUICdFVawRvhGKiE5QkEAAhCAgKwEWvBOLAXXkcpqTpEMBCAAAQhIKLCdHhEnYdeuhOIIBQEIQAACshIYJkwUZmPXrqzmFMlAAAIQgICEAhm8nRiFQiqhOEJBAAIQgICcBLhSHETXcR2pnOYUuUAAAhCAgIQCwknFPGEtvpFKSI5QEIAABCAgJwE+lF8Vv0IhldOcIhcIQAACEJBQgH3Hxwr7cdauhOQIBQEIQAACchLgMYp/0ne4jlROc4pcIAABCEBAQgFhNo+zeGDXroTkCAUBCEAAAnISEAeKBcK/sWtXTnOKXCAAAQhAQEIBxWLeWjEe30glJEcoCEAAAhCQk4BlrOJiUTCuI5XTnCIXCEAAAhCQUMDLh8d5jsM3UgnJEQoCEIAABOQkYH62pIfXsyikcppT5AIBCEAAAhIK5E+rfiFnBHbtSkiOUBCAAAQgICeBlrQ/9TLhOlI5zSlygQAEIAABCQSSxpi/0i6+Qn5sDxmJk6BLNC/TrjlvlCA2QkAAAhCAAARcXkAIogeoW47BlojAd1ARsdNG2wd4hQAEIAABCEDg7gLibjpImUduNRBYqPV3y2HjrU/wCwQgAAEIQAACdxVgXageEw4YbA0EOk3NeNTPmbYP8AoBCEAAAhCAwN0FuIJtpJzMW3VTKN2mWCxc2WC4+ypYAgEIQAACEICATeDG8zeOMM8te2zvme2Xo/WH7nh87raNo2J8hsQ99ZDa9jleIQABCEAAAhAgWvCueb320tLkFmJKs/TuI6JtJoLtF36BBHZwkd72Hq8QgAAEIAABCPwpIGbTPpaRvOjPT/7z25+F9J3Sb7x6fZ1suz7m9oZ4DwEIQAACEHBHAd0n5hTtqoOG4IAOA7OnphtuN7hVSFslrJi1ekRBPvNiB2jqzHdub4j3EIAABCAAAbcUKOK12Npps/3Ym9ZbMIh/I7hVSG1Lfp9qoer8swTd52addvkxo+1zvEIAAhCAAATcSUD3gXnefNpkCCo93vLYmhVpd8v9b4W0y+fLNWnWezSQYP1PnbG3DqberQN8DgEIQAACEJCjgLBR8Od7YifabgV4txwVd1sw98bBr0+lnTKu3dbi3/mnvemHRzxXdO7XU3239vgcAhCAAAQgIAcBXWTh6cQPoqNbdE1ptH7y+p/Kyulv30hvXyG4sHqPwBemvqPTFkVoH/jecPtyvIcABCAAAQjIQUA3w7xcu2peQmhYKlu3IDm5vDmVWUj9WDItGWqh4s1eTcWgFwfqPimKnd8AN3AoLzDaQQACEICAcwskjTenJmoXJwdd69DpSvz4Cp9sW2YhtaXfrtk3mozfCvN/f8VSvYZX/974hmqTwSsEIAABCLiiQJLePCNx3NyEYP8OnbOnvxR9t7Nyy8qNldXgbsvzeBipiNFvQaETmr+tmRAz1jstLnrWzLu1x+cQgAAEIAABZxBI+qIoUrtwwsSWV5bNSn939qz7HVOlC+ntgQ+/MrzZY6VdwoRVYpIwa/7MUWN9Xo57tpP69nZ4DwEIQAACEJBSwHYZi+gh9hL6j57YqnB5jXWHD926V+79jsVuhdQ2kDweRc+lKCh7bwHPWfdiFPUQEvjgKdNG/cN7UVxoqMrWDq8QgAAEIACBqhDQJZu/027cb6CV9Agf9v7soLBjlhPVU9PKuoylsmOxeyG9fSB5/CPrTmCBsnfvGhq48YlIel7owNgLEaOGeSfFNXku6vb2eA8BCEAAAhCoiIBuetEw7blvkqkG70unvl4UlH3sseNRGYaqKpy3j63KC+ntAW3vr/BIepI8KEf03GuZ2ylMuCocoDe7qKkdHaEtLWvTXHEipTdWUw9mpp41iNpYP99Uy7a667xuYydoUFP1qG+8P4xjStcZt5uONOn7opHaH/YZ2GUeTsUlbqqAtCHgYIGD1JJ6/U60hftQ1nWiccJMevysgfZbP+9x5Ko4iDJZt18MdTf6JgW++use29Uljhq1wwqpoxKWOu6R80PX9jmftjFmgU/s6JIItdTxEe/eArpPzV9rVyclB2ReO1wyflx0YOcfYw2EAnpvNSyFAAT+KuDx1zf4HQLuIqCLMJ+bHzRsYGhCSq/141PSqLO7ZI48IQABewugkNpbFP05pUDS2+avEuecMFoPHewUvx54s4BOWm86YLez9pwyaQwKAhCQRACFVBJmBHGUQOJz5oTE6DUG7/ZsMgW+MDDk4LId6015+Y4aD+JCAALyEyj3nY3kl7pEGRXwEJbCJQqGMDYB3TzzV9pN0xPqNu8wMtvwdO+Q/ct2rFuOAmrzwSsEIGA/AXwjtZ8lenICAetp8BO02wcNDC1MeTR95Mo0YilOMCoMAQIQkLMACqmcZ9cNcktKNL+t1R8xiENIED4aNNFaQKPSfzuMY59uMPdIEQLOIoBdu84yExhHhQR0HazPC5y7zMBjS/d5B3ce2HpOStRaFNAKGaIxBCBgHwF8I7WPI3qRSED3hnmvNmfKxKDqx9nx//tkll/EHjISjkFLxI8wEIDAHQRQSO+AYtePbrDjlI9/6CtrmjTMnJz4qYlYL7LwrsN7Wy9bqZ0etd5Q2f6wHgQgAAF7C2DXrr1F0Z9dBHRLimK1rXYb+EBxnLCrc0jolZTHUEDtQotOIAABOwugkNoZFN3dn4BurnnBfPO3ycVrvKqLtXsMbHVk+YGfthmN99cr1oYABCBQdQLYtVt1tui5AgK2Y583d92u7zJ9FjWrwMpoCgEIQMCBAiikDsR359DWB+0maVMuGimEGfjSwdF/FNDdWw3ubILcIQAB1xRAIa3qeWtO1cgXJxvZmJMmmRdrl20xMJPYn70/JLrF58uvpl+/ZLQtxysEIAABVxPAMVJXmzEXHa/tcWV5vt6zrk15tPfNAroOBdRFZxPDhgAE/iqAb6R/1cDvdhfQTTCv01565eau2xbp479KJjwB1+7G6BACEHCsAAqpY/1lFz1pbuHXWu05I49QvCx+8OzAUGVKi4yQHbhln+xmGglBAAI2AezatUlU0StrxtLoLfkfI9W9Zs7QnjMYyMeSLZZ07tDqy6UnMjxQQKtos0K3EICAEwmgkDrRZLjiUJJWFQ3QZsxJ8K9Z3FTR6/HeLc+vGJzxWTae9+mKk4kxQwAClRLArt1KsWEl3XNFMxLXDhkYmrBscHrccuvjymACAQhAwD0FUEjdc94rnPUfl62sPW6kLrSF/9P6vM+ElMHrTQdw7LPCklgBAhCQmwB27cptRu2cT+K/zK9r//1vg3drz9Mejbt2aHkwZRIKqJ2R0R0EIODSAiikVTx9fCsfQG+73slGunnmr7SbpifUVXQYd2XcM71DjItf+LF/Po59VvH2gu4hAAHXE8CuXdebsyodcdJnhQsSP44cGPp76qPpiXrrsc+UKo2HziEAAQi4ugAKqavP4H2OP2li4RbtD/sMdJb6iU8Pim6ZkNonI/Gk8T67xeoQgAAE3EYAu3bdZqr/N9EF75rXay8tTeYzLZ961+k+sGW71H0ZISig/6uEdxCAAATKFsA30rKNZNXC9riyFtbHlaV3tz6uLEFW6SEZCEAAApILoJBWMTlrTr+Tj/Vko39VcaC7dJ/0mnmeNi2HqA47zE4O733zcWXpczMMd2mOjyEAAQhAoIICKKQVBHOV5rovzcu063YZLCf4DHHAoOjWRSmpGc3PGF1l/BgnBCAAAVcRwDFSV5mpco5TN71omPbcN8nFG723i28/MrD1t6kooOW0QzMIQAAClRHAN9LKqDnhOklfFEVqF06YGFq4bHr6u7NnUTMnHCSGBAEIQECGAiikLjqpSVPNi7RpF4z8En+Ki4NvXrYya/272wwumg6GDQEIQMBlBVBIq3jquIf1ZCNf+93ZSDffnKhN22xgq2iSYtSQ6Ba7Uq//VOOysYrTQPcQgAAEIHAXARwjvQuMs32s+9T8tXZ1UnLAv68ZSyY+2rvFrpTtKKDONksYDwQg4I4C+Ebq5LOuiyw8nfhBdHRoQipLX5CcTJ2dfMAYHgQgAAE3E0AhdbIJ1003L9HqzxrZSYriY58d2KJ+Klu/YCceV+Zk84ThQAACELAJoJDaJBz8aj15KEm7+idDcZdSneX08wPb1V9xbINnLp624uB5QXgIQAACZQngGGlZQve5nC3jUezc3U82sj2uLFio1rdO8IDe7Z5asXDDbBTQ+2TH6hCAAAQkE8A3Usmo/zeQ7r3CnxLHDh4Yakltmb7me+vjyv53Od5BAAIQgIBrCKCQSjRPus/NOu3yY0axrTCRvzjojwK6fs1BHPuUyB9hIAABCEDARQWOeg3d2nfaC1HH1SPGPL63ptJF08CwIQABCEAAAhCAAAQgAAEI2F/g/wEJDl99XMmJxAAAAABJRU5ErkJggg=="></p><p class="ql-align-center"><br></p><p class="ql-align-center">Testing another notification!</p><p class="ql-align-center"><br></p><p class="ql-align-center"><br></p>', NULL, '2021-03-25 16:20:28.598', NULL, NULL, 'Testing another notification', NULL, 'https://codimd.web.cern.ch/uploads/upload_f617400615cb1dadb632c52987fd204a.png', 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('7199c2b6-5038-42ef-b109-5d804720ccf7', '<p><img alt="" src="https://codimd.web.cern.ch/uploads/upload_f617400615cb1dadb632c52987fd204a.png" style="height:236px; width:233px" /></p>
-
-<p>&nbsp;</p>
-
-<p>&nbsp;</p>
-
-<h1>Lorem Ipsum</h1>
-
-<p>&quot;Neque porro quisquam est qui dolorem ipsum quia dolor sit amet, consectetur, adipisci velit...&quot;</p>
-
-<p>&quot;There is no one who loves pain itself, who seeks after it and wants to have it, simply because it is pain...&quot;</p>
-
-<hr />
-<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Maecenas molestie augue ligula, sed tempus dui pulvinar et. Nulla lobortis, odio quis fermentum commodo, erat purus commodo quam, quis vehicula quam tellus sed ipsum. Duis non lorem nec sem volutpat tincidunt a vel libero. Nunc ultrices dolor sit amet nunc mollis, a cursus nisl gravida. In porta scelerisque purus vel laoreet. Morbi eu porta urna. Donec laoreet, diam nec aliquet vehicula, tortor lacus pulvinar nisi, non eleifend turpis odio id diam.</p>
-
-<p>Ut ut est orci. Sed tempus ligula vel nunc mattis facilisis. Praesent euismod tellus vitae sodales vestibulum. Proin dolor diam, interdum ut faucibus in, suscipit in lectus. Curabitur mattis placerat massa, vitae blandit metus elementum molestie. Cras rhoncus, mi at placerat convallis, risus orci ultrices leo, ac elementum metus diam placerat ex. Morbi magna erat, aliquam a leo eget, volutpat mattis mi. Integer sed ante placerat lorem aliquam sagittis non ut lorem. Nulla facilisi. Aliquam non tempus massa, nec accumsan nisi. Ut suscipit nunc vitae justo dignissim, eget lobortis ex blandit.</p>
-
-<p>Suspendisse a mauris et nulla suscipit pellentesque. Mauris tempus eros et tellus blandit, eget egestas urna accumsan. Donec suscipit eros interdum tempor porta. Curabitur eget purus eget dolor tempor ornare non quis nulla. Mauris tempor nec erat nec tincidunt. Donec at ipsum eu diam euismod condimentum at molestie lectus. Proin vel quam bibendum, ultrices nulla nec, euismod leo. Curabitur justo libero, feugiat tincidunt bibendum non, maximus vel nulla. Maecenas a lacus a nulla dictum suscipit. Curabitur id turpis at eros lacinia mattis. Aenean accumsan cursus ex, vel iaculis purus blandit id. Aenean gravida consectetur nulla, in porta risus rhoncus vel. Nulla sed placerat nisi. Aenean blandit luctus nisi dictum tempus. Ut gravida, orci ac dignissim rutrum, velit metus pulvinar ex, eget fringilla magna est hendrerit ex.</p>
-', NULL, '2021-03-25 15:22:39.736', NULL, NULL, 'Testing another notif', NULL, 'https://codimd.web.cern.ch/uploads/upload_f617400615cb1dadb632c52987fd204a.png', 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('70ce3e3f-a4bb-413b-b712-c115378d94dd', '<p>testing</p>
-', NULL, '2021-03-25 15:26:44.913', NULL, NULL, 'Another live', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('eade850c-ed79-4118-b989-1aa6d5210e4a', '<p>asdasd</p>
-', NULL, '2021-03-25 16:55:06.885', NULL, NULL, 'test send button', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('f5dd0bec-2e81-426c-86a6-93c8dd86f118', '<p><img alt="" src="https://prismic-io.s3.amazonaws.com/digitalocean/e5823923-7960-4584-9947-996128ee5a90_featured-AP-icon.svg" style="height:83px; margin-left:300px; margin-right:300px; width:100px" /></p>
-
-<h1>Testing a notification preview!</h1>
-
-<blockquote>
-<p>If you work on multiple Node.js projects, you&rsquo;ve probably run into this one time or another. You have the latest and greatest version of Node.js installed, and the project you&rsquo;re about to work on requires an older version. In those situations, the&nbsp;<a href="https://github.com/nvm-sh/nvm">Node Version Manager</a>&nbsp;(nvm) is a great tool to use, allowing you to install multiple versions of Node.js and switch between them as you see fit.</p>
-
-<p>&nbsp;</p>
-</blockquote>
-
-<p><strong><em>A bullet list:</em></strong></p>
-
-<ul>
-	<li><a href="https://www.w3schools.com/html/default.asp">HTML Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/css/default.asp">CSS Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/js/default.asp">JavaScript Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/howto/default.asp">How To Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/sql/default.asp">SQL Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/python/default.asp">Python Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/w3css/default.asp">W3.CSS Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/bootstrap/bootstrap_ver.asp">Bootstrap Tutorial</a></li>
-	<li><s><a href="https://www.w3schools.com/php/default.asp">PHP Tutorial</a></s></li>
-	<li><a href="https://www.w3schools.com/java/default.asp">Java Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/cpp/default.asp">C++ Tutorial</a></li>
-	<li><a href="https://www.w3schools.com/jquery/default.asp">jQuery Tutorial</a></li>
-</ul>
-', NULL, '2021-03-26 16:59:28.439', NULL, NULL, 'Testing a notification', NULL, NULL, 'LOW', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('d217a4e4-bb7e-4801-a848-81a32145d43b', '<p>test</p>
-', NULL, '2021-03-29 14:25:34.653', NULL, NULL, 'test daily low', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('128c413f-de44-4329-9f0b-3ecf0dd8fe16', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-03-30 12:04:06.793', NULL, NULL, 'Testing Low Notifications Part I', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('17110338-c349-4cb9-a5de-001e32d2a591', '<h2>Why do we use it?</h2>
-
-<p>It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem Ipsum is that it has a more-or-less normal distribution of letters, as opposed to using &#39;Content here, content here&#39;, making it look like readable English. Many desktop publishing packages and web page editors now use Lorem Ipsum as their default model text, and a search for &#39;lorem ipsum&#39; will uncover many web sites still in their infancy. Various versions have evolved over the years, sometimes by accident, sometimes on purpose (injected humour and the like).</p>
-', NULL, '2021-03-30 12:04:21.343', NULL, NULL, 'Testing Low Notifications Part II', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('f2243a73-4b87-4046-928f-a25c9159c6bb', '<h2>Where does it come from?</h2>
-
-<p>Contrary to popular belief, Lorem Ipsum is not simply random text. It has roots in a piece of classical Latin literature from 45 BC, making it over 2000 years old. Richard McClintock, a Latin professor at Hampden-Sydney College in Virginia, looked up one of the more obscure Latin words, consectetur, from a Lorem Ipsum passage, and going through the cites of the word in classical literature, discovered the undoubtable source. Lorem Ipsum comes from sections 1.10.32 and 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot; (The Extremes of Good and Evil) by Cicero, written in 45 BC. This book is a treatise on the theory of ethics, very popular during the Renaissance. The first line of Lorem Ipsum, &quot;Lorem ipsum dolor sit amet..&quot;, comes from a line in section 1.10.32.</p>
-
-<p>The standard chunk of Lorem Ipsum used since the 1500s is reproduced below for those interested. Sections 1.10.32 and 1.10.33 from &quot;de Finibus Bonorum et Malorum&quot; by Cicero are also reproduced in their exact original form, accompanied by English versions from the 1914 translation by H. Rackham.</p>
-', NULL, '2021-03-30 12:04:36.686', NULL, NULL, 'Testing Low Notifications Part III', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('08f88e28-ad98-4d53-9bbf-cdf1d020dc19', '<h2>Where can I get some?</h2>
-
-<p>There are many variations of passages of Lorem Ipsum available, but the majority have suffered alteration in some form, by injected humour, or randomised words which don&#39;t look even slightly believable. If you are going to use a passage of Lorem Ipsum, you need to be sure there isn&#39;t anything embarrassing hidden in the middle of text. All the Lorem Ipsum generators on the Internet tend to repeat predefined chunks as necessary, making this the first true generator on the Internet. It uses a dictionary of over 200 Latin words, combined with a handful of model sentence structures, to generate Lorem Ipsum which looks reasonable. The generated Lorem Ipsum is therefore always free from repetition, injected humour, or non-characteristic words etc.</p>
-', NULL, '2021-03-30 12:04:57.092', NULL, NULL, 'Testing Low Notifications Part IV', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('321ca435-b7be-409b-821f-01ea783a36f7', '', NULL, '2021-04-06 21:17:46.329', NULL, NULL, 'test reducer', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('ab8b00c5-e153-433e-9158-6706b4b379fe', '', NULL, '2021-04-06 21:21:38.512', NULL, NULL, 'link admin', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('7ad4c3cf-3aa0-44da-845c-562be3a518f0', '', NULL, '2021-04-06 19:27:37.41', NULL, NULL, 'test link dev', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('54483670-3553-4ede-a15b-137b28c72ce1', '<h3>The standard Lorem Ipsum passage, used since the 1500s</h3>
-
-<p>&quot;Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.&quot;</p>
-', NULL, '2021-03-30 12:09:17.406', NULL, NULL, 'Testing Low Notifications Part V', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('ebaa19fc-1995-4d72-9631-ae0ddf681bf6', '<p>test</p>
-', NULL, '2021-03-30 12:18:08.876', NULL, NULL, 'test', NULL, NULL, 'NORMAL', '2098db12-7ab4-4216-8150-81f762d17cd3');
-INSERT INTO push."Notifications" VALUES ('eee6dd63-6180-4235-b20e-3f96c904ce0b', '<h3>Section 1.10.32 of &quot;de Finibus Bonorum et Malorum&quot;, written by Cicero in 45 BC</h3>
-
-<p>&quot;Sed ut perspiciatis unde omnis iste natus error sit voluptatem accusantium doloremque laudantium, totam rem aperiam, eaque ipsa quae ab illo inventore veritatis et quasi architecto beatae vitae dicta sunt explicabo. Nemo enim ipsam voluptatem quia voluptas sit aspernatur aut odit aut fugit, sed quia consequuntur magni dolores eos qui ratione voluptatem sequi nesciunt. Neque porro quisquam est, qui dolorem ipsum quia dolor sit amet, consectetur, adipisci velit, sed quia non numquam eius modi tempora incidunt ut labore et dolore magnam aliquam quaerat voluptatem. Ut enim ad minima veniam, quis nostrum exercitationem ullam corporis suscipit laboriosam, nisi ut aliquid ex ea commodi consequatur? Quis autem vel eum iure reprehenderit qui in ea voluptate velit esse quam nihil molestiae consequatur, vel illum qui dolorem eum fugiat quo voluptas nulla pariatur?&quot;</p>
-', NULL, '2021-03-30 12:22:44.171', NULL, NULL, 'Testing Low Notifications Part VI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('660fbf5c-601a-43c3-b41a-0505d9f01cc3', '<h3>1914 translation by H. Rackham</h3>
-
-<p>&quot;But I must explain to you how all this mistaken idea of denouncing pleasure and praising pain was born and I will give you a complete account of the system, and expound the actual teachings of the great explorer of the truth, the master-builder of human happiness. No one rejects, dislikes, or avoids pleasure itself, because it is pleasure, but because those who do not know how to pursue pleasure rationally encounter consequences that are extremely painful. Nor again is there anyone who loves or pursues or desires to obtain pain of itself, because it is pain, but because occasionally circumstances occur in which toil and pain can procure him some great pleasure. To take a trivial example, which of us ever undertakes laborious physical exercise, except to obtain some advantage from it? But who has any right to find fault with a man who chooses to enjoy a pleasure that has no annoying consequences, or one who avoids a pain that produces no resultant pleasure?&quot;</p>
-', NULL, '2021-03-30 12:23:06.682', NULL, NULL, 'Testing Low Notifications Part VII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('65fe4cb9-1625-4dd2-93be-13328b2a9775', '<h3>Section 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot;, written by Cicero in 45 BC</h3>
-
-<p>&quot;At vero eos et accusamus et iusto odio dignissimos ducimus qui blanditiis praesentium voluptatum deleniti atque corrupti quos dolores et quas molestias excepturi sint occaecati cupiditate non provident, similique sunt in culpa qui officia deserunt mollitia animi, id est laborum et dolorum fuga. Et harum quidem rerum facilis est et expedita distinctio. Nam libero tempore, cum soluta nobis est eligendi optio cumque nihil impedit quo minus id quod maxime placeat facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum hic tenetur a sapiente delectus, ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores repellat.&quot;</p>
-', NULL, '2021-03-30 12:40:38.187', NULL, NULL, 'Testing Low Notifications Part VIII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('12a3b37b-32ec-4c2b-bddc-03d6a539cfcc', '<h3>1914 translation by H. Rackham</h3>
-
-<p>&quot;On the other hand, we denounce with righteous indignation and dislike men who are so beguiled and demoralized by the charms of pleasure of the moment, so blinded by desire, that they cannot foresee the pain and trouble that are bound to ensue; and equal blame belongs to those who fail in their duty through weakness of will, which is the same as saying through shrinking from toil and pain. These cases are perfectly simple and easy to distinguish. In a free hour, when our power of choice is untrammelled and when nothing prevents our being able to do what we like best, every pleasure is to be welcomed and every pain avoided. But in certain circumstances and owing to the claims of duty or the obligations of business it will frequently occur that pleasures have to be repudiated and annoyances accepted. The wise man therefore always holds in these matters to this principle of selection: he rejects pleasures to secure other greater pleasures, or else he endures pains to avoid worse pains.&quot;</p>
-', NULL, '2021-03-30 12:42:28.545', NULL, NULL, 'Testing Low Notifications Part IV	', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('4e18dbf3-8fde-4695-93fb-5300ef6c0792', '<h1>Lorem Ipsum</h1>
-
-<p>&quot;Neque porro quisquam est qui dolorem ipsum quia dolor sit amet, consectetur, adipisci velit...&quot;</p>
-
-<p>&quot;There is no one who loves pain itself, who seeks after it and wants to have it, simply because it is pain...&quot;</p>
-', NULL, '2021-03-30 12:42:49.952', NULL, NULL, 'Testing Low Notifications Part V', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('5562778e-9258-412c-99be-4fb8ee4eb26c', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-03-30 12:43:02.305', NULL, NULL, 'Testing Low Notifications Part VI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('458bb915-ea65-45cc-86be-066a508a5ff6', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-03-30 16:36:49.021', NULL, NULL, 'Testing Low Notifications Part X', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('93495678-5fb5-4ad6-ac2d-5b9b0fe923e7', '<h2>Why do we use it?</h2>
-
-<p>It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem Ipsum is that it has a more-or-less normal distribution of letters, as opposed to using &#39;Content here, content here&#39;, making it look like readable English. Many desktop publishing packages and web page editors now use Lorem Ipsum as their default model text, and a search for &#39;lorem ipsum&#39; will uncover many web sites still in their infancy. Various versions have evolved over the years, sometimes by accident, sometimes on purpose (injected humour and the like).</p>
-', NULL, '2021-03-30 16:39:13.848', NULL, NULL, 'Testing Low Notifications Part XI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('548f87d5-761e-429b-9d4b-654a27ae3caf', '', NULL, '2021-04-06 21:18:13.417', NULL, NULL, 'test reducer 2', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('352a7f34-029e-4206-b2d4-f6c89ed65c13', '<h2>Where does it come from?</h2>
-
-<p>Contrary to popular belief, Lorem Ipsum is not simply random text. It has roots in a piece of classical Latin literature from 45 BC, making it over 2000 years old. Richard McClintock, a Latin professor at Hampden-Sydney College in Virginia, looked up one of the more obscure Latin words, consectetur, from a Lorem Ipsum passage, and going through the cites of the word in classical literature, discovered the undoubtable source. Lorem Ipsum comes from sections 1.10.32 and 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot; (The Extremes of Good and Evil) by Cicero, written in 45 BC. This book is a treatise on the theory of ethics, very popular during the Renaissance. The first line of Lorem Ipsum, &quot;Lorem ipsum dolor sit amet..&quot;, comes from a line in section 1.10.32.</p>
-
-<p>The standard chunk of Lorem Ipsum used since the 1500s is reproduced below for those interested. Sections 1.10.32 and 1.10.33 from &quot;de Finibus Bonorum et Malorum&quot; by Cicero are also reproduced in their exact original form, accompanied by English versions from the 1914 translation by H. Rackham.</p>
-', NULL, '2021-03-30 16:44:34.125', NULL, NULL, 'Testing Low Notifications Part XII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('a9abd0eb-7109-472a-984b-09ae4f317f15', '<h2>Where can I get some?</h2>
-
-<p>There are many variations of passages of Lorem Ipsum available, but the majority have suffered alteration in some form, by injected humour, or randomised words which don&#39;t look even slightly believable. If you are going to use a passage of Lorem Ipsum, you need to be sure there isn&#39;t anything embarrassing hidden in the middle of text. All the Lorem Ipsum generators on the Internet tend to repeat predefined chunks as necessary, making this the first true generator on the Internet. It uses a dictionary of over 200 Latin words, combined with a handful of model sentence structures, to generate Lorem Ipsum which looks reasonable. The generated Lorem Ipsum is therefore always free from repetition, injected humour, or non-characteristic words etc.</p>
-', NULL, '2021-03-30 16:53:04.729', NULL, NULL, 'Testing Low Notifications Part XIII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('b3ebd4b0-9a5b-4d61-b6b4-79f5cd49a6bf', '<h3>The standard Lorem Ipsum passage, used since the 1500s</h3>
-
-<p>&quot;Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.&quot;</p>
-', NULL, '2021-03-30 16:53:37.489', NULL, NULL, 'Testing Low Notifications Part XV', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('e1083786-8cff-4649-9ad0-4dc622783529', '<h3>1914 translation by H. Rackham</h3>
-
-<p>&quot;On the other hand, we denounce with righteous indignation and dislike men who are so beguiled and demoralized by the charms of pleasure of the moment, so blinded by desire, that they cannot foresee the pain and trouble that are bound to ensue; and equal blame belongs to those who fail in their duty through weakness of will, which is the same as saying through shrinking from toil and pain. These cases are perfectly simple and easy to distinguish. In a free hour, when our power of choice is untrammelled and when nothing prevents our being able to do what we like best, every pleasure is to be welcomed and every pain avoided. But in certain circumstances and owing to the claims of duty or the obligations of business it will frequently occur that pleasures have to be repudiated and annoyances accepted. The wise man therefore always holds in these matters to this principle of selection: he rejects pleasures to secure other greater pleasures, or else he endures pains to avoid worse pains.&quot;</p>
-', NULL, '2021-03-30 16:59:44.148', NULL, NULL, 'Testing Low Notifications Part XVI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('364cb1b9-32d0-459f-8b54-b06eaedf6d14', '<h3>1914 translation by H. Rackham</h3>
-
-<p>&quot;On the other hand, we denounce with righteous indignation and dislike men who are so beguiled and demoralized by the charms of pleasure of the moment, so blinded by desire, that they cannot foresee the pain and trouble that are bound to ensue; and equal blame belongs to those who fail in their duty through weakness of will, which is the same as saying through shrinking from toil and pain. These cases are perfectly simple and easy to distinguish. In a free hour, when our power of choice is untrammelled and when nothing prevents our being able to do what we like best, every pleasure is to be welcomed and every pain avoided. But in certain circumstances and owing to the claims of duty or the obligations of business it will frequently occur that pleasures have to be repudiated and annoyances accepted. The wise man therefore always holds in these matters to this principle of selection: he rejects pleasures to secure other greater pleasures, or else he endures pains to avoid worse pains.&quot;</p>
-', NULL, '2021-03-30 16:59:57.195', NULL, NULL, 'Testing Low Notifications Part XVI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('b262348c-6499-47bd-8c92-fad2aafa7128', '<h3>Section 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot;, written by Cicero in 45 BC</h3>
-
-<p>&quot;At vero eos et accusamus et iusto odio dignissimos ducimus qui blanditiis praesentium voluptatum deleniti atque corrupti quos dolores et quas molestias excepturi sint occaecati cupiditate non provident, similique sunt in culpa qui officia deserunt mollitia animi, id est laborum et dolorum fuga. Et harum quidem rerum facilis est et expedita distinctio. Nam libero tempore, cum soluta nobis est eligendi optio cumque nihil impedit quo minus id quod maxime placeat facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum hic tenetur a sapiente delectus, ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores repellat.&quot;</p>
-', NULL, '2021-03-30 17:06:51.582', NULL, NULL, 'Testing Low Notifications Part XVII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('8004057c-9695-4a2c-b615-78f8ad06a3e9', '<h3>Section 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot;, written by Cicero in 45 BC</h3>
-
-<p>&quot;At vero eos et accusamus et iusto odio dignissimos ducimus qui blanditiis praesentium voluptatum deleniti atque corrupti quos dolores et quas molestias excepturi sint occaecati cupiditate non provident, similique sunt in culpa qui officia deserunt mollitia animi, id est laborum et dolorum fuga. Et harum quidem rerum facilis est et expedita distinctio. Nam libero tempore, cum soluta nobis est eligendi optio cumque nihil impedit quo minus id quod maxime placeat facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum hic tenetur a sapiente delectus, ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores repellat.&quot;</p>
-', NULL, '2021-03-30 17:11:29.948', NULL, NULL, 'Testing Low Notifications Part XVIII', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('d3637738-21b6-42f1-96d2-36656923eebf', '', NULL, '2021-04-06 21:19:53.872', NULL, NULL, 'test admin', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('59621a96-d870-4244-9ca8-d2f616368500', '', NULL, '2021-04-06 21:22:08.896', NULL, NULL, 'link main', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('3f719c67-2d82-4e81-9fba-b1677961211e', '', NULL, '2021-04-06 21:32:46.189', NULL, NULL, 'test no link', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('8760a564-8373-428e-9b08-d139fba40842', '<h3>Section 1.10.33 of &quot;de Finibus Bonorum et Malorum&quot;, written by Cicero in 45 BC</h3>
-
-<p>&quot;At vero eos et accusamus et iusto odio dignissimos ducimus qui blanditiis praesentium voluptatum deleniti atque corrupti quos dolores et quas molestias excepturi sint occaecati cupiditate non provident, similique sunt in culpa qui officia deserunt mollitia animi, id est laborum et dolorum fuga. Et harum quidem rerum facilis est et expedita distinctio. Nam libero tempore, cum soluta nobis est eligendi optio cumque nihil impedit quo minus id quod maxime placeat facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum hic tenetur a sapiente delectus, ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores repellat.&quot;</p>
-', NULL, '2021-03-30 17:11:58.479', NULL, NULL, 'Testing Low Notifications Part XIX', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('c9602fd1-9f80-408b-b0f3-f1282010585b', '<p>&quot;On the other hand, we denounce with righteous indignation and dislike men who are so beguiled and demoralized by the charms of pleasure of the moment, so blinded by desire, that they cannot foresee the pain and trouble that are bound to ensue; and equal blame belongs to those who fail in their duty through weakness of will, which is the same as saying through shrinking from toil and pain. These cases are perfectly simple and easy to distinguish. In a free hour, when our power of choice is untrammelled and when nothing prevents our being able to do what we like best, every pleasure is to be welcomed and every pain avoided. But in certain circumstances and owing to the claims of duty or the obligations of business it will frequently occur that pleasures have to be repudiated and annoyances accepted. The wise man therefore always holds in these matters to this principle of selection: he rejects pleasures to secure other greater pleasures, or else he endures pains to avoid worse pains.&quot;</p>
-', NULL, '2021-03-30 17:19:29.365', NULL, NULL, 'Testing Low Notifications Part XX', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('d4820ba3-2763-4976-bf31-3ece7c423a4a', '<p>&quot;On the other hand, we denounce with righteous indignation and dislike men who are so beguiled and demoralized by the charms of pleasure of the moment, so blinded by desire, that they cannot foresee the pain and trouble that are bound to ensue; and equal blame belongs to those who fail in their duty through weakness of will, which is the same as saying through shrinking from toil and pain. These cases are perfectly simple and easy to distinguish. In a free hour, when our power of choice is untrammelled and when nothing prevents our being able to do what we like best, every pleasure is to be welcomed and every pain avoided. But in certain circumstances and owing to the claims of duty or the obligations of business it will frequently occur that pleasures have to be repudiated and annoyances accepted. The wise man therefore always holds in these matters to this principle of selection: he rejects pleasures to secure other greater pleasures, or else he endures pains to avoid worse pains.&quot;</p>
-', NULL, '2021-03-30 17:19:39.251', NULL, NULL, 'Testing Low Notifications Part XX	', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('03e8c00d-83d5-4082-a03e-0fd0b350bbed', '<p>&quot;At vero eos et accusamus et iusto odio dignissimos ducimus qui blanditiis praesentium voluptatum deleniti atque corrupti quos dolores et quas molestias excepturi sint occaecati cupiditate non provident, similique sunt in culpa qui officia deserunt mollitia animi, id est laborum et dolorum fuga. Et harum quidem rerum facilis est et expedita distinctio. Nam libero tempore, cum soluta nobis est eligendi optio cumque nihil impedit quo minus id quod maxime placeat facere possimus, omnis voluptas assumenda est, omnis dolor repellendus. Temporibus autem quibusdam et aut officiis debitis aut rerum necessitatibus saepe eveniet ut et voluptates repudiandae sint et molestiae non recusandae. Itaque earum rerum hic tenetur a sapiente delectus, ut aut reiciendis voluptatibus maiores alias consequatur aut perferendis doloribus asperiores repellat.&quot;</p>
-', NULL, '2021-03-30 17:37:15.388', NULL, NULL, 'Testing Low Notifications Part XX	', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('1b6abcbb-1f35-48cd-b534-c091bdad36c1', '<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-03-30 17:47:19.57', NULL, NULL, 'Testing Low Notifications Part XX	', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('2532990e-1350-42ae-a612-c3ba812c0f82', '<p>It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem Ipsum is that it has a more-or-less normal distribution of letters, as opposed to using &#39;Content here, content here&#39;, making it look like readable English. Many desktop publishing packages and web page editors now use Lorem Ipsum as their default model text, and a search for &#39;lorem ipsum&#39; will uncover many web sites still in their infancy. Various versions have evolved over the years, sometimes by accident, sometimes on purpose (injected humour and the like).</p>
-', NULL, '2021-03-30 17:47:33.087', NULL, NULL, 'Testing Low Notifications Part XXI', NULL, NULL, 'LOW', 'a8b1b6db-2543-4549-b143-442735739fed');
-INSERT INTO push."Notifications" VALUES ('629423e4-9763-4e81-b93b-27a3c5af9766', '<p>1</p>
-', NULL, '2021-03-31 12:04:11.699', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('1f8397ca-d1bd-445d-a903-d6510b6d0eff', '<p>Test email content<p>', NULL, '2021-03-31 18:22:12.294', NULL, NULL, 'This week news!', NULL, NULL, 'normal', 'a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce');
-INSERT INTO push."Notifications" VALUES ('2ed66d22-a09d-4564-b1e2-98e5782477ee', '<!doctype html>
-<html>
- <head>
-  <meta charset="UTF-8">
- </head>
- <body>
-  <div style="" class="default-style">
-   Hi Hello
-  </div>
- </body>
-</html>', NULL, '2021-03-31 16:29:25.57', NULL, NULL, 'Testing 1 2 3', NULL, NULL, 'normal', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('82b9dd4f-094f-49f6-b2d8-8a9f2548745e', '', NULL, '2021-04-01 07:41:58.122', NULL, NULL, 'Important test notification', NULL, NULL, 'IMPORTANT', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('46e06d2e-3d5d-4c1c-8f6e-72009675fdf6', '<p>Tesing</p>
-', NULL, '2021-04-01 12:09:51.213', NULL, NULL, 'Testing 123 ', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('eeeefd9b-297b-4075-9b41-7c162abc7d0f', '<p>2 323</p>
-', NULL, '2021-04-01 12:12:47.258', NULL, NULL, 'test', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('bd11bbff-1d75-4d99-b41c-bbbdd4089b56', '', NULL, '2021-04-06 09:06:13.153', NULL, NULL, 'Test new button', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('f5063c8f-f32b-40bd-a77f-a698e52f6549', '', NULL, '2021-04-06 09:12:38.007', NULL, NULL, 'test from page', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('e12f535a-0535-4692-a759-27a61229e11c', '', NULL, '2021-04-06 09:13:31.813', NULL, NULL, 'test from button', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('ab213309-4c7e-4556-b6cf-58bc9f20c3a2', '', NULL, '2021-04-06 09:23:49.014', NULL, NULL, 'test from page 2', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('459bb82a-9e49-462b-a4b8-8a54acb63cb4', '', NULL, '2021-04-06 09:24:21.52', NULL, NULL, 'test page 3', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('9617f097-f4de-4079-8819-18b9e8143e60', '', NULL, '2021-04-06 09:24:45.204', NULL, NULL, 'test button then page', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('f76b1b94-0ac2-414a-b0f0-de858211f341', '', NULL, '2021-04-06 09:25:02.725', NULL, NULL, 'test now page', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('1686f1d1-692a-440e-b208-1f20b8086a84', '', NULL, '2021-04-06 09:34:38.476', NULL, NULL, 'test new', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('480583bb-bf4e-4a87-bf4b-e08c1375f44c', '', NULL, '2021-04-06 09:35:47.888', NULL, NULL, 'test adm', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('669c1254-65a9-4b75-b43e-c5d292805bf8', '', NULL, '2021-04-06 09:36:07.763', NULL, NULL, 'test page', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('b138fdc6-4c77-4c7c-9936-b6a283e93e6a', '', NULL, '2021-04-06 09:50:02.319', NULL, NULL, 'test timeout', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('9074fbb0-d1d8-4d64-b34f-f222df1468e4', '', NULL, '2021-04-06 09:51:46.441', NULL, NULL, 'test reload', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('1b0cdbfd-0e6a-4332-8bec-0ebe3387812c', '', NULL, '2021-04-06 10:03:18.307', NULL, NULL, 'test req', NULL, NULL, 'NORMAL', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('279ae208-d874-481f-84a2-e7fd6d6bf844', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-04-12 15:30:58.677', NULL, NULL, 'Test Daily at 9pm', NULL, NULL, 'NORMAL', '54f42ef2-8dc8-4dd1-986d-18025eb74b82');
-INSERT INTO push."Notifications" VALUES ('45f1f48d-e7d4-4056-9098-b1e1f6868e1b', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-
-<h2>Why do we use it?</h2>
-
-<p>It is a long established fact that a reader will be distracted by the readable content of a page when looking at its layout. The point of using Lorem Ipsum is that it has a more-or-less normal distribution of letters, as opposed to using &#39;Content here, content here&#39;, making it look like readable English. Many desktop publishing packages and web page editors now use Lorem Ipsum as their default model text, and a search for &#39;lorem ipsum&#39; will uncover many web sites still in their infancy. Various versions have evolved over the years, sometimes by accident, sometimes on purpose (injected humour and the like).</p>
-', NULL, '2021-04-13 08:28:19.642', NULL, NULL, 'Testing 13pm daily', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('7f2eb3ae-ef32-4d4c-babb-ac26d19523c2', '<p>test</p>
-', NULL, '2021-04-13 12:33:19.796', NULL, NULL, 'Test', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('455b884c-36f8-48c5-988f-618462c70c64', '<h1>Lorem Ipsum</h1>
-
-<p>&quot;Neque porro quisquam est qui dolorem ipsum quia dolor sit amet, consectetur, adipisci velit...&quot;</p>
-
-<p>&quot;There is no one who loves pain itself, who seeks after it and wants to have it, simply because it is pain...&quot;</p>
-', NULL, '2021-04-13 15:23:25.184', NULL, NULL, 'Testing daily 9pm', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('6342159a-96b9-49fa-ba34-087f0c0c2c3f', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-04-14 08:46:23.641', NULL, NULL, 'Test 1pm daily', NULL, NULL, 'NORMAL', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('5ce9f473-3a64-461c-9fac-681b9d408175', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-04-14 08:47:12.193', NULL, NULL, 'Test Live', NULL, NULL, 'IMPORTANT', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('32954c02-3594-4385-97e5-ec683156e0ed', '<h2>What is Lorem Ipsum?</h2>
-
-<p><strong>Lorem Ipsum</strong>&nbsp;is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry&#39;s standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged. It was popularised in the 1960s with the release of Letraset sheets containing Lorem Ipsum passages, and more recently with desktop publishing software like Aldus PageMaker including versions of Lorem Ipsum.</p>
-', NULL, '2021-04-14 08:47:43.154', NULL, NULL, 'Test live', NULL, NULL, 'IMPORTANT', '431d3f39-2df7-4b22-b63e-ad40670a7091');
-INSERT INTO push."Notifications" VALUES ('a1b4f2a1-21e3-4666-858b-e204c385e7e1', '', NULL, '2021-04-14 16:56:16.052', NULL, NULL, 'test important tag overlaped', NULL, NULL, 'IMPORTANT', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('64f7c19e-c87b-4483-9481-8e3d910003cd', '', NULL, '2021-04-14 16:57:12', NULL, NULL, 'test important tag overlaped', NULL, NULL, 'IMPORTANT', 'ac47643d-0f6e-4c33-9d96-3fa3946215a8');
-INSERT INTO push."Notifications" VALUES ('b05c88be-e98e-42ec-b296-04e34ba15aa8', '<p>Test member notifications</p>
-', NULL, '2021-04-15 10:34:51.808', NULL, NULL, 'Test member notifications', NULL, NULL, 'NORMAL', 'c3ccc15b-298f-4dc7-877f-2c8970331caf');
-
-
---
--- Data for Name: Preferences; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Preferences" VALUES ('72e6143f-1f1e-4bfd-9d9c-4b1818ced68a', 'Default Live', 'LIVE', 'NORMAL,IMPORTANT', NULL, NULL, '51b0700c-8543-48a3-9bc4-3e6ec1d1845a', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('1bd1d629-8441-455e-a59a-e518aa80bd53', 'Default Daily', 'DAILY', 'LOW', NULL, NULL, '51b0700c-8543-48a3-9bc4-3e6ec1d1845a', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('a6980cd6-3bae-41df-b0bb-3a7eaab2eac1', 'Default Live', 'LIVE', 'NORMAL,IMPORTANT', NULL, NULL, '4952a4af-6936-4303-b117-1aaa48130aea', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('124a5bf7-6fd9-4d24-90c0-4a1ee82ef628', 'Default Daily', 'DAILY', 'LOW', NULL, NULL, '4952a4af-6936-4303-b117-1aaa48130aea', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('52d679fd-04ee-478e-95d3-c03703fc7943', 'Test', 'DAILY', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', '54f42ef2-8dc8-4dd1-986d-18025eb74b82', NULL);
-INSERT INTO push."Preferences" VALUES ('630b0458-6c37-45cc-9b16-9b426e154141', 'Default preference', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '88733d47-5c15-4503-b5be-3ad194c137fb', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('8568013c-1502-4d64-a4e0-6fe51c855609', 'All daily', 'DAILY', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, '13:00:00');
-INSERT INTO push."Preferences" VALUES ('8ca569db-aeea-458d-8163-a4fc78f2a794', 'test', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', 'ef46aca0-e73b-4794-8043-ffe974247cc8', NULL);
-INSERT INTO push."Preferences" VALUES ('b0b013a0-c07e-43fb-b651-2f386376ac1a', 'Default preference', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('d913d0c8-6771-4bc0-a1ec-2f2ed9c31a30', 'Default preference', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '3eacfc35-42bd-49e8-9f2c-1e552c447ff3', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('e9e07557-22c5-42ee-9c50-33d8a6c17901', 'Default preference', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '598d151c-f850-451e-9eac-1f6a3d987a5c', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('ccaefbf0-b42d-4e09-9cc3-771972101398', 'Default Important', 'LIVE', 'IMPORTANT', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('3a3765b1-d2be-4767-adca-f752cbed331c', 'Default Live', 'LIVE', 'NORMAL,IMPORTANT', NULL, NULL, 'fd331503-68a7-42fd-86a1-ff39efcd5f7c', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', 'All to Notifications', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('543c2ed4-7b23-47b0-ad20-7678df5e514d', 'ttttt', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', '00736a81-9f42-49c8-9d2c-1b8536507706', NULL);
-INSERT INTO push."Preferences" VALUES ('749b3bb6-ff56-4937-b8bf-1674123cdc38', 'tt', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', 'a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce', NULL);
-INSERT INTO push."Preferences" VALUES ('8f354c79-d74d-455d-8b8e-75ffbdcde81b', 'Default Normal', 'LIVE', 'NORMAL', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('85915c33-2a5a-4964-87c8-f2038697bc15', 'Default Daily', 'DAILY', 'LOW', NULL, NULL, 'fd331503-68a7-42fd-86a1-ff39efcd5f7c', NULL, '09:00:00');
-INSERT INTO push."Preferences" VALUES ('6d940acf-19bd-4a18-bb4a-f7400d5690ba', 'dsfsdf', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('6d709b7a-bc20-4f74-812a-382344363030', 'Default Live', 'LIVE', 'NORMAL,IMPORTANT', NULL, NULL, 'bd9f20af-122b-4f08-b95c-3256eb9967be', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('b46bafa5-e112-4e73-aa65-8a6e312692ce', 'Default Daily', 'DAILY', 'LOW', NULL, NULL, 'bd9f20af-122b-4f08-b95c-3256eb9967be', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('032cec6a-6281-43c7-8536-4d2c89af8a93', 'Public', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'edeebd44-29db-43f6-98d5-a3852b0fcbe7', '9367e33e-47df-4648-825e-e6b52d73b593', NULL);
-INSERT INTO push."Preferences" VALUES ('d461a168-1926-487d-82f9-ab550b89ad7f', 'Daily preference', 'DAILY', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '3855058d-a287-4cf8-974e-502fc568af78', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('734a34da-38fe-466d-aadf-148e2395500b', 'ssss', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('6aa14748-a64b-46e2-9154-f26f16fa933b', 'sad', 'LIVE', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('7564138b-c41f-4f9f-8660-46f445a5ca7f', 'asdas', 'DAILY', 'LOW,NORMAL,IMPORTANT', NULL, NULL, 'a7fc13ae-f38c-4501-83f3-e37a35661fa1', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('4091ff4e-c2f6-496a-b665-9f1ede267582', 'low to daily', 'DAILY', 'LOW', NULL, NULL, '60a5b86e-345e-47bc-915f-2a8af500485b', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('73765185-205b-4258-8416-783b53aaba7d', 'Default preference', 'LIVE', 'NORMAL,IMPORTANT', NULL, NULL, '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('d5014e88-731a-4cef-aae3-769dc767ceda', 'Low preference', 'DAILY', 'LOW', NULL, NULL, '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', NULL, NULL);
-INSERT INTO push."Preferences" VALUES ('9ca89204-94de-47ed-a49e-1cc01e9c41af', 'test pref', 'DAILY', 'LOW,NORMAL,IMPORTANT', NULL, NULL, '3855058d-a287-4cf8-974e-502fc568af78', NULL, '13:00:00');
-
-
---
--- Data for Name: ServiceStatus; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."ServiceStatus" VALUES ('d2181ea9-f6f9-43c2-948e-9ffd31cb0833', 'Please report any issues at <a href="https://mattermost.web.cern.ch/it-dep/channels/notifications"  target="_blank">mattermost.web.cern.ch/it-dep/channels/notifications</a>
-', '2021-03-19 15:48:40.899389', 10);
-
-
---
--- Data for Name: Services; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-
-
---
--- Data for Name: UserDailyNotifications; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-
-
---
--- Data for Name: UserNotifications; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-
-
---
--- Data for Name: Users; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push."Users" VALUES ('3eacfc35-42bd-49e8-9f2c-1e552c447ff3', 'admalva', 'admalva@cern.ch', true, '2021-03-19 14:24:17.065423+01', NULL);
-INSERT INTO push."Users" VALUES ('88733d47-5c15-4503-b5be-3ad194c137fb', 'test', 'sjdfnksjfjksdf.fsdfsdfsd@cern.ch', true, '2021-03-19 14:24:17.065423+01', NULL);
-INSERT INTO push."Users" VALUES ('bd9f20af-122b-4f08-b95c-3256eb9967be', 'admcae', 'admcae@cern.ch', true, '2021-03-27 00:28:40.046782+01', NULL);
-INSERT INTO push."Users" VALUES ('a7fc13ae-f38c-4501-83f3-e37a35661fa1', 'ctojeiro', 'caetan.tojeiro.carpente@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-04-15 09:34:41.209+02');
-INSERT INTO push."Users" VALUES ('edeebd44-29db-43f6-98d5-a3852b0fcbe7', 'crdeoliv', 'carina.oliveira.antunes@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-04-15 10:30:57.071+02');
-INSERT INTO push."Users" VALUES ('fd331503-68a7-42fd-86a1-ff39efcd5f7c', 'jlopesda', 'jose.semedo@cern.ch', true, '2021-04-15 10:34:05.971142+02', '2021-04-15 10:34:06.544+02');
-INSERT INTO push."Users" VALUES ('51b0700c-8543-48a3-9bc4-3e6ec1d1845a', 'admca', 'admca@cern.ch', true, '2021-03-19 18:42:19.438262+01', NULL);
-INSERT INTO push."Users" VALUES ('4952a4af-6936-4303-b117-1aaa48130aea', 'dlimanic', 'diogo.lima.nicolau@cern.ch', true, '2021-03-19 18:44:27.089654+01', NULL);
-INSERT INTO push."Users" VALUES ('0cbbcb15-e43c-4eab-b08f-99bf256ce6c0', 'eduardoa', 'eduardo.alvarez.fernandez@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-03-30 16:39:35.587+02');
-INSERT INTO push."Users" VALUES ('60a5b86e-345e-47bc-915f-2a8af500485b', 'ormancey', 'emmanuel.ormancey@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-04-09 16:22:26.755+02');
-INSERT INTO push."Users" VALUES ('3855058d-a287-4cf8-974e-502fc568af78', 'dchatzic', 'dimitra.chatzichrysou@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-04-12 16:20:44.799+02');
-INSERT INTO push."Users" VALUES ('598d151c-f850-451e-9eac-1f6a3d987a5c', 'ijakovlj', 'igor.jakovljevic@cern.ch', true, '2021-03-19 14:24:17.065423+01', '2021-04-13 11:24:23.561+02');
-
-
---
--- Data for Name: channels_groups__groups; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push.channels_groups__groups VALUES ('a8b1b6db-2543-4549-b143-442735739fed', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a');
-INSERT INTO push.channels_groups__groups VALUES ('a8b1b6db-2543-4549-b143-442735739fed', '08d82a52-7972-4fed-8135-bf603f002247');
-INSERT INTO push.channels_groups__groups VALUES ('c3ccc15b-298f-4dc7-877f-2c8970331caf', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a');
-INSERT INTO push.channels_groups__groups VALUES ('ef46aca0-e73b-4794-8043-ffe974247cc8', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a');
-INSERT INTO push.channels_groups__groups VALUES ('54f42ef2-8dc8-4dd1-986d-18025eb74b82', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a');
-INSERT INTO push.channels_groups__groups VALUES ('23ada92a-e7dd-4c19-90b0-a9493f95f1e4', '186d8dfc-2774-43a8-91b5-a887fcb6ba4a');
-
-
---
--- Data for Name: channels_members__users; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push.channels_members__users VALUES ('9367e33e-47df-4648-825e-e6b52d73b593', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('e4aa1f94-9eba-43cc-ad3e-9d9d49b03891', '598d151c-f850-451e-9eac-1f6a3d987a5c');
-INSERT INTO push.channels_members__users VALUES ('ef46aca0-e73b-4794-8043-ffe974247cc8', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('23ada92a-e7dd-4c19-90b0-a9493f95f1e4', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push.channels_members__users VALUES ('533788d4-2fb2-48bf-854b-60d0fd814406', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push.channels_members__users VALUES ('a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push.channels_members__users VALUES ('c3ccc15b-298f-4dc7-877f-2c8970331caf', '3eacfc35-42bd-49e8-9f2c-1e552c447ff3');
-INSERT INTO push.channels_members__users VALUES ('ef46aca0-e73b-4794-8043-ffe974247cc8', '88733d47-5c15-4503-b5be-3ad194c137fb');
-INSERT INTO push.channels_members__users VALUES ('431d3f39-2df7-4b22-b63e-ad40670a7091', '88733d47-5c15-4503-b5be-3ad194c137fb');
-INSERT INTO push.channels_members__users VALUES ('54f42ef2-8dc8-4dd1-986d-18025eb74b82', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('a8b1b6db-2543-4549-b143-442735739fed', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_members__users VALUES ('a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_members__users VALUES ('54f42ef2-8dc8-4dd1-986d-18025eb74b82', '4952a4af-6936-4303-b117-1aaa48130aea');
-INSERT INTO push.channels_members__users VALUES ('2098db12-7ab4-4216-8150-81f762d17cd3', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push.channels_members__users VALUES ('00736a81-9f42-49c8-9d2c-1b8536507706', '598d151c-f850-451e-9eac-1f6a3d987a5c');
-INSERT INTO push.channels_members__users VALUES ('2098db12-7ab4-4216-8150-81f762d17cd3', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_members__users VALUES ('00736a81-9f42-49c8-9d2c-1b8536507706', '60a5b86e-345e-47bc-915f-2a8af500485b');
-INSERT INTO push.channels_members__users VALUES ('bc00f63f-3779-4f82-8272-643df1425f6f', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('ac47643d-0f6e-4c33-9d96-3fa3946215a8', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_members__users VALUES ('44a197e8-2fdc-4a7f-a9a5-4d02c050ebf1', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_members__users VALUES ('431d3f39-2df7-4b22-b63e-ad40670a7091', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('a155ee5a-fcc4-4b0c-8cf7-e1ad11a78fce', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('23ada92a-e7dd-4c19-90b0-a9493f95f1e4', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('533788d4-2fb2-48bf-854b-60d0fd814406', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('00736a81-9f42-49c8-9d2c-1b8536507706', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('96639a38-24e2-4fab-a369-5b00f4ecc01f', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_members__users VALUES ('2098db12-7ab4-4216-8150-81f762d17cd3', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-
-
---
--- Data for Name: channels_unsubscribed__users; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push.channels_unsubscribed__users VALUES ('c3ccc15b-298f-4dc7-877f-2c8970331caf', '0cbbcb15-e43c-4eab-b08f-99bf256ce6c0');
-INSERT INTO push.channels_unsubscribed__users VALUES ('ef46aca0-e73b-4794-8043-ffe974247cc8', '88733d47-5c15-4503-b5be-3ad194c137fb');
-INSERT INTO push.channels_unsubscribed__users VALUES ('a8b1b6db-2543-4549-b143-442735739fed', 'edeebd44-29db-43f6-98d5-a3852b0fcbe7');
-INSERT INTO push.channels_unsubscribed__users VALUES ('54f42ef2-8dc8-4dd1-986d-18025eb74b82', '88733d47-5c15-4503-b5be-3ad194c137fb');
-INSERT INTO push.channels_unsubscribed__users VALUES ('00736a81-9f42-49c8-9d2c-1b8536507706', '598d151c-f850-451e-9eac-1f6a3d987a5c');
-INSERT INTO push.channels_unsubscribed__users VALUES ('44a197e8-2fdc-4a7f-a9a5-4d02c050ebf1', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-INSERT INTO push.channels_unsubscribed__users VALUES ('44a197e8-2fdc-4a7f-a9a5-4d02c050ebf1', 'bd9f20af-122b-4f08-b95c-3256eb9967be');
-INSERT INTO push.channels_unsubscribed__users VALUES ('ac47643d-0f6e-4c33-9d96-3fa3946215a8', 'bd9f20af-122b-4f08-b95c-3256eb9967be');
-INSERT INTO push.channels_unsubscribed__users VALUES ('ac47643d-0f6e-4c33-9d96-3fa3946215a8', 'a7fc13ae-f38c-4501-83f3-e37a35661fa1');
-
-
---
--- Data for Name: preferences_devices__devices; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-INSERT INTO push.preferences_devices__devices VALUES ('72e6143f-1f1e-4bfd-9d9c-4b1818ced68a', '67f4d51a-ce9e-4c99-bacd-d3463dc78e50');
-INSERT INTO push.preferences_devices__devices VALUES ('1bd1d629-8441-455e-a59a-e518aa80bd53', '67f4d51a-ce9e-4c99-bacd-d3463dc78e50');
-INSERT INTO push.preferences_devices__devices VALUES ('a6980cd6-3bae-41df-b0bb-3a7eaab2eac1', 'b1bd33b8-8f6e-488f-9152-39ae4139a894');
-INSERT INTO push.preferences_devices__devices VALUES ('124a5bf7-6fd9-4d24-90c0-4a1ee82ef628', 'b1bd33b8-8f6e-488f-9152-39ae4139a894');
-INSERT INTO push.preferences_devices__devices VALUES ('e9e07557-22c5-42ee-9c50-33d8a6c17901', '5b2d3c49-e4dc-4827-ae75-0ab48e1b5ac6');
-INSERT INTO push.preferences_devices__devices VALUES ('b0b013a0-c07e-43fb-b651-2f386376ac1a', 'fa69dcc7-8c71-41af-9886-8993c124c8de');
-INSERT INTO push.preferences_devices__devices VALUES ('73765185-205b-4258-8416-783b53aaba7d', '26d0fb3e-5d1c-4a19-a624-c1893dcd9a10');
-INSERT INTO push.preferences_devices__devices VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', '7e0b1843-4733-48d1-824f-75245305fa6c');
-INSERT INTO push.preferences_devices__devices VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', '2efa4594-14dd-4eea-9df8-acb0715a06f4');
-INSERT INTO push.preferences_devices__devices VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', '3dbfe29a-b000-4c56-8049-e5f2f7f6455a');
-INSERT INTO push.preferences_devices__devices VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', '81003193-d76f-4e76-b0c2-5f45e055bbfd');
-INSERT INTO push.preferences_devices__devices VALUES ('39d51c4f-e42b-49b8-82c3-77979e89f20e', '403884ee-e491-4ce8-99e3-109f10bdf664');
-INSERT INTO push.preferences_devices__devices VALUES ('630b0458-6c37-45cc-9b16-9b426e154141', '8d515b7f-5f2c-4d1c-8c31-592d1c795fc9');
-INSERT INTO push.preferences_devices__devices VALUES ('8ca569db-aeea-458d-8163-a4fc78f2a794', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('543c2ed4-7b23-47b0-ad20-7678df5e514d', 'fa69dcc7-8c71-41af-9886-8993c124c8de');
-INSERT INTO push.preferences_devices__devices VALUES ('749b3bb6-ff56-4937-b8bf-1674123cdc38', 'fa69dcc7-8c71-41af-9886-8993c124c8de');
-INSERT INTO push.preferences_devices__devices VALUES ('8568013c-1502-4d64-a4e0-6fe51c855609', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('6d940acf-19bd-4a18-bb4a-f7400d5690ba', 'c14467fd-acd5-446a-b2e8-31f4eb601a37');
-INSERT INTO push.preferences_devices__devices VALUES ('6d709b7a-bc20-4f74-812a-382344363030', '468d334c-e004-4bdc-a8be-2ddd87df23b7');
-INSERT INTO push.preferences_devices__devices VALUES ('b46bafa5-e112-4e73-aa65-8a6e312692ce', '468d334c-e004-4bdc-a8be-2ddd87df23b7');
-INSERT INTO push.preferences_devices__devices VALUES ('d461a168-1926-487d-82f9-ab550b89ad7f', 'ac83f078-d4a6-4355-adaa-790fd19e3b40');
-INSERT INTO push.preferences_devices__devices VALUES ('734a34da-38fe-466d-aadf-148e2395500b', 'c14467fd-acd5-446a-b2e8-31f4eb601a37');
-INSERT INTO push.preferences_devices__devices VALUES ('6aa14748-a64b-46e2-9154-f26f16fa933b', 'c14467fd-acd5-446a-b2e8-31f4eb601a37');
-INSERT INTO push.preferences_devices__devices VALUES ('7564138b-c41f-4f9f-8660-46f445a5ca7f', 'c14467fd-acd5-446a-b2e8-31f4eb601a37');
-INSERT INTO push.preferences_devices__devices VALUES ('4091ff4e-c2f6-496a-b665-9f1ede267582', 'fa69dcc7-8c71-41af-9886-8993c124c8de');
-INSERT INTO push.preferences_devices__devices VALUES ('d5014e88-731a-4cef-aae3-769dc767ceda', '26d0fb3e-5d1c-4a19-a624-c1893dcd9a10');
-INSERT INTO push.preferences_devices__devices VALUES ('ccaefbf0-b42d-4e09-9cc3-771972101398', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('8f354c79-d74d-455d-8b8e-75ffbdcde81b', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('032cec6a-6281-43c7-8536-4d2c89af8a93', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('52d679fd-04ee-478e-95d3-c03703fc7943', 'd4e15d11-a56e-4568-9e9f-497110426a72');
-INSERT INTO push.preferences_devices__devices VALUES ('9ca89204-94de-47ed-a49e-1cc01e9c41af', 'ac83f078-d4a6-4355-adaa-790fd19e3b40');
-INSERT INTO push.preferences_devices__devices VALUES ('ccaefbf0-b42d-4e09-9cc3-771972101398', 'f6c20231-8b27-4a42-b4f9-0999b6210d59');
-INSERT INTO push.preferences_devices__devices VALUES ('ccaefbf0-b42d-4e09-9cc3-771972101398', 'b364010c-a34d-421f-bb92-9ba5ebb2b1ae');
-INSERT INTO push.preferences_devices__devices VALUES ('3a3765b1-d2be-4767-adca-f752cbed331c', '32105152-ea40-4e01-85bf-3e848165b2d1');
-INSERT INTO push.preferences_devices__devices VALUES ('85915c33-2a5a-4964-87c8-f2038697bc15', '32105152-ea40-4e01-85bf-3e848165b2d1');
-
-
---
--- Data for Name: preferences_disabled_channels__channels; Type: TABLE DATA; Schema: push; Owner: admin
---
-
-
-
---
--- Data for Name: Notifications; Type: TABLE DATA; Schema: push_test; Owner: admin
---
-
-INSERT INTO push_test."Notifications" VALUES (5, 'proncero', 'test', 'test', true, NULL, '2019-10-24 12:59:02.644', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (6, 'proncero', 'test', 'test', true, NULL, '2019-11-05 14:16:15.384', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (7, 'proncero', 'test', 'test', true, NULL, '2019-11-05 15:12:13.049', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (9, 'proncero', 'How to build beautiful CERN websites ', '<span>How to build beautiful CERN websites </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Kate Kahle</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Tue, 11/05/2019 - 14:19</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>One year on from<a href="https://home.cern/news/news/cern/welcome-new-cern-website"> launching</a> the new home.cern website, the CERN online landscape has begun to change. Now, more than 600 websites are in production or development using the main open-source content management system supported at CERN: Drupal 8 (D8). Some of these websites have been highlighted in a <a href="https://drupal-showcase.web.cern.ch/">new Drupal showcase website</a> to give examples of what is possible with the new CERN D8 theme.</p>
-
-<p>Last year, when D8 was launched at CERN, it was accompanied by a <a href="https://webtools.web.cern.ch/">webtools website</a> to help guide new users. The webtools took on board user feedback and requirements from the last six years of using Drupal 7 at CERN, and continue to be regularly enhanced and improved. Alongside the <a href="https://lms.cern.ch/ekp/servlet/ekp?TX=UNIVERSALSEARCH&INIT=N&ACTION=SEARCH&KEYW=drupal&universal-search-advanced-selector-dropdown=0&SEARCH=">Drupal 8 CERN training courses</a>, these webtools help those embarking on new websites, or migrating their existing websites to Drupal 8. In addition, a <a href="https://easy-start.web.cern.ch/">new easy-start template</a> is now available to help those unfamiliar with the technology to enter content into a pre-existing template. When <a href="https://webservices.web.cern.ch/webservices/Services/CreateNewSite/Default.aspx">creating a new CERN website</a>, there is now the choice of the easy-start, demo or blank Drupal 8 templates.</p>
-
-<p>By mid-2020, Drupal 7 will no longer be supported at CERN, so website owners will either need to move their websites to Drupal 8 or explore alternatives. To help them with this task, each Drupal 7 website owner was contacted earlier this year with proposals of either moving to Drupal 8 or to alternative technologies.</p>
-
-<p>For those remaining on Drupal, the <a href="https://drupal-community.web.cern.ch/">Drupal community</a>, supported by the IR web team and IT Drupal infrastructure team, uses an online forum and face-to-face meetings every two weeks to help answer queries, alongside twice-yearly official meetings.</p>
-
-<p>If you would like to join the Drupal community to find out the latest news and improvements, <a href="https://e-groups.cern.ch/e-groups/EgroupsSubscription.do?egroupName=drupal-community">subscribe here</a>.</p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.673', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (12, 'proncero', 'Be seen, be safe', '<span>Be seen, be safe</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/05/2019 - 12:27</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the second year running, the HSE unit will be distributing reflective tags for CERN personnel to attach to their clothing or bags in order to help them, or their family members, to be visible and therefore safer on the streets this winter.</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-129-2"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2" title="View on CDS"><img alt="home.cern" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2/file?size=large" /></a>
-<figcaption><span>(Image: CERN)</span></figcaption></figure><p>They may be small, but these tags make a real difference to how easy it is for pedestrians to be seen by motorists – take a look at the short film that will be running on the information screens in the restaurants over the next few weeks.</p>
-
-<p>Some of you may remember last year’s distribution. This year’s tags are similar, but we’ve customised them a little. Come along to find out how, and to collect your free reflectors, at Restaurants 1, 2 and 3 at lunchtime on 14 November.</p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.648', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (13, 'proncero', 'Halfway towards LHC consolidation', '<span>Halfway towards LHC consolidation</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Fri, 10/18/2019 - 11:18</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The Large Hadron Collider is such a huge and sophisticated machine that the slightest alteration requires an enormous amount of work. During the second long shutdown (LS2), teams are hard at work <a href="https://home.cern/news/news/accelerators/more-spring-clean-lhc-magnets">reinforcing the electrical insulation of the accelerator’s superconducting dipole diodes</a>. The LHC contains not one, not two, but 1232 superconducting dipole magnets, each with a diode system to upgrade. That’s why no fewer than 150 people are needed to carry out the 70 000 tasks involved in this work.</p>
-
-<p>The project is now halfway to completion. One of the machine’s eight sectors, containing 154 magnets, is now closed and the final leak tests are under way. Work is ongoing in the seven other sectors and the teams are working at a rate of ten interconnections consolidated per day.</p>
-
-<p>The work is part of a broader project called DISMAC (“Diodes Insulation and Superconducting Magnets Consolidation”), which also includes the replacement of magnets and maintenance operations on the current leads, the devices that supply the LHC with electricity. Twenty-two magnets have already been replaced and two others have been removed from the machine in order to replace their beam screens, which are components located in the vacuum chamber.</p>
-
-<p>A plethora of upgrade and maintenance work is also being carried out in the tunnel on all the equipment, from the cryogenics system to the vacuum, beam instrumentation and technical infrastructures.</p>
-
-<figure><img alt="magnet,LHC,LS2,tunnel,TI2,Transfer" src="//cds.cern.ch/images/CERN-PHOTO-201906-163-1/file?size=large" /><figcaption>Replacement of one of the LHC superconducting dipole magnets during the accelerator consolidation campaign. (Image: Maximilien Brice and Julien Ordan/CERN)</figcaption></figure><hr /></div>
-      ', true, NULL, '2019-11-11 16:39:03.58', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (10, 'proncero', 'Beamline for Schools 2019 participants present results', '<span>Beamline for Schools 2019 participants present results</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Joseph Piergrossi</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 11/08/2019 - 13:58</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2698994" data-filename="H61A9329" id="OPEN-PHO-MISC-2019-016-4"><a href="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4" title="View on CDS">
-          <img alt="Beamline for Schools 2019" src="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4/file?size=medium" /></a>
-        <figcaption>
-          The two winning teams from the 2019 Beamline for Schools competition – DESY Chain from Salt Lake City, Utah, USA and Particle Peers from Groningen, Netherlands – work on their projects at DESY Hamburg.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Monday, 28 October, marked the completion of data collection for the 2019 <a href="https://beamlineforschools.cern/">Beamline for Schools (BL4S)</a> winning teams on the Hamburg campus of the German physics research centre <a href="http://www.desy.de/index_eng.html">DESY</a>. Two teams – from Salt Lake City, Utah, in the USA and Groningen in the Netherlands – won the CERN-organised international competition, wherein high-school students propose their own particle physics experiments and perform them if they win.</p>
-
-<p>The teams <a href="https://home.cern/news/press-release/cern/dutch-and-us-students-win-2019-cern-beamline-schools-competition">“DESY Chain” from the USA and “Particle Peers” from the Netherlands</a> also presented their preliminary results last Monday. DESY Chain experimented with scintillator sensitivity using electrons and positrons. “In our data, we’re definitely seeing interesting energy losses in the scintillators,” says Charles Bonkowsky, a member of the DESY Chain team. “It’s going to take a little bit of time to put it all together and see what the energy loss is, and see how it corresponds to the rest of the data.”</p>
-
-<p>Particle Peers investigated differences in particle showers between matter and antimatter. “We didn’t expect to have such big datasets, and so many different datasets,” said Isabelle Koster from Particle Peers. “That was a real bonus. We did everything we wanted to do. And we made so many friends along the way!”</p>
-
-<p>The two teams collaborated closely during their experiment runs, sharing materials and data-processing techniques. Both teams aim to publish their results.</p>
-
-<p>“Knowing how you can come from thinking about an experiment to actually performing it – what detectors to use, what kind of set-up to have – was really helpful,” says Frederiek de Bruine from Particle Peers.</p>
-
-<p>“We have all this data we have to process, but it’s sad that our data-collection journey at DESY has come to an end,” says Derek Che from DESY Chain. “It was an amazing experience. I made new friends and experienced things that will definitely shape my future.”</p>
-
-<p>The two Beamline for Schools winning teams had been selected from 178 entries, and the organisers are hoping for an even stronger showing for next year. Although the DESY and CERN scientists and staff who supported the students are sad to see them go home, they are now gearing up for next year’s competition. In 2020, CERN will once again invite DESY-Hamburg to host two of the winning teams, and discussions are under way to invite a third winning team to a different laboratory in Europe.</p>
-
-<p>Want to join? Preregistration for BL4S 2020 is <a href="https://beamlineforschools.cern/bl4s-competition/how-take-part">just a click away</a>.</p>
-
-<hr /><p>More photos <a href="https://cds.cern.ch/record/2698994">on CDS</a>:</p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" scrolling="no" src="https://cds.cern.ch/images/OPEN-PHO-MISC-2019-016/export?format=sspp&ln=en&captions=true" width="480"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.579', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (11, 'proncero', 'Medipix: Two decades of turning technology into applications', '<span>Medipix: Two decades of turning technology into applications</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 10/18/2019 - 10:11</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2253263" data-filename="studio%2000051" id="CERN-PHOTO-201702-048-3"><a href="//cds.cern.ch/images/CERN-PHOTO-201702-048-3" title="View on CDS">
-          <img alt="Knowledge Transfer" src="//cds.cern.ch/images/CERN-PHOTO-201702-048-3/file?size=medium" /></a>
-        <figcaption><span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>How could microchips developed for detectors at the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> (LHC) be used beyond high-energy physics? This was a question that led to the <a href="https://cern.ch/medipix">Medipix</a> and Timepix families of pixel-sensor chips. Researchers saw many possible applications for this technology, and for the last 20 years these chips have been used in medical imaging, in spotting forgeries in the art world, in detecting radioactive material and more. A <a href="https://indico.cern.ch/event/782801/timetable/">recent CERN symposium</a> commemorated the two decades since the Medipix2 collaboration was established, in 1999.</p>
-
-<p>Pixel-sensor chips are used in detectors at the LHC to trace the paths of electrically charged particles. When a particle hits the sensor, it deposits a charge that is processed by the electronics. This is similar to light hitting pixels in a digital camera, but instead they register particles up to 40 million times a second.</p>
-
-<p>In the late 1990s, engineers and physicists at CERN were developing integrated circuits for pixel technologies. They realised that adding a counter to each pixel and counting the number of particles hitting the sensors could allow the chips to be used for medical imaging. The Medipix2 chip was born. Later, the Timepix chip added the ability to record either the arrival time of the particles or the energy deposited within a pixel.</p>
-
-<p>As the chips evolved from Medipix2 to Medipix3, their growing use in medical imaging led to the <a href="https://home.cern/news/news/knowledge-sharing/first-3d-colour-x-ray-human-using-cern-technology">first colour X-ray of parts of the human body</a> in 2018, with the first clinical trials now beginning in New Zealand. In addition, the versatile chips have gone beyond medicine, for example, a start-up called InsightART allows researchers to use Medipix3 chips to <a href="https://home.cern/news/news/knowledge-sharing/particle-detectors-meet-canvas">peer through the layers of works of art</a> and study the composition of materials to determine the authenticity of pieces attributed to renowned artists.</p>
-
-<p>The team behind InsightART, based in Prague, <a href="https://insightart.eu/2018/06/08/is-this-a-newly-discovered-van-gogh/">recently scanned an alleged Van Gogh</a>, concluding that the work was most likely to have been produced by the Dutch master, having observed an underlying sketch very similar to other figures Van Gogh painted at the time. The work will be sent to the Van Gogh Museum to be vetted with this evidence, and it might be that not one but two Van Goghs have been found in the same piece.</p>
-
-<p><a href="https://medipix.web.cern.ch/news/nasa-cern-timepix-technology-advances-miniaturized-radiation-detection">Timepix-based detectors have been aboard the International Space Station since 2012</a> to measure the radiation dose to which astronauts and equipment are exposed, and in 2015, high-school students from the UK <a href="https://home.cern/news/news/knowledge-sharing/tim-peakes-timpix-launch-space">sent </a><a href="https://home.cern/news/news/knowledge-sharing/tim-peakes-timpix-launch-space">their own</a> Timepix-based detector to the ISS with astronaut Tim Peake. The ability of the chips to detect gamma rays has been exploited to help with the decommissioning of nuclear reactors and is being evaluated for the detection of thyroid cancer with greater resolution than before and with a lower radiation dose to the patient.</p>
-
-<p>The Medipix and Timepix chips, developed by three collaborations involving 32 institutes in total, have been remarkable examples of <a href="https://kt.cern/">knowledge transfer from CERN</a> to wider society. You can learn more about the history of Medipix and their many applications <a class="bulletin" href="https://cds.cern.ch/video/2678560?showTitle=true">in this talk</a> by Medipix spokesperson Michael Campbell, given in June 2019.</p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" src="https://cds.cern.ch/video/2678560?showTitle=true" width="640"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.672', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (8, 'proncero', 'Broadening tunnel vision for future accelerators', '<span>Broadening tunnel vision for future accelerators</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Wed, 10/23/2019 - 10:20</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692937" data-filename="201910-334_08" id="CERN-PHOTO-201910-334-8"><a href="//cds.cern.ch/images/CERN-PHOTO-201910-334-8" title="View on CDS">
-          <img alt="HL-LHC Underground civil engineering galleries progress" src="//cds.cern.ch/images/CERN-PHOTO-201910-334-8/file?size=medium" /></a>
-        <figcaption>
-          HL-LHC Underground civil engineering galleries
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>What could the next generation of particle accelerators look like? With current technology, the bigger an accelerator, the higher the energy of the collisions it produces and the greater the likelihood of discovering new physics phenomena. Particle physicists and accelerator engineers therefore dream of machines that are even bigger than the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> (LHC), with its 27-km circumference.</p>
-
-<p>For CERN’s civil engineers, a new accelerator requires a bespoke deep-underground tunnel, and the tunnel’s shape, depth and orientation as well as its access shafts are largely constrained by the local geography. Such an accelerator built at CERN would be bound by mountains, and, if circular, would need to go under Lake Geneva and completely enclose the Salève mountain of the Prealps.</p>
-
-<figure class="cds-image breakout-right" id="OPEN-PHO-CIVIL-2019-001-1"><a href="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1" title="View on CDS"><img alt="home.cern,Civil Engineering and Infrastructure" src="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1/file?size=medium" /></a>
-<figcaption>Two proposed post-LHC accelerators – CLIC and the FCC – present unique challenges to CERN’s civil engineers<span> (Image: CERN)</span></figcaption></figure><p>The two largest projects under consideration for a post-LHC collider at CERN are the <a href="https://home.cern/science/accelerators/compact-linear-collider">Compact Linear Collider</a> (CLIC) and the <a href="https://home.cern/science/accelerators/future-circular-collider">Future Circular Collider</a> (FCC). Their scale would dwarf CERN’s existing infrastructure, making them some of the largest tunnelling projects in the world. Civil engineers therefore need to survey the geological, environmental and technical constraints of these machines.</p>
-
-<p>A <a href="https://indico.cern.ch/event/823271/">tunnelling workshop</a> that took place last week at CERN brought together civil-engineering experts from industry and academia to examine how new technologies and methods could optimise tunnel design and asset management. It is part of ongoing collaborations that have already seen CERN and the engineering consultancy Arup develop a first-of-its-kind tunnel optimisation tool to provide the best design when fed all the required parameters. The tool has already shown the feasibility of tunnels for either the FCC or CLIC in the local area, to help support the ongoing update for the European Strategy of Particle Physics that will guide the direction of particle physics and related fields to the mid-2020s and beyond.</p>
-
-<p>Find out more about the tunnelling challenges of CERN’s civil engineers for the next-generation of particle accelerators in “<a href="https://cerncourier.com/a/tunnelling-for-physics/">Tunnelling for Physics</a>” on the <em>CERN Courier</em>’s website.</p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.576', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (16, 'proncero', 'ALICE: the journey of a cosmopolitan detector', '<span>ALICE: the journey of a cosmopolitan detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Camille Monnin</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/7476" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">camonnin</span></span>
-<span>Thu, 10/31/2019 - 10:04</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Passengers aboard United flights 577 and 956 from San Francisco to Geneva, via Newark, were in for a surprise when they discovered their discreet, yet unusual, travel companion: one of the airplane seats was occupied not by a human, but by a piece of a detector. Since it was too fragile to be placed in the hold, the part had its own passenger seat, next to that of its guardian angel, a researcher at the Lawrence Berkeley National Laboratory (LBNL). The part is <a href="https://newscenter.lbl.gov/2019/09/19/how-to-get-a-particle-detector-on-a-plane/">one of the pieces</a> of the ALICE experiment’s new inner detector that have made their way across the globe to reach CERN. Thirty-five institutes from all over the world are involved in the construction, testing and prototyping of the various parts of the new detector called ALICE’s <a href="https://ep-news.web.cern.ch/content/alice-its-upgrade-pixels-quarks">Inner Tracking System</a>. </p>
-
-<p>ALICE (A Large Ion Collider Experiment) is one of the four main experiments at the Large Hadron Collider (LHC). The experiment studies matter as it was just after the Big Bang, when the components of atomic nuclei were not bound together. </p>
-
-<p>With the increase in instantaneous luminosity of heavy-ion collisions planned for the CERN accelerators’ third run, the ALICE detector will boost its read-out rate. This increase in the read-out rate, combined with an online data reconstruction system, means that ALICE will be able to collect 100 times more events than before.  </p>
-
-<p>In order to achieve the <a href="https://cerncourier.com/a/alice-revitalised/">desired physics goals</a>, numerous upgrades are being carried out during the current Long Shutdown. One of the worksites concerns the Inner Tracking System, which surrounds the beam pipe. This detector reconstructs the tracks of charged particles and its measurement precision is crucial for physics analyses. The upgrade will therefore result in improved precision, especially in the detection of short-lived particles. </p>
-
-<p>The current inner tracker will be replaced by a system of seven all-pixel cylindrical layers. The previous system had six layers, of which only the two innermost layers were made up of pixels, while the four external layers were composed of silicon sensors with a much lower granularity. The new Inner Tracking System will be composed of 12.5 billion pixels installed on an area of around 10 m<sup>2</sup>.<sup> </sup>These pixels have been specifically developed to cope with a higher collision rate and to reach a fine granularity. The chips thus incorporate both the pixel sensor and the read-out system, enabling the mass of the detector to be reduced by a factor of four compared with its predecessor. Reducing the mass allows for improved precision and efficiency when reconstructing particle trajectories.  </p>
-
-<p>The construction of all the mechanical structures was completed last year. The various pieces of the detector have arrived at CERN, and the CERN teams are now starting to assemble them in two half-barrel structures. The fact that the detector components were available quickly has made it possible to begin the commissioning process. The final installation of the detector in the experimental cavern is planned for next summer. </p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-128-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1/file?size=large" /></a>
-<figcaption>A detector piece from Berkeley Lab, on its way to CERN.<span> (Image: Lawrence Berkeley National Laboratory)</span></figcaption></figure><p> </p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.671', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (14, 'proncero', 'LHCf gears up to probe birth of cosmic-ray showers', '<span>LHCf gears up to probe birth of cosmic-ray showers</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Ana Lopes</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Fri, 11/08/2019 - 13:48</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2699736" data-filename="LHCf_Arm2_during_installation_02%20copy%202" id="CERN-HOMEWEB-PHO-2019-131-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1" title="View on CDS">
-          <img alt="One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe." src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1/file?size=medium" /></a>
-        <figcaption>
-          One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Cosmic rays are particles from outer space, typically protons, travelling at almost the speed of light. When the most energetic of these particles strike the atmosphere of our planet, they interact with atomic nuclei in the atmosphere and produce cascades of secondary particles that shower down to the Earth’s surface. These extensive air showers, as they are known, are similar to the cascades of particles that are created in collisions inside particle colliders such as CERN’s Large Hadron Collider (LHC). In the next LHC, run starting in 2021, the smallest of the LHC experiments – the <a href="https://home.cern/science/experiments/lhcf">LHCf experiment</a> – is set to probe the first interaction that triggers these cosmic showers.</p>
-
-<p>Observations of extensive air showers are generally interpreted using computer simulations that involve a model of how cosmic rays interact with atomic nuclei in the atmosphere. But different models exist and it’s unclear which one is the most appropriate. The LHCf experiment is in an ideal position to test these models and help shed light on cosmic-ray interactions.</p>
-
-<p>In contrast to the main LHC experiments, which measure particles emitted at large angles from the collision line, the LHCf experiment measures particles that fly out in the “forward” direction, that is, at small angles from the collision line. These particles, which carry a large portion of the collision energy, can be used to probe the small angles and high energies at which the predictions from the different models don’t match.</p>
-
-<p>Using data from proton–proton LHC collisions at an energy of 13 TeV, LHCf has recently measured how the number of forward <a href="https://www.sciencedirect.com/science/article/pii/S0370269317310365?via%3Dihub">photons</a> and <a href="https://link.springer.com/article/10.1007%2FJHEP11%282018%29073">neutrons</a> varies with particle energy at previously unexplored high energies. These measurements agree better with some models than others, and they are being factored in by modellers of extensive air showers.</p>
-
-<p>In the next LHC run, LHCf should extend the range of particle energies probed, due to the planned higher collision energy. In addition, and thanks to ongoing upgrade work, the experiment should also increase the number and type of particles that are detected and studied.</p>
-
-<p>What’s more, the experiment plans to measure forward particles emitted from collisions of protons with light ions, most likely oxygen ions. The first interactions that trigger extensive air showers in the atmosphere involve mainly light atomic nuclei such as oxygen and nitrogen. LHCf could therefore probe such an interaction in the next run, casting new light on cosmic-ray interaction models at high energies.</p>
-
-<p>Find out more in the <a href="https://ep-news.web.cern.ch/content/lhcf-sheds-light-hadronic-interaction-models">Experimental Physics newsletter article</a>.</p>
-
-<p> </p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.65', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (15, 'proncero', 'LS2 Report: Linac4 knocking at the door of the PS Booster', '<span>LS2 Report: Linac4 knocking at the door of the PS Booster</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 10/29/2019 - 14:05</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Busy activity has returned to the CERN Control Centre (CCC), where the Operation group coordinates the current <a href="https://home.cern/science/accelerators/linear-accelerator-4">Linac4</a> test run, supported by the Accelerators and Beam Physics (ABP) group and all the involved equipment groups. As we write, the nominal 160 MeV beam has already reached the Linac4 dump.</p>
-
-<p>After the ongoing second long shutdown of CERN’s accelerator complex (LS2), Linac4 will replace the retired Linac2 to provide protons to the LHC and all the CERN experiments that are served by CERN’s proton-accelerator chain. “For this purpose, Linac4 has by now been connected to the LHC injector chain through its new transfer line to the PS tunnel and the existing transfer lines to the PS Booster (PSB),” says Bettina Mikulec, who coordinates the test run.</p>
-
-<p>In order to prepare Linac4 for the challenge of delivering reliably high-quality beam to the PSB from its first day of post-LS2 operation in 2020, a special beam run started on 30 September to measure its beam parameters in the completely renovated 15-m-long emittance-measurement line (LBE), only 50 m away from the PSB injection point. “In this line, we can of course measure the emittance of the beam – the transverse dimensions of the beam and its energy spread – but also its longitudinal parameters in the transfer line,” adds Bettina Mikulec. “The LBE line is also very close to the PSB entrance, so everything we measure there should not be far off from the final characteristics at the PSB injection point.”</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-127-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1/file?size=large" /></a>
-<figcaption>The new LBE line. At the end of this line, we can see the LBE dump (green shielding blocks) located just at the wall of the PSB<span> (Image: CERN)</span></figcaption></figure><p>Until 6 December, negative hydrogen ions* will cover the 86 m of the Linac4 to be sent along the new and renovated transfer lines (160 m in total) into the new LBE line, before terminating their flight in a dump located just at the wall of the PSB.</p>
-
-<p>“During this run, hardware and software changes deployed since <a href="https://home.cern/news/news/accelerators/long-road-linac4">the last Linac4 reliability run</a>, which took place in 2018, will be commissioned, with the aim of solving some remaining issues and enhance the beam quality,” says Alessandra Lombardi, Linac4 project leader in the ABP group.</p>
-
-<p>In addition, the required operational beam configurations for the 2020 start-up will be prepared as much as possible in advance to allow a rapid Linac4 start in April 2020, when various beams will be set up for the PSB, so that the PSB can restart with beam under optimum conditions in September 2020.</p>
-
-<p> </p>
-
-<p><em>* Hydrogen atoms with an additional electron, giving it a net negative charge. Both electrons are stripped during injection from Linac4 into the PS Booster to leave only protons. </em></p>
-
-<p>________</p>
-
-<p><em>Follow the progress of the LBE run on <a class="bulletin" href="https://op-webtools.web.cern.ch/vistar/vistars.php?usr=Linac4">the online Vistar</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.675', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (17, 'proncero', 'CMS measures Higgs boson’s mass with unprecedented precision', '<span>CMS measures Higgs boson’s mass with unprecedented precision</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 10/25/2019 - 10:37</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692545" data-filename="HtoGammaGamma_v1" id="CMS-PHO-EVENTS-2019-008-4"><a href="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4" title="View on CDS">
-          <img alt="Measurement of the Higgs boson mass: candidate two-photon and four-lepton events" src="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4/file?size=medium" /></a>
-        <figcaption>
-          Event in which a candidate SM Higgs boson decays into two photons indicated by the green towers representing energy deposited in the electromagnetic calorimeter.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The <a href="https://home.cern/science/physics/higgs-boson">Higgs boson</a> is a special particle. It is the manifestation of a field that gives mass to elementary particles. But this field also gives mass to the Higgs boson itself. A precise measurement of the Higgs boson’s mass not only furthers our knowledge of physics but also sheds new light on searches planned at future colliders.</p>
-
-<p>Since discovering this unique particle in 2012, the <a href="https://home.cern/science/experiments/atlas">ATLAS</a> and <a href="https://home.cern/science/experiments/cms">CMS</a> collaborations at CERN’s <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> have been busy determining its properties. In the <a href="https://home.cern/science/physics/standard-model">Standard Model of particle physics</a>, the Higgs boson’s mass is closely related to the strength of the particle’s interaction with itself. Comparing precise measurements of these two properties is a crucial means of testing the predictions of the Standard Model and helps search for physics beyond the predictions of this theory. In addition to probing its “self-interaction” strength, the researchers have also paid careful attention to the exact mass of the Higgs boson.</p>
-
-<p>When it was first discovered, the particle’s mass was measured to be around 125 gigaelectronvolts (GeV) but it wasn’t known with high precision. Analysis of much more data was needed before reducing the errors in such a measurement. Indeed, ATLAS and CMS have been improving this precision with their respective measurements over the years. Last year, ATLAS measured the Higgs mass to be 124.97 GeV with a precision of 0.24 GeV or 0.19%. Now, the CMS collaboration has announced the most precise measurement so far of this property: 125.35 GeV with a precision of 0.15 GeV, or 0.12%.</p>
-
-<p>Like most members of the zoo of known particles, the Higgs boson is unstable and transforms – or “decays” – nearly instantaneously into lighter particles. The mass measurement was based on two very different transformations of the Higgs boson, namely decays to four leptons via two intermediate Z bosons and decays to pairs of photons. To arrive at the mass value, the scientists combined CMS results of these two decays from two datasets: the first was recorded in 2011 and 2012 while the second came from 2016.</p>
-
-<p>This measurement adds another piece to the puzzle of the exciting world of subatomic particles.</p>
-
-<p><em>More details on the <a href="https://cms.cern/news/cms-precisely-measures-mass-higgs-boson">CMS website</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-11 16:39:03.676', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (18, 'proncero', 'ALICE: the journey of a cosmopolitan detector', '<span>ALICE: the journey of a cosmopolitan detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Camille Monnin</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/7476" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">camonnin</span></span>
-<span>Thu, 10/31/2019 - 10:04</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Passengers aboard United flights 577 and 956 from San Francisco to Geneva, via Newark, were in for a surprise when they discovered their discreet, yet unusual, travel companion: one of the airplane seats was occupied not by a human, but by a piece of a detector. Since it was too fragile to be placed in the hold, the part had its own passenger seat, next to that of its guardian angel, a researcher at the Lawrence Berkeley National Laboratory (LBNL). The part is <a href="https://newscenter.lbl.gov/2019/09/19/how-to-get-a-particle-detector-on-a-plane/">one of the pieces</a> of the ALICE experiment’s new inner detector that have made their way across the globe to reach CERN. Thirty-five institutes from all over the world are involved in the construction, testing and prototyping of the various parts of the new detector called ALICE’s <a href="https://ep-news.web.cern.ch/content/alice-its-upgrade-pixels-quarks">Inner Tracking System</a>. </p>
-
-<p>ALICE (A Large Ion Collider Experiment) is one of the four main experiments at the Large Hadron Collider (LHC). The experiment studies matter as it was just after the Big Bang, when the components of atomic nuclei were not bound together. </p>
-
-<p>With the increase in instantaneous luminosity of heavy-ion collisions planned for the CERN accelerators’ third run, the ALICE detector will boost its read-out rate. This increase in the read-out rate, combined with an online data reconstruction system, means that ALICE will be able to collect 100 times more events than before.  </p>
-
-<p>In order to achieve the <a href="https://cerncourier.com/a/alice-revitalised/">desired physics goals</a>, numerous upgrades are being carried out during the current Long Shutdown. One of the worksites concerns the Inner Tracking System, which surrounds the beam pipe. This detector reconstructs the tracks of charged particles and its measurement precision is crucial for physics analyses. The upgrade will therefore result in improved precision, especially in the detection of short-lived particles. </p>
-
-<p>The current inner tracker will be replaced by a system of seven all-pixel cylindrical layers. The previous system had six layers, of which only the two innermost layers were made up of pixels, while the four external layers were composed of silicon sensors with a much lower granularity. The new Inner Tracking System will be composed of 12.5 billion pixels installed on an area of around 10 m<sup>2</sup>.<sup> </sup>These pixels have been specifically developed to cope with a higher collision rate and to reach a fine granularity. The chips thus incorporate both the pixel sensor and the read-out system, enabling the mass of the detector to be reduced by a factor of four compared with its predecessor. Reducing the mass allows for improved precision and efficiency when reconstructing particle trajectories.  </p>
-
-<p>The construction of all the mechanical structures was completed last year. The various pieces of the detector have arrived at CERN, and the CERN teams are now starting to assemble them in two half-barrel structures. The fact that the detector components were available quickly has made it possible to begin the commissioning process. The final installation of the detector in the experimental cavern is planned for next summer. </p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-128-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1/file?size=large" /></a>
-<figcaption>A detector piece from Berkeley Lab, on its way to CERN.<span> (Image: Lawrence Berkeley National Laboratory)</span></figcaption></figure><p> </p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.793', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (20, 'proncero', 'Broadening tunnel vision for future accelerators', '<span>Broadening tunnel vision for future accelerators</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Wed, 10/23/2019 - 10:20</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692937" data-filename="201910-334_08" id="CERN-PHOTO-201910-334-8"><a href="//cds.cern.ch/images/CERN-PHOTO-201910-334-8" title="View on CDS">
-          <img alt="HL-LHC Underground civil engineering galleries progress" src="//cds.cern.ch/images/CERN-PHOTO-201910-334-8/file?size=medium" /></a>
-        <figcaption>
-          HL-LHC Underground civil engineering galleries
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>What could the next generation of particle accelerators look like? With current technology, the bigger an accelerator, the higher the energy of the collisions it produces and the greater the likelihood of discovering new physics phenomena. Particle physicists and accelerator engineers therefore dream of machines that are even bigger than the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> (LHC), with its 27-km circumference.</p>
-
-<p>For CERN’s civil engineers, a new accelerator requires a bespoke deep-underground tunnel, and the tunnel’s shape, depth and orientation as well as its access shafts are largely constrained by the local geography. Such an accelerator built at CERN would be bound by mountains, and, if circular, would need to go under Lake Geneva and completely enclose the Salève mountain of the Prealps.</p>
-
-<figure class="cds-image breakout-right" id="OPEN-PHO-CIVIL-2019-001-1"><a href="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1" title="View on CDS"><img alt="home.cern,Civil Engineering and Infrastructure" src="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1/file?size=medium" /></a>
-<figcaption>Two proposed post-LHC accelerators – CLIC and the FCC – present unique challenges to CERN’s civil engineers<span> (Image: CERN)</span></figcaption></figure><p>The two largest projects under consideration for a post-LHC collider at CERN are the <a href="https://home.cern/science/accelerators/compact-linear-collider">Compact Linear Collider</a> (CLIC) and the <a href="https://home.cern/science/accelerators/future-circular-collider">Future Circular Collider</a> (FCC). Their scale would dwarf CERN’s existing infrastructure, making them some of the largest tunnelling projects in the world. Civil engineers therefore need to survey the geological, environmental and technical constraints of these machines.</p>
-
-<p>A <a href="https://indico.cern.ch/event/823271/">tunnelling workshop</a> that took place last week at CERN brought together civil-engineering experts from industry and academia to examine how new technologies and methods could optimise tunnel design and asset management. It is part of ongoing collaborations that have already seen CERN and the engineering consultancy Arup develop a first-of-its-kind tunnel optimisation tool to provide the best design when fed all the required parameters. The tool has already shown the feasibility of tunnels for either the FCC or CLIC in the local area, to help support the ongoing update for the European Strategy of Particle Physics that will guide the direction of particle physics and related fields to the mid-2020s and beyond.</p>
-
-<p>Find out more about the tunnelling challenges of CERN’s civil engineers for the next-generation of particle accelerators in “<a href="https://cerncourier.com/a/tunnelling-for-physics/">Tunnelling for Physics</a>” on the <em>CERN Courier</em>’s website.</p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.966', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (21, 'proncero', 'Beamline for Schools 2019 participants present results', '<span>Beamline for Schools 2019 participants present results</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Joseph Piergrossi</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 11/08/2019 - 13:58</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2698994" data-filename="H61A9329" id="OPEN-PHO-MISC-2019-016-4"><a href="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4" title="View on CDS">
-          <img alt="Beamline for Schools 2019" src="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4/file?size=medium" /></a>
-        <figcaption>
-          The two winning teams from the 2019 Beamline for Schools competition – DESY Chain from Salt Lake City, Utah, USA and Particle Peers from Groningen, Netherlands – work on their projects at DESY Hamburg.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Monday, 28 October, marked the completion of data collection for the 2019 <a href="https://beamlineforschools.cern/">Beamline for Schools (BL4S)</a> winning teams on the Hamburg campus of the German physics research centre <a href="http://www.desy.de/index_eng.html">DESY</a>. Two teams – from Salt Lake City, Utah, in the USA and Groningen in the Netherlands – won the CERN-organised international competition, wherein high-school students propose their own particle physics experiments and perform them if they win.</p>
-
-<p>The teams <a href="https://home.cern/news/press-release/cern/dutch-and-us-students-win-2019-cern-beamline-schools-competition">“DESY Chain” from the USA and “Particle Peers” from the Netherlands</a> also presented their preliminary results last Monday. DESY Chain experimented with scintillator sensitivity using electrons and positrons. “In our data, we’re definitely seeing interesting energy losses in the scintillators,” says Charles Bonkowsky, a member of the DESY Chain team. “It’s going to take a little bit of time to put it all together and see what the energy loss is, and see how it corresponds to the rest of the data.”</p>
-
-<p>Particle Peers investigated differences in particle showers between matter and antimatter. “We didn’t expect to have such big datasets, and so many different datasets,” said Isabelle Koster from Particle Peers. “That was a real bonus. We did everything we wanted to do. And we made so many friends along the way!”</p>
-
-<p>The two teams collaborated closely during their experiment runs, sharing materials and data-processing techniques. Both teams aim to publish their results.</p>
-
-<p>“Knowing how you can come from thinking about an experiment to actually performing it – what detectors to use, what kind of set-up to have – was really helpful,” says Frederiek de Bruine from Particle Peers.</p>
-
-<p>“We have all this data we have to process, but it’s sad that our data-collection journey at DESY has come to an end,” says Derek Che from DESY Chain. “It was an amazing experience. I made new friends and experienced things that will definitely shape my future.”</p>
-
-<p>The two Beamline for Schools winning teams had been selected from 178 entries, and the organisers are hoping for an even stronger showing for next year. Although the DESY and CERN scientists and staff who supported the students are sad to see them go home, they are now gearing up for next year’s competition. In 2020, CERN will once again invite DESY-Hamburg to host two of the winning teams, and discussions are under way to invite a third winning team to a different laboratory in Europe.</p>
-
-<p>Want to join? Preregistration for BL4S 2020 is <a href="https://beamlineforschools.cern/bl4s-competition/how-take-part">just a click away</a>.</p>
-
-<hr /><p>More photos <a href="https://cds.cern.ch/record/2698994">on CDS</a>:</p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" scrolling="no" src="https://cds.cern.ch/images/OPEN-PHO-MISC-2019-016/export?format=sspp&ln=en&captions=true" width="480"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.796', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (22, 'proncero', 'LHCf gears up to probe birth of cosmic-ray showers', '<span>LHCf gears up to probe birth of cosmic-ray showers</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Ana Lopes</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Fri, 11/08/2019 - 13:48</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2699736" data-filename="LHCf_Arm2_during_installation_02%20copy%202" id="CERN-HOMEWEB-PHO-2019-131-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1" title="View on CDS">
-          <img alt="One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe." src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1/file?size=medium" /></a>
-        <figcaption>
-          One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Cosmic rays are particles from outer space, typically protons, travelling at almost the speed of light. When the most energetic of these particles strike the atmosphere of our planet, they interact with atomic nuclei in the atmosphere and produce cascades of secondary particles that shower down to the Earth’s surface. These extensive air showers, as they are known, are similar to the cascades of particles that are created in collisions inside particle colliders such as CERN’s Large Hadron Collider (LHC). In the next LHC, run starting in 2021, the smallest of the LHC experiments – the <a href="https://home.cern/science/experiments/lhcf">LHCf experiment</a> – is set to probe the first interaction that triggers these cosmic showers.</p>
-
-<p>Observations of extensive air showers are generally interpreted using computer simulations that involve a model of how cosmic rays interact with atomic nuclei in the atmosphere. But different models exist and it’s unclear which one is the most appropriate. The LHCf experiment is in an ideal position to test these models and help shed light on cosmic-ray interactions.</p>
-
-<p>In contrast to the main LHC experiments, which measure particles emitted at large angles from the collision line, the LHCf experiment measures particles that fly out in the “forward” direction, that is, at small angles from the collision line. These particles, which carry a large portion of the collision energy, can be used to probe the small angles and high energies at which the predictions from the different models don’t match.</p>
-
-<p>Using data from proton–proton LHC collisions at an energy of 13 TeV, LHCf has recently measured how the number of forward <a href="https://www.sciencedirect.com/science/article/pii/S0370269317310365?via%3Dihub">photons</a> and <a href="https://link.springer.com/article/10.1007%2FJHEP11%282018%29073">neutrons</a> varies with particle energy at previously unexplored high energies. These measurements agree better with some models than others, and they are being factored in by modellers of extensive air showers.</p>
-
-<p>In the next LHC run, LHCf should extend the range of particle energies probed, due to the planned higher collision energy. In addition, and thanks to ongoing upgrade work, the experiment should also increase the number and type of particles that are detected and studied.</p>
-
-<p>What’s more, the experiment plans to measure forward particles emitted from collisions of protons with light ions, most likely oxygen ions. The first interactions that trigger extensive air showers in the atmosphere involve mainly light atomic nuclei such as oxygen and nitrogen. LHCf could therefore probe such an interaction in the next run, casting new light on cosmic-ray interaction models at high energies.</p>
-
-<p>Find out more in the <a href="https://ep-news.web.cern.ch/content/lhcf-sheds-light-hadronic-interaction-models">Experimental Physics newsletter article</a>.</p>
-
-<p> </p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.795', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (23, 'proncero', 'Medipix: Two decades of turning technology into applications', '<span>Medipix: Two decades of turning technology into applications</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 10/18/2019 - 10:11</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2253263" data-filename="studio%2000051" id="CERN-PHOTO-201702-048-3"><a href="//cds.cern.ch/images/CERN-PHOTO-201702-048-3" title="View on CDS">
-          <img alt="Knowledge Transfer" src="//cds.cern.ch/images/CERN-PHOTO-201702-048-3/file?size=medium" /></a>
-        <figcaption><span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>How could microchips developed for detectors at the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> (LHC) be used beyond high-energy physics? This was a question that led to the <a href="https://cern.ch/medipix">Medipix</a> and Timepix families of pixel-sensor chips. Researchers saw many possible applications for this technology, and for the last 20 years these chips have been used in medical imaging, in spotting forgeries in the art world, in detecting radioactive material and more. A <a href="https://indico.cern.ch/event/782801/timetable/">recent CERN symposium</a> commemorated the two decades since the Medipix2 collaboration was established, in 1999.</p>
-
-<p>Pixel-sensor chips are used in detectors at the LHC to trace the paths of electrically charged particles. When a particle hits the sensor, it deposits a charge that is processed by the electronics. This is similar to light hitting pixels in a digital camera, but instead they register particles up to 40 million times a second.</p>
-
-<p>In the late 1990s, engineers and physicists at CERN were developing integrated circuits for pixel technologies. They realised that adding a counter to each pixel and counting the number of particles hitting the sensors could allow the chips to be used for medical imaging. The Medipix2 chip was born. Later, the Timepix chip added the ability to record either the arrival time of the particles or the energy deposited within a pixel.</p>
-
-<p>As the chips evolved from Medipix2 to Medipix3, their growing use in medical imaging led to the <a href="https://home.cern/news/news/knowledge-sharing/first-3d-colour-x-ray-human-using-cern-technology">first colour X-ray of parts of the human body</a> in 2018, with the first clinical trials now beginning in New Zealand. In addition, the versatile chips have gone beyond medicine, for example, a start-up called InsightART allows researchers to use Medipix3 chips to <a href="https://home.cern/news/news/knowledge-sharing/particle-detectors-meet-canvas">peer through the layers of works of art</a> and study the composition of materials to determine the authenticity of pieces attributed to renowned artists.</p>
-
-<p>The team behind InsightART, based in Prague, <a href="https://insightart.eu/2018/06/08/is-this-a-newly-discovered-van-gogh/">recently scanned an alleged Van Gogh</a>, concluding that the work was most likely to have been produced by the Dutch master, having observed an underlying sketch very similar to other figures Van Gogh painted at the time. The work will be sent to the Van Gogh Museum to be vetted with this evidence, and it might be that not one but two Van Goghs have been found in the same piece.</p>
-
-<p><a href="https://medipix.web.cern.ch/news/nasa-cern-timepix-technology-advances-miniaturized-radiation-detection">Timepix-based detectors have been aboard the International Space Station since 2012</a> to measure the radiation dose to which astronauts and equipment are exposed, and in 2015, high-school students from the UK <a href="https://home.cern/news/news/knowledge-sharing/tim-peakes-timpix-launch-space">sent </a><a href="https://home.cern/news/news/knowledge-sharing/tim-peakes-timpix-launch-space">their own</a> Timepix-based detector to the ISS with astronaut Tim Peake. The ability of the chips to detect gamma rays has been exploited to help with the decommissioning of nuclear reactors and is being evaluated for the detection of thyroid cancer with greater resolution than before and with a lower radiation dose to the patient.</p>
-
-<p>The Medipix and Timepix chips, developed by three collaborations involving 32 institutes in total, have been remarkable examples of <a href="https://kt.cern/">knowledge transfer from CERN</a> to wider society. You can learn more about the history of Medipix and their many applications <a class="bulletin" href="https://cds.cern.ch/video/2678560?showTitle=true">in this talk</a> by Medipix spokesperson Michael Campbell, given in June 2019.</p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" src="https://cds.cern.ch/video/2678560?showTitle=true" width="640"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.964', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (47, 'proncero', 'LHCf gears up to probe birth of cosmic-ray showers', '<span>LHCf gears up to probe birth of cosmic-ray showers</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Ana Lopes</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Fri, 11/08/2019 - 13:48</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2699736" data-filename="LHCf_Arm2_during_installation_02%20copy%202" id="CERN-HOMEWEB-PHO-2019-131-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1" title="View on CDS">
-          <img alt="One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe." src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1/file?size=medium" /></a>
-        <figcaption>
-          One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Cosmic rays are particles from outer space, typically protons, travelling at almost the speed of light. When the most energetic of these particles strike the atmosphere of our planet, they interact with atomic nuclei in the atmosphere and produce cascades of secondary particles that shower down to the Earth’s surface. These extensive air showers, as they are known, are similar to the cascades of particles that are created in collisions inside particle colliders such as CERN’s Large Hadron Collider (LHC). In the next LHC, run starting in 2021, the smallest of the LHC experiments – the <a href="https://home.cern/science/experiments/lhcf">LHCf experiment</a> – is set to probe the first interaction that triggers these cosmic showers.</p>
-
-<p>Observations of extensive air showers are generally interpreted using computer simulations that involve a model of how cosmic rays interact with atomic nuclei in the atmosphere. But different models exist and it’s unclear which one is the most appropriate. The LHCf experiment is in an ideal position to test these models and help shed light on cosmic-ray interactions.</p>
-
-<p>In contrast to the main LHC experiments, which measure particles emitted at large angles from the collision line, the LHCf experiment measures particles that fly out in the “forward” direction, that is, at small angles from the collision line. These particles, which carry a large portion of the collision energy, can be used to probe the small angles and high energies at which the predictions from the different models don’t match.</p>
-
-<p>Using data from proton–proton LHC collisions at an energy of 13 TeV, LHCf has recently measured how the number of forward <a href="https://www.sciencedirect.com/science/article/pii/S0370269317310365?via%3Dihub">photons</a> and <a href="https://link.springer.com/article/10.1007%2FJHEP11%282018%29073">neutrons</a> varies with particle energy at previously unexplored high energies. These measurements agree better with some models than others, and they are being factored in by modellers of extensive air showers.</p>
-
-<p>In the next LHC run, LHCf should extend the range of particle energies probed, due to the planned higher collision energy. In addition, and thanks to ongoing upgrade work, the experiment should also increase the number and type of particles that are detected and studied.</p>
-
-<p>What’s more, the experiment plans to measure forward particles emitted from collisions of protons with light ions, most likely oxygen ions. The first interactions that trigger extensive air showers in the atmosphere involve mainly light atomic nuclei such as oxygen and nitrogen. LHCf could therefore probe such an interaction in the next run, casting new light on cosmic-ray interaction models at high energies.</p>
-
-<p>Find out more in the <a href="https://ep-news.web.cern.ch/content/lhcf-sheds-light-hadronic-interaction-models">Experimental Physics newsletter article</a>.</p>
-
-<p> </p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.627', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (48, 'proncero', 'LS2 Report: LHCb looks to the future with SciFi detector', '<span>LS2 Report: LHCb looks to the future with SciFi detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Achintya Rao</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Tue, 11/12/2019 - 08:53</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2701306" data-filename="201911-373_04" id="CERN-PHOTO-201911-373-4"><a href="//cds.cern.ch/images/CERN-PHOTO-201911-373-4" title="View on CDS">
-          <img alt="LHCb''s new scintillating-fibre (SciFi) tracker" src="//cds.cern.ch/images/CERN-PHOTO-201911-373-4/file?size=medium" /></a>
-        <figcaption>
-          The new tracker is made of over 10,000 kilometres of polystyrene-based scintillating fibres and will help LHCb record data at a higher luminosity and rate from Run 3 onwards
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the <a href="https://home.cern/science/experiments/lhcb">LHCb detector</a> at the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a>, the ongoing <a href="https://home.cern/tags/long-shutdown-2">second long shutdown (LS2)</a> of CERN’s accelerator complex will be a period of metamorphosis. After two successful data-collection runs, the detector is being upgraded to improve the precision of its physics measurements, many of which are the best in the world. There will therefore be five times more collisions every time proton bunches cross within the detector after LS2 and the LHCb collaboration plans on increasing the data-readout rate from 1 MHz to the LHC’s maximum interaction frequency of 40 MHz (or every 25 nanoseconds).</p>
-
-<p>In addition to replacing nearly all of the electronics and data-acquisition systems to handle the enormous increase in data production, LHCb is replacing its tracking detectors with new ones, such as the scintillating-fibre tracker, or SciFi. It is the first time such a large tracker, with a small granularity and high spatial resolution, has been made using this technology. The SciFi will be placed behind the dipole magnet of LHCb.</p>
-
-<p>Scintillating fibres, as the name suggests, are optical fibres – with a polystyrene base, in this case – that emit tens of photons in the blue-green wavelength when a particle interacts with them. Secondary scintillator dyes have been added to the polystyrene to amplify the light and shift it to longer wavelengths so it can reach custom-made silicon photomultipliers (SiPM) that convert optical light to electrical signals. The technology has been well tested at other high-energy-physics experiments. The fibres themselves are lightweight, they can produce and transmit light within the 25-nanosecond window and they are suitably tolerant to the ionising radiation expected in the future.</p>
-
-<p>Each scintillating fibre making up the sub-detector is 0.25 mm in diameter and nearly 2.5 m in length. The fibres will be packed into modules that will reside in three stations within LHCb, each made of four so-called “detection planes”, with the photomultipliers located at the top and bottom of each plane. “The fibres have been painstakingly examined, wound into multi-layer ribbons, assembled into detector modules and thoroughly tested,” explains Blake Leverington, who is coordinating part of the SciFi project for LHCb. “The fibres provide a single-hit precision better than 100 microns and the single-hit efficiency over the area of the detector is better than 99%.” In total, over 10 000 km of precision-made scintillating fibres will adorn LHCb.</p>
-
-<p>Unlike the other LHC detectors, LHCb is asymmetric in design and studies particles that fly very close to the beam pipe after being produced in proton–proton collisions. However, operating a sensitive detector this close to the beam pipe brings its own problems. Simulations show that radiation damage from collision debris would darken the fibres closest to the beam pipe by up to 40% over the lifetime of LHCb. This would make it harder for the produced light to be transmitted through the fibres, but the detector is expected to remain efficient despite this.</p>
-
-<p>The photomultipliers located at the top and bottom of each SciFi detection plane will be bombarded by neutrons produced in the calorimeters that sit further downstream. The radiation damage results in so-called “dark noise”, where thermally excited electrons cause the SiPMs to produce a signal that mimics the signal coming from individual photons. In addition to shielding placed between the SciFi and the calorimeters, a complex cooling system has been developed to chill the SiPMs. “Measurements have shown that the rate of dark noise can be reduced by a factor of two for every 10 °C drop in temperature,” points out Leverington. The SiPMs have been mounted on special 3D-printed titanium cold-bars that are cooled to −40 °C.</p>
-
-<p>“The project has had contributions from more than a hundred scientists, students, engineers and technicians from 17 partner institutes in 10 countries,” says Leverington. “We have worked together for seven years to bring SciFi to life.” Currently, the SciFi modules, services and electronics are being assembled and installed in the 12 mechanical frames in the assembly hall at the LHCb site at Point 8 of the LHC ring. The first SciFi components are planned to be installed in spring next year.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.955', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (49, 'proncero', 'Beamline for Schools 2019 participants present results', '<span>Beamline for Schools 2019 participants present results</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Joseph Piergrossi</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 11/08/2019 - 13:58</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2698994" data-filename="H61A9329" id="OPEN-PHO-MISC-2019-016-4"><a href="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4" title="View on CDS">
-          <img alt="Beamline for Schools 2019" src="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4/file?size=medium" /></a>
-        <figcaption>
-          The two winning teams from the 2019 Beamline for Schools competition – DESY Chain from Salt Lake City, Utah, USA and Particle Peers from Groningen, Netherlands – work on their projects at DESY Hamburg.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Monday, 28 October, marked the completion of data collection for the 2019 <a href="https://beamlineforschools.cern/">Beamline for Schools (BL4S)</a> winning teams on the Hamburg campus of the German physics research centre <a href="http://www.desy.de/index_eng.html">DESY</a>. Two teams – from Salt Lake City, Utah, in the USA and Groningen in the Netherlands – won the CERN-organised international competition, wherein high-school students propose their own particle physics experiments and perform them if they win.</p>
-
-<p>The teams <a href="https://home.cern/news/press-release/cern/dutch-and-us-students-win-2019-cern-beamline-schools-competition">“DESY Chain” from the USA and “Particle Peers” from the Netherlands</a> also presented their preliminary results last Monday. DESY Chain experimented with scintillator sensitivity using electrons and positrons. “In our data, we’re definitely seeing interesting energy losses in the scintillators,” says Charles Bonkowsky, a member of the DESY Chain team. “It’s going to take a little bit of time to put it all together and see what the energy loss is, and see how it corresponds to the rest of the data.”</p>
-
-<p>Particle Peers investigated differences in particle showers between matter and antimatter. “We didn’t expect to have such big datasets, and so many different datasets,” said Isabelle Koster from Particle Peers. “That was a real bonus. We did everything we wanted to do. And we made so many friends along the way!”</p>
-
-<p>The two teams collaborated closely during their experiment runs, sharing materials and data-processing techniques. Both teams aim to publish their results.</p>
-
-<p>“Knowing how you can come from thinking about an experiment to actually performing it – what detectors to use, what kind of set-up to have – was really helpful,” says Frederiek de Bruine from Particle Peers.</p>
-
-<p>“We have all this data we have to process, but it’s sad that our data-collection journey at DESY has come to an end,” says Derek Che from DESY Chain. “It was an amazing experience. I made new friends and experienced things that will definitely shape my future.”</p>
-
-<p>The two Beamline for Schools winning teams had been selected from 178 entries, and the organisers are hoping for an even stronger showing for next year. Although the DESY and CERN scientists and staff who supported the students are sad to see them go home, they are now gearing up for next year’s competition. In 2020, CERN will once again invite DESY-Hamburg to host two of the winning teams, and discussions are under way to invite a third winning team to a different laboratory in Europe.</p>
-
-<p>Want to join? Preregistration for BL4S 2020 is <a class="bulletin" href="https://beamlineforschools.cern/bl4s-competition/how-take-part">just a click away</a>.</p>
-
-<hr /><p>More photos <a class="bulletin" href="https://cds.cern.ch/record/2698994">on CDS</a></p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" scrolling="no" src="https://cds.cern.ch/images/OPEN-PHO-MISC-2019-016/export?format=sspp&ln=en&captions=true" width="480"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.955', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (51, 'proncero', 'Spacewalk for AMS: Watch live with CERN and ESA', '<span>Spacewalk for AMS: Watch live with CERN and ESA</span>
-<span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Thu, 11/14/2019 - 12:33</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>On Friday 15 November, European Space Agency (ESA) astronaut Luca Parmitano and NASA astronaut Andrew Morgan will begin the first of a series of complex spacewalks to service the <a href="https://home.cern/science/experiments/ams">Alpha Magnetic Spectrometer (AMS-02)</a>. The spacewalk will be streamed live via <a href="http://www.esa.int/ESA_Multimedia/ESA_Web_TV">ESA Web TV</a> from 12.50 p.m. CET and will include commentaries from CERN and ESA.</p>
-
-<p>This series of spacewalks is expected to be the most challenging since those to repair the <a href="https://www.nasa.gov/mission_pages/hubble/servicing/index.html">Hubble Space Telescope</a>. AMS was originally intended to run for three years, after its installation on the International Space Station in 2011, and was not designed to be maintained in orbit. However, the success of its results to date have meant that its mission has been extended.</p>
-
-<figure><iframe allowfullscreen="" frameborder="0" height="360" id="ls_embed_1573808401" scrolling="no" src="https://livestream.com/accounts/362/events/8890996/player?width=640&height=360&enableInfoAndActivity=true&defaultDrawer=&autoPlay=true&mute=false" width="640"></iframe>
-<figcaption>Watch the spacewalk live on <a href="https://livestream.com/ESA/SpacewalkforAMS">ESA Web TV</a></figcaption></figure><p>AMS-02 is a particle-physics detector that uses the unique environment of space to study the universe and its origin. It searches for antimatter and dark matter while precisely measuring cosmic-ray particles – more than 140 billion particles to date. The detector, which measures 60 cubic metres and weighs 7.5 tonnes, was assembled by an international team at CERN, and researchers, astronauts and operations teams have had to develop new procedures and more than 20 custom tools to extend the instrument’s life.</p>
-
-<p>A key task for the astronauts is to replace the AMS-02 cooling system and to fix a coolant leak, and the pair have trained extensively for this intricate operation on the ground. It will involve cutting and splicing eight cooling tubes, connecting them to the new system and reconnecting a myriad of power and data cables. It is the first time that astronauts will cut and reconnect cooling lines in orbit.</p>
-
-<p>The first AMS spacewalk on Friday is expected to last about six hours and sets the scene for at least three more. It will be streamed live on <a href="http://www.esa.int/ESA_Multimedia/ESA_Web_TV">ESA Web TV</a> and the first two hours will feature commentary from scientists at the AMS Payload Operations Control Centre (POCC) at CERN as well as astronaut and operation experts at ESA’s astronaut centre in Germany.</p>
-
-<p>CERN’s contributions will include a tour of the POCC by AMS Experiment and Operations Coordinator Mike Capell, from Massachusetts Institute of Technology (MIT). Here, AMS physicists take 24-hour shifts to operate and control the various components of AMS from the ground. Zhan Zhang, also from MIT, is the lead engineer of the Upgraded Tracker Thermal System, which is being installed during the spacewalks. She will show the laboratory at CERN where an identical spare of the system is kept in space conditions and will explain how the system works and what the astronauts will have to do to install it on the AMS detector in space. AMS scientists Mercedes Paniccia from the University of Geneva, Alberto Oliva from INFN Bologna and Andrei Kounine, from MIT, will explain the science of AMS as the spacewalk takes place and can answer your questions.</p>
-
-<p>You can already tweet questions ahead of the live broadcast to <a href="https://twitter.com/esaspaceflight">@esaspaceflight</a> or <a href="https://twitter.com/CERN">@CERN</a> using the hashtag <a href="https://twitter.com/hashtag/SpacewalkForAMS">#SpacewalkForAMS</a>.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.956', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (19, 'proncero', 'Be seen, be safe', '<span>Be seen, be safe</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/05/2019 - 12:27</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the second year running, the HSE unit will be distributing reflective tags for CERN personnel to attach to their clothing or bags in order to help them, or their family members, to be visible and therefore safer on the streets this winter.</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-129-2"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2" title="View on CDS"><img alt="home.cern" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2/file?size=large" /></a>
-<figcaption><span>(Image: CERN)</span></figcaption></figure><p>They may be small, but these tags make a real difference to how easy it is for pedestrians to be seen by motorists – take a look at the short film that will be running on the information screens in the restaurants over the next few weeks.</p>
-
-<p>Some of you may remember last year’s distribution. This year’s tags are similar, but we’ve customised them a little. Come along to find out how, and to collect your free reflectors, at Restaurants 1, 2 and 3 at lunchtime on 14 November.</p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.795', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (24, 'proncero', 'How to build beautiful CERN websites ', '<span>How to build beautiful CERN websites </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Kate Kahle</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Tue, 11/05/2019 - 14:19</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>One year on from<a href="https://home.cern/news/news/cern/welcome-new-cern-website"> launching</a> the new home.cern website, the CERN online landscape has begun to change. Now, more than 600 websites are in production or development using the main open-source content management system supported at CERN: Drupal 8 (D8). Some of these websites have been highlighted in a <a href="https://drupal-showcase.web.cern.ch/">new Drupal showcase website</a> to give examples of what is possible with the new CERN D8 theme.</p>
-
-<p>Last year, when D8 was launched at CERN, it was accompanied by a <a href="https://webtools.web.cern.ch/">webtools website</a> to help guide new users. The webtools took on board user feedback and requirements from the last six years of using Drupal 7 at CERN, and continue to be regularly enhanced and improved. Alongside the <a href="https://lms.cern.ch/ekp/servlet/ekp?TX=UNIVERSALSEARCH&INIT=N&ACTION=SEARCH&KEYW=drupal&universal-search-advanced-selector-dropdown=0&SEARCH=">Drupal 8 CERN training courses</a>, these webtools help those embarking on new websites, or migrating their existing websites to Drupal 8. In addition, a <a href="https://easy-start.web.cern.ch/">new easy-start template</a> is now available to help those unfamiliar with the technology to enter content into a pre-existing template. When <a href="https://webservices.web.cern.ch/webservices/Services/CreateNewSite/Default.aspx">creating a new CERN website</a>, there is now the choice of the easy-start, demo or blank Drupal 8 templates.</p>
-
-<p>By mid-2020, Drupal 7 will no longer be supported at CERN, so website owners will either need to move their websites to Drupal 8 or explore alternatives. To help them with this task, each Drupal 7 website owner was contacted earlier this year with proposals of either moving to Drupal 8 or to alternative technologies.</p>
-
-<p>For those remaining on Drupal, the <a href="https://drupal-community.web.cern.ch/">Drupal community</a>, supported by the IR web team and IT Drupal infrastructure team, uses an online forum and face-to-face meetings every two weeks to help answer queries, alongside twice-yearly official meetings.</p>
-
-<p>If you would like to join the Drupal community to find out the latest news and improvements, <a href="https://e-groups.cern.ch/e-groups/EgroupsSubscription.do?egroupName=drupal-community">subscribe here</a>.</p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.997', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (25, 'proncero', 'Halfway towards LHC consolidation', '<span>Halfway towards LHC consolidation</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Fri, 10/18/2019 - 11:18</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The Large Hadron Collider is such a huge and sophisticated machine that the slightest alteration requires an enormous amount of work. During the second long shutdown (LS2), teams are hard at work <a href="https://home.cern/news/news/accelerators/more-spring-clean-lhc-magnets">reinforcing the electrical insulation of the accelerator’s superconducting dipole diodes</a>. The LHC contains not one, not two, but 1232 superconducting dipole magnets, each with a diode system to upgrade. That’s why no fewer than 150 people are needed to carry out the 70 000 tasks involved in this work.</p>
-
-<p>The project is now halfway to completion. One of the machine’s eight sectors, containing 154 magnets, is now closed and the final leak tests are under way. Work is ongoing in the seven other sectors and the teams are working at a rate of ten interconnections consolidated per day.</p>
-
-<p>The work is part of a broader project called DISMAC (“Diodes Insulation and Superconducting Magnets Consolidation”), which also includes the replacement of magnets and maintenance operations on the current leads, the devices that supply the LHC with electricity. Twenty-two magnets have already been replaced and two others have been removed from the machine in order to replace their beam screens, which are components located in the vacuum chamber.</p>
-
-<p>A plethora of upgrade and maintenance work is also being carried out in the tunnel on all the equipment, from the cryogenics system to the vacuum, beam instrumentation and technical infrastructures.</p>
-
-<figure><img alt="magnet,LHC,LS2,tunnel,TI2,Transfer" src="//cds.cern.ch/images/CERN-PHOTO-201906-163-1/file?size=large" /><figcaption>Replacement of one of the LHC superconducting dipole magnets during the accelerator consolidation campaign. (Image: Maximilien Brice and Julien Ordan/CERN)</figcaption></figure><hr /></div>
-      ', true, NULL, '2019-11-12 09:39:46.998', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (26, 'proncero', 'CMS measures Higgs boson’s mass with unprecedented precision', '<span>CMS measures Higgs boson’s mass with unprecedented precision</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 10/25/2019 - 10:37</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692545" data-filename="HtoGammaGamma_v1" id="CMS-PHO-EVENTS-2019-008-4"><a href="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4" title="View on CDS">
-          <img alt="Measurement of the Higgs boson mass: candidate two-photon and four-lepton events" src="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4/file?size=medium" /></a>
-        <figcaption>
-          Event in which a candidate SM Higgs boson decays into two photons indicated by the green towers representing energy deposited in the electromagnetic calorimeter.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The <a href="https://home.cern/science/physics/higgs-boson">Higgs boson</a> is a special particle. It is the manifestation of a field that gives mass to elementary particles. But this field also gives mass to the Higgs boson itself. A precise measurement of the Higgs boson’s mass not only furthers our knowledge of physics but also sheds new light on searches planned at future colliders.</p>
-
-<p>Since discovering this unique particle in 2012, the <a href="https://home.cern/science/experiments/atlas">ATLAS</a> and <a href="https://home.cern/science/experiments/cms">CMS</a> collaborations at CERN’s <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> have been busy determining its properties. In the <a href="https://home.cern/science/physics/standard-model">Standard Model of particle physics</a>, the Higgs boson’s mass is closely related to the strength of the particle’s interaction with itself. Comparing precise measurements of these two properties is a crucial means of testing the predictions of the Standard Model and helps search for physics beyond the predictions of this theory. In addition to probing its “self-interaction” strength, the researchers have also paid careful attention to the exact mass of the Higgs boson.</p>
-
-<p>When it was first discovered, the particle’s mass was measured to be around 125 gigaelectronvolts (GeV) but it wasn’t known with high precision. Analysis of much more data was needed before reducing the errors in such a measurement. Indeed, ATLAS and CMS have been improving this precision with their respective measurements over the years. Last year, ATLAS measured the Higgs mass to be 124.97 GeV with a precision of 0.24 GeV or 0.19%. Now, the CMS collaboration has announced the most precise measurement so far of this property: 125.35 GeV with a precision of 0.15 GeV, or 0.12%.</p>
-
-<p>Like most members of the zoo of known particles, the Higgs boson is unstable and transforms – or “decays” – nearly instantaneously into lighter particles. The mass measurement was based on two very different transformations of the Higgs boson, namely decays to four leptons via two intermediate Z bosons and decays to pairs of photons. To arrive at the mass value, the scientists combined CMS results of these two decays from two datasets: the first was recorded in 2011 and 2012 while the second came from 2016.</p>
-
-<p>This measurement adds another piece to the puzzle of the exciting world of subatomic particles.</p>
-
-<p><em>More details on the <a href="https://cms.cern/news/cms-precisely-measures-mass-higgs-boson">CMS website</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.994', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (27, 'proncero', 'LS2 Report: Linac4 knocking at the door of the PS Booster', '<span>LS2 Report: Linac4 knocking at the door of the PS Booster</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 10/29/2019 - 14:05</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Busy activity has returned to the CERN Control Centre (CCC), where the Operation group coordinates the current <a href="https://home.cern/science/accelerators/linear-accelerator-4">Linac4</a> test run, supported by the Accelerators and Beam Physics (ABP) group and all the involved equipment groups. As we write, the nominal 160 MeV beam has already reached the Linac4 dump.</p>
-
-<p>After the ongoing second long shutdown of CERN’s accelerator complex (LS2), Linac4 will replace the retired Linac2 to provide protons to the LHC and all the CERN experiments that are served by CERN’s proton-accelerator chain. “For this purpose, Linac4 has by now been connected to the LHC injector chain through its new transfer line to the PS tunnel and the existing transfer lines to the PS Booster (PSB),” says Bettina Mikulec, who coordinates the test run.</p>
-
-<p>In order to prepare Linac4 for the challenge of delivering reliably high-quality beam to the PSB from its first day of post-LS2 operation in 2020, a special beam run started on 30 September to measure its beam parameters in the completely renovated 15-m-long emittance-measurement line (LBE), only 50 m away from the PSB injection point. “In this line, we can of course measure the emittance of the beam – the transverse dimensions of the beam and its energy spread – but also its longitudinal parameters in the transfer line,” adds Bettina Mikulec. “The LBE line is also very close to the PSB entrance, so everything we measure there should not be far off from the final characteristics at the PSB injection point.”</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-127-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1/file?size=large" /></a>
-<figcaption>The new LBE line. At the end of this line, we can see the LBE dump (green shielding blocks) located just at the wall of the PSB<span> (Image: CERN)</span></figcaption></figure><p>Until 6 December, negative hydrogen ions* will cover the 86 m of the Linac4 to be sent along the new and renovated transfer lines (160 m in total) into the new LBE line, before terminating their flight in a dump located just at the wall of the PSB.</p>
-
-<p>“During this run, hardware and software changes deployed since <a href="https://home.cern/news/news/accelerators/long-road-linac4">the last Linac4 reliability run</a>, which took place in 2018, will be commissioned, with the aim of solving some remaining issues and enhance the beam quality,” says Alessandra Lombardi, Linac4 project leader in the ABP group.</p>
-
-<p>In addition, the required operational beam configurations for the 2020 start-up will be prepared as much as possible in advance to allow a rapid Linac4 start in April 2020, when various beams will be set up for the PSB, so that the PSB can restart with beam under optimum conditions in September 2020.</p>
-
-<p> </p>
-
-<p><em>* Hydrogen atoms with an additional electron, giving it a net negative charge. Both electrons are stripped during injection from Linac4 into the PS Booster to leave only protons. </em></p>
-
-<p>________</p>
-
-<p><em>Follow the progress of the LBE run on <a class="bulletin" href="https://op-webtools.web.cern.ch/vistar/vistars.php?usr=Linac4">the online Vistar</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-12 09:39:46.996', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (28, 'proncero', 'Broadening tunnel vision for future accelerators', '<span>Broadening tunnel vision for future accelerators</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Wed, 10/23/2019 - 10:20</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692937" data-filename="201910-334_08" id="CERN-PHOTO-201910-334-8"><a href="//cds.cern.ch/images/CERN-PHOTO-201910-334-8" title="View on CDS">
-          <img alt="HL-LHC Underground civil engineering galleries progress" src="//cds.cern.ch/images/CERN-PHOTO-201910-334-8/file?size=medium" /></a>
-        <figcaption>
-          HL-LHC Underground civil engineering galleries
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>What could the next generation of particle accelerators look like? With current technology, the bigger an accelerator, the higher the energy of the collisions it produces and the greater the likelihood of discovering new physics phenomena. Particle physicists and accelerator engineers therefore dream of machines that are even bigger than the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> (LHC), with its 27-km circumference.</p>
-
-<p>For CERN’s civil engineers, a new accelerator requires a bespoke deep-underground tunnel, and the tunnel’s shape, depth and orientation as well as its access shafts are largely constrained by the local geography. Such an accelerator built at CERN would be bound by mountains, and, if circular, would need to go under Lake Geneva and completely enclose the Salève mountain of the Prealps.</p>
-
-<figure class="cds-image breakout-right" id="OPEN-PHO-CIVIL-2019-001-1"><a href="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1" title="View on CDS"><img alt="home.cern,Civil Engineering and Infrastructure" src="//cds.cern.ch/images/OPEN-PHO-CIVIL-2019-001-1/file?size=medium" /></a>
-<figcaption>Two proposed post-LHC accelerators – CLIC and the FCC – present unique challenges to CERN’s civil engineers<span> (Image: CERN)</span></figcaption></figure><p>The two largest projects under consideration for a post-LHC collider at CERN are the <a href="https://home.cern/science/accelerators/compact-linear-collider">Compact Linear Collider</a> (CLIC) and the <a href="https://home.cern/science/accelerators/future-circular-collider">Future Circular Collider</a> (FCC). Their scale would dwarf CERN’s existing infrastructure, making them some of the largest tunnelling projects in the world. Civil engineers therefore need to survey the geological, environmental and technical constraints of these machines.</p>
-
-<p>A <a href="https://indico.cern.ch/event/823271/">tunnelling workshop</a> that took place last week at CERN brought together civil-engineering experts from industry and academia to examine how new technologies and methods could optimise tunnel design and asset management. It is part of ongoing collaborations that have already seen CERN and the engineering consultancy Arup develop a first-of-its-kind tunnel optimisation tool to provide the best design when fed all the required parameters. The tool has already shown the feasibility of tunnels for either the FCC or CLIC in the local area, to help support the ongoing update for the European Strategy of Particle Physics that will guide the direction of particle physics and related fields to the mid-2020s and beyond.</p>
-
-<p>Find out more about the tunnelling challenges of CERN’s civil engineers for the next-generation of particle accelerators in “<a href="https://cerncourier.com/a/tunnelling-for-physics/">Tunnelling for Physics</a>” on the <em>CERN Courier</em>’s website.</p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.71', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (29, 'proncero', 'ALICE: the journey of a cosmopolitan detector', '<span>ALICE: the journey of a cosmopolitan detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Camille Monnin</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/7476" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">camonnin</span></span>
-<span>Thu, 10/31/2019 - 10:04</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Passengers aboard United flights 577 and 956 from San Francisco to Geneva, via Newark, were in for a surprise when they discovered their discreet, yet unusual, travel companion: one of the airplane seats was occupied not by a human, but by a piece of a detector. Since it was too fragile to be placed in the hold, the part had its own passenger seat, next to that of its guardian angel, a researcher at the Lawrence Berkeley National Laboratory (LBNL). The part is <a href="https://newscenter.lbl.gov/2019/09/19/how-to-get-a-particle-detector-on-a-plane/">one of the pieces</a> of the ALICE experiment’s new inner detector that have made their way across the globe to reach CERN. Thirty-five institutes from all over the world are involved in the construction, testing and prototyping of the various parts of the new detector called ALICE’s <a href="https://ep-news.web.cern.ch/content/alice-its-upgrade-pixels-quarks">Inner Tracking System</a>. </p>
-
-<p>ALICE (A Large Ion Collider Experiment) is one of the four main experiments at the Large Hadron Collider (LHC). The experiment studies matter as it was just after the Big Bang, when the components of atomic nuclei were not bound together. </p>
-
-<p>With the increase in instantaneous luminosity of heavy-ion collisions planned for the CERN accelerators’ third run, the ALICE detector will boost its read-out rate. This increase in the read-out rate, combined with an online data reconstruction system, means that ALICE will be able to collect 100 times more events than before.  </p>
-
-<p>In order to achieve the <a href="https://cerncourier.com/a/alice-revitalised/">desired physics goals</a>, numerous upgrades are being carried out during the current Long Shutdown. One of the worksites concerns the Inner Tracking System, which surrounds the beam pipe. This detector reconstructs the tracks of charged particles and its measurement precision is crucial for physics analyses. The upgrade will therefore result in improved precision, especially in the detection of short-lived particles. </p>
-
-<p>The current inner tracker will be replaced by a system of seven all-pixel cylindrical layers. The previous system had six layers, of which only the two innermost layers were made up of pixels, while the four external layers were composed of silicon sensors with a much lower granularity. The new Inner Tracking System will be composed of 12.5 billion pixels installed on an area of around 10 m<sup>2</sup>.<sup> </sup>These pixels have been specifically developed to cope with a higher collision rate and to reach a fine granularity. The chips thus incorporate both the pixel sensor and the read-out system, enabling the mass of the detector to be reduced by a factor of four compared with its predecessor. Reducing the mass allows for improved precision and efficiency when reconstructing particle trajectories.  </p>
-
-<p>The construction of all the mechanical structures was completed last year. The various pieces of the detector have arrived at CERN, and the CERN teams are now starting to assemble them in two half-barrel structures. The fact that the detector components were available quickly has made it possible to begin the commissioning process. The final installation of the detector in the experimental cavern is planned for next summer. </p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-128-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-128-1/file?size=large" /></a>
-<figcaption>A detector piece from Berkeley Lab, on its way to CERN.<span> (Image: Lawrence Berkeley National Laboratory)</span></figcaption></figure><p> </p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.71', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (30, 'proncero', 'LS2 Report: Linac4 knocking at the door of the PS Booster', '<span>LS2 Report: Linac4 knocking at the door of the PS Booster</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 10/29/2019 - 14:05</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Busy activity has returned to the CERN Control Centre (CCC), where the Operation group coordinates the current <a href="https://home.cern/science/accelerators/linear-accelerator-4">Linac4</a> test run, supported by the Accelerators and Beam Physics (ABP) group and all the involved equipment groups. As we write, the nominal 160 MeV beam has already reached the Linac4 dump.</p>
-
-<p>After the ongoing second long shutdown of CERN’s accelerator complex (LS2), Linac4 will replace the retired Linac2 to provide protons to the LHC and all the CERN experiments that are served by CERN’s proton-accelerator chain. “For this purpose, Linac4 has by now been connected to the LHC injector chain through its new transfer line to the PS tunnel and the existing transfer lines to the PS Booster (PSB),” says Bettina Mikulec, who coordinates the test run.</p>
-
-<p>In order to prepare Linac4 for the challenge of delivering reliably high-quality beam to the PSB from its first day of post-LS2 operation in 2020, a special beam run started on 30 September to measure its beam parameters in the completely renovated 15-m-long emittance-measurement line (LBE), only 50 m away from the PSB injection point. “In this line, we can of course measure the emittance of the beam – the transverse dimensions of the beam and its energy spread – but also its longitudinal parameters in the transfer line,” adds Bettina Mikulec. “The LBE line is also very close to the PSB entrance, so everything we measure there should not be far off from the final characteristics at the PSB injection point.”</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-127-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1" title="View on CDS"><img alt="home.cern,Accelerators" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-127-1/file?size=large" /></a>
-<figcaption>The new LBE line. At the end of this line, we can see the LBE dump (green shielding blocks) located just at the wall of the PSB<span> (Image: CERN)</span></figcaption></figure><p>Until 6 December, negative hydrogen ions* will cover the 86 m of the Linac4 to be sent along the new and renovated transfer lines (160 m in total) into the new LBE line, before terminating their flight in a dump located just at the wall of the PSB.</p>
-
-<p>“During this run, hardware and software changes deployed since <a href="https://home.cern/news/news/accelerators/long-road-linac4">the last Linac4 reliability run</a>, which took place in 2018, will be commissioned, with the aim of solving some remaining issues and enhance the beam quality,” says Alessandra Lombardi, Linac4 project leader in the ABP group.</p>
-
-<p>In addition, the required operational beam configurations for the 2020 start-up will be prepared as much as possible in advance to allow a rapid Linac4 start in April 2020, when various beams will be set up for the PSB, so that the PSB can restart with beam under optimum conditions in September 2020.</p>
-
-<p> </p>
-
-<p><em>* Hydrogen atoms with an additional electron, giving it a net negative charge. Both electrons are stripped during injection from Linac4 into the PS Booster to leave only protons. </em></p>
-
-<p>________</p>
-
-<p><em>Follow the progress of the LBE run on <a class="bulletin" href="https://op-webtools.web.cern.ch/vistar/vistars.php?usr=Linac4">the online Vistar</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.879', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (31, 'proncero', 'Beamline for Schools 2019 participants present results', '<span>Beamline for Schools 2019 participants present results</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Joseph Piergrossi</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 11/08/2019 - 13:58</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2698994" data-filename="H61A9329" id="OPEN-PHO-MISC-2019-016-4"><a href="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4" title="View on CDS">
-          <img alt="Beamline for Schools 2019" src="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4/file?size=medium" /></a>
-        <figcaption>
-          The two winning teams from the 2019 Beamline for Schools competition – DESY Chain from Salt Lake City, Utah, USA and Particle Peers from Groningen, Netherlands – work on their projects at DESY Hamburg.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Monday, 28 October, marked the completion of data collection for the 2019 <a href="https://beamlineforschools.cern/">Beamline for Schools (BL4S)</a> winning teams on the Hamburg campus of the German physics research centre <a href="http://www.desy.de/index_eng.html">DESY</a>. Two teams – from Salt Lake City, Utah, in the USA and Groningen in the Netherlands – won the CERN-organised international competition, wherein high-school students propose their own particle physics experiments and perform them if they win.</p>
-
-<p>The teams <a href="https://home.cern/news/press-release/cern/dutch-and-us-students-win-2019-cern-beamline-schools-competition">“DESY Chain” from the USA and “Particle Peers” from the Netherlands</a> also presented their preliminary results last Monday. DESY Chain experimented with scintillator sensitivity using electrons and positrons. “In our data, we’re definitely seeing interesting energy losses in the scintillators,” says Charles Bonkowsky, a member of the DESY Chain team. “It’s going to take a little bit of time to put it all together and see what the energy loss is, and see how it corresponds to the rest of the data.”</p>
-
-<p>Particle Peers investigated differences in particle showers between matter and antimatter. “We didn’t expect to have such big datasets, and so many different datasets,” said Isabelle Koster from Particle Peers. “That was a real bonus. We did everything we wanted to do. And we made so many friends along the way!”</p>
-
-<p>The two teams collaborated closely during their experiment runs, sharing materials and data-processing techniques. Both teams aim to publish their results.</p>
-
-<p>“Knowing how you can come from thinking about an experiment to actually performing it – what detectors to use, what kind of set-up to have – was really helpful,” says Frederiek de Bruine from Particle Peers.</p>
-
-<p>“We have all this data we have to process, but it’s sad that our data-collection journey at DESY has come to an end,” says Derek Che from DESY Chain. “It was an amazing experience. I made new friends and experienced things that will definitely shape my future.”</p>
-
-<p>The two Beamline for Schools winning teams had been selected from 178 entries, and the organisers are hoping for an even stronger showing for next year. Although the DESY and CERN scientists and staff who supported the students are sad to see them go home, they are now gearing up for next year’s competition. In 2020, CERN will once again invite DESY-Hamburg to host two of the winning teams, and discussions are under way to invite a third winning team to a different laboratory in Europe.</p>
-
-<p>Want to join? Preregistration for BL4S 2020 is <a href="https://beamlineforschools.cern/bl4s-competition/how-take-part">just a click away</a>.</p>
-
-<hr /><p>More photos <a href="https://cds.cern.ch/record/2698994">on CDS</a>:</p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" scrolling="no" src="https://cds.cern.ch/images/OPEN-PHO-MISC-2019-016/export?format=sspp&ln=en&captions=true" width="480"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.81', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (32, 'proncero', 'Computer Security: When CERN.CH is not CERN…', '<span>Computer Security: When CERN.CH is not CERN…</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">The Computer Security Team</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/12/2019 - 11:34</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>We recently received an e-mail from a colleague who was astonished to learn that an e-mail that appears to be sent from “CERN.CH” does not necessarily really come from someone at CERN… Indeed, everything is not always what it seems. Therefore, let us explain to you when CERN.CH is CERN and when it isn’t.</p>
-
-<p>For e-mail, the sender address can be anything. Just like on the envelope of a normal hand-written letter, any sender address can be specified. “CERN.CH” can easily be spoofed so that an e-mail looks like it comes from someone at CERN, but actually doesn’t<sup>1</sup>. The ancient e-mail protocol cannot do better and any technical means to improve on this break other functions when sending e-mails (like posting to mailing lists...) – see our <em>Bulletin</em> article “<a href="https://cds.cern.ch/record/2215901?ln=en">E-mail is broken and there is nothing we can do</a>”. There is no good protection apart from CERN’s SPAM filters. Once an e-mail has passed those filters, the second line of defence is you... So, just hold on a second and think about whether each e-mail is really intended for you. See our recommendations on how to identify malicious e-mails on <a href="https://cern.ch/security/recommendations/en/malicious_email.shtml">the Computer Security Team’s homepage</a>. If you’re really in doubt, just ask us to check by e-mailing Computer.Security@cern.ch.</p>
-
-<p>And since we are already on the subject: no, similar domains with different endings (so-called top-level domains like .CH) are definitely not CERN’s! For example, browsing to CERN.CA gives you “…a non-profit organisation in Canada striving to promote the Francophone culture throughout the country”. CERN.BE points to a neuropsychologist. And CERN.SK is the webpage of a Slovak central register for work-related accidents… Moreover, there are also many other domains that look like CERN’s but aren’t: CERM.CH, CERN.ORG, CERN.CG, XERN.CH, CEM.CH (this one is more difficult to detect in lowercase as “cem.ch” – “r” and “n” look quite like “m”, don’t they?). These are usually called typo-squatting or Doppelgänger domains, i.e. domains whose name is just one character away from CERN’s. Attackers love them as they can be used to trick us into clicking on the wrong link: “cem.ch”, anyone?</p>
-
-<p>For your protection, since adversaries might try to use them for their malicious deeds, we have blocked a series of these typo-squatting domains within CERN’s domain name servers. That means that you should be redirected to a warning page instead of arriving at the adversary’s malicious one. However, this only protects you when browsing to those domains from within CERN. For a more holistic approach, we also tried to buy some of these domains in order to prevent any abuse, but didn’t succeed in all cases...</p>
-
-<p>Therefore, once more, we have to count on you: security is not complete without you! Be vigilant!!! CERN is CERN.CH and dotCERN. Any other domain does not belong to the Organization<sup>2</sup> and should be accessed with care. The best thing is just to ignore these domains and go somewhere else. Or ping us at Computer.Security@cern.ch and we will check for you whether or not a domain is benign.</p>
-
-<p> </p>
-
-<p><em><sup>1</sup>For the technically-minded among you: checking the so-called header information does reveal the real origin of an e-mail unless this has also been heavily tampered with. If that information points to the CERN e-mail servers, it is most likely that the mail has been sent from a real CERN e-mail address. Still, there is no guarantee that the sender is the person behind the name in that e-mail address. His or her account might have been compromised. But that’s another story. </em></p>
-
-<p><em><sup>2</sup>For the pettifoggers among you: CERN does indeed own a series of other domains: e.g. CERN.EU, CERN.JOBS and CERN.ORG, but also CIXP.CH, INDICO.GLOBAL, OHWR.COM, REANA.IO, ZENODO.COM. But mentioning all of those would double the length of this article…</em></p>
-
-<p>_________</p>
-
-<p><em>Do you want to learn more about computer security incidents and issues at CERN? Follow our <a href="https://cern.ch/security/reports/en/monthly_reports.shtml">Monthly Report</a>. For further information, questions or help, check <a href="https://cern.ch/Computer.Security">our website</a> or contact us at Computer.Security@cern.ch.</em></p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.709', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (33, 'proncero', 'Be seen, be safe', '<span>Be seen, be safe</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/05/2019 - 12:27</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the second year running, the HSE unit will be distributing reflective tags for CERN personnel to attach to their clothing or bags in order to help them, or their family members, to be visible and therefore safer on the streets this winter.</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-129-2"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2" title="View on CDS"><img alt="home.cern" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2/file?size=large" /></a>
-<figcaption><span>(Image: CERN)</span></figcaption></figure><p>They may be small, but these tags make a real difference to how easy it is for pedestrians to be seen by motorists – take a look at the short film that will be running on the information screens in the restaurants over the next few weeks.</p>
-
-<p>Some of you may remember last year’s distribution. This year’s tags are similar, but we’ve customised them a little. Come along to find out how, and to collect your free reflectors, at Restaurants 1, 2 and 3 at lunchtime on 14 November.</p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.706', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (50, 'proncero', 'Aligning the HL-LHC magnets with interferometry', '<span>Aligning the HL-LHC magnets with interferometry</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Anaïs Schaeffer</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/12/2019 - 09:35</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>CERN surveyors have just finalised a system that can determine, in real time, the position of certain components inside the (sealed) cryostats of the future <a href="https://home.cern/science/accelerators/high-luminosity-lhc">High-Luminosity LHC</a> (HL-LHC). Currently, only the position of the cryostats themselves can be measured, using sensors that perform continuous measurements. “This new system has been specially developed for the HL-LHC, to be able directly to determine the position of cold masses at the level of the inner triplets, located on either side of the ATLAS and CMS experiments, and the position of the crab cavities inside their cryostat,” says Hélène Mainaud Durand, in charge of alignment in the High-Luminosity LHC upgrade. “It will be a real plus to be able to monitor the alignment of these components continuously, especially during the accelerator’s cycles of heating and cooling.”</p>
-
-<p>The new procedure is based on frequency sweeping interferometry (FSI), a distance-measurement method that simultaneously performs several absolute distance measurements between a measuring head and targets, and relates them to a common benchmark measurement. “Thanks to this technique, it will be possible to deduce the position of the cold mass to within a few micrometres relative to the cryostat by making 12 distance measurements between the cryostat and the cold mass,” says Mainaud Durand. Each cold mass will therefore be equipped with 12 targets, which are reflective glass spheres that have been specially designed for this procedure. Opposite the targets are 12 laser heads, which are attached to the cryostat and connected by optical fibres to a laser acquisition system.</p>
-
-<p>Even though FSI is commonly used in metrology, adapting it for use in a cryogenic environment has not been completely straightforward: “We have had to overcome several challenges posed by the extreme conditions inside the accelerators,” says Mateusz Sosin, the mechatronic engineer in charge of this development. “The first problem became apparent during a test carried out at the cryogenic temperature of 1.9 K (–271.3 °C) on one of the LHC dipoles fitted with the system. At this temperature, the cold masses contract and lose up to 12 mm, taking our interferometry targets with them, meaning the targets are no longer aligned with the laser heads.” To get around the problem, a divergent, or conical, laser beam has been developed, such that the source remains “in the spotlight” despite the movements caused by contraction and expansion.</p>
-
-<p>The second problem is caused by condensation. At 1.9 K, the targets are covered by a fine layer of frost caused by the condensation of residual gases, which make them impervious to the laser beams. “Following the advice of our colleagues in the cryostat section, we decided to use the thermal radiation emitted by the vacuum vessel to heat up the targets,” explains Mateusz Sosin. “The radiation is ‘absorbed’ by an aluminium plate located under the target, keeping it at just the right temperature to avoid condensation. The plate is attached to an epoxy insulating support, which is in turn attached to the cold mass.”</p>
-
-<p>Several tests have already been carried out, including on <a href="https://home.cern/news/news/engineering/crabs-settled-tunnel">a crab cavity prototype installed in the SPS</a>, as well as on an LHC dipole. The final tests, currently in progress, look very promising, and surveyors from other laboratories, notably DESY and Fermilab, have already shown great interest.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.956', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (34, 'proncero', 'Halfway towards LHC consolidation', '<span>Halfway towards LHC consolidation</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Fri, 10/18/2019 - 11:18</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The Large Hadron Collider is such a huge and sophisticated machine that the slightest alteration requires an enormous amount of work. During the second long shutdown (LS2), teams are hard at work <a href="https://home.cern/news/news/accelerators/more-spring-clean-lhc-magnets">reinforcing the electrical insulation of the accelerator’s superconducting dipole diodes</a>. The LHC contains not one, not two, but 1232 superconducting dipole magnets, each with a diode system to upgrade. That’s why no fewer than 150 people are needed to carry out the 70 000 tasks involved in this work.</p>
-
-<p>The project is now halfway to completion. One of the machine’s eight sectors, containing 154 magnets, is now closed and the final leak tests are under way. Work is ongoing in the seven other sectors and the teams are working at a rate of ten interconnections consolidated per day.</p>
-
-<p>The work is part of a broader project called DISMAC (“Diodes Insulation and Superconducting Magnets Consolidation”), which also includes the replacement of magnets and maintenance operations on the current leads, the devices that supply the LHC with electricity. Twenty-two magnets have already been replaced and two others have been removed from the machine in order to replace their beam screens, which are components located in the vacuum chamber.</p>
-
-<p>A plethora of upgrade and maintenance work is also being carried out in the tunnel on all the equipment, from the cryogenics system to the vacuum, beam instrumentation and technical infrastructures.</p>
-
-<figure><img alt="magnet,LHC,LS2,tunnel,TI2,Transfer" src="//cds.cern.ch/images/CERN-PHOTO-201906-163-1/file?size=large" /><figcaption>Replacement of one of the LHC superconducting dipole magnets during the accelerator consolidation campaign. (Image: Maximilien Brice and Julien Ordan/CERN)</figcaption></figure><hr /></div>
-      ', true, NULL, '2019-11-12 11:16:29.816', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (35, 'proncero', 'How to build beautiful CERN websites ', '<span>How to build beautiful CERN websites </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Kate Kahle</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Tue, 11/05/2019 - 14:19</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>One year on from<a href="https://home.cern/news/news/cern/welcome-new-cern-website"> launching</a> the new home.cern website, the CERN online landscape has begun to change. Now, more than 600 websites are in production or development using the main open-source content management system supported at CERN: Drupal 8 (D8). Some of these websites have been highlighted in a <a href="https://drupal-showcase.web.cern.ch/">new Drupal showcase website</a> to give examples of what is possible with the new CERN D8 theme.</p>
-
-<p>Last year, when D8 was launched at CERN, it was accompanied by a <a href="https://webtools.web.cern.ch/">webtools website</a> to help guide new users. The webtools took on board user feedback and requirements from the last six years of using Drupal 7 at CERN, and continue to be regularly enhanced and improved. Alongside the <a href="https://lms.cern.ch/ekp/servlet/ekp?TX=UNIVERSALSEARCH&INIT=N&ACTION=SEARCH&KEYW=drupal&universal-search-advanced-selector-dropdown=0&SEARCH=">Drupal 8 CERN training courses</a>, these webtools help those embarking on new websites, or migrating their existing websites to Drupal 8. In addition, a <a href="https://easy-start.web.cern.ch/">new easy-start template</a> is now available to help those unfamiliar with the technology to enter content into a pre-existing template. When <a href="https://webservices.web.cern.ch/webservices/Services/CreateNewSite/Default.aspx">creating a new CERN website</a>, there is now the choice of the easy-start, demo or blank Drupal 8 templates.</p>
-
-<p>By mid-2020, Drupal 7 will no longer be supported at CERN, so website owners will either need to move their websites to Drupal 8 or explore alternatives. To help them with this task, each Drupal 7 website owner was contacted earlier this year with proposals of either moving to Drupal 8 or to alternative technologies.</p>
-
-<p>For those remaining on Drupal, the <a href="https://drupal-community.web.cern.ch/">Drupal community</a>, supported by the IR web team and IT Drupal infrastructure team, uses an online forum and face-to-face meetings every two weeks to help answer queries, alongside twice-yearly official meetings.</p>
-
-<p>If you would like to join the Drupal community to find out the latest news and improvements, <a class="bulletin" href="https://e-groups.cern.ch/e-groups/EgroupsSubscription.do?egroupName=drupal-community">subscribe here</a>.</p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.864', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (36, 'proncero', 'CMS measures Higgs boson’s mass with unprecedented precision', '<span>CMS measures Higgs boson’s mass with unprecedented precision</span>
-<span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 10/25/2019 - 10:37</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2692545" data-filename="HtoGammaGamma_v1" id="CMS-PHO-EVENTS-2019-008-4"><a href="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4" title="View on CDS">
-          <img alt="Measurement of the Higgs boson mass: candidate two-photon and four-lepton events" src="//cds.cern.ch/images/CMS-PHO-EVENTS-2019-008-4/file?size=medium" /></a>
-        <figcaption>
-          Event in which a candidate SM Higgs boson decays into two photons indicated by the green towers representing energy deposited in the electromagnetic calorimeter.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>The <a href="https://home.cern/science/physics/higgs-boson">Higgs boson</a> is a special particle. It is the manifestation of a field that gives mass to elementary particles. But this field also gives mass to the Higgs boson itself. A precise measurement of the Higgs boson’s mass not only furthers our knowledge of physics but also sheds new light on searches planned at future colliders.</p>
-
-<p>Since discovering this unique particle in 2012, the <a href="https://home.cern/science/experiments/atlas">ATLAS</a> and <a href="https://home.cern/science/experiments/cms">CMS</a> collaborations at CERN’s <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a> have been busy determining its properties. In the <a href="https://home.cern/science/physics/standard-model">Standard Model of particle physics</a>, the Higgs boson’s mass is closely related to the strength of the particle’s interaction with itself. Comparing precise measurements of these two properties is a crucial means of testing the predictions of the Standard Model and helps search for physics beyond the predictions of this theory. In addition to probing its “self-interaction” strength, the researchers have also paid careful attention to the exact mass of the Higgs boson.</p>
-
-<p>When it was first discovered, the particle’s mass was measured to be around 125 gigaelectronvolts (GeV) but it wasn’t known with high precision. Analysis of much more data was needed before reducing the errors in such a measurement. Indeed, ATLAS and CMS have been improving this precision with their respective measurements over the years. Last year, ATLAS measured the Higgs mass to be 124.97 GeV with a precision of 0.24 GeV or 0.19%. Now, the CMS collaboration has announced the most precise measurement so far of this property: 125.35 GeV with a precision of 0.15 GeV, or 0.12%.</p>
-
-<p>Like most members of the zoo of known particles, the Higgs boson is unstable and transforms – or “decays” – nearly instantaneously into lighter particles. The mass measurement was based on two very different transformations of the Higgs boson, namely decays to four leptons via two intermediate Z bosons and decays to pairs of photons. To arrive at the mass value, the scientists combined CMS results of these two decays from two datasets: the first was recorded in 2011 and 2012 while the second came from 2016.</p>
-
-<p>This measurement adds another piece to the puzzle of the exciting world of subatomic particles.</p>
-
-<p><em>More details on the <a href="https://cms.cern/news/cms-precisely-measures-mass-higgs-boson">CMS website</a>.</em></p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.877', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (37, 'proncero', 'LHCf gears up to probe birth of cosmic-ray showers', '<span>LHCf gears up to probe birth of cosmic-ray showers</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Ana Lopes</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Fri, 11/08/2019 - 13:48</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2699736" data-filename="LHCf_Arm2_during_installation_02%20copy%202" id="CERN-HOMEWEB-PHO-2019-131-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1" title="View on CDS">
-          <img alt="One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe." src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1/file?size=medium" /></a>
-        <figcaption>
-          One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Cosmic rays are particles from outer space, typically protons, travelling at almost the speed of light. When the most energetic of these particles strike the atmosphere of our planet, they interact with atomic nuclei in the atmosphere and produce cascades of secondary particles that shower down to the Earth’s surface. These extensive air showers, as they are known, are similar to the cascades of particles that are created in collisions inside particle colliders such as CERN’s Large Hadron Collider (LHC). In the next LHC, run starting in 2021, the smallest of the LHC experiments – the <a href="https://home.cern/science/experiments/lhcf">LHCf experiment</a> – is set to probe the first interaction that triggers these cosmic showers.</p>
-
-<p>Observations of extensive air showers are generally interpreted using computer simulations that involve a model of how cosmic rays interact with atomic nuclei in the atmosphere. But different models exist and it’s unclear which one is the most appropriate. The LHCf experiment is in an ideal position to test these models and help shed light on cosmic-ray interactions.</p>
-
-<p>In contrast to the main LHC experiments, which measure particles emitted at large angles from the collision line, the LHCf experiment measures particles that fly out in the “forward” direction, that is, at small angles from the collision line. These particles, which carry a large portion of the collision energy, can be used to probe the small angles and high energies at which the predictions from the different models don’t match.</p>
-
-<p>Using data from proton–proton LHC collisions at an energy of 13 TeV, LHCf has recently measured how the number of forward <a href="https://www.sciencedirect.com/science/article/pii/S0370269317310365?via%3Dihub">photons</a> and <a href="https://link.springer.com/article/10.1007%2FJHEP11%282018%29073">neutrons</a> varies with particle energy at previously unexplored high energies. These measurements agree better with some models than others, and they are being factored in by modellers of extensive air showers.</p>
-
-<p>In the next LHC run, LHCf should extend the range of particle energies probed, due to the planned higher collision energy. In addition, and thanks to ongoing upgrade work, the experiment should also increase the number and type of particles that are detected and studied.</p>
-
-<p>What’s more, the experiment plans to measure forward particles emitted from collisions of protons with light ions, most likely oxygen ions. The first interactions that trigger extensive air showers in the atmosphere involve mainly light atomic nuclei such as oxygen and nitrogen. LHCf could therefore probe such an interaction in the next run, casting new light on cosmic-ray interaction models at high energies.</p>
-
-<p>Find out more in the <a href="https://ep-news.web.cern.ch/content/lhcf-sheds-light-hadronic-interaction-models">Experimental Physics newsletter article</a>.</p>
-
-<p> </p>
-</div>
-      ', true, NULL, '2019-11-12 11:16:29.818', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (39, 'proncero', 'Spacewalk for AMS: Watch live with CERN and ESA', '<span>Spacewalk for AMS: Watch live with CERN and ESA</span>
-<span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Thu, 11/14/2019 - 12:33</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>On Friday 15 November, European Space Agency (ESA) astronaut Luca Parmitano and NASA astronaut Andrew Morgan will begin the first of a series of complex spacewalks to service the <a href="https://home.cern/science/experiments/ams">Alpha Magnetic Spectrometer (AMS-02)</a>. The spacewalk will be streamed live via <a href="http://www.esa.int/ESA_Multimedia/ESA_Web_TV">ESA Web TV</a> from 12.50 p.m. CET and will include commentaries from CERN and ESA.</p>
-
-<p>This series of spacewalks is expected to be the most challenging since those to repair the <a href="https://www.nasa.gov/mission_pages/hubble/servicing/index.html">Hubble Space Telescope</a>. AMS was originally intended to run for three years, after its installation on the International Space Station in 2011, and was not designed to be maintained in orbit. However, the success of its results to date have meant that its mission has been extended.</p>
-
-<figure><iframe allowfullscreen="" frameborder="0" height="360" id="ls_embed_1573808401" scrolling="no" src="https://livestream.com/accounts/362/events/8890996/player?width=640&height=360&enableInfoAndActivity=true&defaultDrawer=&autoPlay=true&mute=false" width="640"></iframe>
-<figcaption>Watch the spacewalk live on <a href="https://livestream.com/ESA/SpacewalkforAMS">ESA Web TV</a></figcaption></figure><p>AMS-02 is a particle-physics detector that uses the unique environment of space to study the universe and its origin. It searches for antimatter and dark matter while precisely measuring cosmic-ray particles – more than 140 billion particles to date. The detector, which measures 60 cubic metres and weighs 7.5 tonnes, was assembled by an international team at CERN, and researchers, astronauts and operations teams have had to develop new procedures and more than 20 custom tools to extend the instrument’s life.</p>
-
-<p>A key task for the astronauts is to replace the AMS-02 cooling system and to fix a coolant leak, and the pair have trained extensively for this intricate operation on the ground. It will involve cutting and splicing eight cooling tubes, connecting them to the new system and reconnecting a myriad of power and data cables. It is the first time that astronauts will cut and reconnect cooling lines in orbit.</p>
-
-<p>The first AMS spacewalk on Friday is expected to last about six hours and sets the scene for at least three more. It will be streamed live on <a href="http://www.esa.int/ESA_Multimedia/ESA_Web_TV">ESA Web TV</a> and the first two hours will feature commentary from scientists at the AMS Payload Operations Control Centre (POCC) at CERN as well as astronaut and operation experts at ESA’s astronaut centre in Germany.</p>
-
-<p>CERN’s contributions will include a tour of the POCC by AMS Experiment and Operations Coordinator Mike Capell, from Massachusetts Institute of Technology (MIT). Here, AMS physicists take 24-hour shifts to operate and control the various components of AMS from the ground. Zhan Zhang, also from MIT, is the lead engineer of the Upgraded Tracker Thermal System, which is being installed during the spacewalks. She will show the laboratory at CERN where an identical spare of the system is kept in space conditions and will explain how the system works and what the astronauts will have to do to install it on the AMS detector in space. AMS scientists Mercedes Paniccia from the University of Geneva, Alberto Oliva from INFN Bologna and Andrei Kounine, from MIT, will explain the science of AMS as the spacewalk takes place and can answer your questions.</p>
-
-<p>You can already tweet questions ahead of the live broadcast to <a href="https://twitter.com/esaspaceflight">@esaspaceflight</a> or <a href="https://twitter.com/CERN">@CERN</a> using the hashtag <a href="https://twitter.com/hashtag/SpacewalkForAMS">#SpacewalkForAMS</a>.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.553', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (38, 'proncero', 'Probing dark matter using antimatter', '<span>Probing dark matter using antimatter</span>
-<span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Tue, 11/12/2019 - 10:11</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p><a href="https://home.cern/science/physics/dark-matter">Dark matter</a> and the <a href="https://home.cern/science/physics/matter-antimatter-asymmetry-problem">imbalance between matter and antimatter</a> are two of the biggest mysteries of the universe. Astronomical observations tell us that dark matter makes up most of the matter in the cosmos but we do not know what it is made of. On the other hand, theories of the early universe predict that both antimatter and matter should have been produced in equal amounts, yet for some reason matter prevailed. Could there be a relation between this matter–antimatter asymmetry and dark matter?</p>
-
-<p>In a <a href="https://www.nature.com/articles/s41586-019-1727-9">paper</a> published today in the journal Nature, the <a href="https://home.cern/science/experiments/base">BASE </a>collaboration reports the first laboratory search for an interaction between antimatter and a dark-matter candidate, the hypothetical axion. A possible interaction would not only establish the origin of dark matter, but would also revolutionise long-established certainties about the symmetry properties of nature. Working at <a href="http://visit.cern/ad">CERN’s antimatter factory</a>, the BASE team obtained the first laboratory-based limits on the existence of dark-matter axions, assuming that they prefer to interact with antimatter rather than with matter.</p>
-
-<p>Axions were originally introduced to explain the symmetry properties of the strong force, which binds quarks into protons and neutrons, and protons and neutrons into nuclei. Their existence is also predicted by many theories beyond the <a href="https://home.cern/science/physics/standard-model">Standard Model</a>, notably superstring theories. They would be light and interact very weakly with other particles. Being stable, axions produced during the Big Bang would still be present throughout the universe, possibly accounting for observed dark matter. The so-called wave–particle duality of quantum mechanics would cause the dark-matter axion’s field to oscillate, at a frequency proportional to the axion’s mass. This oscillation would vary the intensity of this field’s interactions with matter and antimatter in the laboratory, inducing periodic variations in their properties.</p>
-
-<p>Laboratory experiments made with ordinary matter have so far shown no evidence of these oscillations, setting stringent limits on the existence of cosmic axions. The established laws of physics predict that axions interact in the same way with protons and antiprotons (the antiparticles of protons), but it is the role of experiments to challenge such wisdom, in this particular case by directly probing the existence of dark-matter axions using antiprotons.</p>
-
-<p>In their study, the BASE researchers searched for the oscillations in the rotational motion of the antiproton’s magnetic moment or “spin” – think of the wobbling motion of a spinning top just before it stops spinning; it spins around its rotational axis and “precesses” around a vertical axis. An unexpectedly large axion–antiproton interaction strength would lead to variations in the frequency of this precession.</p>
-
-<p>To look for the oscillations, the researchers first took antiprotons from CERN’s antimatter factory, the only place in the world where antiprotons are created on a daily basis. They then confined them in a device called a Penning trap to avoid their coming into contact with ordinary matter and annihilating. Next, they fed a single antiproton into a high-precision multi-Penning trap to measure and flip its spin state. By performing these measurements almost a thousand times over the course of about three months, they were able to determine a time-averaged frequency of the antiproton’s precession of around 80 megahertz with an uncertainty of 120 millihertz. By looking for regular time variations of the individual measurements over their three-month-long experimental campaign, they were able to probe any possible axion–antiproton interaction for many values of the axion mass.</p>
-
-<p>The BASE researchers were not able to detect any such variations in their measurements that would reveal a possible axion–antiproton interaction. However, the lack of this signal allowed them to put lower limits on the axion–antiproton interaction strength for a range of possible axion masses. These laboratory-based limits range from 0.1 GeV to 0.6 GeV depending on the assumed axion mass. For comparison, the most precise matter-based experiments achieve much more stringent limits, between about 10 000 and 1 000 000 GeV. This shows that today’s experimental sensitivity would require a major violation of established symmetry properties in order to reveal a possible signal.</p>
-
-<p>If axions were not a dominant component of dark matter, they could nevertheless be directly produced during the collapse and explosion of stars as supernovae, and limits on their interaction strength with protons or antiprotons could be extracted by examining the evolution of such stellar explosions. The observation of the explosion of the famous supernova SN1987A, however, set constraints on the axion–antiproton interaction strength that are about 100 000 times weaker than those obtained by BASE.</p>
-
-<p>The new measurements by the BASE collaboration, which teamed up with researchers from the Helmholtz Institute Mainz for this study, provide a novel way to probe dark matter and its possible interaction with antimatter. While relying on specific assumptions about the nature of dark matter and on the pattern of the matter–antimatter asymmetry, the experiment’s results are a unique probe of unexpected new phenomena, which could unveil extraordinary modifications to our established understanding of how the universe works.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.555', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (40, 'proncero', 'ALICE: the journey of a cosmopolitan detector', '<span>ALICE: the journey of a cosmopolitan detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Camille Monnin</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/7476" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">camonnin</span></span>
-<span>Thu, 10/31/2019 - 10:04</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Passengers aboard United flights 577 and 956 from San Francisco to Geneva, via Newark, were in for a surprise when they discovered their discreet, yet unusual, travel companion: one of the airplane seats was occupied not by a human, but by a piece of a detector. Since it was too fragile to be placed in the hold, the part had its own passenger seat, next to that of its guardian angel, a researcher at the Lawrence Berkeley National Laboratory (LBNL). The part is <a href="https://newscenter.lbl.gov/2019/09/19/how-to-get-a-particle-detector-on-a-plane/">one of the pieces</a> of the ALICE experiment’s new inner detector that have made their way across the globe to reach CERN. Thirty-five institutes from all over the world are involved in the construction, testing and prototyping of the various parts of the new detector called ALICE’s <a href="https://ep-news.web.cern.ch/content/alice-its-upgrade-pixels-quarks">Inner Tracking System</a>. </p>
-
-<p>ALICE (A Large Ion Collider Experiment) is one of the four main experiments at the Large Hadron Collider (LHC). The experiment studies matter as it was just after the Big Bang, when the components of atomic nuclei were not bound together. </p>
-
-<p>With the increase in instantaneous luminosity of heavy-ion collisions planned for the CERN accelerators’ third run, the ALICE detector will boost its read-out rate. This increase in the read-out rate, combined with an online data reconstruction system, means that ALICE will be able to collect 100 times more events than before.  </p>
-
-<p>In order to achieve the <a href="https://cerncourier.com/a/alice-revitalised/">desired physics goals</a>, numerous upgrades are being carried out during the current Long Shutdown. One of the worksites concerns the Inner Tracking System, which surrounds the beam pipe. This detector reconstructs the tracks of charged particles and its measurement precision is crucial for physics analyses. The upgrade will therefore result in improved precision, especially in the detection of short-lived particles. </p>
-
-<p>The current inner tracker will be replaced by a system of seven all-pixel cylindrical layers. The previous system had six layers, of which only the two innermost layers were made up of pixels, while the four external layers were composed of silicon sensors with a much lower granularity. The new Inner Tracking System will be composed of 12.5 billion pixels installed on an area of around 10 m<sup>2</sup>.<sup> </sup>These pixels have been specifically developed to cope with a higher collision rate and to reach a fine granularity. The chips thus incorporate both the pixel sensor and the read-out system, enabling the mass of the detector to be reduced by a factor of four compared with its predecessor. Reducing the mass allows for improved precision and efficiency when reconstructing particle trajectories.  </p>
-
-<p>The construction of all the mechanical structures was completed last year. The various pieces of the detector have arrived at CERN, and the CERN teams are now starting to assemble them in two half-barrel structures. The fact that the detector components were available quickly has made it possible to begin the commissioning process. The final installation of the detector in the experimental cavern is planned for next summer. </p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.623', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (42, 'proncero', 'How to build beautiful CERN websites ', '<span>How to build beautiful CERN websites </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Kate Kahle</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Tue, 11/05/2019 - 14:19</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>One year on from<a href="https://home.cern/news/news/cern/welcome-new-cern-website"> launching</a> the new home.cern website, the CERN online landscape has begun to change. Now, more than 600 websites are in production or development using the main open-source content management system supported at CERN: Drupal 8 (D8). Some of these websites have been highlighted in a <a class="bulletin" href="https://drupal-showcase.web.cern.ch/">new Drupal showcase website</a> to give examples of what is possible with the new CERN D8 theme.</p>
-
-<p>Last year, when D8 was launched at CERN, it was accompanied by a <a class="bulletin" href="https://webtools.web.cern.ch/">webtools website</a> to help guide new users. The webtools took on board user feedback and requirements from the last six years of using Drupal 7 at CERN, and continue to be regularly enhanced and improved. Alongside the <a href="https://lms.cern.ch/ekp/servlet/ekp?TX=UNIVERSALSEARCH&INIT=N&ACTION=SEARCH&KEYW=drupal&universal-search-advanced-selector-dropdown=0&SEARCH=">Drupal 8 CERN training courses</a>, these webtools help those embarking on new websites, or migrating their existing websites to Drupal 8. In addition, a <a class="bulletin" href="https://easy-start.web.cern.ch/">new easy-start template</a> is now available to help those unfamiliar with the technology to enter content into a pre-existing template. When <a href="https://webservices.web.cern.ch/webservices/Services/CreateNewSite/Default.aspx">creating a new CERN website</a>, there is now the choice of the easy-start, demo or blank Drupal 8 templates.</p>
-
-<p>By mid-2020, Drupal 7 will no longer be supported at CERN, so website owners will either need to move their websites to Drupal 8 or explore alternatives. To help them with this task, each Drupal 7 website owner was contacted earlier this year with proposals of either moving to Drupal 8 or to alternative technologies.</p>
-
-<p>For those remaining on Drupal, the <a href="https://drupal-community.web.cern.ch/">Drupal community</a>, supported by the IR web team and IT Drupal infrastructure team, uses an online forum and face-to-face meetings every two weeks to help answer queries, alongside twice-yearly official meetings.</p>
-
-<p>If you would like to join the Drupal community to find out the latest news and improvements, <a class="bulletin" href="https://e-groups.cern.ch/e-groups/EgroupsSubscription.do?egroupName=drupal-community">subscribe here</a>.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.623', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (41, 'proncero', 'LS2 Report: LHCb looks to the future with SciFi detector', '<span>LS2 Report: LHCb looks to the future with SciFi detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Achintya Rao</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Tue, 11/12/2019 - 08:53</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2701306" data-filename="201911-373_04" id="CERN-PHOTO-201911-373-4"><a href="//cds.cern.ch/images/CERN-PHOTO-201911-373-4" title="View on CDS">
-          <img alt="LHCb''s new scintillating-fibre (SciFi) tracker" src="//cds.cern.ch/images/CERN-PHOTO-201911-373-4/file?size=medium" /></a>
-        <figcaption>
-          The new tracker is made of over 10,000 kilometres of polystyrene-based scintillating fibres and will help LHCb record data at a higher luminosity and rate from Run 3 onwards
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the <a href="https://home.cern/science/experiments/lhcb">LHCb detector</a> at the <a href="https://home.cern/science/accelerators/large-hadron-collider">Large Hadron Collider</a>, the ongoing <a href="https://home.cern/tags/long-shutdown-2">second long shutdown (LS2)</a> of CERN’s accelerator complex will be a period of metamorphosis. After two successful data-collection runs, the detector is being upgraded to improve the precision of its physics measurements, many of which are the best in the world. There will therefore be five times more collisions every time proton bunches cross within the detector after LS2 and the LHCb collaboration plans on increasing the data-readout rate from 1 MHz to the LHC’s maximum interaction frequency of 40 MHz (or every 25 nanoseconds).</p>
-
-<p>In addition to replacing nearly all of the electronics and data-acquisition systems to handle the enormous increase in data production, LHCb is replacing its tracking detectors with new ones, such as the scintillating-fibre tracker, or SciFi. It is the first time such a large tracker, with a small granularity and high spatial resolution, has been made using this technology. The SciFi will be placed behind the dipole magnet of LHCb.</p>
-
-<p>Scintillating fibres, as the name suggests, are optical fibres – with a polystyrene base, in this case – that emit tens of photons in the blue-green wavelength when a particle interacts with them. Secondary scintillator dyes have been added to the polystyrene to amplify the light and shift it to longer wavelengths so it can reach custom-made silicon photomultipliers (SiPM) that convert optical light to electrical signals. The technology has been well tested at other high-energy-physics experiments. The fibres themselves are lightweight, they can produce and transmit light within the 25-nanosecond window and they are suitably tolerant to the ionising radiation expected in the future.</p>
-
-<p>Each scintillating fibre making up the sub-detector is 0.25 mm in diameter and nearly 2.5 m in length. The fibres will be packed into modules that will reside in three stations within LHCb, each made of four so-called “detection planes”, with the photomultipliers located at the top and bottom of each plane. “The fibres have been painstakingly examined, wound into multi-layer ribbons, assembled into detector modules and thoroughly tested,” explains Blake Leverington, who is coordinating part of the SciFi project for LHCb. “The fibres provide a single-hit precision better than 100 microns and the single-hit efficiency over the area of the detector is better than 99%.” In total, over 10 000 km of precision-made scintillating fibres will adorn LHCb.</p>
-
-<p>Unlike the other LHC detectors, LHCb is asymmetric in design and studies particles that fly very close to the beam pipe after being produced in proton–proton collisions. However, operating a sensitive detector this close to the beam pipe brings its own problems. Simulations show that radiation damage from collision debris would darken the fibres closest to the beam pipe by up to 40% over the lifetime of LHCb. This would make it harder for the produced light to be transmitted through the fibres, but the detector is expected to remain efficient despite this.</p>
-
-<p>The photomultipliers located at the top and bottom of each SciFi detection plane will be bombarded by neutrons produced in the calorimeters that sit further downstream. The radiation damage results in so-called “dark noise”, where thermally excited electrons cause the SiPMs to produce a signal that mimics the signal coming from individual photons. In addition to shielding placed between the SciFi and the calorimeters, a complex cooling system has been developed to chill the SiPMs. “Measurements have shown that the rate of dark noise can be reduced by a factor of two for every 10 °C drop in temperature,” points out Leverington. The SiPMs have been mounted on special 3D-printed titanium cold-bars that are cooled to −40 °C.</p>
-
-<p>“The project has had contributions from more than a hundred scientists, students, engineers and technicians from 17 partner institutes in 10 countries,” says Leverington. “We have worked together for seven years to bring SciFi to life.” Currently, the SciFi modules, services and electronics are being assembled and installed in the 12 mechanical frames in the assembly hall at the LHCb site at Point 8 of the LHC ring. The first SciFi components are planned to be installed in spring next year.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.591', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (43, 'proncero', 'Around the LHC in 252 days ', '<span>Around the LHC in 252 days </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Tue, 11/12/2019 - 14:26</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the teams involved in the <a href="https://home.cern/news/news/accelerators/ls2-report-insulation-lhc-diodes-has-begun">DISMAC (Diode Insulation and Superconducting Magnets Consolidation)</a> project, the LHC tour is a long adventure. On 7 November, they opened the last and 1360th LHC magnet interconnection, 252 days after having opened the first. The electrical insulation work of the magnets’ diodes is done in sequence: opening of the interconnection, cleaning, installation of the insulation, electrical and quality tests, welding, and so on. The teams work sequentially, and the diode insulation is scheduled to be completed next summer.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.572', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (44, 'proncero', 'Be seen, be safe', '<span>Be seen, be safe</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/05/2019 - 12:27</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the second year running, the HSE unit will be distributing reflective tags for CERN personnel to attach to their clothing or bags in order to help them, or their family members, to be visible and therefore safer on the streets this winter.</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-129-2"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2" title="View on CDS"><img alt="home.cern" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2/file?size=large" /></a>
-<figcaption><span>(Image: CERN)</span></figcaption></figure><p>They may be small, but these tags make a real difference to how easy it is for pedestrians to be seen by motorists – take a look at the short film that will be running on the information screens in the restaurants over the next few weeks.</p>
-
-<p>Some of you may remember last year’s distribution. This year’s tags are similar, but we’ve customised them a little. Come along to find out how, and to collect your free reflectors, at Restaurants 1, 2 and 3 at lunchtime on 14 November.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.643', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (45, 'proncero', 'Beamline for Schools 2019 participants present results', '<span>Beamline for Schools 2019 participants present results</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Joseph Piergrossi</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/34" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">achintya</span></span>
-<span>Fri, 11/08/2019 - 13:58</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2698994" data-filename="H61A9329" id="OPEN-PHO-MISC-2019-016-4"><a href="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4" title="View on CDS">
-          <img alt="Beamline for Schools 2019" src="//cds.cern.ch/images/OPEN-PHO-MISC-2019-016-4/file?size=medium" /></a>
-        <figcaption>
-          The two winning teams from the 2019 Beamline for Schools competition – DESY Chain from Salt Lake City, Utah, USA and Particle Peers from Groningen, Netherlands – work on their projects at DESY Hamburg.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Monday, 28 October, marked the completion of data collection for the 2019 <a href="https://beamlineforschools.cern/">Beamline for Schools (BL4S)</a> winning teams on the Hamburg campus of the German physics research centre <a href="http://www.desy.de/index_eng.html">DESY</a>. Two teams – from Salt Lake City, Utah, in the USA and Groningen in the Netherlands – won the CERN-organised international competition, wherein high-school students propose their own particle physics experiments and perform them if they win.</p>
-
-<p>The teams <a href="https://home.cern/news/press-release/cern/dutch-and-us-students-win-2019-cern-beamline-schools-competition">“DESY Chain” from the USA and “Particle Peers” from the Netherlands</a> also presented their preliminary results last Monday. DESY Chain experimented with scintillator sensitivity using electrons and positrons. “In our data, we’re definitely seeing interesting energy losses in the scintillators,” says Charles Bonkowsky, a member of the DESY Chain team. “It’s going to take a little bit of time to put it all together and see what the energy loss is, and see how it corresponds to the rest of the data.”</p>
-
-<p>Particle Peers investigated differences in particle showers between matter and antimatter. “We didn’t expect to have such big datasets, and so many different datasets,” said Isabelle Koster from Particle Peers. “That was a real bonus. We did everything we wanted to do. And we made so many friends along the way!”</p>
-
-<p>The two teams collaborated closely during their experiment runs, sharing materials and data-processing techniques. Both teams aim to publish their results.</p>
-
-<p>“Knowing how you can come from thinking about an experiment to actually performing it – what detectors to use, what kind of set-up to have – was really helpful,” says Frederiek de Bruine from Particle Peers.</p>
-
-<p>“We have all this data we have to process, but it’s sad that our data-collection journey at DESY has come to an end,” says Derek Che from DESY Chain. “It was an amazing experience. I made new friends and experienced things that will definitely shape my future.”</p>
-
-<p>The two Beamline for Schools winning teams had been selected from 178 entries, and the organisers are hoping for an even stronger showing for next year. Although the DESY and CERN scientists and staff who supported the students are sad to see them go home, they are now gearing up for next year’s competition. In 2020, CERN will once again invite DESY-Hamburg to host two of the winning teams, and discussions are under way to invite a third winning team to a different laboratory in Europe.</p>
-
-<p>Want to join? Preregistration for BL4S 2020 is <a class="bulletin" href="https://beamlineforschools.cern/bl4s-competition/how-take-part">just a click away</a>.</p>
-
-<hr /><p>More photos <a class="bulletin" href="https://cds.cern.ch/record/2698994">on CDS</a></p>
-
-<p><iframe allowfullscreen="" frameborder="0" height="360" scrolling="no" src="https://cds.cern.ch/images/OPEN-PHO-MISC-2019-016/export?format=sspp&ln=en&captions=true" width="480"></iframe></p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.572', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (46, 'proncero', 'Aligning the HL-LHC magnets with interferometry', '<span>Aligning the HL-LHC magnets with interferometry</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Anaïs Schaeffer</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/12/2019 - 09:35</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>CERN surveyors have just finalised a system that can determine, in real time, the position of certain components inside the (sealed) cryostats of the future <a href="https://home.cern/science/accelerators/high-luminosity-lhc">High-Luminosity LHC</a> (HL-LHC). Currently, only the position of the cryostats themselves can be measured, using sensors that perform continuous measurements. “This new system has been specially developed for the HL-LHC, to be able directly to determine the position of cold masses at the level of the inner triplets, located on either side of the ATLAS and CMS experiments, and the position of the crab cavities inside their cryostat,” says Hélène Mainaud Durand, in charge of alignment in the High-Luminosity LHC upgrade. “It will be a real plus to be able to monitor the alignment of these components continuously, especially during the accelerator’s cycles of heating and cooling.”</p>
-
-<p>The new procedure is based on frequency sweeping interferometry (FSI), a distance-measurement method that simultaneously performs several absolute distance measurements between a measuring head and targets, and relates them to a common benchmark measurement. “Thanks to this technique, it will be possible to deduce the position of the cold mass to within a few micrometres relative to the cryostat by making 12 distance measurements between the cryostat and the cold mass,” says Mainaud Durand. Each cold mass will therefore be equipped with 12 targets, which are reflective glass spheres that have been specially designed for this procedure. Opposite the targets are 12 laser heads, which are attached to the cryostat and connected by optical fibres to a laser acquisition system.</p>
-
-<p>Even though FSI is commonly used in metrology, adapting it for use in a cryogenic environment has not been completely straightforward: “We have had to overcome several challenges posed by the extreme conditions inside the accelerators,” says Mateusz Sosin, the mechatronic engineer in charge of this development. “The first problem became apparent during a test carried out at the cryogenic temperature of 1.9 K (–271.3 °C) on one of the LHC dipoles fitted with the system. At this temperature, the cold masses contract and lose up to 12 mm, taking our interferometry targets with them, meaning the targets are no longer aligned with the laser heads.” To get around the problem, a divergent, or conical, laser beam has been developed, such that the source remains “in the spotlight” despite the movements caused by contraction and expansion.</p>
-
-<p>The second problem is caused by condensation. At 1.9 K, the targets are covered by a fine layer of frost caused by the condensation of residual gases, which make them impervious to the laser beams. “Following the advice of our colleagues in the cryostat section, we decided to use the thermal radiation emitted by the vacuum vessel to heat up the targets,” explains Mateusz Sosin. “The radiation is ‘absorbed’ by an aluminium plate located under the target, keeping it at just the right temperature to avoid condensation. The plate is attached to an epoxy insulating support, which is in turn attached to the cold mass.”</p>
-
-<p>Several tests have already been carried out, including on <a href="https://home.cern/news/news/engineering/crabs-settled-tunnel">a crab cavity prototype installed in the SPS</a>, as well as on an LHC dipole. The final tests, currently in progress, look very promising, and surveyors from other laboratories, notably DESY and Fermilab, have already shown great interest.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:21:33.59', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (52, 'proncero', 'Around the LHC in 252 days ', '<span>Around the LHC in 252 days </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Tue, 11/12/2019 - 14:26</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the teams involved in the <a href="https://home.cern/news/news/accelerators/ls2-report-insulation-lhc-diodes-has-begun">DISMAC (Diode Insulation and Superconducting Magnets Consolidation)</a> project, the LHC tour is a long adventure. On 7 November, they opened the last and 1360th LHC magnet interconnection, 252 days after having opened the first. The electrical insulation work of the magnets’ diodes is done in sequence: opening of the interconnection, cleaning, installation of the insulation, electrical and quality tests, welding, and so on. The teams work sequentially, and the diode insulation is scheduled to be completed next summer.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.966', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (53, 'proncero', 'LHCf gears up to probe birth of cosmic-ray showers', '<span>LHCf gears up to probe birth of cosmic-ray showers</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Ana Lopes</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Fri, 11/08/2019 - 13:48</span>
-
-            <div class="field field--name-field-p-news-display-list-cds field--type-cerncdsmedia field--label-hidden field--item"><figure class="cds-image" data-record-id="2699736" data-filename="LHCf_Arm2_during_installation_02%20copy%202" id="CERN-HOMEWEB-PHO-2019-131-1"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1" title="View on CDS">
-          <img alt="One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe." src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-131-1/file?size=medium" /></a>
-        <figcaption>
-          One of the LHCf experiment''s two detectors, LHCf Arm2, seen here during installation into a particle absorber that surrounds the LHC''s beam pipe.
-          <span> (Image: CERN)</span>
-        </figcaption></figure></div>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Cosmic rays are particles from outer space, typically protons, travelling at almost the speed of light. When the most energetic of these particles strike the atmosphere of our planet, they interact with atomic nuclei in the atmosphere and produce cascades of secondary particles that shower down to the Earth’s surface. These extensive air showers, as they are known, are similar to the cascades of particles that are created in collisions inside particle colliders such as CERN’s Large Hadron Collider (LHC). In the next LHC, run starting in 2021, the smallest of the LHC experiments – the <a href="https://home.cern/science/experiments/lhcf">LHCf experiment</a> – is set to probe the first interaction that triggers these cosmic showers.</p>
-
-<p>Observations of extensive air showers are generally interpreted using computer simulations that involve a model of how cosmic rays interact with atomic nuclei in the atmosphere. But different models exist and it’s unclear which one is the most appropriate. The LHCf experiment is in an ideal position to test these models and help shed light on cosmic-ray interactions.</p>
-
-<p>In contrast to the main LHC experiments, which measure particles emitted at large angles from the collision line, the LHCf experiment measures particles that fly out in the “forward” direction, that is, at small angles from the collision line. These particles, which carry a large portion of the collision energy, can be used to probe the small angles and high energies at which the predictions from the different models don’t match.</p>
-
-<p>Using data from proton–proton LHC collisions at an energy of 13 TeV, LHCf has recently measured how the number of forward <a href="https://www.sciencedirect.com/science/article/pii/S0370269317310365?via%3Dihub">photons</a> and <a href="https://link.springer.com/article/10.1007%2FJHEP11%282018%29073">neutrons</a> varies with particle energy at previously unexplored high energies. These measurements agree better with some models than others, and they are being factored in by modellers of extensive air showers.</p>
-
-<p>In the next LHC run, LHCf should extend the range of particle energies probed, due to the planned higher collision energy. In addition, and thanks to ongoing upgrade work, the experiment should also increase the number and type of particles that are detected and studied.</p>
-
-<p>What’s more, the experiment plans to measure forward particles emitted from collisions of protons with light ions, most likely oxygen ions. The first interactions that trigger extensive air showers in the atmosphere involve mainly light atomic nuclei such as oxygen and nitrogen. LHCf could therefore probe such an interaction in the next run, casting new light on cosmic-ray interaction models at high energies.</p>
-
-<p>Find out more in the <a href="https://ep-news.web.cern.ch/content/lhcf-sheds-light-hadronic-interaction-models">Experimental Physics newsletter article</a>.</p>
-
-<p> </p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.967', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (54, 'proncero', 'How to build beautiful CERN websites ', '<span>How to build beautiful CERN websites </span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Kate Kahle</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/40" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">katebrad</span></span>
-<span>Tue, 11/05/2019 - 14:19</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>One year on from<a href="https://home.cern/news/news/cern/welcome-new-cern-website"> launching</a> the new home.cern website, the CERN online landscape has begun to change. Now, more than 600 websites are in production or development using the main open-source content management system supported at CERN: Drupal 8 (D8). Some of these websites have been highlighted in a <a class="bulletin" href="https://drupal-showcase.web.cern.ch/">new Drupal showcase website</a> to give examples of what is possible with the new CERN D8 theme.</p>
-
-<p>Last year, when D8 was launched at CERN, it was accompanied by a <a class="bulletin" href="https://webtools.web.cern.ch/">webtools website</a> to help guide new users. The webtools took on board user feedback and requirements from the last six years of using Drupal 7 at CERN, and continue to be regularly enhanced and improved. Alongside the <a href="https://lms.cern.ch/ekp/servlet/ekp?TX=UNIVERSALSEARCH&INIT=N&ACTION=SEARCH&KEYW=drupal&universal-search-advanced-selector-dropdown=0&SEARCH=">Drupal 8 CERN training courses</a>, these webtools help those embarking on new websites, or migrating their existing websites to Drupal 8. In addition, a <a class="bulletin" href="https://easy-start.web.cern.ch/">new easy-start template</a> is now available to help those unfamiliar with the technology to enter content into a pre-existing template. When <a href="https://webservices.web.cern.ch/webservices/Services/CreateNewSite/Default.aspx">creating a new CERN website</a>, there is now the choice of the easy-start, demo or blank Drupal 8 templates.</p>
-
-<p>By mid-2020, Drupal 7 will no longer be supported at CERN, so website owners will either need to move their websites to Drupal 8 or explore alternatives. To help them with this task, each Drupal 7 website owner was contacted earlier this year with proposals of either moving to Drupal 8 or to alternative technologies.</p>
-
-<p>For those remaining on Drupal, the <a href="https://drupal-community.web.cern.ch/">Drupal community</a>, supported by the IR web team and IT Drupal infrastructure team, uses an online forum and face-to-face meetings every two weeks to help answer queries, alongside twice-yearly official meetings.</p>
-
-<p>If you would like to join the Drupal community to find out the latest news and improvements, <a class="bulletin" href="https://e-groups.cern.ch/e-groups/EgroupsSubscription.do?egroupName=drupal-community">subscribe here</a>.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.971', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (55, 'proncero', 'Probing dark matter using antimatter', '<span>Probing dark matter using antimatter</span>
-<span><span lang="" about="https://home.cern/user/159" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">abelchio</span></span>
-<span>Tue, 11/12/2019 - 10:11</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p><a href="https://home.cern/science/physics/dark-matter">Dark matter</a> and the <a href="https://home.cern/science/physics/matter-antimatter-asymmetry-problem">imbalance between matter and antimatter</a> are two of the biggest mysteries of the universe. Astronomical observations tell us that dark matter makes up most of the matter in the cosmos but we do not know what it is made of. On the other hand, theories of the early universe predict that both antimatter and matter should have been produced in equal amounts, yet for some reason matter prevailed. Could there be a relation between this matter–antimatter asymmetry and dark matter?</p>
-
-<p>In a <a href="https://www.nature.com/articles/s41586-019-1727-9">paper</a> published today in the journal Nature, the <a href="https://home.cern/science/experiments/base">BASE </a>collaboration reports the first laboratory search for an interaction between antimatter and a dark-matter candidate, the hypothetical axion. A possible interaction would not only establish the origin of dark matter, but would also revolutionise long-established certainties about the symmetry properties of nature. Working at <a href="http://visit.cern/ad">CERN’s antimatter factory</a>, the BASE team obtained the first laboratory-based limits on the existence of dark-matter axions, assuming that they prefer to interact with antimatter rather than with matter.</p>
-
-<p>Axions were originally introduced to explain the symmetry properties of the strong force, which binds quarks into protons and neutrons, and protons and neutrons into nuclei. Their existence is also predicted by many theories beyond the <a href="https://home.cern/science/physics/standard-model">Standard Model</a>, notably superstring theories. They would be light and interact very weakly with other particles. Being stable, axions produced during the Big Bang would still be present throughout the universe, possibly accounting for observed dark matter. The so-called wave–particle duality of quantum mechanics would cause the dark-matter axion’s field to oscillate, at a frequency proportional to the axion’s mass. This oscillation would vary the intensity of this field’s interactions with matter and antimatter in the laboratory, inducing periodic variations in their properties.</p>
-
-<p>Laboratory experiments made with ordinary matter have so far shown no evidence of these oscillations, setting stringent limits on the existence of cosmic axions. The established laws of physics predict that axions interact in the same way with protons and antiprotons (the antiparticles of protons), but it is the role of experiments to challenge such wisdom, in this particular case by directly probing the existence of dark-matter axions using antiprotons.</p>
-
-<p>In their study, the BASE researchers searched for the oscillations in the rotational motion of the antiproton’s magnetic moment or “spin” – think of the wobbling motion of a spinning top just before it stops spinning; it spins around its rotational axis and “precesses” around a vertical axis. An unexpectedly large axion–antiproton interaction strength would lead to variations in the frequency of this precession.</p>
-
-<p>To look for the oscillations, the researchers first took antiprotons from CERN’s antimatter factory, the only place in the world where antiprotons are created on a daily basis. They then confined them in a device called a Penning trap to avoid their coming into contact with ordinary matter and annihilating. Next, they fed a single antiproton into a high-precision multi-Penning trap to measure and flip its spin state. By performing these measurements almost a thousand times over the course of about three months, they were able to determine a time-averaged frequency of the antiproton’s precession of around 80 megahertz with an uncertainty of 120 millihertz. By looking for regular time variations of the individual measurements over their three-month-long experimental campaign, they were able to probe any possible axion–antiproton interaction for many values of the axion mass.</p>
-
-<p>The BASE researchers were not able to detect any such variations in their measurements that would reveal a possible axion–antiproton interaction. However, the lack of this signal allowed them to put lower limits on the axion–antiproton interaction strength for a range of possible axion masses. These laboratory-based limits range from 0.1 GeV to 0.6 GeV depending on the assumed axion mass. For comparison, the most precise matter-based experiments achieve much more stringent limits, between about 10 000 and 1 000 000 GeV. This shows that today’s experimental sensitivity would require a major violation of established symmetry properties in order to reveal a possible signal.</p>
-
-<p>If axions were not a dominant component of dark matter, they could nevertheless be directly produced during the collapse and explosion of stars as supernovae, and limits on their interaction strength with protons or antiprotons could be extracted by examining the evolution of such stellar explosions. The observation of the explosion of the famous supernova SN1987A, however, set constraints on the axion–antiproton interaction strength that are about 100 000 times weaker than those obtained by BASE.</p>
-
-<p>The new measurements by the BASE collaboration, which teamed up with researchers from the Helmholtz Institute Mainz for this study, provide a novel way to probe dark matter and its possible interaction with antimatter. While relying on specific assumptions about the nature of dark matter and on the pattern of the matter–antimatter asymmetry, the experiment’s results are a unique probe of unexpected new phenomena, which could unveil extraordinary modifications to our established understanding of how the universe works.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.971', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (56, 'proncero', 'ALICE: the journey of a cosmopolitan detector', '<span>ALICE: the journey of a cosmopolitan detector</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Camille Monnin</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/7476" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">camonnin</span></span>
-<span>Thu, 10/31/2019 - 10:04</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>Passengers aboard United flights 577 and 956 from San Francisco to Geneva, via Newark, were in for a surprise when they discovered their discreet, yet unusual, travel companion: one of the airplane seats was occupied not by a human, but by a piece of a detector. Since it was too fragile to be placed in the hold, the part had its own passenger seat, next to that of its guardian angel, a researcher at the Lawrence Berkeley National Laboratory (LBNL). The part is <a href="https://newscenter.lbl.gov/2019/09/19/how-to-get-a-particle-detector-on-a-plane/">one of the pieces</a> of the ALICE experiment’s new inner detector that have made their way across the globe to reach CERN. Thirty-five institutes from all over the world are involved in the construction, testing and prototyping of the various parts of the new detector called ALICE’s <a href="https://ep-news.web.cern.ch/content/alice-its-upgrade-pixels-quarks">Inner Tracking System</a>. </p>
-
-<p>ALICE (A Large Ion Collider Experiment) is one of the four main experiments at the Large Hadron Collider (LHC). The experiment studies matter as it was just after the Big Bang, when the components of atomic nuclei were not bound together. </p>
-
-<p>With the increase in instantaneous luminosity of heavy-ion collisions planned for the CERN accelerators’ third run, the ALICE detector will boost its read-out rate. This increase in the read-out rate, combined with an online data reconstruction system, means that ALICE will be able to collect 100 times more events than before.  </p>
-
-<p>In order to achieve the <a href="https://cerncourier.com/a/alice-revitalised/">desired physics goals</a>, numerous upgrades are being carried out during the current Long Shutdown. One of the worksites concerns the Inner Tracking System, which surrounds the beam pipe. This detector reconstructs the tracks of charged particles and its measurement precision is crucial for physics analyses. The upgrade will therefore result in improved precision, especially in the detection of short-lived particles. </p>
-
-<p>The current inner tracker will be replaced by a system of seven all-pixel cylindrical layers. The previous system had six layers, of which only the two innermost layers were made up of pixels, while the four external layers were composed of silicon sensors with a much lower granularity. The new Inner Tracking System will be composed of 12.5 billion pixels installed on an area of around 10 m<sup>2</sup>.<sup> </sup>These pixels have been specifically developed to cope with a higher collision rate and to reach a fine granularity. The chips thus incorporate both the pixel sensor and the read-out system, enabling the mass of the detector to be reduced by a factor of four compared with its predecessor. Reducing the mass allows for improved precision and efficiency when reconstructing particle trajectories.  </p>
-
-<p>The construction of all the mechanical structures was completed last year. The various pieces of the detector have arrived at CERN, and the CERN teams are now starting to assemble them in two half-barrel structures. The fact that the detector components were available quickly has made it possible to begin the commissioning process. The final installation of the detector in the experimental cavern is planned for next summer. </p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.975', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (57, 'proncero', 'Be seen, be safe', '<span>Be seen, be safe</span>
-<span><span lang="" about="https://home.cern/user/151" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">anschaef</span></span>
-<span>Tue, 11/05/2019 - 12:27</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>For the second year running, the HSE unit will be distributing reflective tags for CERN personnel to attach to their clothing or bags in order to help them, or their family members, to be visible and therefore safer on the streets this winter.</p>
-
-<figure class="cds-image" id="CERN-HOMEWEB-PHO-2019-129-2"><a href="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2" title="View on CDS"><img alt="home.cern" src="//cds.cern.ch/images/CERN-HOMEWEB-PHO-2019-129-2/file?size=large" /></a>
-<figcaption><span>(Image: CERN)</span></figcaption></figure><p>They may be small, but these tags make a real difference to how easy it is for pedestrians to be seen by motorists – take a look at the short film that will be running on the information screens in the restaurants over the next few weeks.</p>
-
-<p>Some of you may remember last year’s distribution. This year’s tags are similar, but we’ve customised them a little. Come along to find out how, and to collect your free reflectors, at Restaurants 1, 2 and 3 at lunchtime on 14 November.</p>
-</div>
-      ', true, NULL, '2019-11-15 11:30:30.975', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (58, 'bsilvade', 'Password of account "Push Service Mailbox (push)" will expire in 5 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 5 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 5 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-17 00:00:55.625', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (59, 'push', 'Password of account "Push Service Mailbox (push)" will expire in 5 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 5 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 5 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-17 00:00:55.625', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (61, 'push', 'Password of account "Push Service Mailbox (push)" will expire in 3 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 3 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 3 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-19 00:00:40.917', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (62, 'bsilvade', 'Password of account "Push Service Mailbox (push)" will expire in 1 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 1 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 1 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-21 00:00:39.458', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (63, 'push', 'Password of account "Push Service Mailbox (push)" will expire in 1 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 1 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 1 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-21 00:00:39.46', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (64, 'proncero', 'LS2 report: The PS is rejuvenated for its 60th birthday', '<span>LS2 report: The PS is rejuvenated for its 60th birthday</span>
-
-      <div class="field field--name-field-p-news-display-byline field--type-entity-reference field--label-hidden field--items">
-              <div class="field--item">Corinne Pralavorio</div>
-          </div>
-  <span><span lang="" about="https://home.cern/user/146" typeof="schema:Person" property="schema:name" datatype="" xml:lang="">cmenard</span></span>
-<span>Mon, 11/25/2019 - 15:36</span>
-
-            <div class="field field--name-field-p-news-display-body field--type-text-long field--label-hidden field--item"><p>On 24 November 1959, the Proton Synchotron (PS) accelerated its first beams, making it the most powerful accelerator in the world at the time. Who would have thought that 60 years later, this machine would still be one of the main cogs in the CERN accelerator complex? Incredibly, the PS is still in service. It will even be made more efficient with a bit of tender loving care during this second long shutdown. The <a href="https://home.cern/fr/news/opinion/accelerators/time-lhc-injectors-upgrade-project">LHC Injectors Upgrade (LIU) project</a> includes a long list of <a href="https://home.cern/fr/news/news/accelerators/ls2-report-proton-synchrotrons-magnets-prepare-higher-energies">work to be carried out on the accelerator and its entire infrastructure</a>.</p>
-
-<p>With the first link in the chain of accelerators being replaced by <a href="https://home.cern/fr/news/news/accelerators/brand-new-linear-accelerator-cern">Linac 4</a>, protons will be injected into the PS Booster at 160 MeV, and then accelerated to 2 GeV (up from 1.4 GeV previously) before being sent to the PS.  This is why the PS proton injection line, which is about 20 metres in length, will be entirely replaced. To date, the quadrupole magnets have been installed together with a septum magnet.  The equipment will continue to be installed in 2020. The power converters which power the injection line, as well as other LIU equipment, have been replaced and installed in renovated buildings. The cabling is now underway.</p>
-
-<p>In the 628-metre-long accelerator, half of the main magnets are being renovated. This major project, which entails lengthy handling operations, will soon be finished. “48 of the 100 magnets have been removed and a vast majority have already been reinstalled”, explains Fernando Pedrosa. New equipment such as <a href="https://home.cern/fr/news/news/accelerators/keeping-close-watch-over-beams">beam wire scanners</a> and internal beam dumps will also be installed in the ring. The teams have used the upgrade works as an opportunity to give the accelerator a deep clean, including the cleaning of certain galleries. The cleaning work, as well as the <a href="https://home.cern/fr/news/news/accelerators/ls2-report-linac4-knocking-door-ps-booster">ongoing Linac 4 tests</a>, require part of the PS to be closed making the work more complex to coordinate.  Downstream, the extraction line towards the East Area has been entirely dismantled ahead of the new installation in 2020, as part of the <a href="https://home.cern/fr/news/news/accelerators/ls2-report-east-area-version-20">East Experiment Area renovation project</a>.</p>
-
-<p>In addition to the beam lines, the entire infrastructure is also being renovated. The lighting system has been changed, for example, and major work is being carried out on the cooling system. High luminosity requires more intense beams which entails several changes including increased power for the circuits’ cooling plants. “We have reorganized the entire cooling system to double the flow while also reducing running costs”, explains Serge Delaval, Section Leader for Injectors within the Cooling and Ventilation Group. The two plants that use short cooling towers will therefore be replaced with one central plant, which uses a single cooling tower composed of four units. Two of these units were no longer in use and have been fully upgraded.</p>
-
-<p>At the same time, all the pumps and heat exchangers have been replaced, together with three kilometres of pipes! “We have used this consolidation as an opportunity to reduce the environmental impact, particularly regarding the products used to prevent Legionnaire’s disease”, says Serge Delaval. Stainless steel has therefore been chosen over steel as it requires much less anti-corrosion treatment. Similarly, demineralised water will also be used for some circuits.</p>
-
-<p>Work on the cooling system will continue until March and the accelerator upgrade is slated to be finished at the start of next summer.</p>
-</div>
-      ', true, NULL, '2019-11-25 14:37:21.6', 'test-con-dani', NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-INSERT INTO push_test."Notifications" VALUES (60, 'bsilvade', 'Password of account "Push Service Mailbox (push)" will expire in 3 day(s)', '                         Version francaise en fin de ce message
-Password Expiration
-Dear Push Service Mailbox,
-
-The password of the account "Push Service Mailbox (push)" will expire in 3 day(s).
-Actions Required
-
-  *   Please change the password before that date on the Account Management Portal ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   Access to the central services such as Mail, Admin Services (like EDH), Windows, Linux and AFS will stop working after that date if you do not change your password.
-
-Get Help
-
-  *   In the event of any questions or problems, please contact the Service Desk (phone +41 22 76 77777 or service-desk@cern.ch)
-  *   Note: Please do not reply to this message which is generated by a robot, you will not get any answer.
-
-Best regards,
-CERN IT Department.
-
-Expiration du mot de passe
-Cher/Chère Push Service Mailbox,
-
-Le mot de passe du compte "Push Service Mailbox (push)" va expirer dans 3 jour(s).
-Actions requises
-
-  *   Veuillez changer le mot de passe avant cette date sur le portail Account Management ( https://account.cern.ch/account/CERNAccount/ChangePassword.aspx?login=push ).
-
-Information
-
-  *   L''accès aux services centraux comme le Mail, les services administratifs (comme EDH), Windows, Linux et AFS ne fonctionnera plus après cette date si vous ne changez pas votre mot de passe.
-
-Obtenir de l''aide
-
-  *   En cas de questions ou de problèmes, merci de contacter le Service Desk (téléphone +41 22 76 77777 ou service-desk@cern.ch<mailto:service-desk@cern.ch>)
-  *   Merci de ne pas répondre à ce message, qui a été généré par un robot: vous n'' obtiendrez pas de réponse.
-
-Cordialement,
-CERN Département IT
-', true, NULL, '2019-11-19 00:00:40.916', NULL, NULL, NULL, NULL, NULL, NULL, 'NORMAL');
-
-
---
--- Data for Name: Rules; Type: TABLE DATA; Schema: push_test; Owner: admin
---
-
-INSERT INTO push_test."Rules" VALUES (1, 'All as push', 'PUSH', 'AllByEmailOrPush', NULL, 'proncero');
-
-
---
--- Data for Name: Services; Type: TABLE DATA; Schema: push_test; Owner: admin
---
-
-INSERT INTO push_test."Services" VALUES ('test-con-dani', 'Push Notifications Service', 'push-notifications@cern.ch');
-
-
---
--- Data for Name: UserNotifications; Type: TABLE DATA; Schema: push_test; Owner: admin
---
-
-INSERT INTO push_test."UserNotifications" VALUES (5, true, false, false, 'proncero', 5);
-INSERT INTO push_test."UserNotifications" VALUES (6, false, false, false, 'proncero', 6);
-INSERT INTO push_test."UserNotifications" VALUES (7, false, false, false, 'proncero', 7);
-INSERT INTO push_test."UserNotifications" VALUES (9, false, false, false, 'proncero', 12);
-INSERT INTO push_test."UserNotifications" VALUES (11, false, false, false, 'proncero', 10);
-INSERT INTO push_test."UserNotifications" VALUES (12, false, false, false, 'proncero', 11);
-INSERT INTO push_test."UserNotifications" VALUES (13, false, false, false, 'proncero', 8);
-INSERT INTO push_test."UserNotifications" VALUES (14, false, false, false, 'proncero', 16);
-INSERT INTO push_test."UserNotifications" VALUES (15, false, false, false, 'proncero', 17);
-INSERT INTO push_test."UserNotifications" VALUES (16, false, false, false, 'proncero', 14);
-INSERT INTO push_test."UserNotifications" VALUES (17, false, false, false, 'proncero', 15);
-INSERT INTO push_test."UserNotifications" VALUES (8, true, false, false, 'proncero', 13);
-INSERT INTO push_test."UserNotifications" VALUES (10, true, false, false, 'proncero', 9);
-INSERT INTO push_test."UserNotifications" VALUES (18, false, false, false, 'proncero', 18);
-INSERT INTO push_test."UserNotifications" VALUES (19, false, false, false, 'proncero', 20);
-INSERT INTO push_test."UserNotifications" VALUES (20, false, false, false, 'proncero', 24);
-INSERT INTO push_test."UserNotifications" VALUES (21, false, false, false, 'proncero', 21);
-INSERT INTO push_test."UserNotifications" VALUES (22, false, false, false, 'proncero', 23);
-INSERT INTO push_test."UserNotifications" VALUES (23, false, false, false, 'proncero', 22);
-INSERT INTO push_test."UserNotifications" VALUES (24, false, false, false, 'proncero', 19);
-INSERT INTO push_test."UserNotifications" VALUES (25, false, false, false, 'proncero', 25);
-INSERT INTO push_test."UserNotifications" VALUES (26, false, false, false, 'proncero', 26);
-INSERT INTO push_test."UserNotifications" VALUES (27, false, false, false, 'proncero', 27);
-INSERT INTO push_test."UserNotifications" VALUES (28, false, false, false, 'proncero', 28);
-INSERT INTO push_test."UserNotifications" VALUES (29, false, false, false, 'proncero', 29);
-INSERT INTO push_test."UserNotifications" VALUES (30, false, false, false, 'proncero', 30);
-INSERT INTO push_test."UserNotifications" VALUES (31, false, false, false, 'proncero', 31);
-INSERT INTO push_test."UserNotifications" VALUES (32, false, false, false, 'proncero', 32);
-INSERT INTO push_test."UserNotifications" VALUES (33, false, false, false, 'proncero', 33);
-INSERT INTO push_test."UserNotifications" VALUES (36, false, false, false, 'proncero', 36);
-INSERT INTO push_test."UserNotifications" VALUES (37, false, false, false, 'proncero', 37);
-INSERT INTO push_test."UserNotifications" VALUES (35, true, false, false, 'proncero', 35);
-INSERT INTO push_test."UserNotifications" VALUES (34, true, false, false, 'proncero', 34);
-INSERT INTO push_test."UserNotifications" VALUES (38, false, false, false, 'proncero', 39);
-INSERT INTO push_test."UserNotifications" VALUES (39, false, false, false, 'proncero', 40);
-INSERT INTO push_test."UserNotifications" VALUES (40, false, false, false, 'proncero', 42);
-INSERT INTO push_test."UserNotifications" VALUES (41, false, false, false, 'proncero', 41);
-INSERT INTO push_test."UserNotifications" VALUES (42, false, false, false, 'proncero', 43);
-INSERT INTO push_test."UserNotifications" VALUES (43, false, false, false, 'proncero', 38);
-INSERT INTO push_test."UserNotifications" VALUES (44, false, false, false, 'proncero', 44);
-INSERT INTO push_test."UserNotifications" VALUES (45, false, false, false, 'proncero', 45);
-INSERT INTO push_test."UserNotifications" VALUES (46, false, false, false, 'proncero', 46);
-INSERT INTO push_test."UserNotifications" VALUES (47, false, false, false, 'proncero', 47);
-INSERT INTO push_test."UserNotifications" VALUES (48, false, false, false, 'proncero', 49);
-INSERT INTO push_test."UserNotifications" VALUES (49, false, false, false, 'proncero', 48);
-INSERT INTO push_test."UserNotifications" VALUES (50, false, false, false, 'proncero', 50);
-INSERT INTO push_test."UserNotifications" VALUES (51, false, false, false, 'proncero', 51);
-INSERT INTO push_test."UserNotifications" VALUES (52, false, false, false, 'proncero', 52);
-INSERT INTO push_test."UserNotifications" VALUES (53, false, false, false, 'proncero', 53);
-INSERT INTO push_test."UserNotifications" VALUES (54, false, false, false, 'proncero', 54);
-INSERT INTO push_test."UserNotifications" VALUES (55, false, false, false, 'proncero', 55);
-INSERT INTO push_test."UserNotifications" VALUES (56, false, false, false, 'proncero', 56);
-INSERT INTO push_test."UserNotifications" VALUES (57, false, false, false, 'proncero', 57);
-INSERT INTO push_test."UserNotifications" VALUES (58, false, false, false, 'proncero', 64);
-
-
---
--- Data for Name: Users; Type: TABLE DATA; Schema: push_test; Owner: admin
---
-
-INSERT INTO push_test."Users" VALUES ('ischuszt', 'cristian.schuszter@cern.ch', 'ey3laSIABxA:APA91bFlSGKhqYNmPmQYGhrgmsWd9zU7mBmL_I3UrN2d7QCvzQF0-7kxifxYT1oTWFIIdymh9J-21DfMuMli3A5rySDSdedCPymmJn94O2Q0F11ociSZzMK6I4iSK6If3-O-vOIq0BqL', true);
-INSERT INTO push_test."Users" VALUES ('lolopez', 'lorys.lopez@cern.ch', 'ciPyjjOuHuE:APA91bFFhwXun7PODaf6DJaxab6rc3hj-CPaVwHxcypkLciZdD6-EN5wylBDphREYDEgsvphJnRoYn9s9u_qcb8Uf9HdU9-27-4itO90icF42oc_cGpLJy4ok7WkIKk3pVDHZzfVLXBq', true);
-INSERT INTO push_test."Users" VALUES ('proncero', 'pablo.roncero.fernandez@cern.ch', 'cx6RfRePvYs:APA91bH2IEgHD2DoEKAiAHSLO9bMmGSbEU3Vh86UwmvLINQ6bhuG1BMg5ffutIrwAZxhqld146fCaVtl0S1tnstSa0UgyfvIhu-k7p_1l70tr_ZHHTuRXB6pgpWC1j6HqzuooDSkOfoe,dE5-FWr1Aso:APA91bGMtSn6b9SvI_zuNt9xprKEchaatOX6kICrdgw81TI5K8WI4uPcHZJXZYVYIWkoaAdapOOmjsbgZ2wuraMrWZbzc3H8tmSFnte7lWawH3vvmn8JmAVqkRbbPzeMiVuMJcmqE8h6,fX74YVLygho:APA91bERR35zUB7ndBKhNK8JDPwMEsI0sQbp9GTBqgF4A_QT3kWnpby-f61KNJWVZFDyEGHrhGvw62abemL2_QYcYsSkbGubvLN859ywOKHF5zjqF1bg6q8xXbog61U0PXTZayt_SPQR,ebGE9WS41fg:APA91bGATMs56gFxuDB70BZpRBGjl1FSj8hYb8_xvutOTlIXMRNOY_RG-vEVpxy7gU1BkudNXnGq-_K7yg5lvRFPy-66GhDGvwSwlWaYa-7_99EtBH6jR9Y13zTZUwqWeE5TUlroyPrd', true);
-INSERT INTO push_test."Users" VALUES ('fernanre', 'rene.fernandez@cern.ch', NULL, true);
-INSERT INTO push_test."Users" VALUES ('jalcalap', 'joel.alcala.perez@cern.ch', 'ej1m9KgqUOk:APA91bHjA1wlQ_ZdSKGTGMBaTWk4ub1RoGR_zmRIn3InqkrKP9MnaRkpBn5hQTB8S9fyVYWyTVsKNUKrrQuWGMvVJaA8oY4uk26Jd-JROg9n7NN3ULwYMZGYPTQIIcs-uLkCIYfiVTs_,drANG1NP__o:APA91bG4btX3JMuhkYkjxOUw2rDCDWr-rOZyoGpfj1XY4gNGqBdwphqPvZR2DWxovKL_1MMWvjr6XGY6CBzAHAqIx8_LvYeED3t_YhWgv75EBrC1JM-PZpChMSlau2WKyg1LjNokcf56,f-y7ve-9w1w:APA91bEzviAjngGe4xfdbGB_6l8gVTIllwMWduNG1_j5NCYbCoaRApEPabxXME_uO9u8HwnIkE-SyDePLnJgMrgTDNBxOL4gL99C38r8y9_C2oqnzpFp1yGRhtgRCVMKPvOrUfZGe5fY,fuBXw1nkzZ4:APA91bGE4lH8m3dfWCgAdzD_A6gFZSBq_07HPa7zg9R7ENXOHaxvnwT7Wd8nz_32rWE6dnJ6dvdwK2qzGKfxZhk-giL_H-aCeb3cQSun83h1tc_HD5XIcJ-9PwwmR7uMcfC1p4nrLo2N,fCTqXijsji4:APA91bFh_E4Jo_ym1GWOn_HY3a2M1DCG_4015UCFNJWr2yZwhUzN5h0uqb9DF5ORaDiIc524fWyU_tNVev55T2RbYS2ttZJjq5R_plMNoox05QWuAdwB-AEpgQt9INSoS4CvEousGTp4,e-nbGO176HI:APA91bHIDNgj8nX8vyWIyfnlalapeOQEAUaouAlfiHb5Ip9-AYR_oX0Yu4XmLLwEFou0-8a03hqs2o9BgEHsyia8geYRKK5JBrq7LQMKUUGb4y5jKQVR09ndX6j_Iklitxz-D9TUfdcV,cfLOohDMo8M:APA91bG33rcF6KPrDRjCgnOZVyqaEi0fex69cHiAJCw5WQzIZc0ykXixoFCY_VaBGb5wXa-L_vazPPqR4YMd8rcVvY50-vm6EGcu1td4vcbI_XrloOBolGICMUu1fChDshLaQuqhV3-B,dNFRGEtxZhs:APA91bG7vvCtXSf-kz6JjE_di9CCAzmc-lH1RC_BFO7aBrOKHb7mbjddbZvVFR7vgf2Xu2kp72JmpUqzabx1cXV53oUMWlk_WJJGAMYApJ4jMZ5WlM3PP_clboFGByRPQFBy9njjKg4V', true);
-
-
---
--- Data for Name: Notifications; Type: TABLE DATA; Schema: test; Owner: admin
---
-
-INSERT INTO test."Notifications" VALUES (470, 'test-push', 'subject', 'body', false, NULL, NULL, 'fakeFrom');
-
-
---
--- Data for Name: Rules; Type: TABLE DATA; Schema: test; Owner: admin
---
-
-INSERT INTO test."Rules" VALUES (342, 'EMAIL', 'AllByEmailOrPushRule', NULL, NULL);
-INSERT INTO test."Rules" VALUES (343, 'PUSH', 'AllByEmailOrPushRule', NULL, NULL);
-
-
---
--- Data for Name: Services; Type: TABLE DATA; Schema: test; Owner: admin
---
-
-
-
---
--- Data for Name: Users; Type: TABLE DATA; Schema: test; Owner: admin
---
-
-INSERT INTO test."Users" VALUES (1, 'username', 'email@email.com');
-
-
---
--- Data for Name: users_notifications__notifications; Type: TABLE DATA; Schema: test; Owner: admin
---
-
-
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE SET; Schema: authorization_service; Owner: admin
---
-
-SELECT pg_catalog.setval('authorization_service."Notifications_id_seq"', 1, false);
-
-
---
--- Name: Rules_id_seq; Type: SEQUENCE SET; Schema: authorization_service; Owner: admin
---
-
-SELECT pg_catalog.setval('authorization_service."Rules_id_seq"', 1, false);
-
-
---
--- Name: Services_id_seq; Type: SEQUENCE SET; Schema: authorization_service; Owner: admin
---
-
-SELECT pg_catalog.setval('authorization_service."Services_id_seq"', 2, true);
-
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE SET; Schema: authorization_service; Owner: admin
---
-
-SELECT pg_catalog.setval('authorization_service."UserNotifications_id_seq"', 1, false);
-
-
---
--- Name: Notfications_id_seq; Type: SEQUENCE SET; Schema: public; Owner: admin
---
-
-SELECT pg_catalog.setval('public."Notfications_id_seq"', 36, true);
-
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE SET; Schema: public; Owner: admin
---
-
-SELECT pg_catalog.setval('public."Notifications_id_seq"', 4, true);
-
-
---
--- Name: Users_id_seq; Type: SEQUENCE SET; Schema: public; Owner: admin
---
-
-SELECT pg_catalog.setval('public."Users_id_seq"', 1, false);
-
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE SET; Schema: push_test; Owner: admin
---
-
-SELECT pg_catalog.setval('push_test."Notifications_id_seq"', 64, true);
-
-
---
--- Name: Rules_id_seq; Type: SEQUENCE SET; Schema: push_test; Owner: admin
---
-
-SELECT pg_catalog.setval('push_test."Rules_id_seq"', 1, true);
-
-
---
--- Name: UserNotifications_id_seq; Type: SEQUENCE SET; Schema: push_test; Owner: admin
---
-
-SELECT pg_catalog.setval('push_test."UserNotifications_id_seq"', 58, true);
-
-
---
--- Name: Notifications_id_seq; Type: SEQUENCE SET; Schema: test; Owner: admin
---
-
-SELECT pg_catalog.setval('test."Notifications_id_seq"', 470, true);
-
-
---
--- Name: Rules_id_seq; Type: SEQUENCE SET; Schema: test; Owner: admin
---
-
-SELECT pg_catalog.setval('test."Rules_id_seq"', 343, true);
-
-
---
--- Name: Services_id_seq; Type: SEQUENCE SET; Schema: test; Owner: admin
---
-
-SELECT pg_catalog.setval('test."Services_id_seq"', 509, true);
-
-
---
--- Name: Rules PK_9966a0656d39b62e1c37ef912ff; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Rules"
-    ADD CONSTRAINT "PK_9966a0656d39b62e1c37ef912ff" PRIMARY KEY (id);
-
-
---
--- Name: Notifications PK_a8a64c3cdfb69c2b84ea0dc05f9; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Notifications"
-    ADD CONSTRAINT "PK_a8a64c3cdfb69c2b84ea0dc05f9" PRIMARY KEY (id);
-
-
---
--- Name: Users PK_a8aa2427c1085e957928fdd3809; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Users"
-    ADD CONSTRAINT "PK_a8aa2427c1085e957928fdd3809" PRIMARY KEY (id);
-
-
---
--- Name: UserNotifications PK_f89dab386c80a39a17ecd1332d8; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."UserNotifications"
-    ADD CONSTRAINT "PK_f89dab386c80a39a17ecd1332d8" PRIMARY KEY (id);
-
-
---
--- Name: Services PK_fda332019de682bc8e474112b18; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Services"
-    ADD CONSTRAINT "PK_fda332019de682bc8e474112b18" PRIMARY KEY (id);
-
-
---
--- Name: Services UQ_615bf21e2614a26b3df0aa30ef9; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Services"
-    ADD CONSTRAINT "UQ_615bf21e2614a26b3df0aa30ef9" UNIQUE ("apiKey");
-
-
---
--- Name: Services UQ_f2d51af70f67c2dd86657549f26; Type: CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Services"
-    ADD CONSTRAINT "UQ_f2d51af70f67c2dd86657549f26" UNIQUE (name);
-
-
---
--- Name: Users PK_16d4f7d636df336db11d87413e3; Type: CONSTRAINT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Users"
-    ADD CONSTRAINT "PK_16d4f7d636df336db11d87413e3" PRIMARY KEY (id);
-
-
---
--- Name: Notfications PK_6463423e5cf0ee0261103566099; Type: CONSTRAINT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Notfications"
-    ADD CONSTRAINT "PK_6463423e5cf0ee0261103566099" PRIMARY KEY (id);
-
-
---
--- Name: Notifications PK_c77268afe7d3c5568da66c5bebe; Type: CONSTRAINT; Schema: public; Owner: admin
---
-
-ALTER TABLE ONLY public."Notifications"
-    ADD CONSTRAINT "PK_c77268afe7d3c5568da66c5bebe" PRIMARY KEY (id);
-
-
---
--- Name: Groups PK_1036beb1e2f958e6ffe4af0668c; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Groups"
-    ADD CONSTRAINT "PK_1036beb1e2f958e6ffe4af0668c" PRIMARY KEY (id);
-
-
---
--- Name: preferences_disabled_channels__channels PK_1d577038b06f0c7d5941e6b6d44; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_disabled_channels__channels
-    ADD CONSTRAINT "PK_1d577038b06f0c7d5941e6b6d44" PRIMARY KEY ("preferencesId", "channelsId");
-
-
---
--- Name: UserNotifications PK_25b987313e820785e36f789fce9; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserNotifications"
-    ADD CONSTRAINT "PK_25b987313e820785e36f789fce9" PRIMARY KEY (id);
-
-
---
--- Name: channels_members__users PK_44aaf4fd010be6d455f0395087d; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_members__users
-    ADD CONSTRAINT "PK_44aaf4fd010be6d455f0395087d" PRIMARY KEY ("channelsId", "usersId");
-
-
---
--- Name: Notifications PK_4b04b7cc85e5bec41a3e112ab0e; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Notifications"
-    ADD CONSTRAINT "PK_4b04b7cc85e5bec41a3e112ab0e" PRIMARY KEY (id);
-
-
---
--- Name: channels_groups__groups PK_6cfe1ace99c86f42bd1f17976ae; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_groups__groups
-    ADD CONSTRAINT "PK_6cfe1ace99c86f42bd1f17976ae" PRIMARY KEY ("channelsId", "groupsId");
-
-
---
--- Name: Channels PK_755e126393652c40d8fde456cdc; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Channels"
-    ADD CONSTRAINT "PK_755e126393652c40d8fde456cdc" PRIMARY KEY (id);
-
-
---
--- Name: channels_unsubscribed__users PK_7e89bf0cd584bb1c0452c398031; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_unsubscribed__users
-    ADD CONSTRAINT "PK_7e89bf0cd584bb1c0452c398031" PRIMARY KEY ("channelsId", "usersId");
-
-
---
--- Name: ServiceStatus PK_7ee650492deb5b5bf079b834902; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."ServiceStatus"
-    ADD CONSTRAINT "PK_7ee650492deb5b5bf079b834902" PRIMARY KEY (id);
-
-
---
--- Name: Mute PK_84acd16c21b78800e69d00c07b7; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Mute"
-    ADD CONSTRAINT "PK_84acd16c21b78800e69d00c07b7" PRIMARY KEY (id);
-
-
---
--- Name: preferences_devices__devices PK_8b74ee67a4e700ee9f9e3a05150; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_devices__devices
-    ADD CONSTRAINT "PK_8b74ee67a4e700ee9f9e3a05150" PRIMARY KEY ("preferencesId", "devicesId");
-
-
---
--- Name: Devices PK_a172be05db88c0a4be502f15c69; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Devices"
-    ADD CONSTRAINT "PK_a172be05db88c0a4be502f15c69" PRIMARY KEY (id);
-
-
---
--- Name: Users PK_a8a84fd043f7210bff4746b62a1; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Users"
-    ADD CONSTRAINT "PK_a8a84fd043f7210bff4746b62a1" PRIMARY KEY (id);
-
-
---
--- Name: Preferences PK_df9d94acb04c3ea85603c634f6b; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Preferences"
-    ADD CONSTRAINT "PK_df9d94acb04c3ea85603c634f6b" PRIMARY KEY (id);
-
-
---
--- Name: UserDailyNotifications PK_e43debb24060d5c5b6b7d0ddebf; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserDailyNotifications"
-    ADD CONSTRAINT "PK_e43debb24060d5c5b6b7d0ddebf" PRIMARY KEY ("userId", "notificationId");
-
-
---
--- Name: Services PK_f7fdeaa9c02e5506593d35a939d; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Services"
-    ADD CONSTRAINT "PK_f7fdeaa9c02e5506593d35a939d" PRIMARY KEY (id);
-
-
---
--- Name: Groups UQ_cbf00aa66f2f7ad0970f73d5ae4; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Groups"
-    ADD CONSTRAINT "UQ_cbf00aa66f2f7ad0970f73d5ae4" UNIQUE ("groupIdentifier");
-
-
---
--- Name: Services UQ_ef4d2e448dd7b00d8c261787002; Type: CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Services"
-    ADD CONSTRAINT "UQ_ef4d2e448dd7b00d8c261787002" UNIQUE (name);
-
-
---
--- Name: Services PK_166c6340639ab62ac94d78ba7f2; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Services"
-    ADD CONSTRAINT "PK_166c6340639ab62ac94d78ba7f2" PRIMARY KEY (id);
-
-
---
--- Name: UserNotifications PK_429928d0e28a02b3277c8e6f7e8; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."UserNotifications"
-    ADD CONSTRAINT "PK_429928d0e28a02b3277c8e6f7e8" PRIMARY KEY (id);
-
-
---
--- Name: Rules PK_65056b33448fdeed62bb4ac0d42; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Rules"
-    ADD CONSTRAINT "PK_65056b33448fdeed62bb4ac0d42" PRIMARY KEY (id);
-
-
---
--- Name: Users PK_a0e1b0c28e14b024f7fd85fdbfe; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Users"
-    ADD CONSTRAINT "PK_a0e1b0c28e14b024f7fd85fdbfe" PRIMARY KEY (username);
-
-
---
--- Name: Notifications PK_c305c7e954d1b2c4375911489bd; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Notifications"
-    ADD CONSTRAINT "PK_c305c7e954d1b2c4375911489bd" PRIMARY KEY (id);
-
-
---
--- Name: Services UQ_e46db72dd9e489367a9c98dbfd7; Type: CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Services"
-    ADD CONSTRAINT "UQ_e46db72dd9e489367a9c98dbfd7" UNIQUE (name);
-
-
---
--- Name: users_notifications__notifications PK_142b0d79c7e8ced138efb789357; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test.users_notifications__notifications
-    ADD CONSTRAINT "PK_142b0d79c7e8ced138efb789357" PRIMARY KEY ("usersId", "notificationsId");
-
-
---
--- Name: Services PK_7472cc1ebfd534e665360a490c2; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Services"
-    ADD CONSTRAINT "PK_7472cc1ebfd534e665360a490c2" PRIMARY KEY (id);
-
-
---
--- Name: Rules PK_b4023c95b5e08eaa991cf8b1d29; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Rules"
-    ADD CONSTRAINT "PK_b4023c95b5e08eaa991cf8b1d29" PRIMARY KEY (id);
-
-
---
--- Name: Users PK_b689c8e952c77a5c49388e7532f; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Users"
-    ADD CONSTRAINT "PK_b689c8e952c77a5c49388e7532f" PRIMARY KEY (id);
-
-
---
--- Name: Notifications PK_df985fc3cf268e7a9d9eaadb72d; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Notifications"
-    ADD CONSTRAINT "PK_df985fc3cf268e7a9d9eaadb72d" PRIMARY KEY (id);
-
-
---
--- Name: Services UQ_db452d84cc41f7c8e2ebed2ea25; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Services"
-    ADD CONSTRAINT "UQ_db452d84cc41f7c8e2ebed2ea25" UNIQUE (name);
-
-
---
--- Name: Services UQ_e36e26e678f6607fed8edffdfb0; Type: CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Services"
-    ADD CONSTRAINT "UQ_e36e26e678f6607fed8edffdfb0" UNIQUE ("apiKey");
-
-
---
--- Name: IDX_54bdd24814fbfbe635ba1b66e9; Type: INDEX; Schema: authorization_service; Owner: admin
---
-
-CREATE INDEX "IDX_54bdd24814fbfbe635ba1b66e9" ON authorization_service."Rules" USING btree (id, type);
-
-
---
--- Name: IDX_890c6405f913d40a62f4116674; Type: INDEX; Schema: authorization_service; Owner: admin
---
-
-CREATE INDEX "IDX_890c6405f913d40a62f4116674" ON authorization_service."Rules" USING btree (type);
-
-
---
--- Name: IDX_d9a995168f69ddf2434d6f3a88; Type: INDEX; Schema: authorization_service; Owner: admin
---
-
-CREATE INDEX "IDX_d9a995168f69ddf2434d6f3a88" ON authorization_service."UserNotifications" USING btree ("userId", "notificationId");
-
-
---
--- Name: IDX_07549f2ec6a838c622c099949f; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_07549f2ec6a838c622c099949f" ON push."UserDailyNotifications" USING btree (datetime);
-
-
---
--- Name: IDX_27840c586d0da066609ca4434e; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_27840c586d0da066609ca4434e" ON push.channels_unsubscribed__users USING btree ("channelsId");
-
-
---
--- Name: IDX_2acd07b72f49ad4ca8567ce406; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_2acd07b72f49ad4ca8567ce406" ON push.preferences_devices__devices USING btree ("devicesId");
-
-
---
--- Name: IDX_35872830abd309e6fcbe9b1e5c; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_35872830abd309e6fcbe9b1e5c" ON push.preferences_disabled_channels__channels USING btree ("channelsId");
-
-
---
--- Name: IDX_49854fb35cab1068a1b2396c8c; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_49854fb35cab1068a1b2396c8c" ON push.preferences_devices__devices USING btree ("preferencesId");
-
-
---
--- Name: IDX_4d01187e26fcc515a3acdd2f2f; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE UNIQUE INDEX "IDX_4d01187e26fcc515a3acdd2f2f" ON push."Channels" USING btree (name);
-
-
---
--- Name: IDX_63d0692973bdb93d0e57ee08e3; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_63d0692973bdb93d0e57ee08e3" ON push.channels_groups__groups USING btree ("groupsId");
-
-
---
--- Name: IDX_6cd3b13bb09aaf62d70ada4fed; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_6cd3b13bb09aaf62d70ada4fed" ON push.channels_members__users USING btree ("usersId");
-
-
---
--- Name: IDX_81c54acb5c0d813a6a9e9c4757; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_81c54acb5c0d813a6a9e9c4757" ON push.channels_unsubscribed__users USING btree ("usersId");
-
-
---
--- Name: IDX_8700bf3fe1dd0fdee82af35b81; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_8700bf3fe1dd0fdee82af35b81" ON push.preferences_disabled_channels__channels USING btree ("preferencesId");
-
-
---
--- Name: IDX_8f468c04ac534b8a2014e6cd93; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_8f468c04ac534b8a2014e6cd93" ON push.channels_groups__groups USING btree ("channelsId");
-
-
---
--- Name: IDX_9081090ad2d7ea6e0b63ad2b9d; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE UNIQUE INDEX "IDX_9081090ad2d7ea6e0b63ad2b9d" ON push."Channels" USING btree (slug, "deleteDate");
-
-
---
--- Name: IDX_c77449f6c8bdd1d0d2135216c7; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE UNIQUE INDEX "IDX_c77449f6c8bdd1d0d2135216c7" ON push."Channels" USING btree (slug);
-
-
---
--- Name: IDX_ea2669001f79058b012fc1651f; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_ea2669001f79058b012fc1651f" ON push."UserNotifications" USING btree ("userId", "notificationId");
-
-
---
--- Name: IDX_f446f63889a85308fbc5ce0fe0; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE UNIQUE INDEX "IDX_f446f63889a85308fbc5ce0fe0" ON push."Users" USING btree (username);
-
-
---
--- Name: IDX_ff62bcfacefb8206dc10dc194f; Type: INDEX; Schema: push; Owner: admin
---
-
-CREATE INDEX "IDX_ff62bcfacefb8206dc10dc194f" ON push.channels_members__users USING btree ("channelsId");
-
-
---
--- Name: IDX_8479e16c8f2a9247d6a57ed09a; Type: INDEX; Schema: push_test; Owner: admin
---
-
-CREATE INDEX "IDX_8479e16c8f2a9247d6a57ed09a" ON push_test."Rules" USING btree (type);
-
-
---
--- Name: IDX_8e2bcc52d13d59d9114dbd6e20; Type: INDEX; Schema: push_test; Owner: admin
---
-
-CREATE INDEX "IDX_8e2bcc52d13d59d9114dbd6e20" ON push_test."UserNotifications" USING btree ("userUsername", "notificationId");
-
-
---
--- Name: IDX_8fcccdc5a46e13bb83ee86641b; Type: INDEX; Schema: push_test; Owner: admin
---
-
-CREATE INDEX "IDX_8fcccdc5a46e13bb83ee86641b" ON push_test."Rules" USING btree (id, type);
-
-
---
--- Name: IDX_54659c03730073cde471d4312c; Type: INDEX; Schema: test; Owner: admin
---
-
-CREATE INDEX "IDX_54659c03730073cde471d4312c" ON test."Rules" USING btree (type);
-
-
---
--- Name: IDX_f0e7530dea8d4cb6a7c3ac60ed; Type: INDEX; Schema: test; Owner: admin
---
-
-CREATE INDEX "IDX_f0e7530dea8d4cb6a7c3ac60ed" ON test."Rules" USING btree (id, type);
-
-
---
--- Name: UserNotifications FK_099c9aae30fffd2596c80c2b549; Type: FK CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."UserNotifications"
-    ADD CONSTRAINT "FK_099c9aae30fffd2596c80c2b549" FOREIGN KEY ("notificationId") REFERENCES authorization_service."Notifications"(id);
-
-
---
--- Name: Notifications FK_944d1e34f04d46890758dcfc6fe; Type: FK CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Notifications"
-    ADD CONSTRAINT "FK_944d1e34f04d46890758dcfc6fe" FOREIGN KEY ("fromId") REFERENCES authorization_service."Services"(id);
-
-
---
--- Name: Rules FK_dbf68107a33c0cdd2c1e29d32d5; Type: FK CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."Rules"
-    ADD CONSTRAINT "FK_dbf68107a33c0cdd2c1e29d32d5" FOREIGN KEY ("userId") REFERENCES authorization_service."Users"(id);
-
-
---
--- Name: UserNotifications FK_fa7e9a75ff3922059ac04f642e5; Type: FK CONSTRAINT; Schema: authorization_service; Owner: admin
---
-
-ALTER TABLE ONLY authorization_service."UserNotifications"
-    ADD CONSTRAINT "FK_fa7e9a75ff3922059ac04f642e5" FOREIGN KEY ("userId") REFERENCES authorization_service."Users"(id);
-
-
---
--- Name: Mute FK_12f447d9a6bf35b6b04acebe002; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Mute"
-    ADD CONSTRAINT "FK_12f447d9a6bf35b6b04acebe002" FOREIGN KEY ("targetId") REFERENCES push."Channels"(id);
-
-
---
--- Name: Mute FK_13c2ea36be58dac12584dfcf1e7; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Mute"
-    ADD CONSTRAINT "FK_13c2ea36be58dac12584dfcf1e7" FOREIGN KEY ("userId") REFERENCES push."Users"(id);
-
-
---
--- Name: Notifications FK_166450369eca664db0d44c44fe7; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Notifications"
-    ADD CONSTRAINT "FK_166450369eca664db0d44c44fe7" FOREIGN KEY ("targetId") REFERENCES push."Channels"(id);
-
-
---
--- Name: channels_unsubscribed__users FK_27840c586d0da066609ca4434e9; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_unsubscribed__users
-    ADD CONSTRAINT "FK_27840c586d0da066609ca4434e9" FOREIGN KEY ("channelsId") REFERENCES push."Channels"(id) ON DELETE CASCADE;
-
-
---
--- Name: preferences_devices__devices FK_2acd07b72f49ad4ca8567ce4067; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_devices__devices
-    ADD CONSTRAINT "FK_2acd07b72f49ad4ca8567ce4067" FOREIGN KEY ("devicesId") REFERENCES push."Devices"(id) ON DELETE CASCADE;
-
-
---
--- Name: Preferences FK_30e4c36856af87f5220f75d3ac0; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Preferences"
-    ADD CONSTRAINT "FK_30e4c36856af87f5220f75d3ac0" FOREIGN KEY ("userId") REFERENCES push."Users"(id);
-
-
---
--- Name: preferences_disabled_channels__channels FK_35872830abd309e6fcbe9b1e5ce; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_disabled_channels__channels
-    ADD CONSTRAINT "FK_35872830abd309e6fcbe9b1e5ce" FOREIGN KEY ("channelsId") REFERENCES push."Channels"(id) ON DELETE CASCADE;
-
-
---
--- Name: preferences_devices__devices FK_49854fb35cab1068a1b2396c8cf; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_devices__devices
-    ADD CONSTRAINT "FK_49854fb35cab1068a1b2396c8cf" FOREIGN KEY ("preferencesId") REFERENCES push."Preferences"(id) ON DELETE CASCADE;
-
-
---
--- Name: UserDailyNotifications FK_519b07c613d308d7c5f46b35cd3; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserDailyNotifications"
-    ADD CONSTRAINT "FK_519b07c613d308d7c5f46b35cd3" FOREIGN KEY ("notificationId") REFERENCES push."Notifications"(id);
-
-
---
--- Name: channels_groups__groups FK_63d0692973bdb93d0e57ee08e30; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_groups__groups
-    ADD CONSTRAINT "FK_63d0692973bdb93d0e57ee08e30" FOREIGN KEY ("groupsId") REFERENCES push."Groups"(id) ON DELETE CASCADE;
-
-
---
--- Name: channels_members__users FK_6cd3b13bb09aaf62d70ada4fed5; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_members__users
-    ADD CONSTRAINT "FK_6cd3b13bb09aaf62d70ada4fed5" FOREIGN KEY ("usersId") REFERENCES push."Users"(id) ON DELETE CASCADE;
-
-
---
--- Name: UserNotifications FK_779122ce4df611e1a5ea323a5e8; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserNotifications"
-    ADD CONSTRAINT "FK_779122ce4df611e1a5ea323a5e8" FOREIGN KEY ("userId") REFERENCES push."Users"(id);
-
-
---
--- Name: channels_unsubscribed__users FK_81c54acb5c0d813a6a9e9c4757d; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_unsubscribed__users
-    ADD CONSTRAINT "FK_81c54acb5c0d813a6a9e9c4757d" FOREIGN KEY ("usersId") REFERENCES push."Users"(id) ON DELETE CASCADE;
-
-
---
--- Name: preferences_disabled_channels__channels FK_8700bf3fe1dd0fdee82af35b812; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.preferences_disabled_channels__channels
-    ADD CONSTRAINT "FK_8700bf3fe1dd0fdee82af35b812" FOREIGN KEY ("preferencesId") REFERENCES push."Preferences"(id) ON DELETE CASCADE;
-
-
---
--- Name: UserDailyNotifications FK_8b87e1326fefe10b83615464615; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserDailyNotifications"
-    ADD CONSTRAINT "FK_8b87e1326fefe10b83615464615" FOREIGN KEY ("userId") REFERENCES push."Users"(id);
-
-
---
--- Name: channels_groups__groups FK_8f468c04ac534b8a2014e6cd938; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_groups__groups
-    ADD CONSTRAINT "FK_8f468c04ac534b8a2014e6cd938" FOREIGN KEY ("channelsId") REFERENCES push."Channels"(id) ON DELETE CASCADE;
-
-
---
--- Name: Channels FK_93c37918cc9b8af94a925ca721f; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Channels"
-    ADD CONSTRAINT "FK_93c37918cc9b8af94a925ca721f" FOREIGN KEY ("ownerId") REFERENCES push."Users"(id);
-
-
---
--- Name: UserNotifications FK_b2195eece7faad3fb348b593c80; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."UserNotifications"
-    ADD CONSTRAINT "FK_b2195eece7faad3fb348b593c80" FOREIGN KEY ("notificationId") REFERENCES push."Notifications"(id);
-
-
---
--- Name: Channels FK_b5b061cf5ce6513c090be018e9b; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Channels"
-    ADD CONSTRAINT "FK_b5b061cf5ce6513c090be018e9b" FOREIGN KEY ("adminGroupId") REFERENCES push."Groups"(id);
-
-
---
--- Name: Preferences FK_d31ccc7fa8b6a463152b463f9cf; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Preferences"
-    ADD CONSTRAINT "FK_d31ccc7fa8b6a463152b463f9cf" FOREIGN KEY ("targetId") REFERENCES push."Channels"(id);
-
-
---
--- Name: Devices FK_dfa213fa54e17955b672a7a286b; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push."Devices"
-    ADD CONSTRAINT "FK_dfa213fa54e17955b672a7a286b" FOREIGN KEY ("userId") REFERENCES push."Users"(id);
-
-
---
--- Name: channels_members__users FK_ff62bcfacefb8206dc10dc194f8; Type: FK CONSTRAINT; Schema: push; Owner: admin
---
-
-ALTER TABLE ONLY push.channels_members__users
-    ADD CONSTRAINT "FK_ff62bcfacefb8206dc10dc194f8" FOREIGN KEY ("channelsId") REFERENCES push."Channels"(id) ON DELETE CASCADE;
-
-
---
--- Name: UserNotifications FK_9f854dd9ebb621b8e26a8e3845d; Type: FK CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."UserNotifications"
-    ADD CONSTRAINT "FK_9f854dd9ebb621b8e26a8e3845d" FOREIGN KEY ("userUsername") REFERENCES push_test."Users"(username);
-
-
---
--- Name: UserNotifications FK_d3aa6cd0b95e6894c667dc48c9b; Type: FK CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."UserNotifications"
-    ADD CONSTRAINT "FK_d3aa6cd0b95e6894c667dc48c9b" FOREIGN KEY ("notificationId") REFERENCES push_test."Notifications"(id);
-
-
---
--- Name: Notifications FK_d7e72b4a00d9154f9409d8106d3; Type: FK CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Notifications"
-    ADD CONSTRAINT "FK_d7e72b4a00d9154f9409d8106d3" FOREIGN KEY ("fromId") REFERENCES push_test."Services"(id);
-
-
---
--- Name: Rules FK_dbcef7a35582a45f7550f4010f1; Type: FK CONSTRAINT; Schema: push_test; Owner: admin
---
-
-ALTER TABLE ONLY push_test."Rules"
-    ADD CONSTRAINT "FK_dbcef7a35582a45f7550f4010f1" FOREIGN KEY ("userUsername") REFERENCES push_test."Users"(username);
-
-
---
--- Name: users_notifications__notifications FK_6551d57a770d5fc3c3e25659283; Type: FK CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test.users_notifications__notifications
-    ADD CONSTRAINT "FK_6551d57a770d5fc3c3e25659283" FOREIGN KEY ("usersId") REFERENCES test."Users"(id) ON DELETE CASCADE;
-
-
---
--- Name: Rules FK_d47ff4913a611d261e61ceaa446; Type: FK CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test."Rules"
-    ADD CONSTRAINT "FK_d47ff4913a611d261e61ceaa446" FOREIGN KEY ("userId") REFERENCES test."Users"(id);
-
-
---
--- Name: users_notifications__notifications FK_e58f2e1cf4a7e654daab1046d48; Type: FK CONSTRAINT; Schema: test; Owner: admin
---
-
-ALTER TABLE ONLY test.users_notifications__notifications
-    ADD CONSTRAINT "FK_e58f2e1cf4a7e654daab1046d48" FOREIGN KEY ("notificationsId") REFERENCES test."Notifications"(id) ON DELETE CASCADE;
-
-
---
--- PostgreSQL database dump complete
---