xref: /DragonOS/kernel/src/net/socket/mod.rs (revision 6046f77591cf23dc9cc53b68b25c0d74f94fa493)
14ad52e57S裕依2439 use core::{any::Any, fmt::Debug, sync::atomic::AtomicUsize};
24ad52e57S裕依2439 
34ad52e57S裕依2439 use alloc::{
44ad52e57S裕依2439     boxed::Box,
54ad52e57S裕依2439     collections::LinkedList,
64ad52e57S裕依2439     string::String,
74ad52e57S裕依2439     sync::{Arc, Weak},
84ad52e57S裕依2439     vec::Vec,
94ad52e57S裕依2439 };
104ad52e57S裕依2439 use hashbrown::HashMap;
114ad52e57S裕依2439 use smoltcp::{
124ad52e57S裕依2439     iface::{SocketHandle, SocketSet},
134ad52e57S裕依2439     socket::{self, tcp, udp},
144ad52e57S裕依2439 };
154ad52e57S裕依2439 use system_error::SystemError;
164ad52e57S裕依2439 
174ad52e57S裕依2439 use crate::{
184ad52e57S裕依2439     arch::{rand::rand, sched::sched},
194ad52e57S裕依2439     filesystem::vfs::{
204ad52e57S裕依2439         file::FileMode, syscall::ModeType, FilePrivateData, FileSystem, FileType, IndexNode,
214ad52e57S裕依2439         Metadata,
224ad52e57S裕依2439     },
234ad52e57S裕依2439     libs::{
244ad52e57S裕依2439         rwlock::{RwLock, RwLockReadGuard, RwLockWriteGuard},
254ad52e57S裕依2439         spinlock::{SpinLock, SpinLockGuard},
264ad52e57S裕依2439         wait_queue::EventWaitQueue,
274ad52e57S裕依2439     },
284ad52e57S裕依2439 };
294ad52e57S裕依2439 
30*6046f775S裕依 use self::{
31*6046f775S裕依     inet::{RawSocket, TcpSocket, UdpSocket},
32*6046f775S裕依     unix::{SeqpacketSocket, StreamSocket},
33*6046f775S裕依 };
344ad52e57S裕依2439 
354ad52e57S裕依2439 use super::{
364ad52e57S裕依2439     event_poll::{EPollEventType, EPollItem, EventPoll},
374ad52e57S裕依2439     net_core::poll_ifaces,
384ad52e57S裕依2439     Endpoint, Protocol, ShutdownType,
394ad52e57S裕依2439 };
404ad52e57S裕依2439 
41*6046f775S裕依 pub mod inet;
42*6046f775S裕依 pub mod unix;
434ad52e57S裕依2439 
444ad52e57S裕依2439 lazy_static! {
454ad52e57S裕依2439     /// 所有socket的集合
464ad52e57S裕依2439     /// TODO: 优化这里,自己实现SocketSet!!!现在这样的话,不管全局有多少个网卡,每个时间点都只会有1个进程能够访问socket
474ad52e57S裕依2439     pub static ref SOCKET_SET: SpinLock<SocketSet<'static >> = SpinLock::new(SocketSet::new(vec![]));
484ad52e57S裕依2439     /// SocketHandle表,每个SocketHandle对应一个SocketHandleItem,
494ad52e57S裕依2439     /// 注意!:在网卡中断中需要拿到这张表的��,在获取读锁时应该确保关中断避免死锁
504ad52e57S裕依2439     pub static ref HANDLE_MAP: RwLock<HashMap<SocketHandle, SocketHandleItem>> = RwLock::new(HashMap::new());
514ad52e57S裕依2439     /// 端口管理器
524ad52e57S裕依2439     pub static ref PORT_MANAGER: PortManager = PortManager::new();
534ad52e57S裕依2439 }
544ad52e57S裕依2439 
554ad52e57S裕依2439 /* For setsockopt(2) */
564ad52e57S裕依2439 // See: linux-5.19.10/include/uapi/asm-generic/socket.h#9
574ad52e57S裕依2439 pub const SOL_SOCKET: u8 = 1;
584ad52e57S裕依2439 
594ad52e57S裕依2439 /// 根据地址族、socket类型和协议创建socket
604ad52e57S裕依2439 pub(super) fn new_socket(
614ad52e57S裕依2439     address_family: AddressFamily,
624ad52e57S裕依2439     socket_type: PosixSocketType,
634ad52e57S裕依2439     protocol: Protocol,
644ad52e57S裕依2439 ) -> Result<Box<dyn Socket>, SystemError> {
654ad52e57S裕依2439     let socket: Box<dyn Socket> = match address_family {
664ad52e57S裕依2439         AddressFamily::Unix => match socket_type {
67*6046f775S裕依             PosixSocketType::Stream => Box::new(StreamSocket::new(SocketOptions::default())),
684ad52e57S裕依2439             PosixSocketType::SeqPacket => Box::new(SeqpacketSocket::new(SocketOptions::default())),
694ad52e57S裕依2439             _ => {
704ad52e57S裕依2439                 return Err(SystemError::EINVAL);
714ad52e57S裕依2439             }
724ad52e57S裕依2439         },
734ad52e57S裕依2439         AddressFamily::INet => match socket_type {
744ad52e57S裕依2439             PosixSocketType::Stream => Box::new(TcpSocket::new(SocketOptions::default())),
754ad52e57S裕依2439             PosixSocketType::Datagram => Box::new(UdpSocket::new(SocketOptions::default())),
764ad52e57S裕依2439             PosixSocketType::Raw => Box::new(RawSocket::new(protocol, SocketOptions::default())),
774ad52e57S裕依2439             _ => {
784ad52e57S裕依2439                 return Err(SystemError::EINVAL);
794ad52e57S裕依2439             }
804ad52e57S裕依2439         },
814ad52e57S裕依2439         _ => {
824ad52e57S裕依2439             return Err(SystemError::EAFNOSUPPORT);
834ad52e57S裕依2439         }
844ad52e57S裕依2439     };
854ad52e57S裕依2439     Ok(socket)
864ad52e57S裕依2439 }
874ad52e57S裕依2439 
884ad52e57S裕依2439 pub trait Socket: Sync + Send + Debug + Any {
894ad52e57S裕依2439     /// @brief 从socket中读取数据,如果socket是阻塞的,那么直到读取到数据才返回
904ad52e57S裕依2439     ///
914ad52e57S裕依2439     /// @param buf 读取到的数据存放的缓冲区
924ad52e57S裕依2439     ///
934ad52e57S裕依2439     /// @return - 成功:(返回读取的数据的长度,读取数据的端点).
944ad52e57S裕依2439     ///         - 失败:错误码
95*6046f775S裕依     fn read(&self, buf: &mut [u8]) -> (Result<usize, SystemError>, Endpoint);
964ad52e57S裕依2439 
974ad52e57S裕依2439     /// @brief 向socket中写入数据。如果socket是阻塞的,那么直到写入的数据全部写入socket中才返回
984ad52e57S裕依2439     ///
994ad52e57S裕依2439     /// @param buf 要写入的数据
1004ad52e57S裕依2439     /// @param to 要写入的目的端点,如果是None,那么写入的数据将会被丢弃
1014ad52e57S裕依2439     ///
1024ad52e57S裕依2439     /// @return 返回写入的数据的长度
1034ad52e57S裕依2439     fn write(&self, buf: &[u8], to: Option<Endpoint>) -> Result<usize, SystemError>;
1044ad52e57S裕依2439 
1054ad52e57S裕依2439     /// @brief 对应于POSIX的connect函数,用于连接到指定的远程服务器端点
1064ad52e57S裕依2439     ///
1074ad52e57S裕依2439     /// It is used to establish a connection to a remote server.
1084ad52e57S裕依2439     /// When a socket is connected to a remote server,
1094ad52e57S裕依2439     /// the operating system will establish a network connection with the server
1104ad52e57S裕依2439     /// and allow data to be sent and received between the local socket and the remote server.
1114ad52e57S裕依2439     ///
1124ad52e57S裕依2439     /// @param endpoint 要连接的端点
1134ad52e57S裕依2439     ///
1144ad52e57S裕依2439     /// @return 返回连接是否成功
115*6046f775S裕依     fn connect(&mut self, _endpoint: Endpoint) -> Result<(), SystemError>;
1164ad52e57S裕依2439 
1174ad52e57S裕依2439     /// @brief 对应于POSIX的bind函数,用于绑定到本机指定的端点
1184ad52e57S裕依2439     ///
1194ad52e57S裕依2439     /// The bind() function is used to associate a socket with a particular IP address and port number on the local machine.
1204ad52e57S裕依2439     ///
1214ad52e57S裕依2439     /// @param endpoint 要绑定的端点
1224ad52e57S裕依2439     ///
1234ad52e57S裕依2439     /// @return 返回绑定是否成功
1244ad52e57S裕依2439     fn bind(&mut self, _endpoint: Endpoint) -> Result<(), SystemError> {
125*6046f775S裕依         Err(SystemError::ENOSYS)
1264ad52e57S裕依2439     }
1274ad52e57S裕依2439 
1284ad52e57S裕依2439     /// @brief 对应于 POSIX 的 shutdown 函数,用于关闭socket。
1294ad52e57S裕依2439     ///
1304ad52e57S裕依2439     /// shutdown() 函数用于启动网络连接的正常关闭。
1314ad52e57S裕依2439     /// 当在两个端点之间建立网络连接时,任一端点都可以通过调用其端点对象上的 shutdown() 函数来启动关闭序列。
1324ad52e57S裕依2439     /// 此函数向远程端点发送关闭消息以指示本地端点不再接受新数据。
1334ad52e57S裕依2439     ///
1344ad52e57S裕依2439     /// @return 返回是否成功关闭
1354ad52e57S裕依2439     fn shutdown(&mut self, _type: ShutdownType) -> Result<(), SystemError> {
136*6046f775S裕依         Err(SystemError::ENOSYS)
1374ad52e57S裕依2439     }
1384ad52e57S裕依2439 
1394ad52e57S裕依2439     /// @brief 对应于POSIX的listen函数,用于监听端点
1404ad52e57S裕依2439     ///
1414ad52e57S裕依2439     /// @param backlog 最大的等待连接数
1424ad52e57S裕依2439     ///
1434ad52e57S裕依2439     /// @return 返回监听是否成功
1444ad52e57S裕依2439     fn listen(&mut self, _backlog: usize) -> Result<(), SystemError> {
145*6046f775S裕依         Err(SystemError::ENOSYS)
1464ad52e57S裕依2439     }
1474ad52e57S裕依2439 
1484ad52e57S裕依2439     /// @brief 对应于POSIX的accept函数,用于接受连接
1494ad52e57S裕依2439     ///
1504ad52e57S裕依2439     /// @param endpoint 对端的端点
1514ad52e57S裕依2439     ///
1524ad52e57S裕依2439     /// @return 返回接受连接是否成功
1534ad52e57S裕依2439     fn accept(&mut self) -> Result<(Box<dyn Socket>, Endpoint), SystemError> {
154*6046f775S裕依         Err(SystemError::ENOSYS)
1554ad52e57S裕依2439     }
1564ad52e57S裕依2439 
1574ad52e57S裕依2439     /// @brief 获取socket的端点
1584ad52e57S裕依2439     ///
1594ad52e57S裕依2439     /// @return 返回socket的端点
1604ad52e57S裕依2439     fn endpoint(&self) -> Option<Endpoint> {
161*6046f775S裕依         None
1624ad52e57S裕依2439     }
1634ad52e57S裕依2439 
1644ad52e57S裕依2439     /// @brief 获取socket的对端端点
1654ad52e57S裕依2439     ///
1664ad52e57S裕依2439     /// @return 返回socket的对端端点
1674ad52e57S裕依2439     fn peer_endpoint(&self) -> Option<Endpoint> {
1684ad52e57S裕依2439         None
1694ad52e57S裕依2439     }
1704ad52e57S裕依2439 
1714ad52e57S裕依2439     /// @brief
1724ad52e57S裕依2439     ///     The purpose of the poll function is to provide
1734ad52e57S裕依2439     ///     a non-blocking way to check if a socket is ready for reading or writing,
1744ad52e57S裕依2439     ///     so that you can efficiently handle multiple sockets in a single thread or event loop.
1754ad52e57S裕依2439     ///
1764ad52e57S裕依2439     /// @return (in, out, err)
1774ad52e57S裕依2439     ///
1784ad52e57S裕依2439     ///     The first boolean value indicates whether the socket is ready for reading. If it is true, then there is data available to be read from the socket without blocking.
1794ad52e57S裕依2439     ///     The second boolean value indicates whether the socket is ready for writing. If it is true, then data can be written to the socket without blocking.
1804ad52e57S裕依2439     ///     The third boolean value indicates whether the socket has encountered an error condition. If it is true, then the socket is in an error state and should be closed or reset
1814ad52e57S裕依2439     ///
1824ad52e57S裕依2439     fn poll(&self) -> EPollEventType {
183*6046f775S裕依         EPollEventType::empty()
1844ad52e57S裕依2439     }
1854ad52e57S裕依2439 
1864ad52e57S裕依2439     /// @brief socket的ioctl函数
1874ad52e57S裕依2439     ///
1884ad52e57S裕依2439     /// @param cmd ioctl命令
1894ad52e57S裕依2439     /// @param arg0 ioctl命令的第一个参数
1904ad52e57S裕依2439     /// @param arg1 ioctl命令的第二个参数
1914ad52e57S裕依2439     /// @param arg2 ioctl命令的第三个参数
1924ad52e57S裕依2439     ///
1934ad52e57S裕依2439     /// @return 返回ioctl命令的返回值
1944ad52e57S裕依2439     fn ioctl(
1954ad52e57S裕依2439         &self,
1964ad52e57S裕依2439         _cmd: usize,
1974ad52e57S裕依2439         _arg0: usize,
1984ad52e57S裕依2439         _arg1: usize,
1994ad52e57S裕依2439         _arg2: usize,
2004ad52e57S裕依2439     ) -> Result<usize, SystemError> {
201*6046f775S裕依         Ok(0)
2024ad52e57S裕依2439     }
2034ad52e57S裕依2439 
2044ad52e57S裕依2439     /// @brief 获取socket的元数据
205*6046f775S裕依     fn metadata(&self) -> SocketMetadata;
2064ad52e57S裕依2439 
2074ad52e57S裕依2439     fn box_clone(&self) -> Box<dyn Socket>;
2084ad52e57S裕依2439 
2094ad52e57S裕依2439     /// @brief 设置socket的选项
2104ad52e57S裕依2439     ///
2114ad52e57S裕依2439     /// @param level 选项的层次
2124ad52e57S裕依2439     /// @param optname 选项的名称
2134ad52e57S裕依2439     /// @param optval 选项的值
2144ad52e57S裕依2439     ///
2154ad52e57S裕依2439     /// @return 返回设置是否成功, 如果不支持该选项,返回ENOSYS
2164ad52e57S裕依2439     fn setsockopt(
2174ad52e57S裕依2439         &self,
2184ad52e57S裕依2439         _level: usize,
2194ad52e57S裕依2439         _optname: usize,
2204ad52e57S裕依2439         _optval: &[u8],
2214ad52e57S裕依2439     ) -> Result<(), SystemError> {
2224ad52e57S裕依2439         kwarn!("setsockopt is not implemented");
223*6046f775S裕依         Ok(())
2244ad52e57S裕依2439     }
2254ad52e57S裕依2439 
2264ad52e57S裕依2439     fn socket_handle(&self) -> SocketHandle {
2274ad52e57S裕依2439         todo!()
2284ad52e57S裕依2439     }
2294ad52e57S裕依2439 
230*6046f775S裕依     fn write_buffer(&self, _buf: &[u8]) -> Result<usize, SystemError> {
231*6046f775S裕依         todo!()
232*6046f775S裕依     }
233*6046f775S裕依 
234*6046f775S裕依     fn as_any_ref(&self) -> &dyn Any;
235*6046f775S裕依 
236*6046f775S裕依     fn as_any_mut(&mut self) -> &mut dyn Any;
237*6046f775S裕依 
2384ad52e57S裕依2439     fn add_epoll(&mut self, epitem: Arc<EPollItem>) -> Result<(), SystemError> {
2394ad52e57S裕依2439         HANDLE_MAP
2404ad52e57S裕依2439             .write_irqsave()
2414ad52e57S裕依2439             .get_mut(&self.socket_handle())
2424ad52e57S裕依2439             .unwrap()
2434ad52e57S裕依2439             .add_epoll(epitem);
2444ad52e57S裕依2439         Ok(())
2454ad52e57S裕依2439     }
2464ad52e57S裕依2439 
2474ad52e57S裕依2439     fn remove_epoll(&mut self, epoll: &Weak<SpinLock<EventPoll>>) -> Result<(), SystemError> {
2484ad52e57S裕依2439         HANDLE_MAP
2494ad52e57S裕依2439             .write_irqsave()
2504ad52e57S裕依2439             .get_mut(&self.socket_handle())
2514ad52e57S裕依2439             .unwrap()
2524ad52e57S裕依2439             .remove_epoll(epoll)?;
2534ad52e57S裕依2439 
2544ad52e57S裕依2439         Ok(())
2554ad52e57S裕依2439     }
2564ad52e57S裕依2439 
2574ad52e57S裕依2439     fn clear_epoll(&mut self) -> Result<(), SystemError> {
2584ad52e57S裕依2439         let mut handle_map_guard = HANDLE_MAP.write_irqsave();
2594ad52e57S裕依2439         let handle_item = handle_map_guard.get_mut(&self.socket_handle()).unwrap();
2604ad52e57S裕依2439 
2614ad52e57S裕依2439         for epitem in handle_item.epitems.lock_irqsave().iter() {
2624ad52e57S裕依2439             let epoll = epitem.epoll();
2634ad52e57S裕依2439             if epoll.upgrade().is_some() {
2644ad52e57S裕依2439                 EventPoll::ep_remove(
2654ad52e57S裕依2439                     &mut epoll.upgrade().unwrap().lock_irqsave(),
2664ad52e57S裕依2439                     epitem.fd(),
2674ad52e57S裕依2439                     None,
2684ad52e57S裕依2439                 )?;
2694ad52e57S裕依2439             }
2704ad52e57S裕依2439         }
2714ad52e57S裕依2439 
2724ad52e57S裕依2439         Ok(())
2734ad52e57S裕依2439     }
2744ad52e57S裕依2439 }
2754ad52e57S裕依2439 
2764ad52e57S裕依2439 impl Clone for Box<dyn Socket> {
2774ad52e57S裕依2439     fn clone(&self) -> Box<dyn Socket> {
2784ad52e57S裕依2439         self.box_clone()
2794ad52e57S裕依2439     }
2804ad52e57S裕依2439 }
2814ad52e57S裕依2439 
2824ad52e57S裕依2439 /// # Socket在文件系统中的inode封装
2834ad52e57S裕依2439 #[derive(Debug)]
2844ad52e57S裕依2439 pub struct SocketInode(SpinLock<Box<dyn Socket>>, AtomicUsize);
2854ad52e57S裕依2439 
2864ad52e57S裕依2439 impl SocketInode {
2874ad52e57S裕依2439     pub fn new(socket: Box<dyn Socket>) -> Arc<Self> {
2884ad52e57S裕依2439         Arc::new(Self(SpinLock::new(socket), AtomicUsize::new(0)))
2894ad52e57S裕依2439     }
2904ad52e57S裕依2439 
2914ad52e57S裕依2439     #[inline]
2924ad52e57S裕依2439     pub fn inner(&self) -> SpinLockGuard<Box<dyn Socket>> {
293*6046f775S裕依         self.0.lock()
2944ad52e57S裕依2439     }
2954ad52e57S裕依2439 
2964ad52e57S裕依2439     pub unsafe fn inner_no_preempt(&self) -> SpinLockGuard<Box<dyn Socket>> {
297*6046f775S裕依         self.0.lock_no_preempt()
2984ad52e57S裕依2439     }
2994ad52e57S裕依2439 }
3004ad52e57S裕依2439 
3014ad52e57S裕依2439 impl IndexNode for SocketInode {
3024ad52e57S裕依2439     fn open(&self, _data: &mut FilePrivateData, _mode: &FileMode) -> Result<(), SystemError> {
3034ad52e57S裕依2439         self.1.fetch_add(1, core::sync::atomic::Ordering::SeqCst);
3044ad52e57S裕依2439         Ok(())
3054ad52e57S裕依2439     }
3064ad52e57S裕依2439 
3074ad52e57S裕依2439     fn close(&self, _data: &mut FilePrivateData) -> Result<(), SystemError> {
3084ad52e57S裕依2439         let prev_ref_count = self.1.fetch_sub(1, core::sync::atomic::Ordering::SeqCst);
3094ad52e57S裕依2439         if prev_ref_count == 1 {
3104ad52e57S裕依2439             // 最后一次关闭,需要释放
3114ad52e57S裕依2439             let mut socket = self.0.lock_irqsave();
3124ad52e57S裕依2439 
313*6046f775S裕依             if socket.metadata().socket_type == SocketType::Unix {
3144ad52e57S裕依2439                 return Ok(());
3154ad52e57S裕依2439             }
3164ad52e57S裕依2439 
3174ad52e57S裕依2439             if let Some(Endpoint::Ip(Some(ip))) = socket.endpoint() {
318*6046f775S裕依                 PORT_MANAGER.unbind_port(socket.metadata().socket_type, ip.port)?;
3194ad52e57S裕依2439             }
3204ad52e57S裕依2439 
3214ad52e57S裕依2439             socket.clear_epoll()?;
3224ad52e57S裕依2439 
3234ad52e57S裕依2439             HANDLE_MAP
3244ad52e57S裕依2439                 .write_irqsave()
3254ad52e57S裕依2439                 .remove(&socket.socket_handle())
3264ad52e57S裕依2439                 .unwrap();
3274ad52e57S裕依2439         }
3284ad52e57S裕依2439         Ok(())
3294ad52e57S裕依2439     }
3304ad52e57S裕依2439 
3314ad52e57S裕依2439     fn read_at(
3324ad52e57S裕依2439         &self,
3334ad52e57S裕依2439         _offset: usize,
3344ad52e57S裕依2439         len: usize,
3354ad52e57S裕依2439         buf: &mut [u8],
3364ad52e57S裕依2439         _data: &mut FilePrivateData,
3374ad52e57S裕依2439     ) -> Result<usize, SystemError> {
338*6046f775S裕依         self.0.lock_no_preempt().read(&mut buf[0..len]).0
3394ad52e57S裕依2439     }
3404ad52e57S裕依2439 
3414ad52e57S裕依2439     fn write_at(
3424ad52e57S裕依2439         &self,
3434ad52e57S裕依2439         _offset: usize,
3444ad52e57S裕依2439         len: usize,
3454ad52e57S裕依2439         buf: &[u8],
3464ad52e57S裕依2439         _data: &mut FilePrivateData,
3474ad52e57S裕依2439     ) -> Result<usize, SystemError> {
348*6046f775S裕依         self.0.lock_no_preempt().write(&buf[0..len], None)
3494ad52e57S裕依2439     }
3504ad52e57S裕依2439 
3514ad52e57S裕依2439     fn poll(&self, _private_data: &FilePrivateData) -> Result<usize, SystemError> {
3524ad52e57S裕依2439         let events = self.0.lock_irqsave().poll();
3534ad52e57S裕依2439         return Ok(events.bits() as usize);
3544ad52e57S裕依2439     }
3554ad52e57S裕依2439 
3564ad52e57S裕依2439     fn fs(&self) -> Arc<dyn FileSystem> {
3574ad52e57S裕依2439         todo!()
3584ad52e57S裕依2439     }
3594ad52e57S裕依2439 
3604ad52e57S裕依2439     fn as_any_ref(&self) -> &dyn Any {
3614ad52e57S裕依2439         self
3624ad52e57S裕依2439     }
3634ad52e57S裕依2439 
3644ad52e57S裕依2439     fn list(&self) -> Result<Vec<String>, SystemError> {
3654ad52e57S裕依2439         return Err(SystemError::ENOTDIR);
3664ad52e57S裕依2439     }
3674ad52e57S裕依2439 
3684ad52e57S裕依2439     fn metadata(&self) -> Result<Metadata, SystemError> {
3694ad52e57S裕依2439         let meta = Metadata {
3704ad52e57S裕依2439             mode: ModeType::from_bits_truncate(0o755),
3714ad52e57S裕依2439             file_type: FileType::Socket,
3724ad52e57S裕依2439             ..Default::default()
3734ad52e57S裕依2439         };
3744ad52e57S裕依2439 
3754ad52e57S裕依2439         return Ok(meta);
3764ad52e57S裕依2439     }
3774ad52e57S裕依2439 
3784ad52e57S裕依2439     fn resize(&self, _len: usize) -> Result<(), SystemError> {
3794ad52e57S裕依2439         return Ok(());
3804ad52e57S裕依2439     }
3814ad52e57S裕依2439 }
3824ad52e57S裕依2439 
3834ad52e57S裕依2439 #[derive(Debug)]
3844ad52e57S裕依2439 pub struct SocketHandleItem {
3854ad52e57S裕依2439     /// shutdown状态
3864ad52e57S裕依2439     pub shutdown_type: RwLock<ShutdownType>,
3874ad52e57S裕依2439     /// socket的waitqueue
3884ad52e57S裕依2439     pub wait_queue: EventWaitQueue,
3894ad52e57S裕依2439     /// epitems,考虑写在这是否是最优解?
3904ad52e57S裕依2439     pub epitems: SpinLock<LinkedList<Arc<EPollItem>>>,
3914ad52e57S裕依2439 }
3924ad52e57S裕依2439 
3934ad52e57S裕依2439 impl SocketHandleItem {
394*6046f775S裕依     pub fn new() -> Self {
3954ad52e57S裕依2439         Self {
3964ad52e57S裕依2439             shutdown_type: RwLock::new(ShutdownType::empty()),
3974ad52e57S裕依2439             wait_queue: EventWaitQueue::new(),
3984ad52e57S裕依2439             epitems: SpinLock::new(LinkedList::new()),
3994ad52e57S裕依2439         }
4004ad52e57S裕依2439     }
4014ad52e57S裕依2439 
402*6046f775S裕依     /// ## 在socket的等待队列上睡眠
4034ad52e57S裕依2439     pub fn sleep(
4044ad52e57S裕依2439         socket_handle: SocketHandle,
4054ad52e57S裕依2439         events: u64,
4064ad52e57S裕依2439         handle_map_guard: RwLockReadGuard<'_, HashMap<SocketHandle, SocketHandleItem>>,
4074ad52e57S裕依2439     ) {
4084ad52e57S裕依2439         unsafe {
4094ad52e57S裕依2439             handle_map_guard
4104ad52e57S裕依2439                 .get(&socket_handle)
4114ad52e57S裕依2439                 .unwrap()
4124ad52e57S裕依2439                 .wait_queue
4134ad52e57S裕依2439                 .sleep_without_schedule(events)
4144ad52e57S裕依2439         };
4154ad52e57S裕依2439         drop(handle_map_guard);
4164ad52e57S裕依2439         sched();
4174ad52e57S裕依2439     }
4184ad52e57S裕依2439 
4194ad52e57S裕依2439     pub fn shutdown_type(&self) -> ShutdownType {
420b5b571e0SLoGin         *self.shutdown_type.read()
4214ad52e57S裕依2439     }
4224ad52e57S裕依2439 
4234ad52e57S裕依2439     pub fn shutdown_type_writer(&mut self) -> RwLockWriteGuard<ShutdownType> {
4244ad52e57S裕依2439         self.shutdown_type.write_irqsave()
4254ad52e57S裕依2439     }
4264ad52e57S裕依2439 
4274ad52e57S裕依2439     pub fn add_epoll(&mut self, epitem: Arc<EPollItem>) {
4284ad52e57S裕依2439         self.epitems.lock_irqsave().push_back(epitem)
4294ad52e57S裕依2439     }
4304ad52e57S裕依2439 
4314ad52e57S裕依2439     pub fn remove_epoll(&mut self, epoll: &Weak<SpinLock<EventPoll>>) -> Result<(), SystemError> {
4324ad52e57S裕依2439         let is_remove = !self
4334ad52e57S裕依2439             .epitems
4344ad52e57S裕依2439             .lock_irqsave()
4354ad52e57S裕依2439             .extract_if(|x| x.epoll().ptr_eq(epoll))
4364ad52e57S裕依2439             .collect::<Vec<_>>()
4374ad52e57S裕依2439             .is_empty();
4384ad52e57S裕依2439 
4394ad52e57S裕依2439         if is_remove {
4404ad52e57S裕依2439             return Ok(());
4414ad52e57S裕依2439         }
4424ad52e57S裕依2439 
4434ad52e57S裕依2439         Err(SystemError::ENOENT)
4444ad52e57S裕依2439     }
4454ad52e57S裕依2439 }
4464ad52e57S裕依2439 
4474ad52e57S裕依2439 /// # TCP 和 UDP 的端口管理器。
4484ad52e57S裕依2439 /// 如果 TCP/UDP 的 socket 绑定了某个端口,它会在对应的表中记录,以检测端口冲突。
4494ad52e57S裕依2439 pub struct PortManager {
4504ad52e57S裕依2439     // TCP 端口记录表
4514ad52e57S裕依2439     tcp_port_table: SpinLock<HashMap<u16, Arc<GlobalSocketHandle>>>,
4524ad52e57S裕依2439     // UDP 端口记录表
4534ad52e57S裕依2439     udp_port_table: SpinLock<HashMap<u16, Arc<GlobalSocketHandle>>>,
4544ad52e57S裕依2439 }
4554ad52e57S裕依2439 
4564ad52e57S裕依2439 impl PortManager {
4574ad52e57S裕依2439     pub fn new() -> Self {
4584ad52e57S裕依2439         return Self {
4594ad52e57S裕依2439             tcp_port_table: SpinLock::new(HashMap::new()),
4604ad52e57S裕依2439             udp_port_table: SpinLock::new(HashMap::new()),
4614ad52e57S裕依2439         };
4624ad52e57S裕依2439     }
4634ad52e57S裕依2439 
4644ad52e57S裕依2439     /// @brief 自动分配一个相对应协议中未被使用的PORT,如果动态端口均已被占用,返回错误码 EADDRINUSE
4654ad52e57S裕依2439     pub fn get_ephemeral_port(&self, socket_type: SocketType) -> Result<u16, SystemError> {
4664ad52e57S裕依2439         // TODO: selects non-conflict high port
4674ad52e57S裕依2439 
4684ad52e57S裕依2439         static mut EPHEMERAL_PORT: u16 = 0;
4694ad52e57S裕依2439         unsafe {
4704ad52e57S裕依2439             if EPHEMERAL_PORT == 0 {
4714ad52e57S裕依2439                 EPHEMERAL_PORT = (49152 + rand() % (65536 - 49152)) as u16;
4724ad52e57S裕依2439             }
4734ad52e57S裕依2439         }
4744ad52e57S裕依2439 
4754ad52e57S裕依2439         let mut remaining = 65536 - 49152; // 剩余尝试分配端口次数
4764ad52e57S裕依2439         let mut port: u16;
4774ad52e57S裕依2439         while remaining > 0 {
4784ad52e57S裕依2439             unsafe {
4794ad52e57S裕依2439                 if EPHEMERAL_PORT == 65535 {
4804ad52e57S裕依2439                     EPHEMERAL_PORT = 49152;
4814ad52e57S裕依2439                 } else {
482b5b571e0SLoGin                     EPHEMERAL_PORT += 1;
4834ad52e57S裕依2439                 }
4844ad52e57S裕依2439                 port = EPHEMERAL_PORT;
4854ad52e57S裕依2439             }
4864ad52e57S裕依2439 
4874ad52e57S裕依2439             // 使用 ListenTable 检查端口是否被占用
4884ad52e57S裕依2439             let listen_table_guard = match socket_type {
489b5b571e0SLoGin                 SocketType::Udp => self.udp_port_table.lock(),
490b5b571e0SLoGin                 SocketType::Tcp => self.tcp_port_table.lock(),
4914ad52e57S裕依2439                 _ => panic!("{:?} cann't get a port", socket_type),
4924ad52e57S裕依2439             };
493b5b571e0SLoGin             if listen_table_guard.get(&port).is_none() {
4944ad52e57S裕依2439                 drop(listen_table_guard);
4954ad52e57S裕依2439                 return Ok(port);
4964ad52e57S裕依2439             }
4974ad52e57S裕依2439             remaining -= 1;
4984ad52e57S裕依2439         }
4994ad52e57S裕依2439         return Err(SystemError::EADDRINUSE);
5004ad52e57S裕依2439     }
5014ad52e57S裕依2439 
5024ad52e57S裕依2439     /// @brief 检测给定端口是否已被占用,如果未被占用则在 TCP/UDP 对应的表中记录
5034ad52e57S裕依2439     ///
5044ad52e57S裕依2439     /// TODO: 增加支持端口复用的逻辑
5054ad52e57S裕依2439     pub fn bind_port(
5064ad52e57S裕依2439         &self,
5074ad52e57S裕依2439         socket_type: SocketType,
5084ad52e57S裕依2439         port: u16,
5094ad52e57S裕依2439         handle: Arc<GlobalSocketHandle>,
5104ad52e57S裕依2439     ) -> Result<(), SystemError> {
5114ad52e57S裕依2439         if port > 0 {
5124ad52e57S裕依2439             let mut listen_table_guard = match socket_type {
513b5b571e0SLoGin                 SocketType::Udp => self.udp_port_table.lock(),
514b5b571e0SLoGin                 SocketType::Tcp => self.tcp_port_table.lock(),
5154ad52e57S裕依2439                 _ => panic!("{:?} cann't bind a port", socket_type),
5164ad52e57S裕依2439             };
5174ad52e57S裕依2439             match listen_table_guard.get(&port) {
5184ad52e57S裕依2439                 Some(_) => return Err(SystemError::EADDRINUSE),
5194ad52e57S裕依2439                 None => listen_table_guard.insert(port, handle),
5204ad52e57S裕依2439             };
5214ad52e57S裕依2439             drop(listen_table_guard);
5224ad52e57S裕依2439         }
5234ad52e57S裕依2439         return Ok(());
5244ad52e57S裕依2439     }
5254ad52e57S裕依2439 
5264ad52e57S裕依2439     /// @brief 在对应的端口记录表中将端口和 socket 解绑
5274ad52e57S裕依2439     pub fn unbind_port(&self, socket_type: SocketType, port: u16) -> Result<(), SystemError> {
5284ad52e57S裕依2439         let mut listen_table_guard = match socket_type {
529b5b571e0SLoGin             SocketType::Udp => self.udp_port_table.lock(),
530b5b571e0SLoGin             SocketType::Tcp => self.tcp_port_table.lock(),
5314ad52e57S裕依2439             _ => return Ok(()),
5324ad52e57S裕依2439         };
5334ad52e57S裕依2439         listen_table_guard.remove(&port);
5344ad52e57S裕依2439         drop(listen_table_guard);
5354ad52e57S裕依2439         return Ok(());
5364ad52e57S裕依2439     }
5374ad52e57S裕依2439 }
5384ad52e57S裕依2439 
5394ad52e57S裕依2439 /// # socket的句柄管理组件
5404ad52e57S裕依2439 /// 它在smoltcp的SocketHandle上封装了一层,增加更多的功能。
5414ad52e57S裕依2439 /// 比如,在socket被关闭时,自动释放socket的资源,通知系统的其他组件。
5424ad52e57S裕依2439 #[derive(Debug)]
5434ad52e57S裕依2439 pub struct GlobalSocketHandle(SocketHandle);
5444ad52e57S裕依2439 
5454ad52e57S裕依2439 impl GlobalSocketHandle {
5464ad52e57S裕依2439     pub fn new(handle: SocketHandle) -> Arc<Self> {
5474ad52e57S裕依2439         return Arc::new(Self(handle));
5484ad52e57S裕依2439     }
5494ad52e57S裕依2439 }
5504ad52e57S裕依2439 
5514ad52e57S裕依2439 impl Clone for GlobalSocketHandle {
5524ad52e57S裕依2439     fn clone(&self) -> Self {
5534ad52e57S裕依2439         Self(self.0)
5544ad52e57S裕依2439     }
5554ad52e57S裕依2439 }
5564ad52e57S裕依2439 
5574ad52e57S裕依2439 impl Drop for GlobalSocketHandle {
5584ad52e57S裕依2439     fn drop(&mut self) {
5594ad52e57S裕依2439         let mut socket_set_guard = SOCKET_SET.lock_irqsave();
5604ad52e57S裕依2439         socket_set_guard.remove(self.0); // 删除的时候,会发送一条FINISH的信息?
5614ad52e57S裕依2439         drop(socket_set_guard);
5624ad52e57S裕依2439         poll_ifaces();
5634ad52e57S裕依2439     }
5644ad52e57S裕依2439 }
5654ad52e57S裕依2439 
5664ad52e57S裕依2439 /// @brief socket的类型
5674ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq)]
5684ad52e57S裕依2439 pub enum SocketType {
5694ad52e57S裕依2439     /// 原始的socket
570b5b571e0SLoGin     Raw,
5714ad52e57S裕依2439     /// 用于Tcp通信的 Socket
572b5b571e0SLoGin     Tcp,
5734ad52e57S裕依2439     /// 用于Udp通信的 Socket
574b5b571e0SLoGin     Udp,
575*6046f775S裕依     /// unix域的 Socket
576*6046f775S裕依     Unix,
5774ad52e57S裕依2439 }
5784ad52e57S裕依2439 
5794ad52e57S裕依2439 bitflags! {
5804ad52e57S裕依2439     /// @brief socket的选项
5814ad52e57S裕依2439     #[derive(Default)]
5824ad52e57S裕依2439     pub struct SocketOptions: u32 {
5834ad52e57S裕依2439         /// 是否阻塞
5844ad52e57S裕依2439         const BLOCK = 1 << 0;
5854ad52e57S裕依2439         /// 是否允许广播
5864ad52e57S裕依2439         const BROADCAST = 1 << 1;
5874ad52e57S裕依2439         /// 是否允许多播
5884ad52e57S裕依2439         const MULTICAST = 1 << 2;
5894ad52e57S裕依2439         /// 是否允许重用地址
5904ad52e57S裕依2439         const REUSEADDR = 1 << 3;
5914ad52e57S裕依2439         /// 是否允许重用端口
5924ad52e57S裕依2439         const REUSEPORT = 1 << 4;
5934ad52e57S裕依2439     }
5944ad52e57S裕依2439 }
5954ad52e57S裕依2439 
5964ad52e57S裕依2439 #[derive(Debug, Clone)]
5974ad52e57S裕依2439 /// @brief 在trait Socket的metadata函数中返回该结构体供外部使用
5984ad52e57S裕依2439 pub struct SocketMetadata {
5994ad52e57S裕依2439     /// socket的类型
6004ad52e57S裕依2439     pub socket_type: SocketType,
6014ad52e57S裕依2439     /// 接收缓冲区的大小
6024ad52e57S裕依2439     pub rx_buf_size: usize,
6034ad52e57S裕依2439     /// 发送缓冲区的大小
6044ad52e57S裕依2439     pub tx_buf_size: usize,
6054ad52e57S裕依2439     /// 元数据的缓冲区的大小
6064ad52e57S裕依2439     pub metadata_buf_size: usize,
6074ad52e57S裕依2439     /// socket的选项
6084ad52e57S裕依2439     pub options: SocketOptions,
6094ad52e57S裕依2439 }
6104ad52e57S裕依2439 
6114ad52e57S裕依2439 impl SocketMetadata {
6124ad52e57S裕依2439     fn new(
6134ad52e57S裕依2439         socket_type: SocketType,
6144ad52e57S裕依2439         rx_buf_size: usize,
6154ad52e57S裕依2439         tx_buf_size: usize,
6164ad52e57S裕依2439         metadata_buf_size: usize,
6174ad52e57S裕依2439         options: SocketOptions,
6184ad52e57S裕依2439     ) -> Self {
6194ad52e57S裕依2439         Self {
6204ad52e57S裕依2439             socket_type,
6214ad52e57S裕依2439             rx_buf_size,
6224ad52e57S裕依2439             tx_buf_size,
6234ad52e57S裕依2439             metadata_buf_size,
6244ad52e57S裕依2439             options,
6254ad52e57S裕依2439         }
6264ad52e57S裕依2439     }
6274ad52e57S裕依2439 }
6284ad52e57S裕依2439 
6294ad52e57S裕依2439 /// @brief 地址族的枚举
6304ad52e57S裕依2439 ///
6314ad52e57S裕依2439 /// 参考:https://code.dragonos.org.cn/xref/linux-5.19.10/include/linux/socket.h#180
6324ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq, Eq, FromPrimitive, ToPrimitive)]
6334ad52e57S裕依2439 pub enum AddressFamily {
6344ad52e57S裕依2439     /// AF_UNSPEC 表示地址族未指定
6354ad52e57S裕依2439     Unspecified = 0,
6364ad52e57S裕依2439     /// AF_UNIX 表示Unix域的socket (与AF_LOCAL相同)
6374ad52e57S裕依2439     Unix = 1,
6384ad52e57S裕依2439     ///  AF_INET 表示IPv4的socket
6394ad52e57S裕依2439     INet = 2,
6404ad52e57S裕依2439     /// AF_AX25 表示AMPR AX.25的socket
6414ad52e57S裕依2439     AX25 = 3,
6424ad52e57S裕依2439     /// AF_IPX 表示IPX的socket
6434ad52e57S裕依2439     IPX = 4,
6444ad52e57S裕依2439     /// AF_APPLETALK 表示Appletalk的socket
6454ad52e57S裕依2439     Appletalk = 5,
6464ad52e57S裕依2439     /// AF_NETROM 表示AMPR NET/ROM的socket
6474ad52e57S裕依2439     Netrom = 6,
6484ad52e57S裕依2439     /// AF_BRIDGE 表示多协议桥接的socket
6494ad52e57S裕依2439     Bridge = 7,
6504ad52e57S裕依2439     /// AF_ATMPVC 表示ATM PVCs的socket
6514ad52e57S裕依2439     Atmpvc = 8,
6524ad52e57S裕依2439     /// AF_X25 表示X.25的socket
6534ad52e57S裕依2439     X25 = 9,
6544ad52e57S裕依2439     /// AF_INET6 表示IPv6的socket
6554ad52e57S裕依2439     INet6 = 10,
6564ad52e57S裕依2439     /// AF_ROSE 表示AMPR ROSE的socket
6574ad52e57S裕依2439     Rose = 11,
6584ad52e57S裕依2439     /// AF_DECnet Reserved for DECnet project
6594ad52e57S裕依2439     Decnet = 12,
6604ad52e57S裕依2439     /// AF_NETBEUI Reserved for 802.2LLC project
6614ad52e57S裕依2439     Netbeui = 13,
6624ad52e57S裕依2439     /// AF_SECURITY 表示Security callback的伪AF
6634ad52e57S裕依2439     Security = 14,
6644ad52e57S裕依2439     /// AF_KEY 表示Key management API
6654ad52e57S裕依2439     Key = 15,
6664ad52e57S裕依2439     /// AF_NETLINK 表示Netlink的socket
6674ad52e57S裕依2439     Netlink = 16,
6684ad52e57S裕依2439     /// AF_PACKET 表示Low level packet interface
6694ad52e57S裕依2439     Packet = 17,
6704ad52e57S裕依2439     /// AF_ASH 表示Ash
6714ad52e57S裕依2439     Ash = 18,
6724ad52e57S裕依2439     /// AF_ECONET 表示Acorn Econet
6734ad52e57S裕依2439     Econet = 19,
6744ad52e57S裕依2439     /// AF_ATMSVC 表示ATM SVCs
6754ad52e57S裕依2439     Atmsvc = 20,
6764ad52e57S裕依2439     /// AF_RDS 表示Reliable Datagram Sockets
6774ad52e57S裕依2439     Rds = 21,
6784ad52e57S裕依2439     /// AF_SNA 表示Linux SNA Project
6794ad52e57S裕依2439     Sna = 22,
6804ad52e57S裕依2439     /// AF_IRDA 表示IRDA sockets
6814ad52e57S裕依2439     Irda = 23,
6824ad52e57S裕依2439     /// AF_PPPOX 表示PPPoX sockets
6834ad52e57S裕依2439     Pppox = 24,
6844ad52e57S裕依2439     /// AF_WANPIPE 表示WANPIPE API sockets
6854ad52e57S裕依2439     WanPipe = 25,
6864ad52e57S裕依2439     /// AF_LLC 表示Linux LLC
6874ad52e57S裕依2439     Llc = 26,
6884ad52e57S裕依2439     /// AF_IB 表示Native InfiniBand address
6894ad52e57S裕依2439     /// 介绍:https://access.redhat.com/documentation/en-us/red_hat_enterprise_linux/9/html-single/configuring_infiniband_and_rdma_networks/index#understanding-infiniband-and-rdma_configuring-infiniband-and-rdma-networks
6904ad52e57S裕依2439     Ib = 27,
6914ad52e57S裕依2439     /// AF_MPLS 表示MPLS
6924ad52e57S裕依2439     Mpls = 28,
6934ad52e57S裕依2439     /// AF_CAN 表示Controller Area Network
6944ad52e57S裕依2439     Can = 29,
6954ad52e57S裕依2439     /// AF_TIPC 表示TIPC sockets
6964ad52e57S裕依2439     Tipc = 30,
6974ad52e57S裕依2439     /// AF_BLUETOOTH 表示Bluetooth sockets
6984ad52e57S裕依2439     Bluetooth = 31,
6994ad52e57S裕依2439     /// AF_IUCV 表示IUCV sockets
7004ad52e57S裕依2439     Iucv = 32,
7014ad52e57S裕依2439     /// AF_RXRPC 表示RxRPC sockets
7024ad52e57S裕依2439     Rxrpc = 33,
7034ad52e57S裕依2439     /// AF_ISDN 表示mISDN sockets
7044ad52e57S裕依2439     Isdn = 34,
7054ad52e57S裕依2439     /// AF_PHONET 表示Phonet sockets
7064ad52e57S裕依2439     Phonet = 35,
7074ad52e57S裕依2439     /// AF_IEEE802154 表示IEEE 802.15.4 sockets
7084ad52e57S裕依2439     Ieee802154 = 36,
7094ad52e57S裕依2439     /// AF_CAIF 表示CAIF sockets
7104ad52e57S裕依2439     Caif = 37,
7114ad52e57S裕依2439     /// AF_ALG 表示Algorithm sockets
7124ad52e57S裕依2439     Alg = 38,
7134ad52e57S裕依2439     /// AF_NFC 表示NFC sockets
7144ad52e57S裕依2439     Nfc = 39,
7154ad52e57S裕依2439     /// AF_VSOCK 表示vSockets
7164ad52e57S裕依2439     Vsock = 40,
7174ad52e57S裕依2439     /// AF_KCM 表示Kernel Connection Multiplexor
7184ad52e57S裕依2439     Kcm = 41,
7194ad52e57S裕依2439     /// AF_QIPCRTR 表示Qualcomm IPC Router
7204ad52e57S裕依2439     Qipcrtr = 42,
7214ad52e57S裕依2439     /// AF_SMC 表示SMC-R sockets.
7224ad52e57S裕依2439     /// reserve number for PF_SMC protocol family that reuses AF_INET address family
7234ad52e57S裕依2439     Smc = 43,
7244ad52e57S裕依2439     /// AF_XDP 表示XDP sockets
7254ad52e57S裕依2439     Xdp = 44,
7264ad52e57S裕依2439     /// AF_MCTP 表示Management Component Transport Protocol
7274ad52e57S裕依2439     Mctp = 45,
7284ad52e57S裕依2439     /// AF_MAX 表示最大的地址族
7294ad52e57S裕依2439     Max = 46,
7304ad52e57S裕依2439 }
7314ad52e57S裕依2439 
7324ad52e57S裕依2439 impl TryFrom<u16> for AddressFamily {
7334ad52e57S裕依2439     type Error = SystemError;
7344ad52e57S裕依2439     fn try_from(x: u16) -> Result<Self, Self::Error> {
7354ad52e57S裕依2439         use num_traits::FromPrimitive;
736b5b571e0SLoGin         return <Self as FromPrimitive>::from_u16(x).ok_or(SystemError::EINVAL);
7374ad52e57S裕依2439     }
7384ad52e57S裕依2439 }
7394ad52e57S裕依2439 
7404ad52e57S裕依2439 /// @brief posix套接字类型的枚举(这些值与linux内核中的值一致)
7414ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq, Eq, FromPrimitive, ToPrimitive)]
7424ad52e57S裕依2439 pub enum PosixSocketType {
7434ad52e57S裕依2439     Stream = 1,
7444ad52e57S裕依2439     Datagram = 2,
7454ad52e57S裕依2439     Raw = 3,
7464ad52e57S裕依2439     Rdm = 4,
7474ad52e57S裕依2439     SeqPacket = 5,
7484ad52e57S裕依2439     Dccp = 6,
7494ad52e57S裕依2439     Packet = 10,
7504ad52e57S裕依2439 }
7514ad52e57S裕依2439 
7524ad52e57S裕依2439 impl TryFrom<u8> for PosixSocketType {
7534ad52e57S裕依2439     type Error = SystemError;
7544ad52e57S裕依2439     fn try_from(x: u8) -> Result<Self, Self::Error> {
7554ad52e57S裕依2439         use num_traits::FromPrimitive;
756b5b571e0SLoGin         return <Self as FromPrimitive>::from_u8(x).ok_or(SystemError::EINVAL);
7574ad52e57S裕依2439     }
7584ad52e57S裕依2439 }
7594ad52e57S裕依2439 
7604ad52e57S裕依2439 /// ### 为socket提供无锁的poll方法
7614ad52e57S裕依2439 ///
7624ad52e57S裕依2439 /// 因为在网卡中断中,需要轮询socket的状态,如果使用socket文件或者其inode来poll
7634ad52e57S裕依2439 /// 在当前的设计,会必然死锁,所以引用这一个设计来解决,提供无��的poll
7644ad52e57S裕依2439 pub struct SocketPollMethod;
7654ad52e57S裕依2439 
7664ad52e57S裕依2439 impl SocketPollMethod {
7674ad52e57S裕依2439     pub fn poll(socket: &socket::Socket, shutdown: ShutdownType) -> EPollEventType {
7684ad52e57S裕依2439         match socket {
7694ad52e57S裕依2439             socket::Socket::Udp(udp) => Self::udp_poll(udp, shutdown),
7704ad52e57S裕依2439             socket::Socket::Tcp(tcp) => Self::tcp_poll(tcp, shutdown),
7714ad52e57S裕依2439             _ => todo!(),
7724ad52e57S裕依2439         }
7734ad52e57S裕依2439     }
7744ad52e57S裕依2439 
7754ad52e57S裕依2439     pub fn tcp_poll(socket: &tcp::Socket, shutdown: ShutdownType) -> EPollEventType {
7764ad52e57S裕依2439         let mut events = EPollEventType::empty();
7774ad52e57S裕依2439         if socket.is_listening() && socket.is_active() {
7784ad52e57S裕依2439             events.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
7794ad52e57S裕依2439             return events;
7804ad52e57S裕依2439         }
7814ad52e57S裕依2439 
7824ad52e57S裕依2439         // socket已经关闭
7834ad52e57S裕依2439         if !socket.is_open() {
7844ad52e57S裕依2439             events.insert(EPollEventType::EPOLLHUP)
7854ad52e57S裕依2439         }
7864ad52e57S裕依2439         if shutdown.contains(ShutdownType::RCV_SHUTDOWN) {
7874ad52e57S裕依2439             events.insert(
7884ad52e57S裕依2439                 EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM | EPollEventType::EPOLLRDHUP,
7894ad52e57S裕依2439             );
7904ad52e57S裕依2439         }
7914ad52e57S裕依2439 
7924ad52e57S裕依2439         let state = socket.state();
7934ad52e57S裕依2439         if state != tcp::State::SynSent && state != tcp::State::SynReceived {
7944ad52e57S裕依2439             // socket有可读数据
7954ad52e57S裕依2439             if socket.can_recv() {
7964ad52e57S裕依2439                 events.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
7974ad52e57S裕依2439             }
7984ad52e57S裕依2439 
7994ad52e57S裕依2439             if !(shutdown.contains(ShutdownType::SEND_SHUTDOWN)) {
8004ad52e57S裕依2439                 // 缓冲区可写
8014ad52e57S裕依2439                 if socket.send_queue() < socket.send_capacity() {
8024ad52e57S裕依2439                     events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8034ad52e57S裕依2439                 } else {
8044ad52e57S裕依2439                     // TODO:触发缓冲区已满的信号
8054ad52e57S裕依2439                     todo!("A signal that the buffer is full needs to be sent");
8064ad52e57S裕依2439                 }
8074ad52e57S裕依2439             } else {
8084ad52e57S裕依2439                 // 如果我们的socket关闭了SEND_SHUTDOWN,epoll事件就是EPOLLOUT
8094ad52e57S裕依2439                 events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8104ad52e57S裕依2439             }
8114ad52e57S裕依2439         } else if state == tcp::State::SynSent {
8124ad52e57S裕依2439             events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8134ad52e57S裕依2439         }
8144ad52e57S裕依2439 
8154ad52e57S裕依2439         // socket发生错误
8164ad52e57S裕依2439         if !socket.is_active() {
8174ad52e57S裕依2439             events.insert(EPollEventType::EPOLLERR);
8184ad52e57S裕依2439         }
8194ad52e57S裕依2439 
8204ad52e57S裕依2439         events
8214ad52e57S裕依2439     }
8224ad52e57S裕依2439 
8234ad52e57S裕依2439     pub fn udp_poll(socket: &udp::Socket, shutdown: ShutdownType) -> EPollEventType {
8244ad52e57S裕依2439         let mut event = EPollEventType::empty();
8254ad52e57S裕依2439 
8264ad52e57S裕依2439         if shutdown.contains(ShutdownType::RCV_SHUTDOWN) {
8274ad52e57S裕依2439             event.insert(
8284ad52e57S裕依2439                 EPollEventType::EPOLLRDHUP | EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM,
8294ad52e57S裕依2439             );
8304ad52e57S裕依2439         }
8314ad52e57S裕依2439         if shutdown.contains(ShutdownType::SHUTDOWN_MASK) {
8324ad52e57S裕依2439             event.insert(EPollEventType::EPOLLHUP);
8334ad52e57S裕依2439         }
8344ad52e57S裕依2439 
8354ad52e57S裕依2439         if socket.can_recv() {
8364ad52e57S裕依2439             event.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
8374ad52e57S裕依2439         }
8384ad52e57S裕依2439 
8394ad52e57S裕依2439         if socket.can_send() {
8404ad52e57S裕依2439             event.insert(
8414ad52e57S裕依2439                 EPollEventType::EPOLLOUT
8424ad52e57S裕依2439                     | EPollEventType::EPOLLWRNORM
8434ad52e57S裕依2439                     | EPollEventType::EPOLLWRBAND,
8444ad52e57S裕依2439             );
8454ad52e57S裕依2439         } else {
8464ad52e57S裕依2439             // TODO: 缓冲区空间不够,需要使用信号处理
8474ad52e57S裕依2439             todo!()
8484ad52e57S裕依2439         }
8494ad52e57S裕依2439 
8504ad52e57S裕依2439         return event;
8514ad52e57S裕依2439     }
8524ad52e57S裕依2439 }
853