programing

Java를 사용하여 16진수를 RGB로 변환하는 방법

randomtip 2022. 10. 3. 22:21
반응형

Java를 사용하여 16진수를 RGB로 변환하는 방법

Java에서 16진수 색상을 RGB 코드로 변환하려면 어떻게 해야 하나요?대부분 구글에서 샘플은 RGB에서 16진수로 변환하는 방법에 관한 것이다.

실제로 이 작업을 보다 쉽게 수행할 수 있는 방법이 있습니다.

Color.decode("#FFCCEE");

이거면 될 것 같아요.

/**
 * 
 * @param colorStr e.g. "#FFFFFF"
 * @return 
 */
public static Color hex2Rgb(String colorStr) {
    return new Color(
            Integer.valueOf( colorStr.substring( 1, 3 ), 16 ),
            Integer.valueOf( colorStr.substring( 3, 5 ), 16 ),
            Integer.valueOf( colorStr.substring( 5, 7 ), 16 ) );
}
public static void main(String[] args) {
    int hex = 0x123456;
    int r = (hex & 0xFF0000) >> 16;
    int g = (hex & 0xFF00) >> 8;
    int b = (hex & 0xFF);
}

Android 개발에는 다음을 사용합니다.

int color = Color.parseColor("#123456");

RGB 버전과 RGBA 버전을 모두 처리하는 버전은 다음과 같습니다.

/**
 * Converts a hex string to a color. If it can't be converted null is returned.
 * @param hex (i.e. #CCCCCCFF or CCCCCC)
 * @return Color
 */
public static Color HexToColor(String hex) 
{
    hex = hex.replace("#", "");
    switch (hex.length()) {
        case 6:
            return new Color(
            Integer.valueOf(hex.substring(0, 2), 16),
            Integer.valueOf(hex.substring(2, 4), 16),
            Integer.valueOf(hex.substring(4, 6), 16));
        case 8:
            return new Color(
            Integer.valueOf(hex.substring(0, 2), 16),
            Integer.valueOf(hex.substring(2, 4), 16),
            Integer.valueOf(hex.substring(4, 6), 16),
            Integer.valueOf(hex.substring(6, 8), 16));
    }
    return null;
}

다음과 같이 간단하게 할 수 있습니다.

 public static int[] getRGB(final String rgb)
{
    final int[] ret = new int[3];
    for (int i = 0; i < 3; i++)
    {
        ret[i] = Integer.parseInt(rgb.substring(i * 2, i * 2 + 2), 16);
    }
    return ret;
}

예를들면

getRGB("444444") = 68,68,68   
getRGB("FFFFFF") = 255,255,255

16진수 색 코드는 #RGBB입니다.

RR, GG, BB는 0 ~255 범위의 16진수 값입니다.

X와 Y는 16진수 문자 0-9A-F, A=10, F=15인 RR XY를 호출합니다.

10 진수는 X*16+ 입니다.y

RR = B7인 경우 B의 소수점은 11이므로 값은 11*16 + 7 = 183입니다.

public int[] getRGB(String rgb){
    int[] ret = new int[3];
    for(int i=0; i<3; i++){
        ret[i] = hexToInt(rgb.charAt(i*2), rgb.charAt(i*2+1));
    }
    return ret;
}

public int hexToInt(char a, char b){
    int x = a < 65 ? a-48 : a-55;
    int y = b < 65 ? b-48 : b-55;
    return x*16+y;
}

JavaFX의 경우

import javafx.scene.paint.Color;

.

Color whiteColor = Color.valueOf("#ffffff");

이 값을 정수로 변환한 후 원래 16진수 문자열 길이(각각 3, 6, 9, 또는 12)에 따라 16, 256, 4096 또는 65536으로 두 번 divmod합니다.

이러한 솔루션의 대부분은 유효하지만, 이것은 대체 수단입니다.

String hex="#00FF00"; // green
long thisCol=Long.decode(hex)+4278190080L;
int useColour=(int)thisCol;

