WTS не может объявить ViewModelLocator в XAML - PullRequest
0 голосов
/ 26 марта 2019

Я создал свое приложение MVVM Light с Windows Template Studio и теперь пытаюсь использовать привязки данных в моем XAML. Но это не представляется возможным для сгенерированного кода, потому что он не объявляет Viewmodel в XAML. Я изменил код, чтобы сделать это, но потом наткнулся на эту ошибку:

Тип XAML ViewModelLocator не может быть создан. Чтобы быть построенным в XAML, тип не может быть абстрактным, интерфейсным, вложенным, универсальным или структурным и должен иметь открытый конструктор по умолчанию

Я пытался сделать конструктор общедоступным, но это не решает проблему. Есть идеи о том, как заставить работать привязки данных?

Это весь код:

app.xaml

<Application
x:Class="PatientApp.UWP.App"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:vm="using:PatientApp.UWP.ViewModels">

<Application.Resources>
    <ResourceDictionary>
        <ResourceDictionary.MergedDictionaries>
            <XamlControlsResources  xmlns="using:Microsoft.UI.Xaml.Controls"/>
            <ResourceDictionary Source="/Styles/_Colors.xaml"/>
            <ResourceDictionary Source="/Styles/_FontSizes.xaml"/>
            <ResourceDictionary Source="/Styles/_Thickness.xaml"/>
            <ResourceDictionary Source="/Styles/TextBlock.xaml"/>
            <ResourceDictionary Source="/Styles/Page.xaml"/>
        </ResourceDictionary.MergedDictionaries>
        <vm:ViewModelLocator xmlns:vm="using:PatientApp.UWP.ViewModels" x:Key="Locator" />
    </ResourceDictionary>
</Application.Resources>

ViewModelLocator:

    [Windows.UI.Xaml.Data.Bindable]
public class ViewModelLocator
{
    private static ViewModelLocator _current;

    public static ViewModelLocator Current => _current ?? (_current = new ViewModelLocator());

    private ViewModelLocator()
    {
        SimpleIoc.Default.Register(() => new NavigationServiceEx());
        SimpleIoc.Default.Register<ShellViewModel>();
        Register<PatientsViewModel, AllPatientsPage>();
        Register<DiseasesViewModel, AllDiseasesPage>();
    }

    public DiseasesViewModel DiseasesViewModel => SimpleIoc.Default.GetInstance<DiseasesViewModel>();

    public PatientsViewModel PatientsViewModel => SimpleIoc.Default.GetInstance<PatientsViewModel>();

    public ShellViewModel ShellViewModel => SimpleIoc.Default.GetInstance<ShellViewModel>();

    public NavigationServiceEx NavigationService => SimpleIoc.Default.GetInstance<NavigationServiceEx>();

    public void Register<VM, V>()
        where VM : class
    {
        SimpleIoc.Default.Register<VM>();

        NavigationService.Configure(typeof(VM).FullName, typeof(V));
    }
}

PatientPage:

<Page
x:Class="PatientApp.UWP.Views.AllPatientsPage"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
Style="{StaticResource PageStyle}"
mc:Ignorable="d"
xmlns:datamodel="using:PatientApp.Model"
DataContext="{Binding PatientViewModelInstance, Source={StaticResource Locator}}">
<Grid
        Background="{ThemeResource SystemControlPageBackgroundChromeLowBrush}">
    <Grid.RowDefinitions>
        <RowDefinition Height="Auto" />
        <RowDefinition Height="*" />
    </Grid.RowDefinitions>

    <CommandBar DefaultLabelPosition="Right"
                Grid.Row="0"
                OverflowButtonVisibility="Collapsed">

        <AppBarButton Icon="Sort" Label="Sort" />
        <AppBarButton Icon="Edit" Label="Edit" />
        <AppBarButton Icon="Add" Label="Add" />
        <AppBarButton Icon="Zoom" Label="Search" />
    </CommandBar>
    <GridView  x:Name="Patients"
               Grid.Row="1"
               ItemsSource="{Binding Patients}">
        <GridView.ItemsPanel>
            <ItemsPanelTemplate>
                <ItemsStackPanel Margin="14,0,0,0" Orientation="Vertical" />
            </ItemsPanelTemplate>
        </GridView.ItemsPanel>
        <GridView.ItemTemplate>
            <DataTemplate x:DataType="datamodel:Patient">
                <TextBlock Text="{x:Bind Name}"
                                   FontWeight="Medium"
                                   TextWrapping="NoWrap"
                                   HorizontalAlignment="Left" />
            </DataTemplate>
        </GridView.ItemTemplate>
    </GridView>
</Grid>

1 Ответ

1 голос
/ 27 марта 2019

Тип XAML ViewModelLocator не может быть создан. Для создания в XAML тип не может быть абстрактным, интерфейсным, вложенным, универсальным или структурным и должен иметь открытый конструктор по умолчанию

Причина в том, что ViewModelLocator метод конструкции является приватным в вашем сценарии. Таким образом, вы не можете создать его экземпляр в xaml. Вы можете изменить его на всеобщее обозрение. Даже то, что вы не можете использовать это. Потому что экземпляр ViewModelLocator в xaml создается конструктором, а не одноэлементным методом. Другими словами <vm:ViewModelLocator xmlns:vm="using:PatientApp.UWP.ViewModels" x:Key="Locator" /> не равно ViewModelLocator.Current. К сожалению, ActivationService использовал ViewModelLocator.Current, чтобы получить NavigationService. Поэтому приложение запускает исключение при запуске.

public static NavigationServiceEx NavigationService => ViewModelLocator.Current.NavigationService;

С MVVMLight трудно подойти. В общем, страница DataContext была защищена в коде позади. А с помощью x: bind привязать источник данных.

private SettingsViewModel ViewModel
{
    get { return ViewModelLocator.Current.SettingsViewModel; }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...