這篇文章主要介紹了使用HTML5的Notification API制作web通知的教程,示例包括需要使用到的相關(guān)CSS以及Javascript代碼,需要的朋友可以參考下
在使用網(wǎng)頁(yè)版Gmail的時(shí)候,每當(dāng)收到新郵件,屏幕的右下方都會(huì)彈出相應(yīng)的提示框。借助HTML5提供的Notification API,我們也可以輕松實(shí)現(xiàn)這樣的功能。
確保瀏覽器支持
如果你在特定版本的瀏覽器上進(jìn)行開(kāi)發(fā),那么我建議你先到 caniuse 查看瀏覽器對(duì)Notification API的支持情況,避免你將寶貴時(shí)間浪費(fèi)在了一個(gè)無(wú)法使用的API上。
如何開(kāi)始
JavaScript Code
var notification=new Notification(‘Notification Title',{
body:'Your Message'
});
上面的代碼構(gòu)造了一個(gè)簡(jiǎn)陋的通知欄。構(gòu)造函數(shù)的第一個(gè)參數(shù)設(shè)定了通知欄的標(biāo)題,而第二個(gè)參數(shù)則是一個(gè)option 對(duì)象,該對(duì)象可設(shè)置以下屬性:
body :設(shè)置通知欄的正文內(nèi)容。
dir :定義通知欄文本的顯示方向,可設(shè)為auto(自動(dòng))、ltr(從左到右)、rtl(從右到左)。
lang :聲明通知欄內(nèi)文本所使用的語(yǔ)種。(譯注:該屬性的值必須屬于BCP 47 language tag。)
tag:為通知欄分配一個(gè)ID值,便于檢索、替換或移除通知欄。
icon :設(shè)置作為通知欄icon的圖片的URL
獲取權(quán)限
在顯示通知欄之前需向用戶申請(qǐng)權(quán)限,只有用戶允許,通知欄才可出現(xiàn)在屏幕中。對(duì)權(quán)限申請(qǐng)的處理將有以下返回值:
default:用戶處理結(jié)果未知,因此瀏覽器將視為用戶拒絕彈出通知欄。(“瀏覽器:你沒(méi)要求通知,我就不通知你了”)
denied:用戶拒絕彈出通知欄。(“用戶:從我的屏幕里滾開(kāi)”)
granted:用戶允許彈出通知欄。(“用戶:歡迎!我很高興能夠使用這個(gè)通知功能”)
JavaScript Code
Notification.requestPermission(function(permission){
//display notification here making use of constructor
});
用HTML創(chuàng)建一個(gè)按鈕
XML/HTML Code
<button id="button">Read your notification</button>
不要忘記了CSS
CSS Code
#button{
font-size:1.1rem;
width:200px;
height:60px;
border:2px solid #df7813;
border-radius:20px/50px;
background:#fff;
color:#df7813;
}
#button:hover{
background:#df7813;
color:#fff;
transition:0.4s ease;
}
全部的Javascript代碼如下:
JavaScript Code
document.addEventListener('DOMContentLoaded',function(){
document.getElementById('button').addEventListener('click',function(){
if(! ('Notification' in window) ){
alert('Sorry bro, your browser is not good enough to display notification');
return;
}
Notification.requestPermission(function(permission){
var config = {
body:'Thanks for clicking that button. Hope you liked.',
icon:'https://cdn2.iconfinder.com/data/icons/ios-7-style-metro-ui-icons/512/MetroUI_HTML5.png',
dir:'auto'
};
var notification = new Notification("Here I am!",config);
});
});
});
從這段代碼可以看出,如果瀏覽器不支持Notification API,在點(diǎn)擊按鈕時(shí)將會(huì)出現(xiàn)警告“兄弟,很抱歉。你的瀏覽器并不能很好地支持通知功能”(Sorry bro, your browser is not good enough to display notification)。否則,在獲得了用戶的允許之后,我們自制的通知欄便可以出現(xiàn)在屏幕當(dāng)中啦。
為什么要讓用戶手動(dòng)關(guān)閉通知欄?
對(duì)于這個(gè)問(wèn)題,我們可以借助setTimeout函數(shù)設(shè)置一個(gè)時(shí)間間隔,使通知欄能定時(shí)關(guān)閉。
JavaScript Code
var config = {
body:'Today too many guys got eyes on me, you did the same thing. Thanks',
icon:'icon.png',
dir:'auto'
}
var notification = new Notification("Here I am!",config);
setTimeout(function(){
notification.close(); //closes the notification
},5000);
該說(shuō)的東西就這些了。