HTML5 canvas ctx.fillText不会换行吗?


108

如果文本包含“ \ n”,我似乎无法将文本添加到画布。我的意思是,换行符没有显示/起作用。

ctxPaint.fillText("s  ome \n \\n <br/> thing", x, y);

上面的代码将"s ome \n <br/> thing"在一行上绘制。

这是fillText的限制还是我做错了?“ \ n”在那里,没有被打印,但是它们也不起作用。


1
您想在结束时自动换行吗?还是仅仅考虑文本中出现的换行符?
加布里埃莱·佩特里奥利

将文本换成多行。
塔楼

嗨,twodordan,chrome和mozilla都存在此限制吗?人们经常使用简单的html文本,例如放置在画布上的位置:绝对。另外,您可以执行两个fillText并在第二行中移动文本的Y原点。
蒂姆(Tim)


TL; DR:fillText()多次调用并使用您的字体高度进行分隔,或者使用developer.mozilla.org/en-US/docs/Web/API/TextMetrics developer.mozilla.org/en-US/docs/Web/API /… -或者,使用以下不使用TextMetrics的非常复杂的“解决方案”之一...
Andrew

Answers:


62

恐怕这是Canvas的局限性fillText。没有多行支持。更糟糕的是,没有内置的方法可以测量线的高度,只有宽度,这使您自己做起来更加困难!

很多人已经编写了自己的多行支持,也许其中最著名的项目是Mozilla Skywriter

您需要做的要点是多次fillText调用,同时每次将文本的高度添加到y值。(我相信,测量​​M的宽度是Skywriter人员为近似文本所做的工作。)


谢谢!我感觉会很麻烦...很高兴了解SKYWRITER,但我只是“等”直到fillText()得到改善。就我而言,这不是一个非常重要的协议。哈哈,没有线高,就像有人故意那样做。:D
Spectraljump

18
老实说,我不会为“改进” fillText()而屏住呼吸,因为我感觉这是打算使用的方式(多次调用并自己计算yOffset)。我认为canvas API的强大功能在于,它可以将较低级别的绘图功能与您已经可以执行的功能分开(执行必要的测量)。另外,您只需提供以像素为单位的文本大小即可知道文本的高度。换句话说:context.font =“ 16px Arial”; -你在那里有身高;宽度是唯一动态的宽度。
Lev

1
一些额外的属性measureText()已加入我认为可以解决这个问题。Chrome带有启用它们的标志,但是其他浏览器还没有...
SWdV

