在 canvas 上对对象进行排序

Sorting objects on canvas

我使用顶部带有文本的矩形绘制了两个按钮。 如您所见,我使用同一个循环得到了两个不同的结果。 第一个 "button" 的文本隐藏在方框后面。 第二个上面写着文字。 为什么是这样? canvas 中的排序如何进行?

<body>
  <canvas id="canvas" width="320" height="512"
  style="position: absolute; left: 500px; top: 50px; z-index: 1;"></canvas>
<script>
var canvas = document.getElementById('canvas');
var context = canvas.getContext("2d");
canvas.style.backgroundColor = 'rgba(0, 0, 0, 0)';
context.clearRect(0, 0, 320, 16);
gameMenu();

function gameMenu(){
var buttons = [ {x: 210, y: 420, w: 80, h: 30, s: "Messages"},
              {x: 210, y: 470, w: 80, h: 30, s: "Pause"} ], i = 0, r;

    while(r = buttons[i++]) {
    context.rect(r.x, r.y, r.w, r.h);
    context.fillStyle = "rgb(26,26,26)";
    context.fill();

    context.fillStyle = 'White';
    context.font = "16px Tahoma";
    context.fillText(r.s, r.x + 18, r.y + 22);
    }
}
</script>
</body>

这是一个 JS Fiddle: https://jsfiddle.net/oa84Lsxn/1/

您必须以 context.beginPath 开始每个新的路径操作(==每个新的 .rect)。否则所有以前的 .rects 将与当前的 .rect 一起重绘。

您的问题是所有以前的路径都与新路径一起重绘。这意味着您的第一个矩形与新的第二个矩形一起被重绘——导致第一个矩形的文本被第一个矩形覆盖。

这是您的代码的工作版本,添加了 context.beginPath

var canvas=document.getElementById("canvas");
var context = canvas.getContext("2d");
canvas.style.backgroundColor = 'rgba(0, 0, 0, 0)';
context.clearRect(0, 0, 320, 16);
gameMenu();

function gameMenu(){
// x,y changed to fit demo on StackSnipped window
var buttons = [ {x: 40, y: 20, w: 80, h: 30, s: "Messages"},
              {x: 40, y: 70, w: 80, h: 30, s: "Pause"} ], 
              i = 0, r;

    while(r = buttons[i++]) {
        context.beginPath();
        context.rect(r.x, r.y, r.w, r.h);
        context.fillStyle = "rgb(26,26,26)";
        context.fill();

        context.fillStyle = 'White';
        context.font = "16px Tahoma";
        context.fillText(r.s, r.x + 18, r.y + 22);
    }

}
#canvas{border:1px solid red; margin:0 auto; }
<canvas id="canvas" width=300 height=300></canvas>