New update available

openmediavault 4.1.24

  • Fix bug in uploading Debian packages via UI.
  • Issue #417: Exit omv-firstaid and show an error when no network interfaces are detected.
  • Issue #437: Fix bug collecting S.M.A.R.T. data from NVMe’s.

New update available

openmediavault 4.1.23

  • Append ‘source-directory interfaces.d’ to the end of the file /etc/network/interfaces to be able to use already configured interfaces.
  • Do not write IPv6 /etc/hosts entries if IPv6 is disabled.
  • Fix ‘Reset’ button issue in file system quota dialog.
  • Purge quota configuration when file sytem is deleted.
  • Issue #370: Remove weak RSA key lengths.
  • Issue #394: Postfix will resolve SMTP server with IPv6 even if IPv6 is disabled.
  • Issue #396: Prevent mdadm defines no arrays warning message.

concatJoin RxJS operator

Are you searching for a RxJS concat operator that works like forkJoin? Then have a look at the following simple code that will do that for you.

import { concat, EMPTY, Observable } from 'rxjs';

/**
 * Joins last values emitted by passed Observables.
 *
 * `concatJoin` is an operator that takes any number of Observables which
 * can be passed either as an array or directly as arguments. If no input
 * Observables are provided, resulting stream will complete immediately.
 *
 * `concatJoin` will wait for all passed Observables to complete one by
 * one and then it will emit an array with last values from corresponding
 * Observables. So if you pass `n` Observables to the operator, resulting
 * array will have `n` values, where first value is the last thing emitted
 * by the first Observable, second value is the last thing emitted by the
 * second Observable and so on. That means `concatJoin` will not emit more
 * than once and it will complete after that.
 *
 * @param {...Observable} sources Any number of Observables provided either
 * as an array or as an arguments passed directly to the operator.
 * @return {Observable} Observable emitting either an array of last values
 * emitted by passed Observables.
 */
export function concatJoin<T>(...sources: Array<Observable<T> | Observable<T>[]>): Observable<T[]> {
  // If the first and only other argument is an array assume it's been
  // called with `concatJoin([obs1, obs2, obs3])`
  if (sources.length === 1 && Array.isArray(sources[0])) {
    sources = sources[0] as Array<Observable<T>>;
  }

  if (sources.length === 0) {
    return EMPTY;
  }

  return new Observable((subscriber) => {
    const values: Array<T> = [];
    concat(...sources).subscribe(
      (value: T) => {
        values.push(value);
      },
      (err) => {
        subscriber.error(err);
      },
      () => {
        subscriber.next(values);
        subscriber.complete();
      }
    );
  });
}