我有一个Xamarin.Forms.Color,我想将其转换为'十六进制值'。
到目前为止,我还没有找到解决问题的方法。
我的代码如下:
foreach (var cell in Grid.Children)
{
var pixel = new Pixel
{
XAttribute = cell.X ,
YAttribute = cell.Y ,
// I want to convert the color to a hex value here
Color = cell.BackgroundColor
};
}
答案 0 :(得分:43)
快速修复,最后一行是错误的。
Alpha通道位于其他值之前:
string hex = String.Format("#{0:X2}{1:X2}{2:X2}{3:X2}", alpha, red, green, blue);
这对扩展方法最好:
public static class ExtensionMethods
{
public static string GetHexString(this Xamarin.Forms.Color color)
{
var red = (int)(color.R * 255);
var green = (int)(color.G * 255);
var blue = (int)(color.B * 255);
var alpha = (int)(color.A * 255);
var hex = $"#{alpha:X2}{red:X2}{green:X2}{blue:X2}";
return hex;
}
}
答案 1 :(得分:10)
var color = Xamarin.Forms.Color.Orange;
int red = (int) (color.R * 255);
int green = (int) (color.G * 255);
int blue = (int) (color.B * 255);
int alpha = (int)(color.A * 255);
string hex = String.Format("#{0:X2}{1:X2}{2:X2}{3:X2}", red, green, blue, alpha);
答案 2 :(得分:2)
这将为您提供#{Alpha}{R}{G}{B}
格式的十六进制颜色。
例如,#FFFF0000
代表红色。
color.ToHex();
答案 3 :(得分:0)
有点晚了,但是这是我在Xamarin Forms中的操作方式(Xamarin.Forms.Color类已经公开了FromHex(string)方法。
public string ColorHexa { get; set; }
public Color Color
{
get => Color.FromHex(ColorHexa);
set => ColorHexa = value.ToHexString();
}
具有此扩展名:
public static class ColorExtensions
{
public static string ToHexString(this Color color, bool outputAlpha = true)
{
string DoubleToHex(double value)
{
return string.Format("{0:X2}", (int)value * 255);
}
string hex = "#";
if (outputAlpha) hex += DoubleToHex(color.A);
return $"{hex}{DoubleToHex(color.R)}{DoubleToHex(color.G)}{DoubleToHex(color.B)}";
}
}