4278190080(#FF0000)을 추가하지 않으면 색상은 0으로 표시되며 표시되지 않습니다.

Android Kotlin 개발자의 경우:

"#FFF".longARGB()?.let{ Color.parceColor(it) }
"#FFFF".longARGB()?.let{ Color.parceColor(it) }
fun String?.longARGB(): String? {
    if (this == null || !startsWith("#")) return null
    
//    #RRGGBB or #AARRGGBB
    if (length == 7 || length == 9) return this

//    #RGB or #ARGB
    if (length in 4..5) {
        val rgb = "#${this[1]}${this[1]}${this[2]}${this[2]}${this[3]}${this[3]}"
        if (length == 5) {
            return "$rgb${this[4]}${this[4]}"
        }
        return rgb
    }

    return null
}

제공된 답변 @xh에 대한 자세한 내용은 반환하기 전에 빨간색, 녹색 및 파란색을 추가하여 문자열 형식을 "rgb(0,0,0)"로 지정할 수 있습니다.

/**
* 
* @param colorStr e.g. "#FFFFFF"
* @return String - formatted "rgb(0,0,0)"
*/
public static String hex2Rgb(String colorStr) {
    Color c = new Color(
        Integer.valueOf(hexString.substring(1, 3), 16), 
        Integer.valueOf(hexString.substring(3, 5), 16), 
        Integer.valueOf(hexString.substring(5, 7), 16));

    StringBuffer sb = new StringBuffer();
    sb.append("rgb(");
    sb.append(c.getRed());
    sb.append(",");
    sb.append(c.getGreen());
    sb.append(",");
    sb.append(c.getBlue());
    sb.append(")");
    return sb.toString();
}

AWT Color.decode를 사용하지 않을 경우 메서드의 내용을 복사하기만 하면 됩니다.

int i = Integer.decode("#FFFFFF");
int[] rgb = new int[]{(i >> 16) & 0xFF, (i >> 8) & 0xFF, i & 0xFF};

Integer.decode는 문자열 포맷 방법에 따라 # 또는 0x를 처리합니다.

가장 쉬운 방법:

// 0000FF
public static Color hex2Rgb(String colorStr) {
    return new Color(Integer.valueOf(colorStr, 16));
}
public static Color hex2Rgb(String colorStr) {
    try {
        // Create the color
        return new Color(
                // Using Integer.parseInt() with a radix of 16
                // on string elements of 2 characters. Example: "FF 05 E5"
                Integer.parseInt(colorStr.substring(0, 2), 16),
                Integer.parseInt(colorStr.substring(2, 4), 16),
                Integer.parseInt(colorStr.substring(4, 6), 16));
    } catch (StringIndexOutOfBoundsException e){
        // If a string with a length smaller than 6 is inputted
        return new Color(0,0,0);
    }
}

public static String rgbToHex(Color color) {
    //      Integer.toHexString(), built in Java method        Use this to add a second 0 if the
    //     .Get the different RGB values and convert them.     output will only be one character.
    return Integer.toHexString(color.getRed()).toUpperCase() + (color.getRed() < 16 ? 0 : "") + // Add String
            Integer.toHexString(color.getGreen()).toUpperCase() + (color.getGreen() < 16 ? 0 : "") +
            Integer.toHexString(color.getBlue()).toUpperCase() + (color.getBlue() < 16 ? 0 : "");
}

이거면 될 것 같아.

16진수는 16진수이므로 16의 기수를 사용하여 parseLong을 사용하여 문자열을 해석할 수 있습니다.

Color newColor = new Color((int) Long.parseLong("FF7F0055", 16));

#RGGBBAA 형식의 HEXA 문자열을 디코딩해야 하는 경우 다음을 사용할 수 있습니다.

private static Color convert(String hexa) {
  var value = Long.decode(hexa);
  return new Color(
    (int) (value >> 24) & 0xFF,
    (int) (value >> 16) & 0xFF,
    (int) (value >> 8) & 0xFF,
    (int) (value & 0xFF)
  );
}

또한 올바른 포맷을 원하는 경우 다음 방법을 사용하여 동일한 결과를 얻을 수 있습니다.

private static String format(String raw) {
  var builder = new StringBuilder(raw);
  if (builder.charAt(0) != '#') {
    builder.insert(0, '#');
  }
  if (builder.length() == 9) {
    return builder.toString();
  } else if (builder.length() == 7) {
    return builder.append("ff").toString();
  } else if (builder.length() == 4) {
    builder.insert(builder.length(), 'f');
  } else if (builder.length() != 5) {
    throw new IllegalStateException("unsupported format");
  }
  for (int index = 1; index <= 7; index += 2) {
    builder.insert(index, builder.charAt(index));
  }
  return builder.toString();
}

이 메서드는 모든 허용 형식(#RGB, #RGBA, #RGBB, RGB, RGBA, RRGB)을 #RGBBAA로 변환합니다.

일전에 같은 문제를 해결했는데, 16진수 컬러 스트링을 int 어레이로 변환하는 것이 편리하다는 것을 알게 되었습니다.[alpha, r, g, b]

 /**
 * Hex color string to int[] array converter
 *
 * @param hexARGB should be color hex string: #AARRGGBB or #RRGGBB
 * @return int[] array: [alpha, r, g, b]
 * @throws IllegalArgumentException
 */

public static int[] hexStringToARGB(String hexARGB) throws IllegalArgumentException {

    if (!hexARGB.startsWith("#") || !(hexARGB.length() == 7 || hexARGB.length() == 9)) {

        throw new IllegalArgumentException("Hex color string is incorrect!");
    }

    int[] intARGB = new int[4];

    if (hexARGB.length() == 9) {
        intARGB[0] = Integer.valueOf(hexARGB.substring(1, 3), 16); // alpha
        intARGB[1] = Integer.valueOf(hexARGB.substring(3, 5), 16); // red
        intARGB[2] = Integer.valueOf(hexARGB.substring(5, 7), 16); // green
        intARGB[3] = Integer.valueOf(hexARGB.substring(7), 16); // blue
    } else hexStringToARGB("#FF" + hexARGB.substring(1));

    return intARGB;
}

다음으로 RGBA 버전을 처리하는 다른 고속 버전을 나타냅니다.

public static int hexToIntColor(String hex){
    int Alpha = Integer.valueOf(hex.substring(0, 2), 16);
    int Red = Integer.valueOf(hex.substring(2, 4), 16);
    int Green = Integer.valueOf(hex.substring(4, 6), 16);
    int Blue = Integer.valueOf(hex.substring(6, 8), 16);
    Alpha = (Alpha << 24) & 0xFF000000;
    Red = (Red << 16) & 0x00FF0000;
    Green = (Green << 8) & 0x0000FF00;
    Blue = Blue & 0x000000FF;
    return Alpha | Red | Green | Blue;
}
For shortened hex code like #fff or #000

int red = "colorString".charAt(1) == '0' ? 0 : 
     "colorString".charAt(1) == 'f' ? 255 : 228;  
int green =
     "colorString".charAt(2) == '0' ? 0 :  "colorString".charAt(2) == 'f' ?
     255 : 228;  
int blue = "colorString".charAt(3) == '0' ? 0 : 
     "colorString".charAt(3) == 'f' ? 255 : 228;

Color.rgb(red, green,blue);

16진수 색 코드는 이미 rbg입니다.형식은 #RGBB입니다.

언급URL : https://stackoverflow.com/questions/4129666/how-to-convert-hex-to-rgb-using-java

반응형