我想将字符串DashBoard转换为名为DashBoard的页面类型,因为我想将它用于导航目的。通常我导航到这样的页面
this.Frame.Navigate(typeof(DashBoard));
但我想将仪表板页面替换为这样的变量
this.Frame.Navigate(typeof(Somestring));
我想将字符串DashBoard转换为名为DashBoard的页面类型,因为我想将它用于导航目的。通常我导航到这样的页面
this.Frame.Navigate(typeof(DashBoard));
但我想将仪表板页面替换为这样的变量
this.Frame.Navigate(typeof(Somestring));
您可以使用Type.GetType(string)
[MSDN]
this.Frame.Navigate(Type.GetType(My.NameSpace.App.DashBoard,MyAssembly));
阅读有关如何格式化字符串的备注部分。
或者你可以使用反射:
using System.Linq;
public static class TypeHelper
{
public static Type GetTypeByString(string type, Assembly lookIn)
{
var types = lookIn.DefinedTypes.Where(t => t.Name == type && t.IsSubclassOf(typeof(Windows.UI.Xaml.Controls.Page)));
if (types.Count() == 0)
{
throw new ArgumentException("The type you were looking for was not found", "type");
}
else if (types.Count() > 1)
{
throw new ArgumentException("The type you were looking for was found multiple times.", "type");
}
return types.First().AsType();
}
}
这可以如下使用:
private void Button_Click(object sender, RoutedEventArgs e)
{
this.Frame.Navigate(TypeHelper.GetTypeByString("TestPage", this.GetType().GetTypeInfo().Assembly));
}
在这个例子中。该函数将在当前程序集中搜索名称为 TestPage 的页面,然后导航到该页面。
如果您知道它的完全限定名称DashBoard
- 即它所在的程序集和命名空间 - 您可以使用反射来确定要传递给Navigate
.
查看System.Reflection.Assembly 的文档,特别是GetTypes
and GetExportedTypes
,具体取决于您的需要。