001/* 002 * Copyright (c) 2012-2021 Institut National des Sciences Appliquées de Lyon (INSA Lyon) and others 003 * 004 * This program and the accompanying materials are made available under the 005 * terms of the Eclipse Public License 2.0 which is available at 006 * http://www.eclipse.org/legal/epl-2.0. 007 * 008 * SPDX-License-Identifier: EPL-2.0 009 */ 010 011package gololang.error; 012 013import java.util.NoSuchElementException; 014import java.util.Objects; 015import java.util.Optional; 016import java.util.List; 017import java.util.Iterator; 018import java.util.Collections; 019import java.util.function.Function; 020import java.util.function.Predicate; 021import java.util.function.Supplier; 022import java.util.function.Consumer; 023import gololang.Tuple; 024import gololang.FunctionReference; 025import org.eclipse.golo.runtime.InvalidDestructuringException; 026 027/** 028 * A container object which represent the result of a maybe failing operation. 029 * 030 * <p>This object is used when chaining computations (e.g. using map-filter operations) that can 031 * produce an error. Instead of raising an exception, the operation can use this object to 032 * encapsulate the result. This is similar to {@code Optional}, but also encapsulate the type of 033 * error in the form of a {@code Throwable} instance that can be raised later. 034 * 035 * <p>This is similar to the {@code Either} or {@code Result} type in other functional languages (e.g. 036 * <a href="https://hackage.haskell.org/package/base/docs/Data-Either.html">Haskell</a>, 037 * <a href="https://doc.rust-lang.org/std/result/">Rust</a> or 038 * <a href="http://www.scala-lang.org/api/2.9.3/scala/Either.html">Scala</a>) 039 * 040 * <p>Typical usage:<ul> 041 * <li>return {@link #empty()} instead of returning {@code null}, 042 * <li>use {@link #error(java.lang.Throwable)} or {@link #fail(java.lang.String)} instead of 043 * throwing an exception, 044 * <li>use {@link #ok(java.lang.Object)} to return a normal value. 045 * </ul> 046 */ 047public final class Result<T, E extends Throwable> implements Iterable<T> { 048 049 private static final Result<?, ?> EMPTY = new Result<>(); 050 private final T value; 051 private final E error; 052 053 private Result() { 054 this.value = null; 055 this.error = null; 056 } 057 058 private Result(T value, E throwable) { 059 this.value = value; 060 this.error = throwable; 061 } 062 063 /** 064 * Dynamic polymorphic constructor. 065 * 066 * <p>Dynamically dispatch on {@link #empty()}, {@link #error(java.lang.Throwable)}, 067 * {@link #option(java.util.Optional)} or {@link #ok(java.lang.Object)} depending on the 068 * {@code value} type. This is mainly useful in Golo code. 069 * 070 * @param value the value to encapsulate 071 * @return a {@code Result} representing the value 072 */ 073 public static Result<Object, Throwable> of(Object value) { 074 if (value == null) { 075 return empty(); 076 } 077 if (value instanceof Throwable) { 078 return error((Throwable) value); 079 } 080 if (value instanceof Optional) { 081 @SuppressWarnings("unchecked") 082 Optional<Object> opt = (Optional<Object>) value; 083 return option(opt); 084 } 085 return ok(value); 086 } 087 088 /** 089 * Returns an empty {@code Result}. 090 * 091 * <p>Represents a successful computation that returns nothing. 092 * 093 * @return an empty {@code Result} 094 */ 095 public static <T, E extends Throwable> Result<T, E> empty() { 096 @SuppressWarnings("unchecked") 097 Result<T, E> r = (Result<T, E>) EMPTY; 098 return r; 099 } 100 101 /** 102 * Returns a valid {@code Result}. 103 * 104 * <p>Represents a successful computation's result. 105 * 106 * @param <T> the class of the value 107 * @param value the possibly-null value to describe 108 * @return a {@code Result} containing the value if the specified value is non-null, 109 * otherwise an empty {@code Result} 110 */ 111 public static <T, E extends Throwable> Result<T, E> ok(T value) { 112 return value == null ? empty() : new Result<>(value, null); 113 } 114 115 /** 116 * Returns a failed {@code Result}. 117 * 118 * <p>Represent a computation that failed. 119 * 120 * @param <E> the class of the throwable 121 * @param throwable the error that occurred 122 * @return a {@code Result} containing the throwable 123 */ 124 public static <T, E extends Throwable> Result<T, E> error(E throwable) { 125 return throwable == null ? empty() : new Result<>(null, throwable); 126 } 127 128 /** 129 * Construct a {@code Result} from a {@code Optional}. 130 * 131 * @param <T> the class of the value 132 * @param opt the {@code Optional} representing the possibly present value 133 * @return a {@code Result} containing the value if {@code isPresent()} is {@code true}, 134 * otherwise an empty {@code Result} 135 */ 136 public static <T, E extends Throwable> Result<T, E> option(Optional<T> opt) { 137 return opt == null || !opt.isPresent() ? empty() : new Result<>(opt.get(), null); 138 } 139 140 /** 141 * Construct a {@code Result} from a {@code Optional}. 142 * 143 * @param <T> the class of the value 144 * @param opt the {@code Optional} representing the possibly present value 145 * @param message a message used to create an error if the {@code Optional} is empty 146 * @return a {@code Result} containing the value if {@code isPresent()} is {@code true}, 147 * otherwise an error containing {@code NoSuchElementException} 148 */ 149 public static <T> Result<T, NoSuchElementException> option(Optional<T> opt, String message) { 150 return (opt == null || !opt.isPresent()) 151 ? new Result<>(null, new NoSuchElementException(message)) 152 : new Result<>(opt.get(), null); 153 } 154 155 /** 156 * Returns a failed {@code Result}. 157 * 158 * <p>Represent a computation that failed. This is similar to {@link #error(java.lang.Throwable)} 159 * but only the message is provided, and a {@code RuntimeException} is automatically created. 160 * 161 * @param message the message representing the error 162 * @return a {@code Result} containing a {@code RuntimeException} 163 */ 164 public static <T> Result<T, RuntimeException> fail(String message) { 165 return error(new RuntimeException(message)); 166 } 167 168 /** 169 * Runs a function that can raise an exception and return a Result. 170 * 171 * @param fun the function to run 172 * @return a {@code Result} containing either the raised exception or the value produced by the function. 173 */ 174 public static <T> Result<T, Throwable> trying(Supplier<T> fun) { 175 try { 176 return ok(fun.get()); 177 } catch (Throwable e) { 178 return error(e); 179 } 180 } 181 182 /** 183 * If a value is present, returns the value, if empty throws {@code NoSuchElementException}, 184 * otherwise throws the contained error. 185 * 186 * @return the non-null value contained in this {@code Result} 187 * @throws NoSuchElementException if the {@code Result} is empty 188 * @throws E if the {@code Result} is an error 189 */ 190 public T get() throws E, NoSuchElementException { 191 if (value != null) { 192 return value; 193 } 194 if (error != null) { 195 throw error; 196 } 197 throw new NoSuchElementException("Empty result"); 198 } 199 200 /** 201 * Convert this {@code Result} into a {@code Optional} describing its value. 202 * 203 * @return an {@code Optional} containing the value of this {@code Result}, 204 * or an empty {@code Optional} if {@code isValue()} is {@code false} 205 */ 206 public Optional<T> toOptional() { 207 if (value != null) { 208 return Optional.of(value); 209 } 210 return Optional.empty(); 211 } 212 213 /** 214 * Convert this {@code Result} into a {@link java.util.List} of values. 215 * 216 * @return an singleton list containing the value if present, otherwise an empty list 217 */ 218 public List<T> toList() { 219 if (value != null) { 220 return Collections.singletonList(value); 221 } 222 return Collections.emptyList(); 223 } 224 225 /** 226 * Convert this {@code Result} into a {@link java.util.List} of error. 227 * 228 * @return an singleton list containing the error if present, otherwise an empty list 229 */ 230 public List<E> toErrorList() { 231 if (error != null) { 232 return Collections.singletonList(error); 233 } 234 return Collections.emptyList(); 235 } 236 237 238 @Override 239 public Iterator<T> iterator() { 240 return toList().iterator(); 241 } 242 243 /** 244 * Convert this {@code Result} into a {@code Optional} describing its error. 245 * 246 * @return an {@code Optional} containing the error of this {@code Result}, 247 * or an empty {@code Optional} if {@code isError()} is {@code false} 248 */ 249 public Optional<E> toOptionalError() { 250 if (error != null) { 251 return Optional.of(error); 252 } 253 return Optional.empty(); 254 } 255 256 /** 257 * Return the value of present, otherwise return {@code other}. 258 * 259 * @param other the value to return if is empty 260 * @return the value if present, otherwise {@code other} 261 */ 262 public T orElse(T other) { 263 if (value != null) { 264 return value; 265 } 266 return other; 267 } 268 269 /** 270 * Return the value of present, otherwise return the result of the invocation of {@code fun}. 271 * 272 * @param fun the function to invoke if is empty (may return a default value or throw an 273 * exception) 274 * @return the value if present, otherwise the invocation of {@code fun} 275 */ 276 public Object orElseGet(FunctionReference fun) throws Throwable { 277 if (value != null) { 278 return value; 279 } 280 return fun.invoke(); 281 } 282 283 284 /** 285 * @return {@code true} if there is neither a value nor an error, otherwise {@code false} 286 */ 287 public boolean isEmpty() { 288 return value == null && error == null; 289 } 290 291 /** 292 * @return {@code true} if there is an error (and no value), otherwise {@code false} 293 */ 294 public boolean isError() { 295 return value == null && error != null; 296 } 297 298 /** 299 * @param type the class to test the error for 300 * @return {@code true} if the present error is an instance of {@code type} 301 */ 302 public boolean isError(Class<?> type) { 303 return error != null && type.isInstance(error); 304 } 305 306 /** 307 * @return {@code true} if there is a value (and no error), otherwise {@code false} 308 */ 309 public boolean isValue() { 310 return value != null && error == null; 311 } 312 313 /** 314 * @param val the value to test for presence 315 * @return {@code true} if the present value is equal to {@code val} 316 */ 317 public boolean isValue(Object val) { 318 return Objects.equals(value, val); 319 } 320 321 /** 322 * If a value is present, apply the provided mapping function to it, otherwise return the 323 * {@code Result} itself. If the application succeed with a value, return a {@code Result} 324 * containing it, if the result is null, return an empty {@code Result}, otherwise return a 325 * {@code Result} capturing the {@code Throwable} that was thrown. 326 * 327 * @param <U> The type of the result of the mapping function 328 * @param mapper a mapping function to apply to the value, if present 329 * @return a {@code Result} describing the result of applying the mapping function to the value of 330 * this {@code Result} 331 * @throws NullPointerException if the mapping function is null 332 */ 333 public <U, X extends Throwable> Result<U, X> map(Function<? super T, ? extends U> mapper) { 334 Objects.requireNonNull(mapper); 335 if (value == null) { 336 @SuppressWarnings("unchecked") 337 Result<U, X> r = (Result<U, X>) this; 338 return r; 339 } 340 try { 341 return ok(mapper.apply(value)); 342 } catch (Throwable e) { 343 @SuppressWarnings("unchecked") 344 Result<U, X> r = (Result<U, X>) error(e); 345 return r; 346 } 347 } 348 349 /** 350 * If this result is an error, apply the provided mapping function to the contained error, 351 * otherwise return the {@code Result} itself. 352 * If the application succeed with a value, return a {@code Result} 353 * containing it, if the result is null, return an empty {@code Result}, otherwise return a 354 * {@code Result} capturing the {@code Throwable} that was thrown. 355 * 356 * @param <X> The type of the result of the mapping function 357 * @param mapper a mapping function to apply to the error, if present 358 * @return a {@code Result} describing the result of applying the mapping function to the error of 359 * this {@code Result} 360 * @throws NullPointerException if the mapping function is null 361 */ 362 public <X extends Throwable> Result<T, X> mapError(Function<? super E, ? extends X> mapper) { 363 Objects.requireNonNull(mapper); 364 if (error == null) { 365 @SuppressWarnings("unchecked") 366 Result<T, X> r = (Result<T, X>) this; 367 return r; 368 } 369 try { 370 return error(mapper.apply(error)); 371 } catch (Throwable e) { 372 @SuppressWarnings("unchecked") 373 Result<T, X> r = (Result<T, X>) error(e); 374 return r; 375 } 376 } 377 378 379 380 /** 381 * If a value is present, apply the provided {@code Result}-bearing mapping function to it, 382 * otherwise return the {@code Result} itself. 383 * If the application succeed, return its result, otherwise return a 384 * {@code Result} capturing the {@code Throwable} that was thrown. 385 * 386 * @param <U> The type of the value of the {@code Result} returned by the mapping function 387 * @param mapper a mapping function to apply to the value, if present 388 * @return the result of applying the mapping function to the value of this {@code Result} 389 * @throws NullPointerException if the mapping function is {@code null} or if it returns {@code null} 390 */ 391 public <U, X extends Throwable> Result<U, X> flatMap(Function<? super T, Result<U, X>> mapper) { 392 Objects.requireNonNull(mapper); 393 if (isEmpty() || isError()) { 394 @SuppressWarnings("unchecked") 395 Result<U, X> r = (Result<U, X>) this; 396 return r; 397 } 398 Result<U, X> result; 399 try { 400 result = mapper.apply(value); 401 } catch (Throwable e) { 402 @SuppressWarnings("unchecked") 403 Result<U, X> err = (Result<U, X>) error(e); 404 return err; 405 } 406 return Objects.requireNonNull(result); 407 } 408 409 /** 410 * Golo compatible version of {@code flatMap}. 411 * 412 * See <a href="https://github.com/eclipse/golo-lang/issues/277">issue 277</a> 413 */ 414 public Result<Object, Throwable> flatMap(FunctionReference mapper) { 415 @SuppressWarnings("unchecked") 416 Result<Object, Throwable> result = (Result<Object, Throwable>) flatMap((Function) mapper.to(Function.class)); 417 return result; 418 } 419 420 /** 421 * Remove one level of result. 422 * <p> 423 * This is actually equivalent to {@code flatMap(identity)} 424 * (or {@code r.flatMap(f)} is equivalent to {@code r.map(f).flattened()}) 425 * <p> 426 * For instance: 427 * <pre class="listing"><code class="lang-java" data-lang="java"> 428 * ok(ok(42)).flattened() == ok(42) 429 * fail("error").flattened() == fail("error") 430 * empty().flattened() == empty() 431 * </code></pre> 432 * 433 * @return the value contained in this result if it's a result 434 * @throws ClassCastException when the result does not contain a result. 435 */ 436 public Result<?, ?> flattened() { 437 if (value == null) { 438 return this; 439 } 440 return (Result) value; 441 // } 442 // throw new ClassCastException(String.format("%s cannot be cast to %s", 443 // value.getClass(), Result.class)); 444 } 445 446 /** 447 * Same as {@code map} or {@code flatMap} depending on the type returned by {@code mapper}. 448 * <p> 449 * This is a generic version for {@code map} and {@code flatMap}: 450 * if {@code mapper} returns a {@code Result}, it's equivalent to {@code flatMap}, 451 * otherwise, it's equivalent to {@code map}. 452 * <p> 453 * This allows code such as: 454 * <pre class="listing"><code class="lang-golo" data-lang="golo"> 455 * Ok(21): andThen(|x| -> x + 1): andThen(|x| -> Ok(2 * x)) == Ok(42) 456 * </code></pre> 457 */ 458 public Result<?, ? extends Throwable> andThen(FunctionReference mapper) { 459 Objects.requireNonNull(mapper); 460 if (isEmpty() || isError()) { 461 return this; 462 } 463 Object result; 464 try { 465 result = mapper.invoke(value); 466 } catch (Throwable e) { 467 return error(e); 468 } 469 if (result instanceof Result) { 470 return (Result<?, ?>) result; 471 } 472 else { 473 return ok(result); 474 } 475 } 476 477 /** 478 * Case analysis for the result. 479 * <p> 480 * If the result is a value, apply the first function to it; 481 * if it is an error, apply the second function to it. 482 * <p> 483 * Note that if the result is empty, i.e. the value is {@code null}, 484 * the {@code mapping} function is applied to {@code null}. 485 * 486 * @param mapping the function to apply to the contained value 487 * @param recover the function to apply to the contained error 488 * @return the result of applying the corresponding function 489 */ 490 public Object either(FunctionReference mapping, FunctionReference recover) throws Throwable { 491 if (isError()) { 492 return recover.invoke(error); 493 } 494 return mapping.invoke(value); 495 } 496 497 /** 498 * Three way case analysis for the result. 499 * <p> 500 * If the result is a value, apply the first function to it; 501 * if it is an error, apply the second function to it; 502 * if it is empty, invoke the third function. 503 * 504 * @param mapping the function to apply to the contained value 505 * @param recover the function to apply to the contained error 506 * @param def the function to invoke if the result is empty (takes no arguments) 507 * @return the result of applying the corresponding function 508 */ 509 public Object either(FunctionReference mapping, FunctionReference recover, FunctionReference def) throws Throwable { 510 if (isEmpty()) { 511 return def.invoke(); 512 } 513 return this.either(mapping, recover); 514 } 515 516 /** 517 * Golo compatible version of {@code map}. 518 * 519 * See <a href="https://github.com/eclipse/golo-lang/issues/277">issue 277</a> 520 */ 521 public Result<Object, Throwable> map(FunctionReference mapper) { 522 @SuppressWarnings("unchecked") 523 Result<Object, Throwable> result = (Result<Object, Throwable>) map((Function) mapper.to(Function.class)); 524 return result; 525 } 526 527 /** 528 * If a value is present and matches the given predicate, return a {@code Result} describing the 529 * value, otherwise return an empty {@code Result}. If the {@code Result} is empty or is an error, 530 * return the {@code Result} itself. 531 * 532 * @param predicate a predicate to apply to the value, if present 533 * @return a {@code Result} describing the value of this {@code Result} if it maches the predicate 534 * @throws NullPointerException if the predicate is null 535 */ 536 public Result<T, E> filter(Predicate<? super T> predicate) { 537 Objects.requireNonNull(predicate); 538 if (isEmpty() || isError()) { 539 return this; 540 } 541 return predicate.test(value) ? this : empty(); 542 } 543 544 /** 545 * Reduce {@code this} using {@code func} with {@code init} as initial value. 546 * <p> 547 * For instance: 548 * <pre class="listing"><code class="lang-golo" data-lang="golo"> 549 * Result.ok("b"): reduce("a", |x, y| -> x + y) == "ab" 550 * Result.empty(): reduce(42, |x, y| -> x + y) == 42 551 * Result.fail("error"): reduce(42, |x, y| -> x + y) == 42 552 * </code></pre> 553 * @param init the initial value 554 * @param func the aggregation function 555 * @return the initial value if this is not a value, the aggregated result otherwise 556 */ 557 public Object reduce(Object init, FunctionReference func) throws Throwable { 558 if (value == null) { 559 return init; 560 } 561 return func.invoke(init, value); 562 } 563 564 /** 565 * Apply the function contained is this result to the given result. 566 * <p> 567 * If the function has several parameters, a result containing a partialized version 568 * is returned, that can be `apply`ed to subsequent results. 569 * This makes `Result` an “applicative functor”. 570 */ 571 public Result<?, ?> apply(Result<?, ?> other) throws Throwable { 572 if (!this.isValue()) { 573 return this; 574 } 575 if (!(value instanceof FunctionReference)) { 576 throw new RuntimeException("The result must contain a function to be applied"); 577 } 578 FunctionReference f = (FunctionReference) value; 579 if (f.arity() > 1) { 580 return ok(f.bindTo(other.get())); 581 } 582 return other.map((FunctionReference) value); 583 } 584 585 /** 586 * Conjunctive chaining. 587 * 588 * @param other the other result 589 * @return {@code other} if this result is a value, otherwise {@code this} 590 */ 591 public Result<?, ?> and(Result<?, ?> other) { 592 if (!this.isError()) { 593 return other; 594 } 595 return this; 596 } 597 598 /** 599 * Disjunctive chaining. 600 * 601 * @param other the other result 602 * @return {@code other} if this result is an error, otherwise {@code this} 603 */ 604 public Result<?, ?> or(Result<?, ?> other) { 605 if (this.isError()) { 606 return other; 607 } 608 return this; 609 } 610 611 612 /** 613 * Indicate whether some other object is equal to this {@code Result}. 614 * The other object is considered equal if: 615 * <ul> 616 * <li>it is also a {@code Result} and; 617 * <li>both instances are empty or; 618 * <li>both instances have values that are equal via {@code equals()} or; 619 * <li>both instances are errors of the same type with the same message. 620 * </ul> 621 * 622 * @param o an object to be tested for equality 623 * @return {@code true} if the other object is equal to this object, otherwise {@code false} 624 */ 625 @Override 626 public boolean equals(Object o) { 627 if (o == null) { 628 return false; 629 } 630 if (this == o) { 631 return true; 632 } 633 if (this.getClass() != o.getClass()) { 634 return false; 635 } 636 Result<?, ?> that = (Result<?, ?>) o; 637 return Objects.equals(this.value, that.value) 638 && (Objects.equals(this.error, that.error) 639 || (this.error.getClass() == that.error.getClass() 640 && this.error.getMessage().equals(that.error.getMessage()))); 641 } 642 643 @Override 644 public int hashCode() { 645 if (error == null) { 646 return Objects.hash(value); 647 } 648 return Objects.hash(error.getClass(), error.getMessage()); 649 } 650 651 @Override 652 public String toString() { 653 if (isEmpty()) { 654 return "Result.empty"; 655 } 656 if (isError()) { 657 return String.format("Result.error[%s]", error); 658 } 659 return String.format("Result.value[%s]", value); 660 } 661 662 /** 663 * Return a {@link gololang.Tuple} representing this {@code Result}. 664 * 665 * <p>Return a 2-tuple containing the error and the value contained by this {@code Result}, so 666 * that it can be used in a destructuring golo assignment. The first value is the error, and the 667 * second is the correct value (mnemonic: “right” also means “correct”). For instance: 668 * <pre class="listing"><code class="lang-golo" data-lang="golo"> 669 * let e, v = Result.ok(42) # e is null and v is 42 670 * let e, v = Result.empty() # e is null and v is null 671 * let e, v = Result.fail("error") # e is RuntimeException("error") and v is null 672 * </code></pre> 673 * This allows to deal with error in the same way as Go does for instance. 674 * 675 * @return a 2-tuple containing the error and the value contained by this {@code Result} 676 * @deprecated This method should not be called directly and is no more used by new style destructuring. 677 */ 678 @Deprecated 679 public Tuple destruct() { 680 return new Tuple(error, value); 681 } 682 683 /** 684 * New style destructuring helper. 685 * 686 * <p>Returns a 2-tuple containing the error and the value contained by this {@code Result}, so 687 * that it can be used in a destructuring golo assignment. The first value is the error, and the 688 * second is the correct value (mnemonic: “right” also means “correct”). For instance: 689 * <pre class="listing"><code class="lang-golo" data-lang="golo"> 690 * let e, v = Result.ok(42) # e is null and v is 42 691 * let e, v = Result.empty() # e is null and v is null 692 * let e, v = Result.fail("error") # e is RuntimeException("error") and v is null 693 * </code></pre> 694 * <p>This allows to deal with error in the same way as Go does for instance. 695 * <p>New style destructuring must be exact. The number of variables to be affected is thus checked against the number of 696 * members of the structure. 697 * 698 * <p>The destructuring must be to exactly two values. No remainer syntax is allowed. 699 700 * @param number number of variable that will be affected. 701 * @param substruct whether the destructuring is complete or should contains a sub structure. 702 * @param toSkip a boolean array indicating the elements to skip. 703 * @return an array containing the values to assign. 704 */ 705 public Object[] __$$_destruct(int number, boolean substruct, Object[] toSkip) { 706 if (number == 2 && !substruct) { 707 return new Object[]{error, value}; 708 } 709 throw new InvalidDestructuringException("A Result must destructure to exactly two values"); 710 } 711 712} 713