artworld.js/artworld/shapes.js
2024-07-07 00:38:41 -05:00

161 lines
3.0 KiB
JavaScript

import { Vector2 } from "./math.js";
import { Drawable } from "./drawable.js";
import { Random } from "./random.js";
function makeCopy(Cls, obj, override) {
// make new object, will be registered with world, but no _parent yet
let newObj = new Cls();
// overwrite fields of newObj with obj
Object.assign(newObj, obj, override);
// attach to parent
if (newObj._parent) {
newObj._parent.addChild(newObj);
}
return newObj;
}
export class Line extends Drawable {
constructor(parent) {
super(parent);
this._offsetVec = new Vector2(10, 0);
}
copy(overrides) {
return makeCopy(Line, this, overrides);
}
random(range = 100) {
super.random();
this._offsetVec = Vector2.random(range, range);
return this;
}
draw() {
artworld.prepareDraw(this);
artworld.drawLine(this.worldPos, this.worldPos.add(this._offsetVec));
}
to(vec) {
this._offsetVec = vec;
return this;
}
angle(angle) {
let mag = this._offsetVec.magnitude;
return this.to(Vector2.polar(mag, angle));
}
}
export class Arc extends Drawable {
constructor(parent) {
super(parent);
this._r = 25;
this._startAngle = 0;
this._endAngle = 180;
}
copy(overrides) {
return makeCopy(Arc, this, overrides);
}
random(range = 100) {
super.random();
this._r = Random.between(20, range);
this._startAngle = Random.radians();
this._endAngle = Random.radians();
return this;
}
draw() {
artworld.prepareDraw(this);
artworld.drawArc(this.worldPos, this._r, this._startAngle, this._endAngle);
}
radius(scalar) {
this._r = scalar;
return this;
}
startAngle(rad) {
this._startAngle = rad;
return this;
}
endAngle(rad) {
this._endAngle = rad;
return this;
}
}
export class Circle extends Drawable {
constructor(parent) {
super(parent);
this._r = 25;
}
copy(overrides) {
return makeCopy(Circle, this, overrides);
}
random(range = 100) {
super.random();
this._r = Random.between(20, range);
return this;
}
draw() {
artworld.prepareDraw(this);
artworld.drawArc(this.worldPos, this._r, 0, 2 * Math.PI);
}
radius(scalar) {
this._r = scalar;
return this;
}
}
export class Rect extends Drawable {
constructor(parent) {
super(parent);
this._width = 50;
this._height = 50;
}
random(range = 100) {
super.random();
this._width = Random.between(20, range);
this._height = Random.between(20, range);
return this;
}
copy(overrides) {
return makeCopy(Rect, this, overrides);
}
draw() {
artworld.prepareDraw(this);
artworld.drawRect(this.worldPos, this._width, this._height);
}
size(w, h) {
this._width = w;
this._height = h;
return this;
}
width(scalar) {
this._width = scalar;
return this;
}
height(scalar) {
this._height = scalar;
return this;
}
// TODO
// contains(x, y) {
// return (
// x > this.x &&
// x < this.x + this._width &&
// y > this.y &&
// y < this.pos.y + this._height
// );
// }
}