api有哪些 javasocket_socket及socket java api

wiki上对于soket的定义

1.起源:

起源于https://tools.ietf.org/html/rfc147

2.套接字主要是在Internet模型的传输层中使用的概念。路由器和交换机等网络设备一般不需要传输层的实现,因为它们一般在链路层(交换机)或互联网层(路由器)上运行。

3.类型

数据报套接字,也称为无连接套接字,使用用户数据报协议(UDP)。

流套接字,也称为面向连接的套接字,使用传输控制协议(TCP),流控制传输协议(SCTP)或数据报拥塞控制协议(DCCP)。

原始套接字(或原始IP套接字),通常在路由器和其他网络设备中可用。这里绕过传输层,并且应用程序可以访问包头,并且地址中没有端口号,只有IP地址。

广义:socket有两种场景。

本篇重点:网络套接字以及Java关于socket api

首先回顾7层网络模型

10dfa9ec8a1363270baa4fcb9b8fa0ec09fac787.jpg

由上面socket类型所知,socket主要是传输层的概念,主要也就是udp,和tcp两种情况。(另外一种暂不讨论)

先看下api

实例代码:

try {

new Socket("127.0.0.1",80);

} catch (UnknownHostException e) {

// TODO Auto-generated catch block

e.printStackTrace();

} catch (IOException e) {

// TODO Auto-generated catch block

e.printStackTrace();

}

1.常用构造器

public Socket(InetAddress address, int port) throws IOException {

this(address != null ? new InetSocketAddress(address, port) : null,

(SocketAddress) null, true);

}

private Socket(SocketAddress address, SocketAddress localAddr,

boolean stream) throws IOException {

setImpl();

// backward compatibility

if (address == null)

throw new NullPointerException();

try {

createImpl(stream);

if (localAddr != null)

bind(localAddr);

connect(address);

} catch (IOException | IllegalArgumentException | SecurityException e) {

try {

close();

} catch (IOException ce) {

e.addSuppressed(ce);

}

throw e;

}

}

1.以上构造器创建了一个IP Socket Address ,基于ip协议的SocketAddress(IP address + port number)

public InetSocketAddress(InetAddress addr, int port) {

holder = new InetSocketAddressHolder(

null,

addr == null ? InetAddress.anyLocalAddress() : addr,

checkPort(port));

}

2.创建SocksSocketImpl

void setImpl() {

if (factory != null) {

impl = factory.createSocketImpl();

checkOldImpl();

} else {

// No need to do a checkOldImpl() here, we know it's an up to date

// SocketImpl!

impl = new SocksSocketImpl();

}

if (impl != null)

impl.setSocket(this);

}

createImpl 即SocksSocketImpl::createImpl

SocksSocketImpl是AbstractPlainSocketImpl的子类,最终看AbstractPlainSocketImpl的createImpl。由代码可知,最终的socket创建是由AbstractPlainSocketImpl创建的。如果是tcp,create(boolean stream)参数为true;如果是udp,参数为false。

/**

* Creates a socket with a boolean that specifies whether this

* is a stream socket (true) or an unconnected UDP socket (false).

*/

protected synchronized void create(boolean stream) throws IOException {

this.stream = stream;

if (!stream) {

ResourceManager.beforeUdpCreate();

// only create the fd after we know we will be able to create the socket

fd = new FileDescriptor();

try {

socketCreate(false);

} catch (IOException ioe) {

ResourceManager.afterUdpClose();

fd = null;

throw ioe;

}

} else {

fd = new FileDescriptor();

socketCreate(true);//子类PlainSocketImpl调用native void socketCreate(boolean isServer) throws IOException;

}

if (socket != null)

socket.setCreated();

//这里的socket,即开始new 的socket(“127.0.0.1”,80)对象

if (serverSocket != null)

serverSocket.setCreated();

}

3.在接着回到开始创建socket的代码:创建完socket,接着校验地址是否是IP4或ip6格式,校验端口是否有权限(如果端口不允许访问,会抛异常SecurityException),接着就开始bind远程地址,并开始connect。

if (localAddr != null)

bind(localAddr);

connect(address);

bind最终调用的是SocksSocketImpl,即PlainSocketImpl的本地方法

getImpl().bind (addr, port);

protected synchronized void bind(InetAddress address, int lport)

throws IOException

{

synchronized (fdLock) {

if (!closePending && (socket == null || !socket.isBound())) {

NetHooks.beforeTcpBind(fd, address, lport);

}

}

socketBind(address, lport);//PlainSocketImpl 的native void socketBind(InetAddress address, int port)

throws IOException;

if (socket != null)

socket.setBound();

if (serverSocket != null)

serverSocket.setBound();

}

