2

I want to console.log() my array like this without newlines

let myarr = [1,2,3,4,5];
myarr.forEach(e => console.log(e));
norbitrial
  • 13,852
  • 6
  • 27
  • 54
AA Sog
  • 39
  • 4
  • 1
    `console.log(...myarr)` – Teemu Mar 23 '20 at 16:13
  • Does this answer your question? [Chrome JavaScript developer console: Is it possible to call console.log() without a newline?](https://stackoverflow.com/questions/9627646/chrome-javascript-developer-console-is-it-possible-to-call-console-log-withou) Or more specifically [printing output same line using console log in javascript](https://stackoverflow.com/q/28620087/215552) – Heretic Monkey Mar 23 '20 at 16:15

4 Answers4

6

You could spread the array. Then all values are taken as parameters.

let array = [1, 2, 3, 4, 5];

console.log(...array);
Nina Scholz
  • 351,820
  • 24
  • 303
  • 358
1

You can use .reduce() instead.

let myarr = [1,2,3,4,5];
const result = myarr.reduce((a, c) => `${a}${c}`, '');
console.log(result);

I hope this helps!

norbitrial
  • 13,852
  • 6
  • 27
  • 54
1

Why are you doing a separate console.log for every element in the array? You can just do:

console.log(myarr);

Or, if your array has objects in it and you want to see them all unrolled, you could do:

console.log(JSON.stringify(myarr));
frodo2975
  • 8,366
  • 3
  • 28
  • 37
1

You would have to stringify your output.

So either using something like JSON.stringify(myarr) or

let string = '';
for(let i = 1; i < 6; i += 1) {
  string += i + ' ';
}
console.log(string);

Edit: Btw, I'd suggest using camelCase when working with javascript. It's become a standard when defining variables and methods.

See: https://techterms.com/definition/camelcase

Gabson
  • 35
  • 11