在制作饼图或标签云时,我们通常需要很多颜色,方法有二。一是准备一组漂亮的候选颜色,二是随机生成颜色。在数量很多或不明确时,我想后者就是唯一的出路了。谷歌了一下,整理如下,按由浅入深的顺序排列。
实现1
以下为引用的内容: 2. return '#' + 3. ( function (color){ 4. return (color += '0123456789abcdef' [Math.floor(Math.random()*16)]) 5. && (color.length == 6) ? color : arguments.callee(color); 6. })( '' ); 7. } |
随机生成6个字符然后再串到一起,闭包调用自身与三元运算符让程序变得内敛,初心者应该好好学习这种写法。
实现2
以下为引用的内容: 2. return ( function (m,s,c){ 3. return (c ? arguments.callee(m,s,c-1) : '#' ) + 4. s[m.floor(m.random() * 16)] 5. })(Math, '0123456789abcdef' ,5) 6. } |
把Math对象,用于生成hex颜色值的字符串提取出来,并利用第三个参数来判断是否还继续调用自身。
实现3
以下为引用的内容: 02. var scope = thisObj || window; 03. var a = []; 04. for ( var i=0, j= this .length; i < j; ++i ) { 05. a.push(fn.call(scope, this [i], i, this )); 06. } 07. return a; 08. }; 09. var getRandomColor = function (){ 10. return '#' + '0123456789abcdef' .split( '' ).map( function (v,i,a){ 11. return i>5 ? null : a[Math.floor(Math.random()*16)] }).join( '' ); 12. } |
这个要求我们对数组做些扩展,map将返回一个数组,然后我们再用join把它的元素串成字符。
实现4
以下为引用的内容: 2. return '#' +Math.floor(Math.random()*16777215).toString(16); 3. } |
这个实现非常逆天,虽然有点小bug。我们知道hex颜色值是从#000000到#ffffff,后面那六位数是16进制数,相当于“0x000000”到“0xffffff”。这实现的思路是将hex的最大值ffffff先转换为10进制,进行random后再转换回16进制。我们看一下,如何得到16777215 这个数值的。
以下为引用的内容: <!doctype html> |
实现5
以下为引用的内容: 2. return '#' +(Math.random()*0xffffff<<0).toString(16); 3. } |
基本实现4的改进,利用左移运算符把0xffffff转化为整型。这样就不用记16777215了。由于左移运算符的优先级比不上乘号,因此随机后再左移,连Math.floor也不用了。
实现6
以下为引用的内容: 2. return '#' +( function (h){ 3. return new Array(7-h.length).join( "0" )+h 4. })((Math.random()*0x1000000<<0).toString(16)) 5. } |
修正上面版本的bug(无法生成纯白色与hex位数不足问题)。0x1000000相当0xffffff+1,确保会抽选到0xffffff。在闭包里我们处理hex值不足5位的问题,直接在未位补零。
实现7
以下为引用的内容: 2. return '#' +( '00000' +(Math.random()*0x1000000<<0).toString(16)).substr(-6); 3. } |
这次在前面补零,连递归检测也省了。
实战一下:
以下为引用的内容: <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01//EN" "http://www.w3.org/TR/html4/strict.dtd"> window.onload = function () { function drawSector(cx,cy,r,paper,oc,startAngle){ }; |
原文地址:http://www.cnblogs.com/rubylouvre/archive/2009/09/24/1572977.html