ios 如何将UIColor转换为十六进制字符串?

tvokkenx  于 2023-01-27  发布在  iOS
关注(0)|答案(3)|浏览(194)

我有一个项目,需要将UIColor的RGBA值以8个字符的十六进制字符串存储在数据库中。例如,[UIColor blueColor]将是@“0000 FFFF”。我知道我可以像这样获得组件值:

CGFloat r,g,b,a;
[color getRed:&r green:&g blue: &b alpha: &a];

但是我不知道如何从这些值转换成十六进制字符串。我看过很多关于如何转换的帖子,但是没有任何功能可以用于这种转换。

iqih9akk

iqih9akk1#

首先将浮点数转换为int值,然后使用stringWithFormat进行格式化:

int r,g,b,a;

    r = (int)(255.0 * rFloat);
    g = (int)(255.0 * gFloat);
    b = (int)(255.0 * bFloat);
    a = (int)(255.0 * aFloat);

    [NSString stringWithFormat:@"%02x%02x%02x%02x", r, g, b, a];
3bygqnnd

3bygqnnd2#

开始了,返回一个**NSString**(例如ffa5678),其中包含颜色的十六进制值。

- (NSString *)hexStringFromColor:(UIColor *)color
{
    const CGFloat *components = CGColorGetComponents(color.CGColor);

    CGFloat r = components[0];
    CGFloat g = components[1];
    CGFloat b = components[2];

    return [NSString stringWithFormat:@"%02lX%02lX%02lX",
            lroundf(r * 255),
            lroundf(g * 255),
            lroundf(b * 255)];
}
pvabu6sv

pvabu6sv3#

Swift 4通过分机UIColor应答:

extension UIColor {
    var hexString: String {
        let colorRef = cgColor.components
        let r = colorRef?[0] ?? 0
        let g = colorRef?[1] ?? 0
        let b = ((colorRef?.count ?? 0) > 2 ? colorRef?[2] : g) ?? 0
        let a = cgColor.alpha
    
        var color = String(
            format: "#%02lX%02lX%02lX",
            lroundf(Float(r * 255)),
            lroundf(Float(g * 255)),
            lroundf(Float(b * 255))
        )
        if a < 1 {
            color += String(format: "%02lX", lroundf(Float(a * 255)))
        }
        return color
    }
}

相关问题