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