ChatGPT解决这个技术问题 Extra ChatGPT

How do I copy to the clipboard in JavaScript?

How do I copy text to the clipboard (multi-browser)?

Related: How does Trello access the user's clipboard?

Nothing special. They can do it by themselves but I want to offer also the possibility of clicking a button without worrying about selecting the correct portion of text.
This long blog post contains a lot of ways to do this: Accessing the System Clipboard with JavaScript – A Holy Grail?
It is giving browser undefined exception in IE as well as in FF
If we can put text into the user's clipboard, we can ruin his clipboard.
Personaly, I prefer 3rd party such as clipboardjs. clipboardjs: clipboardjs.com vue-clipboards: zhuowenli.github.io/vue-clipboards v-clipboard: vuejsexamples.com/a-clipboard-library-with-vue-js

b
barhatsor

Overview

There are three primary browser APIs for copying to the clipboard:

Async Clipboard API [navigator.clipboard.writeText] Text-focused portion available in Chrome 66 (March 2018) Access is asynchronous and uses JavaScript Promises, can be written so security user prompts (if displayed) don't interrupt the JavaScript in the page. Text can be copied to the clipboard directly from a variable. Only supported on pages served over HTTPS. In Chrome 66 pages inactive tabs can write to the clipboard without a permissions prompt. document.execCommand('copy') (deprecated) 👎 Most browsers support this as of ~April 2015 (see Browser Support below). Access is synchronous, i.e. stops JavaScript in the page until complete including displaying and user interacting with any security prompts. Text is read from the DOM and placed on the clipboard. During testing ~April 2015 only Internet Explorer was noted as displaying permissions prompts whilst writing to the clipboard. Overriding the copy event See Clipboard API documentation on Overriding the copy event. Allows you to modify what appears on the clipboard from any copy event, can include other formats of data other than plain text. Not covered here as it doesn't directly answer the question.

General development notes

Don't expect clipboard related commands to work whilst you are testing code in the console. Generally, the page is required to be active (Async Clipboard API) or requires user interaction (e.g. a user click) to allow (document.execCommand('copy')) to access the clipboard see below for more detail.

IMPORTANT (noted here 2020/02/20)

Note that since this post was originally written deprecation of permissions in cross-origin IFRAMEs and other IFRAME "sandboxing" prevents the embedded demos "Run code snippet" buttons and "codepen.io example" from working in some browsers (including Chrome and Microsoft Edge).

To develop create your own web page, serve that page over an HTTPS connection to test and develop against.

Here is a test/demo page which demonstrates the code working: https://deanmarktaylor.github.io/clipboard-test/

Async + Fallback

Due to the level of browser support for the new Async Clipboard API, you will likely want to fall back to the document.execCommand('copy') method to get good browser coverage.

Here is a simple example (may not work embedded in this site, read "important" note above):

