我正在学习如何使用Javascript进行编码,我正在尝试解决的一个练习是如何将棋盘打印到控制台,使其看起来像这样:
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
# # # #
我能够使用两个for循环执行此操作,但我想使用一个for循环来实现它,以提高效率。这就是我到目前为止所做的:
var x = "#";
for(var i = 1; i < 65; i++) {
if((i%9 == 0)) {
x = "\n" + x.charAt(i-1);
}
else if (x.charAt(i-1) == "#") {
x = x + " "
}
else {
x = x + "#";
}
}
console.log(x);
这只发布一个&#34;#&#34;,我不知道为什么。任何帮助表示赞赏!
答案 0 :(得分:9)
Ooooooh,codegolf!
var x = new Array(33).join('#').split('').map(function(e,i) {
return (i % 4 == 0 ? (i === 0 ? '' : '\n') + (i % 8 ? ' ' : '') : ' ') + e;
}).join('');
document.body.innerHTML = '<pre>' + x + '</pre>'; // for code snippet stuff !
要修复原始函数,您必须实际添加到字符串中,并使用'\n' + x.charAt(i-1);
获取换行符和单个字符,就像charAt
所做的那样,它会得到一个该索引处的单个字符,因此您的字符串永远不会超过单个#
。
var x = "#";
for (var i = 1; i < 65; i++) {
if (i % 9 == 0) {
x += "\n";
} else if (x[x.length-1] == "#") {
x += " "
} else {
x += "#";
}
}
这解决了这个问题,但它仍然没有错开模式,你需要额外的逻辑
答案 1 :(得分:5)
想想当你拨打这一行时会发生什么:
x = "\n" + x.charAt(i-1);
您将x
添加到添加了SINGLE字符的换行符中。你知道为什么你的字符串现在不长吗?
答案 2 :(得分:5)
使用:
x = x + "\n" + x.charAt(i-1);
而不是
x ="\n" + x.charAt(i-1);
要获得确切的模式,您必须为代码添加一些额外的逻辑。
答案 3 :(得分:0)
请参阅我的解决方案,它使用循环内部循环并且相当简单。 此外,您可以放置任何宽度的棋盘:
// define variable for grid size
const size = 8;
// outer loop handles the quantity of lines
for (let i = 1; i <= size; i++) {
// define sting variable for line
let line = "";
// inner loop handles what characters will be in line
for (let j = 1; j <= size; j++) {
// check what character to start with: space or #
// to take into account both loops check if sum of i and j is even or not
(j + i) % 2 === 0 ? line += "#" : line += " ";
}
// print the line and go to next line using "\n" symbol
console.log(line + "\n");
}
答案 4 :(得分:0)
//create a variable and assign a space to it
let result = " ";
//create a nested for loop for the 8 X 8 tiles.
for (let x = 0; x < 8; x++){
for (let z = 0; z < 8; z++){
//Replace each even character by space
if (0 == (z + x) % 2){
result += " ";
} else if (0 != (z + x) % 2){
//otherwise replace each odd character by a "#"
result += "#";
}
}
//to keep each line blocks of 8, use \n
result += "\n";
}
//to print in a straight line, console.log outside the forloop
console.log(result);
答案 5 :(得分:0)
let size = 8, result= '';
for(let i=0; i < size; i++) {
for(let j=0; j < size; j++) {
if(i !== 0 && j === 0 ) {
result += '\n';
}
if( (i%2 === 0 && j%2 === 0) || (i%2 ===1 && j%2 === 1)) {
result += ' ';
} else if( (i%2 !== 0 && j%2 === 0) || (i%2 === 0 && j%2 !== 0)) {
result += '#';
}
}
}
console.log(result);
在这里,我刚刚学习:)。