我正在开发一款主机游戏。它使用屏幕缓冲区在更新地图后刷新控制台窗口。
这是主要的 while
循环。
while (true) {
//player.doStuff(_kbhit());
//map.update();
WriteConsoleOutputCharacter(
console.getScreenBuffer(),
(LPWSTR)map.getScreen(),
map.getWidth() * map.getHeight(),
{ 0, 0 }, console.getBytesWritten()
);
Sleep(1000 / 30);
}
在此循环之前,我从 .txt
文件获取地图布局:
class Map {
int width, height;
wchar_t* screen;
public:
wchar_t* getScreen() {
return screen;
}
void setScreen(std::string layoutFile, std::string levelDataFile) {
std::ifstream levelData(levelDataFile);
levelData >> width >> height;
screen = new wchar_t[(width + 1) * height];
levelData.close();
std::wifstream layout(layoutFile);
std::wstring line;
for (int j = 0; j < height; j++) {
std::getline<wchar_t>(layout, line);
for(int i = 0; i < width; i++) {
screen[j * width + i] = line.at(i);
}
screen[width * (j + 1)] = L'\n';
}
layout.close();
}
};
map.setScreen("demo.txt", "demo_data.txt");
问题是打印的地图显示为一个没有任何换行符的字符串,如下所示:
00000__00000
当我希望它看起来像这样时:
0000
0__0
0000
我尝试在每行写入后添加 L'\n'
、L'\r\n'
,但它不起作用。
答案 0 :(得分:0)
这里有两个独立的问题:
我假设宽度不包括每行末尾的尾随换行符,因为您对屏幕的分配是:
new wchar_t[(width + 1) * height]; // real width is width + 1 for '\n'
现在查看您的逻辑,您添加到该行的最后一个 '\n'
设置为:
screen[ width * (j + 1) ] // same as screen[ j * width + width ]
根据您的索引方案,这似乎没问题,因为您将布局字符复制到:
screen[ j * width + i ]` // where `i` is between `0` and `width-1`
因此换行符将位于 screen[ j * width + width ]
。
不幸的是,使用您的索引公式,下一行的第一个字符覆盖了相同的位置:将 j
替换为 j+1
,将 i
替换为 0
给出:>
screen[ (j + 1) * width + 0 ]
这是
screen[ (j + 1) * width ] // same location as screen [ width * (j+1)]
更正您的索引方案,考虑到线的实际宽度是 width+1
。
所以索引公式变为:
for(int i = 0; i < width; i++) {
screen[j * (width+1) + i] = line.at(i);
}
当然还有尾随的换行符:
screen[j * (width+1) + width] = L'\n'; // self-explaining
screen[(j+1) * (width+1) -1] = L'\n'; // or alternative
WriteConsoleOutputCharacter()
没有真正支持换行符和控制字符。这些显示为问号。
文档提到了根据控制台模式处理这些控制字符的可能性,但我已经尝试过使用 Windows 10,甚至使用变体 WriteConsoleOutputCharacterA()
(确保排除宽字符问题),它根本不起作用。
您有两种解决方案来完成这项工作,但这两种解决方案都需要一些返工:
WriteConsoleOutput()
允许您指定目标矩形(高度和宽度)并在矩形中写入字符而无需换行。不幸的是,数组应该是 CHAR_INFO 而不是简单的字符。第二种方式的例子:
std::string w = "SATORAREPOTENETOPERAROTAS";
SMALL_RECT sr{ 2, 2, 6, 6 };
CHAR_INFO t[25];
for (int i = 0; i < 25; i++) { t[i].Char.AsciiChar = w[i]; t[i].Attributes = BACKGROUND_GREEN; }
WriteConsoleOutputA(
hOut,
t,
{ 5,5 },
{ 0,0 },
&sr
);