Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add Publisher.zip #2690

Open
wants to merge 1 commit into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view

Large diffs are not rendered by default.

Original file line number Diff line number Diff line change
@@ -0,0 +1,302 @@
/*
* Copyright © 2023 Apple Inc. and the ServiceTalk project authors
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package io.servicetalk.concurrent.api;

import io.servicetalk.concurrent.PublisherSource.Subscriber;
import io.servicetalk.concurrent.PublisherSource.Subscription;
import io.servicetalk.concurrent.api.SingleZipper.ZipArg;
import io.servicetalk.concurrent.internal.ConcurrentSubscription;
import io.servicetalk.concurrent.internal.FlowControlUtils;

import java.lang.reflect.Array;
import java.util.ArrayDeque;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
import java.util.Queue;
import java.util.concurrent.atomic.AtomicLongFieldUpdater;
import java.util.function.BiFunction;
import java.util.function.Function;
import javax.annotation.Nullable;

import static io.servicetalk.concurrent.api.Publisher.defer;
import static io.servicetalk.concurrent.api.Publisher.from;
import static io.servicetalk.concurrent.api.SubscriberApiUtils.unwrapNullUnchecked;
import static io.servicetalk.concurrent.api.SubscriberApiUtils.wrapNull;
import static io.servicetalk.concurrent.internal.ConcurrentUtils.calculateSourceRequested;
import static io.servicetalk.concurrent.internal.SubscriberUtils.isRequestNValid;
import static java.util.Objects.requireNonNull;
import static java.util.function.Function.identity;

final class PublisherZipper {
static final int ZIP_MAX_CONCURRENCY = 64;

private PublisherZipper() {
}

@SuppressWarnings("unchecked")
static <T1, T2, R> Publisher<R> zip(
boolean delayError, int maxOutstandingDemand, Publisher<? extends T1> p1, Publisher<? extends T2> p2,
BiFunction<? super T1, ? super T2, ? extends R> zipper) {
return zip(delayError, maxOutstandingDemand, objects -> zipper.apply((T1) objects[0], (T2) objects[1]), p1, p2);
}

@SuppressWarnings("unchecked")
static <T1, T2, T3, R> Publisher<R> zip(
boolean delayError, int maxOutstandingDemand, Publisher<? extends T1> p1, Publisher<? extends T2> p2,
Publisher<? extends T3> p3, Function3<? super T1, ? super T2, ? super T3, ? extends R> zipper) {
return zip(delayError, maxOutstandingDemand,
objects -> zipper.apply((T1) objects[0], (T2) objects[1], (T3) objects[2]), p1, p2, p3);
}

@SuppressWarnings("unchecked")
static <T1, T2, T3, T4, R> Publisher<R> zip(
boolean delayError, int maxOutstandingDemand,
Publisher<? extends T1> p1, Publisher<? extends T2> p2, Publisher<? extends T3> p3,
Publisher<? extends T4> p4, Function4<? super T1, ? super T2, ? super T3, ? super T4, ? extends R> zipper) {
return zip(delayError, maxOutstandingDemand,
objects -> zipper.apply((T1) objects[0], (T2) objects[1], (T3) objects[2], (T4) objects[3]),
p1, p2, p3, p4);
}

static <R> Publisher<R> zip(boolean delayError, int maxOutstandingDemand,
Function<? super Object[], ? extends R> zipper, Publisher<?>... publishers) {
if (maxOutstandingDemand <= 0) {
throw new IllegalArgumentException("maxOutstandingDemand: " + maxOutstandingDemand + " (expected>0)");
}
Comment on lines +77 to +79
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

In my minds eye we should return an error if the concurrency exceeds the MAX_CONCURRENCY so it doesn't happen lazily.

return defer(() -> {
// flatMap doesn't require any ordering and so it always optimistically requests from all mapped Publishers
// as long as there is demand from downstream to ensure forward progress is made if some Publishers aren't
// producing. However, for the zip use case we queue all signals internally before applying the zipper, and
// request more from upstream if we don't have a signal from all Publishers. If we let flatMap request
// unrestricted we could end up queuing infinitely from 1 Publisher while none of the others are producing
// (or producing much more slowly) and run out of memory. To prevent this issue we limit upstream demand
// to each Publisher until we can deliver a zipped result downstream which means the zip queues are bounded.
@SuppressWarnings("unchecked")
RequestLimiterSubscriber<ZipArg>[] demandSubscribers = (RequestLimiterSubscriber<ZipArg>[])
Array.newInstance(RequestLimiterSubscriber.class, publishers.length);
@SuppressWarnings("unchecked")
Publisher<ZipArg>[] mappedPublishers = new Publisher[publishers.length];
for (int i = 0; i < publishers.length; ++i) {
final int finalI = i;
mappedPublishers[i] = publishers[i].map(v -> new ZipArg(finalI, v)).liftSync(subscriber -> {
RequestLimiterSubscriber<ZipArg> demandSubscriber =
new RequestLimiterSubscriber<>(subscriber, maxOutstandingDemand);
demandSubscribers[finalI] = demandSubscriber;
return demandSubscriber;
});
}

return (delayError ? from(mappedPublishers)
.flatMapMergeDelayError(identity(), mappedPublishers.length, mappedPublishers.length) :
from(mappedPublishers).flatMapMerge(identity(), mappedPublishers.length))
.liftSync(new ZipPublisherOperator<>(mappedPublishers.length, zipper, demandSubscribers))
.shareContextOnSubscribe();
});
}

private static final class ZipPublisherOperator<R> implements PublisherOperator<ZipArg, R> {
private final int zipperArity;
private final Function<? super Object[], ? extends R> zipper;
private final RequestLimiterSubscriber<?>[] demandSubscribers;

private ZipPublisherOperator(final int zipperArity, final Function<? super Object[], ? extends R> zipper,
final RequestLimiterSubscriber<?>[] demandSubscribers) {
if (zipperArity > 64 || zipperArity <= 0) { // long used as bit mask to check for non-empty queues.
throw new IllegalArgumentException("zipperArity " + zipperArity + "(expected: <64 && >0)");
}
this.zipperArity = zipperArity;
this.zipper = requireNonNull(zipper);
this.demandSubscribers = requireNonNull(demandSubscribers);
}

@Override
public Subscriber<? super ZipArg> apply(final Subscriber<? super R> subscriber) {
return new ZipSubscriber<>(subscriber, zipperArity, zipper, demandSubscribers);
}

private static final class ZipSubscriber<R> implements Subscriber<ZipArg> {
private static final long ALL_NON_EMPTY_MASK = 0xFFFFFFFFFFFFFFFFL;
private final Subscriber<? super R> subscriber;
private final Queue<Object>[] array;
private final Function<? super Object[], ? extends R> zipper;
private final RequestLimiterSubscriber<?>[] demandSubscribers;
private long nonEmptyQueueIndexes;
@Nullable
private Subscription subscription;

@SuppressWarnings("unchecked")
private ZipSubscriber(final Subscriber<? super R> subscriber,
final int zipperArity,
final Function<? super Object[], ? extends R> zipper,
final RequestLimiterSubscriber<?>[] demandSubscribers) {
this.subscriber = subscriber;
array = (Queue<Object>[]) Array.newInstance(Queue.class, zipperArity);
for (int i = 0; i < zipperArity; ++i) {
array[i] = new ArrayDeque<>();
}
this.demandSubscribers = requireNonNull(demandSubscribers);
this.zipper = requireNonNull(zipper);
for (int i = 63; i >= zipperArity; --i) {
nonEmptyQueueIndexes |= (1L << i);
}
Comment on lines +153 to +155
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Alternatively, you could clear the bits from a starting ALL_NON_EMPTY_MASK as you do when polling elements from queues, since the arity will almost always be low single digits.

}

@Override
public void onSubscribe(final Subscription s) {
this.subscription = ConcurrentSubscription.wrap(s);
subscriber.onSubscribe(subscription);
}

@Override
public void onNext(@Nullable final ZipArg zipArg) {
assert zipArg != null;
array[zipArg.index].add(wrapNull(zipArg.value));
nonEmptyQueueIndexes |= 1L << zipArg.index;
if (nonEmptyQueueIndexes == ALL_NON_EMPTY_MASK) {
Object[] zipArray = new Object[array.length];
for (int i = 0; i < array.length; ++i) {
final Queue<Object> arrayQueue = array[i];
final Object queuePoll = arrayQueue.poll();
assert queuePoll != null;
if (arrayQueue.isEmpty()) {
nonEmptyQueueIndexes &= ~(1L << i);
}
zipArray[i] = unwrapNullUnchecked(queuePoll);
// Allow this subscriber to request more if demand is pending.
// Reentry: note that we call out to request more before we dequeued the current set of signals
// which in theory may result in out of order delivery. However, flatMap protects against
// reentry so no need to provide double protection in this method.
demandSubscribers[i].incrementSourceEmitted();
}
subscriber.onNext(zipper.apply(zipArray));
} else {
assert subscription != null;
subscription.request(1);
}
}

@Override
public void onError(final Throwable t) {
subscriber.onError(t);
}

@Override
public void onComplete() {
List<Integer> nonEmptyIndexes = new ArrayList<>();
for (int i = 0; i < array.length; ++i) {
if ((nonEmptyQueueIndexes & (1L << i)) != 0) {
nonEmptyIndexes.add(i);
}
}
if (nonEmptyIndexes.isEmpty()) {
subscriber.onComplete();
} else {
StringBuilder sb = new StringBuilder(20 + 68 + nonEmptyIndexes.size() * 4);
sb.append("Publisher indexes: [");
Iterator<Integer> itr = nonEmptyIndexes.iterator();
sb.append(itr.next()); // safe to call next(), already checked is not empty.
while (itr.hasNext()) {
sb.append(", ").append(itr.next());
}
sb.append("] had onNext signals queued when onComplete terminal signal received");
subscriber.onError(new IllegalStateException(sb.toString()));
}
}
Comment on lines +198 to +218
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I don't think this is the same behavior described in https://reactivex.io/documentation/operators/zip.html. It suggests that its okay to have extra signals emitted and they are simply dropped which is the behavior of most collection zip operators that I've seen. At a minimum, the behavior should be documented so users know they should have publishers of all the same length, which I think could be non-trivial in some cases.

Along these same lines, I don't think this implementation will ever terminate if one of the suppliers is an infinite stream. It seems pretty reasonable to have one source that is an infinite stream an the join it with another finite stream and expect a finite result.

}
}

/**
* Limits the outstanding demand upstream to a positive {@link Integer} value.
* @param <T> The type of data.
*/
private static final class RequestLimiterSubscriber<T> implements Subscriber<T> {
@SuppressWarnings("rawtypes")
private static final AtomicLongFieldUpdater<RequestLimiterSubscriber> sourceEmittedUpdater =
AtomicLongFieldUpdater.newUpdater(RequestLimiterSubscriber.class, "sourceEmitted");
@SuppressWarnings("rawtypes")
private static final AtomicLongFieldUpdater<RequestLimiterSubscriber> sourceRequestedUpdater =
AtomicLongFieldUpdater.newUpdater(RequestLimiterSubscriber.class, "sourceRequested");
@SuppressWarnings("rawtypes")
private static final AtomicLongFieldUpdater<RequestLimiterSubscriber> requestedUpdater =
AtomicLongFieldUpdater.newUpdater(RequestLimiterSubscriber.class, "requested");
private final Subscriber<? super T> subscriber;
private volatile long sourceEmitted;
@SuppressWarnings("unused")
private volatile long sourceRequested;
private volatile long requested;
private final int maxConcurrency;
@Nullable
private Subscription subscription;

RequestLimiterSubscriber(final Subscriber<? super T> subscriber,
final int maxConcurrency) {
this.subscriber = subscriber;
this.maxConcurrency = maxConcurrency;
}

@Override
public void onSubscribe(final Subscription s) {
this.subscription = ConcurrentSubscription.wrap(s);
subscriber.onSubscribe(new Subscription() {
@Override
public void request(final long n) {
if (isRequestNValid(n)) {
requestedUpdater.accumulateAndGet(RequestLimiterSubscriber.this, n,
FlowControlUtils::addWithOverflowProtection);
recalculateDemand();
} else {
subscription.request(n);
}
}

@Override
public void cancel() {
subscription.cancel();
}
});
}

@Override
public void onNext(@Nullable final T t) {
subscriber.onNext(t);
}

@Override
public void onError(final Throwable t) {
subscriber.onError(t);
}

@Override
public void onComplete() {
subscriber.onComplete();
}

void incrementSourceEmitted() {
sourceEmittedUpdater.incrementAndGet(this);
recalculateDemand();
}

private void recalculateDemand() {
final long actualSourceRequestN = calculateSourceRequested(requestedUpdater, sourceRequestedUpdater,
sourceEmittedUpdater, maxConcurrency, this);
if (actualSourceRequestN != 0) {
assert subscription != null;
subscription.request(actualSourceRequestN);
}
}
}
}
Original file line number Diff line number Diff line change
Expand Up @@ -858,7 +858,7 @@ public final Publisher<T> concatPropagateCancel(Publisher<? extends T> next) {
* return zipper.apply(f1.get(), other.get());
* }</pre>
* @param other The other {@link Single} to zip with.
* @param zipper Used to combine the completed results for each item from {@code singles}.
* @param zipper Used to combine the completed results for each item from each {@link Single}.
* @param <T2> The type of {@code other}.
* @param <R> The result type of the zipper.
* @return a new {@link Single} that emits the results of a specified zipper {@link BiFunction} to items emitted by
Expand All @@ -884,7 +884,7 @@ public final <T2, R> Single<R> zipWith(Single<? extends T2> other,
* return zipper.apply(f1.get(), other.get());
* }</pre>
* @param other The other {@link Single} to zip with.
* @param zipper Used to combine the completed results for each item from {@code singles}.
* @param zipper Used to combine the completed results for each item from each {@link Single}.
* @param <T2> The type of {@code other}.
* @param <R> The result type of the zipper.
* @return a new {@link Single} that emits the results of a specified zipper {@link BiFunction} to items emitted by
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -127,12 +127,12 @@ static <R> Single<R> zipDelayError(Function<? super Object[], ? extends R> zippe
}).map(zipper);
}

private static final class ZipArg {
private final int index;
static final class ZipArg {
final int index;
@Nullable
private final Object value;
final Object value;

private ZipArg(final int index, final Object value) {
ZipArg(final int index, final Object value) {
this.index = index;
this.value = value;
}
Expand Down
Loading
Loading