web-dev-qa-db-ja.com

WindowsでのC ++によるカラーコンソール出力

色付きのテキストをコンソールに出力する方法はありますか? Visual Studio 2010を使用していますが、Windowsで動作するコードのみが必要です。

WindowsのCOLORコマンド以外は見つからなかったのですが、画面全体の色が変わってしまい、出力したい部分だけが変わるものを探しています。私はそれがマネージC++で行われるのを見てきました

例えば。、

{color red}
cout << "Hello ";
{color blue}
cout << "world\n";

赤と青で「Helloworld」を生成します。

10
Rakosman

私はこのコードを ここ から取得しました:

// color your text in Windows console mode
// colors are 0=black 1=blue 2=green and so on to 15=white
// colorattribute = foreground + background * 16
// to get red text on yellow use 4 + 14*16 = 228
// light red on yellow would be 12 + 14*16 = 236
// a Dev-C++ tested console application by vegaseat 07nov2004

#include <iostream>
#include <windows.h> // WinApi header

using namespace std; // std::cout, std::cin

int main()
{
HANDLE hConsole;
int k;

hConsole = GetStdHandle(STD_OUTPUT_HANDLE);

// you can loop k higher to see more color choices
for(k = 1; k < 255; k++)
{
// pick the colorattribute k you want
SetConsoleTextAttribute(hConsole, k);
cout << k << " I want to be Nice today!" << endl;
}

cin.get(); // wait
return 0;
}
24
INS

WindowsでのC++出力の色付けは、コンソールのHANDLEが属性とともに渡されるSetConsoleTextAttributeを介して行われます。ただし、SetConsoleTextAttributeを呼び出すのは面倒です。幸いなことに、インターネットやgithubには、支援できる小さなライブラリがたくさんあります。好きなAPIを備えたライブラリを1つ選択するだけです。 operator <<を使用して色を変更する場合は、このヘッダーのみのライブラリ https://github.com/ikalnitsky/termcolor をお勧めします。 APIは次のようになります。

using namespace termcolor;
std::cout << grey    << "grey message"    << reset << std::endl;
std::cout << red     << "red message"     << reset << std::endl;

色をリセットする必要があるとオフになる場合は、私のライブラリを試してください。これもヘッダーのみ、Windowsのみであり、printfステートメントに簡単に色を付けることができます: https://github.com/jrebacz/colorwin 。 APIは次のようになります。

using namepsace wincolor;
std::cout << color(gray) << "grey message\n";
std::cout << color(red) << "red message\n";

std::cout << "normal color\n";
{
    withcolor scoped(red);
    std::cout << "|red\n";
    std::cout << "|red again\n";
}
std::cout << "normal color\n";
withcolor(cyan).printf("A cyan printf of %d\n", 1234);
3
jrebacz

これが私たちの社内ソリューションです:

inline void setcolor(int textcol, int backcol)
{
    if ((textcol % 16) == (backcol % 16))textcol++;
    textcol %= 16; backcol %= 16;
    unsigned short wAttributes = ((unsigned)backcol << 4) | (unsigned)textcol;
    HANDLE hStdOut = GetStdHandle(STD_OUTPUT_HANDLE);
    CONSOLE_SCREEN_BUFFER_INFO csbi;
    SetConsoleTextAttribute(hStdOut, wAttributes);
}

選択できる色の例は次のとおりです。

#define LOG_COLOR_WHITE 7
#define COLOR_GREEN 10
#define COLOR_YELLOW 14 
#define COLOR_Magenta 13
1