我正试图弄清楚如何实现相当于的Rust
pinMode(PIN_D7, INPUT_PULLUP); // Pushbutton
(来自https://www.pjrc.com/teensy/td_digital.html)
我使用模板创建了一个项目https://github.com/mciantyre/teensy4-rs-template如的"入门"部分所述https://github.com/mciantyre/teensy4-rs。
不幸的是,Rust-arduino代码是一个IntelliJ IDEA无法完全导航的兔子洞(它们使用宏来生成struct
s和impl
s(,所以我没有得到任何有用的完成结果来帮助我找出可用的方法和字段。
我不知道如何使用pins.p7
来激活上拉电阻,甚至采样。从p7
到P7
到B1_01
到Pad
的文档让我仍然感到困惑。
(此处记录一些故障(
我在板条箱上做了一些实验和文本搜索,找到了Config
结构。
不幸的是,当我这样使用它时,结果并不可靠。
// pull-down resistor. Switch drags to 3.3v
fn mission1(mut switch_pin: B0_10, led: &mut LED, systick: &mut SysTick) -> !
{
let cfg = teensy4_bsp::hal::iomuxc::Config::zero().set_pullupdown(PullUpDown::Pulldown100k);
iomuxc::configure(&mut switch_pin, cfg);
let bacon = GPIO::new(switch_pin);
loop {
if bacon.is_set() {
led.toggle()
}
systick.delay(300);
}
}
它仍然接收到虚假的按钮点击。我扭转了局面,试着把它改装成上拉
// pull-up resistor. Switch drags to ground
fn mission2(mut switch_pin: B0_10, led: &mut LED, systick: &mut SysTick) -> !
{
let pull_up = match 22
{
100 => PullUpDown::Pullup100k, // unreliable
47 => PullUpDown::Pullup47k, // unreliable
_ => PullUpDown::Pullup22k,
};
let cfg = teensy4_bsp::hal::iomuxc::Config::zero().set_pullupdown(pull_up);
iomuxc::configure(&mut switch_pin, cfg);
let bacon = GPIO::new(switch_pin);
loop {
if ! bacon.is_set() {
led.toggle()
}
systick.delay(300);
}
}
所有3个上拉选项都没有用。我连接了一个万用表,在开关打开和22k上拉电阻器选项的情况下,引脚和接地之间的读数约为0.67v。
当我连接一个物理10K电阻器时,它的行为与我预期的一样,万用表的测量值为3.23V。如果我连接两个串联的10K电阻器进行上拉,它的测量值是3.20V。
我要说的是,这不是青少年4.0的正确技术。
基于对https://github.com/mciantyre/teensy4-rs/issues/107代码位于https://github.com/imxrt-rs/imxrt-hal/issues/112我能够创建以下示例,该示例似乎适用于我的青少年4.0
let cfg = Config::zero()
.set_hysteresis(Hysteresis::Enabled)
.set_pull_keep(PullKeep::Enabled)
.set_pull_keep_select(PullKeepSelect::Pull)
.set_pullupdown(PullUpDown::Pulldown100k);
iomuxc::configure(&mut switch_pin, cfg);
let switch_gpio = GPIO::new(switch_pin);
loop {
if switch_gpio.is_set() {
led.toggle()
}
systick.delay(LED_PERIOD_MS);
}
完整代码位于https://github.com/mciantyre/teensy4-rs/blob/997d92cc880185f22272d1cfd54de54732154bb5/examples/pull_down_pin.rs。