2

我想在我的 GWT 客户端使用 Color ,

我想要这种颜色

                 public static Color myColor = new Color( 152, 207, 204) ;

如果我使用这个导入

                    import java.awt.Color;

在客户端它给了我错误:

             No source code is available for type java.awt.Color; did you forget to inherit a required module

我如何在 GWT 客户端使用 RGB 颜色,而不使用 CSS。

4

4 回答 4

5

您可以编写一个简单的 RGB 到字符串转换器:

public final  class Helper {
    public static String RgbToHex(int r, int g, int b){
      StringBuilder sb = new StringBuilder();
      sb.append('#')
      .append(Integer.toHexString(r))
      .append(Integer.toHexString(g))
      .append(Integer.toHexString(b));
      return sb.toString();
    }
}

并使用它:

nameField.getElement().getStyle().setBackgroundColor(Helper.RgbToHex(50, 100, 150));

- -更新 - -

控制负值、大于 255 和 0-15 值的更复杂的方式。

  public static String RgbToHex(int r, int g, int b){
    StringBuilder sb = new StringBuilder();
    sb.append('#')
    .append(intTo2BytesStr(r))
    .append(intTo2BytesStr(g))
    .append(intTo2BytesStr(b));
    return sb.toString();
  }

  private static String intTo2BytesStr(int i) {
    return pad(Integer.toHexString(intTo2Bytes(i)));
  }

  private static int intTo2Bytes(int i){
    return (i < 0) ? 0 : (i > 255) ? 255 : i;
  }

  private static String pad(String str){
    StringBuilder sb = new StringBuilder(str);
    if (sb.length()<2){
      sb.insert(0, '0');
    }
    return sb.toString();
  }
于 2013-03-14T08:25:32.037 回答
2

您正在使用 AWT 类的Color.

GWT != Java .  //so gwt compiler wont compile the awt classes 

请改用此第三方颜色类

只需将该类复制到您的utility package并在client side.

于 2013-03-14T07:36:07.097 回答
0

您在这里使用了 awt api 颜色。但 GWT 不模拟这个库。参考:

于 2013-03-14T07:48:53.160 回答
0

这是 FFire 的答案中更正确的RgbToHex方法版本(此版本对于小于 16 的 r/g/b 值可以正常工作):

public static String rgbToHex(final int r, final int g, final int b) {
  return "#" + (r < 16 ? "0" : "") + Integer.toHexString(r) + (g < 16 ? "0" : "") +
         Integer.toHexString(g) + (b < 16 ? "0" : "") + Integer.toHexString(b);
}

当然,StringBuilder如果您愿意,也可以使用 a。

于 2013-03-18T04:54:38.060 回答