0

我需要比较 2 字节数组并知道哪个更大或者它们是否相等(仅相等或不同是不够的)。字节数组表示 15 个或更多字符的字符串值。这种比较在我的代码中重复了很多。

我想通过在 Java 中使用等效的 C++ memcmp 方法(希望通过 JNI)来改进再见数组比较。我找到了一个在 C# 中使用 DLLImport 的示例,所以我希望也可以应用 JNI 调用。

这是 C# 代码段:

[DllImport("msvcrt.dll")]
    unsafe static extern int memcmp(void* b1, void* b2, long count);

    unsafe static int ByteArrayCompare1(byte[] b1, int b1Index, int b1Length, byte[] b2, int b2Index, int b2Length)
    {
        CompareCount++;
        fixed (byte* p1 = b1)
        fixed (byte* p2 = b2)
        {
            int cmp = memcmp(p1 + b1Index, p2 + b2Index, Math.Min(b1Length, b2Length));
            if (cmp == 0)
            {
                cmp = b1Length.CompareTo(b2Length);
            }

            return cmp;
        }
    }

有谁知道如何在Java中实现这个?

提前致谢,

戴安娜

4

3 回答 3

2

您确定您的代码在这些比较上花费了大量时间吗?我建议现在调用一个 Java 函数,然后计时;如果仍然需要,可以添加 JNI/JNA。

请记住,通过添加 JNI,您显着增加了出现错误的机会,并且您将程序限制为仅针对您为其编译库的体系结构。

于 2010-10-07T18:42:21.917 回答
0

可以使用 JNI,但 Java 有一个称为JNA (Java Native Access)的 JNI 变体,它允许您直接访问共享库,而无需包装它们的 JNI 接口,因此您可以使用它memcmp直接访问:

import com.sun.jna.Library;
import com.sun.jna.Native;
import com.sun.jna.Pointer;

public class Test {
    public interface CStdLib extends Library {
        int memcmp(Pointer s1, Pointer s2, int n);
    }

    public static void main(String[] args) {
        CStdLib c = (CStdLib)Native.loadLibrary("msvcrt", CStdLib.class);
        c.memcmp(...);
    }
}

我没有测试过上面的内容,我不确定memcmp签名,因为它需要void*and size_t,两者都没有明显的 Java 等价物,但它的一些变体应该可以正常工作

(归因:我从我的另一个答案中提取了一些 JNA 信息)

于 2010-10-07T16:05:13.117 回答
0

只需使用以下代码,看看它是否足够快。

package so3883485;

import java.util.concurrent.atomic.AtomicLong;

public class ByteArrayUtils {

  static final AtomicLong COMPARE_COUNT = new AtomicLong(0);

  public static int compare(byte[] b1, int b1Index, int b1Length, byte[] b2, int b2Index, int b2Length) {
    COMPARE_COUNT.incrementAndGet();

    final int commonLength = Math.min(b1Length, b2Length);
    for (int i = 0; i < commonLength; i++) {
      final byte byte1 = b1[b1Index + i];
      final byte byte2 = b2[b2Index + i];
      if (byte1 != byte2) {
        return (byte1 < byte2) ? -1 : 1;
      }
    }

    if (b1Length != b2Length) {
      return (b1Length < b2Length) ? -2 : 2;
    }

    return 0;
  }

}

并进行一些单元测试以确保基本案例按预期工作。

package so3883485;

import static org.junit.Assert.*;
import static so3883485.ByteArrayUtils.*;

import org.junit.Test;

public class ByteArrayUtilsTest {

  @Test
  public void test() {
    byte[] bytes = { 1, 2, 3, 4, 5 };
    assertEquals(0, compare(bytes, 0, bytes.length, bytes, 0, bytes.length));
    assertEquals(0, compare(bytes, 0, 0, bytes, 0, 0));
    assertEquals(-2, compare(bytes, 0, 0, bytes, 0, 1));
    assertEquals(2, compare(bytes, 0, 1, bytes, 0, 0));
    assertEquals(-1, compare(bytes, 1, 1, bytes, 2, 1));
    assertEquals(1, compare(bytes, 2, 1, bytes, 1, 1));
  }
}
于 2010-10-17T11:16:48.070 回答