function fallbackCopyTextToClipboard(text) { var textArea = document.createElement("textarea"); textArea.value = text; // Avoid scrolling to bottom textArea.style.top = "0"; textArea.style.left = "0"; textArea.style.position = "fixed"; document.body.appendChild(textArea); textArea.focus(); textArea.select(); try { var successful = document.execCommand('copy'); var msg = successful ? 'successful' : 'unsuccessful'; console.log('Fallback: Copying text command was ' + msg); } catch (err) { console.error('Fallback: Oops, unable to copy', err); } document.body.removeChild(textArea); } function copyTextToClipboard(text) { if (!navigator.clipboard) { fallbackCopyTextToClipboard(text); return; } navigator.clipboard.writeText(text).then(function() { console.log('Async: Copying to clipboard was successful!'); }, function(err) { console.error('Async: Could not copy text: ', err); }); } var copyBobBtn = document.querySelector('.js-copy-bob-btn'), copyJaneBtn = document.querySelector('.js-copy-jane-btn'); copyBobBtn.addEventListener('click', function(event) { copyTextToClipboard('Bob'); }); copyJaneBtn.addEventListener('click', function(event) { copyTextToClipboard('Jane'); });



(codepen.io example may not work, read "important" note above) Note that this snippet is not working well in Stack Overflow's embedded preview you can try it here: https://codepen.io/DeanMarkTaylor/pen/RMRaJX?editors=1011

Async Clipboard API

MDN Reference

Chrome 66 announcement post (March 2018)

Reference Async Clipboard API draft documentation

Note that there is an ability to "request permission" and test for access to the clipboard via the permissions API in Chrome 66.

var text = "Example text to appear on clipboard";
navigator.clipboard.writeText(text).then(function() {
  console.log('Async: Copying to clipboard was successful!');
}, function(err) {
  console.error('Async: Could not copy text: ', err);
});

document.execCommand('copy')

The rest of this post goes into the nuances and detail of the document.execCommand('copy') API.

Browser Support

The JavaScript document.execCommand('copy') support has grown, see the links below for browser updates: (deprecated) 👎

Internet Explorer 10+ (although this document indicates some support was there from Internet Explorer 5.5+).

Google Chrome 43+ (~April 2015)

Mozilla Firefox 41+ (shipping ~September 2015)

Opera 29+ (based on Chromium 42, ~April 2015)

Simple Example

(may not work embedded in this site, read "important" note above)

var copyTextareaBtn = document.querySelector('.js-textareacopybtn'); copyTextareaBtn.addEventListener('click', function(event) { var copyTextarea = document.querySelector('.js-copytextarea'); copyTextarea.focus(); copyTextarea.select(); try { var successful = document.execCommand('copy'); var msg = successful ? 'successful' : 'unsuccessful'; console.log('Copying text command was ' + msg); } catch (err) { console.log('Oops, unable to copy'); } });

Complex Example: Copy to clipboard without displaying input

The above simple example works great if there is a textarea or input element visible on the screen.

In some cases, you might wish to copy text to the clipboard without displaying an input / textarea element. This is one example of a way to work around this (basically insert an element, copy to clipboard, remove element):

Tested with Google Chrome 44, Firefox 42.0a1, and Internet Explorer 11.0.8600.17814.

(may not work embedded in this site, read "important" note above)

function copyTextToClipboard(text) { var textArea = document.createElement("textarea"); // // *** This styling is an extra step which is likely not required. *** // // Why is it here? To ensure: // 1. the element is able to have focus and selection. // 2. if the element was to flash render it has minimal visual impact. // 3. less flakyness with selection and copying which **might** occur if // the textarea element is not visible. // // The likelihood is the element won't even render, not even a // flash, so some of these are just precautions. However in // Internet Explorer the element is visible whilst the popup // box asking the user for permission for the web page to // copy to the clipboard. // // Place in the top-left corner of screen regardless of scroll position. textArea.style.position = 'fixed'; textArea.style.top = 0; textArea.style.left = 0; // Ensure it has a small width and height. Setting to 1px / 1em // doesn't work as this gives a negative w/h on some browsers. textArea.style.width = '2em'; textArea.style.height = '2em'; // We don't need padding, reducing the size if it does flash render. textArea.style.padding = 0; // Clean up any borders. textArea.style.border = 'none'; textArea.style.outline = 'none'; textArea.style.boxShadow = 'none'; // Avoid flash of the white box if rendered for any reason. textArea.style.background = 'transparent'; textArea.value = text; document.body.appendChild(textArea); textArea.focus(); textArea.select(); try { var successful = document.execCommand('copy'); var msg = successful ? 'successful' : 'unsuccessful'; console.log('Copying text command was ' + msg); } catch (err) { console.log('Oops, unable to copy'); } document.body.removeChild(textArea); } var copyBobBtn = document.querySelector('.js-copy-bob-btn'), copyJaneBtn = document.querySelector('.js-copy-jane-btn'); copyBobBtn.addEventListener('click', function(event) { copyTextToClipboard('Bob'); }); copyJaneBtn.addEventListener('click', function(event) { copyTextToClipboard('Jane'); });



Additional notes

Only works if the user takes an action

All document.execCommand('copy') calls must take place as a direct result of a user action, e.g. click event handler. This is a measure to prevent messing with the user's clipboard when they don't expect it.

See the Google Developers post here for more info.

Clipboard API

Note the full Clipboard API draft specification can be found here: https://w3c.github.io/clipboard-apis/

Is it supported?

document.queryCommandSupported('copy') should return true if the command "is supported by the browser".

and document.queryCommandEnabled('copy') return true if the document.execCommand('copy') will succeed if called now. Checking to ensure the command was called from a user-initiated thread and other requirements are met.

However, as an example of browser compatibility issues, Google Chrome from ~April to ~October 2015 only returned true from document.queryCommandSupported('copy') if the command was called from a user-initiated thread.

Note compatibility detail below.

Browser Compatibility Detail

Whilst a simple call to document.execCommand('copy') wrapped in a try/catch block called as a result of a user click will get you the most compatibility use the following has some provisos:

Any call to document.execCommand, document.queryCommandSupported or document.queryCommandEnabled should be wrapped in a try/catch block.

Different browser implementations and browser versions throw differing types of exceptions when called instead of returning false.

Different browser implementations are still in flux and the Clipboard API is still in draft, so remember to do your testing.


Sorry to break the party , but document.execCommand is obsolete. See developer.mozilla.org/en-US/docs/Web/API/Document/execCommand
@tnkh sure, but the replacement (Clipboard API) isn't fully baked and supported yet.
Clipboard API support is currently at 91% of global users: caniuse.com/mdn-api_clipboard_writetext
I just added the reset of the focus after the fallback: var previousFocusElement = document.activeElement (....all the fallback code...) previousFocusElement.focus();
This is a great, thorough answer - in short, use the method described in this answer under the heading Async + Fallback - this is actually what Stackoverflow itself uses! See this answer for reference.
P
Peter Mortensen

Automatic copying to the clipboard may be dangerous, and therefore most browsers (except Internet Explorer) make it very difficult. Personally, I use the following simple trick:

function copyToClipboard(text) {
  window.prompt("Copy to clipboard: Ctrl+C, Enter", text);
}

The user is presented with the prompt box, where the text to be copied is already selected. Now it's enough to press Ctrl + C and Enter (to close the box) -- and voila!

Now the clipboard copy operation is safe, because the user does it manually (but in a pretty straightforward way). Of course, it works in all browsers.


But there is a limit on the amount of characters displayed in that dialog, and thus there is a limit on the amount of data to be copied.
Clever, but this only supports single line.
It's trivial to change the "prompt" function to a custom modal, the meat of the trick is to use an editable content field and pre-select the text, and that it doesn't break the browser UI by enforcing that the user take the action themselves. A++
If your text is over 2000 characters it will be truncated, but for smaller text samples it works great
@RasTheDestroyer - Truncation at 2k chars seems to be a Chrome issue, but it's good to know regardless
J
Jack G

The following approach works in Chrome, Firefox, Internet Explorer and Edge, and in recent versions of Safari (copy support was added in version 10 which was released Oct 2016).

Create a textarea and set its contents to the text you want copied to the clipboard.

Append the textarea to the DOM.

Select the text in the textarea.

Call document.execCommand("copy")

Remove the textarea from the dom.

Note: you will not see the textarea, as it is added and removed within the same synchronous invocation of Javascript code.

Some things to watch out for if you are implementing this yourself:

For security reasons, this can only called from an event handler such as click (Just as with opening windows).

Internet Explorer will show a permission dialog the first time the clipboard is updated.

Internet Explorer, and Edge will scroll when the textarea is focused.

execCommand() may throw in some cases.

Newlines and tabs can get swallowed unless you use a textarea. (Most articles seem to recommend using a div)

The textarea will be visible while the Internet Explorer dialog is shown, you either need to hide it, or use the Internet Explorer specific clipboardData API.

In Internet Explorer system administrators can disable the clipboard API.

The function below should handle all of the following issues as cleanly as possible. Please leave a comment if you find any problems or have any suggestions for improving it.

// Copies a string to the clipboard. Must be called from within an
// event handler such as click. May return false if it failed, but
// this is not always possible. Browser support for Chrome 43+,
// Firefox 42+, Safari 10+, Edge and Internet Explorer 10+.
// Internet Explorer: The clipboard feature may be disabled by
// an administrator. By default a prompt is shown the first
// time the clipboard is used (per session).
function copyToClipboard(text) {
    if (window.clipboardData && window.clipboardData.setData) {
        // Internet Explorer-specific code path to prevent textarea being shown while dialog is visible.
        return window.clipboardData.setData("Text", text);

    }
    else if (document.queryCommandSupported && document.queryCommandSupported("copy")) {
        var textarea = document.createElement("textarea");
        textarea.textContent = text;
        textarea.style.position = "fixed";  // Prevent scrolling to bottom of page in Microsoft Edge.
        document.body.appendChild(textarea);
        textarea.select();
        try {
            return document.execCommand("copy");  // Security exception may be thrown by some browsers.
        }
        catch (ex) {
            console.warn("Copy to clipboard failed.", ex);
            return prompt("Copy to clipboard: Ctrl+C, Enter", text);
        }
        finally {
            document.body.removeChild(textarea);
        }
    }
}

https://jsfiddle.net/fx6a6n6x/


Nice answer : cross browser support, error handling + clean up. As of today's new support for queryCommandSupported, copying to clipboard is now feasible in Javascript and this should be the accepted answer, instead of awkward 'window.prompt("Copy to clipboard: Ctrl+C, Enter", text)' workaround. window.clipboardData is supported in IE9, so you should add IE9 in the browser support list and I think maybe IE8 and previous also, but need to verify.
@SantiagoCorredoira: In 2016, this deserves to be the accepted answer. Please consider reassigning the BGT (big green tick).
@Noitidart I Tested and it works perfectly for firefox 54, chrome 60 and edge browser, even when focus is not in the html document, the error you're having is probably specific to version FF 55
@Noitidart It still works perfectly here, focusing on dev tools didn't stop it. And by the way, what will a normal web app user be doing on developer tools
jQuery UI users: Note that you'll run into problems with this method if you try to use this function from within a modal dialog box. I suspect it's because the jQuery UI modal is managing/manipulating the document focus. If it fits your use case, one workaround is to close the modal dialog first and then copy the text. Or, to simply use a non-modal dialog box. I suspect you may also be able to modify this function so it adds the textarea to the modal instead of to the body.
K
Korayem

Here is my take on that one...

function copy(text) {
    var input = document.createElement('input');
    input.setAttribute('value', text);
    document.body.appendChild(input);
    input.select();
    var result = document.execCommand('copy');
    document.body.removeChild(input);
    return result;
 }

@korayem: Note that using html input field won't respect line breaks \n and will flatten any text into a single line.

As mentioned by @nikksan in the comments, using textarea will fix the problem as follows:

function copy(text) {
    var input = document.createElement('textarea');
    input.innerHTML = text;
    document.body.appendChild(input);
    input.select();
    var result = document.execCommand('copy');
    document.body.removeChild(input);
    return result;
}

@sof-03 use textarea instead of input and add \r\n for a line break
Not working in Microsoft Edge 42.17134.1.0 on Win10x64
I have copied your answer. It works in chrome and that's all I need.
This is the simplest solution that works with Firefox v68.0.2 (64-bit).
For some reason my usual "create a hidden input or textarea, then select it and execCommand" wasn't working, and this was by far the best solution listed here, even though others are comprehensive and like complete wikipedia pages, this one worked well for me, so +1
l
landfill baby

Reading and modifying the clipboard from a webpage raises security and privacy concerns. However, in Internet Explorer, it is possible to do it. I found this example snippet:


Using flash for a simple copy operation seems like overkill, glad there was a clean JS way to do this. And since we are in a corporate env. IE is just fine. Thanks Bandi!
plz explain what execCommand(\\’copy\\’); does, if not copy to clipboard for IE ? @mrBorna
Do not use if(!document.all) but if(!r.execCommand) lest anybody else implements it! Document.all is absolutely non-relevant to this.
How come these privacy concerns were never raised for a decade when people were using Flash to alter the clipboard? And if we only allow one way (i-e copying, and not reading its content) how does that generate a privacy concern?
@MuhammadbinYusrat: Although not a privacy concern, it is a UX concern. Consider that the user has copied something and think he knows what is on the clipboard, then browsing your site, and suddenly the clipboard contains something he hasn't asked for, and he has lost what he copied in the first place.
P
Peter Mortensen

If you want a really simple solution (takes less than 5 minutes to integrate) and looks good right out of the box, then Clippy is a nice alternative to some of the more complex solutions.

It was written by a cofounder of GitHub. Example Flash embed code below:

<object
    classid="clsid:d27cdb6e-ae6d-11cf-96b8-444553540000"
    width="110"
    height="14"
    id="clippy">

    <param name="movie" value="/flash/clippy.swf"/>
    <param name="allowScriptAccess" value="always"/>
    <param name="quality" value="high"/>
    <param name="scale" value="noscale"/>
    <param NAME="FlashVars" value="text=#{text}"/>
    <param name="bgcolor" value="#{bgcolor}"/>
    <embed
        src="/flash/clippy.swf"
        width="110"
        height="14"
        name="clippy"
        quality="high"
        allowScriptAccess="always"
        type="application/x-shockwave-flash"
        pluginspage="http://www.macromedia.com/go/getflashplayer"
        FlashVars="text=#{text}"
        bgcolor="#{bgcolor}"/>
</object>

Remember to replace #{text} with the text you need copied, and #{bgcolor} with a color.


For anyone interested, check Clippy being used on GitHub when copying the URL for the repo.
R
Richard Shurtz

I have recently written a technical blog post on this very problem (I work at Lucidchart and we recently did an overhaul on our clipboard).

Copying plain text to the clipboard is relatively simple, assuming you attempt to do it during a system copy event (user presses Ctrl + C or uses the browser's menu).

var isIe = (navigator.userAgent.toLowerCase().indexOf("msie")    != -1 ||
            navigator.userAgent.toLowerCase().indexOf("trident") != -1);

document.addEventListener('copy', function(e) {
    var textToPutOnClipboard = "This is some text";
    if (isIe) {
        window.clipboardData.setData('Text', textToPutOnClipboard);
    } else {
        e.clipboardData.setData('text/plain', textToPutOnClipboard);
    }
    e.preventDefault();
});

Putting text on the clipboard not during a system copy event is much more difficult. It looks like some of these other answers reference ways to do it via Flash, which is the only cross-browser way to do it (so far as I understand).

Other than that, there are some options on a browser-by-browser basis.

This is the most simple in Internet Explorer, where you can access the clipboardData object at anytime from JavaScript via:

window.clipboardData

(When you attempt to do this outside of a system cut, copy, or paste event, however, Internet Explorer will prompt the user to grant the web application clipboard permission.)

In Chrome, you can create a Chrome extension that will give you clipboard permissions (this is what we do for Lucidchart). Then for users with your extension installed you'll just need to fire the system event yourself:

document.execCommand('copy');

It looks like Firefox has some options that allow users to grant permissions to certain sites to access the clipboard, but I haven't tried any of these personally.


Not mentioned in the blog post (I'm hoping to update it in the near future), is the ability to trigger cut and copy using execCommand. This is supported in IE10+, Chrome 43+, and Opera29+. Read about it here. updates.html5rocks.com/2015/04/cut-and-copy-commands
A problem with this is that it hijacks other normal copy events.
NB! This browser sniffing is BAD. Do feature sniffing. You're making it hard for IE to update.
J
Josh Crozier

I like this one:

<input onclick="this.select();" type='text' value='copy me' />

If a user doesn't know how to copy text in their OS, then it's likely they don't know how to paste either. So just have it automatically selected, leaving the rest to the user.


I like it too, because it's short. You can also copy : <input onclick="this.select(); document.execCommand('copy');" type='text' value='copy me' />
t
tripulse

clipboard.js is a small, non-Flash, utility that allows copying of text or HTML data to the clipboard. It's very easy to use, just include the .js and use something like this:

<button id='markup-copy'>Copy Button</button>

<script>
document.getElementById('markup-copy').addEventListener('click', function() {
  clipboard.copy({
    'text/plain': 'Markup text. Paste me into a rich text editor.',
    'text/html': '<i>here</i> is some <b>rich text</b>'
  }).then(
    function(){console.log('success'); },
    function(err){console.log('failure', err);
  });

});
</script>

clipboard.js is also on GitHub.

Note: This has been deprecated now. Migrate to here.


This library is used by angular.io for its Tour of Hero and fallback in graceful mode for browser not supporting execCommand by displaying a preselected text the user has just to copy.
Looks either clipboard.js has been replaced, or forked, but it seems to live on and is actively maintained at npmjs.com/package/clipboard
P
Peter Mortensen

In 2018, here's how you can go about it:

async copySomething(text?) {
  try {
    const toCopy = text || location.href;
    await navigator.clipboard.writeText(toCopy);
    console.log('Text or Page URL copied');
  }
  catch (err) {
    console.error('Failed to copy: ', err);
  }
}

It is used in my Angular 6+ code like so:

<button mat-menu-item (click)="copySomething()">
    <span>Copy link</span>
</button>

If I pass in a string, it copies it. If nothing, it copies the page's URL.

More gymnastics to the clipboard stuff can be done too. See more information here:

Unblocking Clipboard Access


you've linked to localhost
Please be aware that this does not work in Safari (version 11.1.2)
@arjun27 Well hopefully someday Apple will catch up. Although this caniuse.com/#feat=clipboard shows the above version you mentioned to be partially supported.
I'm getting for both functions readText, writeText a Promise in rejected state
According to the link provided, "navigator.clipboard is only supported for pages served over HTTPS"
G
Grim

I use this very successfully (without jQuery or any other framework).

function copyToClp(txt){
    var m = document;
    txt = m.createTextNode(txt);
    var w = window;
    var b = m.body;
    b.appendChild(txt);
    if (b.createTextRange) {
        var d = b.createTextRange();
        d.moveToElementText(txt);
        d.select();
        m.execCommand('copy');
    } 
    else {
        var d = m.createRange();
        var g = w.getSelection;
        d.selectNodeContents(txt);
        g().removeAllRanges();
        g().addRange(d);
        m.execCommand('copy');
        g().removeAllRanges();
    }
    txt.remove();
}

Warning

Tabs are converted to spaces (at least in Chrome).


Doesnt work on firefox, i got an error saying that there was a lack of user activation
@Luke_ Is firefox right? Did you call it without a direct user's click?
P
Peter Mortensen

ZeroClipboard is the best cross-browser solution I've found:

<div id="copy" data-clipboard-text="Copy Me!">Click to copy</div>
<script src="ZeroClipboard.js"></script>
<script>
  var clip = new ZeroClipboard( document.getElementById('copy') );
</script>

If you need non-Flash support for iOS you just add a fall-back:

clip.on( 'noflash', function ( client, args ) {
    $("#copy").click(function(){
        var txt = $(this).attr('data-clipboard-text');
        prompt ("Copy link, then click OK.", txt);
    });
});

http://zeroclipboard.org/

https://github.com/zeroclipboard/ZeroClipboard


cross-browser with Flash ? not working in iOS and Android 4.4
See updated answer. This allows less steps for flash-users and a fall-back for everyone else.
it has a billion lines of code. it's absolutely ridicules. better not to do it at all than including such a monster in a project
There is a simple version gist.github.com/JamesMGreene/8698897 that is 20K that doesn't have all the bells and whistles in the 74k version. Neither is very large. My guess is most users are okay with the extra milliseconds that a 74k or a 20k file being downloaded will take so copy/paste is one click instead of two.
@Justin I just can't make it work locally, even if I copy&paste the examples (I make minimum changes, e.g. the value of src in script tags). I feel that their documentation is pretty but inefficient.
P
Peter Mortensen

Since Chrome 42+ and Firefox 41+ now support the document.execCommand('copy') command, I created a couple of functions for a cross-browser copy-to-clipboard ability using a combination of Tim Down's old answer and Google Developer's answer:

function selectElementContents(el) { // Copy textarea, pre, div, etc. if (document.body.createTextRange) { // Internet Explorer var textRange = document.body.createTextRange(); textRange.moveToElementText(el); textRange.select(); textRange.execCommand("Copy"); } else if (window.getSelection && document.createRange) { // Non-Internet Explorer var range = document.createRange(); range.selectNodeContents(el); var sel = window.getSelection(); sel.removeAllRanges(); sel.addRange(range); try { var successful = document.execCommand('copy'); var msg = successful ? 'successful' : 'unsuccessful'; console.log('Copy command was ' + msg); } catch (err) { console.log('Oops, unable to copy'); } } } // end function selectElementContents(el) function make_copy_button(el) { var copy_btn = document.createElement('input'); copy_btn.type = "button"; el.parentNode.insertBefore(copy_btn, el.nextSibling); copy_btn.onclick = function() { selectElementContents(el); }; if (document.queryCommandSupported("copy") || parseInt(navigator.userAgent.match(/Chrom(e|ium)\/([0-9]+)\./)[2]) >= 42) { // Copy works with Internet Explorer 4+, Chrome 42+, Firefox 41+, Opera 29+ copy_btn.value = "Copy to Clipboard"; } else { // Select only for Safari and older Chrome, Firefox and Opera copy_btn.value = "Select All (then press Ctrl + C to Copy)"; } } /* Note: document.queryCommandSupported("copy") should return "true" on browsers that support copy, but there was a bug in Chrome versions 42 to 47 that makes it return "false". So in those versions of Chrome feature detection does not work! See https://code.google.com/p/chromium/issues/detail?id=476508 */ make_copy_button(document.getElementById("markup"));

  Text that can be copied or selected with cross browser support.


Thanks for summing this up! You have a little mistakes in your code: you defined the "range" variable twice (var range = document.createRange()).
You are correct @ChristianEngel . I have removed the second one. I don't know how it got in there.
Hello jeff what if I want to customize "copy to clipboard". Please help!
S
SanTasso

$("td").click(function (e) { var clickedCell = $(e.target).closest("td"); navigator.clipboard.writeText(clickedCell.text()); alert(clickedCell.text()); });

First
Second
Third
Fourth

I've read all the answers, as of June 1st, 2020, I've beeen struggling to solve this when I finally found documentation:

$("td").click(function (e) {
    var clickedCell = $(e.target).closest("td");
    navigator.clipboard.writeText(clickedCell.text());
});

It will write the clicked cell text to the browser clipboard.

You can change the selectors "td" for anything you want, you can add console.log for debugging and/or alert functions.

Here is documentation: https://developer.mozilla.org/en-US/docs/Web/API/Clipboard/writeText


No IE compatibility
P
Peter Mortensen

From one of the projects I've been working on, a jQuery copy-to-clipboard plugin that utilizes the ZeroClipboard library.

It is easier to use than the native Zero Clipboard plugin if you're a heavy jQuery user.


92kb isn't all that big really, it works fast & you can use text() instead of innerHTML() if you like..
@John: innerHTML has been supported cross-browser for a long time now. Just because Microsoft originally came up with the idea it doesn't make it unreliable or proprietary. It is also now finally being added to the official spec (after every major browser vendor already added support for it... sigh).
@John You complain about jQuery not being JavaScripty enough in an answer that uses Flash ;)
innerHTML is better than alternatives in most cases. Get off your high horse! It is faster, more efficient and doesn't require a page re-render.
@RozzA 92KB is really big. Until LTE matures GPRS is the WW mobile data standard, and it starts at 1 KB/s. Do the math yourself.
A
Andhi Irawan

I've put together what I think is the best one.

Uses cssText to avoid exceptions in Internet Explorer as opposed to style directly.

Restores selection if there was one

Sets read-only so the keyboard doesn't come up on mobile devices

Has a workaround for iOS so that it actually works as it normally blocks execCommand.

Here it is:

const copyToClipboard = (function initClipboardText() {
  const textarea = document.createElement('textarea');

  // Move it off-screen.
  textarea.style.cssText = 'position: absolute; left: -99999em';

  // Set to readonly to prevent mobile devices opening a keyboard when
  // text is .select()'ed.
  textarea.setAttribute('readonly', true);

  document.body.appendChild(textarea);

  return function setClipboardText(text) {
    textarea.value = text;

    // Check if there is any content selected previously.
    const selected = document.getSelection().rangeCount > 0 ?
      document.getSelection().getRangeAt(0) : false;

    // iOS Safari blocks programmatic execCommand copying normally, without this hack.
    // https://stackoverflow.com/questions/34045777/copy-to-clipboard-using-javascript-in-ios
    if (navigator.userAgent.match(/ipad|ipod|iphone/i)) {
      const editable = textarea.contentEditable;
      textarea.contentEditable = true;
      const range = document.createRange();
      range.selectNodeContents(textarea);
      const sel = window.getSelection();
      sel.removeAllRanges();
      sel.addRange(range);
      textarea.setSelectionRange(0, 999999);
      textarea.contentEditable = editable;
    }
    else {
      textarea.select();
    }

    try {
      const result = document.execCommand('copy');

      // Restore previous selection.
      if (selected) {
        document.getSelection().removeAllRanges();
        document.getSelection().addRange(selected);
      }

      return result;
    }
    catch (err) {
      console.error(err);
      return false;
    }
  };
})();

Usage: copyToClipboard('some text')


Doesn't work in Opera etc.
E
Enyby

I found the following solution:

The on-key-down handler creates a "pre" tag. We set the content to copy to this tag, and then make a selection on this tag and return true in the handler. This calls the standard handler of Chrome and copies selected text.

And if you need it, you may set the timeout for a function for restoring the previous selection. My implementation on MooTools:

function EnybyClipboard() {
    this.saveSelection = false;
    this.callback = false;
    this.pastedText = false;

    this.restoreSelection = function() {
        if (this.saveSelection) {
            window.getSelection().removeAllRanges();
            for (var i = 0; i < this.saveSelection.length; i++) {
                window.getSelection().addRange(this.saveSelection[i]);
            }
            this.saveSelection = false;
        }
    };

    this.copyText = function(text) {
        var div = $('special_copy');
        if (!div) {
            div = new Element('pre', {
                'id': 'special_copy',
                'style': 'opacity: 0;position: absolute;top: -10000px;right: 0;'
            });
            div.injectInside(document.body);
        }
        div.set('text', text);
        if (document.createRange) {
            var rng = document.createRange();
            rng.selectNodeContents(div);
            this.saveSelection = [];
            var selection = window.getSelection();
            for (var i = 0; i < selection.rangeCount; i++) {
                this.saveSelection[i] = selection.getRangeAt(i);
            }
            window.getSelection().removeAllRanges();
            window.getSelection().addRange(rng);
            setTimeout(this.restoreSelection.bind(this), 100);
        } else return alert('Copy did not work. :(');
    };

    this.getPastedText = function() {
        if (!this.pastedText) alert('Nothing to paste. :(');
        return this.pastedText;
    };

    this.pasteText = function(callback) {
        var div = $('special_paste');
        if (!div) {
            div = new Element('textarea', {
                'id': 'special_paste',
                'style': 'opacity: 0;position: absolute;top: -10000px;right: 0;'
            });
            div.injectInside(document.body);
            div.addEvent('keyup', function() {
                if (this.callback) {
                    this.pastedText = $('special_paste').get('value');
                    this.callback.call(null, this.pastedText);
                    this.callback = false;
                    this.pastedText = false;
                    setTimeout(this.restoreSelection.bind(this), 100);
                }
            }.bind(this));
        }
        div.set('value', '');
        if (document.createRange) {
            var rng = document.createRange();
            rng.selectNodeContents(div);
            this.saveSelection = [];
            var selection = window.getSelection();
            for (var i = 0; i < selection.rangeCount; i++) {
                this.saveSelection[i] = selection.getRangeAt(i);
            }
            window.getSelection().removeAllRanges();
            window.getSelection().addRange(rng);
            div.focus();
            this.callback = callback;
        } else return alert('Failed to paste. :(');
    };
}

Usage:

enyby_clip = new EnybyClipboard(); // Init

enyby_clip.copyText('some_text'); // Place this in the Ctrl+C handler and return true;

enyby_clip.pasteText(function callback(pasted_text) {
    alert(pasted_text);
}); // Place this in Ctrl+V handler and return true;

On paste, it creates a textarea and works the same way.

PS: Maybe this solution can be used for creating a full cross-browser solution without Flash. It works in Firefox and Chrome.


Has anyone tried that out? Sounds like a nifty thingy, in case it really works on a range of browsers!
jsfiddle.net/H2FHC Demo: fiddle.jshell.net/H2FHC/show Please open it and press Ctrl+V or Ctrl+C. In FF 19.0 forks perfectly. In Chrome 25.0.1364.97 m too. Opera 12.14 - OK. Safari 5.1.7 for Windows - OK. IE - FAIL.
For IE need run focus on element inside page. See fiddle.jshell.net/H2FHC/3/show and fiddle.jshell.net/H2FHC/3 Worked in IE 9/10. IE 6/7 need process create selection in other way because document.createRange not supported.
P
Peter Mortensen

The other methods will copy plain text to the clipboard. To copy HTML (i.e., you can paste results into a WYSIWYG editor), you can do the following in Internet Explorer only. This is is fundamentally different from the other methods, as the browser actually visibly selects the content.

// Create an editable DIV and append the HTML content you want copied
var editableDiv = document.createElement("div");
with (editableDiv) {
    contentEditable = true;
}
editableDiv.appendChild(someContentElement);

// Select the editable content and copy it to the clipboard
var r = document.body.createTextRange();
r.moveToElementText(editableDiv);
r.select();
r.execCommand("Copy");

// Deselect, so the browser doesn't leave the element visibly selected
r.moveToElementText(someHiddenDiv);
r.select();

see more complete HTML solution here stackoverflow.com/questions/34191780/…
T
Tauseef Arshad

Best and Easy way in JavaScript/TypeScript use this command

navigator.clipboard.writeText(textExample);

just pass your value what you want to copy to clipboard in textExample


navigator.clipboard can be udenfined. You should catch this exception...
Doesn't work with IOS
H
HO LI Pin

This code tested @ 2021 May . Work on Chrome , IE , Edge. 'message' parameter on below is the string value you want to copy.

<script type="text/javascript">
    function copyToClipboard(message) {
        var textArea = document.createElement("textarea");
        textArea.value = message;
        textArea.style.opacity = "0"; 
        document.body.appendChild(textArea);
        textArea.focus();
        textArea.select();


        try {
            var successful = document.execCommand('copy');
            var msg = successful ? 'successful' : 'unsuccessful';
            alert('Copying text command was ' + msg);
        } catch (err) {
            alert('Unable to copy value , error : ' + err.message);
        }

        document.body.removeChild(textArea);
    }

</script>

I like this one the most
P
Peter Mortensen

As of Flash 10, you can only copy to clipboard if the action originates from user interaction with a Flash object. (Read the related section from Adobe's Flash 10 announcement.)

The solution is to overlay a Flash object above the Copy button, or whatever element initiates the copy. ZeroClipboard is currently the best library with this implementation. Experienced Flash developers may just want to make their own library.


P
Peter Mortensen

I found the following solution:

I have the text in a hidden input. Because setSelectionRange doesn't work on hidden inputs, I changed temporarily the type to text, copied the text, and then made it hidden again. If you want to copy the text from an element, you can pass it to the function and save its content in the target variable.

jQuery('#copy').on('click', function () {
    copyToClipboard();
});

function copyToClipboard() {
    var target = jQuery('#hidden_text');

    // Make it visible, so can be focused
    target.attr('type', 'text');
    target.focus();
    // Select all the text
    target[0].setSelectionRange(0, target.val().length);

    // Copy the selection
    var succeed;
    try {
        succeed = document.execCommand("copy");
    }
    catch (e) {
        succeed = false;
    }

    // Hide input again
    target.attr('type', 'hidden');

    return succeed;
}

P
Peter Mortensen

Copy text from HTML input to the clipboard:

function myFunction() { /* Get the text field */ var copyText = document.getElementById("myInput"); /* Select the text field */ copyText.select(); /* Copy the text inside the text field */ document.execCommand("Copy"); /* Alert the copied text */ alert("Copied the text: " + copyText.value); }

Note: The document.execCommand() method is not supported in Internet Explorer 9 and earlier.

Source: W3Schools - Copy Text to Clipboard


C
Codebeat

There are many answers already, however like to add one (jQuery). Works great on any browser, also mobile ones (i.e., prompts about security, but when you accept it just works fine).

function appCopyToClipBoard(sText)
{
    var oText = false,
        bResult = false;
    try
    {
        oText = document.createElement("textarea");
        $(oText).addClass('clipboardCopier').val(sText).insertAfter('body').focus();
        oText.select();
        document.execCommand("Copy");
        bResult = true;
    }
    catch(e) {
    }

    $(oText).remove();
    return bResult;
}

In your code:

if (!appCopyToClipBoard('Hai there! This is copied to the clipboard.'))
{
    alert('Sorry, copy to clipboard failed.');
}

T
Tauseef Arshad

Best Way to Copy the text inside the text field. Use navigator.clipboard.writeText.

<input type="text" value="Hello World" id="myId">
<button onclick="myFunction()" >Copy text</button>

<script>
function myFunction() {
  var copyText = document.getElementById("myId");
  copyText.select();
  copyText.setSelectionRange(0, 99999);
  navigator.clipboard.writeText(copyText.value);
}

</script>

document.execCommand('Copy'); command doesn't work's always, and above approach solved it
document.execCommand('Copy'); command works but The signature '(commandId: string, showUI?: boolean | undefined, value?: string | undefined): boolean' of 'document.execCommand' is deprecated
P
Peter Mortensen

I had the same problem building a custom grid edit from (something like Excel) and compatibility with Excel. I had to support selecting multiple cells, copying and pasting.

Solution: create a textarea where you will be inserting data for the user to copy (for me when the user is selecting cells), set focus on it (for example, when user press Ctrl) and select the whole text.

So, when the user hit Ctrl + C he/she gets copied cells he/she selected. After testing just resizing the textarea to one pixel (I didn't test if it will be working on display:none). It works nicely on all browsers, and it is transparent to the user.

Pasting - you could do same like this (differs on your target) - keep focus on textarea and catch paste events using onpaste (in my project I use textareas in cells to edit).

I can't paste an example (commercial project), but you get the idea.


y
yurenchen

This is a bit of a combination between the other answers.

var copyToClipboard = function(textToCopy){
    $("body")
        .append($('<textarea name="fname" class="textToCopyInput"/>' )
        .val(textToCopy))
        .find(".textToCopyInput")
        .select();
      try {
        var successful = document.execCommand('copy');
        var msg = successful ? 'successful' : 'unsuccessful';
        alert('Text copied to clipboard!');
      } catch (err) {
          window.prompt("To copy the text to clipboard: Ctrl+C, Enter", textToCopy);
      }
     $(".textToCopyInput").remove();
}

It uses jQuery, but it doesn't have to of course. You can change that if you want. I just had jQuery to my disposal. You can also add some CSS to make sure the input doesn't show. For instance something like:

.textToCopyInput{opacity: 0; position: absolute;}

Or of course you could also do some inline styling

.append($('<textarea name="fname" style="opacity: 0;  position: absolute;" class="textToCopyInput"/>' )

How to copy directly from a variable data .i.e.: var str = "word"; ?
Variable msg is unused
Better to use '<textarea class="textToCopyInput"/></textarea>' in case textToCopy contains \n
P
Peter Mortensen

In browsers other than Internet Explorer you need to use a small Flash object to manipulate the clipboard, e.g.

Auto copy to clipboard


This is outdated now... check out the suggestion by GvS
The suggestion by GvS uses a flash movie? Isn't that the same idea?
P
Peter Mortensen
function copytoclipboard(element) {

    var $temp = $("<input>");
    $("body").append($temp);
    $temp.val('0' + element).select();
    document.execCommand("copy");
    $temp.remove();
}

thank you, you are life saver
j
jbyrd

Stackoverflow's Solution

I just wanted to point out that Stackoverflow actually does this. Under each answer there's a "Share" link - when you click that, it opens a popup with the share link highlighted inside an input, along with a "Copy link" link:

https://i.stack.imgur.com/ZpqQ3.png

If you go to Chrome DevTools and go to the Event Listeners for that link, you can hunt down the function they use. It's called tryCopy():

https://i.stack.imgur.com/cqeGw.png

And this is exactly consistent with Dean Taylors answer here (which was recently updated) - specifically read the section entitled "Async + Fallback". The TL;DR is: try using the navigator.clipboard api - if that's not supported by the browser, fall back to document.execCommand().


Hi, I was wondering if you managed to get this or Dean Taylors solution to work with IOS?