- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在 Kotlin 中试验一个简单的 HTTP1.1 服务器,以便尝试重现一个更复杂的问题,即在关闭 AsynchronousSocketChannel
时内容似乎被切断
net::ERR_CONTENT_LENGTH_MISMATCH 200(正常)
首先是一个使调试更容易的辅助函数:
@Suppress("NOTHING_TO_INLINE")
inline fun ByteArray.debug(): String = this.map {
when (it) {
'\t'.code.toByte() -> "\\t"
'\r'.code.toByte() -> "\\r"
'\n'.code.toByte() -> "\\n\n"
else -> "${it.toInt().toChar()}"
}
}.toTypedArray().joinToString(separator = "") { it }
这里是整个简化的 Web 服务器及其所有导入,您应该能够将其复制并粘贴到 .kt
文件中以运行:
import java.net.InetSocketAddress
import java.nio.ByteBuffer
import java.nio.channels.AsynchronousServerSocketChannel
import java.nio.channels.AsynchronousSocketChannel
import java.nio.channels.CompletionHandler
import java.util.concurrent.TimeUnit
fun main() {
val len = 1_000_000
val server =
AsynchronousServerSocketChannel.open().bind(InetSocketAddress(5555))
while (true) {
val channel = server.accept().get()
val body = "#".repeat(len)
val headers = mutableListOf<String>()
headers.add("HTTP/1.1 200 OK")
headers.add("Server: Test Server")
headers.add("Content-Type: text/plain")
headers.add("Connection: close")
headers.add("Content-Length: ${body.length}")
val header = headers.joinToString(separator = "\r\n") + "\r\n\r\n"
println("==== header (size=${header.toByteArray().size})")
println(header.toByteArray().debug())
println("==== body (size=${body.toByteArray().size})")
val data = "$header$body".toByteArray()
println("==== data (size=${data.size})")
println(data.debug())
channel.write(
ByteBuffer.wrap(data),
30,
TimeUnit.SECONDS,
channel,
object : CompletionHandler<Int?, AsynchronousSocketChannel> {
override fun completed(result: Int?, channel: AsynchronousSocketChannel) {
println(result)
channel.close()
}
override fun failed(exc: Throwable?, channel: AsynchronousSocketChannel) {
channel.close()
}
})
}
}
运行它并在 localhost:5555
打开浏览器,迎接我的是连接重置
查看浏览器网络控制台,我可以看到响应 header 看起来是正确的:
查看输出,我可以看到它也是正确的并且与我们在浏览器网络控制台中看到的内容相匹配,并且末尾的 1000110
打印在 Completion Handler 中,匹配数据的总大小,但没有呈现任何内容,浏览器提示连接重置。
==== header (size=110)
HTTP/1.1 200 OK\r\n
Server: Test Server\r\n
Content-Type: text/plain\r\n
Connection: close\r\n
Content-Length: 1000000\r\n
\r\n
==== body (size=1000000)
==== data (size=1000110)
HTTP/1.1 200 OK\r\n
Server: Test Server\r\n
Content-Type: text/plain\r\n
Connection: close\r\n
Content-Length: 1000000\r\n
\r\n
#####################################################################################.......
1000110
如果我在 channel.close()
之前添加一个 Thread.sleep,它会正常工作,但显然浏览器会等待整整一秒才能再次连接,所以这肯定是不是解决方案。
channel.write(
ByteBuffer.wrap(data),
30,
TimeUnit.SECONDS,
channel,
object : CompletionHandler<Int?, AsynchronousSocketChannel> {
override fun completed(result: Int?, channel: AsynchronousSocketChannel) {
println(result)
Thread.sleep(1000)
channel.close()
}
override fun failed(exc: Throwable?, channel: AsynchronousSocketChannel) {
channel.close()
}
})
建议在调用 close() 之前调用 channel.shutdownOutput() 和 channel.read() 的响应之一
override fun completed(result: Int?, channel: AsynchronousSocketChannel) {
println(result)
channel.shutdownOutput()
channel.read(ByteBuffer.allocate(1)).get()
channel.close()
}
如果我使用 allocate(1)
,它不能解决问题,但 allocate(very-big-number)
确实有效,但实际上没有不同于在这里调用 Thread.sleep。
如果我将它部署到 AWS,并在负载均衡器后面使用一个短的 Thread.sleep,我会遇到net::ERR_CONTENT_LENGTH_MISMATCH 200 (OK)
这意味着它正在写入一些数据,但是在负载均衡器可以读取所有数据之前流被切断,实际上与 net::ERR_CONNECTION_RESET 200(确定)
错误。
关闭 AsynchronousSocketChannel 而不会在浏览器中遇到连接重置错误或内容长度不匹配错误的正确方法是什么?
编辑:这是更完整的演示,我仍然可以在其中重现错误。在此示例中,我首先阅读请求,然后再编写响应。为了使其更具可读性,我将完成处理程序包装在 suspendCoroutine
中,这样我就可以调用 readingSuspending 和 writeSuspending。
import kotlinx.coroutines.*
import java.net.InetSocketAddress
import java.nio.ByteBuffer
import java.nio.channels.AsynchronousServerSocketChannel
import java.nio.channels.AsynchronousSocketChannel
import java.nio.channels.CompletionHandler
import java.util.concurrent.TimeUnit
import kotlin.coroutines.resume
import kotlin.coroutines.resumeWithException
import kotlin.coroutines.suspendCoroutine
import kotlin.time.Duration
import kotlin.time.Duration.Companion.seconds
object Test {
val len = 1_000_000_000
suspend fun AsynchronousServerSocketChannel.acceptSuspending() =
suspendCoroutine<AsynchronousSocketChannel> { continuation ->
this.accept(
null, object : CompletionHandler<AsynchronousSocketChannel, Nothing?> {
override fun completed(result: AsynchronousSocketChannel, attachment: Nothing?) {
continuation.resume(result)
}
override fun failed(exc: Throwable, attachment: Nothing?) {
continuation.resumeWithException(exc)
}
})
}
suspend fun AsynchronousSocketChannel.writeSuspending(
buffer: ByteBuffer,
timeout: Duration = 60.seconds,
closeWhenDone: Boolean = false,
) = suspendCoroutine<Int> { continuation ->
this.write(buffer, timeout.inWholeSeconds, TimeUnit.SECONDS, null, object : CompletionHandler<Int, Nothing?> {
override fun completed(size: Int, attachment: Nothing?) {
continuation.resume(size)
}
override fun failed(exc: Throwable, attachment: Nothing?) {
continuation.resumeWithException(exc)
}
})
}
suspend fun AsynchronousSocketChannel.readSuspending(
buffer: ByteBuffer,
timeout: Duration = 5.seconds,
) = suspendCoroutine<Int> { continuation ->
this.read(buffer, timeout.inWholeSeconds, TimeUnit.SECONDS, null, object : CompletionHandler<Int, Nothing?> {
override fun completed(size: Int, attachment: Nothing?) {
continuation.resume(size)
}
override fun failed(exc: Throwable, attachment: Nothing?) {
continuation.resumeWithException(exc)
}
}
)
}
@JvmStatic
fun main(args: Array<String>) = runBlocking(Dispatchers.Default) {
val server = withContext(Dispatchers.IO) {
AsynchronousServerSocketChannel.open().bind(InetSocketAddress(5555))
}
while (true) {
val channel = server.acceptSuspending()
supervisorScope {
launch {
val buffer = ByteBuffer.allocate(1000)
// reading
do {
val size = channel.readSuspending(buffer.rewind(), 30.seconds)
println(String(buffer.array().sliceArray(0..size)))
} while (!buffer.hasRemaining())
// build response
val body = "#".repeat(len)
val headers = mutableListOf<String>()
headers.add("HTTP/1.1 200 OK")
headers.add("Server: Test Server")
headers.add("Content-Type: text/plain")
headers.add("Content-Length: ${body.length}")
val header = headers.joinToString(separator = "\r\n") + "\r\n\r\n"
val data = "$header$body".toByteArray()
// writing
channel.writeSuspending(ByteBuffer.wrap(data), 30.seconds)
withContext(Dispatchers.IO) {
channel.close()
}
}
}
}
}
}
最佳答案
不是套接字程序员,只是一些想法...
代码实际上是同步的,所有逻辑都需要在 CompletionHandler
中实现,但我相信它证明了这个问题。
public static void main(String[] args) throws Exception {
int len = 50_000_000;
AsynchronousServerSocketChannel server =
AsynchronousServerSocketChannel.open().bind(new InetSocketAddress(5555));
while (true) {
try (AsynchronousSocketChannel channel = server.accept().get()) {
// reading client headers, without that mitigation
// of the race condition at the bottom of loop fails
// one the other hand, I failed to reproduce the
// problem when bottom read is commented out
System.out.println("Header: " + channel.read(ByteBuffer.allocate(4096)).get());
StringBuilder body = new StringBuilder("HTTP/1.1 200 OK\r\n" +
"server: Cloud Auctioneers\r\n" +
"content-type: text/plain\r\n" +
// tell client to close socket
"connection: close\r\n" +
"content-length: " + len + "\r\n\r\n");
for (int i = 0; i < len; i++) {
body.append('#');
}
ByteBuffer buff = ByteBuffer.wrap(body.toString().getBytes());
// according to javadoc write method does not guarantee
// that it will send the all data to client, at least
// without this loop client receives just 256K on my laptop
while (buff.hasRemaining()) {
Integer written = channel.write(buff).get();
System.out.println("Written: " + written);
// not sure here about null
if (written == null) {
break;
}
}
// here we are trying to mitigate race condition between try-with-resources
// and delivering pending data. according to man 2 send it sends data
// asynchronously and there is no way to understand whether that was
// successful or not - trying to read something from socket
System.out.println("Footer: " + channel.read(ByteBuffer.allocate(4096)).get());
}
}
}
更新。对该主题进行了一些研究,以下是一些想法:
public <A> void completed(Integer result, A attachment) {
if (result < 0) {
// socket closed
channel.close();
return;
}
if (buffer.hasRemaining()) {
channel.write(buffer, null, this);
}
}
由于以下原因似乎是强制性的:
java.nio
没有将所有错误路由到 CompletionHandler#failed
,不知道为什么,这就是我观察到的compact
缓冲区并通过未决数据填充它或向客户端发送提醒,但是我更愿意在 AsynchronousSocketChannel#write
在 HTTP/1.1 的情况下,服务器可以通过发送 HTTP header 请求客户端关闭连接 Connection: close
如果是HTTP/1.0服务器必须自己关闭连接
从基础架构的角度来看,这两种情况之间的区别如下:启动关闭的一方在 TIME_WAIT
状态下获取套接字,并且在服务器的情况下这是不希望的,因此我们还需要设置 SO_REUSEADDR
为 true
(AsynchronousSocketChannel
不支持 SO_LINGER
)
因此,实现最终取决于 HTTP 协议(protocol)的版本,这里我更愿意使用现有的库,如 netty
而不是解决那些 http
和 java.nio
谜题,不过大意是:
Connection: close
并等待 -1关于java - 关闭 AsynchronousSocketChannel 时连接重置错误,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/72903847/
我正在使用的网站上有一个非 Canvas 导航。关闭 Canvas 导航的默认状态是关闭的,这在移动网站上运行良好,因为您可以打开它并选择您的链接,但在桌面上关闭它并打开它会隐藏用户的信息,我希望它是
我有一个 NSViewController 是这样连接的: 在底部 viewController 中,我尝试使用 self.dismiss(self) 关闭它,但是,它会产生此错误: [General
我昨天制作了一个扩展的 JQuery 搜索框,它的作用就像一个魅力!但是,我在创建一个脚本时遇到问题,当用户单击搜索框时,它会关闭。 这是我的 JQuery: function expandSearc
我一辈子都无法在 API V3 中一次只显示一个信息窗口。我需要一个在下一次开放之前关闭。还希望在 map 上的任何地方关闭 infoWindow onclick。这是否在初始化函数中? 这是我的完整
关闭和清理套接字的正确方法是什么? 我在辅助线程中运行 io_service,我需要关闭与主线程的连接: void closeConnection() { ioc.post([&socket]
我的 Selenium 测试看起来像这样:客户选择金融产品,填写一些必要的数据,并在打印预览中显示条款/协议(protocol)文档(根据本地法律的要求)。打印/关闭打印预览对话框后,客户输入更多数据
我目前正在从 android 网站了解 Navigation Drawer,我正在使用他们的示例 http://developer.android.com/training/implementing-
尝试通过 expo 在模拟器上运行 react-native 应用程序时出现此错误。 Couldn't start project on Android: Error running adb: adb
方法一 function transform(ar) { var alStr = []; for(var i=0; i
我想按以下方式自定义我的抽屉导航: 我希望在抽屉打开时显示一个图标,在抽屉关闭时显示另一个图标,而不是将菜单图标稍微向左滑动的当前默认动画。 关于我在哪里可以找到类似内容的任何想法/线索? 我做了一些
我们刚刚从 0.6.2 或 0.7 升级了我们的 dropwizard 版本,发现 .yml 文件中的很多配置都发生了变化。尽管我们能够弄清楚其中的大部分,但我们无法弄清楚如何关闭“requestLo
从 celery 2.4.5 升级后,我开始让 celery 随机关闭。 我在 centOS 机器上使用 celery 3.0.12、boto 2.6 和 amazon sqs 和 django 1.
我试图包含一些语句来指导用户更多地了解文件无法打开或关闭的原因。文件在写入模式下无法打开的一些可能情况是什么?无法关闭怎么办? FILE *fp; if(!(fp = fopen("testing",
我有一个DLL,可以访问数据库并从存储在配置文件中的应用程序设置中读取连接字符串。然后,引用此DLL的应用程序将需要在其配置文件中为此配置设置设置值。 我遇到的问题是,生成的配置代码会通过Defaul
我将 UIDatePicker 添加为 UITextField 的输入 View UIDatePicker *oBirth; NSDateFormatter *dateFormat; _edit
我有以下代码: SecondViewController *secondView = [[SecondViewController alloc] initWithNibName:@"SecondVie
Closed. This question does not meet Stack Overflow guidelines。它当前不接受答案。 想改善这个问题吗?更新问题,以便将其作为on-topic
通常,按下 option 键关闭窗口会关闭应用程序中的所有窗口。在我的应用程序中,我希望它仅关闭与用户正在关闭的窗口相关的窗口。我怎样才能做到这一点?我可以为所有窗口实现 windowShouldCl
我有一个 NSWindow,它托管一个已连接到脚本处理程序的 WebView。 现在,当用户单击 WebView 上的控件上的按钮时,它会调用我的对象上的 Objective C 方法。 在这种特定情
我想根据 MBP 上的相机使用情况自动化个人工作流程。 基本上我想知道是否任何 的摄像头(内置或 USB)已打开或关闭,因此我可以运行我将创建的程序或脚本。 我认为如果我需要轮询相机状态也可以,但基于
我是一名优秀的程序员,十分优秀!