0

我使用 Netbeans 作为 IDE 创建了一个基于 j2me 的项目。现在我想混淆我的这个项目的资源(图标,图像)。这样图像的名称或外观就会改变。这怎么做?

4

1 回答 1

1

您可以将图像文件名更改为没有扩展名并且只有一两个字母。然后更改代码以使用这些新名称而不是原始名称。
如果您的图像文件是 PNG,您可以在构建期间将 PLTE 块更改为错误的值,并在执行期间更正它们。
图像类没有轻松更改颜色的方法。一种解决方法可能是调用 getRGB 方法并迭代 rgbData 数组。更好的方法是读取文件内容、更改调色板字节并根据结果数据创建图像。首先让我们创建一个辅助方法来读取整个 InputStream 并返回一个字节数组及其内容:

private byte [] readStream (InputStream in) throws IOException
{
  ByteArrayOutputStream baos = new ByteArrayOutputStream();
  byte [] buff = new byte [1024];
  int size = in.read(buff);

  while (size >= 0) {
    baos.write(buff, 0, size);
    size = in.read(buff);
  }

  return baos.toByteArray();
}

接下来我们必须找到字节数组中的调色板块在哪里。这是另一个辅助方法:

// return index where P of PLTE is found at buff array or -1
private int getPLTEIndex (byte [] buff) {
  int i = -1;
  // 4 == "PLTE".size()
  if (buff != null && buff.length >= 4) {
    boolean foundPalete = false;
    boolean endOfBuff = false;
    do {
      i++;
      foundPalete = buff[i] == 'P'
              && buff[i +1] == 'L'
              && buff[i +2] == 'T'
              && buff[i +3] == 'E';
      endOfBuff = (i +4 >= buff.length);
    } while (!foundPalete && !endOfBuff);
    if (endOfBuff) {
      i = -1;
    }
  }
  return i;
}

最后,一种从颜色类型为 3 的 PNG 文件的调色板中更改颜色的方法:

private byte [] setRGBColor (byte [] buff, int colorIndex, int colorNewValue) {
  int i = getPLTEIndex(buff);
  if (i >= 0) {
    i += 4; // 4 == "PLTE".size()
    i += (colorIndex * 3); // 3 == RGB bytes
    if (i + 3 <= buff.length) {
      buff[i] = (byte) (((colorNewValue & 0x00ff0000) >> 16) & 0xff);
      buff[i +1] = (byte) (((colorNewValue & 0x0000ff00) >> 8) & 0xff);
      buff[i +2] = (byte) ((colorNewValue & 0x000000ff) & 0xff);
    }
  }
  return buff;
}

以下是有关如何使用所有方法的示例:

InputStream in = getClass().getResourceAsStream("/e");
try {
  byte [] buff = readStream(in);
  Image original = Image.createImage(buff, 0, buff.length);
  buff = setRGBColor(buff, 0, 0x00ff0000); // set 1st color to red
  buff = setRGBColor(buff, 1, 0x0000ff00); // set 2nd color to green
  Image updated = Image.createImage(buff, 0, buff.length);
} catch (IOException ex) {
    ex.printStackTrace();
}

http://smallandadaptive.blogspot.com.br/2010/08/manipulate-png-palette.html所示

于 2013-02-04T00:07:15.187 回答