本篇文章为大家展示了怎么解决Web乱码的问题,内容简明扼要并且容易理解,绝对能使你眼前一亮,通过这篇文章的详细介绍希望你能有所收获。
Web数据提交有两种方法:GET 和 POST。关于这两种方法的介绍,请看这里:Http之Get/Post请求区别。我在这里要介绍的是如何在程序中获取HTTPRequest数据,并成功解决编码不同时所引起乱码的问题。
现在我们开始,先看一段HTML代码:
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/html; charset=gb2312" /> <title>无标题文档</title> </head> <body> <form id="myForm" action="http://localhost:9000/WebForm1.aspx" method="post"> 名称:<input tyep="text" name="name" width="200px" value="独钓寒江"/> <br /> 年龄:<input tyep="text" name="age" width="200px" value="24"/> <br /> <br /> <input type="submit" value="提交" /> </form> </body> </html>
在这个HTML文件中,我们使用的编码是GB2312,Form表单中包含name和age两个数据。首先将method设置为GET方法:
<form id="myForm" action="http://localhost:9000/WebForm1.aspx" method="GET">
另外我们再新建一个Web应用程序,并在本地新建一个站点,将端口设置为9000,添加一个页面,名称为WebForm1.aspx,也就是上面Form表单中的action所指向的地址http://localhost:9000/WebForm1.aspx
在点击“提交”按钮的时候,我们可以在WebForm1中获取到网页的参数,具体有如下几种方式:
Request["name"] Request.Params["name"] Request.QueryString["name"]
这三种方法得到的字符串都是经过默认编码转换的,因为我们使用vs建立项目时编码默认为UTF-8,所以这时便会出现乱码。这是***种问题,稍候我们将解决这个问题。
接下来将method设置为POST方法:
<form id="myForm" action="http://localhost:9000/WebForm1.aspx" method="POST">
在点击“提交”按钮的时候,我们可以在WebForm1中获取到网页的参数,具体有如下几种方式:
Request["name"] Request.Params["name"] Request.Form["name"]
和***种问题相同,经过默认的UTF-8转换,这里还会出现乱码。这是第二种问题。
问题一的解决方法:
StringBuilder sb = new StringBuilder(); IServiceProvider provider = (IServiceProvider)HttpContext.Current; HttpWorkerRequest worker = (HttpWorkerRequest)provider.GetService(typeof(HttpWorkerRequest)); byte[] bs = worker.GetQueryStringRawBytes(); String queryString = Encoding.GetEncoding("GB2312").GetString(bs); NameValueCollection querys = HttpUtility.ParseQueryString(queryString, Encoding.GetEncoding("GB2312")); foreach (var item in querys.Keys) { sb.AppendFormat("{0}:{1}<br />", item.ToString(), querys[item.ToString()]); }
问题二的解决方法:
// 获取到InputStream System.IO.Stream str = Request.InputStream; Int32 strLen, strRead; strLen = Convert.ToInt32(str.Length); byte[] strArr = new byte[strLen]; strstrRead = str.Read(strArr, 0, strLen); string queryString = HttpUtility.UrlDecode(strArr, System.Text.Encoding.GetEncoding("GB2312")); NameValueCollection querys = HttpUtility.ParseQueryString(queryString, Encoding.GetEncoding("GB2312")); foreach (var item in querys.Keys) { sb.AppendFormat("{0}:{1}<br />", item.ToString(), querys[item.ToString()]); }
另外,对于***种方法,还可以直接将URL用GB2312解码,这里不再贴出代码。
有了这两种方法,不管是怎样的乱码,都可以高枕无忧了。
上述内容就是怎么解决Web乱码的问题,你们学到知识或技能了吗?如果还想学到更多技能或者丰富自己的知识储备,欢迎关注亿速云行业资讯频道。
原创文章,作者:Maggie-Hunter,如若转载,请注明出处:https://blog.ytso.com/204547.html