2

我有一个辅助函数,它接受一个字符串和一个颜色向量来格式化字符串,现在我的解决方案是手动检查颜色向量的大小并使用相同数量的颜色调用控制台打印。

假设我的颜色向量为 4,在代码中它会执行以下操作:

void helper_func(TCODConsole* con, std::string msg_str, std::vector<TCOD_colctrl_t> color_vector)
{
  char* message = msg_str.c_str();
  //this is repeated 1 through 16, adding another color_vector.at(n) for each.
  ...
  else if (color_vector.size() == 2)
   //message might be "%cHello%c was in red"
   console->print(x, y, message, color_vector.at(0), color_vector.at(1))
  ...
  else if (color_vector.size() == 4)
   //message might be "%cThe octopus%c shimmers at %cnight%c"
   console->print(x, y, message, color_vector.at(0), color_vector.at(1), color_vector.at(2), color_vector.at(3))
  ...
}

虽然这可行,但它很糟糕,我正在寻找不同的方法来实现它,允许超过 16 种颜色等。

我尝试sprintf为向量中的每种颜色做一个,将它添加到 out_string 并重复。我试过用 ostringstream 做同样的事情。我尝试拆分 msg_str "%c",然后在将颜色添加到每个字符串后加入结果字符串。它从来没有成功,总是使用第一种颜色,然后使用随机字符而不是从那里开始的颜色。

我希望上述任何一种方法都能奏效,因为只需sprintf(out_char, format_msg, TCOD_COLCTRL_1)打印到控制台(使用console->print(out_char))就好了。

我的问题是:有没有一种好方法可以将不同数量的颜色传递给控制台->打印功能并让它准确地显示这些颜色,而不会出现严重的代码冗余?


作为后备,我可以打印出字符串的一部分直到第一种颜色,计算它的大小,移动x那么多并打印下一部分,但这并不理想。

我想这个问题也可以概括为关于常规printf替换的同样问题。

4

1 回答 1

2

可变参数函数的一种可能替代方法可能涉及将 msg_str 解析为“%c”,并根据 color_vector 以正确的颜色迭代地打印字符串的每个段。我不确定下面的代码是否会编译——我是在记事本中写的,所以它可能需要一些工作。希望你能明白我所建议的要点。

void helper_func(TCODConsole* con, std::string msg_str, std::vector<TCOD_colctrl_t> color_vector) 
{
    std::string str2;
    std::size_t pos;
    std::size_t pos2;

    pos = msg_str.find("%c");
    if (pos != std::string::npos)
        str2 = msg_str.substr(0,pos);
    else
        str2 = msg_str;
    console->print(x, y, str2.c_str());
    int n = 0;
    while (pos != std::string::npos) {
        pos2 = msg_str.find("%c",pos+1);
        if (pos2 != std::string::npos)
          str2 = msg_str.substr(pos+2,pos2);
        else
          str2 = msg_str.substr(pos2+2,msg_str.length()-pos2+2);
        console->print(x, y, str2.c_str(),color_vector.at(n));
        pos = pos2;
        n++;
    }
}

我想我应该提一下,我的代码有问题。由于x作为pos2的函数而变化,因此每次都需要通过 while 循环计算第二个 print 语句中的x值。否则,一切都将继续在同一个位置打印。:) 应该是一个简单的改变......

于 2014-09-03T20:37:18.000 回答