接着看connect

public void connect(SocketAddress endpoint) throws IOException {

connect(endpoint, 0);

}

//关键代码

//再次校验ip地址等

.....

else if (timeout == 0) {

if (epoint.isUnresolved())

impl.connect(addr.getHostName(), port);

else

impl.connect(addr, port);

} else

throw new UnsupportedOperationException("SocketImpl.connect(addr, timeout)");

connected = true;

bound = true;

上面连接的流程,默认timeout为0,直接连接,不支持超时。

改过程为阻塞的。( The connection will then block until established or an error occurs.)

protected void connect(String host, int port)

throws UnknownHostException, IOException

{

boolean connected = false;

try {

InetAddress address = InetAddress.getByName(host);

this.port = port;

this.address = address;

connectToAddress(address, port, timeout);

connected = true;

} finally {

if (!connected) {

try {

close();

} catch (IOException ioe) {

/* Do nothing. If connect threw an exception then

it will be passed up the call stack */

}

}

}

}

最终也是AbstractPlainSocketImpl调用子类PlainSocketImpl的本地方法socketConnect,来连接。

4.服务端socket创建, ServerSocket和Socket是完全相干的两个类。

但是他们的初始化,共同点:如果指定端口,都会在初始化的时候尝试bind本地端口,并判断该端口是否有权限。区别:Socket如果初始化指定了(IP,port)除了bind外,会多一步connect的操作。

new ServerSocket(80);

public

class ServerSocket implements java.io.Closeable

public ServerSocket(int port) throws IOException {

this(port, 50, null);

}

ServerSocket(port)默认队列大小50.当超过50的连接会被拒绝。

getImpl().bind(epoint.getAddress(), epoint.getPort());

getImpl().listen(backlog);

bound = true;

结下来看,accept():阻塞的,除非接收到一个连接。

步骤:创建一个unconnected Socket,并调用implAccept(s)

* Listens for a connection to be made to this socket and accepts

* it. The method blocks until a connection is made.

*

*

A new Socket {@code s} is created and, if there

* is a security manager,

* the security manager's {@code checkAccept} method is called

* with {@code s.getInetAddress().getHostAddress()} and

* {@code s.getPort()}

* as its arguments to ensure the operation is allowed.

* This could result in a SecurityException.

*

* @exception IOException if an I/O error occurs when waiting for a

* connection.

* @exception SecurityException if a security manager exists and its

* {@code checkAccept} method doesn't allow the operation.

* @exception SocketTimeoutException if a timeout was previously set with setSoTimeout and

* the timeout has been reached.

* @exception java.nio.channels.IllegalBlockingModeException

* if this socket has an associated channel, the channel is in

* non-blocking mode, and there is no connection ready to be

* accepted

public Socket accept() throws IOException {

if (isClosed())

throw new SocketException("Socket is closed");

if (!isBound())

throw new SocketException("Socket is not bound yet");

Socket s = new Socket((SocketImpl) null);

implAccept(s);

return s;

}

接下来,和客户端socket一样,默认新建SocksSocketImpl对象,并添加新的InetAddress对象

protected final void implAccept(Socket s) throws IOException {

SocketImpl si = null;

try {

if (s.impl == null)

s.setImpl();

else {

s.impl.reset();

}

si = s.impl;

s.impl = null;

si.address = new InetAddress();

si.fd = new FileDescriptor();

getImpl().accept(si);

SecurityManager security = System.getSecurityManager();

if (security != null) {

security.checkAccept(si.getInetAddress().getHostAddress(),

si.getPort());

}

} catch (IOException e) {

if (si != null)

si.reset();

s.impl = si;

throw e;

} catch (SecurityException e) {

if (si != null)

si.reset();

s.impl = si;

throw e;

}

s.impl = si;

s.postAccept();

}

/**

* Constructor for the Socket.accept() method.

* This creates an empty InetAddress, which is filled in by

* the accept() method. This InetAddress, however, is not

* put in the address cache, since it is not created by name.

*/

InetAddress() {

holder = new InetAddressHolder();

}

调用新建SocksSocketImpl的accept,即AbstractPlainSocketImpl的accept,如下:

/**

* Accepts connections.

* @param s the connection

*/

protected void accept(SocketImpl s) throws IOException {

acquireFD();

try {

socketAccept(s);//子类PlainSocketImpl的本地方法 native void socketAccept(SocketImpl s) throws IOException;

} finally {

releaseFD();//释放fd

}

}

