功能:点击按钮,复制值。
实现方法:通过原生js 的方法document.execCommand('copy')
坑:document.execCommand(‘copy’)不生效
不能实现的原因:
- input框不能有disabled属性
- 根据第一条扩展,input的width || height 不能为0;
- input框不能有hidden、display:none属性
意思就是,input框要在正常的编辑状态下,暂且这么解释吧;
解决方案:在不改变原需求的情况下,新增一个input框,然后设置 opacity:0; 实现不可见, position:absolute; 脱离文档流解决占空间的问题
语法:
document.execCommand(aCommandName, aShowDefaultUI, aValueArgument)
//参数说明:
aCommandName
命令的名称:常用的为"copy","cut"等;
注:“copy” 拷贝当前选中内容到剪贴板
“cut” 剪贴当前选中的文字并复制到剪贴板
aShowDefaultUI
是否展示用户界面,一般为 false;
aValueArgument
默认为null;
返回值:Boolean 如果返回false 则表示还不能支持;
示例:
<!-- html -->
<!-- 点击按钮复制文本框内容-->
<input type="text" id="copyVal" value="被复制内容" />
<!-- 点击按钮复制div标签中的内容-->
<div id="copyInner">被复制内容</div>
<button onclick="myCopy" >点击复制</button>
//javascript
//可根据自己的需求选择对应方法
//方法一:点击按钮复制文本框内容
function myCopy(){
var copyVal = document.getElementById("copyVal");
copyVal.select();
document.execCommand('copy')
//复制及其结果判断
//有需求可替换上面的document.execCommand('copy')
/*
try{
if(document.execCommand('copy', false, null)){
//success info
console.log("doSomething...");
} else{
//fail info
console.log("doSomething...");
}
} catch(err){
//fail info
console.log("doSomething...");
}
*/
}
//方法二:点击按钮复制div标签中的内容
function myCopy(){
const range = document.createRange();
range.selectNode(document.getElementById('copyInner'));
const selection = window.getSelection();
if (selection.rangeCount > 0) selection.removeAllRanges();
selection.addRange(range);
document.execCommand('copy');
}