如何在 JavaScript 中写出这个 BASIC Circle 语句?

How Could One Write This BASIC Circle Statement in JavaScript?

我有一些旧的 QuickBasic 代码(是的,真的),我正在 JavaScript 中重写这些代码。在 QuickBasic 中,圆的定义如下:

CIRCLE (column, row), radius, color, startRadian, stopRadian, aspect

在JavaScript上HTML5canvas像这样:

c.arc(column, row, radius, startAngle, endAngle, counterclockwise);

正如您所看到的,这些语句非常相似 - 除了 QuickBasic 具有颜色和纵横比参数。

我可以使用context.strokeStyle来处理颜色,但我不确定如何处理纵横比?我将使用什么 JavaScript 命令来实现与 QuickBasic 通过 aspect 参数描述的效果类似的效果?

在这种情况下,方面可以定义为:

"SINGLE values of 0 to 1 affect the vertical height and values over 1 affect the horizontal width of an ellipse. Aspect = 1 is a normal circle." - QB64 Wiki

1 http://www.qb64.net/wiki/index.php?title=CIRCLE

这是一个使用 javascript 椭圆的 CIRCLE 函数,它影响纵横比的垂直和水平。

var can = document.getElementById('can');
var ctx = can.getContext('2d');
var w = can.width;
var h = can.height;
var x = w/2;
var y = h/2;
var radius = 30;
var startAngle = 0;
var endAngle = Math.PI*2;
var color = 'red';

CIRCLE(x, y, radius, color, startAngle, endAngle, .5);
CIRCLE(x+10, y+10, radius, 'blue', startAngle, endAngle, 1.5);

function CIRCLE (column, row, radius, color, startRadian, stopRadian, aspect) {
  var rotation = 0;
  var anticlockwise = 0;
  
  if (aspect == 1) {
    var rx = radius;
    var ry = radius;
  } else if(aspect < 1) {
    var rx = radius * aspect;
    var ry = radius;
  } else if(aspect > 1) {
    var rx = radius;
    var ry = radius * (aspect-1);
  }
  
  ctx.fillStyle=color;
  ctx.beginPath();
  ctx.ellipse(x, y, rx, ry, rotation, startAngle, endAngle, anticlockwise);
  ctx.fill(); 
}
<canvas id='can' width='200' height='150'></canvas>