HTML5キャンバスctx.fillTextは改行しませんか?


108

テキストに「\ n」が含まれていると、キャンバスにテキストを追加できないようです。つまり、改行は表示/機能しません。

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

上記のコードは"s ome \n <br/> thing"、1行でを描画します。

これはfillTextの制限ですか、それとも間違っていますか?「\ n」はそこにあり、印刷されませんが、どちらも機能しません。


1
最後に到達したときに自動的にラップしますか?または、テキストに存在する改行文字を考慮するだけですか?
ガブリエレペトリオーリ2010

テキストを複数行に折り返します。
タワー

こんにちはtwodordan、この制限はクロムとモジラの両方に存在しますか?人々はしばしば、例えばposition:absoluteでキャンバス上に置いた単純なhtmlテキストを使用します。また、2つのfillTextを実行し、2行目のテキストのY原点を移動することもできます。
ティム


TL; DR:呼び出しのどちらかfillText()を複数回と分離するために、あなたのフォントの高さを使用し、または使用developer.mozilla.org/en-US/docs/Web/API/TextMetrics developer.mozilla.org/en-US/docs/Web/API /… -または、TextMetricsを使用しない以下の非常に複雑な「ソリューション」の1つを使用します...
Andrew

回答:


62

Canvasの制限だと思いfillTextます。複数行のサポートはありません。さらに悪いことに、行の高さを測定する組み込みの方法はなく、幅だけを測定するため、自分で測定するのはさらに難しくなります。

多くの人が独自のマルチラインサポートを作成しており、おそらく最も注目に値するプロジェクトはMozilla Skywriterです。

あなたがしなければならないことの要点はfillText、テキストの高さを毎回y値に追加しながら複数回呼び出すことです。(Mの幅を測定することは、スカイライターの人々がテキストを近似するために行うことだと思います。)


ありがとうございました!面倒だと感じました... SKYWRITERについて知ってよかったですが、fillText()が改善されるまで「待機」します。私の場合、それはそれほど重要な取引ではありませんでした。ああ、行の高さはありません。誰かが故意にそれをしたようなものです。:D
Spectraljump

18
正直なところ、これをサポートするためにfillText()が「改善」されていることに気を配ることはしません。canvas APIの強力な点の1つは、低レベルの描画機能を既に実行できる機能から分離することです(必要な測定を実行します)。また、テキストのサイズをピクセル単位で指定するだけで、テキストの高さを知ることができます。つまり、context.font = "16px Arial"; -あなたはそこに身長を持っています。幅は動的な唯一のものです。
Lev

1
いくつかの付加的な特性のためにはmeasureText()、私はこの問題を解決することができると思いますが追加されました。Chromeにはそれらを有効にするフラグがありますが、他のブラウザでは有効にできません...
SWdV 2017

@SWdVは明確にするために、これらは何年もの間仕様に含まれていますが、使用するのに十分に広く採用されるまでにはまだ数年かかる可能性があります:(
Simon Sarris 2017

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>


2番目と3番目の例measureText()では、印刷時に文字列が(ピクセル単位で)どれだけ長くなるかを示す方法を使用しています。


長いテキスト全体を正当化する方法は?
アミロホセインタルマスト

正当で長いテキストが必要な場合、なぜキャンバスを使用するのでしょうか。
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

13

CanvasRenderingContext2Dを拡張して、mlFillTextとmlStrokeTextの2つの関数を追加しました。

最新バージョンはGitHubにあります

この機能を使用すると、ボックス内にマルチラインテキストを入力/ストロークできます。テキストを垂直方向と水平方向に揃えることができます。(\ nを考慮し、テキストを正当化することもできます)。

プロトタイプは次のとおりです。

関数mlFillText(テキスト、x、y、w、h、vAlign、hAlign、lineheight); 関数mlStrokeText(テキスト、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

ところで、Words(大文字と小文字を区別する)変数はどこから来るのですか?どこにも定義されていません。あなたは、フォントを変更したときにのみ実行されますコードのその部分...
心理BRM

1
@psychobrmあなたは絶対的に正しいです。これはバグです(すでに修正しています)。コードのこの部分は、単語を2行に分割する必要がある場合にのみ実行されます。ありがとうございました!
jbaylina 2013

私は必要ないくつかのアップグレードを行いました:スペースのレンダリング、改行の先頭/末尾のレンダリング、ストロークのレンダリングと塗りつぶし(1回の呼び出しでテキストを2回測定for inしないでArray.prototypeください)。それをgithubに置いて、反復できるようにしてくれませんか
psycho brm 2013年

@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
こんにちは、私のテキストが次のようになっていると仮定します。その後、キャンバスで何が起こっているのですか?
Amol Navsupe

@RamirezがmaxWidthパラメータをfillTextに設定しなかったため、キャンバスからはみ出します:)
KaHa6uc

6

@Gaby Petrioliが提供するワードラップ(スペースで区切る)のコードは非常に役立ちます。彼のコードを拡張して、改行文字をサポートできるようにしました\n。また、多くの場合、境界ボックスの寸法があると便利なのでmultiMeasureText()、幅と高さの両方を返します。

あなたはここでコードを見ることができます:http : //jsfiddle.net/jeffchan/WHgaY/76/


リンクの有効期限が切れています。リンクが機能している場合でも、この回答にコードを挿入してください。jsfiddleがシャットダウンすると、この回答はそのままではまったく役に立たなくなります。
Mike 'Pomax' Kamermans

5

ここではコリンさんのバージョンだ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

2行のテキストだけが必要な場合は、それらを2つの異なる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測定を使用する古い実装を修正するためのより多くの方法については、「Typographicographic Metrics」を参照)を通じて、同じfont-propertiesでaのoffsetHeightを測定することにより、テキストの高さを見つけることができます。

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

から:http : //www.html5rocks.com/en/tutorials/canvas/texteffects/


測定する必要があるたびにそのような要素を構築するためのメモリがある場合、これは良い解決策です。ctx.save()その後、ctx.font = '12pt Arial' その後、することもできparseInt( ctx.font, 10 )ます。設定するときは「pt」を使用することに注意してください。その後、PXに変換され、フォントの高さとして消費するための数字に変換できます。
Eric Hodonsky 2016

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気づいたことの1つは、折り返される行の先頭のスペースが抑制されないことです。各行をトリミングする必要があるかもしれません。たとえば、ctx.fillText(txtline.trim(), textanchor, txtY)私はあなたのウェブサイトのインタラクティブなデモでこれに気づきました。
ポリワール氏

@ Mr.Polywhirl回答を整理していただきありがとうございます。トリムの問題を修正し、2.0.9バージョンを公​​開しました。デモサイトは、パッケージのバージョンを更新することで修正されています。複数のスペースに問題があります。思いやりのあるパッケージで行くのが良いのか、問題を無視するのが良いのか分かりません。複数の場所からこのリクエストを受け取っています。とにかくトリムを追加しました。Lorem ipsum dolor, sit <many spaces> amet これが私がそもそもやらなかった理由でした。複数のスペースを考慮し、1つしかない場合にのみ削除する必要があると思いますか?
Geon George

編集:StackOverflowコードブロックはマルチスペースも無視するようです
Geon George

2

これも可能ではないと思いますが、これを回避するには、<p>要素を作成してJavascriptで配置します。


はい、それは私がやろうとしていることです。それはちょうどとのことだfillText()し、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

Canvas要素は、改行「\ 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
  }
}

この問題の詳細については、私のブログをご覧ください。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.