1
// SPDX-License-Identifier: BSD-2-Clause
2
/*
3
 * Copyright © The libcoap-rs Contributors, all rights reserved.
4
 * This file is part of the libcoap-rs project, see the README file for
5
 * general information on this project and the NOTICE.md and LICENSE files
6
 * for information regarding copyright ownership and terms of use.
7
 *
8
 * transport.rs - CoAP transports.
9
 */
10

            
11
use std::{net::SocketAddr, os::raw::c_uint};
12

            
13
use libcoap_sys::{
14
    coap_endpoint_set_default_mtu, coap_endpoint_t, coap_free_endpoint, coap_new_endpoint, coap_proto_t,
15
};
16

            
17
use crate::{error::EndpointCreationError, types::CoapAddress, CoapContext};
18

            
19
pub type EndpointMtu = c_uint;
20

            
21
#[derive(Debug)]
22
pub struct CoapEndpoint {
23
    raw_endpoint: *mut coap_endpoint_t,
24
}
25

            
26
/// Trait for functions common between all types of endpoints.
27
impl CoapEndpoint {
28
    /// Sets the default MTU value of the endpoint.
29
    pub fn set_default_mtu(&mut self, mtu: EndpointMtu) {
30
        // SAFETY: as_mut_raw_endpoint cannot fail and will always return a valid reference.
31
        // Modifying the state of the endpoint is also fine, because we have a mutable reference
32
        // of the whole endpoint.
33
        unsafe {
34
            coap_endpoint_set_default_mtu(&mut *self.raw_endpoint, mtu);
35
        }
36
    }
37

            
38
    /// Method utilized by transport protocol specific constructors to actually create the endpoint in libcoap
39
233
    pub(crate) fn new_endpoint(
40
233
        context: &mut CoapContext,
41
233
        addr: SocketAddr,
42
233
        proto: coap_proto_t,
43
233
    ) -> Result<Self, EndpointCreationError> {
44
233
        let endpoint = unsafe {
45
233
            // SAFETY: coap_new_endpoint will return null if it is unable to add new endpoint.
46
233
            // These states are processed further in the code
47
233
            coap_new_endpoint(
48
233
                context.as_mut_raw_context(),
49
233
                CoapAddress::from(addr).as_raw_address(),
50
233
                proto,
51
233
            )
52
233
        };
53
233

            
54
233
        if endpoint.is_null() {
55
            Err(EndpointCreationError::Unknown)
56
        } else {
57
233
            Ok(Self { raw_endpoint: endpoint })
58
        }
59
233
    }
60
}
61

            
62
impl Drop for CoapEndpoint {
63
233
    fn drop(&mut self) {
64
233
        // SAFETY: Raw endpoint is guaranteed to exist for as long as the container exists.
65
233
        unsafe { coap_free_endpoint(self.raw_endpoint) }
66
233
    }
67
}