在Java中创建Socket连接通常涉及到客户端和服务器端的编程。以下是一个简单的例子,说明如何在Java中创建一个基本的Socket连接:
1. 创建服务器端(Server):
import java.io.*;
import java.net.*;
public class Server {
public static void main(String[] args) throws IOException {
// 创建一个ServerSocket对象,并绑定到特定的端口
ServerSocket serverSocket = new ServerSocket(8080);
System.out.println("Server started on port " + serverSocket.getLocalPort());
while (true) {
// 等待客户端的连接请求
Socket socket = serverSocket.accept();
System.out.println("New client connected: " + socket.getInetAddress().getHostAddress());
// 获取输入流并读取客户端发送的消息
BufferedReader in = new BufferedReader(new InputStreamReader(socket.getInputStream()));
String inputLine;
while ((inputLine = in.readLine()) != null) {
System.out.println("Received message from client: " + inputLine);
}
// 关闭输入流、输出流和Socket连接
in.close();
socket.close();
}
}
}
2. 创建客户端(Client):
import java.io.*;
import java.net.*;
public class Client {
public static void main(String[] args) throws IOException {
// 创建一个Socket对象,指定要连接的服务器地址和端口号
Socket socket = new Socket("localhost", 8080);
System.out.println("Connected to server at " + socket.getInetAddress().getHostAddress());
// 获取输出流并向服务器发送消息
PrintWriter out = new PrintWriter(socket.getOutputStream(), true);
out.println("Hello, Server!");
// 关闭输出流、输入流和Socket连接
out.close();
socket.close();
}
}
这个例子中,服务器监听在本地主机的8080端口上,等待客户端的连接请求。一旦有客户端连接,服务器就接收客户端发送的消息,并将其打印出来。
请注意,在Android环境中,从主线程直接调用网络操作是不允许的,你需要使用异步任务或者线程来处理网络通信以避免阻塞UI线程。