web-dev-qa-db-fra.com

Xamarin.Forms.Color en valeur hexadécimale

J'ai un Xamarin.Forms.Color et je veux le convertir en une "valeur hexadécimale".

Jusqu'ici, je n'ai pas trouvé de solution à mon problème.

Mon code est le suivant:

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

    };

}
12
zperee

Juste une solution rapide, la dernière ligne est fausse.

Le canal alpha vient avant les autres valeurs:

string hex = String.Format("#{0:X2}{1:X2}{2:X2}{3:X2}", alpha, red, green, blue);

et c'est le mieux pour une méthode d'extension:

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;
    }
}
39
Code Knox
        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);
10
Jason

un peu tard mais voici comment je fais cela dans Xamarin Forms (la classe Xamarin.Forms.Color expose déjà une méthode FromHex (string). 

public string ColorHexa { get; set; }
public Color Color
{
    get => Color.FromHex(ColorHexa);
    set => ColorHexa = value.ToHexString();
}

Avec cette extension:

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)}";
    }
}
0
Nk54