设置Windows控制台的文本颜色不能按预期方式工作

时间:2017-10-23 17:40:23

标签: winapi colors console rust kernel32

我正在尝试使用winapi和kernel32 crates更改Windows控制台前景文本颜色。

[dependencies]
winapi = "0.2.8"
kernel32-sys = "0.2.1" 

代码

我存储前景色值的枚举:

#[repr(u16)]
pub enum ForegroundColor {
    RED =  (winapi::FOREGROUND_INTENSITY | winapi::FOREGROUND_RED) as u16,
    CYAN = (winapi::FOREGROUND_INTENSITY | winapi::FOREGROUND_GREEN | winapi::FOREGROUND_BLUE) as u16,
    // ...
}

获取输出句柄的函数:

use winapi;
use winapi::{CONSOLE_SCREEN_BUFFER_INFO, COORD, HANDLE, SMALL_RECT, WORD};
use kernel32;

static mut CONSOLE_OUTPUT_HANDLE: Option<HANDLE> = None;
pub fn get_output_handle() -> HANDLE {
    unsafe {
        if let Some(handle) = CONSOLE_OUTPUT_HANDLE {
            handle_check(handle);
            handle
        } else {
            let handle = kernel32::GetStdHandle(winapi::STD_OUTPUT_HANDLE);
            handle_check(handle);
            CONSOLE_OUTPUT_HANDLE = Some(handle);
            handle
        }
    }
}

fn handle_check(handle: HANDLE) {
    if handle == winapi::INVALID_HANDLE_VALUE {
        panic!("NoConsole")
    }
}

设置前景色的功能      使用kernel32;

// ForegroundColor is a struct containing win32 colors
pub fn set_foreground_color(for_color: ForegroundColor) {
    // function shown above
    let output_handle = kernel::get_output_handle();
    // cast the enum value to a u16: fn to_u16(&self) -> u16 { *self as u16 }
    let forground_color = for_color.to_u16();

    unsafe {
        kernel32::SetConsoleTextAttribute(output_handle, forground_color);
    }
}

在我的main.rs中,我正在创建一个在X上20块,在Y上20块的盒子。我想给边框颜色为CYAN,内部为RED颜色。

// for example 1 has to be cyan and 2 red but than on larger scale
// 1111
// 1221
// 1111
for y in 0..21 {
    for x in 0..21 {
        if (x == 0 || y == 0) || (x == 20 || y == 20) {
            // function shown above
            set_foreground_color(ForegroundColor::CYAN);
            // Print a cyan colored ■
            print!("■")
        } else {
            // function shown above
            set_foreground_color(ForegroundColor::RED);
            // Print a red colored ■
            print!("■")
        }
    }
    // reset cursor to start of new line
    println!();
}

出于某种原因,所有都会有CYAN颜色,并且不会有任何红色。

当我使用相同的代码并将print!()替换为println!()时,它会按预期打印REDCYAN个彩色块。所有都具有正常的颜色,但现在问题是在他们自己的行上。

使用println!()时,为什么文本的颜色会按预期变化?为什么print!()在同一行上不能有不同的颜色? winapi中是否有一些缓冲区存储控制台线的颜色?在我可以在一行中使用多种颜色之前,是否需要在某处指定它?

1 个答案:

答案 0 :(得分:4)

Rust的标准输出是行缓冲的。因此,您的文本一次一行地发送到控制台,这意味着整行将具有相同的颜色。

您可以在每个print!之后使用:

刷新输出
use std::io::Write;

std::io::stdout().flush().expect("Flush stdout failed");