我正在我的应用中实施推送通知。我让服务工作者在我的浏览器(Chrome)中显示通知。
现在,我需要调用一个它在Angular Controller中的函数。我试图在我的服务人员中做这样的事件。
self.addEventListener('push', function(event) {
event.waitUntil(
fetch(self.CONTENT_URL, {headers: headers})
.then(function(response) {
if (response.status !== 200) {
}
return response.json().then(function(data) {
/* some stuff*/
document.dispatchEvent('myEvent');
return notification;
});
})
);
});
在这种情况下,我处理通知,我正在尝试使用事件。
在控制器中我写了下面的代码
document.addEventListener('myEvent', function(){
console.log("im here");
});
但是浏览器没有显示console.log()
完成此任务的任何想法?非常感谢!
答案 0 :(得分:4)
以下是我对角度(或窗口/文档侧的任何内容)与Service Worker
之间的通信所做的事情在你的角度应用中的某个地方。
if ('serviceWorker' in navigator) {
// ensure service worker is ready
navigator.serviceWorker.ready.then(function (reg) {
// PING to service worker, later we will use this ping to identifies our client.
navigator.serviceWorker.controller.postMessage("ping");
// listening for messages from service worker
navigator.serviceWorker.addEventListener('message', function (event) {
var messageFromSW = event.data;
console.log("message from SW: " + messageFromSW);
// you can also send a stringified JSON and then do a JSON.parse() here.
});
}
}
在您的服务人员开始时
let angularClient;
self.addEventListener('message', event => {
// if message is a "ping" string,
// we store the client sent the message into angularClient variable
if (event.data == "ping") {
angularClient = event.source;
}
});
收到push
时
// In your push stuff
self.addEventListener('push', function(event) {
event.waitUntil(
fetch(self.CONTENT_URL, {headers: headers})
.then(function(response) {
if (response.status !== 200) {
}
return response.json().then(function(data) {
/* some stuff*/
angularClient.postMessage('{"data": "you can send a stringified JSON here then parse it on the client"}');
return notification;
});
})
);
});