xxxxxxxxxx
80
/*
* Creative Coding Workshop #4 Test - Debugging with ChatGPT
*
* Jack B. Du (github@jackbdu.com)
*/
let diameter = 100;
function setup() {
createCanvas(400, 400);
}
function draw() {
background(220);
circle(100, 100, diameter);
}
/*
Prompt:
here's my p5js code, and it doesn't work, can you spot the problem:
function setup() {
createCanvas(400, 400);
}
function draw() {
background(220);
circle(100,100);
}
ChatGPT:
Yes, I can spot the problem in your p5.js code. The issue is with the circle() function in the draw() function. The circle() function requires at least three arguments: the x-coordinate, the y-coordinate, and the diameter of the circle.
Here's the corrected code:
function setup() {
createCanvas(400, 400);
}
function draw() {
background(220);
circle(100, 100, 50); // The third argument is the diameter of the circle
}
In this corrected code, the circle will be drawn at the position (100, 100) with a diameter of 50 pixels. Feel free to adjust the values as needed to fit your desired shape and position.
*/
/*
Prompt:
what about this:
let diameter = 100;
function setup() {
createCanvas(400, 400);
}
function draw() {
background(220);
circle(100,100,Diameter);
}
ChatGPT:
In the provided code, the variable diameter is defined with a lowercase 'd' in the let statement, but then it is used with an uppercase 'D' when calling the circle() function. JavaScript is case-sensitive, so Diameter and diameter are considered different variables.
To fix the code, you should use the correct variable name diameter in the circle() function call:
javascript
let diameter = 100;
function setup() {
createCanvas(400, 400);
}
function draw() {
background(220);
circle(100, 100, diameter); // Use lowercase 'diameter'
}
Now the circle should be drawn correctly with a diameter of 100 pixels at the position (100, 100).
*/