我知道如何创建对具有String
参数的方法的引用,并返回int
,它是:
Function<String, Integer>
但是,如果该函数引发异常,则将其定义为:
Integer myMethod(String s) throws IOException
我将如何定义此参考?
我知道如何创建对具有String
参数的方法的引用,并返回int
,它是:
Function<String, Integer>
但是,如果该函数引发异常,则将其定义为:
Integer myMethod(String s) throws IOException
我将如何定义此参考?
Answers:
您需要执行以下操作之一。
如果是您的代码,请定义自己的函数接口,该接口声明已检查的异常:
@FunctionalInterface
public interface CheckedFunction<T, R> {
R apply(T t) throws IOException;
}
并使用它:
void foo (CheckedFunction f) { ... }
否则,包装Integer myMethod(String s)
一个不声明检查异常的方法:
public Integer myWrappedMethod(String s) {
try {
return myMethod(s);
}
catch(IOException e) {
throw new UncheckedIOException(e);
}
}
然后:
Function<String, Integer> f = (String t) -> myWrappedMethod(t);
要么:
Function<String, Integer> f =
(String t) -> {
try {
return myMethod(t);
}
catch(IOException e) {
throw new UncheckedIOException(e);
}
};
Consumer
或者Function
如果您使用默认方法,请参阅下面的答案。
(String t) -> myWrappedMethod(t)
,this::myWrappedMethod
也可以使用方法参考。
实际上,您可以使用处理异常的新接口扩展Consumer
(Function
等等)-使用Java 8的默认方法!
考虑以下接口(扩展Consumer
):
@FunctionalInterface
public interface ThrowingConsumer<T> extends Consumer<T> {
@Override
default void accept(final T elem) {
try {
acceptThrows(elem);
} catch (final Exception e) {
// Implement your own exception handling logic here..
// For example:
System.out.println("handling an exception...");
// Or ...
throw new RuntimeException(e);
}
}
void acceptThrows(T elem) throws Exception;
}
然后,例如,如果您有一个列表:
final List<String> list = Arrays.asList("A", "B", "C");
如果您想通过forEach
引发异常的代码来使用它(例如与一起使用),则通常会设置一个try / catch块:
final Consumer<String> consumer = aps -> {
try {
// maybe some other code here...
throw new Exception("asdas");
} catch (final Exception ex) {
System.out.println("handling an exception...");
}
};
list.forEach(consumer);
但是,有了这个新接口,您可以使用lambda表达式实例化它,编译器将不会抱怨:
final ThrowingConsumer<String> throwingConsumer = aps -> {
// maybe some other code here...
throw new Exception("asdas");
};
list.forEach(throwingConsumer);
甚至只是将其转换为更简洁!:
list.forEach((ThrowingConsumer<String>) aps -> {
// maybe some other code here...
throw new Exception("asda");
});
更新:看起来榴莲中有一个非常不错的实用程序库部分,称为错误,可用于更加灵活地解决此问题。例如,在上面的实现中,我已明确定义了错误处理策略(System.out...
或throw RuntimeException
),而Durian的Errors则允许您通过大量实用程序方法动态地应用策略。感谢您分享 @NedTwigg!。
用法示例:
list.forEach(Errors.rethrow().wrap(c -> somethingThatThrows(c)));
我认为Durian的Errors
课程结合了上述各种建议的许多优点。
要将榴莲加入您的项目,您可以:
com.diffplug.durian:durian:3.3.0
Throwing.java
和Errors.java
这不是特定于Java 8的。您尝试编译的内容等同于:
interface I {
void m();
}
class C implements I {
public void m() throws Exception {} //can't compile
}
免责声明:我还没有使用Java 8,只是阅读了一下。
Function<String, Integer>
不会抛出IOException
,因此您不能在其中放入任何代码throws IOException
。如果您要调用的方法需要一个Function<String, Integer>
,则传递给该方法的lambda不能抛出IOException
句号。您可以这样编写一个lambda(我不确定这是lambda语法):
(String s) -> {
try {
return myMethod(s);
} catch (IOException ex) {
throw new RuntimeException(ex);
// (Or do something else with it...)
}
}
或者,如果将lambda传递给您的方法是您自己编写的,则可以定义一个新的函数接口,并将其用作参数类型,而不是Function<String, Integer>
:
public interface FunctionThatThrowsIOException<I, O> {
O apply(I input) throws IOException;
}
@FunctionalInterface
不需要注释才能将其用于lambda。但是建议进行健全性检查。
但是,您可以创建自己的FunctionalInterface,如下所示。
@FunctionalInterface
public interface UseInstance<T, X extends Throwable> {
void accept(T instance) throws X;
}
然后使用Lambdas或引用实现它,如下所示。
import java.io.FileWriter;
import java.io.IOException;
//lambda expressions and the execute around method (EAM) pattern to
//manage resources
public class FileWriterEAM {
private final FileWriter writer;
private FileWriterEAM(final String fileName) throws IOException {
writer = new FileWriter(fileName);
}
private void close() throws IOException {
System.out.println("close called automatically...");
writer.close();
}
public void writeStuff(final String message) throws IOException {
writer.write(message);
}
//...
public static void use(final String fileName, final UseInstance<FileWriterEAM, IOException> block) throws IOException {
final FileWriterEAM writerEAM = new FileWriterEAM(fileName);
try {
block.accept(writerEAM);
} finally {
writerEAM.close();
}
}
public static void main(final String[] args) throws IOException {
FileWriterEAM.use("eam.txt", writerEAM -> writerEAM.writeStuff("sweet"));
FileWriterEAM.use("eam2.txt", writerEAM -> {
writerEAM.writeStuff("how");
writerEAM.writeStuff("sweet");
});
FileWriterEAM.use("eam3.txt", FileWriterEAM::writeIt);
}
void writeIt() throws IOException{
this.writeStuff("How ");
this.writeStuff("sweet ");
this.writeStuff("it is");
}
}
您可以。
扩展@marcg UtilException
并<E extends Exception>
在必要时添加泛型:这样,编译器将再次迫使您添加throw子句,而一切都好像您可以在Java 8的流中本机抛出检查异常一样。
public final class LambdaExceptionUtil {
@FunctionalInterface
public interface Function_WithExceptions<T, R, E extends Exception> {
R apply(T t) throws E;
}
/**
* .map(rethrowFunction(name -> Class.forName(name))) or .map(rethrowFunction(Class::forName))
*/
public static <T, R, E extends Exception> Function<T, R> rethrowFunction(Function_WithExceptions<T, R, E> function) throws E {
return t -> {
try {
return function.apply(t);
} catch (Exception exception) {
throwActualException(exception);
return null;
}
};
}
@SuppressWarnings("unchecked")
private static <E extends Exception> void throwActualException(Exception exception) throws E {
throw (E) exception;
}
}
public class LambdaExceptionUtilTest {
@Test
public void testFunction() throws MyTestException {
List<Integer> sizes = Stream.of("ciao", "hello").<Integer>map(rethrowFunction(s -> transform(s))).collect(toList());
assertEquals(2, sizes.size());
assertEquals(4, sizes.get(0).intValue());
assertEquals(5, sizes.get(1).intValue());
}
private Integer transform(String value) throws MyTestException {
if(value==null) {
throw new MyTestException();
}
return value.length();
}
private static class MyTestException extends Exception { }
}
我在lambda中遇到了Class.forName和Class.newInstance的问题,所以我做到了:
public Object uncheckedNewInstanceForName (String name) {
try {
return Class.forName(name).newInstance();
}
catch (ClassNotFoundException | InstantiationException | IllegalAccessException e) {
throw new RuntimeException(e);
}
}
在lambda内部,没有调用Class.forName(“ myClass”)。newInstance(),而是调用了uncheckedNewInstanceForName(“ myClass”)
使用函数包装的另一种解决方案是,如果一切顺利,则返回结果包装的一个实例,即成功;如果失败,则返回一个实例。
一些代码来澄清事情:
public interface ThrowableFunction<A, B> {
B apply(A a) throws Exception;
}
public abstract class Try<A> {
public static boolean isSuccess(Try tryy) {
return tryy instanceof Success;
}
public static <A, B> Function<A, Try<B>> tryOf(ThrowableFunction<A, B> function) {
return a -> {
try {
B result = function.apply(a);
return new Success<B>(result);
} catch (Exception e) {
return new Failure<>(e);
}
};
}
public abstract boolean isSuccess();
public boolean isError() {
return !isSuccess();
}
public abstract A getResult();
public abstract Exception getError();
}
public class Success<A> extends Try<A> {
private final A result;
public Success(A result) {
this.result = result;
}
@Override
public boolean isSuccess() {
return true;
}
@Override
public A getResult() {
return result;
}
@Override
public Exception getError() {
return new UnsupportedOperationException();
}
@Override
public boolean equals(Object that) {
if(!(that instanceof Success)) {
return false;
}
return Objects.equal(result, ((Success) that).getResult());
}
}
public class Failure<A> extends Try<A> {
private final Exception exception;
public Failure(Exception exception) {
this.exception = exception;
}
@Override
public boolean isSuccess() {
return false;
}
@Override
public A getResult() {
throw new UnsupportedOperationException();
}
@Override
public Exception getError() {
return exception;
}
}
一个简单的用例:
List<Try<Integer>> result = Lists.newArrayList(1, 2, 3).stream().
map(Try.<Integer, Integer>tryOf(i -> someMethodThrowingAnException(i))).
collect(Collectors.toList());
这个问题也困扰着我。这就是为什么我创建了这个项目。
有了它,您可以执行以下操作:
final ThrowingFunction<String, Integer> f = yourMethodReferenceHere;
JDK定义了39个接口,它们具有Throwing
相同的功能。这些都是@FunctionalInterface
在用流S(基体Stream
,而且IntStream
,LongStream
和DoubleStream
)。
随着它们各自扩展其非投掷对象,您也可以直接在lambda中使用它们:
myStringStream.map(f) // <-- works
默认行为是,当您抛出的lambda抛出一个已检查的异常时,将引发一个ThrownByLambdaException
以已检查的异常为原因的a。因此,您可以抓住原因并找到原因。
其他功能也可用。
@FunctionalInterface public interface SupplierWithCE<T, X extends Exception> { T get() throws X; }
-这样,用户不需要catch Throwable
,而是使用特定的已检查异常。
ThrownByLambdaException
,您将原来的异常作为原因(或者您可以使用rethrow(...).as(MyRuntimeException.class)
)
Throwing.runnable()
和其他工具,它们始终具有链接功能
这里已经发布了很多很棒的回复。只是尝试以不同的角度解决问题。它只是我的2美分,如果我在某个地方写错了,请纠正我。
FunctionalInterface中的Throws子句不是一个好主意
我认为强制执行IOException可能不是一个好主意,因为以下原因
在我看来,这就像Stream / Lambda的反模式。整个想法是,调用方将决定要提供的代码以及如何处理异常。在许多情况下,IOException可能不适用于客户端。例如,如果客户端从缓存/内存中获取价值,而不是执行实际的I / O。
而且,流中的异常处理真的很丑。例如,这是我使用您的API时的代码
acceptMyMethod(s -> {
try {
Integer i = doSomeOperation(s);
return i;
} catch (IOException e) {
// try catch block because of throws clause
// in functional method, even though doSomeOperation
// might not be throwing any exception at all.
e.printStackTrace();
}
return null;
});
丑陋不是吗?此外,正如我在第一点提到的那样,doSomeOperation方法可能会或可能不会抛出IOException(取决于客户端/调用者的实现),但是由于您的FunctionalInterface方法中的throws子句,我总是必须编写试着抓。
如果我真的知道此API引发IOException,该怎么办
然后可能是我们将FunctionalInterface与典型接口混淆了。如果您知道此API会抛出IOException,那么很可能您也知道一些默认/抽象行为。我认为您应该按如下方式定义一个接口并部署您的库(使用默认/抽象实现)
public interface MyAmazingAPI {
Integer myMethod(String s) throws IOException;
}
但是,客户端的try-catch问题仍然存在。如果我在流中使用您的API,我仍然需要在可怕的try-catch块中处理IOException。
提供默认的流友好API,如下所示
public interface MyAmazingAPI {
Integer myMethod(String s) throws IOException;
default Optional<Integer> myMethod(String s, Consumer<? super Exception> exceptionConsumer) {
try {
return Optional.ofNullable(this.myMethod(s));
} catch (Exception e) {
if (exceptionConsumer != null) {
exceptionConsumer.accept(e);
} else {
e.printStackTrace();
}
}
return Optional.empty();
}
}
默认方法将使用者对象作为参数,它将负责处理异常。现在,从客户的角度来看,代码将如下所示
strStream.map(str -> amazingAPIs.myMethod(str, Exception::printStackTrace))
.filter(Optional::isPresent)
.map(Optional::get).collect(toList());
不错吧?当然,可以使用记录器或其他处理逻辑来代替Exception :: printStackTrace。
您还可以公开类似于https://docs.oracle.com/javase/8/docs/api/java/util/concurrent/CompletableFuture.html#exceptionally-java.util.function.Function-的方法 。这意味着您可以公开另一个方法,该方法将包含先前方法调用中的异常。缺点是您现在要使API成为有状态的,这意味着您需要处理线程安全性,并且最终将对性能造成影响。只是考虑的一种选择。
Stream
引发异常的哪个元素。因此,我喜欢具有异常处理程序并过滤无效结果的想法。请注意,您的MyAmazingAPI实际上是a FunctionalInterface
(因此可以添加@FunctionalInterface批注)。另外,您可以使用默认值来代替Optional.empty()
。
鬼throw的成语使绕过CheckedException
Lambda表达式成为可能。CheckedException
在a中包装a RuntimeException
不利于严格的错误处理。
它可以用作Consumer
Java集合中使用的函数。
这是jib的答案的简单改进版本。
import static Throwing.rethrow;
@Test
public void testRethrow() {
thrown.expect(IOException.class);
thrown.expectMessage("i=3");
Arrays.asList(1, 2, 3).forEach(rethrow(e -> {
int i = e.intValue();
if (i == 3) {
throw new IOException("i=" + i);
}
}));
}
这只是将lambda包装在重新抛出中。它会使您在lambda中CheckedException
抛出的任何内容重新抛出Exception
。
public final class Throwing {
private Throwing() {}
@Nonnull
public static <T> Consumer<T> rethrow(@Nonnull final ThrowingConsumer<T> consumer) {
return consumer;
}
/**
* The compiler sees the signature with the throws T inferred to a RuntimeException type, so it
* allows the unchecked exception to propagate.
*
* http://www.baeldung.com/java-sneaky-throws
*/
@SuppressWarnings("unchecked")
@Nonnull
public static <E extends Throwable> void sneakyThrow(@Nonnull Throwable ex) throws E {
throw (E) ex;
}
}
在此处找到完整的代码和单元测试。
您可以为此使用ET。ET是一个小的Java 8库,用于异常转换/翻译。
使用ET看起来像这样:
// Do this once
ExceptionTranslator et = ET.newConfiguration().done();
...
// if your method returns something
Function<String, Integer> f = (t) -> et.withReturningTranslation(() -> myMethod(t));
// if your method returns nothing
Consumer<String> c = (t) -> et.withTranslation(() -> myMethod(t));
ExceptionTranslator
实例是线程安全的,可以被多个组件共享。您可以根据需要配置更具体的异常转换规则(例如FooCheckedException -> BarRuntimeException
)。如果没有其他可用规则,则已检查的异常会自动转换为RuntimeException
。
(免责声明:我是ET的作者)
我正在做的是允许用户在异常情况下提供他实际想要的值。所以我看起来像这样
public static <T, R> Function<? super T, ? extends R> defaultIfThrows(FunctionThatThrows<? super T, ? extends R> delegate, R defaultValue) {
return x -> {
try {
return delegate.apply(x);
} catch (Throwable throwable) {
return defaultValue;
}
};
}
@FunctionalInterface
public interface FunctionThatThrows<T, R> {
R apply(T t) throws Throwable;
}
然后可以这样调用:
defaultIfThrows(child -> child.getID(), null)
如果您不介意使用第三方库(我贡献的是cyclops -react),则可以使用FluentFunctions API编写
Function<String, Integer> standardFn = FluentFunctions.ofChecked(this::myMethod);
ofChecked带有一个jOOλCheckedFunction,并将软化的引用返回回标准(未经检查的)JDK java.util.function.Function。
另外,您可以通过FluentFunctions api继续使用捕获的功能!
例如执行您的方法,最多重试5次并记录其状态,您可以编写
FluentFunctions.ofChecked(this::myMethod)
.log(s->log.debug(s),e->log.error(e,e.getMessage())
.try(5,1000)
.apply("my param");
默认情况下,Java 8 Function不允许引发异常,并且如在多个答案中所建议的那样,有很多方法可以实现该异常,一种方法是:
@FunctionalInterface
public interface FunctionWithException<T, R, E extends Exception> {
R apply(T t) throws E;
}
定义为:
private FunctionWithException<String, Integer, IOException> myMethod = (str) -> {
if ("abc".equals(str)) {
throw new IOException();
}
return 1;
};
并在调用方方法中添加throws
或try/catch
相同的异常。
创建一个自定义返回类型,该类型将传播已检查的异常。这是创建一个新接口的替代方法,该接口通过在功能接口方法上稍加修改“抛出异常”来镜像现有功能接口。
public static interface CheckedValueSupplier<V> {
public V get () throws Exception;
}
public class CheckedValue<V> {
private final V v;
private final Optional<Exception> opt;
public Value (V v) {
this.v = v;
}
public Value (Exception e) {
this.opt = Optional.of(e);
}
public V get () throws Exception {
if (opt.isPresent()) {
throw opt.get();
}
return v;
}
public Optional<Exception> getException () {
return opt;
}
public static <T> CheckedValue<T> returns (T t) {
return new CheckedValue<T>(t);
}
public static <T> CheckedValue<T> rethrows (Exception e) {
return new CheckedValue<T>(e);
}
public static <V> CheckedValue<V> from (CheckedValueSupplier<V> sup) {
try {
return CheckedValue.returns(sup.get());
} catch (Exception e) {
return Result.rethrows(e);
}
}
public static <V> CheckedValue<V> escalates (CheckedValueSupplier<V> sup) {
try {
return CheckedValue.returns(sup.get());
} catch (Exception e) {
throw new RuntimeException(e);
}
}
}
// Don't use this pattern with FileReader, it's meant to be an
// example. FileReader is a Closeable resource and as such should
// be managed in a try-with-resources block or in another safe
// manner that will make sure it is closed properly.
// This will not compile as the FileReader constructor throws
// an IOException.
Function<String, FileReader> sToFr =
(fn) -> new FileReader(Paths.get(fn).toFile());
// Alternative, this will compile.
Function<String, CheckedValue<FileReader>> sToFr = (fn) -> {
return CheckedValue.from (
() -> new FileReader(Paths.get("/home/" + f).toFile()));
};
// Single record usage
// The call to get() will propagate the checked exception if it exists.
FileReader readMe = pToFr.apply("/home/README").get();
// List of records usage
List<String> paths = ...; //a list of paths to files
Collection<CheckedValue<FileReader>> frs =
paths.stream().map(pToFr).collect(Collectors.toList());
// Find out if creation of a file reader failed.
boolean anyErrors = frs.stream()
.filter(f -> f.getException().isPresent())
.findAny().isPresent();
将创建一个引发已检查异常的单个功能接口(CheckedValueSupplier
)。这将是唯一允许检查异常的功能接口。所有其他功能接口将利用CheckedValueSupplier
来包装所有引发已检查异常的代码。
该CheckedValue
班将举行执行抛出checked异常任何逻辑的结果。这样可以防止检查异常的传播,直到代码尝试访问实例所CheckedValue
包含的值为止。
CheckedValue#get()
在调用之前会发生异常。某些功能接口(Consumer
例如)必须以不同的方式处理,因为它们不提供返回值。
一种方法是使用函数而不是使用者,后者在处理流时适用。
List<String> lst = Lists.newArrayList();
// won't compile
lst.stream().forEach(e -> throwyMethod(e));
// compiles
lst.stream()
.map(e -> CheckedValueSupplier.from(
() -> {throwyMethod(e); return e;}))
.filter(v -> v.getException().isPresent()); //this example may not actually run due to lazy stream behavior
另外,您也可以随时升级到RuntimeException
。还有其他答案涵盖了从中升级受检查的异常Consumer
。
只需避免将功能接口放在一起,并使用老式的for循环即可。
我使用了一个重载的实用程序函数unchecked()
,该函数可以处理多个用例。
一些示例用法
unchecked(() -> new File("hello.txt").createNewFile());
boolean fileWasCreated = unchecked(() -> new File("hello.txt").createNewFile());
myFiles.forEach(unchecked(file -> new File(file.path).createNewFile()));
支持公用事业
public class UncheckedUtils {
@FunctionalInterface
public interface ThrowingConsumer<T> {
void accept(T t) throws Exception;
}
@FunctionalInterface
public interface ThrowingSupplier<T> {
T get() throws Exception;
}
@FunctionalInterface
public interface ThrowingRunnable {
void run() throws Exception;
}
public static <T> Consumer<T> unchecked(
ThrowingConsumer<T> throwingConsumer
) {
return i -> {
try {
throwingConsumer.accept(i);
} catch (Exception ex) {
throw new RuntimeException(ex);
}
};
}
public static <T> T unchecked(
ThrowingSupplier<T> throwingSupplier
) {
try {
return throwingSupplier.get();
} catch (Exception ex) {
throw new RuntimeException(ex);
}
}
public static void unchecked(
ThrowingRunnable throwing
) {
try {
throwing.run();
} catch (Exception ex) {
throw new RuntimeException(ex);
}
}
}
我将做一些通用的事情:
public interface Lambda {
@FunctionalInterface
public interface CheckedFunction<T> {
T get() throws Exception;
}
public static <T> T handle(CheckedFunction<T> supplier) {
try {
return supplier.get();
} catch (Exception exception) {
throw new RuntimeException(exception);
}
}
}
用法:
Lambda.handle(() -> method());
使用Jool Library
或者说jOOλ library
从JOOQ
。它不仅提供未经检查的异常处理接口,而且还为Seq类提供许多有用的方法。
此外,它还包含带有多达16个参数的功能接口。此外,它提供了在不同情况下使用的Tuple类。
特别是在库查找org.jooq.lambda.fi.util.function
包中。它包含Java-8中所有带有Checked的接口。请参阅以下参考:
我是一个小型lib的作者,它具有一些通用的魔术功能,可以将任何Java Exception抛出到任何地方,而无需捕获它们或将它们包装到中RuntimeException
。
用法:
unchecked(() -> methodThrowingCheckedException())
public class UncheckedExceptions {
/**
* throws {@code exception} as unchecked exception, without wrapping exception.
*
* @return will never return anything, return type is set to {@code exception} only to be able to write <code>throw unchecked(exception)</code>
* @throws T {@code exception} as unchecked exception
*/
@SuppressWarnings("unchecked")
public static <T extends Throwable> T unchecked(Exception exception) throws T {
throw (T) exception;
}
@FunctionalInterface
public interface UncheckedFunction<R> {
R call() throws Exception;
}
/**
* Executes given function,
* catches and rethrows checked exceptions as unchecked exceptions, without wrapping exception.
*
* @return result of function
* @see #unchecked(Exception)
*/
public static <R> R unchecked(UncheckedFunction<R> function) {
try {
return function.call();
} catch (Exception e) {
throw unchecked(e);
}
}
@FunctionalInterface
public interface UncheckedMethod {
void call() throws Exception;
}
/**
* Executes given method,
* catches and rethrows checked exceptions as unchecked exceptions, without wrapping exception.
*
* @see #unchecked(Exception)
*/
public static void unchecked(UncheckedMethod method) {
try {
method.call();
} catch (Exception e) {
throw unchecked(e);
}
}
}
public void frankTest() {
int pageId= -1;
List<Book> users= null;
try {
//Does Not Compile: Object page=DatabaseConnection.getSpringConnection().queryForObject("SELECT * FROM bookmark_page", (rw, n) -> new Portal(rw.getInt("id"), "", users.parallelStream().filter(uu -> uu.getVbid() == rw.getString("user_id")).findFirst().get(), rw.getString("name")));
//Compiles:
Object page= DatabaseConnection.getSpringConnection().queryForObject("SELECT * FROM bookmark_page", (rw, n) -> {
try {
final Book bk= users.stream().filter(bp -> {
String name= null;
try {
name = rw.getString("name");
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return bp.getTitle().equals(name);
}).limit(1).collect(Collectors.toList()).get(0);
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
return new Portal(rw.getInt("id"), "", users.get(0), rw.getString("name"));
} );
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
<code>/<code>
:)