search
HomeWeb Front-endHTML TutorialGetting Started with Canvas (3): Image Processing and Drawing Text_html/css_WEB-ITnose

Source: http://www.ido321.com/997.html

1. Image processing (unless otherwise specified, all results are from the latest version of Google)

In HTML 5, the Canvas API can not only be used to draw graphics, but can also be used to process image files on the network or disk, and then draw them in the canvas. When drawing an image, you need to use the drawImage() method:

drawImage(image,x,y): image is an image reference, x,y is the starting position in the canvas when drawing the image

drawImage(image,x,y,w,h): The first three are the same as above, w and h are the width and height of the image when drawing, which can be used to scale the image

drawImage(image,sx,sy, sw,sh,dx,dy,dw.dh): Copy all or part of the drawn image in the canvas to another location on the canvas. sx, sy, sw, sh are respectively the starting position, width and height of the copied area in the original image, and dx, dy, dw, dh represent the starting position, height and width of the copied image in the canvas.

   1: // 获取canvas 的ID
   2: var canvas = document.getElementById('canvas');
   3: if (canvas == null)
   4: {
   5: return false;
   6: }
   7: // 获取上下文
   8: var context = canvas.getContext('2d');
   9: context.fillStyle = '#eeeeff';
  10: context.fillRect(0,0,400,300);
  11: var image = new Image();

12: image.src = 'my.jpg';

// onload event implements loading while drawing

  13: image.onload = function()
  14: {
  15: drawImage(context,image);
  16: };
  17: function drawImage(context,image)
  18: {
  19: for (var i = 0; i < 7; i++) {
  20: context.drawImage(image,0+i*50,0+i*25,100,100);
  21: };
  22: }

Effect:

1. Image tiling

   1: // 获取canvas 的ID
   2: var canvas = document.getElementById('canvas');
   3: if (canvas == null)
   4: {
   5: return false;
   6: }
   7: // 获取上下文
   8: var context = canvas.getContext('2d');
   9: context.fillStyle = '#eeeeff';
  10: context.fillRect(0,0,400,300);
  11: var image = new Image();
  12: image.src = 'my.jpg';
  13: // onload事件实现边绘制边加载
  14: image.onload = function()
  15: {
  16: drawImage(canvas,context,image);
  17: };
  18: function drawImage(canvas,context,image)
  19: {
  20: // 平铺比例
  21: var scale = 5;
  22: // 缩小图像后宽度
  23: var n1 = image.width / scale;
  24: // 缩小图像后高度
  25: var n2 = image.height / scale;
  26: // 横向平铺个数
  27: var n3 = canvas.width / n1;
  28: // 纵向平铺个数
  29: var n4 = canvas.height / n2;
  30: for(var i = 0; i < n3; i++)
  31: {
  32: for(var j=0; j < n4; j++)
  33: {
  34: context.drawImage(image,i*n1,j*n2,n1,n2);
  35: }
  36: }
  37: }

Effect:

In HTML 5, tiling can also be achieved using context.createPattern(image,type), and the type value is the same The tiling values ​​of background-image are the same.

   1: image.onload = function()
   2: {
   3: // drawImage(canvas,context,image);
   4: var ptrn = context.createPattern(image,'repeat');
   5: context.fillStyle = ptrn;
   6: context.fillRect(0,0,400,300);
   7: };

can also achieve tiling (the image is not scaled, so It is the original image size and tiled)

2. Image cropping

   1: // 获取canvas 的ID
   2: var canvas = document.getElementById('canvas');
   3: if (canvas == null)
   4: {
   5: return false;
   6: }
   7: // 获取上下文
   8: var context = canvas.getContext('2d');
   9: // 获取渐变对象
  10: var g1 = context.createLinearGradient(0,400,300,0);
  11: // 添加渐变颜色
  12: g1.addColorStop(0,'rgb(255,255,0)');
  13: g1.addColorStop(1,'rgb(0,255,255)');
  14: context.fillStyle = g1;
  15: context.fillRect(0,0,400,300);
  16: var image = new Image();
  17: // onload事件实现边绘制边加载
  18: image.onload = function()
  19: {
  20: drawImage(context,image);
  21: };
  22: image.src = 'my.jpg';
  23: function drawImage(context,image)
  24: {
  25: create5StarClip(context);
  26: context.drawImage(image,-50,-150,300,300);
  27: }
  28: function create5StarClip(context)
  29: {
  30: var dx = 100;
  31: var dy = 0;
  32: var s = 150;
  33: // 创建路径
  34: context.beginPath();
  35: context.translate(100,150);
  36: var x = Math.sin(0);
  37: var y = Math.cos(0);
  38: var dig = Math.PI/5 *4;
  39: // context.moveTo(dx,dy);
  40: for (var i = 0; i < 5; i++) {
  41: var x = Math.sin(i * dig);
  42: var y = Math.cos(i * dig);
  43: context.lineTo(dx+x*s,dy+y*s);
  44: }
  45: context.clip();
  46: }

Effect:

3. Pixel processing

   1: // 获取canvas 的ID
   2: var canvas = document.getElementById('canvas');
   3: if (canvas == null)
   4: {
   5: return false;
   6: }
   7: // 获取上下文
   8: var context = canvas.getContext('2d');
   9: var image = new Image();
  10: image.src = 'my.jpg';
  11: // onload事件实现边绘制边加载
  12: image.onload = function()
  13: {
  14: context.drawImage(image,0,0);
  15: // 获取原图像素
  16: var imageData = context.getImageData(0,0,image.width,image.height);
  17: for (var i = 0,n= imageData.data.length; i <n; i += 4) {
  18: // red
  19: imageData.data[i+0] = 255-imageData.data[i+0];
  20: // green
  21: imageData.data[i+1] = 255-imageData.data[i+2];
  22: // blue
  23: imageData.data[i+2] = 255-imageData.data[i+1];
  24: };
  25: // 将调整后的像素应用到图像
  26: context.putImageData(imageData,0,0);
  27: };

getImageData(sx,sy,sw,sh) : Indicates getting the starting coordinates and height and width of the pixel area, and returning a CanvasPixelArray object with attributes such as width, height, and data. The data attribute stores an array of pixel data, in the shape of [r1, g1, b1, a1, r2, g2, b2, a2...], r1, g1, b1, a1 are the red, green and blue values ​​​​and transparency of the first pixel respectively, and so on.

putImageData(imagedata,dx,dy[,dirtyx,dirtyy,dirtyWidth,dirtyHeight]): Redraw pixel data onto the image. imagedata is a pixel array, dx, dy represent the starting position of redrawing, and the next four parameters give the upper left corner coordinates and height and width of a rectangle.

The pixel operation of Canvas API is only supported by some browsers, and the screenshot effect comes from the new version of Firefox

2. Draw text

   1: // 获取canvas 的ID
   2: var canvas = document.getElementById('canvas');
   3: if (canvas == null)
   4: {
   5: return false;
   6: }
   7: // 获取上下文
   8: var context = canvas.getContext('2d');
   9: context.fillStyle = '#00f';
  10: // 设置文字属性
  11: context.font = 'italic 30px sans-serif';
  12: context.textBaseline = 'top';
  13: // 填充字符串
  14: context.fillText('Canvas绘制文字',0,0);
  15: context.font = 'bold 30px sans-serif';
  16: // 轮廓字符串
  17: context.strokeText('改变位置了',50,50);

fillText(string,x,y[,maxwidth]): The first three are not explained. maxwidth represents the maximum width of displayed text, which can prevent text from overflowing

strokeText(string ,x,y[,maxwidth]: Same as above.

Text attribute settings

font: Set font

textAlign: horizontal alignment, the value can be start/end/left /right/center. The default is start

textBaseline: vertical alignment, the value can be top/hanging/middle/alphabetic/ideographic/bottom. The default is alphabetic

Final effect


Next article: 9 JQuery and 5 JavaScript classic interview questions

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Difficulty in updating caching of official account web pages: How to avoid the old cache affecting the user experience after version update?Difficulty in updating caching of official account web pages: How to avoid the old cache affecting the user experience after version update?Mar 04, 2025 pm 12:32 PM

The official account web page update cache, this thing is simple and simple, and it is complicated enough to drink a pot of it. You worked hard to update the official account article, but the user still opened the old version. Who can bear the taste? In this article, let’s take a look at the twists and turns behind this and how to solve this problem gracefully. After reading it, you can easily deal with various caching problems, allowing your users to always experience the freshest content. Let’s talk about the basics first. To put it bluntly, in order to improve access speed, the browser or server stores some static resources (such as pictures, CSS, JS) or page content. Next time you access it, you can directly retrieve it from the cache without having to download it again, and it is naturally fast. But this thing is also a double-edged sword. The new version is online,

How to efficiently add stroke effects to PNG images on web pages?How to efficiently add stroke effects to PNG images on web pages?Mar 04, 2025 pm 02:39 PM

This article demonstrates efficient PNG border addition to webpages using CSS. It argues that CSS offers superior performance compared to JavaScript or libraries, detailing how to adjust border width, style, and color for subtle or prominent effect

How do I use HTML5 form validation attributes to validate user input?How do I use HTML5 form validation attributes to validate user input?Mar 17, 2025 pm 12:27 PM

The article discusses using HTML5 form validation attributes like required, pattern, min, max, and length limits to validate user input directly in the browser.

What is the purpose of the <datalist> element?What is the purpose of the <datalist> element?Mar 21, 2025 pm 12:33 PM

The article discusses the HTML <datalist> element, which enhances forms by providing autocomplete suggestions, improving user experience and reducing errors.Character count: 159

What is the purpose of the <progress> element?What is the purpose of the <progress> element?Mar 21, 2025 pm 12:34 PM

The article discusses the HTML <progress> element, its purpose, styling, and differences from the <meter> element. The main focus is on using <progress> for task completion and <meter> for stati

What are the best practices for cross-browser compatibility in HTML5?What are the best practices for cross-browser compatibility in HTML5?Mar 17, 2025 pm 12:20 PM

Article discusses best practices for ensuring HTML5 cross-browser compatibility, focusing on feature detection, progressive enhancement, and testing methods.

What is the purpose of the <meter> element?What is the purpose of the <meter> element?Mar 21, 2025 pm 12:35 PM

The article discusses the HTML <meter> element, used for displaying scalar or fractional values within a range, and its common applications in web development. It differentiates <meter> from <progress> and ex

What is the purpose of the <iframe> tag? What are the security considerations when using it?What is the purpose of the <iframe> tag? What are the security considerations when using it?Mar 20, 2025 pm 06:05 PM

The article discusses the <iframe> tag's purpose in embedding external content into webpages, its common uses, security risks, and alternatives like object tags and APIs.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

SecLists

SecLists

SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.