/*

* "Release" the FileDescriptor for this impl.

*

* If the use count goes to -1 then the socket is closed.

*/

void releaseFD() {

synchronized (fdLock) {

fdUseCount--;

if (fdUseCount == -1) {

if (fd != null) {

try {

socketClose();

} catch (IOException e) {

} finally {

fd = null;

}

}

}

}

}

题外话:

socket体系这里面涉及到了工厂的设计模式。方便内容的扩展。如果设置了factory,就按照自己设置的factory去实现

SocketImpl。代码如下:

/**

* Sets impl to the system-default type of SocketImpl.

* @since 1.4

*/

void setImpl() {

if (factory != null) {

impl = factory.createSocketImpl();

checkOldImpl();

} else {

// No need to do a checkOldImpl() here, we know it's an up to date

// SocketImpl!

impl = new SocksSocketImpl();

}

if (impl != null)

impl.setSocket(this);

}

public

interface SocketImplFactory {

/**

* Creates a new {@code SocketImpl} instance.

*

* @return a new instance of {@code SocketImpl}.

* @see java.net.SocketImpl

*/

SocketImpl createSocketImpl();

}

public static synchronized void setSocketImplFactory(SocketImplFactory fac)

throws IOException

{

if (factory != null) {

throw new SocketException("factory already defined");

}

SecurityManager security = System.getSecurityManager();

if (security != null) {

security.checkSetFactory();

}

factory = fac;

}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/245761.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

xp 本地计算机策略组,Windows XP组策略应用

Windows XP组策略应用时间:2004/10/7 18:37:00作者:蓝点Windows XP组策略应用组策略是管理员为用户和计算机定义并控制程序、网络资源及操作系统行为的主要工具。通过使用组策略可以设置各种软件、计算机和用户策略。例如,可使用“组策略”从…

计算机上面mac怎么查看,怎么看电脑的mac地址

电脑上网之后,特别是组建了局域网之后,为了防止arp攻击等网络问题,可能会有在路由器上设置物理网卡绑定ip地址的设置。但是,怎么看电脑的mac地址呢?小编带来了具体的操作过程,下面大家跟着学习啦小编一起来学习一下吧…

echart移上去显示内容_echarts如何移动到柱状图上显示自己想显示的提示信息

首先把series里面的数据换成含有value的对象nameArr是显示x轴显示的名称,dataArr是series显示的数据let nameArr[],dataArr[];for(let i0;inameArr.push(data[i].name);data[i].valuedata[i].drp;dataArr.push(data[i]);}series: [{name: 雨强,type: bar,data: data…

服务器运维一般的故障率,服务器平均故障率

弹性云服务器 ECS弹性云服务器(Elastic Cloud Server)是一种可随时自助获取、可弹性伸缩的云服务器,帮助用户打造可靠、安全、灵活、高效的应用环境,确保服务持久稳定运行,提升运维效率三年低至5折,多种配置可选了解详情用户数据注…

hbase 查询固定条数_HBase原理深入

HBase读数据流程HBase读数据流程.pngHBase元数据信息.pngHBase读操作首先从zk中找到meta表的region信息,然后meta表中的数据,meta表中存储了用户的region信息根据要查询的namespace、表名和rowkey信息,找到对应的真正存储要查询的数据的regio…

win10 没有计算机策略,Win10家庭版没有组策略怎么办?Win10家庭版打开组策略方法...

Win10主要分为专业版、家庭版和企业版三个版本,其中大多数普通用户用的基本是专业版或家庭版。其中Win10家庭版中并不包含组策略,这意味着对于使用家庭版用户来说,无法借助组策略来优化维护系统。那么,Win10家庭版没有组策略怎么办…

2021 icme_重磅 | 2021年U.S. News 全美院校排名发布,疫情之下,排名大洗牌?!

希望你每天都来看我!点击上方“PH留学”-->点击右上角“...” -->点选“设为星标?”小编前言上周Times发布了2021高等教育世界大学排名重磅 | 2021年THE世界大学排名发布,美国高校依然站在留学鄙视链顶端!当时我们说四大权威世界大学排…

武侠乂服务器位置在哪,武侠乂手游秘境在哪里 地图秘境宝藏分布位置大全

吃鸡游戏就是前期各种捡东西,然后打家劫舍,后期才有几率吃鸡,而这款游戏除了物资点,还有秘境宝藏,来随小编看看武侠乂手游秘境在哪里吧。宏镇秘境杨家村深潭杨家村深潭直接从高处跳进水潭,里面有个打坐的地…

判断按键值_ALIENTEK 阿波罗 STM32F767 开发板资料连载第七章 按键输入实验

1)实验平台:alientek 阿波罗 STM32F767 开发板2)摘自《STM32F7 开发指南(HAL 库版)》关注官方微信号公众号,获取更多资料:正点原子第七章 按键输入实验上一章,我们介绍了 STM32F7 的 IO 口作为输出的使用,这一章&#…

