Question

The following program is supposed to put down three tennis balls. Where is the logic error?

function main() {
placeThreeBalls();
}

function placeThreeBalls() {
for (let i = 0; i <= 3; i++) {
putBall();
}
}

main();
JavaScript


Line 2


Line 5


Line 6


Line 7

Answers

GPT-4o mini
The logic error in the provided program is in the `placeThreeBalls` function, specifically in the loop condition:

```javascript
for (let i = 0; i <= 3; i++) {
putBall();
}
```

The loop is set to run while `i` is less than or equal to 3 (`i <= 3`). This means that the loop will iterate 4 times (for `i = 0`, `1`, `2`, and `3`), which results in 4 tennis balls being placed instead of the intended 3.

To fix this, the loop condition should be adjusted to run only 3 times. This can be done by changing the condition to `i < 3`:

```javascript
for (let i = 0; i < 3; i++) {
putBall();
}
```

With this change, the function will now correctly place exactly 3 tennis balls.

Related Questions