搜索了很多内容后,我无法在通过dart上传时对一个简单的文本文件进行反序列化。
我知道这可能会引发大量的投票,但是如何在飞镖上传文件的简单演示会有帮助吗?
在控制台以及dart中的web应用程序中。我只想上传一个包含一些基本单词的文本文件。
答案 0 :(得分:6)
以下简单示例适用于我:
在编辑器中使用以下文件结构:
fileuploadtest/
fileupload.dart
index.html
index.html (注意:这里没有Dart!)
<!DOCTYPE html>
<html>
<head>
<title>index</title>
</head>
<body>
<form enctype="multipart/form-data" action="foo" method="POST">
<input type="hidden" name="MAX_FILE_SIZE" value="100000" />
Choose a file to upload: <input name="uploadedfile" type="file" /><br />
<input type="submit" value="Upload File" />
</form>
</body>
</html>
<强> fileupload.dart 强>
这将创建一个静态文件处理程序(为简单起见)始终提供index.html
以响应任何GET
请求,并创建一个响应任何POST请求并打印出内容的文件上载处理程序上传文件(实际上,整个POST数据 - 您必须提取相关位)。
import 'dart:io';
void main() {
var httpServer = new HttpServer();
// attach handlers:
var static = new StaticFileHandler();
httpServer.addRequestHandler(static.matcher, static.handler);
var fileUploadHandler = new FileUploadHandler();
httpServer.addRequestHandler(fileUploadHandler.matcher,
fileUploadHandler.handler);
// start listening
httpServer.listen("127.0.0.1", 8081);
}
class FileUploadHandler {
bool matcher(req) => req.method == "POST"; // return true if method is POST
void handler(req,res) {
req.inputStream.onData = () {
var data = req.inputStream.read();
var content = new String.fromCharCodes(data);
print(content); // print the file content.
};
}
}
class StaticFileHandler {
// return true for all GET requests.
bool matcher(req) {
print("Path: ${req.path}");
return req.method=="GET";
}
void handler(req,res) {
var file = new File("index.html"); // only serve index.html in the same folder
file.openInputStream().pipe(res.outputStream);
}
}
启动fileUpload.dart
并使用浏览器导航至http://localhost:8081/index.html
对于名为foo.txt
的文件,包含以下内容:
foo
bar
这是我得到的整个日志输出(从Dart编辑器的控制台发布)
------WebKitFormBoundaryw7XBqLKuA7nP1sKc
Content-Disposition: form-data; name="MAX_FILE_SIZE"
100000
------WebKitFormBoundaryw7XBqLKuA7nP1sKc
Content-Disposition: form-data; name="uploadedfile"; filename="foo.txt"
Content-Type: text/plain
foo
bar
------WebKitFormBoundaryw7XBqLKuA7nP1sKc--