const canvas = document.getElementById('myCanvas'); const ctx = canvas.getContext('2d'); const text = '这是一段需要换行的文字,第一行要顶格2个字符'; const maxWidth = 200; const lineHeight = 30; const x = 10; let y = 50; // 绘制第一行文字 ctx.fillText(text.substring(0, 2), x, y); // 计算第一行文字的宽度 const firstLineWidth = ctx.measureText(text.substring(0, 2)).width; // 绘制剩余部分的文字 let index = 2; while (index < text.length) { const line = getNextLine(text, index, maxWidth - firstLineWidth); ctx.fillText(line, x + firstLineWidth, y); y += lineHeight; index += line.length; } // 获取下一行要绘制的文字 function getNextLine(text, startIndex, maxWidth) { let endIndex = startIndex; let lineWidth = 0; while (endIndex < text.length && lineWidth < maxWidth) { lineWidth += ctx.measureText(text.charAt(endIndex)).width; endIndex++; } // 如果到达了最后一个字符仍然小于最大宽度,则直接返回 if (endIndex === text.length && lineWidth <= maxWidth) { return text.substring(startIndex); } // 否则返回到上一个空格处 for (let i = endIndex - 1; i > startIndex; i--) { if (text.charAt(i) === ' ') { endIndex = i + 1; break; } } return text.substring(startIndex, endIndex); }给这段代码增加行数显示,超出限制行数用...显示
时间: 2023-12-17 17:06:04 浏览: 102
Drawing Text in Canvas Using Javascript.zip
可以在绘制文字之前增加一个计数器,每绘制一行文字就将计数器减1,当计数器为0时,即达到了限制行数,就不再绘制文字。同时,需要在最后一行文字结尾处加上省略号,以表示该行文字被截断了。
修改后的代码如下:
```
const canvas = document.getElementById('myCanvas');
const ctx = canvas.getContext('2d');
const text = '这是一段需要换行的文字,第一行要顶格2个字符';
const maxWidth = 200;
const lineHeight = 30;
const x = 10;
let y = 50;
let lineCount = 3; // 限制行数为3行
// 绘制第一行文字
ctx.fillText(text.substring(0, 2), x, y);
// 计算第一行文字的宽度
const firstLineWidth = ctx.measureText(text.substring(0, 2)).width;
// 绘制剩余部分的文字
let index = 2;
while (index < text.length && lineCount > 0) {
const line = getNextLine(text, index, maxWidth - firstLineWidth);
// 绘制当前行文字
ctx.fillText(line, x + firstLineWidth, y);
// 更新纵坐标和行数计数器
y += lineHeight;
lineCount--;
// 更新字符索引
index += line.length;
}
// 如果还有剩余的文字未绘制,则在最后一行结尾处加上省略号
if (index < text.length) {
const lastLine = '...' + text.substring(index);
const lastLineWidth = ctx.measureText(lastLine).width;
ctx.fillText(lastLine, x + firstLineWidth, y);
}
// 获取下一行要绘制的文字
function getNextLine(text, startIndex, maxWidth) {
let endIndex = startIndex;
let lineWidth = 0;
while (endIndex < text.length && lineWidth < maxWidth) {
lineWidth += ctx.measureText(text.charAt(endIndex)).width;
endIndex++;
}
// 如果到达了最后一个字符仍然小于最大宽度,则直接返回
if (endIndex === text.length && lineWidth <= maxWidth) {
return text.substring(startIndex);
}
// 否则返回到上一个空格处
for (let i = endIndex - 1; i > startIndex; i--) {
if (text.charAt(i) === ' ') {
endIndex = i + 1;
break;
}
}
return text.substring(startIndex, endIndex);
}
```
在上述代码中,我们加入了一个 lineCount 变量,用于记录还可以绘制的行数。每绘制一行文字,就将 lineCount 减1,当 lineCount 为0时,即达到了限制行数,就不再绘制文字。同时,如果还有剩余的文字未绘制,则在最后一行结尾处加上省略号。
阅读全文