58 lines
1.7 KiB
JavaScript
58 lines
1.7 KiB
JavaScript
|
// Based on https://www.roboleary.net/2022/01/13/copy-code-to-clipboard-blog.html
|
||
|
document.addEventListener("DOMContentLoaded", function () {
|
||
|
let blocks = document.querySelectorAll("pre[class^='language-']");
|
||
|
|
||
|
blocks.forEach((block) => {
|
||
|
if (navigator.clipboard) {
|
||
|
// Code block header title
|
||
|
let title = document.createElement("span");
|
||
|
let lang = block.getAttribute("data-lang");
|
||
|
title.innerHTML = lang;
|
||
|
|
||
|
// Copy button icon
|
||
|
let icon = document.createElement("i");
|
||
|
icon.classList.add("icon");
|
||
|
|
||
|
// Copy button
|
||
|
let button = document.createElement("button");
|
||
|
let copyCodeText = document.getElementById("copy-code-text").textContent;
|
||
|
button.setAttribute("title", copyCodeText)
|
||
|
button.appendChild(icon);
|
||
|
|
||
|
// Code block header
|
||
|
let header = document.createElement("div");
|
||
|
header.classList.add("header");
|
||
|
header.appendChild(title);
|
||
|
header.appendChild(button);
|
||
|
|
||
|
// Container that holds header and the code block itself
|
||
|
let container = document.createElement("div");
|
||
|
container.classList.add("pre-container");
|
||
|
container.appendChild(header);
|
||
|
|
||
|
// Move code block into the container
|
||
|
block.parentNode.insertBefore(container, block);
|
||
|
container.appendChild(block);
|
||
|
|
||
|
button.addEventListener("click", async () => {
|
||
|
await copyCode(block, header, button); // Pass the button here
|
||
|
});
|
||
|
}
|
||
|
});
|
||
|
|
||
|
async function copyCode(block, header, button) {
|
||
|
let code = block.querySelector("code");
|
||
|
let text = code.innerText;
|
||
|
|
||
|
await navigator.clipboard.writeText(text);
|
||
|
|
||
|
header.classList.add("active");
|
||
|
button.setAttribute("disabled", true);
|
||
|
|
||
|
header.addEventListener("animationend", () => {
|
||
|
header.classList.remove("active");
|
||
|
button.removeAttribute("disabled");
|
||
|
}, { once: true });
|
||
|
}
|
||
|
});
|