0

显然,我无法将 Long 值存储在哈希表中。

请看下面的代码:

//create a hashtable of type <String, Long>
Hashtable <String, Long> universalTable = new Hashtable <String, Long> ();

universalTable.put("HEADS", new Long(0)); // this works fine

我在构造函数中传递了这个表DoFlip

DoFlip doFlip = new DoFlip(100000000, universalTable);

内部DoFlip

Hashtable table; // pointer to hash map
long iterations = 0; // number of iterations

DoFlip(long iterations, Hashtable table){
    this.iterations = iterations;
    this.table = table;
}

此类实现 Runnable。run()方法如下——</p >

public void run(){
    while(this.iterations > 0){
        // do some stuff
        this.heads ++;
        this.iterations --;
    }
    updateStats();
}

public void updateStats(){
    Long nHeads = (Long)this.table.get("HEADS");
    this.table.put("HEADS", nHeads); // ISSUE HERE
}

我收到以下警告/错误。看起来像一个警告,但我不想要这个。

Note: File.java uses unchecked or unsafe operations.
Note: Recompile with -Xlint:unchecked for details.

当我重新编译时:

File.java:92: warning: [unchecked] unchecked call to put(K,V) as a member of the raw type java.util.Hashtable
            this.table.put("HEADS", nHeads);
                          ^
1 warning

我不确定为什么会这样。首先,不需要输入 cast nHeads。但我仍然这样做,但它不起作用。

注意:我一点也不擅长 Java。:/

谢谢您的帮助。

4

5 回答 5

3

此警告表明您正在使用原始类型。代替

DoFlip(long iterations, Hashtable table){

DoFlip(long iterations, Hashtable<String, Long> table) {

这样它包含类似于 的泛型universalTable。还要在初始声明中包含泛型。

边注:

  • Hashtable已经很老了Collection,已经被HashMap.
于 2013-02-26T03:21:19.687 回答
3

这只是一个警告,告诉您正在混合通用和非通用容器。这是允许的,但是如果您在代码中的任何地方都使用泛型,编译器可以在类型检查方面做得更好。

要修复此警告,您需要更改

Hashtable table;

为了

Hashtable<String, Long> table;

在声明里面DoFlip

于 2013-02-26T03:21:30.153 回答
1

我的 2 美分:

首先,如果您正在构建一些对性能敏感的应用程序,并且希望避免 Long 和 long 原语之间的转换,请考虑使用trove4j集合库。它是一种质量优良的原始产品。

其次,您的 DoFlip 应声明为

DoFlip(long iterations, Hashtable<String, Long> table){
    this.iterations = iterations;
    this.table = table;
}

问题解决了。

享受。

于 2013-02-26T03:22:23.027 回答
0

您需要向编译器保证您的 HashMap 都是从 Strings 到 Longs。你在这里做了:

Hashtable <String, Long> universalTable = new Hashtable <String, Long> ();

...但不在这里:

Hashtable table; // pointer to hash map
---
DoFlip(long iterations, Hashtable table){

这样做:

Hashtable<String, Long> table;
---
DoFlip(long iterations, Hashtable<String, Long> table){

...并且不会再出现您table在运行时将错误类型的对象放入其中的自动恐慌,因为现在编译器可以检查您是否始终使用您想要的对象(即括号中指定的对象)。

于 2013-02-26T03:24:47.450 回答
0

这只是来自编译器的警告,您是mixing generic and non-generic containers

您可以执行以下任一步骤使其消失

1)你需要改变

Hashtable table;

为了

Hashtable<String, Long> table;

或者

2)您可以使用 SuppressWarning 注释来抑制警告

@SuppressWarnings("unchecked")
public void updateStats(){
    Long nHeads = (Long)this.table.get("HEADS");
    this.table.put("HEADS", nHeads); // ISSUE HERE
}
于 2013-02-26T03:32:35.187 回答