xref: /DragonOS/kernel/src/net/socket/mod.rs (revision 37cef00bb404c9cc01509c12df57548029967dc2)
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::{
12d623e902SGnoCiYeH     iface::SocketSet,
1393c37970Ssun5etop     socket::{self, raw, tcp, udp},
144ad52e57S裕依2439 };
154ad52e57S裕依2439 use system_error::SystemError;
164ad52e57S裕依2439 
174ad52e57S裕依2439 use crate::{
18f0c87a89SGnoCiYeH     arch::rand::rand,
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     },
28*37cef00bSSamuel Dai     process::{Pid, ProcessManager},
29f0c87a89SGnoCiYeH     sched::{schedule, SchedMode},
304ad52e57S裕依2439 };
314ad52e57S裕依2439 
326046f775S裕依 use self::{
33d623e902SGnoCiYeH     handle::GlobalSocketHandle,
346046f775S裕依     inet::{RawSocket, TcpSocket, UdpSocket},
356046f775S裕依     unix::{SeqpacketSocket, StreamSocket},
366046f775S裕依 };
374ad52e57S裕依2439 
384ad52e57S裕依2439 use super::{
394ad52e57S裕依2439     event_poll::{EPollEventType, EPollItem, EventPoll},
404ad52e57S裕依2439     Endpoint, Protocol, ShutdownType,
414ad52e57S裕依2439 };
424ad52e57S裕依2439 
43d623e902SGnoCiYeH pub mod handle;
446046f775S裕依 pub mod inet;
456046f775S裕依 pub mod unix;
464ad52e57S裕依2439 
474ad52e57S裕依2439 lazy_static! {
484ad52e57S裕依2439     /// 所有socket的集合
494ad52e57S裕依2439     /// TODO: 优化这里,自己实现SocketSet!!!现在这样的话,不管全局有多少个网卡,每个时间点都只会有1个进程能够访问socket
504ad52e57S裕依2439     pub static ref SOCKET_SET: SpinLock<SocketSet<'static >> = SpinLock::new(SocketSet::new(vec![]));
514ad52e57S裕依2439     /// SocketHandle表,每个SocketHandle对应一个SocketHandleItem,
524ad52e57S裕依2439     /// 注意!:在网卡中断中需要拿到这张表的��,在获取读锁时应该确保关中断避免死锁
53d623e902SGnoCiYeH     pub static ref HANDLE_MAP: RwLock<HashMap<GlobalSocketHandle, SocketHandleItem>> = RwLock::new(HashMap::new());
544ad52e57S裕依2439     /// 端口管理器
554ad52e57S裕依2439     pub static ref PORT_MANAGER: PortManager = PortManager::new();
564ad52e57S裕依2439 }
574ad52e57S裕依2439 
584ad52e57S裕依2439 /* For setsockopt(2) */
594ad52e57S裕依2439 // See: linux-5.19.10/include/uapi/asm-generic/socket.h#9
604ad52e57S裕依2439 pub const SOL_SOCKET: u8 = 1;
614ad52e57S裕依2439 
624ad52e57S裕依2439 /// 根据地址族、socket类型和协议创建socket
634ad52e57S裕依2439 pub(super) fn new_socket(
644ad52e57S裕依2439     address_family: AddressFamily,
654ad52e57S裕依2439     socket_type: PosixSocketType,
664ad52e57S裕依2439     protocol: Protocol,
674ad52e57S裕依2439 ) -> Result<Box<dyn Socket>, SystemError> {
684ad52e57S裕依2439     let socket: Box<dyn Socket> = match address_family {
694ad52e57S裕依2439         AddressFamily::Unix => match socket_type {
706046f775S裕依             PosixSocketType::Stream => Box::new(StreamSocket::new(SocketOptions::default())),
714ad52e57S裕依2439             PosixSocketType::SeqPacket => Box::new(SeqpacketSocket::new(SocketOptions::default())),
724ad52e57S裕依2439             _ => {
734ad52e57S裕依2439                 return Err(SystemError::EINVAL);
744ad52e57S裕依2439             }
754ad52e57S裕依2439         },
764ad52e57S裕依2439         AddressFamily::INet => match socket_type {
774ad52e57S裕依2439             PosixSocketType::Stream => Box::new(TcpSocket::new(SocketOptions::default())),
784ad52e57S裕依2439             PosixSocketType::Datagram => Box::new(UdpSocket::new(SocketOptions::default())),
794ad52e57S裕依2439             PosixSocketType::Raw => Box::new(RawSocket::new(protocol, SocketOptions::default())),
804ad52e57S裕依2439             _ => {
814ad52e57S裕依2439                 return Err(SystemError::EINVAL);
824ad52e57S裕依2439             }
834ad52e57S裕依2439         },
844ad52e57S裕依2439         _ => {
854ad52e57S裕依2439             return Err(SystemError::EAFNOSUPPORT);
864ad52e57S裕依2439         }
874ad52e57S裕依2439     };
88d623e902SGnoCiYeH 
89*37cef00bSSamuel Dai     let handle_item = SocketHandleItem::new(None);
90d623e902SGnoCiYeH     HANDLE_MAP
91d623e902SGnoCiYeH         .write_irqsave()
92d623e902SGnoCiYeH         .insert(socket.socket_handle(), handle_item);
934ad52e57S裕依2439     Ok(socket)
944ad52e57S裕依2439 }
954ad52e57S裕依2439 
964ad52e57S裕依2439 pub trait Socket: Sync + Send + Debug + Any {
974ad52e57S裕依2439     /// @brief 从socket中读取数据,如果socket是阻塞的,那么直到读取到数据才返回
984ad52e57S裕依2439     ///
994ad52e57S裕依2439     /// @param buf 读取到的数据存放的缓冲区
1004ad52e57S裕依2439     ///
1014ad52e57S裕依2439     /// @return - 成功:(返回读取的数据的长度,读取数据的端点).
1024ad52e57S裕依2439     ///         - 失败:错误码
1036046f775S裕依     fn read(&self, buf: &mut [u8]) -> (Result<usize, SystemError>, Endpoint);
1044ad52e57S裕依2439 
1054ad52e57S裕依2439     /// @brief 向socket中写入数据。如果socket是阻塞的,那么直到写入的数据全部写入socket中才返回
1064ad52e57S裕依2439     ///
1074ad52e57S裕依2439     /// @param buf 要写入的数据
1084ad52e57S裕依2439     /// @param to 要写入的目的端点,如果是None,那么写入的数据将会被丢弃
1094ad52e57S裕依2439     ///
1104ad52e57S裕依2439     /// @return 返回写入的数据的长度
1114ad52e57S裕依2439     fn write(&self, buf: &[u8], to: Option<Endpoint>) -> Result<usize, SystemError>;
1124ad52e57S裕依2439 
1134ad52e57S裕依2439     /// @brief 对应于POSIX的connect函数,用于连接到指定的远程服务器端点
1144ad52e57S裕依2439     ///
1154ad52e57S裕依2439     /// It is used to establish a connection to a remote server.
1164ad52e57S裕依2439     /// When a socket is connected to a remote server,
1174ad52e57S裕依2439     /// the operating system will establish a network connection with the server
1184ad52e57S裕依2439     /// and allow data to be sent and received between the local socket and the remote server.
1194ad52e57S裕依2439     ///
1204ad52e57S裕依2439     /// @param endpoint 要连接的端点
1214ad52e57S裕依2439     ///
1224ad52e57S裕依2439     /// @return 返回连接是否成功
1236046f775S裕依     fn connect(&mut self, _endpoint: Endpoint) -> Result<(), SystemError>;
1244ad52e57S裕依2439 
1254ad52e57S裕依2439     /// @brief 对应于POSIX的bind函数,用于绑定到本机指定的端点
1264ad52e57S裕依2439     ///
1274ad52e57S裕依2439     /// The bind() function is used to associate a socket with a particular IP address and port number on the local machine.
1284ad52e57S裕依2439     ///
1294ad52e57S裕依2439     /// @param endpoint 要绑定的端点
1304ad52e57S裕依2439     ///
1314ad52e57S裕依2439     /// @return 返回绑定是否成功
1324ad52e57S裕依2439     fn bind(&mut self, _endpoint: Endpoint) -> Result<(), SystemError> {
1336046f775S裕依         Err(SystemError::ENOSYS)
1344ad52e57S裕依2439     }
1354ad52e57S裕依2439 
1364ad52e57S裕依2439     /// @brief 对应于 POSIX 的 shutdown 函数,用于关闭socket。
1374ad52e57S裕依2439     ///
1384ad52e57S裕依2439     /// shutdown() 函数用于启动网络连接的正常关闭。
1394ad52e57S裕依2439     /// 当在两个端点之间建立网络连接时,任一端点都可以通过调用其端点对象上的 shutdown() 函数来启动关闭序列。
1404ad52e57S裕依2439     /// 此函数向远程端点发送关闭消息以指示本地端点不再接受新数据。
1414ad52e57S裕依2439     ///
1424ad52e57S裕依2439     /// @return 返回是否成功关闭
1434ad52e57S裕依2439     fn shutdown(&mut self, _type: ShutdownType) -> Result<(), SystemError> {
1446046f775S裕依         Err(SystemError::ENOSYS)
1454ad52e57S裕依2439     }
1464ad52e57S裕依2439 
1474ad52e57S裕依2439     /// @brief 对应于POSIX的listen函数,用于监听端点
1484ad52e57S裕依2439     ///
1494ad52e57S裕依2439     /// @param backlog 最大的等待连接数
1504ad52e57S裕依2439     ///
1514ad52e57S裕依2439     /// @return 返回监听是否成功
1524ad52e57S裕依2439     fn listen(&mut self, _backlog: usize) -> Result<(), SystemError> {
1536046f775S裕依         Err(SystemError::ENOSYS)
1544ad52e57S裕依2439     }
1554ad52e57S裕依2439 
1564ad52e57S裕依2439     /// @brief 对应于POSIX的accept函数,用于接受连接
1574ad52e57S裕依2439     ///
1584ad52e57S裕依2439     /// @param endpoint 对端的端点
1594ad52e57S裕依2439     ///
1604ad52e57S裕依2439     /// @return 返回接受连接是否成功
1614ad52e57S裕依2439     fn accept(&mut self) -> Result<(Box<dyn Socket>, Endpoint), SystemError> {
1626046f775S裕依         Err(SystemError::ENOSYS)
1634ad52e57S裕依2439     }
1644ad52e57S裕依2439 
1654ad52e57S裕依2439     /// @brief 获取socket的端点
1664ad52e57S裕依2439     ///
1674ad52e57S裕依2439     /// @return 返回socket的端点
1684ad52e57S裕依2439     fn endpoint(&self) -> Option<Endpoint> {
1696046f775S裕依         None
1704ad52e57S裕依2439     }
1714ad52e57S裕依2439 
1724ad52e57S裕依2439     /// @brief 获取socket的对端端点
1734ad52e57S裕依2439     ///
1744ad52e57S裕依2439     /// @return 返回socket的对端端点
1754ad52e57S裕依2439     fn peer_endpoint(&self) -> Option<Endpoint> {
1764ad52e57S裕依2439         None
1774ad52e57S裕依2439     }
1784ad52e57S裕依2439 
1794ad52e57S裕依2439     /// @brief
1804ad52e57S裕依2439     ///     The purpose of the poll function is to provide
1814ad52e57S裕依2439     ///     a non-blocking way to check if a socket is ready for reading or writing,
1824ad52e57S裕依2439     ///     so that you can efficiently handle multiple sockets in a single thread or event loop.
1834ad52e57S裕依2439     ///
1844ad52e57S裕依2439     /// @return (in, out, err)
1854ad52e57S裕依2439     ///
1864ad52e57S裕依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.
1874ad52e57S裕依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.
1884ad52e57S裕依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
1894ad52e57S裕依2439     ///
1904ad52e57S裕依2439     fn poll(&self) -> EPollEventType {
1916046f775S裕依         EPollEventType::empty()
1924ad52e57S裕依2439     }
1934ad52e57S裕依2439 
1944ad52e57S裕依2439     /// @brief socket的ioctl函数
1954ad52e57S裕依2439     ///
1964ad52e57S裕依2439     /// @param cmd ioctl命令
1974ad52e57S裕依2439     /// @param arg0 ioctl命令的第一个参数
1984ad52e57S裕依2439     /// @param arg1 ioctl命令的第二个参数
1994ad52e57S裕依2439     /// @param arg2 ioctl命令的第三个参数
2004ad52e57S裕依2439     ///
2014ad52e57S裕依2439     /// @return 返回ioctl命令的返回值
2024ad52e57S裕依2439     fn ioctl(
2034ad52e57S裕依2439         &self,
2044ad52e57S裕依2439         _cmd: usize,
2054ad52e57S裕依2439         _arg0: usize,
2064ad52e57S裕依2439         _arg1: usize,
2074ad52e57S裕依2439         _arg2: usize,
2084ad52e57S裕依2439     ) -> Result<usize, SystemError> {
2096046f775S裕依         Ok(0)
2104ad52e57S裕依2439     }
2114ad52e57S裕依2439 
2124ad52e57S裕依2439     /// @brief 获取socket的元数据
2136046f775S裕依     fn metadata(&self) -> SocketMetadata;
2144ad52e57S裕依2439 
2154ad52e57S裕依2439     fn box_clone(&self) -> Box<dyn Socket>;
2164ad52e57S裕依2439 
2174ad52e57S裕依2439     /// @brief 设置socket的选项
2184ad52e57S裕依2439     ///
2194ad52e57S裕依2439     /// @param level 选项的层次
2204ad52e57S裕依2439     /// @param optname 选项的名称
2214ad52e57S裕依2439     /// @param optval 选项的值
2224ad52e57S裕依2439     ///
2234ad52e57S裕依2439     /// @return 返回设置是否成功, 如果不支持该选项,返回ENOSYS
2244ad52e57S裕依2439     fn setsockopt(
2254ad52e57S裕依2439         &self,
2264ad52e57S裕依2439         _level: usize,
2274ad52e57S裕依2439         _optname: usize,
2284ad52e57S裕依2439         _optval: &[u8],
2294ad52e57S裕依2439     ) -> Result<(), SystemError> {
2304ad52e57S裕依2439         kwarn!("setsockopt is not implemented");
2316046f775S裕依         Ok(())
2324ad52e57S裕依2439     }
2334ad52e57S裕依2439 
234d623e902SGnoCiYeH     fn socket_handle(&self) -> GlobalSocketHandle;
2354ad52e57S裕依2439 
2366046f775S裕依     fn write_buffer(&self, _buf: &[u8]) -> Result<usize, SystemError> {
2376046f775S裕依         todo!()
2386046f775S裕依     }
2396046f775S裕依 
2406046f775S裕依     fn as_any_ref(&self) -> &dyn Any;
2416046f775S裕依 
2426046f775S裕依     fn as_any_mut(&mut self) -> &mut dyn Any;
2436046f775S裕依 
2444ad52e57S裕依2439     fn add_epoll(&mut self, epitem: Arc<EPollItem>) -> Result<(), SystemError> {
2454ad52e57S裕依2439         HANDLE_MAP
2464ad52e57S裕依2439             .write_irqsave()
2474ad52e57S裕依2439             .get_mut(&self.socket_handle())
2484ad52e57S裕依2439             .unwrap()
2494ad52e57S裕依2439             .add_epoll(epitem);
2504ad52e57S裕依2439         Ok(())
2514ad52e57S裕依2439     }
2524ad52e57S裕依2439 
2534ad52e57S裕依2439     fn remove_epoll(&mut self, epoll: &Weak<SpinLock<EventPoll>>) -> Result<(), SystemError> {
2544ad52e57S裕依2439         HANDLE_MAP
2554ad52e57S裕依2439             .write_irqsave()
2564ad52e57S裕依2439             .get_mut(&self.socket_handle())
2574ad52e57S裕依2439             .unwrap()
2584ad52e57S裕依2439             .remove_epoll(epoll)?;
2594ad52e57S裕依2439 
2604ad52e57S裕依2439         Ok(())
2614ad52e57S裕依2439     }
2624ad52e57S裕依2439 
2634ad52e57S裕依2439     fn clear_epoll(&mut self) -> Result<(), SystemError> {
2644ad52e57S裕依2439         let mut handle_map_guard = HANDLE_MAP.write_irqsave();
2654ad52e57S裕依2439         let handle_item = handle_map_guard.get_mut(&self.socket_handle()).unwrap();
2664ad52e57S裕依2439 
2674ad52e57S裕依2439         for epitem in handle_item.epitems.lock_irqsave().iter() {
2684ad52e57S裕依2439             let epoll = epitem.epoll();
2694ad52e57S裕依2439             if epoll.upgrade().is_some() {
2704ad52e57S裕依2439                 EventPoll::ep_remove(
2714ad52e57S裕依2439                     &mut epoll.upgrade().unwrap().lock_irqsave(),
2724ad52e57S裕依2439                     epitem.fd(),
2734ad52e57S裕依2439                     None,
2744ad52e57S裕依2439                 )?;
2754ad52e57S裕依2439             }
2764ad52e57S裕依2439         }
2774ad52e57S裕依2439 
2784ad52e57S裕依2439         Ok(())
2794ad52e57S裕依2439     }
280d623e902SGnoCiYeH 
281d623e902SGnoCiYeH     fn close(&mut self);
2824ad52e57S裕依2439 }
2834ad52e57S裕依2439 
2844ad52e57S裕依2439 impl Clone for Box<dyn Socket> {
2854ad52e57S裕依2439     fn clone(&self) -> Box<dyn Socket> {
2864ad52e57S裕依2439         self.box_clone()
2874ad52e57S裕依2439     }
2884ad52e57S裕依2439 }
2894ad52e57S裕依2439 
2904ad52e57S裕依2439 /// # Socket在文件系统中的inode封装
2914ad52e57S裕依2439 #[derive(Debug)]
2924ad52e57S裕依2439 pub struct SocketInode(SpinLock<Box<dyn Socket>>, AtomicUsize);
2934ad52e57S裕依2439 
2944ad52e57S裕依2439 impl SocketInode {
2954ad52e57S裕依2439     pub fn new(socket: Box<dyn Socket>) -> Arc<Self> {
2964ad52e57S裕依2439         Arc::new(Self(SpinLock::new(socket), AtomicUsize::new(0)))
2974ad52e57S裕依2439     }
2984ad52e57S裕依2439 
2994ad52e57S裕依2439     #[inline]
3004ad52e57S裕依2439     pub fn inner(&self) -> SpinLockGuard<Box<dyn Socket>> {
3016046f775S裕依         self.0.lock()
3024ad52e57S裕依2439     }
3034ad52e57S裕依2439 
3044ad52e57S裕依2439     pub unsafe fn inner_no_preempt(&self) -> SpinLockGuard<Box<dyn Socket>> {
3056046f775S裕依         self.0.lock_no_preempt()
3064ad52e57S裕依2439     }
307*37cef00bSSamuel Dai 
308*37cef00bSSamuel Dai     fn do_close(&self) -> Result<(), SystemError> {
309*37cef00bSSamuel Dai         let prev_ref_count = self.1.fetch_sub(1, core::sync::atomic::Ordering::SeqCst);
310*37cef00bSSamuel Dai         if prev_ref_count == 1 {
311*37cef00bSSamuel Dai             // 最后一次关闭,需要释放
312*37cef00bSSamuel Dai             let mut socket = self.0.lock_irqsave();
313*37cef00bSSamuel Dai 
314*37cef00bSSamuel Dai             if socket.metadata().socket_type == SocketType::Unix {
315*37cef00bSSamuel Dai                 return Ok(());
316*37cef00bSSamuel Dai             }
317*37cef00bSSamuel Dai 
318*37cef00bSSamuel Dai             if let Some(Endpoint::Ip(Some(ip))) = socket.endpoint() {
319*37cef00bSSamuel Dai                 PORT_MANAGER.unbind_port(socket.metadata().socket_type, ip.port);
320*37cef00bSSamuel Dai             }
321*37cef00bSSamuel Dai 
322*37cef00bSSamuel Dai             socket.clear_epoll()?;
323*37cef00bSSamuel Dai 
324*37cef00bSSamuel Dai             HANDLE_MAP
325*37cef00bSSamuel Dai                 .write_irqsave()
326*37cef00bSSamuel Dai                 .remove(&socket.socket_handle())
327*37cef00bSSamuel Dai                 .unwrap();
328*37cef00bSSamuel Dai             socket.close();
329*37cef00bSSamuel Dai         }
330*37cef00bSSamuel Dai 
331*37cef00bSSamuel Dai         Ok(())
332*37cef00bSSamuel Dai     }
333*37cef00bSSamuel Dai }
334*37cef00bSSamuel Dai 
335*37cef00bSSamuel Dai impl Drop for SocketInode {
336*37cef00bSSamuel Dai     fn drop(&mut self) {
337*37cef00bSSamuel Dai         for _ in 0..self.1.load(core::sync::atomic::Ordering::SeqCst) {
338*37cef00bSSamuel Dai             let _ = self.do_close();
339*37cef00bSSamuel Dai         }
340*37cef00bSSamuel Dai     }
3414ad52e57S裕依2439 }
3424ad52e57S裕依2439 
3434ad52e57S裕依2439 impl IndexNode for SocketInode {
344dfe53cf0SGnoCiYeH     fn open(
345dfe53cf0SGnoCiYeH         &self,
346dfe53cf0SGnoCiYeH         _data: SpinLockGuard<FilePrivateData>,
347dfe53cf0SGnoCiYeH         _mode: &FileMode,
348dfe53cf0SGnoCiYeH     ) -> Result<(), SystemError> {
3494ad52e57S裕依2439         self.1.fetch_add(1, core::sync::atomic::Ordering::SeqCst);
3504ad52e57S裕依2439         Ok(())
3514ad52e57S裕依2439     }
3524ad52e57S裕依2439 
353dfe53cf0SGnoCiYeH     fn close(&self, _data: SpinLockGuard<FilePrivateData>) -> Result<(), SystemError> {
354*37cef00bSSamuel Dai         self.do_close()
3554ad52e57S裕依2439     }
3564ad52e57S裕依2439 
3574ad52e57S裕依2439     fn read_at(
3584ad52e57S裕依2439         &self,
3594ad52e57S裕依2439         _offset: usize,
3604ad52e57S裕依2439         len: usize,
3614ad52e57S裕依2439         buf: &mut [u8],
362f0c87a89SGnoCiYeH         data: SpinLockGuard<FilePrivateData>,
3634ad52e57S裕依2439     ) -> Result<usize, SystemError> {
364f0c87a89SGnoCiYeH         drop(data);
3656046f775S裕依         self.0.lock_no_preempt().read(&mut buf[0..len]).0
3664ad52e57S裕依2439     }
3674ad52e57S裕依2439 
3684ad52e57S裕依2439     fn write_at(
3694ad52e57S裕依2439         &self,
3704ad52e57S裕依2439         _offset: usize,
3714ad52e57S裕依2439         len: usize,
3724ad52e57S裕依2439         buf: &[u8],
373f0c87a89SGnoCiYeH         data: SpinLockGuard<FilePrivateData>,
3744ad52e57S裕依2439     ) -> Result<usize, SystemError> {
375f0c87a89SGnoCiYeH         drop(data);
3766046f775S裕依         self.0.lock_no_preempt().write(&buf[0..len], None)
3774ad52e57S裕依2439     }
3784ad52e57S裕依2439 
3794ad52e57S裕依2439     fn poll(&self, _private_data: &FilePrivateData) -> Result<usize, SystemError> {
3804ad52e57S裕依2439         let events = self.0.lock_irqsave().poll();
3814ad52e57S裕依2439         return Ok(events.bits() as usize);
3824ad52e57S裕依2439     }
3834ad52e57S裕依2439 
3844ad52e57S裕依2439     fn fs(&self) -> Arc<dyn FileSystem> {
3854ad52e57S裕依2439         todo!()
3864ad52e57S裕依2439     }
3874ad52e57S裕依2439 
3884ad52e57S裕依2439     fn as_any_ref(&self) -> &dyn Any {
3894ad52e57S裕依2439         self
3904ad52e57S裕依2439     }
3914ad52e57S裕依2439 
3924ad52e57S裕依2439     fn list(&self) -> Result<Vec<String>, SystemError> {
3934ad52e57S裕依2439         return Err(SystemError::ENOTDIR);
3944ad52e57S裕依2439     }
3954ad52e57S裕依2439 
3964ad52e57S裕依2439     fn metadata(&self) -> Result<Metadata, SystemError> {
3974ad52e57S裕依2439         let meta = Metadata {
3984ad52e57S裕依2439             mode: ModeType::from_bits_truncate(0o755),
3994ad52e57S裕依2439             file_type: FileType::Socket,
4004ad52e57S裕依2439             ..Default::default()
4014ad52e57S裕依2439         };
4024ad52e57S裕依2439 
4034ad52e57S裕依2439         return Ok(meta);
4044ad52e57S裕依2439     }
4054ad52e57S裕依2439 
4064ad52e57S裕依2439     fn resize(&self, _len: usize) -> Result<(), SystemError> {
4074ad52e57S裕依2439         return Ok(());
4084ad52e57S裕依2439     }
4094ad52e57S裕依2439 }
4104ad52e57S裕依2439 
4114ad52e57S裕依2439 #[derive(Debug)]
4124ad52e57S裕依2439 pub struct SocketHandleItem {
4134ad52e57S裕依2439     /// shutdown状态
4144ad52e57S裕依2439     pub shutdown_type: RwLock<ShutdownType>,
4154ad52e57S裕依2439     /// socket的waitqueue
416*37cef00bSSamuel Dai     pub wait_queue: Arc<EventWaitQueue>,
4174ad52e57S裕依2439     /// epitems,考虑写在这是否是最优解?
4184ad52e57S裕依2439     pub epitems: SpinLock<LinkedList<Arc<EPollItem>>>,
4194ad52e57S裕依2439 }
4204ad52e57S裕依2439 
4214ad52e57S裕依2439 impl SocketHandleItem {
422*37cef00bSSamuel Dai     pub fn new(wait_queue: Option<Arc<EventWaitQueue>>) -> Self {
4234ad52e57S裕依2439         Self {
4244ad52e57S裕依2439             shutdown_type: RwLock::new(ShutdownType::empty()),
425*37cef00bSSamuel Dai             wait_queue: wait_queue.unwrap_or(Arc::new(EventWaitQueue::new())),
4264ad52e57S裕依2439             epitems: SpinLock::new(LinkedList::new()),
4274ad52e57S裕依2439         }
4284ad52e57S裕依2439     }
4294ad52e57S裕依2439 
4306046f775S裕依     /// ## 在socket的等待队列上睡眠
4314ad52e57S裕依2439     pub fn sleep(
432d623e902SGnoCiYeH         socket_handle: GlobalSocketHandle,
4334ad52e57S裕依2439         events: u64,
434d623e902SGnoCiYeH         handle_map_guard: RwLockReadGuard<'_, HashMap<GlobalSocketHandle, SocketHandleItem>>,
4354ad52e57S裕依2439     ) {
4364ad52e57S裕依2439         unsafe {
4374ad52e57S裕依2439             handle_map_guard
4384ad52e57S裕依2439                 .get(&socket_handle)
4394ad52e57S裕依2439                 .unwrap()
4404ad52e57S裕依2439                 .wait_queue
4414ad52e57S裕依2439                 .sleep_without_schedule(events)
4424ad52e57S裕依2439         };
4434ad52e57S裕依2439         drop(handle_map_guard);
444f0c87a89SGnoCiYeH         schedule(SchedMode::SM_NONE);
4454ad52e57S裕依2439     }
4464ad52e57S裕依2439 
4474ad52e57S裕依2439     pub fn shutdown_type(&self) -> ShutdownType {
448b5b571e0SLoGin         *self.shutdown_type.read()
4494ad52e57S裕依2439     }
4504ad52e57S裕依2439 
4514ad52e57S裕依2439     pub fn shutdown_type_writer(&mut self) -> RwLockWriteGuard<ShutdownType> {
4524ad52e57S裕依2439         self.shutdown_type.write_irqsave()
4534ad52e57S裕依2439     }
4544ad52e57S裕依2439 
4554ad52e57S裕依2439     pub fn add_epoll(&mut self, epitem: Arc<EPollItem>) {
4564ad52e57S裕依2439         self.epitems.lock_irqsave().push_back(epitem)
4574ad52e57S裕依2439     }
4584ad52e57S裕依2439 
4594ad52e57S裕依2439     pub fn remove_epoll(&mut self, epoll: &Weak<SpinLock<EventPoll>>) -> Result<(), SystemError> {
4604ad52e57S裕依2439         let is_remove = !self
4614ad52e57S裕依2439             .epitems
4624ad52e57S裕依2439             .lock_irqsave()
4634ad52e57S裕依2439             .extract_if(|x| x.epoll().ptr_eq(epoll))
4644ad52e57S裕依2439             .collect::<Vec<_>>()
4654ad52e57S裕依2439             .is_empty();
4664ad52e57S裕依2439 
4674ad52e57S裕依2439         if is_remove {
4684ad52e57S裕依2439             return Ok(());
4694ad52e57S裕依2439         }
4704ad52e57S裕依2439 
4714ad52e57S裕依2439         Err(SystemError::ENOENT)
4724ad52e57S裕依2439     }
4734ad52e57S裕依2439 }
4744ad52e57S裕依2439 
4754ad52e57S裕依2439 /// # TCP 和 UDP 的端口管理器。
4764ad52e57S裕依2439 /// 如果 TCP/UDP 的 socket 绑定了某个端口,它会在对应的表中记录,以检测端口冲突。
4774ad52e57S裕依2439 pub struct PortManager {
4784ad52e57S裕依2439     // TCP 端口记录表
479*37cef00bSSamuel Dai     tcp_port_table: SpinLock<HashMap<u16, Pid>>,
4804ad52e57S裕依2439     // UDP 端口记录表
481*37cef00bSSamuel Dai     udp_port_table: SpinLock<HashMap<u16, Pid>>,
4824ad52e57S裕依2439 }
4834ad52e57S裕依2439 
4844ad52e57S裕依2439 impl PortManager {
4854ad52e57S裕依2439     pub fn new() -> Self {
4864ad52e57S裕依2439         return Self {
4874ad52e57S裕依2439             tcp_port_table: SpinLock::new(HashMap::new()),
4884ad52e57S裕依2439             udp_port_table: SpinLock::new(HashMap::new()),
4894ad52e57S裕依2439         };
4904ad52e57S裕依2439     }
4914ad52e57S裕依2439 
4924ad52e57S裕依2439     /// @brief 自动分配一个相对应协议中未被使用的PORT,如果动态端口均已被占用,返回错误码 EADDRINUSE
4934ad52e57S裕依2439     pub fn get_ephemeral_port(&self, socket_type: SocketType) -> Result<u16, SystemError> {
4944ad52e57S裕依2439         // TODO: selects non-conflict high port
4954ad52e57S裕依2439 
4964ad52e57S裕依2439         static mut EPHEMERAL_PORT: u16 = 0;
4974ad52e57S裕依2439         unsafe {
4984ad52e57S裕依2439             if EPHEMERAL_PORT == 0 {
4994ad52e57S裕依2439                 EPHEMERAL_PORT = (49152 + rand() % (65536 - 49152)) as u16;
5004ad52e57S裕依2439             }
5014ad52e57S裕依2439         }
5024ad52e57S裕依2439 
5034ad52e57S裕依2439         let mut remaining = 65536 - 49152; // 剩余尝试分配端口次数
5044ad52e57S裕依2439         let mut port: u16;
5054ad52e57S裕依2439         while remaining > 0 {
5064ad52e57S裕依2439             unsafe {
5074ad52e57S裕依2439                 if EPHEMERAL_PORT == 65535 {
5084ad52e57S裕依2439                     EPHEMERAL_PORT = 49152;
5094ad52e57S裕依2439                 } else {
510b5b571e0SLoGin                     EPHEMERAL_PORT += 1;
5114ad52e57S裕依2439                 }
5124ad52e57S裕依2439                 port = EPHEMERAL_PORT;
5134ad52e57S裕依2439             }
5144ad52e57S裕依2439 
5154ad52e57S裕依2439             // 使用 ListenTable 检查端口是否被占用
5164ad52e57S裕依2439             let listen_table_guard = match socket_type {
517b5b571e0SLoGin                 SocketType::Udp => self.udp_port_table.lock(),
518b5b571e0SLoGin                 SocketType::Tcp => self.tcp_port_table.lock(),
5194ad52e57S裕依2439                 _ => panic!("{:?} cann't get a port", socket_type),
5204ad52e57S裕依2439             };
521b5b571e0SLoGin             if listen_table_guard.get(&port).is_none() {
5224ad52e57S裕依2439                 drop(listen_table_guard);
5234ad52e57S裕依2439                 return Ok(port);
5244ad52e57S裕依2439             }
5254ad52e57S裕依2439             remaining -= 1;
5264ad52e57S裕依2439         }
5274ad52e57S裕依2439         return Err(SystemError::EADDRINUSE);
5284ad52e57S裕依2439     }
5294ad52e57S裕依2439 
5304ad52e57S裕依2439     /// @brief 检测给定端口是否已被占用,如果未被占用则在 TCP/UDP 对应的表中记录
5314ad52e57S裕依2439     ///
5324ad52e57S裕依2439     /// TODO: 增加支持端口复用的逻辑
533*37cef00bSSamuel Dai     pub fn bind_port(&self, socket_type: SocketType, port: u16) -> Result<(), SystemError> {
5344ad52e57S裕依2439         if port > 0 {
5354ad52e57S裕依2439             let mut listen_table_guard = match socket_type {
536b5b571e0SLoGin                 SocketType::Udp => self.udp_port_table.lock(),
537b5b571e0SLoGin                 SocketType::Tcp => self.tcp_port_table.lock(),
5384ad52e57S裕依2439                 _ => panic!("{:?} cann't bind a port", socket_type),
5394ad52e57S裕依2439             };
5404ad52e57S裕依2439             match listen_table_guard.get(&port) {
5414ad52e57S裕依2439                 Some(_) => return Err(SystemError::EADDRINUSE),
542*37cef00bSSamuel Dai                 None => listen_table_guard.insert(port, ProcessManager::current_pid()),
5434ad52e57S裕依2439             };
5444ad52e57S裕依2439             drop(listen_table_guard);
5454ad52e57S裕依2439         }
5464ad52e57S裕依2439         return Ok(());
5474ad52e57S裕依2439     }
5484ad52e57S裕依2439 
5494ad52e57S裕依2439     /// @brief 在对应的端口记录表中将端口和 socket 解绑
550*37cef00bSSamuel Dai     /// should call this function when socket is closed or aborted
551*37cef00bSSamuel Dai     pub fn unbind_port(&self, socket_type: SocketType, port: u16) {
5524ad52e57S裕依2439         let mut listen_table_guard = match socket_type {
553b5b571e0SLoGin             SocketType::Udp => self.udp_port_table.lock(),
554b5b571e0SLoGin             SocketType::Tcp => self.tcp_port_table.lock(),
555*37cef00bSSamuel Dai             _ => {
556*37cef00bSSamuel Dai                 return;
557*37cef00bSSamuel Dai             }
5584ad52e57S裕依2439         };
5594ad52e57S裕依2439         listen_table_guard.remove(&port);
5604ad52e57S裕依2439         drop(listen_table_guard);
5614ad52e57S裕依2439     }
5624ad52e57S裕依2439 }
5634ad52e57S裕依2439 
5644ad52e57S裕依2439 /// @brief socket的类型
5654ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq)]
5664ad52e57S裕依2439 pub enum SocketType {
5674ad52e57S裕依2439     /// 原始的socket
568b5b571e0SLoGin     Raw,
5694ad52e57S裕依2439     /// 用于Tcp通信的 Socket
570b5b571e0SLoGin     Tcp,
5714ad52e57S裕依2439     /// 用于Udp通信的 Socket
572b5b571e0SLoGin     Udp,
5736046f775S裕依     /// unix域的 Socket
5746046f775S裕依     Unix,
5754ad52e57S裕依2439 }
5764ad52e57S裕依2439 
5774ad52e57S裕依2439 bitflags! {
5784ad52e57S裕依2439     /// @brief socket的选项
5794ad52e57S裕依2439     #[derive(Default)]
5804ad52e57S裕依2439     pub struct SocketOptions: u32 {
5814ad52e57S裕依2439         /// 是否阻塞
5824ad52e57S裕依2439         const BLOCK = 1 << 0;
5834ad52e57S裕依2439         /// 是否允许广播
5844ad52e57S裕依2439         const BROADCAST = 1 << 1;
5854ad52e57S裕依2439         /// 是否允许多播
5864ad52e57S裕依2439         const MULTICAST = 1 << 2;
5874ad52e57S裕依2439         /// 是否允许重用地址
5884ad52e57S裕依2439         const REUSEADDR = 1 << 3;
5894ad52e57S裕依2439         /// 是否允许重用端口
5904ad52e57S裕依2439         const REUSEPORT = 1 << 4;
5914ad52e57S裕依2439     }
5924ad52e57S裕依2439 }
5934ad52e57S裕依2439 
5944ad52e57S裕依2439 #[derive(Debug, Clone)]
5954ad52e57S裕依2439 /// @brief 在trait Socket的metadata函数中返回该结构体供外部使用
5964ad52e57S裕依2439 pub struct SocketMetadata {
5974ad52e57S裕依2439     /// socket的类型
5984ad52e57S裕依2439     pub socket_type: SocketType,
5994ad52e57S裕依2439     /// 接收缓冲区的大小
6004ad52e57S裕依2439     pub rx_buf_size: usize,
6014ad52e57S裕依2439     /// 发送缓冲区的大小
6024ad52e57S裕依2439     pub tx_buf_size: usize,
6034ad52e57S裕依2439     /// 元数据的缓冲区的大小
6044ad52e57S裕依2439     pub metadata_buf_size: usize,
6054ad52e57S裕依2439     /// socket的选项
6064ad52e57S裕依2439     pub options: SocketOptions,
6074ad52e57S裕依2439 }
6084ad52e57S裕依2439 
6094ad52e57S裕依2439 impl SocketMetadata {
6104ad52e57S裕依2439     fn new(
6114ad52e57S裕依2439         socket_type: SocketType,
6124ad52e57S裕依2439         rx_buf_size: usize,
6134ad52e57S裕依2439         tx_buf_size: usize,
6144ad52e57S裕依2439         metadata_buf_size: usize,
6154ad52e57S裕依2439         options: SocketOptions,
6164ad52e57S裕依2439     ) -> Self {
6174ad52e57S裕依2439         Self {
6184ad52e57S裕依2439             socket_type,
6194ad52e57S裕依2439             rx_buf_size,
6204ad52e57S裕依2439             tx_buf_size,
6214ad52e57S裕依2439             metadata_buf_size,
6224ad52e57S裕依2439             options,
6234ad52e57S裕依2439         }
6244ad52e57S裕依2439     }
6254ad52e57S裕依2439 }
6264ad52e57S裕依2439 
6274ad52e57S裕依2439 /// @brief 地址族的枚举
6284ad52e57S裕依2439 ///
6294ad52e57S裕依2439 /// 参考:https://code.dragonos.org.cn/xref/linux-5.19.10/include/linux/socket.h#180
6304ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq, Eq, FromPrimitive, ToPrimitive)]
6314ad52e57S裕依2439 pub enum AddressFamily {
6324ad52e57S裕依2439     /// AF_UNSPEC 表示地址族未指定
6334ad52e57S裕依2439     Unspecified = 0,
6344ad52e57S裕依2439     /// AF_UNIX 表示Unix域的socket (与AF_LOCAL相同)
6354ad52e57S裕依2439     Unix = 1,
6364ad52e57S裕依2439     ///  AF_INET 表示IPv4的socket
6374ad52e57S裕依2439     INet = 2,
6384ad52e57S裕依2439     /// AF_AX25 表示AMPR AX.25的socket
6394ad52e57S裕依2439     AX25 = 3,
6404ad52e57S裕依2439     /// AF_IPX 表示IPX的socket
6414ad52e57S裕依2439     IPX = 4,
6424ad52e57S裕依2439     /// AF_APPLETALK 表示Appletalk的socket
6434ad52e57S裕依2439     Appletalk = 5,
6444ad52e57S裕依2439     /// AF_NETROM 表示AMPR NET/ROM的socket
6454ad52e57S裕依2439     Netrom = 6,
6464ad52e57S裕依2439     /// AF_BRIDGE 表示多协议桥接的socket
6474ad52e57S裕依2439     Bridge = 7,
6484ad52e57S裕依2439     /// AF_ATMPVC 表示ATM PVCs的socket
6494ad52e57S裕依2439     Atmpvc = 8,
6504ad52e57S裕依2439     /// AF_X25 表示X.25的socket
6514ad52e57S裕依2439     X25 = 9,
6524ad52e57S裕依2439     /// AF_INET6 表示IPv6的socket
6534ad52e57S裕依2439     INet6 = 10,
6544ad52e57S裕依2439     /// AF_ROSE 表示AMPR ROSE的socket
6554ad52e57S裕依2439     Rose = 11,
6564ad52e57S裕依2439     /// AF_DECnet Reserved for DECnet project
6574ad52e57S裕依2439     Decnet = 12,
6584ad52e57S裕依2439     /// AF_NETBEUI Reserved for 802.2LLC project
6594ad52e57S裕依2439     Netbeui = 13,
6604ad52e57S裕依2439     /// AF_SECURITY 表示Security callback的伪AF
6614ad52e57S裕依2439     Security = 14,
6624ad52e57S裕依2439     /// AF_KEY 表示Key management API
6634ad52e57S裕依2439     Key = 15,
6644ad52e57S裕依2439     /// AF_NETLINK 表示Netlink的socket
6654ad52e57S裕依2439     Netlink = 16,
6664ad52e57S裕依2439     /// AF_PACKET 表示Low level packet interface
6674ad52e57S裕依2439     Packet = 17,
6684ad52e57S裕依2439     /// AF_ASH 表示Ash
6694ad52e57S裕依2439     Ash = 18,
6704ad52e57S裕依2439     /// AF_ECONET 表示Acorn Econet
6714ad52e57S裕依2439     Econet = 19,
6724ad52e57S裕依2439     /// AF_ATMSVC 表示ATM SVCs
6734ad52e57S裕依2439     Atmsvc = 20,
6744ad52e57S裕依2439     /// AF_RDS 表示Reliable Datagram Sockets
6754ad52e57S裕依2439     Rds = 21,
6764ad52e57S裕依2439     /// AF_SNA 表示Linux SNA Project
6774ad52e57S裕依2439     Sna = 22,
6784ad52e57S裕依2439     /// AF_IRDA 表示IRDA sockets
6794ad52e57S裕依2439     Irda = 23,
6804ad52e57S裕依2439     /// AF_PPPOX 表示PPPoX sockets
6814ad52e57S裕依2439     Pppox = 24,
6824ad52e57S裕依2439     /// AF_WANPIPE 表示WANPIPE API sockets
6834ad52e57S裕依2439     WanPipe = 25,
6844ad52e57S裕依2439     /// AF_LLC 表示Linux LLC
6854ad52e57S裕依2439     Llc = 26,
6864ad52e57S裕依2439     /// AF_IB 表示Native InfiniBand address
6874ad52e57S裕依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
6884ad52e57S裕依2439     Ib = 27,
6894ad52e57S裕依2439     /// AF_MPLS 表示MPLS
6904ad52e57S裕依2439     Mpls = 28,
6914ad52e57S裕依2439     /// AF_CAN 表示Controller Area Network
6924ad52e57S裕依2439     Can = 29,
6934ad52e57S裕依2439     /// AF_TIPC 表示TIPC sockets
6944ad52e57S裕依2439     Tipc = 30,
6954ad52e57S裕依2439     /// AF_BLUETOOTH 表示Bluetooth sockets
6964ad52e57S裕依2439     Bluetooth = 31,
6974ad52e57S裕依2439     /// AF_IUCV 表示IUCV sockets
6984ad52e57S裕依2439     Iucv = 32,
6994ad52e57S裕依2439     /// AF_RXRPC 表示RxRPC sockets
7004ad52e57S裕依2439     Rxrpc = 33,
7014ad52e57S裕依2439     /// AF_ISDN 表示mISDN sockets
7024ad52e57S裕依2439     Isdn = 34,
7034ad52e57S裕依2439     /// AF_PHONET 表示Phonet sockets
7044ad52e57S裕依2439     Phonet = 35,
7054ad52e57S裕依2439     /// AF_IEEE802154 表示IEEE 802.15.4 sockets
7064ad52e57S裕依2439     Ieee802154 = 36,
7074ad52e57S裕依2439     /// AF_CAIF 表示CAIF sockets
7084ad52e57S裕依2439     Caif = 37,
7094ad52e57S裕依2439     /// AF_ALG 表示Algorithm sockets
7104ad52e57S裕依2439     Alg = 38,
7114ad52e57S裕依2439     /// AF_NFC 表示NFC sockets
7124ad52e57S裕依2439     Nfc = 39,
7134ad52e57S裕依2439     /// AF_VSOCK 表示vSockets
7144ad52e57S裕依2439     Vsock = 40,
7154ad52e57S裕依2439     /// AF_KCM 表示Kernel Connection Multiplexor
7164ad52e57S裕依2439     Kcm = 41,
7174ad52e57S裕依2439     /// AF_QIPCRTR 表示Qualcomm IPC Router
7184ad52e57S裕依2439     Qipcrtr = 42,
7194ad52e57S裕依2439     /// AF_SMC 表示SMC-R sockets.
7204ad52e57S裕依2439     /// reserve number for PF_SMC protocol family that reuses AF_INET address family
7214ad52e57S裕依2439     Smc = 43,
7224ad52e57S裕依2439     /// AF_XDP 表示XDP sockets
7234ad52e57S裕依2439     Xdp = 44,
7244ad52e57S裕依2439     /// AF_MCTP 表示Management Component Transport Protocol
7254ad52e57S裕依2439     Mctp = 45,
7264ad52e57S裕依2439     /// AF_MAX 表示最大的地址族
7274ad52e57S裕依2439     Max = 46,
7284ad52e57S裕依2439 }
7294ad52e57S裕依2439 
7304ad52e57S裕依2439 impl TryFrom<u16> for AddressFamily {
7314ad52e57S裕依2439     type Error = SystemError;
7324ad52e57S裕依2439     fn try_from(x: u16) -> Result<Self, Self::Error> {
7334ad52e57S裕依2439         use num_traits::FromPrimitive;
734b5b571e0SLoGin         return <Self as FromPrimitive>::from_u16(x).ok_or(SystemError::EINVAL);
7354ad52e57S裕依2439     }
7364ad52e57S裕依2439 }
7374ad52e57S裕依2439 
7384ad52e57S裕依2439 /// @brief posix套接字类型的枚举(这些值与linux内核中的值一致)
7394ad52e57S裕依2439 #[derive(Debug, Clone, Copy, PartialEq, Eq, FromPrimitive, ToPrimitive)]
7404ad52e57S裕依2439 pub enum PosixSocketType {
7414ad52e57S裕依2439     Stream = 1,
7424ad52e57S裕依2439     Datagram = 2,
7434ad52e57S裕依2439     Raw = 3,
7444ad52e57S裕依2439     Rdm = 4,
7454ad52e57S裕依2439     SeqPacket = 5,
7464ad52e57S裕依2439     Dccp = 6,
7474ad52e57S裕依2439     Packet = 10,
7484ad52e57S裕依2439 }
7494ad52e57S裕依2439 
7504ad52e57S裕依2439 impl TryFrom<u8> for PosixSocketType {
7514ad52e57S裕依2439     type Error = SystemError;
7524ad52e57S裕依2439     fn try_from(x: u8) -> Result<Self, Self::Error> {
7534ad52e57S裕依2439         use num_traits::FromPrimitive;
754b5b571e0SLoGin         return <Self as FromPrimitive>::from_u8(x).ok_or(SystemError::EINVAL);
7554ad52e57S裕依2439     }
7564ad52e57S裕依2439 }
7574ad52e57S裕依2439 
7584ad52e57S裕依2439 /// ### 为socket提供无锁的poll方法
7594ad52e57S裕依2439 ///
7604ad52e57S裕依2439 /// 因为在网卡中断中,需要轮询socket的状态,如果使用socket文件或者其inode来poll
7614ad52e57S裕依2439 /// 在当前的设计,会必然死锁,所以引用这一个设计来解决,提供无��的poll
7624ad52e57S裕依2439 pub struct SocketPollMethod;
7634ad52e57S裕依2439 
7644ad52e57S裕依2439 impl SocketPollMethod {
7654ad52e57S裕依2439     pub fn poll(socket: &socket::Socket, shutdown: ShutdownType) -> EPollEventType {
7664ad52e57S裕依2439         match socket {
7674ad52e57S裕依2439             socket::Socket::Udp(udp) => Self::udp_poll(udp, shutdown),
7684ad52e57S裕依2439             socket::Socket::Tcp(tcp) => Self::tcp_poll(tcp, shutdown),
76993c37970Ssun5etop             socket::Socket::Raw(raw) => Self::raw_poll(raw, shutdown),
7704ad52e57S裕依2439             _ => todo!(),
7714ad52e57S裕依2439         }
7724ad52e57S裕依2439     }
7734ad52e57S裕依2439 
7744ad52e57S裕依2439     pub fn tcp_poll(socket: &tcp::Socket, shutdown: ShutdownType) -> EPollEventType {
7754ad52e57S裕依2439         let mut events = EPollEventType::empty();
7764ad52e57S裕依2439         if socket.is_listening() && socket.is_active() {
7774ad52e57S裕依2439             events.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
7784ad52e57S裕依2439             return events;
7794ad52e57S裕依2439         }
7804ad52e57S裕依2439 
7814ad52e57S裕依2439         // socket已经关闭
7824ad52e57S裕依2439         if !socket.is_open() {
7834ad52e57S裕依2439             events.insert(EPollEventType::EPOLLHUP)
7844ad52e57S裕依2439         }
7854ad52e57S裕依2439         if shutdown.contains(ShutdownType::RCV_SHUTDOWN) {
7864ad52e57S裕依2439             events.insert(
7874ad52e57S裕依2439                 EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM | EPollEventType::EPOLLRDHUP,
7884ad52e57S裕依2439             );
7894ad52e57S裕依2439         }
7904ad52e57S裕依2439 
7914ad52e57S裕依2439         let state = socket.state();
7924ad52e57S裕依2439         if state != tcp::State::SynSent && state != tcp::State::SynReceived {
7934ad52e57S裕依2439             // socket有可读数据
7944ad52e57S裕依2439             if socket.can_recv() {
7954ad52e57S裕依2439                 events.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
7964ad52e57S裕依2439             }
7974ad52e57S裕依2439 
7984ad52e57S裕依2439             if !(shutdown.contains(ShutdownType::SEND_SHUTDOWN)) {
7994ad52e57S裕依2439                 // 缓冲区可写
8004ad52e57S裕依2439                 if socket.send_queue() < socket.send_capacity() {
8014ad52e57S裕依2439                     events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8024ad52e57S裕依2439                 } else {
8034ad52e57S裕依2439                     // TODO:触发缓冲区已满的信号
8044ad52e57S裕依2439                     todo!("A signal that the buffer is full needs to be sent");
8054ad52e57S裕依2439                 }
8064ad52e57S裕依2439             } else {
8074ad52e57S裕依2439                 // 如果我们的socket关闭了SEND_SHUTDOWN,epoll事件就是EPOLLOUT
8084ad52e57S裕依2439                 events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8094ad52e57S裕依2439             }
8104ad52e57S裕依2439         } else if state == tcp::State::SynSent {
8114ad52e57S裕依2439             events.insert(EPollEventType::EPOLLOUT | EPollEventType::EPOLLWRNORM);
8124ad52e57S裕依2439         }
8134ad52e57S裕依2439 
8144ad52e57S裕依2439         // socket发生错误
8154ad52e57S裕依2439         if !socket.is_active() {
8164ad52e57S裕依2439             events.insert(EPollEventType::EPOLLERR);
8174ad52e57S裕依2439         }
8184ad52e57S裕依2439 
8194ad52e57S裕依2439         events
8204ad52e57S裕依2439     }
8214ad52e57S裕依2439 
8224ad52e57S裕依2439     pub fn udp_poll(socket: &udp::Socket, shutdown: ShutdownType) -> EPollEventType {
8234ad52e57S裕依2439         let mut event = EPollEventType::empty();
8244ad52e57S裕依2439 
8254ad52e57S裕依2439         if shutdown.contains(ShutdownType::RCV_SHUTDOWN) {
8264ad52e57S裕依2439             event.insert(
8274ad52e57S裕依2439                 EPollEventType::EPOLLRDHUP | EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM,
8284ad52e57S裕依2439             );
8294ad52e57S裕依2439         }
8304ad52e57S裕依2439         if shutdown.contains(ShutdownType::SHUTDOWN_MASK) {
8314ad52e57S裕依2439             event.insert(EPollEventType::EPOLLHUP);
8324ad52e57S裕依2439         }
8334ad52e57S裕依2439 
8344ad52e57S裕依2439         if socket.can_recv() {
8354ad52e57S裕依2439             event.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
8364ad52e57S裕依2439         }
8374ad52e57S裕依2439 
8384ad52e57S裕依2439         if socket.can_send() {
8394ad52e57S裕依2439             event.insert(
8404ad52e57S裕依2439                 EPollEventType::EPOLLOUT
8414ad52e57S裕依2439                     | EPollEventType::EPOLLWRNORM
8424ad52e57S裕依2439                     | EPollEventType::EPOLLWRBAND,
8434ad52e57S裕依2439             );
8444ad52e57S裕依2439         } else {
8454ad52e57S裕依2439             // TODO: 缓冲区空间不够,需要使用信号处理
8464ad52e57S裕依2439             todo!()
8474ad52e57S裕依2439         }
8484ad52e57S裕依2439 
8494ad52e57S裕依2439         return event;
8504ad52e57S裕依2439     }
85193c37970Ssun5etop 
85293c37970Ssun5etop     pub fn raw_poll(socket: &raw::Socket, shutdown: ShutdownType) -> EPollEventType {
85393c37970Ssun5etop         //kdebug!("enter raw_poll!");
85493c37970Ssun5etop         let mut event = EPollEventType::empty();
85593c37970Ssun5etop 
85693c37970Ssun5etop         if shutdown.contains(ShutdownType::RCV_SHUTDOWN) {
85793c37970Ssun5etop             event.insert(
85893c37970Ssun5etop                 EPollEventType::EPOLLRDHUP | EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM,
85993c37970Ssun5etop             );
86093c37970Ssun5etop         }
86193c37970Ssun5etop         if shutdown.contains(ShutdownType::SHUTDOWN_MASK) {
86293c37970Ssun5etop             event.insert(EPollEventType::EPOLLHUP);
86393c37970Ssun5etop         }
86493c37970Ssun5etop 
86593c37970Ssun5etop         if socket.can_recv() {
86693c37970Ssun5etop             //kdebug!("poll can recv!");
86793c37970Ssun5etop             event.insert(EPollEventType::EPOLLIN | EPollEventType::EPOLLRDNORM);
86893c37970Ssun5etop         } else {
86993c37970Ssun5etop             //kdebug!("poll can not recv!");
87093c37970Ssun5etop         }
87193c37970Ssun5etop 
87293c37970Ssun5etop         if socket.can_send() {
87393c37970Ssun5etop             //kdebug!("poll can send!");
87493c37970Ssun5etop             event.insert(
87593c37970Ssun5etop                 EPollEventType::EPOLLOUT
87693c37970Ssun5etop                     | EPollEventType::EPOLLWRNORM
87793c37970Ssun5etop                     | EPollEventType::EPOLLWRBAND,
87893c37970Ssun5etop             );
87993c37970Ssun5etop         } else {
88093c37970Ssun5etop             //kdebug!("poll can not send!");
88193c37970Ssun5etop             // TODO: 缓冲区空间不够,需要使用信号处理
88293c37970Ssun5etop             todo!()
88393c37970Ssun5etop         }
88493c37970Ssun5etop         return event;
88593c37970Ssun5etop     }
8864ad52e57S裕依2439 }
887