@SWdV只是要明确一点,那些已经存在于规范中多年了,直到我们被足够广泛的采用才能使用:(
Simon Sarris

67

如果您只想处理文本中的换行符,则可以通过在换行符处分割文本并多次调用 fillText()

http://jsfiddle.net/BaG4J/1/

var c = document.getElementById('c').getContext('2d');
c.font = '11px Courier';
    console.log(c);
var txt = 'line 1\nline 2\nthird line..';
var x = 30;
var y = 30;
var lineheight = 15;
var lines = txt.split('\n');

for (var i = 0; i<lines.length; i++)
    c.fillText(lines[i], x, y + (i*lineheight) );
canvas{background-color:#ccc;}
<canvas id="c" width="150" height="150"></canvas>


我只是 在http://jsfiddle.net/BaG4J/2/上做了一个包装概念的证明(在指定的宽度上进行绝对包装。还没有处理过的单词折断

var c = document.getElementById('c').getContext('2d');
c.font = '11px Courier';

var txt = 'this is a very long text to print';

printAt(c, txt, 10, 20, 15, 90 );


function printAt( context , text, x, y, lineHeight, fitWidth)
{
    fitWidth = fitWidth || 0;
    
    if (fitWidth <= 0)
    {
         context.fillText( text, x, y );
        return;
    }
    
    for (var idx = 1; idx <= text.length; idx++)
    {
        var str = text.substr(0, idx);
        console.log(str, context.measureText(str).width, fitWidth);
        if (context.measureText(str).width > fitWidth)
        {
            context.fillText( text.substr(0, idx-1), x, y );
            printAt(context, text.substr(idx-1), x, y + lineHeight, lineHeight,  fitWidth);
            return;
        }
    }
    context.fillText( text, x, y );
}
canvas{background-color:#ccc;}
<canvas id="c" width="150" height="150"></canvas>


以及换行(在空格处打断)的概念证明。http://jsfiddle.net/BaG4J/5/上的
示例

var c = document.getElementById('c').getContext('2d');
c.font = '11px Courier';

var txt = 'this is a very long text. Some more to print!';

printAtWordWrap(c, txt, 10, 20, 15, 90 );


function printAtWordWrap( context , text, x, y, lineHeight, fitWidth)
{
    fitWidth = fitWidth || 0;
    
    if (fitWidth <= 0)
    {
        context.fillText( text, x, y );
        return;
    }
    var words = text.split(' ');
    var currentLine = 0;
    var idx = 1;
    while (words.length > 0 && idx <= words.length)
    {
        var str = words.slice(0,idx).join(' ');
        var w = context.measureText(str).width;
        if ( w > fitWidth )
        {
            if (idx==1)
            {
                idx=2;
            }
            context.fillText( words.slice(0,idx-1).join(' '), x, y + (lineHeight*currentLine) );
            currentLine++;
            words = words.splice(idx-1);
            idx = 1;
        }
        else
        {idx++;}
    }
    if  (idx > 0)
        context.fillText( words.join(' '), x, y + (lineHeight*currentLine) );
}
canvas{background-color:#ccc;}
<canvas id="c" width="150" height="150"></canvas>


在第二个和第三个示例中,我使用的measureText()方法显示的是打印时字符串的长度(以像素为单位)。


如何证明整个长篇幅?
Amirhossein Tarmast

如果需要长而合理的文本,为什么要使用画布?
Mike'Pomax'Kamermans

39

也许参加这个聚会有点晚了,但是我发现了以下教程,可以将文本包装在完美的画布上。

http://www.html5canvastutorials.com/tutorials/html5-canvas-wrap-text-tutorial/

由此,我想到了多条线可以工作(对不起,拉米雷斯,您的那条线对我不起作用!)。将文本包装在画布中的完整代码如下:

<script type="text/javascript">

     // http: //www.html5canvastutorials.com/tutorials/html5-canvas-wrap-text-tutorial/
     function wrapText(context, text, x, y, maxWidth, lineHeight) {
        var cars = text.split("\n");

        for (var ii = 0; ii < cars.length; ii++) {

            var line = "";
            var words = cars[ii].split(" ");

            for (var n = 0; n < words.length; n++) {
                var testLine = line + words[n] + " ";
                var metrics = context.measureText(testLine);
                var testWidth = metrics.width;

                if (testWidth > maxWidth) {
                    context.fillText(line, x, y);
                    line = words[n] + " ";
                    y += lineHeight;
                }
                else {
                    line = testLine;
                }
            }

            context.fillText(line, x, y);
            y += lineHeight;
        }
     }

     function DrawText() {

         var canvas = document.getElementById("c");
         var context = canvas.getContext("2d");

         context.clearRect(0, 0, 500, 600);

         var maxWidth = 400;
         var lineHeight = 60;
         var x = 20; // (canvas.width - maxWidth) / 2;
         var y = 58;


         var text = document.getElementById("text").value.toUpperCase();                

         context.fillStyle = "rgba(255, 0, 0, 1)";
         context.fillRect(0, 0, 600, 500);

         context.font = "51px 'LeagueGothicRegular'";
         context.fillStyle = "#333";

         wrapText(context, text, x, y, maxWidth, lineHeight);
     }

     $(document).ready(function () {

         $("#text").keyup(function () {
             DrawText();
         });

     });

    </script>

c我的画布的ID 在哪里,text为我的文本框的ID。

您可能会看到我正在使用非标准字体。您可以使用@ font-face,只要您已在某些文本上使用了字体即可操作画布-否则画布将不会拾取字体。

希望这对某人有帮助。


26

将文本分成几行,分别绘制:

function fillTextMultiLine(ctx, text, x, y) {
  var lineHeight = ctx.measureText("M").width * 1.2;
  var lines = text.split("\n");
  for (var i = 0; i < lines.length; ++i) {
    ctx.fillText(lines[i], x, y);
    y += lineHeight;
  }
}

17

这是我的解决方案,修改这里已经介绍的流行的wrapText()函数。我正在使用JavaScript的原型功能,以便您可以从画布上下文中调用该函数。

CanvasRenderingContext2D.prototype.wrapText = function (text, x, y, maxWidth, lineHeight) {

    var lines = text.split("\n");

    for (var i = 0; i < lines.length; i++) {

        var words = lines[i].split(' ');
        var line = '';

        for (var n = 0; n < words.length; n++) {
            var testLine = line + words[n] + ' ';
            var metrics = this.measureText(testLine);
            var testWidth = metrics.width;
            if (testWidth > maxWidth && n > 0) {
                this.fillText(line, x, y);
                line = words[n] + ' ';
                y += lineHeight;
            }
            else {
                line = testLine;
            }
        }

        this.fillText(line, x, y);
        y += lineHeight;
    }
}

基本用法:

var myCanvas = document.getElementById("myCanvas");
var ctx = myCanvas.getContext("2d");
ctx.fillStyle = "black";
ctx.font = "12px sans-serif";
ctx.textBaseline = "top";
ctx.wrapText("Hello\nWorld!",20,20,160,16);

这是我整理的一个演示:http : //jsfiddle.net/7RdbL/


像魅力一样工作。谢谢。
couzzi '16

13

我刚刚扩展了CanvasRenderingContext2D,添加了两个函数:mlFillText和mlStrokeText。

您可以在GitHub中找到最新版本:

使用此功能,您可以在框中填充/描边军事文字。您可以将文本垂直对齐和水平对齐。(它考虑了\ n,也可以使文本对齐)。

原型是:

功能mlFillText(text,x,y,w,h,vAlign,hAlign,lineheight); 功能mlStrokeText(text,x,y,w,h,vAlign,hAlign,lineheight);

其中vAlign可以是:“顶部”,“中心”或“按钮”,而hAlign可以是:“左”,“中心”,“右”或“对齐”

您可以在此处测试lib:http : //jsfiddle.net/4WRZj/1/

在此处输入图片说明

这是库的代码:

// Library: mltext.js
// Desciption: Extends the CanvasRenderingContext2D that adds two functions: mlFillText and mlStrokeText.
//
// The prototypes are: 
//
// function mlFillText(text,x,y,w,h,vAlign,hAlign,lineheight);
// function mlStrokeText(text,x,y,w,h,vAlign,hAlign,lineheight);
// 
// Where vAlign can be: "top", "center" or "button"
// And hAlign can be: "left", "center", "right" or "justify"
// Author: Jordi Baylina. (baylina at uniclau.com)
// License: GPL
// Date: 2013-02-21

function mlFunction(text, x, y, w, h, hAlign, vAlign, lineheight, fn) {
    text = text.replace(/[\n]/g, " \n ");
    text = text.replace(/\r/g, "");
    var words = text.split(/[ ]+/);
    var sp = this.measureText(' ').width;
    var lines = [];
    var actualline = 0;
    var actualsize = 0;
    var wo;
    lines[actualline] = {};
    lines[actualline].Words = [];
    i = 0;
    while (i < words.length) {
        var word = words[i];
        if (word == "\n") {
            lines[actualline].EndParagraph = true;
            actualline++;
            actualsize = 0;
            lines[actualline] = {};
            lines[actualline].Words = [];
            i++;
        } else {
            wo = {};
            wo.l = this.measureText(word).width;
            if (actualsize === 0) {
                while (wo.l > w) {
                    word = word.slice(0, word.length - 1);
                    wo.l = this.measureText(word).width;
                }
                if (word === "") return; // I can't fill a single character
                wo.word = word;
                lines[actualline].Words.push(wo);
                actualsize = wo.l;
                if (word != words[i]) {
                    words[i] = words[i].slice(word.length, words[i].length);
                } else {
                    i++;
                }
            } else {
                if (actualsize + sp + wo.l > w) {
                    lines[actualline].EndParagraph = false;
                    actualline++;
                    actualsize = 0;
                    lines[actualline] = {};
                    lines[actualline].Words = [];
                } else {
                    wo.word = word;
                    lines[actualline].Words.push(wo);
                    actualsize += sp + wo.l;
                    i++;
                }
            }
        }
    }
    if (actualsize === 0) lines[actualline].pop();
    lines[actualline].EndParagraph = true;

    var totalH = lineheight * lines.length;
    while (totalH > h) {
        lines.pop();
        totalH = lineheight * lines.length;
    }

    var yy;
    if (vAlign == "bottom") {
        yy = y + h - totalH + lineheight;
    } else if (vAlign == "center") {
        yy = y + h / 2 - totalH / 2 + lineheight;
    } else {
        yy = y + lineheight;
    }

    var oldTextAlign = this.textAlign;
    this.textAlign = "left";

    for (var li in lines) {
        var totallen = 0;
        var xx, usp;
        for (wo in lines[li].Words) totallen += lines[li].Words[wo].l;
        if (hAlign == "center") {
            usp = sp;
            xx = x + w / 2 - (totallen + sp * (lines[li].Words.length - 1)) / 2;
        } else if ((hAlign == "justify") && (!lines[li].EndParagraph)) {
            xx = x;
            usp = (w - totallen) / (lines[li].Words.length - 1);
        } else if (hAlign == "right") {
            xx = x + w - (totallen + sp * (lines[li].Words.length - 1));
            usp = sp;
        } else { // left
            xx = x;
            usp = sp;
        }
        for (wo in lines[li].Words) {
            if (fn == "fillText") {
                this.fillText(lines[li].Words[wo].word, xx, yy);
            } else if (fn == "strokeText") {
                this.strokeText(lines[li].Words[wo].word, xx, yy);
            }
            xx += lines[li].Words[wo].l + usp;
        }
        yy += lineheight;
    }
    this.textAlign = oldTextAlign;
}

(function mlInit() {
    CanvasRenderingContext2D.prototype.mlFunction = mlFunction;

    CanvasRenderingContext2D.prototype.mlFillText = function (text, x, y, w, h, vAlign, hAlign, lineheight) {
        this.mlFunction(text, x, y, w, h, hAlign, vAlign, lineheight, "fillText");
    };

    CanvasRenderingContext2D.prototype.mlStrokeText = function (text, x, y, w, h, vAlign, hAlign, lineheight) {
        this.mlFunction(text, x, y, w, h, hAlign, vAlign, lineheight, "strokeText");
    };
})();

这是使用示例:

var c = document.getElementById("myCanvas");
var ctx = c.getContext("2d");

var T = "This is a very long line line with a CR at the end.\n This is the second line.\nAnd this is the last line.";
var lh = 12;

ctx.lineWidth = 1;

ctx.mlFillText(T, 10, 10, 100, 100, 'top', 'left', lh);
ctx.strokeRect(10, 10, 100, 100);

ctx.mlFillText(T, 110, 10, 100, 100, 'top', 'center', lh);
ctx.strokeRect(110, 10, 100, 100);

ctx.mlFillText(T, 210, 10, 100, 100, 'top', 'right', lh);
ctx.strokeRect(210, 10, 100, 100);

ctx.mlFillText(T, 310, 10, 100, 100, 'top', 'justify', lh);
ctx.strokeRect(310, 10, 100, 100);

ctx.mlFillText(T, 10, 110, 100, 100, 'center', 'left', lh);
ctx.strokeRect(10, 110, 100, 100);

ctx.mlFillText(T, 110, 110, 100, 100, 'center', 'center', lh);
ctx.strokeRect(110, 110, 100, 100);

ctx.mlFillText(T, 210, 110, 100, 100, 'center', 'right', lh);
ctx.strokeRect(210, 110, 100, 100);

ctx.mlFillText(T, 310, 110, 100, 100, 'center', 'justify', lh);
ctx.strokeRect(310, 110, 100, 100);

ctx.mlFillText(T, 10, 210, 100, 100, 'bottom', 'left', lh);
ctx.strokeRect(10, 210, 100, 100);

ctx.mlFillText(T, 110, 210, 100, 100, 'bottom', 'center', lh);
ctx.strokeRect(110, 210, 100, 100);

ctx.mlFillText(T, 210, 210, 100, 100, 'bottom', 'right', lh);
ctx.strokeRect(210, 210, 100, 100);

ctx.mlFillText(T, 310, 210, 100, 100, 'bottom', 'justify', lh);
ctx.strokeRect(310, 210, 100, 100);

ctx.mlStrokeText("Yo can also use mlStrokeText!", 0 , 310 , 420, 30, 'center', 'center', lh);

Uncaught ReferenceError: Words is not defined如果我尝试更改字体。例如:ctx.font = '40px Arial';-尝试将它放到小提琴中
psycho brm 2013年

顺便说一句,Words(区分大小写的)变量到底来自哪里?它在任何地方都没有定义。代码当您更改字体只能被执行的那部分..
心理BRM

1
@psychobrm你绝对正确。这是一个错误(我已经解决了)。仅当您必须将单词分成两行时才执行这部分代码。谢谢!
jbaylina

我已经进行了一些必要的升级:渲染空间,渲染前导/尾随换行符,渲染笔触和一次调用填充(不要两次测量文本),我还必须更改迭代,因为for in在extended中效果不佳Array.prototype。您可以将其放在github上以便我们对其进行迭代吗?
psycho brm

@psychobrm我合并了您的更改。谢谢!
jbaylina 2013年

8

使用javascript我开发了一个解决方案。它不漂亮,但对我有用:


function drawMultilineText(){

    // set context and formatting   
    var context = document.getElementById("canvas").getContext('2d');
    context.font = fontStyleStr;
    context.textAlign = "center";
    context.textBaseline = "top";
    context.fillStyle = "#000000";

    // prepare textarea value to be drawn as multiline text.
    var textval = document.getElementByID("textarea").value;
    var textvalArr = toMultiLine(textval);
    var linespacing = 25;
    var startX = 0;
    var startY = 0;

    // draw each line on canvas. 
    for(var i = 0; i < textvalArr.length; i++){
        context.fillText(textvalArr[i], x, y);
        y += linespacing;
    }
}

// Creates an array where the <br/> tag splits the values.
function toMultiLine(text){
   var textArr = new Array();
   text = text.replace(/\n\r?/g, '<br/>');
   textArr = text.split("<br/>");
   return textArr;
}

希望有帮助!


1
您好,假设我的文本像这样var text =“ aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa 那么在画布上发生了什么?
2015年

它将消失在画布上,因为@Ramirez并未将maxWidth参数放入fillText :)
KaHa6uc 2016年

6

@Gaby Petrioli提供的自动换行代码(在空格处打断)非常有用。我已经扩展了他的代码,以支持换行符\n。同样,通常,具有边界框的尺寸很有用,因此multiMeasureText()返回宽度和高度。

您可以在此处查看代码:http : //jsfiddle.net/jeffchan/WHgaY/76/


链接过期,即使您有可用的链接,也请在此答案中添加代码。如果jsfiddle关闭,则此答案将变得完全无用。
Mike'Pomax'Kamermans

5

这是Colin的一个版本wrapText(),它还支持带有以下内容的垂直居中文本context.textBaseline = 'middle'

var wrapText = function (context, text, x, y, maxWidth, lineHeight) {
    var paragraphs = text.split("\n");
    var textLines = [];

    // Loop through paragraphs
    for (var p = 0; p < paragraphs.length; p++) {
        var line = "";
        var words = paragraphs[p].split(" ");
        // Loop through words
        for (var w = 0; w < words.length; w++) {
            var testLine = line + words[w] + " ";
            var metrics = context.measureText(testLine);
            var testWidth = metrics.width;
            // Make a line break if line is too long
            if (testWidth > maxWidth) {
                textLines.push(line.trim());
                line = words[w] + " ";
            }
            else {
                line = testLine;
            }
        }
        textLines.push(line.trim());
    }

    // Move text up if centered vertically
    if (context.textBaseline === 'middle')
        y = y - ((textLines.length-1) * lineHeight) / 2;

    // Render text on canvas
    for (var tl = 0; tl < textLines.length; tl++) {
        context.fillText(textLines[tl], x, y);
        y += lineHeight;
    }
};

5

如果只需要两行文本,则可以将它们分为两个不同的fillText调用,并为每个文本指定不同的基线。

ctx.textBaseline="bottom";
ctx.fillText("First line", x-position, y-position);
ctx.textBaseline="top";
ctx.fillText("Second line", x-position, y-position);

4

这个问题不是在考虑画布的工作方式。如果要换行,只需调整下一个的坐标ctx.fillText

ctx.fillText("line1", w,x,y,z)
ctx.fillText("line2", w,x,y,z+20)

3

我认为您仍然可以依靠CSS

ctx.measureText().height doesnt exist.

幸运的是,通过CSS hack-ardry(有关更多的方法来修复使用CSS测量的较早实现的方法,请参见Typical Metrics),我们可以通过测量具有相同font-properties的offsetHeight来找到文本的高度:

var d = document.createElement(”span”);
d.font = 20px arial
d.textContent = Hello world!”
var emHeight = d.offsetHeight;

来自:http : //www.html5rocks.com/zh-CN/tutorials/canvas/texteffects/


如果您有足够的内存构造每次需要测量的元素,那将是一个很好的解决方案。您还可以ctx.save()的话,ctx.font = '12pt Arial' 那么,parseInt( ctx.font, 10 )。请注意,设置时我使用“ pt”。然后它将转换为PX,并能够转换为数字以用作字体的高度。
埃里克·霍登斯基

3

我在这里为这种情况创建了一个微型库: Canvas-Txt

它以多行显示文本,并提供不错的对齐方式。

为了使用它,您将需要安装它或使用CDN。

安装

npm install canvas-txt --save

的JavaScript

import canvasTxt from 'canvas-txt'

var c = document.getElementById('myCanvas')
var ctx = c.getContext('2d')

var txt = 'Lorem ipsum dolor sit amet'

canvasTxt.fontSize = 24

canvasTxt.drawText(ctx, txt, 100, 200, 200, 200)

这将在不可见的框中呈现文本,其位置/尺寸为:

{ x: 100, y: 200, height: 200, width: 200 }

小提琴的例子

/* https://github.com/geongeorge/Canvas-Txt  */

const canvasTxt = window.canvasTxt.default;
const ctx = document.getElementById('myCanvas').getContext('2d');

const txt = "Lorem ipsum dolor sit amet";
const bounds = { width: 240, height: 80 };

let origin = { x: ctx.canvas.width / 2, y: ctx.canvas.height / 2, };
let offset = { x: origin.x - (bounds.width / 2), y: origin.y - (bounds.height / 2) };

canvasTxt.fontSize = 20;

ctx.fillStyle = '#C1A700';
ctx.fillRect(offset.x, offset.y, bounds.width, bounds.height);

ctx.fillStyle = '#FFFFFF';
canvasTxt.drawText(ctx, txt, offset.x, offset.y, bounds.width, bounds.height);
body {
  background: #111;
}

canvas {
  border: 1px solid #333;
  background: #222; /* Could alternatively be painted on the canvas */
}
<script src="https://unpkg.com/canvas-txt@2.0.6/build/index.js"></script>

<canvas id="myCanvas" width="300" height="160"></canvas>


我继续并定义了一些变量来帮助“自我记录”示例。它还可以处理边界框在画布中居中的情况。我还在后面添加了一个矩形,因此您实际上可以看到它在关系中居中。做得好!+1我注意到的一件事是,换行不会消除其前导空格。您可能需要修剪每一行,例如,ctx.fillText(txtline.trim(), textanchor, txtY)我只在您网站上的交互式演示中注意到了这一点。
Polywhirl先生

@ Mr.Polywhirl感谢您整理答案。我已经修复了修剪问题并发布了该2.0.9版本。通过更新软件包版本来修复演示站点。多个空格存在问题。我不知道选择一个有目的的软件包还是忽略该问题是否更好。正在从多个地方获取对此的请求。我继续进行,并增加了修剪。Lorem ipsum dolor, sit <many spaces> amet 这就是为什么我一开始没有这样做的原因。您认为我应该考虑多个空格并且仅在只有一个空格时删除吗?
Geon George

编辑:看来StackOverflow代码块也忽略了多个空格
Geon George

2

我认为这也不可能,但是一种解决方法是创建一个<p>元素并将其放置在Javascript中。


是的,这就是我的想法。只是使用fillText()and strokeText(),您可以做CSS不能做的事情。
塔楼

我还没有测试过,但是我认为这可能是一个更好的解决方案-这里使用fillText()的其他解决方案使之成为可能,因此无法选择(或大概粘贴)文本。
杰里·阿舍

2

由于同样的问题,我碰巧遇到了这个问题。我正在使用可变的字体大小,因此需要考虑以下因素:

var texts=($(this).find('.noteContent').html()).split("<br>");
for (var k in texts) {
    ctx.fillText(texts[k], left, (top+((parseInt(ctx.font)+2)*k)));
}

其中.noteContent是用户编辑的contenteditable div(此嵌套在jQuery每个函数中),而ctx.font是“ 14px Arial”(注意,像素大小排在最前面)


0

画布元素不支持换行符'\ n',制表符'\ t'或<br />标记等字符。

试试吧:

var newrow = mheight + 30;
ctx.fillStyle = "rgb(0, 0, 0)";
ctx.font = "bold 24px 'Verdana'";
ctx.textAlign = "center";
ctx.fillText("Game Over", mwidth, mheight); //first line
ctx.fillText("play again", mwidth, newrow); //second line 

或多行:

var textArray = new Array('line2', 'line3', 'line4', 'line5');
var rows = 98;
ctx.fillStyle = "rgb(0, 0, 0)";
ctx.font = "bold 24px 'Verdana'";
ctx.textAlign = "center";
ctx.fillText("Game Over", mwidth, mheight); //first line

for(var i=0; i < textArray.length; ++i) {
rows += 30;
ctx.fillText(textArray[i], mwidth, rows); 
}  

0

我的ES5解决方案:

var wrap_text = (ctx, text, x, y, lineHeight, maxWidth, textAlign) => {
  if(!textAlign) textAlign = 'center'
  ctx.textAlign = textAlign
  var words = text.split(' ')
  var lines = []
  var sliceFrom = 0
  for(var i = 0; i < words.length; i++) {
    var chunk = words.slice(sliceFrom, i).join(' ')
    var last = i === words.length - 1
    var bigger = ctx.measureText(chunk).width > maxWidth
    if(bigger) {
      lines.push(words.slice(sliceFrom, i).join(' '))
      sliceFrom = i
    }
    if(last) {
      lines.push(words.slice(sliceFrom, words.length).join(' '))
      sliceFrom = i
    }
  }
  var offsetY = 0
  var offsetX = 0
  if(textAlign === 'center') offsetX = maxWidth / 2
  for(var i = 0; i < lines.length; i++) {
    ctx.fillText(lines[i], x + offsetX, y + offsetY)
    offsetY = offsetY + lineHeight
  }
}

有关此问题的更多信息,请访问我的博客

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.