我有一个带有字符串和tupleList的地图。
我正在尝试将tupleList放入double数组中,但是我正在获得类型转换异常。
我的代码是-

Map<String, TupleList> results = null; -- Some data in it and TupleList has int or double value.


公共无效drawGraph(){

    Object[] test = new Object[results.size()];
    int index = 0;
    for (Entry<String, TupleList> mapEntry : results.entrySet()) {
        test[index] = mapEntry.getValue();
        index++;
    }


       BarChart chart = new BarChart();
        chart.setSampleCount(4);
        String[] values = new String[test.length];
        for(int i = 0; i < test.length; i++)
        {
            values[i] = (String) test[i];


        }
       //  double[] values = new double[] {32,32,65,65};
         String[] sampleLabels = new String[] {"deny\nstatus", "TCP\nrequest", "UPD\nrequest", "ICMP\nrequest"};
         String[] barLabels = new String[] {"STATUS", "TCP", "UDP", "PING"};

         //chart.setSampleValues(0, values);
         chart.setSampleColor(0, new Color(0xFFA000));
         chart.setRange(0, 88);
         chart.setFont("rangeLabelFont", new Font("Arial", Font.BOLD, 13));


错误 - -

java.lang.ClassCastException: somePackagename.datamodel.TupleList cannot be cast to java.lang.String
at com.ibm.biginsights.ExampleAPI.drawGraph(ExampleAPI.java:177)
at com.ibm.biginsights.ExampleAPI.main(ExampleAPI.java:95)


我收到异常@

  String[] values = new String[test.length];
        for(int i = 0; i < test.length; i++)
        {
            values[i] = (String) test[i];


谢谢

最佳答案

我假设错误发生在这里:values[i] = (String) test[i];。问题是您试图将类型为TupleList的对象放入字符串中。您需要做的是调用.toString()方法,该方法应该为您提供对象的字符串表示形式。

但是请注意,您将必须覆盖toString()类中的TupleList方法,以便获得适合您需要的对象的字符串表示形式。

简而言之,仅执行test[i].toString()很有可能会产生如下结果:TupleList@122545。您需要做的是:

public class TupleList
...

@Override
public String toString()
{
    return "...";
}

...

07-24 14:29