使用此Rust功能阅读DS18B20温度传感器

tzcvj98z  于 2023-04-21  发布在  其他
关注(0)|答案(1)|浏览(101)

对不起,我是一个完全的Rust新手。我尝试使用这个网站上提供的代码在Raspberry Pi上读取上面提到的传感器的温度:https://github.com/fuchsnj/ds18b20
其实我想调用函数

get_temperature

但是我不知道如何声明参数,特别是delay和one_wire_bus。我能够解析所有的'namespaces'或名称绑定(对不起,来自C++),但被参数卡住了。有人能给予我一个例子如何调用和使用这个函数吗?

use ds18b20::{Resolution, Ds18b20};
use embedded_hal::blocking::delay::{DelayUs, DelayMs};
use embedded_hal::digital::v2::{OutputPin, InputPin};
use one_wire_bus::{self, OneWire, OneWireResult};
use core::fmt::Debug;
use std::io::Write;

fn main() {
    
    let mut delay = ?????;
    let mut one_wire_bus = ?????;
    let mut tx = ?????;  //&mut Vec::new();
    
    let temp = get_temperature(delay, tx, one_wire_bus);

    ...
    //do something whit the temp
    ...
}

这是从网站上实现的功能

fn get_temperature<P, E>(
    delay: &mut (impl DelayUs<u16> + DelayMs<u16>),
    tx: &mut impl Write,
    one_wire_bus: &mut OneWire<P>,
) -> OneWireResult<(), E>
    where
        P: OutputPin<Error=E> + InputPin<Error=E>,
        E: Debug
{
    // initiate a temperature measurement for all connected devices
    ds18b20::start_simultaneous_temp_measurement(one_wire_bus, delay)?;

    // wait until the measurement is done. This depends on the resolution you specified
    // If you don't know the resolution, you can obtain it from reading the sensor data,
    // or just wait the longest time, which is the 12-bit resolution (750ms)
    Resolution::Bits12.delay_for_measurement_time(delay);

    // iterate over all the devices, and report their temperature
    let mut search_state = None;
    loop {
        if let Some((device_address, state)) = one_wire_bus.device_search(search_state.as_ref(), false, delay)? {
            search_state = Some(state);
            if device_address.family_code() != ds18b20::FAMILY_CODE {
                // skip other devices
                continue;
            }
            // You will generally create the sensor once, and save it for later
            let sensor = Ds18b20::new(device_address)?;

            // contains the read temperature, as well as config info such as the resolution used
            let sensor_data = sensor.read_data(one_wire_bus, delay)?;
            writeln!(tx, "Device at {:?} is {}°C", device_address, sensor_data.temperature);
        } else {
            break;
        }
    }
    Ok(())
}
3npbholx

3npbholx1#

这里有一个例子。https://github.com/awendland/rpi-ds18b20-rust
这是一个用Rust编写的玩具程序,用于从通过单线接口连接到Raspberry Pi的DS18B20传感器中检索温度数据。

相关问题