Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Binding to a const field in Silverlight

I have a situation where some application wide values are stored as constants - this is a requirement as they are needed in attribute definitions (attributes must resolve at compile time, so even static members don't work).

I wish to also be able to also reuse these values in XAML files. So if I have my constants like this:

public class MyConstants
{
   public const string Constant1 = "Hello World";
}

I want to one way bind them to controls defined in XAML something like this:

<TextBlock Text="{Binding MyConstants.Constant1}" />

Is this possible in a straight forward manner? I've looked over binding examples but can't seem to find this sort of scenario.

Would there maybe be some kind of work around I could do (maybe bindings translated into parameters for a method that dynamically pulls the constant field via reflection)

like image 629
David Avatar asked Dec 21 '09 17:12

David


3 Answers

Here is the approach I would take:-

Through out the XAML I would use a StaticResource syntax like this:-

<TextBlock Text="{StaticResource MyConstants_Constant1}" />

Create a static method somewhere that returns a ResourceDictionary and takes Type as parameter. The function uses reflection to enumerate the set of public constants it exposes. It adds the string value of each constant to the ResourceDictionary formulating the key name from the Type name and the Consts name.

During application startup pass typeof(MyConstants) to this function add the returned ResourceDictionaries to the collection in the Application Resources MergedDictionaries property.

Now all the static resources should resolve correctly, there is no need to invoke any binding or set any datacontext in order to get this to work. The value is resolved during XAML parsing.

like image 161
AnthonyWJones Avatar answered Nov 02 '22 01:11

AnthonyWJones


You can do this, but only if you implement a property that returns the constant. Binding only works against properties. To make this work, change your declaration to:

public class MyConstants
{
    private const string constant1 = "Hello World";
    public string Constant1 { get { return constant1; } }
}
like image 38
Reed Copsey Avatar answered Nov 02 '22 01:11

Reed Copsey


If you don't mind the Visual Designer, I would just do

public MyConstants
{
    public static string Constant1 { get { return "Hello World"; } }
}

Here:

  1. static and getter-only make it const,
  2. and it's also a property so that you can do binding like this.

    <TextBlock Text="{Binding MyConstants.Constant1}" />

However, as I said, it won't reflect on the Visual Designer (XAML) in Visual Studio, which is pretty big pity :-)

like image 29
Peter Lee Avatar answered Nov 02 '22 01:11

Peter Lee