我目前有一个WPF应用程序需要接受来自URL的参数,就像在ASP.NET中一样。我已经浏览过上一篇关于SO的帖子,但似乎没有像泥一样清晰。我已经将“发布”中的部分更改为接受参数。以下是我正在使用的代码:
using System;
using System.Deployment;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Data;
using System.Windows.Documents;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Imaging;
using System.Windows.Navigation;
using System.Windows.Shapes;
using ViewImageForm;
using System.Windows.Forms.Integration;
using System.Windows.Forms;
using System.Web;
using System.Collections.Specialized;
using System.Diagnostics;
using System.Runtime.InteropServices;
using System.Deployment.Application;
namespace WPFHost
{
/// <summary>
/// Interaction logic for Page1.xaml
/// </summary>
public partial class Page1 : Page
{
private readonly Form1 mainForm = new Form1();
public Page1()
{
InitializeComponent();
//Create a Windows Forms Host to host a form
WindowsFormsHost windowsFormsHost = new WindowsFormsHost();
stackPanel.Width = mainForm.Width;
stackPanel.Height = mainForm.Height;
windowsFormsHost.Width = mainForm.Width;
windowsFormsHost.Height = mainForm.Height;
mainForm.TopLevel = false;
windowsFormsHost.Child = mainForm;
stackPanel.Children.Add(windowsFormsHost);
}
private void Page_Loaded(object sender, RoutedEventArgs e)
{
if (ApplicationDeployment.IsNetworkDeployed)
{
string url =
AppDomain.CurrentDomain.SetupInformation.ActivationArguments.ActivationData[
0];
string queryString = (new Uri(url)).Query;
this.textBox1.Text = queryString;
}
}
}
}
答案 0 :(得分:2)
仍然不确定你在问什么,所以我会尽力回答这两个问题。
如果“url”字段是字符串“http:\ website.us?DKT_ID = param”,则可以使用
获取字符串“DKT_ID = param”url.Split('?')[1]
创建Uri对象除了将字符串解析为特殊对象之外不会执行任何操作,如果要执行HTTP Get并使用该URL中的数据,请使用类似MSDN中的示例:
WebRequest request = WebRequest.Create (
"http:\\website.us?DKT_ID=param");
// If required by the server, set the credentials.
request.Credentials = CredentialCache.DefaultCredentials;
// Get the response.
WebResponse response = request.GetResponse ();
// Get the stream containing content returned by the server.
Stream dataStream = response.GetResponseStream ();
// Open the stream using a StreamReader for easy access.
StreamReader reader = new StreamReader (dataStream);
// Read the content.
string responseFromServer = reader.ReadToEnd ();
// Display the content.
textBox1.Text = responseFromServer;
// Clean up the streams and the response.
reader.Close ();
response.Close ();
<强>更新强> 如果您只想要“param”字符串,并且查询字符串中不会有任何其他参数,请使用
url.Split('=')[1]
如果有多个参数,那么您需要执行类似
的操作Dictionary<String,String> params;
string[] queryParams = url.Split('?')[1].Split('&');
foreach (string s in queryParams)
{
string[] queryParameter = s.Split('=');
params.Add(queryParameter[0], queryParameter[1]);
}
textBox1.Text = queryParams["DKT_ID"];