ajax能运用到app吗,Jquery之Ajax运用 学习运用篇

还是先说一些基础知识:语法:$.ajax({option})option表示参数。以key/value形式出现。常用参数:type:post/get。url:发送请求的地址。data:{object:object} 发送到服务器的数据,必须为key/value格式。可以设置processData属性&…

四线接近开关接线图_开关、电机、断路器、电热偶、电表接线图!非常齐全,快囤起来吧...

这是非常齐全的一篇电工接线图的文章,包含开关接线图断路器、接触器控制回路接线图,电机逆转、正转原理接线图,电表进出接线图,电路开关接线图,电热偶接线图,希望能帮到想学这些专业的朋友,不是…

cpu开机就是60℃_铅锤哥:十五种电脑开机黑屏的原因与解决思路

点击上面↑玩转电脑关注铅锤哥,轻松学电脑最近,很多朋友联系铅锤哥,由于疫情影响不能出门,很多同学只能把家里闲置很久的电脑拿出来办公或者上课,但是一开机,发现电脑黑屏没法用了。一般常说的黑屏故障分为…

文件 云存储服务器配置,文件和存储服务器配置

文件和存储服务器配置 内容精选换一换本课程主要针对openEuler操作系统工程师在基础运维工作,以文件共享服务器的搭建和运维为案例,讲解openEuler操作系统的基础知识,并培养基础运维操作能力。通过该课程的学习,能掌握openEuler操…

delphi 企业微信消息机器人_企业微信—群聊机器人

在企业微信群聊机器人接口对接天气API使用过程中,遇到 过一个问题,就是对于嵌套json数据如何进行嵌套的|一:"msgtype": "text",curl http://qyapi.weixin.qq.com/cgi-bin/webhook/send?key633a31f6-7f9c-4bc4-97a0-0ec1…

网站服务器需要定期重启吗,定期服务器重启的好处和障碍

对旧线程进行除尘的道歉。我想大家都错过了这个观点,特别是那个顽固的重启?我宁愿出售我的商品!尼克斯管理员。问题是每周窗口应该是SCHEDULED。这并不意味着它必须被使用,事实上,它的优先选择是它不被使用&#xff0c…

docker卸载命令_Docker入门篇

Docker简介Docker是一个开源的应用容器引擎,让开发者可以打包他们的应用以及依赖包到一个可移植的镜像中,然后发布到任何流行的 Linux或Windows 机器上,也可以实现虚拟化。容器是完全使用沙箱机制,相互之间不会有任何接口Docker优…

属于服务器操作系统的是,属于服务器操作系统的是

属于服务器操作系统的是 内容精选换一换裸金属服务器操作系统无法正常启动,操作系统中毒,或裸金属服务器系统运行正常,但需要对系统进行优化,使其在最优状态下工作时,用户可以使用重装裸金属服务器的操作系统功能。重装…

lds天线技术流程图_音箱耳机入门,蓝牙真无线耳机中的LDS天线 「Soomal」

在2019年新一代的真无线耳机中,我们听到了比较多关于“LDS”天线的概念,它到底是什么样子的呢?我们通过漫步者TWS1和TWS5两款真无线耳机拆解,来看看真无线蓝牙耳机天线的样子。其中,TWS1不是LDS天线,而TWS5…

ubuntu修改服务器端口,服务器环境之4:ubuntu14.04安装tomcat,端口修改

一、下载tomcat二、上传服务器并解压1.创建文件夹mkdir /usr/java/tomcatcd /usr/java/tomcat2.上传rz -e弹出窗口中选择下载好的tar.gz文件,点击确认 3.解压tar -xzf apache-tomcat-8.0.36.tar.gz4.修改文件夹名(习惯,可跳过mv apache-tomcat-8.0.36 to…

hashmap为什么线程不安全_什么时候线程不安全?怎样做到线程安全?怎么扩展线程安全的类?...

本文同名博客老炮说Java:https://www.laopaojava.com/,每天更新Spring/SpringMvc/SpringBoot/实战项目等文章资料顺便再给大家推荐一套SpringCloud微服务教程,方便学习:SpringCloud微服务电商项目教程 - 老炮说Java-程序员编程资料…