Get values from *.resx files in XAML

84,324

Solution 1

Make sure that Code Generation is set to Public in the resx editor, then you can simply use:

<TextBlock Text="{x:Static Messages.WarningUserMessage}" />

Solution 2

It's a lot easier to do it like this. Add a xmlns in XAML file and use the resources directly.

xmlns:resx="clr-namespace:wpfapplicationname.Properties"
Title="{x:Static resx:Resources.name}"

Solution 3

I understand my reply is a bit late, but I thought its worth sharing:

To use a string stored in the *.resx file without Static keyword:

  1. In App.Xaml file add a namespace for Properties xmlns:resource="clr-namespace:YourProject.Properties"
  2. In ApplicationResources(app.xaml file) Add a Resource for your *.resx file

    <Application.Resources> <resource:ResourceFileName x:Key="ApplicationStringResources" /> </Application.Resources>

  3. In your XAML file use the following Binding, let us take an example of Window Title

    Title="{Binding TitleString, Source={StaticResource ResourceKey=ApplicationStringResources}}"

    TitleString is the name of StringProperty in your *.resx file

  4. Last but not least, don't forget to change the resource file access modifier to Public.

Solution 4

The simplest way is probably to reference the items directly (they are static properties, internal by default):

<TextBlock x:Name="txtMessage" Text="{x:Static MyApp.Properties.Resource.TextString}"/>

If you are working on a localised WPF app though then I'd recommend taking a look at the guidance on CodePlex at http://wpflocalization.codeplex.com/ , and if you're building a composite app (using PRISM or MEF) then I have a blog post on a nice way to accomplish WPF localisation using standard bindings.

Solution 5

After a whole day investigation this Comment Xaml localization: Using .resx Resources in Xaml without x:static I found a simple solution to provide multilanguage support with (embedded resources or referenced assembly) *.resx - files. Since Framework 4 there is a base class called DynamicObject for specifying dynamic behavior at run time in namespace System.Dynamic.

I derived following ResourceLoader from System.Dynamic.DynamicObject - class:

public class ResourceLoader : DynamicObject
{
    #region Fields ---------------------------------------------------------------

    private const string DefaultResourcesSuffix = "Resource";
    private ResourceManager _resourceMan;
    private CultureInfo culture;
    private readonly string _defaultAssemblyName;
    private readonly Assembly _defaultAssembly;
    private Assembly theAssembly;
    private string resourcesSuffix;
    private string assembly;

    #endregion // Fields

    #region Properties -----------------------------------------------------------

    /// <summary>
    /// Gets or sets the assembly.
    /// </summary>
    public string Assembly
    {
        get { return assembly; }
        set
        {
            assembly = value;
            theAssembly = System.Reflection.Assembly.Load(assembly);
            _resourceMan = null;
        }
    }

    /// <summary>
    /// Gets or sets the resources suffix.
    /// </summary>
    public string ResourcesSuffix
    {
        get { return resourcesSuffix; }
        set
        {
            resourcesSuffix = value;
            _resourceMan = null;
        }
    }

    /// <summary>
    /// Get, set culture
    /// </summary>
    public CultureInfo CurrentCulture
    {
        get { this.culture = this.culture ?? CultureInfo.InvariantCulture; return this.culture; }
        set { this.culture = value; }
    }

    /// <summary>
    /// Creates new instace of <see cref="System.Resources.ResourceManager"/> at initialisation or change of <see cref="ResourceFileAccessSample.ResourceBinding.ResourceLoader.Assembly"/>.
    /// </summary>
    private ResourceManager ResourceManager
    {
        get
        {
            if (ReferenceEquals(_resourceMan, null))
            {
                ResourceManager temp = new ResourceManager(
                    string.Format("{0}.{1}", Assembly ?? _defaultAssemblyName, ResourcesSuffix ?? DefaultResourcesSuffix),
                    theAssembly ?? _defaultAssembly);
                _resourceMan = temp;
            }
            return _resourceMan;
        }
    }

    #endregion // Properties

    #region Methods --------------------------------------------------------------

    private object GetResource(string name, CultureInfo language)
    {
        if (language == null || language == CultureInfo.InvariantCulture)
            return ResourceManager.GetObject(name);
        return ResourceManager.GetObject(name, language);
    }

    /// <summary>
    /// Provides the implementation for operations that get member values. Classes derived from the <see cref="T:System.Dynamic.DynamicObject"/> class can override this method to specify dynamic behavior for operations such as getting a value for a property.
    /// </summary>
    /// <param name="binder">Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the <see cref="T:System.Dynamic.DynamicObject"/> class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.</param>
    /// <param name="result">The result of the get operation. For example, if the method is called for a property, you can assign the property value to <paramref name="result"/>.</param>
    /// <returns>
    /// true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a run-time exception is thrown.)
    /// </returns>
    public override bool TryGetMember(GetMemberBinder binder, out object result)
    {
        result = GetResource(binder.Name, this.culture);

        if (result != null && result.GetType() == typeof(System.Drawing.Bitmap))
        {
            System.Drawing.Bitmap currentBmp = result as System.Drawing.Bitmap;
            currentBmp.MakeTransparent(System.Drawing.Color.Magenta);
            BitmapSource src = Imaging.CreateBitmapSourceFromHBitmap(currentBmp.GetHbitmap(), IntPtr.Zero, Int32Rect.Empty, BitmapSizeOptions.FromEmptyOptions());
            result = src;
        }
        return result == null ? false : true;
    }

    /// <summary>
    /// Switch set culture
    /// </summary>
    public void SwitchCulture(CultureInfo NewCulture)
    {
        this.culture = NewCulture;
    }
    #endregion // Methods

    #region Constructors ---------------------------------------------------------

