如何在不将临时文件写入服务器或依赖第三方库或类的情况下直接生成KML文档并将其返回给浏览器?
答案 0 :(得分:10)
我建议你考虑使用HTTP Handler而不是ASP.NET页面。它将更清洁,更高效。只需在项目中添加“Generic Handler”类型的新项目,并考虑将代码移动到其ProcessRequest
方法。不过,一般方法都很好。
顺便说一下,除非您将.kml
文件显式映射到ASP.NET处理程序,否则它无论如何都不会运行。我建议使用默认的.ashx
扩展名并添加Content-Disposition
HTTP标头来设置客户端的文件名:
Response.AddHeader("Content-Disposition", "attachment; filename=File.kml");
另外,请注意,您应该在之前设置标题内容,然后您应该移动设置Content-Type
并在其他内容之前添加标题。
完整解决方案(来自OP):
我是这样做的:
\\myDevServer\...\InetPub\KML
Internet Information Services (IIS) Manager
KML
文件夹,然后选择Properties
HTTP Headers
标签MIME types
按钮New
OK
两次以返回HTTP Headers
标签KML
文件夹设置为ASP.NET应用程序(可能是可选的,具体取决于服务器的设置方式)
Directory
标签Create
按钮Application name
KML
字段变为有效
OK
,将您带回主IIS管理器窗口Empty Web Site
C#
\\myDevServer\...\InetPub\KML\
Solution Explorer
New Item
Generic Handler
窗口Visual Studio installed templates
MelroseVista.ashx
)Visual C#
OK
//
using System;
using System.Web;
using System.Xml;
public class Handler : IHttpHandler
{
public void ProcessRequest( HttpContext context)
{
context.Response.ContentType = "application/vnd.google-earth.kml+xml";
context.Response.AddHeader("Content-Disposition", "attachment; filename=MelroseVista.kml");
XmlTextWriter kml = new XmlTextWriter(context.Response.OutputStream, System.Text.Encoding.UTF8);
kml.Formatting = Formatting.Indented;
kml.Indentation = 3;
kml.WriteStartDocument();
kml.WriteStartElement("kml", "http://www.opengis.net/kml/2.2");
kml.WriteStartElement("Placemark");
kml.WriteElementString("name", "Melrose Vista FL");
kml.WriteElementString("description", "A nice little town");
kml.WriteStartElement("Point");
kml.WriteElementString("coordinates", "-80.18451400000000000000,26.08816400000000000000,0");
kml.WriteEndElement(); // <Point>
kml.WriteEndElement(); // <Placemark>
kml.WriteEndDocument(); // <kml>
kml.Close();
}
public bool IsReusable
{
get
{
return false;
}
}
}
open
或save
生成的KML文件。open
,应让GoogleEarth自行启动并缩放到佛罗里达州东部的图钉save
,应该在文件中看到以下内容\
<?xml version="1.0" encoding="utf-8"?>
<kml xmlns="http://www.opengis.net/kml/2.2">
<Placemark>
<name>Melrose Vista FL</name>
<description>A nice little town</description>
<Point>
<coordinates>-80.18451400000000000000,26.08816400000000000000,0</coordinates>
</Point>
</Placemark>
</kml>
注意:XmlTextWriter
在这里工作得很好。但是,我认为XMLDocument
看起来更适合更大的KML文件,因为您可以在将其推送给用户之前在内存中对其进行操作。例如,如果您希望相同的点出现在GoogleEarth位置树的多个文件夹中。