6

有什么方法可以让这个运行更快并且仍然做同样的事情?

#include <iostream>

int box[80][20];

void drawbox()
{
    for(int y = 0; y < 20; y++)
    {
        for(int x = 0; x < 80; x++)
        {
            std::cout << char(box[x][y]);
        }
    }
}

int main(int argc, char* argv[])
{
    drawbox();
    return(0);
}

IDE:开发 C++ || 操作系统:Windows

4

3 回答 3

4

正如 Marc B 在评论中所说,首先将输出放入字符串应该更快:

int box[80][20];

void drawbox()
{
    std::string str = "";
    str.reserve(80 * 20);

    for(int y = 0; y < 20; y++)
    {
        for(int x = 0; x < 80; x++)
        {
            str += char(box[x][y]);
        }
    }

    std::cout << str << std::flush;
}
于 2011-01-25T02:26:57.030 回答
2

显而易见的解决方案是以box不同的方式声明数组:

char box[20][81];

然后你可以cout一次一行。如果您出于某种原因无法执行此操作,则无需在此处使用 std::string ——char数组更快:

char row[81] ; row[80] = 0 ;
for (int y = 0; y < 20; y++)
  {
  for (int x = 0 ; x < 80 ; x++)
    row[x] = char(box[x][y]) ;
  std::cout << row ;
  // Don't you want a newline here?
  }
于 2011-01-25T09:01:25.690 回答
1

当然,使用putcharfrom stdio.h

于 2011-01-25T02:16:50.943 回答