代码之家  ›  专栏  ›  技术社区  ›  Rusty Shackleford

不带“isPresent()”检查的“OptionalDouble.getAsDouble()”

  •  0
  • Rusty Shackleford  · 技术社区  · 4 年前

    我已经看到了这个问题的一堆解决方案,但无论我尝试什么,IDEA仍然会报告一个错误。

    考虑以下块:

    double testDouble= customClass.stream()
                  .mapToDouble(CustomClass::getDouble)
                  .max()
                  .getAsDouble();
    

    这报告了一个警告 'OptionalDouble.getAsDouble()' without 'isPresent()' check .

    如果我尝试这样做,它就不会编译:

    double testDouble= customClass.stream()
                  .mapToDouble(CustomClass::getDouble)
                  .max().orElseThrow(IllegalStateException::new)
                  .getAsDouble();
    

    这也不是:

    double testDouble= customClass.stream()
                  .mapToDouble(CustomClass::getDouble)
                  .max().orElse(null)
                  .getAsDouble();
    

    或者这个:

    double testDouble= customClass.stream()
                  .mapToDouble(CustomClass::getDouble)
                  .max().isPresent()
                  .getAsDouble();
    

    虽然我知道这些可选的double永远不会为空,但我想解决它们,这样就不会有警告了。

    有人能指出我哪里做错了吗?

    0 回复  |  直到 4 年前
        1
  •  2
  •   John Kugelman Michael Hodel    4 年前
    double testDouble= customClass.stream()
                  .mapToDouble(CustomClass::getDouble)
                  .max().orElseThrow(IllegalStateException::new)
                  .getAsDouble();
    

    orElseThrow 返回a double ,不是 OptionalDouble 没必要打电话 getAsDouble() .

    double testDouble = customClass.stream()
        .mapToDouble(CustomClass::getDouble)
        .max().orElseThrow(IllegalStateException::new);
    
        2
  •  1
  •   Дмитрий Брикман    4 年前

    您可以尝试以下操作:

    final double testDouble = doubles.stream()
                    .mapToDouble(CustomClass::getDouble)
                    .max()
                    .orElseThrow(IllegalArgumentException::new);
    

    OptionalDouble.getAsDouble() 可以扔一个 NoSuchElementException 如果该值缺失。 DoubleStream.max() 聚合器将返回空 OptionalDouble 当流为空时(例如,当流式传输空集合时),但代码分析器很难甚至有时不可能确定流是否为空,因此IDEA将始终警告您不要这样做。

    所以,即使你“ 知道这些可选的double永远不会为空 “,IDEA不知道这一点。扔石头让她冷静下来 IllegalArgumentException 。这将涵盖可能缺少可选最大值的代码分支。