2020 更新
适用于所有最新浏览器的解决方案。
document.addEventListener('copy', (event) => {
const pagelink = `\n\nRead more at: ${document.location.href}`;
event.clipboardData.setData('text', document.getSelection() + pagelink);
event.preventDefault();
});
Lorem ipsum dolor sit amet, consectetur adipiscing elit.<br/>
<textarea name="textarea" rows="7" cols="50" placeholder="paste your copied text here"></textarea>
[旧帖子 - 2020 年更新之前]
有两种主要方法可以向复制的网络文本添加额外信息。
1. 操作选择
这个想法是观察copy event
,然后将一个带有我们额外信息的隐藏容器附加到dom
,并将选择扩展到它。
这种方法适合从本文由c.bavota。还要检查jitbit的版本以了解更复杂的情况。
function addLink() {
//Get the selected text and append the extra info
var selection = window.getSelection(),
pagelink = '<br /><br /> Read more at: ' + document.location.href,
copytext = selection + pagelink,
newdiv = document.createElement('div');
//hide the newly created container
newdiv.style.position = 'absolute';
newdiv.style.left = '-99999px';
//insert the container, fill it with the extended text, and define the new selection
document.body.appendChild(newdiv);
newdiv.innerHTML = copytext;
selection.selectAllChildren(newdiv);
window.setTimeout(function () {
document.body.removeChild(newdiv);
}, 100);
}
document.addEventListener('copy', addLink);
2. 操作剪贴板
这个想法是观察copy event
并直接修改剪贴板数据。这是可能的使用clipboardData
属性。请注意,此属性在read-only
;中的所有主要浏览器中都可用。该setData
方法仅在 IE 上可用。
function addLink(event) {
event.preventDefault();
var pagelink = '\n\n Read more at: ' + document.location.href,
copytext = window.getSelection() + pagelink;
if (window.clipboardData) {
window.clipboardData.setData('Text', copytext);
}
}
document.addEventListener('copy', addLink);