The solution is to create an AttachedProperty:
using System;
using Xamarin.Forms;
namespace Sample.Utils
{
/// <summary>
/// Allows setting Top,Left,Right,Bottom Margin independently from each other.
/// The default implementation does not allow that, even from code. This
/// attached property remembers the previously set margins and only modifies what you intend to modify.
/// </summary>
public static class Margin
{
public static readonly BindableProperty LeftProperty = BindableProperty.CreateAttached(
propertyName: "Left",
returnType: typeof(double),
declaringType: typeof(Margin),
propertyChanged: LeftPropertyChanged,
defaultValue: 0.0d);
private static void LeftPropertyChanged(BindableObject bindable, object oldValue, object newValue)
{
SetLeft(bindable, (double)newValue);
}
public static void SetLeft(BindableObject element, double value)
{
var view = element as View;
if (view != null)
{
Thickness currentMargin = (Xamarin.Forms.Thickness)view.GetValue(View.MarginProperty);
view.Margin = new Thickness(value, currentMargin.Top, currentMargin.Right, currentMargin.Bottom);
}
}
public static double GetLeft(BindableObject element)
{
View view = element as View;
if (view != null)
{
Thickness margin = (Xamarin.Forms.Thickness)view.GetValue(View.MarginProperty);
return margin.Left;
}
return (double)LeftProperty.DefaultValue;
}
}
}
Declare this in the same way for Bottom
, Top
, and Right
. Then use it in XAML like this:
<ContentPage xmlns="http://xamarin.com/schemas/2014/forms"
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
xmlns:utils="using:Sample.Utils"
x:Class="Sample.MyContentPage">
<StackLayout
Orientation="Vertical"
utils:Margin.Left="{StaticResource InnerPageContentMarginLeft}">
</StackLayout>
</ContentPage>
Sources:
* https://forums.xamarin.com/discussion/66026/use-attached-bindable-property-in-xaml
* https://stackoverflow.com/a/32408461/2550406