javascript – 如何使它在PNG中悬停在透明度上并不算作悬停?

前端之家收集整理的这篇文章主要介绍了javascript – 如何使它在PNG中悬停在透明度上并不算作悬停?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
当我将鼠标悬停在PNG的透明部分上时,它仍然就像我在实际图像上方盘旋一样.有没有办法可以防止这种情况发生?因此,当我将鼠标悬停在图像的可见部分而不是透明部分时,它只会采取行动?

我试图裁掉透明度,但我找不到怎样的方法.

解决方法

可以通过将png转换为canvas元素来完成

这可以通过将png加载到HTML-5 canvas元素中,然后在画布中查询所单击像素的alpha值来实现.

工作演示:http://jsfiddle.net/x9ScK/3/

HTML如下……

  1. <!-- create a canvas element to hold the PNG image -->
  2. <canvas id="canvas1" width="500" height="500"></canvas>

像这样的Javascript ……

  1. // select the canvas element with jQuery,and set up
  2. // a click handler for the whole canvas
  3. $('#canvas1').on('click',function(e) {
  4. // utility function for finding the position of the clicked pixel
  5. function findPos(obj) {
  6. var curleft = 0,curtop = 0;
  7. if (obj.offsetParent) {
  8. do {
  9. curleft += obj.offsetLeft;
  10. curtop += obj.offsetTop;
  11. } while (obj = obj.offsetParent);
  12. return { x: curleft,y: curtop };
  13. }
  14. return undefined;
  15. }
  16. // get the position of clicked pixel
  17. var pos = findPos(this);
  18. var x = e.pageX - pos.x;
  19. var y = e.pageY - pos.y;
  20. // get reference to canvas element clicked on
  21. var canvas = this.getContext('2d');
  22. // return array of [RED,GREEN,BLUE,ALPHA] as 0-255 of clicked pixel
  23. var pixel = canvas.getImageData(x,y,1,1).data;
  24. // if the alpha is not 0,we clicked a non-transparent pixel
  25. // could be easily adjusted to detect other features of the clicked pixel
  26. if(pixel[3] != 0){
  27. // do something when clicking on image...
  28. alert("Clicked the dice!");
  29. }
  30. });
  31.  
  32. // get reference to canvas DOM element
  33. var canvas = $('#canvas1')[0];
  34. // get reference to canvas context
  35. var context = canvas.getContext('2d');
  36.  
  37. // create an empty image
  38. var img = new Image();
  39. // after loading...
  40. img.onload = function() {
  41. // draw the image onto the canvas
  42. context.drawImage(img,0);
  43. }
  44.  
  45. // set the image source (can be any url - I used data URI to keep demo self contained)
  46. img.src = "data:image/png;base64,iVBORw0KGgoAAAANS ... more image data ...TkSuQmCC"; // PNG with transparency

猜你在找的JavaScript相关文章