13

将这个问题减少到最低限度,考虑这个 MarkupExtension 类......

public class ProblemStatement : MarkupExtension
{
    private readonly string _first;
    private readonly string _second;
    public ProblemStatement(string first, string second)
    {
        _first = first;
        _second = second;
    }
    public override object ProvideValue(IServiceProvider serviceProvider)
    {
        return this;
    }
    public override string ToString()
    {
        return _first + _second;
    }
}

声明此 Xaml 时...

<Grid>
    <TextBlock Name="TextBlock1" Tag="{so:ProblemStatement 'hello', 'world'}"/>
    <TextBlock Text="{Binding ElementName=TextBlock1, Path=Tag}"/>
</Grid>

...您按预期在 TextBlock 中看到“ helloworld ”。到目前为止一切都很好。

但是将构造函数参数更改为此...

public ProblemStatement(string first, string second = "nothing")

...以及与此相关的 Xaml...

   <Grid>
        <TextBlock Name="TextBlock1" Tag="{so:ProblemStatement 'hello'}"/>
        <TextBlock Text="{Binding ElementName=TextBlock1, Path=Tag}"/>
    </Grid>

产生的错误信息是......

No constructor for type 'ProblemStatement' has 1 parameters.

有一种解决方法,即通过将此语句添加到类来链接构造函数...

public ProblemStatement(string first) : this(first, "not provided") { }

这将在 TextBlock 中显示“ hellonot provided ”。然而,这也改变了 MarkupExtension 的语义,并且在更大的“真实世界”情况下是不可取的。当使用更复杂的类型或构造函数参数是“动态”类型时,重载的复杂性也会显着增加。此外,例如,完全禁止使用新的“来电者信息”属性。

所以问题是:如何声明 Xaml 以便 Xaml 解析器遵循默认构造函数参数?

4

1 回答 1

11

试试这个:

    public string Optional{ get; set; } = "DefaultValue";

    private readonly string _mandatory;

    public ProblemStatement(string mandatory)
    {
        _mandatory = mandatory;
    }

用法:

<TextBlock Name="TextBlock1" Tag="{local:ProblemStatement 'hello', Optional=NotDefault}"/>

选择:

<TextBlock Name="TextBlock1" Tag="{local:ProblemStatement 'hello'}"/>

结果:

  • 没有 XAML 解析错误
  • 无需为可选参数重载构造函数
  • 强制参数是构造函数参数。
  • 可选参数是属性。
于 2016-06-23T20:56:51.517 回答