A while back I spent some time in xaml trying to maintain image aspect ratio. The images that I'm binding to vary in size and ratio. I knew the area they would be displayed would have a height around 200-220 pixels. This is what I ended up doing.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<Grid> | |
<Grid.Width> | |
<MultiBinding Converter="{StaticResource ImageRatioConverter}"> | |
<MultiBinding.ConverterParameter> | |
<System:Double>220</System:Double> | |
</MultiBinding.ConverterParameter> | |
<Binding Path="MyImage.ImageSource.Width" /> | |
<Binding Path="MyImage.ImageSource.Height" /> | |
</MultiBinding> | |
</Grid.Width> | |
<Grid.ColumnDefinitions> | |
<ColumnDefinition Width="1*"/> | |
</Grid.ColumnDefinitions> | |
<Grid.RowDefinitions> | |
<RowDefinition Height="1*" /> | |
</Grid.RowDefinitions> | |
<Image Grid.Row="0" Grid.Column="0" HorizontalAlignment="center" Source="{Binding MyImage.ImageSource}" Stretch="Fill"> | |
Only bind to the dimension you don't know, width
Create a multibinding value converter. You do that by implimenting IMultiValueConverter.
Because these converters take object parameters, and I don't know who may use them after I am off a project; I always check the types of each param.
The math for getting ratio is just width / height.
If you know what height you want, then take the height and multiply it by the ratio
If you know the width take it and divide it by the ratio.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class ImageRatioConverter : IMultiValueConverter { | |
public object Convert(object[] values, Type targetType, object parameter, System.Globalization.CultureInfo culture) { | |
if (values.Length == 2 && | |
values[0].GetType() == typeof(double) && | |
values[1].GetType() == typeof(double) && | |
parameter != null && | |
parameter.GetType() == typeof(double)) { | |
return (double)parameter * ((double)values[0] / (double)values[1]); | |
} | |
return null; | |
} | |
public object[] ConvertBack(object value, Type[] targetTypes, object parameter, System.Globalization.CultureInfo culture) { | |
throw new NotImplementedException("Intended for one way from source conversion."); | |
} | |
} |