- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
我想序列化一个自定义对象:
public class MyCustomObject
{
public string Name { get; set; }
public DateTime Date { get; set; }
public List<HttpPostedFileBase> Files { get; set; }
public MyCustomObject()
{
Files = new List<HttpPostedFileBase>();
}
}
在 json 中。为此,我使用自定义转换器:
public class HttpPostedFileConverter : JsonConverter
{
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
var stream = (Stream)value;
using (var sr = new BinaryReader(stream))
{
var buffer = sr.ReadBytes((int)stream.Length);
writer.WriteValue(Convert.ToBase64String(buffer));
}
}
我使用 JsonSerializerSettings 序列化为 json.net 知道哪种类型的实现(对于 HttpPostedFileBase)。
var settings = new JsonSerializerSettings();
settings.Converters.Add(new HttpPostedFileConverter());
settings.TypeNameHandling = TypeNameHandling.Objects;
对象已正确序列化,但序列化时出现此错误:
JsonSerializationException Error converting value "/9j/4AAQSkZJRgABAQAAAQABAAD/2wBDAAIBAQEBAQIBAQECAgICAgQDAgICAgUEBAMEBgUGBgYFBgYGBwkIBgcJBwYGCAsICQoKCgoKBggLDAsKDA
这是我的序列化对象的值:
{
"$type": "ConsoleApplication1.MyCustomObject, ConsoleApplication1",
"Name": "Test2",
"Date": "2016-11-03T12:35:14.6020154+01:00",
"Files": [
{
"$type": "System.Web.HttpPostedFileWrapper, System.Web",
"ContentLength": 1024,
"FileName": "Pannigale.jpg",
"ContentType": "image/jpg",
"InputStream": "/9j/4AAQ...KKAP//Z"
}
]
}
反序列化有什么问题?
编辑我已经测试了一个类来测试......现在它可以工作了:
public class TestHttpFile : HttpPostedFileBase
{
string fullFileName = @"C:\Pictures\SBK-1299-Panigale-S_2015_Studio_R_B01_1920x1080.mediagallery_output_image_[1920x1080].jpg";
public override int ContentLength
{
get
{
return 1024;
}
}
public override string FileName
{
get
{
return "Pannigale.jpg";
}
}
public override string ContentType
{
get
{
return "image/jpg";
}
}
public override Stream InputStream
{
get
{
return File.OpenRead(fullFileName);
}
}
}
在连载中我注意到了这个区别:
"$type": "ConsoleApplication1.TestHttpFile, ConsoleApplication1",
代替
"$type": "System.Web.HttpPostedFileWrapper, System.Web",
但最后我不想创建包装器或其他任何东西......而且我不明白为什么它适用于这种类型而不适用于 HttpPostedFileWrapper
。
最佳答案
为什么反序列化失败
简而言之:您要反序列化的类型,即 HttpPostedFileWrapper
及其基础HttpPostedFile
, 不可公开构建。
大概您的 HttpPostedFileConverter
实际上是一个流转换器,并且工作方式如下:
public class StreamConverter : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return typeof(Stream).IsAssignableFrom(objectType);
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
if (reader.TokenType == JsonToken.Null)
return null;
var bytes = serializer.Deserialize<byte[]>(reader);
return new MemoryStream(bytes);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
var stream = (Stream)value;
var bytes = stream.ReadAllBytesAndReposition();
serializer.Serialize(writer, bytes);
}
}
public static class StreamExtensions
{
public static byte[] ReadAllBytesAndReposition(this Stream stream)
{
const int bufferSize = 4096;
using (var ms = new MemoryStream())
{
byte[] buffer = new byte[bufferSize];
int count;
var position = stream.CanSeek ? stream.Position : (long?)null;
while ((count = stream.Read(buffer, 0, buffer.Length)) != 0)
ms.Write(buffer, 0, count);
if (position != null)
{
// Restore position
stream.Position = position.Value;
}
return ms.ToArray();
}
}
}
在这种情况下,我可以为您的 MyCustomObject
类生成类似于您的 JSON,假设我还设置了 TypeNameHandling = TypeNameHandling.Auto
在序列化器设置中。但是,反序列化将失败,因为具体类型 System.Web.HttpPostedFileWrapper
只有一个构造函数,它采用 HttpPostedFile
。来自reference source :
public class HttpPostedFileWrapper : HttpPostedFileBase {
private HttpPostedFile _file;
public HttpPostedFileWrapper(HttpPostedFile httpPostedFile) {
if (httpPostedFile == null) {
throw new ArgumentNullException("httpPostedFile");
}
_file = httpPostedFile;
}
由于构造函数是公共(public)的,Json.NET 将调用它,但由于 JSON 中没有名为 httpPostedFile
的属性,它将为该值传递 null
,从而导致要抛出的 ArgumentNullException
。
这给我们带来了下一个问题:HttpPostedFile
没有公共(public)构造函数。 .相反,要直接创建一个,您必须通过反射调用多个不同的 Microsoft 内部方法,如 How to instantiate a HttpPostedFile 中所示。 .因此,即使您创建了一个 custom JsonConverter
对于 HttpPostedFileWrapper
,在内部构造必需的 HttpPostedFile
非常棘手。 Json.NET 当然不能自动完成。
那么,您有哪些选择?
选项 1:创建您自己的 HttpPostedFilesBase
子类型
您可以创建自己的 HttpPostedFilesBase
子类型,它可以成功序列化和反序列化,然后在序列化期间使用适当的 将
.以下类型 HttpPostedFilesBase
的所有实例映射到该类型JsonConverterMemoryHttpPostedFile
执行此操作:
public sealed class MemoryHttpPostedFile : HttpPostedFileBase
{
readonly string contentType;
readonly string fileName;
readonly MemoryStream inputStream;
public MemoryHttpPostedFile(string contentType, string fileName, [JsonConverter(typeof(StreamConverter))] MemoryStream inputStream)
{
if (inputStream == null)
throw new ArgumentNullException("inputStream");
this.contentType = contentType;
this.fileName = fileName;
this.inputStream = inputStream;
}
public override int ContentLength { get { return (int)inputStream.Length; } }
public override string ContentType { get { return contentType; } }
public override string FileName { get { return fileName; } }
[JsonConverter(typeof(StreamConverter))]
public override Stream InputStream { get { return inputStream; } }
//TODO: implement SaveAs()
public override void SaveAs(string filename)
{
// Implement based on HttpPostedFile.SaveAs()
// https://referencesource.microsoft.com/#System.Web/HttpPostedFile.cs,678e7f8bc95c149f
throw new NotImplementedException();
}
}
public class HttpPostedFileBaseConverter : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return typeof(HttpPostedFileBase).IsAssignableFrom(objectType)
&& !typeof(MemoryHttpPostedFile).IsAssignableFrom(objectType);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
var postedFile = (HttpPostedFileBase)value;
// Save position
var wrapper = new MemoryHttpPostedFile(postedFile.ContentType, postedFile.FileName, new MemoryStream(postedFile.InputStream.ReadAllBytesAndReposition()));
serializer.Serialize(writer, wrapper);
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
if (reader.TokenType == JsonToken.Null)
return null;
var wrapper = serializer.Deserialize<MemoryHttpPostedFile>(reader);
return wrapper;
}
}
由于 HttpPostedFilesBase
的所有子类型都映射到 MemoryHttpPostedFile
,因此不再需要设置 TypeNameHandling.Auto
。请注意,我正在使用此答案前面的 StreamConverter
和 StreamExtensions
。
像这样将转换器添加到设置中:
var settings = new JsonSerializerSettings
{
Converters = new JsonConverter[] { new HttpPostedFileBaseConverter() },
Formatting = Formatting.Indented,
};
选项 2:实际序列化和反序列化一个 HttpPostedFileWrapper
要做到这一点,我们需要使用来自 this answer 的相当复杂和“hacky”的代码至 How to instantiate a HttpPostedFile通过 paracycle ,像这样:
public class HttpPostedFileBaseConverter : JsonConverter
{
class HttpPostedFileSurrogate
{
public string ContentType { get; set; }
public string FileName { get; set; }
public byte[] InputStream { get; set; }
}
public override bool CanConvert(Type objectType)
{
return typeof(HttpPostedFileBase).IsAssignableFrom(objectType);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
var wrapper = (HttpPostedFileWrapper)value;
// Save position
var surrogate = new HttpPostedFileSurrogate
{
ContentType = wrapper.ContentType,
FileName = wrapper.FileName,
InputStream = wrapper.InputStream.ReadAllBytesAndReposition(),
};
serializer.Serialize(writer, surrogate);
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
if (reader.TokenType == JsonToken.Null)
return null;
var surrogate = serializer.Deserialize<HttpPostedFileSurrogate>(reader);
var file = HttpPostedFileExtensions.ConstructHttpPostedFile(surrogate.InputStream, surrogate.FileName, surrogate.ContentType);
return new HttpPostedFileWrapper(file);
}
}
public static class HttpPostedFileExtensions
{
public static HttpPostedFile ConstructHttpPostedFile(byte[] data, string filename, string contentType)
{
// Adapted from https://stackoverflow.com/questions/5514715/how-to-instantiate-a-httppostedfile/5515134#5515134
// Get the System.Web assembly reference (they seem to be in different assemblies in different versions of .Net
var assemblies = new[] { typeof(HttpPostedFile).Assembly, typeof(HttpPostedFileBase).Assembly };
// Get the types of the two internal types we need
Type typeHttpRawUploadedContent = assemblies.Select(a => a.GetType("System.Web.HttpRawUploadedContent")).Where(t => t != null).First();
Type typeHttpInputStream = assemblies.Select(a => a.GetType("System.Web.HttpInputStream")).Where(t => t != null).First();
// Prepare the signatures of the constructors we want.
Type[] uploadedParams = { typeof(int), typeof(int) };
Type[] streamParams = { typeHttpRawUploadedContent, typeof(int), typeof(int) };
Type[] parameters = { typeof(string), typeof(string), typeHttpInputStream };
// Create an HttpRawUploadedContent instance
object uploadedContent = typeHttpRawUploadedContent
.GetConstructor(BindingFlags.NonPublic | BindingFlags.Instance, null, uploadedParams, null)
.Invoke(new object[] { data.Length, data.Length });
// Call the AddBytes method
typeHttpRawUploadedContent
.GetMethod("AddBytes", BindingFlags.NonPublic | BindingFlags.Instance)
.Invoke(uploadedContent, new object[] { data, 0, data.Length });
// This is necessary if you will be using the returned content (ie to Save)
typeHttpRawUploadedContent
.GetMethod("DoneAddingBytes", BindingFlags.NonPublic | BindingFlags.Instance)
.Invoke(uploadedContent, null);
// Create an HttpInputStream instance
object stream = (Stream)typeHttpInputStream
.GetConstructor(BindingFlags.NonPublic | BindingFlags.Instance, null, streamParams, null)
.Invoke(new object[] { uploadedContent, 0, data.Length });
// Create an HttpPostedFile instance
HttpPostedFile postedFile = (HttpPostedFile)typeof(HttpPostedFile)
.GetConstructor(BindingFlags.NonPublic | BindingFlags.Instance, null, parameters, null)
.Invoke(new object[] { filename, contentType, stream });
return postedFile;
}
}
请注意,我正在使用此答案前面的 StreamExtensions
。此版本的 HttpPostedFileBaseConverter
也将像往常一样添加到 JsonSerializerSettings.Converters
。
(老实说,我不推荐这个解决方案,因为它太依赖于 Microsoft 实现 HttpPostedFile
的未记录的内部结构,这在以后的版本中很容易改变。)
关于c# - 将值从字符串转换为流时出错,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/40400799/
我正在使用 node.js 和 mocha 单元测试,并且希望能够通过 npm 运行测试命令。当我在测试文件夹中运行 Mocha 测试时,测试运行成功。但是,当我运行 npm test 时,测试给出了
我的文本区域中有这些标签 ..... 我正在尝试使用 replaceAll() String 方法替换它们 text.replaceAll("", ""); text.replaceAll("", "
早上好,我是 ZXing 的新手,当我运行我的应用程序时出现以下错误: 异常Ljava/lang/NoClassDefFoundError;初始化 ICOM/google/zxing/client/a
我正在制作一些哈希函数。 它的源代码是... #include #include #include int m_hash(char *input, size_t in_length, char
我正在尝试使用 Spritekit 在 Swift 中编写游戏。目的是带着他的角色迎面而来的矩形逃跑。现在我在 SKPhysicsContactDelegate (didBegin ()) 方法中犯了
我正在尝试创建一个用于导入 CSV 文件的按钮,但出现此错误: actionPerformed(java.awt.event.ActionEvent) in cannot implement
请看下面的代码 public List getNames() { List names = new ArrayList(); try { createConnection(); Sta
我正在尝试添加一个事件以在“dealsArchive”表中创建一个条目,然后从“deals”表中删除该条目。它需要在特定时间执行。 这是我正在尝试使用的: DELIMITER $$ CREATE EV
我试图将两个存储过程的表结果存储到 phpmyadmin 例程窗口中的单个表中,这给了我 mariadb 语法错误。单独调用存储过程给出了结果。 存储过程代码 BEGIN CREATE TABLE t
我想在 videoview 中加载视频之前有一个进度条。但是我收到以下错误。我还添加了所有必要的导入。 我在 ANDROID 中使用 AIDE 这是我的代码 public class MainActi
我已经使用了 AsyncTask,但我不明白为什么在我的设备 (OS 4.0) 上测试时仍然出现错误。我的 apk 构建于 2.3.3 中。我想我把代码弄错了,但我不知道我的错误在哪里。任何人都请帮助
我在测试 friend 网站的安全性时,通过在 URL 末尾添加 ' 发现了 SQL 注入(inject)漏洞该网站是用zend框架构建的我遇到的问题是 MySQL -- 中的注释语法不起作用,因此页
我正在尝试使用堆栈溢出答案之一的交互式信息窗口。 链接如下: interactive infowindow 但是我在代码中使用 getMap() 时遇到错误。虽然我尝试使用 getMapAsync 但
当我编译以下代码时出现错误: The method addMouseListener(Player) is undefined for the type Player 代码: import java.
我是 Android 开发的初学者。我正在开发一个接收 MySql 数据然后将其保存在 SQLite 中的应用程序。 我将 Json 用于同步状态,以便我可以将未同步数据的数量显示为要同步的待处理数据
(这里是Hello world级别的自动化测试人员) 我正在尝试下载一个文件并将其重命名以便于查找。我收到一个错误....这是代码 @Test public void allDownload(
我只是在写另一个程序。并使用: while (cin) words.push_back(s); words是string的vector,s是string。 我的 RAM 使用量在 4 或 5
我是 AngularJS 的新手,我遇到了一个问题。我有一个带有提交按钮的页面,当我单击提交模式时必须打开并且来自 URL 的数据必须存在于模式中。现在,模式打开但它是空的并且没有从 URL 获取数据
我正在尝试读取一个文件(它可以包含任意数量的随机数字,但不会超过 500 个)并将其放入一个数组中。 稍后我将需要使用数组来做很多事情。 但到目前为止,这一小段代码给了我 no match for o
有些人在使用 make 命令进行编译时遇到了问题,所以我想我应该在这里尝试一下,我已经在以下操作系统的 ubuntu 32 位和挤压 64 位上尝试过 我克隆了 git 项目 https://gith
我是一名优秀的程序员,十分优秀!