调用Zebra打印机API时发生访问冲突

时间:2018-06-20 17:09:50

标签: java jna

# A fatal error has been detected by the Java Runtime Environment:
#
#  EXCEPTION_ACCESS_VIOLATION (0xc0000005) at pc=0x5f0c25fe, pid=14780, tid=11168
#
# JRE version: Java(TM) SE Runtime Environment (7.0_80-b15) (build 1.7.0_80-b15)
# Java VM: Java HotSpot(TM) Client VM (24.80-b11 mixed mode, sharing windows-x86 )
# Problematic frame:
# C  [ZBRGraphics.dll+0x25fe]

在Java程序中使用Zebra打印机DLL时,我一直收到此错误。

public class Tester {
    public static void main(String[] args) {
        ZBRGraphics zGraphics = ZBRGraphics.INSTANCE;

        String text = "Print this";
        byte[] textB = text.getBytes(StandardCharsets.UTF_8);

        String font= "Arial";
        byte[] fontB = text.getBytes(StandardCharsets.UTF_8);

        System.out.println(zGraphics.ZBRGDIDrawText(0, 0, textB, fontB, 12, 1, 0x0FF0000, 0));
    }
}

public interface ZBRGraphics extends Library {
    ZBRGraphics INSTANCE = (ZBRGraphics) Native.loadLibrary("ZBRGraphics", ZBRGraphics.class);

    int ZBRGDIDrawText(int x, int y, byte[] text, byte[] font, int fontSize, int fontStyle, int color, int err);
}

我在C:\Windows\System32和32位Java中都有DLL。 我使用64位计算机作为笔记本电脑进行开发。

1 个答案:

答案 0 :(得分:1)

如果我的google-fu技能很好,那么您似乎正在与Zebra打印机的API交互。根据《 ZXP1和ZXP3软件开发人员参考手册》(找到的here),该函数的Java映射不正确。

这是实际的C函数原型:

int ZBRGDIDrawText(
    int x,
    int y,
    char *text,
    char *font,
    int fontSize,
    int fontStyle,
    int color,
    int *err
)

如您所见,err不是int,而是指向它的指针。另外,由于textfont是字符串,因此可以仅将String用作Java类型。此外,API文档说返回值是一个int,其中1表示成功,0表示失败,这意味着您可以使用boolean来简化使用。

以下Java映射应该正确:

boolean ZBRGDIDrawText(
    int x,
    int y,
    String text,
    String font,
    int fontSize,
    int fontStyle,
    int color,
    IntByReference err
);

,您可能会这样使用它:

IntByReference returnCode = new IntByReference(0);
boolean success = zGraphics.ZBRGDIDrawText(
    0,
    0,
    "Print this",
    "Arial",
    12,
    1,
    0x0FF0000,
    returnCode
);

if (success) {
    System.out.println("success");
} else {
    System.out.println("ZBRGDIDrawText failed with code " + returnCode.getValue());
}