在C ++中,我使用类似这样的DEBUG
宏:
#ifdef DEBUG
#define DEBUG_STDERR(x) (std::cerr << (x))
#define DEBUG_STDOUT(x) (std::cout << (x))
#else
#define DEBUG_STDERR(x)
#define DEBUG_STDOUT(x)
#endif
Rust有类似的东西吗?
答案 0 :(得分:8)
您可以自己定义它们,但使用log
crate会更简单,它为各种目的定义了几个宏(参见the log
documentation)。
请注意,crate只提供用于记录的前端;您还需要选择后端。 log
文档中有一个基本示例,或者您可以使用env_logger
或log4rs
之类的内容。
答案 1 :(得分:8)
Rust 1.32.0稳定了dbg!()
宏,该宏输出:
Debug
特性)。 注意:dbg!()
移动其参数,因此您可能希望通过引用传递非副本类型。
#[derive(Debug)]
struct Point {
x: i32,
y: i32,
}
fn main() {
let points = [
Point { x: 0, y: 0 },
Point { x: 2, y: 3 },
Point { x: 5, y: 7 },
];
dbg!(&points);
}
程序输出
[src/main.rs:14] &points = [
Point {
x: 0,
y: 0
},
Point {
x: 2,
y: 3
},
Point {
x: 5,
y: 7
}
]
OP表示希望仅在调试模式下编译时才显示调试内容。
以下是实现此目的的方法:
#[cfg(debug_assertions)]
macro_rules! debug {
($x:expr) => { dbg!($x) }
}
#[cfg(not(debug_assertions))]
macro_rules! debug {
($x:expr) => { std::convert::identity($x) }
}
fn main() {
let x = 4;
debug!(x);
if debug!(x == 5) {
println!("x == 5");
} else {
println!("x != 5");
}
}
程序输出(调试模式)
---------------------Standard Error-----------------------
[src/main.rs:13] x = 4
[src/main.rs:14] x == 5 = false
---------------------Standard Output----------------------
x != 5
程序输出(发布模式)
---------------------Standard Output----------------------
x != 5
答案 2 :(得分:5)
尽管使用像DK的回答中提到的log
crate之类的东西是有意义的,但这里是如何直接等同于你所问的:
// The debug version
#[cfg(feature = "my_debug")]
macro_rules! debug_print {
($( $args:expr ),*) => { println!( $( $args ),* ); }
}
// Non-debug version
#[cfg(not(feature = "my_debug"))]
macro_rules! debug_print {
($( $args:expr ),*) => {}
}
fn main() {
debug_print!("Debug only {}", 123);
}
在Cargo.toml
中,添加[features]
部分:
[features]
my_debug = []
然后输出会显示cargo run --features my_debug
,并且不会显示普通cargo run
。
答案 3 :(得分:0)
基于Chris Emerson的回答和CJ McAllister的评论的宏
:start
set /p var=is this a yes or no question?
if /I "%var:~,1%" EQU "YES" goto :yes
if /I "%var:~,2%" EQU "NOO" goto :no
if /I "%var:~,3%" EQU "CLS" goto :cls
echo not a valid choice
goto :start
:yes
echo this is YES but you only have to type first letter correct
pause
goto :start
:no
echo this is NO but you have to type the first two letters correct
pause
goto :start
:cls
echo this will CLS but you have to type the first three letters correct
pause
cls
goto :start```
使用
// Disable warnings
#[allow(unused_macros)]
// The debug version
#[cfg(debug_assertions)]
macro_rules! log {
($( $args:expr ),*) => { println!( $( $args ),* ); }
}
// Non-debug version
#[cfg(not(debug_assertions))]
macro_rules! log {
($( $args:expr ),*) => {()}
}
由log!("Don't be crazy");
log!("Answer is {}", 42);
构建将用单元元组cargo build --release
替换所有log!(...)
我没有找到无所不能的替代方法,但我认为编译器会做到这一点。