    /// <summary>
    /// Initializes a new instance of the <see cref="ResourceLoader"/> class.
    /// </summary>
    public ResourceLoader()
        : this(CultureInfo.InvariantCulture, DefaultResourcesSuffix)
    { }

    /// <summary>
    /// Initializes a new instance of the <see cref="ResourceLoader"/> class.
    /// </summary>
    public ResourceLoader(CultureInfo InitCulture, string ResourceSuffix)
    {
        _defaultAssemblyName = GetType().Assembly.GetName().Name;
        _defaultAssembly = GetType().Assembly;
        this.culture = InitCulture;
        this.resourcesSuffix = ResourceSuffix;
    }

    #endregion // Constructors
}

You can create instance within xaml like this:

<Application x:Class="ResourceFileAccessSample.App"
         xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
         xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"           
         xmlns:src="clr-namespace:ResourceFileAccessSample.ResourceBinding"             
         StartupUri="Window1.xaml" Startup="Application_Startup" >

<Application.Resources>
    <src:ResourceLoader x:Key="resource" CurrentCulture="(Default)" ResourcesSuffix="Resource"   />
</Application.Resources>

C# code:

    /// <summary>
/// Interaction logic for Window1.xaml
/// </summary>
public partial class Window1 : Window
{
    private ResourceLoader res;
    public Window1()
    {            
        InitializeComponent();
        // load it from WPF Resources 
        this.res = (ResourceLoader)this.FindResource("resource");
        // or create an instance 
        //this.res = new ResourceLoader(CultureInfo.InvariantCulture, "Resource");      
        this.LayoutRoot.DataContext = res;                    
    }

    private void btnSwichLanguage_Click(object sender, RoutedEventArgs e)
    {            
        res.SwitchCulture(new CultureInfo("de"));               
        this.LayoutRoot.DataContext = null;
        this.LayoutRoot.DataContext = res;                      
    }       
}

Now it is possible to bind strings and images (images will be converted into WPF compilant BitmapSource:

    <StackPanel Name="LayoutRoot" Orientation="Vertical">
    <Label Name="lblText" Content="{Binding Path=rsName, Mode=OneWay}" HorizontalContentAlignment="Center" Margin="5" Padding="0" />
    <Image Source="{Binding Path=AlignObjectsTop}" Height="16" Width="16" Margin="5" />
    <Button Name="btnSwichLanguage" Content="Switch to de" Click="btnSwichLanguage_Click" MinHeight="25" Width="100" />

</StackPanel>
Share:
84,324
0x49D1
Author by

0x49D1

Console.WriteLine("Another C# developer with blog on https://t.me/x4516");

Updated on July 05, 2022

Comments

  • 0x49D1
    0x49D1 almost 2 years

    Is it possible to add some value from resource file right into the XAML markup? Or for localization we always have to make something like this in *.cs file:

    txtMessage.Text = Messages.WarningUserMessage;
    

    Where Messages is resource, and txtMessage is TextBlock.

  • 0x49D1
    0x49D1 almost 14 years
    Im new to WPF and this answer is just what i needed! Thank you.
  • Julien N
    Julien N over 12 years
    Note that it works only if Messages is in the same namespace as the screen.
  • Stephen Drew
    Stephen Drew over 11 years
    The only drawback to this approach being of course that you cannot change culture dynamically. There is a great article about how to accomplish that behaviour through use of a markup extension and localization manager somewhere.
  • Davi Fiamenghi
    Davi Fiamenghi over 10 years
    ... and if Messages is not in a different assembly since the constructor is generated as internal.
  • Julien Lebosquain
    Julien Lebosquain over 10 years
    @DaviFiamenghi: the constructor doesn't matter, we're only accessing static members here.
  • Davi Fiamenghi
    Davi Fiamenghi over 10 years
    Sorry, you are right... I had this problem because of small typo in my solution and tough that was because of the assembly
  • Davi Fiamenghi
    Davi Fiamenghi over 10 years
  • Quarkly
    Quarkly over 7 years
    How did you get this to work? I followed your instructions exactly, but the resource file (with a public access modifier set to 'Public') created basically contains a static class with a protected constructor. In both WPF and Metro, I get an error 'the type ResourceFileName does not include any accessible constructors' in the XAML designer (and another, similar error when it compiles).
  • Luuklag
    Luuklag over 6 years
    Please format your code as such, enter 4 spaces in front of it for all rows of code.
  • Jinjinov
    Jinjinov over 5 years
    This is not compatible with the MVVM pattern because ResourceLoader is assigned to DataContext which can't be used with a ViewModel anymore.
  • Ilya Kochetov
    Ilya Kochetov about 5 years
    You still need to add the namespace in the designer like in the @Yogs answer xmlns:resource="clr-namespace:YourProject.Properties" and use it like {x:Static resource:Resources.ResourceName}
  • Marco
    Marco almost 4 years
    Worked for me. Just struggled to find the compile 'public' option for the .resx. It's a tiny dropdown menu on top of the .resx editor when opening the .resx file. Additionally the project needs to be rebuild in order to have the strings available
  • Trake Vital
    Trake Vital almost 4 years
    Make sure to rebuild the solution at the end
  • Brett Wertz
    Brett Wertz almost 4 years
    For me to get it to work in VS 2019 v16.6.5, I had to change the Properties>Build Action in the Resources.resx file from "Embedded Resource" to "None" and then back to "Embedded Resource." This seems like a bug to me but it worked.
  • Morris
    Morris almost 3 years
    Check this page: developercommunity.visualstudio.com/t/…: If your project is 64-bit, you may find you have to temporarily set the Solution Platform to "x86".
  • Martin Braun
    Martin Braun over 2 years
    @DaviFiamenghi Thanks, but gone, here is the archive version: web.archive.org/web/20210629145415/http://www.grumpydev.com/‌​…