假设我有一张图片!
现在我想用
我的最终图像应该是这样的
怎么做?到目前为止,我能够更改该图像的颜色,但无法填充图案。
我可以用 html5 画布(模式)来做吗?有没有办法用 php 或任何网络平台来做到这一点。
假设我有一张图片!
现在我想用
我的最终图像应该是这样的
怎么做?到目前为止,我能够更改该图像的颜色,但无法填充图案。
我可以用 html5 画布(模式)来做吗?有没有办法用 php 或任何网络平台来做到这一点。
使用以下步骤创建模拟,将映射图案应用于您的衬衫:
为了更好的解决方案
创建衬衫的“凹凸贴图”,并在 three.js 中应用方格图案
这是代码和小提琴:http: //jsfiddle.net/m1erickson/kzfKD/
<!doctype html>
<html>
<head>
<link rel="stylesheet" type="text/css" media="all" href="css/reset.css" /> <!-- reset css -->
<script src="http://code.jquery.com/jquery.min.js"></script>
<style>
body{ background-color: ivory; }
canvas{border:1px solid red;}
</style>
<script>
$(function(){
var canvas=document.getElementById("canvas");
var ctx=canvas.getContext("2d");
var img1=new Image();
var img=new Image();
img.onload=function(){
img1.onload=function(){
start();
}
img1.src="https://dl.dropboxusercontent.com/u/139992952/stackoverflow/4jiSz1.png";
}
img.src="https://dl.dropboxusercontent.com/u/139992952/stackoverflow/BooMu1.png";
function start(){
ctx.drawImage(img1,0,0);
ctx.globalCompositeOperation="source-atop";
ctx.globalAlpha=.85;
var pattern = ctx.createPattern(img, 'repeat');
ctx.rect(0, 0, canvas.width, canvas.height);
ctx.fillStyle = pattern;
ctx.fill();
ctx.globalAlpha=.15;
ctx.drawImage(img1,0,0);
ctx.drawImage(img1,0,0);
}
}); // end $(function(){});
</script>
</head>
<body>
<canvas id="canvas" width=436 height=567></canvas>
</body>
</html>
正如您对问题的评论中所建议的那样,一种方法是覆盖 DOM 元素——顶部的 DOM 元素应该是具有透明度的 PNG,而底部的元素应该是您的背景图案。这也有效(而且速度更快,因为您不必计算组合图像),但在图像组合方式方面提供的灵活性稍差。使用 canvas 方法,您可以使用任何您想要的混合模式。
大多数浏览器尚不支持的第二个选项是使用CSS 背景混合模式。这将允许您创建具有透明度的 PNG 图像,为其分配背景颜色,并使用与 CSS 的混合。这速度很快,并且只需要一个 DOM 元素。
第三种方法是使用画布。(编辑: markE 的画布方法更快更简单。)我在这个 JSFiddle 中实现了一种基于画布的方法:http: //jsfiddle.net/IceCreamYou/uzzLa/ - 这是要点:
// Get the base image data
var image_data = ctx.getImageData(0, 0, ctx.canvas.width, ctx.canvas.height);
var image_data_array = image_data.data;
// Get the pattern image data
var overlay_data = ovlyCtx.getImageData(0, 0, ovlyCtx.canvas.width, ovlyCtx.canvas.height).data;
// Loop over the pixels in the base image and merge the colors
for (var i = 0, j = image_data_array.length; i < j; i+=4) {
// Only merge when the base image pixel is nontransparent
// Alternatively you could implement a border-checking algorithm depending on your needs
if (image_data_array[i+3] > 0) {
image_data_array[i+0] = combine(image_data_array[i+0], overlay_data[i+0]); // r
image_data_array[i+1] = combine(image_data_array[i+1], overlay_data[i+1]); // g
image_data_array[i+2] = combine(image_data_array[i+2], overlay_data[i+2]); // b
}
}
// Write the image data back to the canvas
ctx.putImageData(image_data, 0, 0);
它的作用是创建一个带有基本图像的画布和第二个平铺图案图像的画布,然后在基本像素不透明时使用像素数据将图案覆盖在基底上。