我想在我的蓝色药丸板上初始化一个基本的输出 GPIO 引脚。我正在使用 Rust 和stm32f1xx_hal
箱子。我想创建一个结构Peripherals
,它以下列方式保存输出的句柄:
use cortex_m_rt;
use stm32f1xx_hal::{
pac,
prelude::*,
gpio,
afio,
serial::{Serial, Config},
};
use crate::pac::{USART1};
type GpioOutput = gpio::gpioc::PC13<gpio::Output<gpio::PushPull>>;
pub struct Peripherals{
led: Option<GpioOutput>
}
impl Peripherals {
fn init() -> Peripherals {
let dp = pac::Peripherals::take().unwrap();
let cp = cortex_m::Peripherals::take().unwrap();
// set clock frequency to internal 8mhz oscillator
let mut rcc = dp.RCC.constrain();
let mut flash = dp.FLASH.constrain();
let clocks = rcc.cfgr.sysclk(8.mhz()).freeze(&mut flash.acr);
// access PGIOC registers
let mut gpioc = dp.GPIOC.split(&mut rcc.apb2);
return Peripherals{
led: Peripherals::init_led(&mut gpioc)
}
}
fn init_led(gpioc: &mut gpio::gpioc::Parts) -> Option<GpioOutput> {
let led = &gpioc.pc13.into_push_pull_output(&mut gpioc.crh);
return Some(led);
}
}
此代码不起作用,因为init_led
返回Option<&GpioOutput>
. Peripherals
现在我想知道在结构中使用生命周期参数并在结构中存储对 的引用是否有意义GpioOutput
。还是存储未引用的值更明智 - 我将如何实现这些选项中的任何一个?
唯一可行的解决方案是将 init_led 代码移动到 init 函数的范围内:
return Peripherals{
led: Some(gpioc.pc13.into_push_pull_output(&mut gpioc.crh))
}
但我想在它自己的函数中分离该代码。我怎样才能做到这一点?