repo
stringclasses
1k values
file_url
stringlengths
96
373
file_path
stringlengths
11
294
content
stringlengths
0
32.8k
language
stringclasses
1 value
license
stringclasses
6 values
commit_sha
stringclasses
1k values
retrieved_at
stringdate
2026-01-04 14:45:56
2026-01-04 18:30:23
truncated
bool
2 classes
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/CacheableRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/CacheableRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.ConcurrentHashMapUtils; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; /** * If you want to provide a router implementation based on design of v2.7.0, please extend from this abstract class. * For 2.6.x style router, please implement and use RouterFactory directly. */ public abstract class CacheableRouterFactory implements RouterFactory { private ConcurrentMap<String, Router> routerMap = new ConcurrentHashMap<>(); @Override public Router getRouter(URL url) { return ConcurrentHashMapUtils.computeIfAbsent(routerMap, url.getServiceKey(), k -> createRouter(url)); } protected abstract Router createRouter(URL url); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Merger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Merger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.extension.SPI; @SPI public interface Merger<T> { T merge(T... items); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Cluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Cluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.extension.Adaptive; import org.apache.dubbo.common.extension.SPI; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.model.ScopeModel; import org.apache.dubbo.rpc.model.ScopeModelUtil; /** * Cluster. (SPI, Singleton, ThreadSafe) * <p> * <a href="http://en.wikipedia.org/wiki/Computer_cluster">Cluster</a> * <a href="http://en.wikipedia.org/wiki/Fault-tolerant_system">Fault-Tolerant</a> * */ @SPI(Cluster.DEFAULT) public interface Cluster { String DEFAULT = "failover"; /** * Merge the directory invokers to a virtual invoker. * * @param <T> * @param directory * @return cluster invoker * @throws RpcException */ @Adaptive <T> Invoker<T> join(Directory<T> directory, boolean buildFilterChain) throws RpcException; static Cluster getCluster(ScopeModel scopeModel, String name) { return getCluster(scopeModel, name, true); } static Cluster getCluster(ScopeModel scopeModel, String name, boolean wrap) { if (StringUtils.isEmpty(name)) { name = Cluster.DEFAULT; } return ScopeModelUtil.getApplicationModel(scopeModel) .getExtensionLoader(Cluster.class) .getExtension(name, wrap); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/RouterChain.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/RouterChain.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.ConfigurationUtils; import org.apache.dubbo.common.constants.LoggerCodeConstants; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotSwitcher; import org.apache.dubbo.rpc.cluster.router.state.BitList; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; import org.apache.dubbo.rpc.cluster.router.state.StateRouterFactory; import org.apache.dubbo.rpc.model.ModuleModel; import org.apache.dubbo.rpc.model.ScopeModelUtil; import java.util.List; import java.util.concurrent.atomic.AtomicReference; import java.util.concurrent.locks.ReadWriteLock; import java.util.concurrent.locks.ReentrantReadWriteLock; import java.util.stream.Collectors; import static org.apache.dubbo.rpc.cluster.Constants.ROUTER_KEY; /** * Router chain */ public class RouterChain<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(RouterChain.class); private volatile SingleRouterChain<T> mainChain; private volatile SingleRouterChain<T> backupChain; private volatile SingleRouterChain<T> currentChain; @SuppressWarnings({"rawtypes", "unchecked"}) public static <T> RouterChain<T> buildChain(Class<T> interfaceClass, URL url) { SingleRouterChain<T> chain1 = buildSingleChain(interfaceClass, url); SingleRouterChain<T> chain2 = buildSingleChain(interfaceClass, url); return new RouterChain<>(new SingleRouterChain[] {chain1, chain2}); } public static <T> SingleRouterChain<T> buildSingleChain(Class<T> interfaceClass, URL url) { ModuleModel moduleModel = url.getOrDefaultModuleModel(); List<RouterFactory> extensionFactories = moduleModel.getExtensionLoader(RouterFactory.class).getActivateExtension(url, ROUTER_KEY); List<Router> routers = extensionFactories.stream() .map(factory -> factory.getRouter(url)) .sorted(Router::compareTo) .collect(Collectors.toList()); List<StateRouter<T>> stateRouters = moduleModel.getExtensionLoader(StateRouterFactory.class).getActivateExtension(url, ROUTER_KEY).stream() .map(factory -> factory.getRouter(interfaceClass, url)) .collect(Collectors.toList()); boolean shouldFailFast = Boolean.parseBoolean( ConfigurationUtils.getProperty(moduleModel, Constants.SHOULD_FAIL_FAST_KEY, "true")); RouterSnapshotSwitcher routerSnapshotSwitcher = ScopeModelUtil.getFrameworkModel(moduleModel).getBeanFactory().getBean(RouterSnapshotSwitcher.class); return new SingleRouterChain<>(routers, stateRouters, shouldFailFast, routerSnapshotSwitcher); } public RouterChain(SingleRouterChain<T>[] chains) { if (chains.length != 2) { throw new IllegalArgumentException("chains' size should be 2."); } this.mainChain = chains[0]; this.backupChain = chains[1]; this.currentChain = this.mainChain; } private final AtomicReference<BitList<Invoker<T>>> notifyingInvokers = new AtomicReference<>(); private final ReadWriteLock lock = new ReentrantReadWriteLock(); public ReadWriteLock getLock() { return lock; } public SingleRouterChain<T> getSingleChain(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { // If current is in: // 1. `setInvokers` is in progress // 2. Most of the invocation should use backup chain => currentChain == backupChain // 3. Main chain has been update success => notifyingInvokers.get() != null // If `availableInvokers` is created from origin invokers => use backup chain // If `availableInvokers` is created from newly invokers => use main chain BitList<Invoker<T>> notifying = notifyingInvokers.get(); if (notifying != null && currentChain == backupChain && availableInvokers.getOriginList() == notifying.getOriginList()) { return mainChain; } return currentChain; } /** * @deprecated use {@link RouterChain#getSingleChain(URL, BitList, Invocation)} and {@link SingleRouterChain#route(URL, BitList, Invocation)} instead */ @Deprecated public List<Invoker<T>> route(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { return getSingleChain(url, availableInvokers, invocation).route(url, availableInvokers, invocation); } /** * Notify router chain of the initial addresses from registry at the first time. * Notify whenever addresses in registry change. */ public synchronized void setInvokers(BitList<Invoker<T>> invokers, Runnable switchAction) { try { // Lock to prevent directory continue list lock.writeLock().lock(); // Switch to back up chain. Will update main chain first. currentChain = backupChain; } finally { // Release lock to minimize the impact for each newly created invocations as much as possible. // Should not release lock until main chain update finished. Or this may cause long hang. lock.writeLock().unlock(); } // Refresh main chain. // No one can request to use main chain. `currentChain` is backup chain. `route` method cannot access main // chain. try { // Lock main chain to wait all invocation end // To wait until no one is using main chain. mainChain.getLock().writeLock().lock(); // refresh mainChain.setInvokers(invokers); } catch (Throwable t) { logger.error(LoggerCodeConstants.INTERNAL_ERROR, "", "", "Error occurred when refreshing router chain.", t); throw t; } finally { // Unlock main chain mainChain.getLock().writeLock().unlock(); } // Set the reference of newly invokers to temp variable. // Reason: The next step will switch the invokers reference in directory, so we should check the // `availableInvokers` // argument when `route`. If the current invocation use newly invokers, we should use main chain to // route, and // this can prevent use newly invokers to route backup chain, which can only route origin invokers now. notifyingInvokers.set(invokers); // Switch the invokers reference in directory. // Cannot switch before update main chain or after backup chain update success. Or that will cause state // inconsistent. switchAction.run(); try { // Lock to prevent directory continue list // The invokers reference in directory now should be the newly one and should always use the newly one once // lock released. lock.writeLock().lock(); // Switch to main chain. Will update backup chain later. currentChain = mainChain; // Clean up temp variable. // `availableInvokers` check is useless now, because `route` method will no longer receive any // `availableInvokers` related // with the origin invokers. The getter of invokers reference in directory is locked now, and will return // newly invokers // once lock released. notifyingInvokers.set(null); } finally { // Release lock to minimize the impact for each newly created invocations as much as possible. // Will use newly invokers and main chain now. lock.writeLock().unlock(); } // Refresh main chain. // No one can request to use main chain. `currentChain` is main chain. `route` method cannot access backup // chain. try { // Lock main chain to wait all invocation end backupChain.getLock().writeLock().lock(); // refresh backupChain.setInvokers(invokers); } catch (Throwable t) { logger.error(LoggerCodeConstants.INTERNAL_ERROR, "", "", "Error occurred when refreshing router chain.", t); throw t; } finally { // Unlock backup chain backupChain.getLock().writeLock().unlock(); } } public synchronized void destroy() { // 1. destroy another backupChain.destroy(); // 2. switch lock.writeLock().lock(); currentChain = backupChain; lock.writeLock().unlock(); // 4. destroy mainChain.destroy(); } public void addRouters(List<Router> routers) { mainChain.addRouters(routers); backupChain.addRouters(routers); } public SingleRouterChain<T> getCurrentChain() { return currentChain; } public List<Router> getRouters() { return currentChain.getRouters(); } public StateRouter<T> getHeadStateRouter() { return currentChain.getHeadStateRouter(); } @Deprecated public List<StateRouter<T>> getStateRouters() { return currentChain.getStateRouters(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/ClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/ClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.Invoker; /** * This is the final Invoker type referenced by the RPC proxy on Consumer side. * <p> * A ClusterInvoker holds a group of normal invokers, stored in a Directory, mapping to one Registry. * The ClusterInvoker implementation usually provides LB or HA policies, like FailoverClusterInvoker. * <p> * In multi-registry subscription scenario, the final ClusterInvoker will refer to several sub ClusterInvokers, with each * sub ClusterInvoker representing one Registry. Take ZoneAwareClusterInvoker as an example, it is specially customized for * multi-registry use cases: first, pick up one ClusterInvoker, then do LB inside the chose ClusterInvoker. * * @param <T> */ public interface ClusterInvoker<T> extends Invoker<T> { URL getRegistryUrl(); Directory<T> getDirectory(); boolean isDestroyed(); default boolean isServiceDiscovery() { Directory<T> directory = getDirectory(); if (directory == null) { return false; } return directory.isServiceDiscovery(); } default boolean hasProxyInvokers() { Directory<T> directory = getDirectory(); if (directory == null) { return false; } return !directory.isEmpty(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Constants.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/Constants.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; public interface Constants { String FAIL_BACK_TASKS_KEY = "failbacktasks"; int DEFAULT_FAILBACK_TASKS = 100; int DEFAULT_FORKS = 2; String WEIGHT_KEY = "weight"; int DEFAULT_WEIGHT = 100; String MOCK_PROTOCOL = "mock"; String FORCE_KEY = "force"; String RAW_RULE_KEY = "rawRule"; String VALID_KEY = "valid"; String ENABLED_KEY = "enabled"; String DYNAMIC_KEY = "dynamic"; String SCOPE_KEY = "scope"; String KEY_KEY = "key"; String CONDITIONS_KEY = "conditions"; String AFFINITY_KEY = "affinityAware"; String TAGS_KEY = "tags"; /** * To decide whether to exclude unavailable invoker from the cluster */ String CLUSTER_AVAILABLE_CHECK_KEY = "cluster.availablecheck"; /** * The default value of cluster.availablecheck * * @see #CLUSTER_AVAILABLE_CHECK_KEY */ boolean DEFAULT_CLUSTER_AVAILABLE_CHECK = true; /** * To decide whether to enable sticky strategy for cluster */ String CLUSTER_STICKY_KEY = "sticky"; /** * The default value of sticky * * @see #CLUSTER_STICKY_KEY */ boolean DEFAULT_CLUSTER_STICKY = false; /** * When this attribute appears in invocation's attachment, mock invoker will be used */ String INVOCATION_NEED_MOCK = "invocation.need.mock"; /** * when ROUTER_KEY's value is set to ROUTER_TYPE_CLEAR, RegistryDirectory will clean all current routers */ String ROUTER_TYPE_CLEAR = "clean"; String DEFAULT_SCRIPT_TYPE_KEY = "javascript"; String PRIORITY_KEY = "priority"; String RULE_KEY = "rule"; String TYPE_KEY = "type"; String RUNTIME_KEY = "runtime"; String WARMUP_KEY = "warmup"; int DEFAULT_WARMUP = 10 * 60 * 1000; String CONFIG_VERSION_KEY = "configVersion"; String OVERRIDE_PROVIDERS_KEY = "providerAddresses"; /** * key for router type, for e.g., "script"/"file", corresponding to ScriptRouterFactory.NAME, FileRouterFactory.NAME */ String ROUTER_KEY = "router"; /** * The key name for reference URL in register center */ String REFER_KEY = "refer"; String ATTRIBUTE_KEY = "attribute"; /** * The key name for export URL in register center */ String EXPORT_KEY = "export"; String PEER_KEY = "peer"; String CONSUMER_URL_KEY = "CONSUMER_URL"; /** * prefix of arguments router key */ String ARGUMENTS = "arguments"; String NEED_REEXPORT = "need-reexport"; /** * The key of shortestResponseSlidePeriod */ String SHORTEST_RESPONSE_SLIDE_PERIOD = "shortestResponseSlidePeriod"; String SHOULD_FAIL_FAST_KEY = "dubbo.router.should-fail-fast"; String RULE_VERSION_V27 = "v2.7"; String RULE_VERSION_V30 = "v3.0"; String RULE_VERSION_V31 = "v3.1"; public static final String TRAFFIC_DISABLE_KEY = "trafficDisable"; public static final String RATIO_KEY = "ratio"; public static final int DefaultRouteRatio = 0; public static final int DefaultRouteConditionSubSetWeight = 100; public static final int DefaultRoutePriority = 0; public static final double DefaultAffinityRatio = 0; }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/SingleRouterChain.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/SingleRouterChain.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.Version; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.cluster.router.RouterResult; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotSwitcher; import org.apache.dubbo.rpc.cluster.router.state.BitList; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; import org.apache.dubbo.rpc.cluster.router.state.TailStateRouter; import java.util.ArrayList; import java.util.Collections; import java.util.LinkedList; import java.util.List; import java.util.concurrent.locks.ReadWriteLock; import java.util.concurrent.locks.ReentrantReadWriteLock; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_STOP; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_NO_VALID_PROVIDER; import static org.apache.dubbo.common.constants.LoggerCodeConstants.INTERNAL_ERROR; /** * Router chain */ public class SingleRouterChain<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(SingleRouterChain.class); /** * full list of addresses from registry, classified by method name. */ private volatile BitList<Invoker<T>> invokers = BitList.emptyList(); /** * containing all routers, reconstruct every time 'route://' urls change. */ private volatile List<Router> routers = Collections.emptyList(); /** * Fixed router instances: ConfigConditionRouter, TagRouter, e.g., * the rule for each instance may change but the instance will never delete or recreate. */ private volatile List<Router> builtinRouters = Collections.emptyList(); private volatile StateRouter<T> headStateRouter; private volatile List<StateRouter<T>> stateRouters; /** * Should continue route if current router's result is empty */ private final boolean shouldFailFast; private final RouterSnapshotSwitcher routerSnapshotSwitcher; private final ReadWriteLock lock = new ReentrantReadWriteLock(); public SingleRouterChain( List<Router> routers, List<StateRouter<T>> stateRouters, boolean shouldFailFast, RouterSnapshotSwitcher routerSnapshotSwitcher) { initWithRouters(routers); initWithStateRouters(stateRouters); this.shouldFailFast = shouldFailFast; this.routerSnapshotSwitcher = routerSnapshotSwitcher; } private void initWithStateRouters(List<StateRouter<T>> stateRouters) { StateRouter<T> stateRouter = TailStateRouter.getInstance(); for (int i = stateRouters.size() - 1; i >= 0; i--) { StateRouter<T> nextStateRouter = stateRouters.get(i); nextStateRouter.setNextRouter(stateRouter); stateRouter = nextStateRouter; } this.headStateRouter = stateRouter; this.stateRouters = Collections.unmodifiableList(stateRouters); } /** * the resident routers must being initialized before address notification. * only for ut */ public void initWithRouters(List<Router> builtinRouters) { this.builtinRouters = builtinRouters; this.routers = new LinkedList<>(builtinRouters); } /** * If we use route:// protocol in version before 2.7.0, each URL will generate a Router instance, so we should * keep the routers up to date, that is, each time router URLs changes, we should update the routers list, only * keep the builtinRouters which are available all the time and the latest notified routers which are generated * from URLs. * * @param routers routers from 'router://' rules in 2.6.x or before. */ public void addRouters(List<Router> routers) { List<Router> newRouters = new LinkedList<>(); newRouters.addAll(builtinRouters); newRouters.addAll(routers); CollectionUtils.sort(newRouters); this.routers = newRouters; } public List<Router> getRouters() { return routers; } public StateRouter<T> getHeadStateRouter() { return headStateRouter; } public List<Invoker<T>> route(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { if (invokers.getOriginList() != availableInvokers.getOriginList()) { logger.error( INTERNAL_ERROR, "", "Router's invoker size: " + invokers.getOriginList().size() + " Invocation's invoker size: " + availableInvokers.getOriginList().size(), "Reject to route, because the invokers has changed."); throw new IllegalStateException("reject to route, because the invokers has changed."); } if (RpcContext.getServiceContext().isNeedPrintRouterSnapshot()) { return routeAndPrint(url, availableInvokers, invocation); } else { return simpleRoute(url, availableInvokers, invocation); } } public List<Invoker<T>> routeAndPrint(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { RouterSnapshotNode<T> snapshot = buildRouterSnapshot(url, availableInvokers, invocation); logRouterSnapshot(url, invocation, snapshot); return snapshot.getChainOutputInvokers(); } public List<Invoker<T>> simpleRoute(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { BitList<Invoker<T>> resultInvokers = availableInvokers.clone(); // 1. route state router resultInvokers = headStateRouter.route(resultInvokers, url, invocation, false, null); if (resultInvokers.isEmpty() && (shouldFailFast || routers.isEmpty())) { printRouterSnapshot(url, availableInvokers, invocation); return BitList.emptyList(); } if (routers.isEmpty()) { return resultInvokers; } List<Invoker<T>> commonRouterResult = resultInvokers.cloneToArrayList(); // 2. route common router for (Router router : routers) { // Copy resultInvokers to a arrayList. BitList not support RouterResult<Invoker<T>> routeResult = router.route(commonRouterResult, url, invocation, false); commonRouterResult = routeResult.getResult(); if (CollectionUtils.isEmpty(commonRouterResult) && shouldFailFast) { printRouterSnapshot(url, availableInvokers, invocation); return BitList.emptyList(); } // stop continue routing if (!routeResult.isNeedContinueRoute()) { return commonRouterResult; } } if (commonRouterResult.isEmpty()) { printRouterSnapshot(url, availableInvokers, invocation); return BitList.emptyList(); } return commonRouterResult; } /** * store each router's input and output, log out if empty */ private void printRouterSnapshot(URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { if (logger.isWarnEnabled()) { logRouterSnapshot(url, invocation, buildRouterSnapshot(url, availableInvokers, invocation)); } } /** * Build each router's result */ public RouterSnapshotNode<T> buildRouterSnapshot( URL url, BitList<Invoker<T>> availableInvokers, Invocation invocation) { BitList<Invoker<T>> resultInvokers = availableInvokers.clone(); RouterSnapshotNode<T> parentNode = new RouterSnapshotNode<>("Parent", resultInvokers.clone()); parentNode.setNodeOutputInvokers(resultInvokers.clone()); // 1. route state router Holder<RouterSnapshotNode<T>> nodeHolder = new Holder<>(); nodeHolder.set(parentNode); resultInvokers = headStateRouter.route(resultInvokers, url, invocation, true, nodeHolder); // result is empty, log out if (routers.isEmpty() || (resultInvokers.isEmpty() && shouldFailFast)) { parentNode.setChainOutputInvokers(resultInvokers.clone()); return parentNode; } RouterSnapshotNode<T> commonRouterNode = new RouterSnapshotNode<>("CommonRouter", resultInvokers.clone()); parentNode.appendNode(commonRouterNode); List<Invoker<T>> commonRouterResult = resultInvokers; // 2. route common router for (Router router : routers) { // Copy resultInvokers to a arrayList. BitList not support List<Invoker<T>> inputInvokers = new ArrayList<>(commonRouterResult); RouterSnapshotNode<T> currentNode = new RouterSnapshotNode<>(router.getClass().getSimpleName(), inputInvokers); // append to router node chain commonRouterNode.appendNode(currentNode); commonRouterNode = currentNode; RouterResult<Invoker<T>> routeStateResult = router.route(inputInvokers, url, invocation, true); List<Invoker<T>> routeResult = routeStateResult.getResult(); String routerMessage = routeStateResult.getMessage(); currentNode.setNodeOutputInvokers(routeResult); currentNode.setRouterMessage(routerMessage); commonRouterResult = routeResult; // result is empty, log out if (CollectionUtils.isEmpty(routeResult) && shouldFailFast) { break; } if (!routeStateResult.isNeedContinueRoute()) { break; } } commonRouterNode.setChainOutputInvokers(commonRouterNode.getNodeOutputInvokers()); // 3. set router chain output reverse RouterSnapshotNode<T> currentNode = commonRouterNode; while (currentNode != null) { RouterSnapshotNode<T> parent = currentNode.getParentNode(); if (parent != null) { // common router only has one child invoke parent.setChainOutputInvokers(currentNode.getChainOutputInvokers()); } currentNode = parent; } return parentNode; } private void logRouterSnapshot(URL url, Invocation invocation, RouterSnapshotNode<T> snapshotNode) { if (snapshotNode.getChainOutputInvokers() == null || snapshotNode.getChainOutputInvokers().isEmpty()) { if (logger.isWarnEnabled()) { String message = "No provider available after route for the service " + url.getServiceKey() + " from registry " + url.getAddress() + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + ". Router snapshot is below: \n" + snapshotNode.toString(); if (routerSnapshotSwitcher.isEnable()) { routerSnapshotSwitcher.setSnapshot(message); } logger.warn( CLUSTER_NO_VALID_PROVIDER, "No provider available after route for the service", "", message); } } else { if (logger.isInfoEnabled()) { String message = "Router snapshot service " + url.getServiceKey() + " from registry " + url.getAddress() + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + " is below: \n" + snapshotNode.toString(); if (routerSnapshotSwitcher.isEnable()) { routerSnapshotSwitcher.setSnapshot(message); } logger.info(message); } } } /** * Notify router chain of the initial addresses from registry at the first time. * Notify whenever addresses in registry change. */ public void setInvokers(BitList<Invoker<T>> invokers) { this.invokers = (invokers == null ? BitList.emptyList() : invokers); routers.forEach(router -> router.notify(this.invokers)); stateRouters.forEach(router -> router.notify(this.invokers)); } /** * for uts only */ @Deprecated public void setHeadStateRouter(StateRouter<T> headStateRouter) { this.headStateRouter = headStateRouter; } /** * for uts only */ @Deprecated public List<StateRouter<T>> getStateRouters() { return stateRouters; } public ReadWriteLock getLock() { return lock; } public void destroy() { invokers = BitList.emptyList(); for (Router router : routers) { try { router.stop(); } catch (Exception e) { logger.error( CLUSTER_FAILED_STOP, "route stop failed", "", "Error trying to stop router " + router.getClass(), e); } } routers = Collections.emptyList(); builtinRouters = Collections.emptyList(); for (StateRouter<T> router : stateRouters) { try { router.stop(); } catch (Exception e) { logger.error( CLUSTER_FAILED_STOP, "StateRouter stop failed", "", "Error trying to stop StateRouter " + router.getClass(), e); } } stateRouters = Collections.emptyList(); headStateRouter = TailStateRouter.getInstance(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/ProviderURLMergeProcessor.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/ProviderURLMergeProcessor.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.SPI; import java.util.Map; @SPI("default") public interface ProviderURLMergeProcessor { /** * Merging the URL parameters of provider and consumer * * @param remoteUrl providerUrl * @param localParametersMap consumer url parameters * @return */ URL mergeUrl(URL remoteUrl, Map<String, String> localParametersMap); default Map<String, String> mergeLocalParams(Map<String, String> localMap) { return localMap; } default boolean accept(URL providerUrl, Map<String, String> localParametersMap) { return true; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ClusterUtils.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ClusterUtils.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.cluster.ProviderURLMergeProcessor; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.model.ScopeModelAware; import java.util.Map; import static org.apache.dubbo.common.constants.CommonConstants.URL_MERGE_PROCESSOR_KEY; public class ClusterUtils implements ScopeModelAware { private ApplicationModel applicationModel; @Override public void setApplicationModel(ApplicationModel applicationModel) { this.applicationModel = applicationModel; } public URL mergeUrl(URL remoteUrl, Map<String, String> localMap) { String ump = localMap.get(URL_MERGE_PROCESSOR_KEY); ProviderURLMergeProcessor providerUrlMergeProcessor; if (StringUtils.isNotEmpty(ump)) { providerUrlMergeProcessor = applicationModel .getExtensionLoader(ProviderURLMergeProcessor.class) .getExtension(ump); } else { providerUrlMergeProcessor = applicationModel .getExtensionLoader(ProviderURLMergeProcessor.class) .getExtension("default"); } return providerUrlMergeProcessor.mergeUrl(remoteUrl, localMap); } public Map<String, String> mergeLocalParams(Map<String, String> localMap) { String ump = localMap.get(URL_MERGE_PROCESSOR_KEY); ProviderURLMergeProcessor providerUrlMergeProcessor; if (StringUtils.isNotEmpty(ump)) { providerUrlMergeProcessor = applicationModel .getExtensionLoader(ProviderURLMergeProcessor.class) .getExtension(ump); } else { providerUrlMergeProcessor = applicationModel .getExtensionLoader(ProviderURLMergeProcessor.class) .getExtension("default"); } return providerUrlMergeProcessor.mergeLocalParams(localMap); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AvailableCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AvailableCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * AvailableCluster * */ public class AvailableCluster extends AbstractCluster { public static final String NAME = "available"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new AvailableClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/MergeableCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/MergeableCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; public class MergeableCluster extends AbstractCluster { public static final String NAME = "mergeable"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new MergeableClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AvailableClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AvailableClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import java.util.List; /** * AvailableClusterInvoker * */ public class AvailableClusterInvoker<T> extends AbstractClusterInvoker<T> { public AvailableClusterInvoker(Directory<T> directory) { super(directory); } @Override public Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { for (Invoker<T> invoker : invokers) { if (invoker.isAvailable()) { return invokeWithContext(invoker, invocation); } } throw new RpcException("No provider available in " + invokers); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/BroadcastCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/BroadcastCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * BroadcastCluster * */ public class BroadcastCluster extends AbstractCluster { @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new BroadcastClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailfastClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailfastClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.Version; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; /** * Execute exactly once, which means this policy will throw an exception immediately in case of an invocation error. * Usually used for non-idempotent write operations * * <a href="http://en.wikipedia.org/wiki/Fail-fast">Fail-fast</a> */ public class FailfastClusterInvoker<T> extends AbstractClusterInvoker<T> { public FailfastClusterInvoker(Directory<T> directory) { super(directory); } @Override public Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { Invoker<T> invoker = select(loadbalance, invocation, invokers, null); try { return invokeWithContext(invoker, invocation); } catch (Throwable e) { if (e instanceof RpcException && ((RpcException) e).isBiz()) { // biz exception. throw (RpcException) e; } throw new RpcException( e instanceof RpcException ? ((RpcException) e).getCode() : 0, "Failfast invoke providers " + invoker.getUrl() + " " + loadbalance.getClass().getSimpleName() + " for service " + getInterface().getName() + " method " + RpcUtils.getMethodName(invocation) + " on consumer " + NetUtils.getLocalHost() + " use dubbo version " + Version.getVersion() + ", but no luck to perform the invocation. Last error is: " + e.getMessage(), e.getCause() != null ? e.getCause() : e); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailfastCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailfastCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * {@link FailfastClusterInvoker} * */ public class FailfastCluster extends AbstractCluster { public static final String NAME = "failfast"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new FailfastClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailoverClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailoverClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.Version; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import java.util.Set; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_RETRIES; import static org.apache.dubbo.common.constants.CommonConstants.RETRIES_KEY; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_MULTIPLE_RETRIES; /** * When invoke fails, log the initial error and retry other invokers (retry n times, which means at most n different invokers will be invoked) * Note that retry causes latency. * <p> * <a href="http://en.wikipedia.org/wiki/Failover">Failover</a> * */ public class FailoverClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(FailoverClusterInvoker.class); public FailoverClusterInvoker(Directory<T> directory) { super(directory); } @Override @SuppressWarnings({"unchecked", "rawtypes"}) public Result doInvoke(Invocation invocation, final List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { List<Invoker<T>> copyInvokers = invokers; String methodName = RpcUtils.getMethodName(invocation); int len = calculateInvokeTimes(methodName); // retry loop. RpcException le = null; // last exception. List<Invoker<T>> invoked = new ArrayList<>(copyInvokers.size()); // invoked invokers. Set<String> providers = new HashSet<>(len); for (int i = 0; i < len; i++) { // Reselect before retry to avoid a change of candidate `invokers`. // NOTE: if `invokers` changed, then `invoked` also lose accuracy. if (i > 0) { checkWhetherDestroyed(); copyInvokers = list(invocation); // check again checkInvokers(copyInvokers, invocation); } Invoker<T> invoker = select(loadbalance, invocation, copyInvokers, invoked); invoked.add(invoker); RpcContext.getServiceContext().setInvokers((List) invoked); boolean success = false; try { Result result = invokeWithContext(invoker, invocation); if (le != null && logger.isWarnEnabled()) { logger.warn( CLUSTER_FAILED_MULTIPLE_RETRIES, "failed to retry do invoke", "", "Although retry the method " + methodName + " in the service " + getInterface().getName() + " was successful by the provider " + invoker.getUrl().getAddress() + ", but there have been failed providers " + providers + " (" + providers.size() + "/" + copyInvokers.size() + ") from the registry " + directory.getUrl().getAddress() + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + ". Last error is: " + le.getMessage(), le); } success = true; return result; } catch (RpcException e) { if (e.isBiz()) { // biz exception. throw e; } le = e; } catch (Throwable e) { le = new RpcException(e.getMessage(), e); } finally { if (!success) { providers.add(invoker.getUrl().getAddress()); } } } throw new RpcException( le.getCode(), "Failed to invoke the method " + methodName + " in the service " + getInterface().getName() + ". Tried " + len + " times of the providers " + providers + " (" + providers.size() + "/" + copyInvokers.size() + ") from the registry " + directory.getUrl().getAddress() + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + ". Last error is: " + le.getMessage(), le.getCause() != null ? le.getCause() : le); } private int calculateInvokeTimes(String methodName) { int len = getUrl().getMethodParameter(methodName, RETRIES_KEY, DEFAULT_RETRIES) + 1; RpcContext rpcContext = RpcContext.getClientAttachment(); Object retry = rpcContext.getObjectAttachment(RETRIES_KEY); if (retry instanceof Number) { len = ((Number) retry).intValue() + 1; rpcContext.removeAttachment(RETRIES_KEY); } if (len <= 0) { len = 1; } return len; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AbstractClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/AbstractClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.Version; import org.apache.dubbo.common.config.Configuration; import org.apache.dubbo.common.config.ConfigurationUtils; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.profiler.ProfilerSwitch; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.InvocationProfilerUtils; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.RpcServiceContext; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.model.ScopeModelUtil; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.ArrayList; import java.util.List; import java.util.concurrent.ThreadLocalRandom; import java.util.concurrent.atomic.AtomicBoolean; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_LOADBALANCE; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_RESELECT_COUNT; import static org.apache.dubbo.common.constants.CommonConstants.ENABLE_CONNECTIVITY_VALIDATION; import static org.apache.dubbo.common.constants.CommonConstants.LOADBALANCE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.RESELECT_COUNT; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_RESELECT_INVOKERS; import static org.apache.dubbo.rpc.cluster.Constants.CLUSTER_AVAILABLE_CHECK_KEY; import static org.apache.dubbo.rpc.cluster.Constants.CLUSTER_STICKY_KEY; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_CLUSTER_AVAILABLE_CHECK; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_CLUSTER_STICKY; /** * AbstractClusterInvoker */ public abstract class AbstractClusterInvoker<T> implements ClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(AbstractClusterInvoker.class); protected Directory<T> directory; protected boolean availableCheck; private volatile int reselectCount = DEFAULT_RESELECT_COUNT; private volatile boolean enableConnectivityValidation = true; private final AtomicBoolean destroyed = new AtomicBoolean(false); private volatile Invoker<T> stickyInvoker = null; public AbstractClusterInvoker() {} public AbstractClusterInvoker(Directory<T> directory) { this(directory, directory.getUrl()); } public AbstractClusterInvoker(Directory<T> directory, URL url) { if (directory == null) { throw new IllegalArgumentException("service directory == null"); } this.directory = directory; // sticky: invoker.isAvailable() should always be checked before using when availablecheck is true. this.availableCheck = url.getParameter(CLUSTER_AVAILABLE_CHECK_KEY, DEFAULT_CLUSTER_AVAILABLE_CHECK); Configuration configuration = ConfigurationUtils.getGlobalConfiguration(url.getOrDefaultModuleModel()); this.reselectCount = configuration.getInt(RESELECT_COUNT, DEFAULT_RESELECT_COUNT); this.enableConnectivityValidation = configuration.getBoolean(ENABLE_CONNECTIVITY_VALIDATION, true); } @Override public Class<T> getInterface() { return getDirectory().getInterface(); } @Override public URL getUrl() { return getDirectory().getConsumerUrl(); } @Override public URL getRegistryUrl() { return getDirectory().getUrl(); } @Override public boolean isAvailable() { Invoker<T> invoker = stickyInvoker; if (invoker != null) { return invoker.isAvailable(); } return getDirectory().isAvailable(); } @Override public Directory<T> getDirectory() { return directory; } @Override public void destroy() { if (destroyed.compareAndSet(false, true)) { getDirectory().destroy(); } } @Override public boolean isDestroyed() { return destroyed.get(); } /** * Select a invoker using loadbalance policy.</br> * a) Firstly, select an invoker using loadbalance. If this invoker is in previously selected list, or, * if this invoker is unavailable, then continue step b (reselect), otherwise return the first selected invoker</br> * <p> * b) Reselection, the validation rule for reselection: selected > available. This rule guarantees that * the selected invoker has the minimum chance to be one in the previously selected list, and also * guarantees this invoker is available. * * @param loadbalance load balance policy * @param invocation invocation * @param invokers invoker candidates * @param selected exclude selected invokers or not * @return the invoker which will final to do invoke. * @throws RpcException exception */ protected Invoker<T> select( LoadBalance loadbalance, Invocation invocation, List<Invoker<T>> invokers, List<Invoker<T>> selected) throws RpcException { if (CollectionUtils.isEmpty(invokers)) { return null; } String methodName = invocation == null ? StringUtils.EMPTY_STRING : RpcUtils.getMethodName(invocation); boolean sticky = invokers.get(0).getUrl().getMethodParameter(methodName, CLUSTER_STICKY_KEY, DEFAULT_CLUSTER_STICKY); // ignore overloaded method if (stickyInvoker != null && !invokers.contains(stickyInvoker)) { stickyInvoker = null; } // ignore concurrency problem if (sticky && stickyInvoker != null && (selected == null || !selected.contains(stickyInvoker))) { if (availableCheck && stickyInvoker.isAvailable()) { return stickyInvoker; } } Invoker<T> invoker = doSelect(loadbalance, invocation, invokers, selected); if (sticky) { stickyInvoker = invoker; } return invoker; } private Invoker<T> doSelect( LoadBalance loadbalance, Invocation invocation, List<Invoker<T>> invokers, List<Invoker<T>> selected) throws RpcException { if (CollectionUtils.isEmpty(invokers)) { return null; } if (invokers.size() == 1) { Invoker<T> tInvoker = invokers.get(0); checkShouldInvalidateInvoker(tInvoker); return tInvoker; } Invoker<T> invoker = loadbalance.select(invokers, getUrl(), invocation); // If the `invoker` is in the `selected` or invoker is unavailable && availablecheck is true, reselect. boolean isSelected = selected != null && selected.contains(invoker); boolean isUnavailable = availableCheck && !invoker.isAvailable() && getUrl() != null; if (isUnavailable) { invalidateInvoker(invoker); } if (isSelected || isUnavailable) { try { Invoker<T> rInvoker = reselect(loadbalance, invocation, invokers, selected, availableCheck); if (rInvoker != null) { invoker = rInvoker; } else { // Check the index of current selected invoker, if it's not the last one, choose the one at index+1. int index = invokers.indexOf(invoker); try { // Avoid collision invoker = invokers.get((index + 1) % invokers.size()); } catch (Exception e) { logger.warn( CLUSTER_FAILED_RESELECT_INVOKERS, "select invokers exception", "", e.getMessage() + " may because invokers list dynamic change, ignore.", e); } } } catch (Throwable t) { logger.error( CLUSTER_FAILED_RESELECT_INVOKERS, "failed to reselect invokers", "", "cluster reselect fail reason is :" + t.getMessage() + " if can not solve, you can set cluster.availablecheck=false in url", t); } } return invoker; } /** * Reselect, use invokers not in `selected` first, if all invokers are in `selected`, * just pick an available one using loadbalance policy. * * @param loadbalance load balance policy * @param invocation invocation * @param invokers invoker candidates * @param selected exclude selected invokers or not * @param availableCheck check invoker available if true * @return the reselect result to do invoke * @throws RpcException exception */ private Invoker<T> reselect( LoadBalance loadbalance, Invocation invocation, List<Invoker<T>> invokers, List<Invoker<T>> selected, boolean availableCheck) throws RpcException { // Allocating one in advance, this list is certain to be used. List<Invoker<T>> reselectInvokers = new ArrayList<>(Math.min(invokers.size(), reselectCount)); // 1. Try picking some invokers not in `selected`. // 1.1. If all selectable invokers' size is smaller than reselectCount, just add all // 1.2. If all selectable invokers' size is greater than reselectCount, randomly select reselectCount. // The result size of invokers might smaller than reselectCount due to disAvailable or de-duplication // (might be zero). // This means there is probable that reselectInvokers is empty however all invoker list may contain // available invokers. // Use reselectCount can reduce retry times if invokers' size is huge, which may lead to long time // hang up. if (reselectCount >= invokers.size()) { for (Invoker<T> invoker : invokers) { // check if available if (availableCheck && !invoker.isAvailable()) { // add to invalidate invoker invalidateInvoker(invoker); continue; } if (selected == null || !selected.contains(invoker)) { reselectInvokers.add(invoker); } } } else { for (int i = 0; i < reselectCount; i++) { // select one randomly Invoker<T> invoker = invokers.get(ThreadLocalRandom.current().nextInt(invokers.size())); // check if available if (availableCheck && !invoker.isAvailable()) { // add to invalidate invoker invalidateInvoker(invoker); continue; } // de-duplication if (selected == null || !selected.contains(invoker) || !reselectInvokers.contains(invoker)) { reselectInvokers.add(invoker); } } } // 2. Use loadBalance to select one (all the reselectInvokers are available) if (!reselectInvokers.isEmpty()) { return loadbalance.select(reselectInvokers, getUrl(), invocation); } // 3. reselectInvokers is empty. Unable to find at least one available invoker. // Re-check all the selected invokers. If some in the selected list are available, add to reselectInvokers. if (selected != null) { for (Invoker<T> invoker : selected) { if ((invoker.isAvailable()) // available first && !reselectInvokers.contains(invoker)) { reselectInvokers.add(invoker); } } } // 4. If reselectInvokers is not empty after re-check. // Pick an available invoker using loadBalance policy if (!reselectInvokers.isEmpty()) { return loadbalance.select(reselectInvokers, getUrl(), invocation); } // 5. No invoker match, return null. return null; } private void checkShouldInvalidateInvoker(Invoker<T> invoker) { if (availableCheck && !invoker.isAvailable()) { invalidateInvoker(invoker); } } private void invalidateInvoker(Invoker<T> invoker) { if (enableConnectivityValidation) { if (getDirectory() != null) { getDirectory().addInvalidateInvoker(invoker); } } } @Override public Result invoke(final Invocation invocation) throws RpcException { checkWhetherDestroyed(); // binding attachments into invocation. // Map<String, Object> contextAttachments = RpcContext.getClientAttachment().getObjectAttachments(); // if (contextAttachments != null && contextAttachments.size() != 0) { // ((RpcInvocation) invocation).addObjectAttachmentsIfAbsent(contextAttachments); // } InvocationProfilerUtils.enterDetailProfiler(invocation, () -> "Router route."); List<Invoker<T>> invokers = list(invocation); InvocationProfilerUtils.releaseDetailProfiler(invocation); checkInvokers(invokers, invocation); LoadBalance loadbalance = initLoadBalance(invokers, invocation); RpcUtils.attachInvocationIdIfAsync(getUrl(), invocation); InvocationProfilerUtils.enterDetailProfiler( invocation, () -> "Cluster " + this.getClass().getName() + " invoke."); try { return doInvoke(invocation, invokers, loadbalance); } finally { InvocationProfilerUtils.releaseDetailProfiler(invocation); } } protected void checkWhetherDestroyed() { if (destroyed.get()) { throw new RpcException( "Rpc cluster invoker for " + getInterface() + " on consumer " + NetUtils.getLocalHost() + " use dubbo version " + Version.getVersion() + " is now destroyed! Can not invoke any more."); } } @Override public String toString() { return getInterface() + " -> " + getUrl().toString(); } protected void checkInvokers(List<Invoker<T>> invokers, Invocation invocation) { if (CollectionUtils.isEmpty(invokers)) { throw new RpcException( RpcException.NO_INVOKER_AVAILABLE_AFTER_FILTER, "Failed to invoke the method " + RpcUtils.getMethodName(invocation) + " in the service " + getInterface().getName() + ". No provider available for the service " + getDirectory().getConsumerUrl().getServiceKey() + " from registry " + getDirectory() + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + ". Please check if the providers have been started and registered."); } } protected Result invokeWithContext(Invoker<T> invoker, Invocation invocation) { Invoker<T> originInvoker = setContext(invoker); Result result; try { if (ProfilerSwitch.isEnableSimpleProfiler()) { InvocationProfilerUtils.enterProfiler( invocation, "Invoker invoke. Target Address: " + invoker.getUrl().getAddress()); } setRemote(invoker, invocation); result = invoker.invoke(invocation); } finally { clearContext(originInvoker); InvocationProfilerUtils.releaseSimpleProfiler(invocation); } return result; } /** * Set the remoteAddress and remoteApplicationName so that filter can get them. * */ private void setRemote(Invoker<?> invoker, Invocation invocation) { invocation.addInvokedInvoker(invoker); RpcServiceContext serviceContext = RpcContext.getServiceContext(); serviceContext.setRemoteAddress(invoker.getUrl().toInetSocketAddress()); serviceContext.setRemoteApplicationName(invoker.getUrl().getRemoteApplication()); } /** * When using a thread pool to fork a child thread, ThreadLocal cannot be passed. * In this scenario, please use the invokeWithContextAsync method. * * @return */ protected Result invokeWithContextAsync(Invoker<T> invoker, Invocation invocation, URL consumerUrl) { Invoker<T> originInvoker = setContext(invoker, consumerUrl); Result result; try { result = invoker.invoke(invocation); } finally { clearContext(originInvoker); } return result; } protected abstract Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException; protected List<Invoker<T>> list(Invocation invocation) throws RpcException { return getDirectory().list(invocation); } /** * Init LoadBalance. * <p> * if invokers is not empty, init from the first invoke's url and invocation * if invokes is empty, init a default LoadBalance(RandomLoadBalance) * </p> * * @param invokers invokers * @param invocation invocation * @return LoadBalance instance. if not need init, return null. */ protected LoadBalance initLoadBalance(List<Invoker<T>> invokers, Invocation invocation) { ApplicationModel applicationModel = ScopeModelUtil.getApplicationModel(invocation.getModuleModel()); if (CollectionUtils.isNotEmpty(invokers)) { return applicationModel .getExtensionLoader(LoadBalance.class) .getExtension(invokers.get(0) .getUrl() .getMethodParameter( RpcUtils.getMethodName(invocation), LOADBALANCE_KEY, DEFAULT_LOADBALANCE)); } else { return applicationModel.getExtensionLoader(LoadBalance.class).getExtension(DEFAULT_LOADBALANCE); } } private Invoker<T> setContext(Invoker<T> invoker) { return setContext(invoker, null); } private Invoker<T> setContext(Invoker<T> invoker, URL consumerUrl) { RpcServiceContext context = RpcContext.getServiceContext(); Invoker<?> originInvoker = context.getInvoker(); context.setInvoker(invoker) .setConsumerUrl( null != consumerUrl ? consumerUrl : RpcContext.getServiceContext().getConsumerUrl()); return (Invoker<T>) originInvoker; } private void clearContext(Invoker<T> invoker) { // do nothing RpcContext context = RpcContext.getServiceContext(); context.setInvoker(invoker); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/MergeableClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/MergeableClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.constants.LoggerCodeConstants; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.ConfigUtils; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.Constants; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.RpcInvocation; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.cluster.Merger; import org.apache.dubbo.rpc.cluster.merger.MergerFactory; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.model.ScopeModelUtil; import java.lang.reflect.Array; import java.lang.reflect.Method; import java.lang.reflect.Modifier; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.concurrent.TimeUnit; import static org.apache.dubbo.rpc.Constants.MERGER_KEY; /** * @param <T> */ @SuppressWarnings("unchecked") public class MergeableClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final ErrorTypeAwareLogger log = LoggerFactory.getErrorTypeAwareLogger(MergeableClusterInvoker.class); public MergeableClusterInvoker(Directory<T> directory) { super(directory); } @Override protected Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { String merger = getUrl().getMethodParameter(invocation.getMethodName(), MERGER_KEY); if (ConfigUtils.isEmpty(merger)) { // If a method doesn't have a merger, only invoke one Group for (final Invoker<T> invoker : invokers) { if (invoker.isAvailable()) { try { return invokeWithContext(invoker, invocation); } catch (RpcException e) { if (e.isNoInvokerAvailableAfterFilter()) { log.debug( "No available provider for service" + getUrl().getServiceKey() + " on group " + invoker.getUrl().getGroup() + ", will continue to try another group.", e); } else { throw e; } } } } return invokeWithContext(invokers.iterator().next(), invocation); } Class<?> returnType; try { returnType = getInterface() .getMethod(invocation.getMethodName(), invocation.getParameterTypes()) .getReturnType(); } catch (NoSuchMethodException e) { returnType = null; } Map<String, Result> results = new HashMap<>(); for (final Invoker<T> invoker : invokers) { RpcInvocation subInvocation = new RpcInvocation(invocation, invoker); subInvocation.setAttachment(Constants.ASYNC_KEY, "true"); try { results.put(invoker.getUrl().getServiceKey(), invokeWithContext(invoker, subInvocation)); } catch (RpcException e) { if (e.isNoInvokerAvailableAfterFilter()) { log.warn( LoggerCodeConstants.CLUSTER_NO_VALID_PROVIDER, e.getCause().getMessage(), "", "No available provider for service" + getUrl().getServiceKey() + " on group " + invoker.getUrl().getGroup() + ", will continue to try another group.", e); } else { throw e; } } } Object result; List<Result> resultList = new ArrayList<>(results.size()); for (Map.Entry<String, Result> entry : results.entrySet()) { Result asyncResult = entry.getValue(); try { Result r = asyncResult.get(Integer.MAX_VALUE, TimeUnit.MILLISECONDS); if (r.hasException()) { log.error( LoggerCodeConstants.CLUSTER_FAILED_GROUP_MERGE, "Invoke " + getGroupDescFromServiceKey(entry.getKey()) + " failed: " + r.getException().getMessage(), "", r.getException().getMessage()); } else { resultList.add(r); } } catch (Exception e) { throw new RpcException("Failed to invoke service " + entry.getKey() + ": " + e.getMessage(), e); } } if (resultList.isEmpty()) { return AsyncRpcResult.newDefaultAsyncResult(invocation); } else if (resultList.size() == 1) { return AsyncRpcResult.newDefaultAsyncResult(resultList.get(0).getValue(), invocation); } if (returnType == void.class) { return AsyncRpcResult.newDefaultAsyncResult(invocation); } if (merger.startsWith(".")) { merger = merger.substring(1); Method method; try { method = returnType.getMethod(merger, returnType); } catch (NoSuchMethodException | NullPointerException e) { throw new RpcException("Can not merge result because missing method [ " + merger + " ] in class [ " + returnType.getName() + " ]"); } if (!Modifier.isPublic(method.getModifiers())) { method.setAccessible(true); } result = resultList.remove(0).getValue(); try { if (method.getReturnType() != void.class && method.getReturnType().isAssignableFrom(result.getClass())) { for (Result r : resultList) { result = method.invoke(result, r.getValue()); } } else { for (Result r : resultList) { method.invoke(result, r.getValue()); } } } catch (Exception e) { throw new RpcException("Can not merge result: " + e.getMessage(), e); } } else { Merger resultMerger; ApplicationModel applicationModel = ScopeModelUtil.getApplicationModel( invocation.getModuleModel().getApplicationModel()); if (ConfigUtils.isDefault(merger)) { resultMerger = applicationModel .getBeanFactory() .getBean(MergerFactory.class) .getMerger(returnType); } else { resultMerger = applicationModel.getExtensionLoader(Merger.class).getExtension(merger); } if (resultMerger != null) { List<Object> rets = new ArrayList<>(resultList.size()); for (Result r : resultList) { rets.add(r.getValue()); } result = resultMerger.merge(rets.toArray((Object[]) Array.newInstance(returnType, 0))); } else { throw new RpcException("There is no merger to merge result."); } } return AsyncRpcResult.newDefaultAsyncResult(result, invocation); } @Override public Class<T> getInterface() { return directory.getInterface(); } @Override public boolean isAvailable() { return directory.isAvailable(); } @Override public void destroy() { directory.destroy(); } private String getGroupDescFromServiceKey(String key) { int index = key.indexOf("/"); if (index > 0) { return "group [ " + key.substring(0, index) + " ]"; } return key; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ForkingCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ForkingCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * {@link ForkingClusterInvoker} * */ public class ForkingCluster extends AbstractCluster { public static final String NAME = "forking"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new ForkingClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailsafeCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailsafeCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * {@link FailsafeClusterInvoker} * */ public class FailsafeCluster extends AbstractCluster { public static final String NAME = "failsafe"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new FailsafeClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/BroadcastClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/BroadcastClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.RpcInvocation; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import java.util.Collections; import java.util.HashMap; import java.util.List; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_ERROR_RESPONSE; /** * BroadcastClusterInvoker */ public class BroadcastClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(BroadcastClusterInvoker.class); private static final String BROADCAST_FAIL_PERCENT_KEY = "broadcast.fail.percent"; private static final int MAX_BROADCAST_FAIL_PERCENT = 100; private static final int MIN_BROADCAST_FAIL_PERCENT = 0; public BroadcastClusterInvoker(Directory<T> directory) { super(directory); } @Override @SuppressWarnings({"unchecked", "rawtypes"}) public Result doInvoke(final Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { RpcContext.getServiceContext().setInvokers((List) invokers); RpcException exception = null; Result result = null; URL url = getUrl(); // The value range of broadcast.fail.threshold must be 0~100. // 100 means that an exception will be thrown last, and 0 means that as long as an exception occurs, it will be // thrown. // see https://github.com/apache/dubbo/pull/7174 int broadcastFailPercent = url.getParameter(BROADCAST_FAIL_PERCENT_KEY, MAX_BROADCAST_FAIL_PERCENT); if (broadcastFailPercent < MIN_BROADCAST_FAIL_PERCENT || broadcastFailPercent > MAX_BROADCAST_FAIL_PERCENT) { logger.info(String.format( "The value corresponding to the broadcast.fail.percent parameter must be between 0 and 100. " + "The current setting is %s, which is reset to 100.", broadcastFailPercent)); broadcastFailPercent = MAX_BROADCAST_FAIL_PERCENT; } int failThresholdIndex = invokers.size() * broadcastFailPercent / MAX_BROADCAST_FAIL_PERCENT; int failIndex = 0; for (int i = 0, invokersSize = invokers.size(); i < invokersSize; i++) { Invoker<T> invoker = invokers.get(i); RpcContext.RestoreContext restoreContext = new RpcContext.RestoreContext(); try { RpcInvocation subInvocation = new RpcInvocation( invocation.getTargetServiceUniqueName(), invocation.getServiceModel(), invocation.getMethodName(), invocation.getServiceName(), invocation.getProtocolServiceKey(), invocation.getParameterTypes(), invocation.getArguments(), invocation.copyObjectAttachments(), invocation.getInvoker(), Collections.synchronizedMap(new HashMap<>(invocation.getAttributes())), invocation instanceof RpcInvocation ? ((RpcInvocation) invocation).getInvokeMode() : null); result = invokeWithContext(invoker, subInvocation); if (null != result && result.hasException()) { Throwable resultException = result.getException(); if (null != resultException) { exception = getRpcException(result.getException()); logger.warn( CLUSTER_ERROR_RESPONSE, "provider return error response", "", exception.getMessage(), exception); failIndex++; if (failIndex == failThresholdIndex) { break; } } } } catch (Throwable e) { exception = getRpcException(e); logger.warn( CLUSTER_ERROR_RESPONSE, "provider return error response", "", exception.getMessage(), exception); failIndex++; if (failIndex == failThresholdIndex) { break; } } finally { if (i != invokersSize - 1) { restoreContext.restore(); } } } if (exception != null) { if (failIndex == failThresholdIndex) { if (logger.isDebugEnabled()) { logger.debug(String.format( "The number of BroadcastCluster call failures has reached the threshold %s", failThresholdIndex)); } } else { if (logger.isDebugEnabled()) { logger.debug(String.format( "The number of BroadcastCluster call failures has not reached the threshold %s, fail size is %s", failThresholdIndex, failIndex)); } } throw exception; } return result; } private RpcException getRpcException(Throwable throwable) { RpcException rpcException; if (throwable instanceof RpcException) { rpcException = (RpcException) throwable; } else { rpcException = new RpcException(throwable.getMessage(), throwable); } return rpcException; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ForkingClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/ForkingClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.threadlocal.NamedInternalThreadFactory; import org.apache.dubbo.common.threadpool.manager.FrameworkExecutorRepository; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import java.util.ArrayList; import java.util.List; import java.util.concurrent.BlockingQueue; import java.util.concurrent.CompletableFuture; import java.util.concurrent.CompletionException; import java.util.concurrent.ExecutorService; import java.util.concurrent.LinkedBlockingQueue; import java.util.concurrent.TimeUnit; import java.util.concurrent.atomic.AtomicInteger; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_TIMEOUT; import static org.apache.dubbo.common.constants.CommonConstants.FORKS_KEY; import static org.apache.dubbo.common.constants.CommonConstants.TIMEOUT_KEY; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_FORKS; /** * NOTICE! This implementation does not work well with async call. * <p> * Invoke a specific number of invokers concurrently, usually used for demanding real-time operations, but need to waste more service resources. * * <a href="http://en.wikipedia.org/wiki/Fork_(topology)">Fork</a> */ public class ForkingClusterInvoker<T> extends AbstractClusterInvoker<T> { /** * Use {@link NamedInternalThreadFactory} to produce {@link org.apache.dubbo.common.threadlocal.InternalThread} * which with the use of {@link org.apache.dubbo.common.threadlocal.InternalThreadLocal} in {@link RpcContext}. */ private final ExecutorService executor; public ForkingClusterInvoker(Directory<T> directory) { super(directory); executor = directory .getUrl() .getOrDefaultFrameworkModel() .getBeanFactory() .getBean(FrameworkExecutorRepository.class) .getSharedExecutor(); } @Override @SuppressWarnings({"unchecked", "rawtypes"}) public Result doInvoke(final Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { try { final List<Invoker<T>> selected; final int forks = getUrl().getParameter(FORKS_KEY, DEFAULT_FORKS); final int timeout = getUrl().getParameter(TIMEOUT_KEY, DEFAULT_TIMEOUT); if (forks <= 0 || forks >= invokers.size()) { selected = invokers; } else { selected = new ArrayList<>(forks); while (selected.size() < forks) { Invoker<T> invoker = select(loadbalance, invocation, invokers, selected); if (!selected.contains(invoker)) { // Avoid add the same invoker several times. selected.add(invoker); } } } RpcContext.getServiceContext().setInvokers((List) selected); final AtomicInteger count = new AtomicInteger(); final BlockingQueue<Object> ref = new LinkedBlockingQueue<>(1); selected.forEach(invoker -> { URL consumerUrl = RpcContext.getServiceContext().getConsumerUrl(); CompletableFuture.<Object>supplyAsync( () -> { if (ref.size() > 0) { return null; } return invokeWithContextAsync(invoker, invocation, consumerUrl); }, executor) .whenComplete((v, t) -> { if (t == null) { ref.offer(v); } else { int value = count.incrementAndGet(); if (value >= selected.size()) { ref.offer(t); } } }); }); try { Object ret = ref.poll(timeout, TimeUnit.MILLISECONDS); if (ret instanceof Throwable) { Throwable e = ret instanceof CompletionException ? ((CompletionException) ret).getCause() : (Throwable) ret; throw new RpcException( e instanceof RpcException ? ((RpcException) e).getCode() : RpcException.UNKNOWN_EXCEPTION, "Failed to forking invoke provider " + selected + ", but no luck to perform the invocation. " + "Last error is: " + e.getMessage(), e.getCause() != null ? e.getCause() : e); } return (Result) ret; } catch (InterruptedException e) { throw new RpcException( "Failed to forking invoke provider " + selected + ", " + "but no luck to perform the invocation. Last error is: " + e.getMessage(), e); } } finally { // clear attachments which is binding to current thread. RpcContext.getClientAttachment().clearAttachments(); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailbackClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailbackClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.timer.HashedWheelTimer; import org.apache.dubbo.common.timer.Timeout; import org.apache.dubbo.common.timer.Timer; import org.apache.dubbo.common.timer.TimerTask; import org.apache.dubbo.common.utils.NamedThreadFactory; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.Collections; import java.util.List; import java.util.concurrent.TimeUnit; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_FAILBACK_TIMES; import static org.apache.dubbo.common.constants.CommonConstants.RETRIES_KEY; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_INVOKE_SERVICE; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_TIMER_RETRY_FAILED; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_FAILBACK_TASKS; import static org.apache.dubbo.rpc.cluster.Constants.FAIL_BACK_TASKS_KEY; /** * When fails, record failure requests and schedule for retry on a regular interval. * Especially useful for services of notification. * * <a href="http://en.wikipedia.org/wiki/Failback">Failback</a> */ public class FailbackClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(FailbackClusterInvoker.class); private static final long RETRY_FAILED_PERIOD = 5; /** * Number of retries obtained from the configuration, don't contain the first invoke. */ private final int retries; private final int failbackTasks; private volatile Timer failTimer; public FailbackClusterInvoker(Directory<T> directory) { super(directory); int retriesConfig = getUrl().getParameter(RETRIES_KEY, DEFAULT_FAILBACK_TIMES); if (retriesConfig < 0) { retriesConfig = DEFAULT_FAILBACK_TIMES; } int failbackTasksConfig = getUrl().getParameter(FAIL_BACK_TASKS_KEY, DEFAULT_FAILBACK_TASKS); if (failbackTasksConfig <= 0) { failbackTasksConfig = DEFAULT_FAILBACK_TASKS; } retries = retriesConfig; failbackTasks = failbackTasksConfig; } private void addFailed( LoadBalance loadbalance, Invocation invocation, List<Invoker<T>> invokers, Invoker<T> lastInvoker, URL consumerUrl) { if (failTimer == null) { synchronized (this) { if (failTimer == null) { failTimer = new HashedWheelTimer( new NamedThreadFactory("failback-cluster-timer", true), 1, TimeUnit.SECONDS, 32, failbackTasks); } } } RetryTimerTask retryTimerTask = new RetryTimerTask( loadbalance, invocation, invokers, lastInvoker, retries, RETRY_FAILED_PERIOD, consumerUrl); try { failTimer.newTimeout(retryTimerTask, RETRY_FAILED_PERIOD, TimeUnit.SECONDS); } catch (Throwable e) { logger.error( CLUSTER_TIMER_RETRY_FAILED, "add newTimeout exception", "", "Failback background works error, invocation->" + invocation + ", exception: " + e.getMessage(), e); } } @Override protected Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { Invoker<T> invoker = null; URL consumerUrl = RpcContext.getServiceContext().getConsumerUrl(); try { invoker = select(loadbalance, invocation, invokers, null); // Asynchronous call method must be used here, because failback will retry in the background. // Then the serviceContext will be cleared after the call is completed. return invokeWithContextAsync(invoker, invocation, consumerUrl); } catch (Throwable e) { logger.error( CLUSTER_FAILED_INVOKE_SERVICE, "Failback to invoke method and start to retries", "", "Failback to invoke method " + RpcUtils.getMethodName(invocation) + ", wait for retry in background. Ignored exception: " + e.getMessage() + ", ", e); if (retries > 0) { addFailed(loadbalance, invocation, invokers, invoker, consumerUrl); } return AsyncRpcResult.newDefaultAsyncResult(null, null, invocation); // ignore } } @Override public void destroy() { super.destroy(); if (failTimer != null) { failTimer.stop(); } } /** * RetryTimerTask */ private class RetryTimerTask implements TimerTask { private final Invocation invocation; private final LoadBalance loadbalance; private final List<Invoker<T>> invokers; private final long tick; private Invoker<T> lastInvoker; private URL consumerUrl; /** * Number of retries obtained from the configuration, don't contain the first invoke. */ private final int retries; /** * Number of retried. */ private int retriedTimes = 0; RetryTimerTask( LoadBalance loadbalance, Invocation invocation, List<Invoker<T>> invokers, Invoker<T> lastInvoker, int retries, long tick, URL consumerUrl) { this.loadbalance = loadbalance; this.invocation = invocation; this.invokers = invokers; this.retries = retries; this.tick = tick; this.lastInvoker = lastInvoker; this.consumerUrl = consumerUrl; } @Override public void run(Timeout timeout) { try { logger.info("Attempt to retry to invoke method " + RpcUtils.getMethodName(invocation) + ". The total will retry " + retries + " times, the current is the " + retriedTimes + " retry"); Invoker<T> retryInvoker = select(loadbalance, invocation, invokers, Collections.singletonList(lastInvoker)); lastInvoker = retryInvoker; invokeWithContextAsync(retryInvoker, invocation, consumerUrl); } catch (Throwable e) { logger.error( CLUSTER_FAILED_INVOKE_SERVICE, "Failed retry to invoke method", "", "Failed retry to invoke method " + RpcUtils.getMethodName(invocation) + ", waiting again.", e); if ((++retriedTimes) >= retries) { logger.error( CLUSTER_FAILED_INVOKE_SERVICE, "Failed retry to invoke method and retry times exceed threshold", "", "Failed retry times exceed threshold (" + retries + "), We have to abandon, invocation->" + invocation, e); } else { rePut(timeout); } } } private void rePut(Timeout timeout) { if (timeout == null) { return; } Timer timer = timeout.timer(); if (timer.isStop() || timeout.isCancelled()) { return; } timer.newTimeout(timeout.task(), tick, TimeUnit.SECONDS); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailbackCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailbackCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * {@link FailbackClusterInvoker} * */ public class FailbackCluster extends AbstractCluster { public static final String NAME = "failback"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new FailbackClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailoverCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailoverCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; /** * {@link FailoverClusterInvoker} * */ public class FailoverCluster extends AbstractCluster { public static final String NAME = "failover"; @Override public <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new FailoverClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailsafeClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/FailsafeClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import java.util.List; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_ERROR_RESPONSE; /** * When invoke fails, log the error message and ignore this error by returning an empty Result. * Usually used to write audit logs and other operations * * <a href="http://en.wikipedia.org/wiki/Fail-safe">Fail-safe</a> * */ public class FailsafeClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(FailsafeClusterInvoker.class); public FailsafeClusterInvoker(Directory<T> directory) { super(directory); } @Override public Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { try { Invoker<T> invoker = select(loadbalance, invocation, invokers, null); return invokeWithContext(invoker, invocation); } catch (Throwable e) { logger.error( CLUSTER_ERROR_RESPONSE, "Failsafe for provider exception", "", "Failsafe ignore exception: " + e.getMessage(), e); return AsyncRpcResult.newDefaultAsyncResult(null, null, invocation); // ignore } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/merger/DefaultProviderURLMergeProcessor.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/merger/DefaultProviderURLMergeProcessor.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.merger; import org.apache.dubbo.common.URL; import org.apache.dubbo.remoting.Constants; import org.apache.dubbo.rpc.cluster.ProviderURLMergeProcessor; import java.util.HashMap; import java.util.Map; import static org.apache.dubbo.common.constants.CommonConstants.ALIVE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.APPLICATION_KEY; import static org.apache.dubbo.common.constants.CommonConstants.CORE_THREADS_KEY; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_KEY_PREFIX; import static org.apache.dubbo.common.constants.CommonConstants.DUBBO_VERSION_KEY; import static org.apache.dubbo.common.constants.CommonConstants.GENERIC_KEY; import static org.apache.dubbo.common.constants.CommonConstants.GROUP_KEY; import static org.apache.dubbo.common.constants.CommonConstants.INVOKER_LISTENER_KEY; import static org.apache.dubbo.common.constants.CommonConstants.METHODS_KEY; import static org.apache.dubbo.common.constants.CommonConstants.QUEUES_KEY; import static org.apache.dubbo.common.constants.CommonConstants.REFERENCE_FILTER_KEY; import static org.apache.dubbo.common.constants.CommonConstants.RELEASE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.REMOTE_APPLICATION_KEY; import static org.apache.dubbo.common.constants.CommonConstants.TAG_KEY; import static org.apache.dubbo.common.constants.CommonConstants.THREADPOOL_KEY; import static org.apache.dubbo.common.constants.CommonConstants.THREADS_KEY; import static org.apache.dubbo.common.constants.CommonConstants.THREAD_NAME_KEY; import static org.apache.dubbo.common.constants.CommonConstants.TIMESTAMP_KEY; import static org.apache.dubbo.common.constants.CommonConstants.VERSION_KEY; public class DefaultProviderURLMergeProcessor implements ProviderURLMergeProcessor { @Override public URL mergeUrl(URL remoteUrl, Map<String, String> localParametersMap) { Map<String, String> map = new HashMap<>(); Map<String, String> remoteMap = remoteUrl.getParameters(); if (remoteMap != null && remoteMap.size() > 0) { map.putAll(remoteMap); // Remove configurations from provider, some items should be affected by provider. map.remove(THREAD_NAME_KEY); map.remove(DEFAULT_KEY_PREFIX + THREAD_NAME_KEY); map.remove(THREADPOOL_KEY); map.remove(DEFAULT_KEY_PREFIX + THREADPOOL_KEY); map.remove(CORE_THREADS_KEY); map.remove(DEFAULT_KEY_PREFIX + CORE_THREADS_KEY); map.remove(THREADS_KEY); map.remove(DEFAULT_KEY_PREFIX + THREADS_KEY); map.remove(QUEUES_KEY); map.remove(DEFAULT_KEY_PREFIX + QUEUES_KEY); map.remove(ALIVE_KEY); map.remove(DEFAULT_KEY_PREFIX + ALIVE_KEY); map.remove(Constants.TRANSPORTER_KEY); map.remove(DEFAULT_KEY_PREFIX + Constants.TRANSPORTER_KEY); } if (localParametersMap != null && localParametersMap.size() > 0) { Map<String, String> copyOfLocalMap = new HashMap<>(localParametersMap); if (map.containsKey(GROUP_KEY)) { copyOfLocalMap.remove(GROUP_KEY); } if (map.containsKey(VERSION_KEY)) { copyOfLocalMap.remove(VERSION_KEY); } if (map.containsKey(GENERIC_KEY)) { copyOfLocalMap.remove(GENERIC_KEY); } copyOfLocalMap.remove(RELEASE_KEY); copyOfLocalMap.remove(DUBBO_VERSION_KEY); copyOfLocalMap.remove(METHODS_KEY); copyOfLocalMap.remove(TIMESTAMP_KEY); copyOfLocalMap.remove(TAG_KEY); map.putAll(copyOfLocalMap); if (remoteMap != null) { map.put(REMOTE_APPLICATION_KEY, remoteMap.get(APPLICATION_KEY)); // Combine filters and listeners on Provider and Consumer String remoteFilter = remoteMap.get(REFERENCE_FILTER_KEY); String localFilter = copyOfLocalMap.get(REFERENCE_FILTER_KEY); if (remoteFilter != null && remoteFilter.length() > 0 && localFilter != null && localFilter.length() > 0) { map.put(REFERENCE_FILTER_KEY, remoteFilter + "," + localFilter); } String remoteListener = remoteMap.get(INVOKER_LISTENER_KEY); String localListener = copyOfLocalMap.get(INVOKER_LISTENER_KEY); if (remoteListener != null && remoteListener.length() > 0 && localListener != null && localListener.length() > 0) { map.put(INVOKER_LISTENER_KEY, remoteListener + "," + localListener); } } } return remoteUrl.clearParameters().addParameters(map); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/MockClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/MockClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.wrapper; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.constants.CommonConstants; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.ConfigUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.common.utils.SystemPropertyConfigUtils; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.InvokeMode; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.RpcInvocation; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.protocol.dubbo.FutureAdapter; import org.apache.dubbo.rpc.support.MockInvoker; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_MOCK_REQUEST; import static org.apache.dubbo.rpc.Constants.MOCK_KEY; import static org.apache.dubbo.rpc.cluster.Constants.FORCE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.INVOCATION_NEED_MOCK; public class MockClusterInvoker<T> implements ClusterInvoker<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(MockClusterInvoker.class); private static final boolean setFutureWhenSync = Boolean.parseBoolean(SystemPropertyConfigUtils.getSystemProperty( CommonConstants.ThirdPartyProperty.SET_FUTURE_IN_SYNC_MODE, "true")); private final Directory<T> directory; private final Invoker<T> invoker; public MockClusterInvoker(Directory<T> directory, Invoker<T> invoker) { this.directory = directory; this.invoker = invoker; } @Override public URL getUrl() { return directory.getConsumerUrl(); } @Override public URL getRegistryUrl() { return directory.getUrl(); } @Override public Directory<T> getDirectory() { return directory; } @Override public boolean isDestroyed() { return directory.isDestroyed(); } @Override public boolean isAvailable() { return directory.isAvailable(); } @Override public void destroy() { this.invoker.destroy(); } @Override public Class<T> getInterface() { return directory.getInterface(); } @Override public Result invoke(Invocation invocation) throws RpcException { Result result; String value = getUrl().getMethodParameter( RpcUtils.getMethodName(invocation), MOCK_KEY, Boolean.FALSE.toString()) .trim(); if (ConfigUtils.isEmpty(value)) { // no mock result = this.invoker.invoke(invocation); } else if (value.startsWith(FORCE_KEY)) { if (logger.isWarnEnabled()) { logger.warn( CLUSTER_FAILED_MOCK_REQUEST, "force mock", "", "force-mock: " + RpcUtils.getMethodName(invocation) + " force-mock enabled , url : " + getUrl()); } // force:direct mock result = doMockInvoke(invocation, null); } else { // fail-mock try { result = this.invoker.invoke(invocation); // fix:#4585 if (result.getException() != null && result.getException() instanceof RpcException) { RpcException rpcException = (RpcException) result.getException(); if (rpcException.isBiz()) { throw rpcException; } else { result = doMockInvoke(invocation, rpcException); } } } catch (RpcException e) { if (e.isBiz()) { throw e; } if (logger.isWarnEnabled()) { logger.warn( CLUSTER_FAILED_MOCK_REQUEST, "failed to mock invoke", "", "fail-mock: " + RpcUtils.getMethodName(invocation) + " fail-mock enabled , url : " + getUrl(), e); } result = doMockInvoke(invocation, e); } } return result; } @SuppressWarnings({"unchecked", "rawtypes"}) private Result doMockInvoke(Invocation invocation, RpcException e) { Result result; Invoker<T> mockInvoker; RpcInvocation rpcInvocation = (RpcInvocation) invocation; rpcInvocation.setInvokeMode(RpcUtils.getInvokeMode(getUrl(), invocation)); List<Invoker<T>> mockInvokers = selectMockInvoker(invocation); if (CollectionUtils.isEmpty(mockInvokers)) { mockInvoker = (Invoker<T>) new MockInvoker(getUrl(), directory.getInterface()); } else { mockInvoker = mockInvokers.get(0); } try { result = mockInvoker.invoke(invocation); } catch (RpcException mockException) { if (mockException.isBiz()) { result = AsyncRpcResult.newDefaultAsyncResult(mockException.getCause(), invocation); } else { throw new RpcException( mockException.getCode(), getMockExceptionMessage(e, mockException), mockException.getCause()); } } catch (Throwable me) { throw new RpcException(getMockExceptionMessage(e, me), me.getCause()); } if (setFutureWhenSync || rpcInvocation.getInvokeMode() != InvokeMode.SYNC) { // set server context RpcContext.getServiceContext() .setFuture(new FutureAdapter<>(((AsyncRpcResult) result).getResponseFuture())); } return result; } private String getMockExceptionMessage(Throwable t, Throwable mt) { String msg = "mock error : " + mt.getMessage(); if (t != null) { msg = msg + ", invoke error is :" + StringUtils.toString(t); } return msg; } /** * Return MockInvoker * Contract: * directory.list() will return a list of normal invokers if Constants.INVOCATION_NEED_MOCK is absent or not true in invocation, otherwise, a list of mock invokers will return. * if directory.list() returns more than one mock invoker, only one of them will be used. * * @param invocation * @return */ private List<Invoker<T>> selectMockInvoker(Invocation invocation) { List<Invoker<T>> invokers = null; // TODO generic invoker? if (invocation instanceof RpcInvocation) { // Note the implicit contract (although the description is added to the interface declaration, but // extensibility is a problem. The practice placed in the attachment needs to be improved) invocation.setAttachment(INVOCATION_NEED_MOCK, Boolean.TRUE.toString()); // directory will return a list of normal invokers if Constants.INVOCATION_NEED_MOCK is absent or not true // in invocation, otherwise, a list of mock invokers will return. try { RpcContext.getServiceContext().setConsumerUrl(getUrl()); invokers = directory.list(invocation); } catch (RpcException e) { if (logger.isInfoEnabled()) { logger.info( "Exception when try to invoke mock. Get mock invokers error for service:" + getUrl().getServiceInterface() + ", method:" + RpcUtils.getMethodName(invocation) + ", will construct a new mock with 'new MockInvoker()'.", e); } } } return invokers; } @Override public String toString() { return "invoker :" + this.invoker + ",directory: " + this.directory; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/AbstractCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/AbstractCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.wrapper; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.ConfigurationUtils; import org.apache.dubbo.common.constants.CommonConstants; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Cluster; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.cluster.filter.FilterChainBuilder; import org.apache.dubbo.rpc.cluster.filter.InvocationInterceptorBuilder; import org.apache.dubbo.rpc.cluster.interceptor.ClusterInterceptor; import org.apache.dubbo.rpc.cluster.support.AbstractClusterInvoker; import org.apache.dubbo.rpc.model.ScopeModelUtil; import java.util.List; import static org.apache.dubbo.common.constants.CommonConstants.CLUSTER_INTERCEPTOR_COMPATIBLE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.INVOCATION_INTERCEPTOR_KEY; import static org.apache.dubbo.common.constants.CommonConstants.REFERENCE_FILTER_KEY; public abstract class AbstractCluster implements Cluster { private <T> Invoker<T> buildClusterInterceptors(AbstractClusterInvoker<T> clusterInvoker) { AbstractClusterInvoker<T> last = buildInterceptorInvoker(new ClusterFilterInvoker<>(clusterInvoker)); if (Boolean.parseBoolean(ConfigurationUtils.getProperty( clusterInvoker.getDirectory().getConsumerUrl().getScopeModel(), CLUSTER_INTERCEPTOR_COMPATIBLE_KEY, "false"))) { return build27xCompatibleClusterInterceptors(clusterInvoker, last); } return last; } @Override public <T> Invoker<T> join(Directory<T> directory, boolean buildFilterChain) throws RpcException { if (buildFilterChain) { return buildClusterInterceptors(doJoin(directory)); } else { return doJoin(directory); } } private <T> AbstractClusterInvoker<T> buildInterceptorInvoker(AbstractClusterInvoker<T> invoker) { List<InvocationInterceptorBuilder> builders = ScopeModelUtil.getApplicationModel( invoker.getUrl().getScopeModel()) .getExtensionLoader(InvocationInterceptorBuilder.class) .getActivateExtensions(); if (CollectionUtils.isEmpty(builders)) { return invoker; } return new InvocationInterceptorInvoker<>(invoker, builders); } protected abstract <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException; static class ClusterFilterInvoker<T> extends AbstractClusterInvoker<T> { private final ClusterInvoker<T> filterInvoker; public ClusterFilterInvoker(AbstractClusterInvoker<T> invoker) { List<FilterChainBuilder> builders = ScopeModelUtil.getApplicationModel( invoker.getUrl().getScopeModel()) .getExtensionLoader(FilterChainBuilder.class) .getActivateExtensions(); if (CollectionUtils.isEmpty(builders)) { filterInvoker = invoker; } else { ClusterInvoker<T> tmpInvoker = invoker; for (FilterChainBuilder builder : builders) { tmpInvoker = builder.buildClusterInvokerChain( tmpInvoker, REFERENCE_FILTER_KEY, CommonConstants.CONSUMER); } filterInvoker = tmpInvoker; } } @Override public Result invoke(Invocation invocation) throws RpcException { return filterInvoker.invoke(invocation); } @Override public Directory<T> getDirectory() { return filterInvoker.getDirectory(); } @Override public URL getRegistryUrl() { return filterInvoker.getRegistryUrl(); } @Override public boolean isDestroyed() { return filterInvoker.isDestroyed(); } @Override public URL getUrl() { return filterInvoker.getUrl(); } /** * The only purpose is to build a interceptor chain, so the cluster related logic doesn't matter. * Use ClusterInvoker<T> to replace AbstractClusterInvoker<T> in the future. */ @Override protected Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { return null; } public ClusterInvoker<T> getFilterInvoker() { return filterInvoker; } } static class InvocationInterceptorInvoker<T> extends AbstractClusterInvoker<T> { private ClusterInvoker<T> interceptorInvoker; public InvocationInterceptorInvoker( AbstractClusterInvoker<T> invoker, List<InvocationInterceptorBuilder> builders) { ClusterInvoker<T> tmpInvoker = invoker; for (InvocationInterceptorBuilder builder : builders) { tmpInvoker = builder.buildClusterInterceptorChain( tmpInvoker, INVOCATION_INTERCEPTOR_KEY, CommonConstants.CONSUMER); } interceptorInvoker = tmpInvoker; } @Override public Result invoke(Invocation invocation) throws RpcException { return interceptorInvoker.invoke(invocation); } @Override public Directory<T> getDirectory() { return interceptorInvoker.getDirectory(); } @Override public URL getRegistryUrl() { return interceptorInvoker.getRegistryUrl(); } @Override public boolean isDestroyed() { return interceptorInvoker.isDestroyed(); } @Override public URL getUrl() { return interceptorInvoker.getUrl(); } /** * The only purpose is to build a interceptor chain, so the cluster related logic doesn't matter. * Use ClusterInvoker<T> to replace AbstractClusterInvoker<T> in the future. */ @Override protected Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { return null; } } @Deprecated private <T> ClusterInvoker<T> build27xCompatibleClusterInterceptors( AbstractClusterInvoker<T> clusterInvoker, AbstractClusterInvoker<T> last) { List<ClusterInterceptor> interceptors = ScopeModelUtil.getApplicationModel( clusterInvoker.getUrl().getScopeModel()) .getExtensionLoader(ClusterInterceptor.class) .getActivateExtensions(); if (!interceptors.isEmpty()) { for (int i = interceptors.size() - 1; i >= 0; i--) { final ClusterInterceptor interceptor = interceptors.get(i); final AbstractClusterInvoker<T> next = last; last = new InterceptorInvokerNode<>(clusterInvoker, interceptor, next); } } return last; } @Deprecated static class InterceptorInvokerNode<T> extends AbstractClusterInvoker<T> { private final AbstractClusterInvoker<T> clusterInvoker; private final ClusterInterceptor interceptor; private final AbstractClusterInvoker<T> next; public InterceptorInvokerNode( AbstractClusterInvoker<T> clusterInvoker, ClusterInterceptor interceptor, AbstractClusterInvoker<T> next) { this.clusterInvoker = clusterInvoker; this.interceptor = interceptor; this.next = next; } @Override public Class<T> getInterface() { return clusterInvoker.getInterface(); } @Override public URL getUrl() { return clusterInvoker.getUrl(); } @Override public boolean isAvailable() { return clusterInvoker.isAvailable(); } @Override public Result invoke(Invocation invocation) throws RpcException { Result asyncResult; try { interceptor.before(next, invocation); asyncResult = interceptor.intercept(next, invocation); } catch (Exception e) { // onError callback if (interceptor instanceof ClusterInterceptor.Listener) { ClusterInterceptor.Listener listener = (ClusterInterceptor.Listener) interceptor; listener.onError(e, clusterInvoker, invocation); } throw e; } finally { interceptor.after(next, invocation); } return asyncResult.whenCompleteWithContext((r, t) -> { // onResponse callback if (interceptor instanceof ClusterInterceptor.Listener) { ClusterInterceptor.Listener listener = (ClusterInterceptor.Listener) interceptor; if (t == null) { listener.onMessage(r, clusterInvoker, invocation); } else { listener.onError(t, clusterInvoker, invocation); } } }); } @Override public void destroy() { clusterInvoker.destroy(); } @Override public String toString() { return clusterInvoker.toString(); } @Override protected Result doInvoke(Invocation invocation, List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { // The only purpose is to build an interceptor chain, so the cluster related logic doesn't matter. return null; } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/ScopeClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/ScopeClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.wrapper; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.url.component.DubboServiceAddressURL; import org.apache.dubbo.common.url.component.ServiceConfigURL; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.rpc.Exporter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Protocol; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Cluster; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.directory.StaticDirectory; import org.apache.dubbo.rpc.listener.ExporterChangeListener; import org.apache.dubbo.rpc.listener.InjvmExporterListener; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.ArrayList; import java.util.List; import java.util.concurrent.atomic.AtomicBoolean; import static org.apache.dubbo.common.constants.CommonConstants.BROADCAST_CLUSTER; import static org.apache.dubbo.common.constants.CommonConstants.CLUSTER_KEY; import static org.apache.dubbo.rpc.Constants.GENERIC_KEY; import static org.apache.dubbo.rpc.Constants.LOCAL_PROTOCOL; import static org.apache.dubbo.rpc.Constants.SCOPE_KEY; import static org.apache.dubbo.rpc.Constants.SCOPE_LOCAL; import static org.apache.dubbo.rpc.Constants.SCOPE_REMOTE; import static org.apache.dubbo.rpc.cluster.Constants.PEER_KEY; /** * ScopeClusterInvoker is a cluster invoker which handles the invocation logic of a single service in a specific scope. * <p> * It selects between local and remote invoker at runtime. * * @param <T> the type of service interface */ public class ScopeClusterInvoker<T> implements ClusterInvoker<T>, ExporterChangeListener { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(ScopeClusterInvoker.class); private final Object createLock = new Object(); private Protocol protocolSPI; private final Directory<T> directory; private final Invoker<T> invoker; private final AtomicBoolean isExported; private volatile Invoker<T> injvmInvoker; private volatile InjvmExporterListener injvmExporterListener; private boolean peerFlag; private boolean injvmFlag; public ScopeClusterInvoker(Directory<T> directory, Invoker<T> invoker) { this.directory = directory; this.invoker = invoker; this.isExported = new AtomicBoolean(false); init(); } @Override public URL getUrl() { return directory.getConsumerUrl(); } @Override public URL getRegistryUrl() { return directory.getUrl(); } @Override public Directory<T> getDirectory() { return directory; } @Override public boolean isDestroyed() { return directory.isDestroyed(); } @Override public boolean isAvailable() { if (peerFlag || isBroadcast()) { // If it's a point-to-point direct connection or broadcasting, it should be called remotely. return invoker.isAvailable(); } if (injvmFlag && isForceLocal()) { // If it's a local call, it should be called locally. return isExported.get(); } if (injvmFlag && isExported.get()) { // If allow local call, check if local exported first return true; } return invoker.isAvailable(); } @Override public void destroy() { if (injvmExporterListener != null) { injvmExporterListener.removeExporterChangeListener(this, getUrl().getServiceKey()); } destroyInjvmInvoker(); this.invoker.destroy(); } @Override public Class<T> getInterface() { return directory.getInterface(); } /** * Checks if the current ScopeClusterInvoker is exported to the local JVM and invokes the corresponding Invoker. * If it's not exported locally, then it delegates the invocation to the original Invoker. * * @param invocation the invocation to be performed * @return the result of the invocation * @throws RpcException if there was an error during the invocation */ @Override public Result invoke(Invocation invocation) throws RpcException { // When broadcasting, it should be called remotely. if (isBroadcast()) { if (logger.isDebugEnabled()) { logger.debug("Performing broadcast call for method: " + RpcUtils.getMethodName(invocation) + " of service: " + getUrl().getServiceKey()); } return invoker.invoke(invocation); } if (peerFlag) { if (logger.isDebugEnabled()) { logger.debug("Performing point-to-point call for method: " + RpcUtils.getMethodName(invocation) + " of service: " + getUrl().getServiceKey()); } // If it's a point-to-point direct connection, invoke the original Invoker return invoker.invoke(invocation); } if (isInjvmExported()) { if (logger.isDebugEnabled()) { logger.debug("Performing local JVM call for method: " + RpcUtils.getMethodName(invocation) + " of service: " + getUrl().getServiceKey()); } // If it's exported to the local JVM, invoke the corresponding Invoker return injvmInvoker.invoke(invocation); } if (logger.isDebugEnabled()) { logger.debug("Performing remote call for method: " + RpcUtils.getMethodName(invocation) + " of service: " + getUrl().getServiceKey()); } // Otherwise, delegate the invocation to the original Invoker return invoker.invoke(invocation); } private boolean isBroadcast() { return BROADCAST_CLUSTER.equalsIgnoreCase(getUrl().getParameter(CLUSTER_KEY)); } @Override public void onExporterChangeExport(Exporter<?> exporter) { if (isExported.get()) { return; } if (getUrl().getServiceKey().equals(exporter.getInvoker().getUrl().getServiceKey()) && exporter.getInvoker().getUrl().getProtocol().equalsIgnoreCase(LOCAL_PROTOCOL)) { createInjvmInvoker(exporter); isExported.compareAndSet(false, true); } } @Override public void onExporterChangeUnExport(Exporter<?> exporter) { if (getUrl().getServiceKey().equals(exporter.getInvoker().getUrl().getServiceKey()) && exporter.getInvoker().getUrl().getProtocol().equalsIgnoreCase(LOCAL_PROTOCOL)) { destroyInjvmInvoker(); isExported.compareAndSet(true, false); } } public Invoker<?> getInvoker() { return invoker; } /** * Initializes the ScopeClusterInvoker instance. */ private void init() { Boolean peer = (Boolean) getUrl().getAttribute(PEER_KEY); String isInjvm = getUrl().getParameter(LOCAL_PROTOCOL); // When the point-to-point direct connection is directly connected, // the initialization is directly ended if (peer != null && peer) { peerFlag = true; return; } // Check if the service has been exported through Injvm protocol if (injvmInvoker == null && LOCAL_PROTOCOL.equalsIgnoreCase(getRegistryUrl().getProtocol())) { injvmInvoker = invoker; isExported.compareAndSet(false, true); injvmFlag = true; return; } // Check if the service has been exported through Injvm protocol or the SCOPE_LOCAL parameter is set if (Boolean.TRUE.toString().equalsIgnoreCase(isInjvm) || SCOPE_LOCAL.equalsIgnoreCase(getUrl().getParameter(SCOPE_KEY))) { injvmFlag = true; } else if (isInjvm == null) { injvmFlag = isNotRemoteOrGeneric(); } protocolSPI = getUrl().getApplicationModel() .getExtensionLoader(Protocol.class) .getAdaptiveExtension(); injvmExporterListener = getUrl().getOrDefaultFrameworkModel().getBeanFactory().getBean(InjvmExporterListener.class); injvmExporterListener.addExporterChangeListener(this, getUrl().getServiceKey()); } /** * Check if the service is a generalized call or the SCOPE_REMOTE parameter is set * * @return boolean */ private boolean isNotRemoteOrGeneric() { return !SCOPE_REMOTE.equalsIgnoreCase(getUrl().getParameter(SCOPE_KEY)) && !getUrl().getParameter(GENERIC_KEY, false); } /** * Checks whether the current ScopeClusterInvoker is exported to the local JVM and returns a boolean value. * * @return true if the ScopeClusterInvoker is exported to the local JVM, false otherwise * @throws RpcException if there was an error during the invocation */ private boolean isInjvmExported() { Boolean localInvoke = RpcContext.getServiceContext().getLocalInvoke(); boolean isExportedValue = isExported.get(); boolean localOnce = (localInvoke != null && localInvoke); // Determine whether this call is local if (isExportedValue && localOnce) { return true; } // Determine whether this call is remote if (localInvoke != null && !localInvoke) { return false; } // When calling locally, determine whether it does not meet the requirements if (!isExportedValue && (isForceLocal() || localOnce)) { // If it's supposed to be exported to the local JVM ,but it's not, throw an exception throw new RpcException( "Local service for " + getUrl().getServiceInterface() + " has not been exposed yet!"); } return isExportedValue && injvmFlag; } private boolean isForceLocal() { return SCOPE_LOCAL.equalsIgnoreCase(getUrl().getParameter(SCOPE_KEY)) || Boolean.TRUE.toString().equalsIgnoreCase(getUrl().getParameter(LOCAL_PROTOCOL)); } /** * Creates a new Invoker for the current ScopeClusterInvoker and exports it to the local JVM. */ private void createInjvmInvoker(Exporter<?> exporter) { if (injvmInvoker == null) { synchronized (createLock) { if (injvmInvoker == null) { URL url = new ServiceConfigURL( LOCAL_PROTOCOL, NetUtils.getLocalHost(), getUrl().getPort(), getInterface().getName(), getUrl().getParameters()); url = url.setScopeModel(getUrl().getScopeModel()); url = url.setServiceModel(getUrl().getServiceModel()); DubboServiceAddressURL consumerUrl = new DubboServiceAddressURL( url.getUrlAddress(), url.getUrlParam(), exporter.getInvoker().getUrl(), null); Invoker<?> invoker = protocolSPI.refer(getInterface(), consumerUrl); List<Invoker<?>> invokers = new ArrayList<>(); invokers.add(invoker); injvmInvoker = Cluster.getCluster(url.getScopeModel(), Cluster.DEFAULT, false) .join(new StaticDirectory(url, invokers), true); } } } } /** * Destroy the existing InjvmInvoker. */ private void destroyInjvmInvoker() { if (injvmInvoker != null) { injvmInvoker.destroy(); injvmInvoker = null; } } @Override public String toString() { return "ScopeClusterInvoker{" + "directory=" + directory + ", isExported=" + isExported + ", peerFlag=" + peerFlag + ", injvmFlag=" + injvmFlag + '}'; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/MockClusterWrapper.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/MockClusterWrapper.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.wrapper; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Cluster; import org.apache.dubbo.rpc.cluster.Directory; /** * mock impl * */ public class MockClusterWrapper implements Cluster { private final Cluster cluster; public MockClusterWrapper(Cluster cluster) { this.cluster = cluster; } @Override public <T> Invoker<T> join(Directory<T> directory, boolean buildFilterChain) throws RpcException { return new MockClusterInvoker<>(directory, this.cluster.join(directory, buildFilterChain)); } public Cluster getCluster() { return cluster; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/ScopeClusterWrapper.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/wrapper/ScopeClusterWrapper.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.wrapper; import org.apache.dubbo.common.extension.Wrapper; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Cluster; import org.apache.dubbo.rpc.cluster.Directory; /** * Introducing ScopeClusterInvoker section through Dubbo SPI mechanism */ @Wrapper(order = -1) public class ScopeClusterWrapper implements Cluster { private final Cluster cluster; public ScopeClusterWrapper(Cluster cluster) { this.cluster = cluster; } @Override public <T> Invoker<T> join(Directory<T> directory, boolean buildFilterChain) throws RpcException { return new ScopeClusterInvoker<>(directory, this.cluster.join(directory, buildFilterChain)); } public Cluster getCluster() { return cluster; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/registry/ZoneAwareClusterInvoker.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/registry/ZoneAwareClusterInvoker.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.registry; import org.apache.dubbo.common.extension.ExtensionLoader; import org.apache.dubbo.common.logger.Logger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.ZoneDetector; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.cluster.support.AbstractClusterInvoker; import java.util.List; import java.util.stream.Collectors; import static org.apache.dubbo.common.constants.CommonConstants.PREFERRED_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTRY_ZONE; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTRY_ZONE_FORCE; import static org.apache.dubbo.common.constants.RegistryConstants.ZONE_KEY; /** * When there are more than one registry for subscription. * <p> * This extension provides a strategy to decide how to distribute traffics among them: * 1. registry marked as 'preferred=true' has the highest priority. * 2. check the zone the current request belongs, pick the registry that has the same zone first. * 3. Evenly balance traffic between all registries based on each registry's weight. */ public class ZoneAwareClusterInvoker<T> extends AbstractClusterInvoker<T> { private static final Logger logger = LoggerFactory.getLogger(ZoneAwareClusterInvoker.class); private ZoneDetector zoneDetector; public ZoneAwareClusterInvoker(Directory<T> directory) { super(directory); ExtensionLoader<ZoneDetector> loader = directory.getConsumerUrl().getOrDefaultApplicationModel().getExtensionLoader(ZoneDetector.class); if (loader.hasExtension("default")) { zoneDetector = loader.getExtension("default"); } } @Override @SuppressWarnings({"unchecked", "rawtypes"}) public Result doInvoke(Invocation invocation, final List<Invoker<T>> invokers, LoadBalance loadbalance) throws RpcException { // First, pick the invoker (XXXClusterInvoker) that comes from the local registry, distinguish by a 'preferred' // key. for (Invoker<T> invoker : invokers) { ClusterInvoker<T> clusterInvoker = (ClusterInvoker<T>) invoker; if (clusterInvoker.isAvailable() && clusterInvoker.getRegistryUrl().getParameter(PREFERRED_KEY, false)) { return clusterInvoker.invoke(invocation); } } RpcContext rpcContext = RpcContext.getClientAttachment(); String zone = rpcContext.getAttachment(REGISTRY_ZONE); String force = rpcContext.getAttachment(REGISTRY_ZONE_FORCE); if (StringUtils.isEmpty(zone) && zoneDetector != null) { zone = zoneDetector.getZoneOfCurrentRequest(invocation); force = zoneDetector.isZoneForcingEnabled(invocation, zone); } // providers in the registry with the same zone if (StringUtils.isNotEmpty(zone)) { for (Invoker<T> invoker : invokers) { ClusterInvoker<T> clusterInvoker = (ClusterInvoker<T>) invoker; if (clusterInvoker.isAvailable() && zone.equals(clusterInvoker.getRegistryUrl().getParameter(ZONE_KEY))) { return clusterInvoker.invoke(invocation); } } if (StringUtils.isNotEmpty(force) && "true".equalsIgnoreCase(force)) { throw new IllegalStateException( "No registry instance in zone or no available providers in the registry, zone: " + zone + ", registries: " + invokers.stream() .map(invoker -> ((ClusterInvoker<T>) invoker) .getRegistryUrl() .toString()) .collect(Collectors.joining(","))); } } // load balance among all registries, with registry weight count in. Invoker<T> balancedInvoker = select(loadbalance, invocation, invokers, null); if (balancedInvoker != null && balancedInvoker.isAvailable()) { return balancedInvoker.invoke(invocation); } // If none of the invokers has a preferred signal or is picked by the loadbalancer, pick the first one // available. for (Invoker<T> invoker : invokers) { ClusterInvoker<T> clusterInvoker = (ClusterInvoker<T>) invoker; if (clusterInvoker.isAvailable()) { return clusterInvoker.invoke(invocation); } } throw new RpcException("No provider available in " + invokers); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/registry/ZoneAwareCluster.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/support/registry/ZoneAwareCluster.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.support.registry; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.support.AbstractClusterInvoker; import org.apache.dubbo.rpc.cluster.support.wrapper.AbstractCluster; public class ZoneAwareCluster extends AbstractCluster { public static final String NAME = "zone-aware"; @Override protected <T> AbstractClusterInvoker<T> doJoin(Directory<T> directory) throws RpcException { return new ZoneAwareClusterInvoker<>(directory); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/DefaultFilterChainBuilder.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/DefaultFilterChainBuilder.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.common.extension.ExtensionDirector; import org.apache.dubbo.common.extension.support.ActivateComparator; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.Filter; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.model.ModuleModel; import org.apache.dubbo.rpc.model.ScopeModel; import org.apache.dubbo.rpc.model.ScopeModelUtil; import java.util.ArrayList; import java.util.List; import java.util.Map; import java.util.TreeMap; @Activate public class DefaultFilterChainBuilder implements FilterChainBuilder { /** * build consumer/provider filter chain */ @Override public <T> Invoker<T> buildInvokerChain(final Invoker<T> originalInvoker, String key, String group) { Invoker<T> last = originalInvoker; URL url = originalInvoker.getUrl(); List<ModuleModel> moduleModels = getModuleModelsFromUrl(url); List<Filter> filters; if (moduleModels != null && moduleModels.size() == 1) { filters = ScopeModelUtil.getExtensionLoader(Filter.class, moduleModels.get(0)) .getActivateExtension(url, key, group); } else if (moduleModels != null && moduleModels.size() > 1) { filters = new ArrayList<>(); List<ExtensionDirector> directors = new ArrayList<>(); for (ModuleModel moduleModel : moduleModels) { List<Filter> tempFilters = ScopeModelUtil.getExtensionLoader(Filter.class, moduleModel) .getActivateExtension(url, key, group); filters.addAll(tempFilters); directors.add(moduleModel.getExtensionDirector()); } filters = sortingAndDeduplication(filters, directors); } else { filters = ScopeModelUtil.getExtensionLoader(Filter.class, null).getActivateExtension(url, key, group); } if (!CollectionUtils.isEmpty(filters)) { for (int i = filters.size() - 1; i >= 0; i--) { final Filter filter = filters.get(i); final Invoker<T> next = last; last = new CopyOfFilterChainNode<>(originalInvoker, next, filter); } return new CallbackRegistrationInvoker<>(last, filters); } return last; } /** * build consumer cluster filter chain */ @Override public <T> ClusterInvoker<T> buildClusterInvokerChain( final ClusterInvoker<T> originalInvoker, String key, String group) { ClusterInvoker<T> last = originalInvoker; URL url = originalInvoker.getUrl(); List<ModuleModel> moduleModels = getModuleModelsFromUrl(url); List<ClusterFilter> filters; if (moduleModels != null && moduleModels.size() == 1) { filters = ScopeModelUtil.getExtensionLoader(ClusterFilter.class, moduleModels.get(0)) .getActivateExtension(url, key, group); } else if (moduleModels != null && moduleModels.size() > 1) { filters = new ArrayList<>(); List<ExtensionDirector> directors = new ArrayList<>(); for (ModuleModel moduleModel : moduleModels) { List<ClusterFilter> tempFilters = ScopeModelUtil.getExtensionLoader(ClusterFilter.class, moduleModel) .getActivateExtension(url, key, group); filters.addAll(tempFilters); directors.add(moduleModel.getExtensionDirector()); } filters = sortingAndDeduplication(filters, directors); } else { filters = ScopeModelUtil.getExtensionLoader(ClusterFilter.class, null).getActivateExtension(url, key, group); } if (!CollectionUtils.isEmpty(filters)) { for (int i = filters.size() - 1; i >= 0; i--) { final ClusterFilter filter = filters.get(i); final Invoker<T> next = last; last = new CopyOfClusterFilterChainNode<>(originalInvoker, next, filter); } return new ClusterCallbackRegistrationInvoker<>(originalInvoker, last, filters); } return last; } private <T> List<T> sortingAndDeduplication(List<T> filters, List<ExtensionDirector> directors) { Map<Class<?>, T> filtersSet = new TreeMap<>(new ActivateComparator(directors)); for (T filter : filters) { filtersSet.putIfAbsent(filter.getClass(), filter); } return new ArrayList<>(filtersSet.values()); } /** * When the application-level service registration and discovery strategy is adopted, the URL will be of type InstanceAddressURL, * and InstanceAddressURL belongs to the application layer and holds the ApplicationModel, * but the filter is at the module layer and holds the ModuleModel, * so it needs to be based on the url in the ScopeModel type to parse out all the moduleModels held by the url * to obtain the filter configuration. * * @param url URL * @return All ModuleModels in the url */ private List<ModuleModel> getModuleModelsFromUrl(URL url) { List<ModuleModel> moduleModels = null; ScopeModel scopeModel = url.getScopeModel(); if (scopeModel instanceof ApplicationModel) { moduleModels = ((ApplicationModel) scopeModel).getPubModuleModels(); } else if (scopeModel instanceof ModuleModel) { moduleModels = new ArrayList<>(); moduleModels.add((ModuleModel) scopeModel); } return moduleModels; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/InvocationInterceptorBuilder.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/InvocationInterceptorBuilder.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter; import org.apache.dubbo.common.extension.SPI; import org.apache.dubbo.rpc.cluster.ClusterInvoker; @SPI("default") public interface InvocationInterceptorBuilder { <T> ClusterInvoker<T> buildClusterInterceptorChain(final ClusterInvoker<T> invoker, String key, String group); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/FilterChainBuilder.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/FilterChainBuilder.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter; import org.apache.dubbo.common.Experimental; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.SPI; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.BaseFilter; import org.apache.dubbo.rpc.Filter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.InvocationProfilerUtils; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.ListenableFilter; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.Directory; import java.util.List; import java.util.stream.Collectors; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_EXECUTE_FILTER_EXCEPTION; import static org.apache.dubbo.common.constants.LoggerCodeConstants.INTERNAL_ERROR; import static org.apache.dubbo.common.extension.ExtensionScope.APPLICATION; @SPI(value = "default", scope = APPLICATION) public interface FilterChainBuilder { /** * build consumer/provider filter chain */ <T> Invoker<T> buildInvokerChain(final Invoker<T> invoker, String key, String group); /** * build consumer cluster filter chain */ <T> ClusterInvoker<T> buildClusterInvokerChain(final ClusterInvoker<T> invoker, String key, String group); /** * Works on provider side * * @param <T> * @param <TYPE> */ class FilterChainNode<T, TYPE extends Invoker<T>, FILTER extends BaseFilter> implements Invoker<T> { TYPE originalInvoker; Invoker<T> nextNode; FILTER filter; public FilterChainNode(TYPE originalInvoker, Invoker<T> nextNode, FILTER filter) { this.originalInvoker = originalInvoker; this.nextNode = nextNode; this.filter = filter; } public TYPE getOriginalInvoker() { return originalInvoker; } @Override public Class<T> getInterface() { return originalInvoker.getInterface(); } @Override public URL getUrl() { return originalInvoker.getUrl(); } @Override public boolean isAvailable() { return originalInvoker.isAvailable(); } @Override public Result invoke(Invocation invocation) throws RpcException { Result asyncResult; try { InvocationProfilerUtils.enterDetailProfiler( invocation, () -> "Filter " + filter.getClass().getName() + " invoke."); asyncResult = filter.invoke(nextNode, invocation); } catch (Exception e) { InvocationProfilerUtils.releaseDetailProfiler(invocation); if (filter instanceof ListenableFilter) { ListenableFilter listenableFilter = ((ListenableFilter) filter); try { Filter.Listener listener = listenableFilter.listener(invocation); if (listener != null) { listener.onError(e, originalInvoker, invocation); } } finally { listenableFilter.removeListener(invocation); } } else if (filter instanceof FILTER.Listener) { FILTER.Listener listener = (FILTER.Listener) filter; listener.onError(e, originalInvoker, invocation); } throw e; } finally { } return asyncResult.whenCompleteWithContext((r, t) -> { InvocationProfilerUtils.releaseDetailProfiler(invocation); if (filter instanceof ListenableFilter) { ListenableFilter listenableFilter = ((ListenableFilter) filter); Filter.Listener listener = listenableFilter.listener(invocation); try { if (listener != null) { if (t == null) { listener.onResponse(r, originalInvoker, invocation); } else { listener.onError(t, originalInvoker, invocation); } } } finally { listenableFilter.removeListener(invocation); } } else if (filter instanceof FILTER.Listener) { FILTER.Listener listener = (FILTER.Listener) filter; if (t == null) { listener.onResponse(r, originalInvoker, invocation); } else { listener.onError(t, originalInvoker, invocation); } } }); } @Override public void destroy() { originalInvoker.destroy(); } @Override public String toString() { return originalInvoker.toString(); } } /** * Works on consumer side * * @param <T> * @param <TYPE> */ class ClusterFilterChainNode<T, TYPE extends ClusterInvoker<T>, FILTER extends BaseFilter> extends FilterChainNode<T, TYPE, FILTER> implements ClusterInvoker<T> { public ClusterFilterChainNode(TYPE originalInvoker, Invoker<T> nextNode, FILTER filter) { super(originalInvoker, nextNode, filter); } @Override public URL getRegistryUrl() { return getOriginalInvoker().getRegistryUrl(); } @Override public Directory<T> getDirectory() { return getOriginalInvoker().getDirectory(); } @Override public boolean isDestroyed() { return getOriginalInvoker().isDestroyed(); } } class CallbackRegistrationInvoker<T, FILTER extends BaseFilter> implements Invoker<T> { private static final ErrorTypeAwareLogger LOGGER = LoggerFactory.getErrorTypeAwareLogger(CallbackRegistrationInvoker.class); final Invoker<T> filterInvoker; final List<FILTER> filters; public CallbackRegistrationInvoker(Invoker<T> filterInvoker, List<FILTER> filters) { this.filterInvoker = filterInvoker; this.filters = filters; } @Override public Result invoke(Invocation invocation) throws RpcException { Result asyncResult = filterInvoker.invoke(invocation); asyncResult.whenCompleteWithContext((r, t) -> { RuntimeException filterRuntimeException = null; for (int i = filters.size() - 1; i >= 0; i--) { FILTER filter = filters.get(i); try { InvocationProfilerUtils.releaseDetailProfiler(invocation); if (filter instanceof ListenableFilter) { ListenableFilter listenableFilter = ((ListenableFilter) filter); Filter.Listener listener = listenableFilter.listener(invocation); try { if (listener != null) { if (t == null) { listener.onResponse(r, filterInvoker, invocation); } else { listener.onError(t, filterInvoker, invocation); } } } finally { listenableFilter.removeListener(invocation); } } else if (filter instanceof FILTER.Listener) { FILTER.Listener listener = (FILTER.Listener) filter; if (t == null) { listener.onResponse(r, filterInvoker, invocation); } else { listener.onError(t, filterInvoker, invocation); } } } catch (RuntimeException runtimeException) { LOGGER.error( CLUSTER_EXECUTE_FILTER_EXCEPTION, "the custom filter is abnormal", "", String.format( "Exception occurred while executing the %s filter named %s.", i, filter.getClass().getSimpleName())); if (LOGGER.isDebugEnabled()) { LOGGER.debug(String.format( "Whole filter list is: %s", filters.stream() .map(tmpFilter -> tmpFilter.getClass().getSimpleName()) .collect(Collectors.toList()))); } filterRuntimeException = runtimeException; t = runtimeException; } } if (filterRuntimeException != null) { throw filterRuntimeException; } }); return asyncResult; } public Invoker<T> getFilterInvoker() { return filterInvoker; } @Override public Class<T> getInterface() { return filterInvoker.getInterface(); } @Override public URL getUrl() { return filterInvoker.getUrl(); } @Override public boolean isAvailable() { return filterInvoker.isAvailable(); } @Override public void destroy() { filterInvoker.destroy(); } } class ClusterCallbackRegistrationInvoker<T, FILTER extends BaseFilter> extends CallbackRegistrationInvoker<T, FILTER> implements ClusterInvoker<T> { private ClusterInvoker<T> originalInvoker; public ClusterCallbackRegistrationInvoker( ClusterInvoker<T> originalInvoker, Invoker<T> filterInvoker, List<FILTER> filters) { super(filterInvoker, filters); this.originalInvoker = originalInvoker; } public ClusterInvoker<T> getOriginalInvoker() { return originalInvoker; } @Override public URL getRegistryUrl() { return getOriginalInvoker().getRegistryUrl(); } @Override public Directory<T> getDirectory() { return getOriginalInvoker().getDirectory(); } @Override public boolean isDestroyed() { return getOriginalInvoker().isDestroyed(); } } @Experimental( "Works for the same purpose as FilterChainNode, replace FilterChainNode with this one when proved stable enough") class CopyOfFilterChainNode<T, TYPE extends Invoker<T>, FILTER extends BaseFilter> implements Invoker<T> { private static final ErrorTypeAwareLogger LOGGER = LoggerFactory.getErrorTypeAwareLogger(CopyOfFilterChainNode.class); TYPE originalInvoker; Invoker<T> nextNode; FILTER filter; public CopyOfFilterChainNode(TYPE originalInvoker, Invoker<T> nextNode, FILTER filter) { this.originalInvoker = originalInvoker; this.nextNode = nextNode; this.filter = filter; } public TYPE getOriginalInvoker() { return originalInvoker; } @Override public Class<T> getInterface() { return originalInvoker.getInterface(); } @Override public URL getUrl() { return originalInvoker.getUrl(); } @Override public boolean isAvailable() { return originalInvoker.isAvailable(); } @Override public Result invoke(Invocation invocation) throws RpcException { Result asyncResult; try { InvocationProfilerUtils.enterDetailProfiler( invocation, () -> "Filter " + filter.getClass().getName() + " invoke."); asyncResult = filter.invoke(nextNode, invocation); if (!(asyncResult instanceof AsyncRpcResult)) { String msg = "The result of filter invocation must be AsyncRpcResult. (If you want to recreate a result, please use AsyncRpcResult.newDefaultAsyncResult.) " + "Filter class: " + filter.getClass().getName() + ". Result class: " + asyncResult.getClass().getName() + "."; LOGGER.error(INTERNAL_ERROR, "", "", msg); throw new RpcException(msg); } } catch (Exception e) { InvocationProfilerUtils.releaseDetailProfiler(invocation); if (filter instanceof ListenableFilter) { ListenableFilter listenableFilter = ((ListenableFilter) filter); try { Filter.Listener listener = listenableFilter.listener(invocation); if (listener != null) { listener.onError(e, originalInvoker, invocation); } } finally { listenableFilter.removeListener(invocation); } } else if (filter instanceof FILTER.Listener) { FILTER.Listener listener = (FILTER.Listener) filter; listener.onError(e, originalInvoker, invocation); } throw e; } finally { } return asyncResult; } @Override public void destroy() { originalInvoker.destroy(); } @Override public String toString() { return originalInvoker.toString(); } } @Experimental( "Works for the same purpose as ClusterFilterChainNode, replace ClusterFilterChainNode with this one when proved stable enough") class CopyOfClusterFilterChainNode<T, TYPE extends ClusterInvoker<T>, FILTER extends BaseFilter> extends CopyOfFilterChainNode<T, TYPE, FILTER> implements ClusterInvoker<T> { public CopyOfClusterFilterChainNode(TYPE originalInvoker, Invoker<T> nextNode, FILTER filter) { super(originalInvoker, nextNode, filter); } @Override public URL getRegistryUrl() { return getOriginalInvoker().getRegistryUrl(); } @Override public Directory<T> getDirectory() { return getOriginalInvoker().getDirectory(); } @Override public boolean isDestroyed() { return getOriginalInvoker().isDestroyed(); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/ProtocolFilterWrapper.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/ProtocolFilterWrapper.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.constants.CommonConstants; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.common.utils.UrlUtils; import org.apache.dubbo.rpc.Exporter; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Protocol; import org.apache.dubbo.rpc.ProtocolServer; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.model.ScopeModelUtil; import java.util.List; import static org.apache.dubbo.common.constants.CommonConstants.REFERENCE_FILTER_KEY; import static org.apache.dubbo.common.constants.CommonConstants.SERVICE_FILTER_KEY; @Activate(order = 100) public class ProtocolFilterWrapper implements Protocol { private final Protocol protocol; public ProtocolFilterWrapper(Protocol protocol) { if (protocol == null) { throw new IllegalArgumentException("protocol == null"); } this.protocol = protocol; } @Override public int getDefaultPort() { return protocol.getDefaultPort(); } @Override public <T> Exporter<T> export(Invoker<T> invoker) throws RpcException { if (UrlUtils.isRegistry(invoker.getUrl())) { return protocol.export(invoker); } FilterChainBuilder builder = getFilterChainBuilder(invoker.getUrl()); return protocol.export(builder.buildInvokerChain(invoker, SERVICE_FILTER_KEY, CommonConstants.PROVIDER)); } private <T> FilterChainBuilder getFilterChainBuilder(URL url) { return ScopeModelUtil.getExtensionLoader(FilterChainBuilder.class, url.getScopeModel()) .getDefaultExtension(); } @Override public <T> Invoker<T> refer(Class<T> type, URL url) throws RpcException { if (UrlUtils.isRegistry(url)) { return protocol.refer(type, url); } FilterChainBuilder builder = getFilterChainBuilder(url); return builder.buildInvokerChain(protocol.refer(type, url), REFERENCE_FILTER_KEY, CommonConstants.CONSUMER); } @Override public void destroy() { protocol.destroy(); } @Override public List<ProtocolServer> getServers() { return protocol.getServers(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/CallbackConsumerContextFilter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/CallbackConsumerContextFilter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter.support; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.rpc.Filter; import org.apache.dubbo.rpc.model.ApplicationModel; import static org.apache.dubbo.common.constants.CommonConstants.CALLBACK; /** * CallbackConsumerContextFilter set current RpcContext with invoker,invocation, local host, remote host and port * for consumer callback invoker.It does it to make the requires info available to execution thread's RpcContext. * @see ConsumerContextFilter */ @Activate(group = CALLBACK, order = Integer.MIN_VALUE) public class CallbackConsumerContextFilter extends ConsumerContextFilter implements Filter { public CallbackConsumerContextFilter(ApplicationModel applicationModel) { super(applicationModel); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/MetricsConsumerFilter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/MetricsConsumerFilter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter.support; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.metrics.filter.MetricsFilter; import org.apache.dubbo.rpc.BaseFilter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.filter.ClusterFilter; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; @Activate( group = {CONSUMER}, order = Integer.MIN_VALUE + 100) public class MetricsConsumerFilter extends MetricsFilter implements ClusterFilter, BaseFilter.Listener { public MetricsConsumerFilter() {} @Override public Result invoke(Invoker<?> invoker, Invocation invocation) throws RpcException { return super.invoke(invoker, invocation, false); } @Override public void onResponse(Result appResponse, Invoker<?> invoker, Invocation invocation) { super.onResponse(appResponse, invoker, invocation, false); } @Override public void onError(Throwable t, Invoker<?> invoker, Invocation invocation) { super.onError(t, invoker, invocation, false); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/ConsumerClassLoaderFilter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/ConsumerClassLoaderFilter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter.support; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.filter.ClusterFilter; import org.apache.dubbo.rpc.model.ServiceModel; import java.util.Optional; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; @Activate(group = CONSUMER, order = Integer.MIN_VALUE + 100) public class ConsumerClassLoaderFilter implements ClusterFilter { @Override public Result invoke(Invoker<?> invoker, Invocation invocation) throws RpcException { ClassLoader originClassLoader = Thread.currentThread().getContextClassLoader(); try { Optional.ofNullable(invocation.getServiceModel()) .map(ServiceModel::getClassLoader) .ifPresent(Thread.currentThread()::setContextClassLoader); return invoker.invoke(invocation); } finally { Thread.currentThread().setContextClassLoader(originClassLoader); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/ConsumerContextFilter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/filter/support/ConsumerContextFilter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.filter.support; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.common.extension.ExtensionLoader; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.AsyncRpcResult; import org.apache.dubbo.rpc.Filter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.InvokeMode; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.PenetrateAttachmentSelector; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.RpcInvocation; import org.apache.dubbo.rpc.TimeoutCountDown; import org.apache.dubbo.rpc.cluster.filter.ClusterFilter; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.Map; import java.util.Set; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; import static org.apache.dubbo.common.constants.CommonConstants.ENABLE_TIMEOUT_COUNTDOWN_KEY; import static org.apache.dubbo.common.constants.CommonConstants.REMOTE_APPLICATION_KEY; import static org.apache.dubbo.common.constants.CommonConstants.TIME_COUNTDOWN_KEY; /** * ConsumerContextFilter set current RpcContext with invoker,invocation, local host, remote host and port * for consumer invoker.It does it to make the requires info available to execution thread's RpcContext. * * @see Filter * @see RpcContext */ @Activate(group = CONSUMER, order = Integer.MIN_VALUE) public class ConsumerContextFilter implements ClusterFilter, ClusterFilter.Listener { private Set<PenetrateAttachmentSelector> supportedSelectors; public ConsumerContextFilter(ApplicationModel applicationModel) { ExtensionLoader<PenetrateAttachmentSelector> selectorExtensionLoader = applicationModel.getExtensionLoader(PenetrateAttachmentSelector.class); supportedSelectors = selectorExtensionLoader.getSupportedExtensionInstances(); } @Override public Result invoke(Invoker<?> invoker, Invocation invocation) throws RpcException { RpcContext.getServiceContext().setInvoker(invoker).setInvocation(invocation); RpcContext context = RpcContext.getClientAttachment(); context.setAttachment(REMOTE_APPLICATION_KEY, invoker.getUrl().getApplication()); if (invocation instanceof RpcInvocation) { ((RpcInvocation) invocation).setInvoker(invoker); } if (CollectionUtils.isNotEmpty(supportedSelectors)) { for (PenetrateAttachmentSelector supportedSelector : supportedSelectors) { Map<String, Object> selected = supportedSelector.select( invocation, RpcContext.getClientAttachment(), RpcContext.getServerAttachment()); if (CollectionUtils.isNotEmptyMap(selected)) { ((RpcInvocation) invocation).addObjectAttachments(selected); } } } else { ((RpcInvocation) invocation) .addObjectAttachments(RpcContext.getServerAttachment().getObjectAttachments()); } Map<String, Object> contextAttachments = RpcContext.getClientAttachment().getObjectAttachments(); if (CollectionUtils.isNotEmptyMap(contextAttachments)) { /** * invocation.addAttachmentsIfAbsent(context){@link RpcInvocation#addAttachmentsIfAbsent(Map)}should not be used here, * because the {@link RpcContext#setAttachment(String, String)} is passed in the Filter when the call is triggered * by the built-in retry mechanism of the Dubbo. The attachment to update RpcContext will no longer work, which is * a mistake in most cases (for example, through Filter to RpcContext output traceId and spanId and other information). */ ((RpcInvocation) invocation).addObjectAttachments(contextAttachments); } // pass default timeout set by end user (ReferenceConfig) Object countDown = RpcContext.getServerAttachment().getObjectAttachment(TIME_COUNTDOWN_KEY); if (countDown != null) { String methodName = RpcUtils.getMethodName(invocation); // When the client has enabled the timeout-countdown function, // the subsequent calls launched by the Server side will be enabled by default, // and support to turn off the function on a node to get rid of the timeout control. if (invoker.getUrl().getMethodParameter(methodName, ENABLE_TIMEOUT_COUNTDOWN_KEY, true)) { context.setObjectAttachment(TIME_COUNTDOWN_KEY, countDown); TimeoutCountDown timeoutCountDown = (TimeoutCountDown) countDown; if (timeoutCountDown.isExpired()) { return AsyncRpcResult.newDefaultAsyncResult( new RpcException( RpcException.TIMEOUT_TERMINATE, "No time left for making the following call: " + invocation.getServiceName() + "." + RpcUtils.getMethodName(invocation) + ", terminate directly."), invocation); } } } RpcContext.removeClientResponseContext(); return invoker.invoke(invocation); } @Override public void onResponse(Result appResponse, Invoker<?> invoker, Invocation invocation) { // pass attachments to result Map<String, Object> map = appResponse.getObjectAttachments(); RpcContext.getClientResponseContext().setObjectAttachments(map); removeContext(invocation); } @Override public void onError(Throwable t, Invoker<?> invoker, Invocation invocation) { removeContext(invocation); } private void removeContext(Invocation invocation) { RpcContext.removeClientAttachment(); if (invocation instanceof RpcInvocation) { RpcInvocation rpcInvocation = (RpcInvocation) invocation; if (rpcInvocation.getInvokeMode() != null) { // clear service context if not in sync mode if (rpcInvocation.getInvokeMode() == InvokeMode.ASYNC || rpcInvocation.getInvokeMode() == InvokeMode.FUTURE) { RpcContext.removeServiceContext(); } } } // server context must not be removed because user might use it on callback. // So the clear of is delayed til the start of the next rpc call, see RpcContext.removeServerContext(); in // invoke() above // RpcContext.removeServerContext(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/directory/AbstractDirectory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/directory/AbstractDirectory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.directory; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.Version; import org.apache.dubbo.common.config.Configuration; import org.apache.dubbo.common.config.ConfigurationUtils; import org.apache.dubbo.common.constants.LoggerCodeConstants; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.threadpool.manager.FrameworkExecutorRepository; import org.apache.dubbo.common.utils.ConcurrentHashSet; import org.apache.dubbo.common.utils.LockUtils; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.metrics.event.MetricsEventBus; import org.apache.dubbo.metrics.model.key.MetricsKey; import org.apache.dubbo.metrics.registry.event.RegistryEvent; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.Router; import org.apache.dubbo.rpc.cluster.RouterChain; import org.apache.dubbo.rpc.cluster.SingleRouterChain; import org.apache.dubbo.rpc.cluster.router.state.BitList; import org.apache.dubbo.rpc.cluster.support.ClusterUtils; import org.apache.dubbo.rpc.model.ApplicationModel; import java.util.ArrayList; import java.util.Collection; import java.util.Collections; import java.util.HashMap; import java.util.LinkedList; import java.util.List; import java.util.Map; import java.util.Set; import java.util.concurrent.CopyOnWriteArrayList; import java.util.concurrent.ScheduledExecutorService; import java.util.concurrent.ScheduledFuture; import java.util.concurrent.Semaphore; import java.util.concurrent.ThreadLocalRandom; import java.util.concurrent.TimeUnit; import java.util.concurrent.atomic.AtomicBoolean; import java.util.concurrent.locks.ReentrantLock; import java.util.stream.Collectors; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_RECONNECT_TASK_PERIOD; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_RECONNECT_TASK_TRY_COUNT; import static org.apache.dubbo.common.constants.CommonConstants.INTERFACE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.MONITOR_KEY; import static org.apache.dubbo.common.constants.CommonConstants.PATH_KEY; import static org.apache.dubbo.common.constants.CommonConstants.PROTOCOL_KEY; import static org.apache.dubbo.common.constants.CommonConstants.RECONNECT_TASK_PERIOD; import static org.apache.dubbo.common.constants.CommonConstants.RECONNECT_TASK_TRY_COUNT; import static org.apache.dubbo.common.constants.CommonConstants.REGISTER_IP_KEY; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_NO_VALID_PROVIDER; import static org.apache.dubbo.common.utils.StringUtils.isNotEmpty; import static org.apache.dubbo.rpc.cluster.Constants.CONSUMER_URL_KEY; import static org.apache.dubbo.rpc.cluster.Constants.REFER_KEY; /** * Abstract implementation of Directory: Invoker list returned from this Directory's list method have been filtered by Routers */ public abstract class AbstractDirectory<T> implements Directory<T> { // logger private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(AbstractDirectory.class); private final URL url; private volatile boolean destroyed = false; protected volatile URL consumerUrl; protected RouterChain<T> routerChain; protected final Map<String, String> queryMap; /** * Invokers initialized flag. */ private volatile boolean invokersInitialized = false; /** * All invokers from registry */ private volatile BitList<Invoker<T>> invokers = BitList.emptyList(); /** * Valid Invoker. All invokers from registry exclude unavailable and disabled invokers. */ private volatile BitList<Invoker<T>> validInvokers = BitList.emptyList(); /** * Waiting to reconnect invokers. */ protected volatile List<Invoker<T>> invokersToReconnect = new CopyOnWriteArrayList<>(); /** * Disabled Invokers. Will not be recovered in reconnect task, but be recovered if registry remove it. */ protected final Set<Invoker<T>> disabledInvokers = new ConcurrentHashSet<>(); private final Semaphore checkConnectivityPermit = new Semaphore(1); private final ScheduledExecutorService connectivityExecutor; private volatile ScheduledFuture<?> connectivityCheckFuture; private final ReentrantLock invokerRefreshLock = new ReentrantLock(); /** * The max count of invokers for each reconnect task select to try to reconnect. */ private final int reconnectTaskTryCount; /** * The period of reconnect task if needed. (in ms) */ private final int reconnectTaskPeriod; private ApplicationModel applicationModel; public AbstractDirectory(URL url) { this(url, null, false); } public AbstractDirectory(URL url, boolean isUrlFromRegistry) { this(url, null, isUrlFromRegistry); } public AbstractDirectory(URL url, RouterChain<T> routerChain, boolean isUrlFromRegistry) { if (url == null) { throw new IllegalArgumentException("url == null"); } this.url = url.removeAttribute(REFER_KEY).removeAttribute(MONITOR_KEY); Map<String, String> queryMap; Object referParams = url.getAttribute(REFER_KEY); if (referParams instanceof Map) { queryMap = (Map<String, String>) referParams; this.consumerUrl = (URL) url.getAttribute(CONSUMER_URL_KEY); } else { queryMap = StringUtils.parseQueryString(url.getParameterAndDecoded(REFER_KEY)); } // remove some local only parameters applicationModel = url.getOrDefaultApplicationModel(); this.queryMap = applicationModel.getBeanFactory().getBean(ClusterUtils.class).mergeLocalParams(queryMap); if (consumerUrl == null) { String host = isNotEmpty(queryMap.get(REGISTER_IP_KEY)) ? queryMap.get(REGISTER_IP_KEY) : this.url.getHost(); String path = isNotEmpty(queryMap.get(PATH_KEY)) ? queryMap.get(PATH_KEY) : queryMap.get(INTERFACE_KEY); String consumedProtocol = isNotEmpty(queryMap.get(PROTOCOL_KEY)) ? queryMap.get(PROTOCOL_KEY) : CONSUMER; URL consumerUrlFrom = this.url .setHost(host) .setPort(0) .setProtocol(consumedProtocol) .setPath(path); if (isUrlFromRegistry) { // reserve parameters if url is already a consumer url consumerUrlFrom = consumerUrlFrom.clearParameters(); } this.consumerUrl = consumerUrlFrom.addParameters(queryMap); } this.connectivityExecutor = applicationModel .getFrameworkModel() .getBeanFactory() .getBean(FrameworkExecutorRepository.class) .getConnectivityScheduledExecutor(); Configuration configuration = ConfigurationUtils.getGlobalConfiguration(url.getOrDefaultModuleModel()); this.reconnectTaskTryCount = configuration.getInt(RECONNECT_TASK_TRY_COUNT, DEFAULT_RECONNECT_TASK_TRY_COUNT); this.reconnectTaskPeriod = configuration.getInt(RECONNECT_TASK_PERIOD, DEFAULT_RECONNECT_TASK_PERIOD); setRouterChain(routerChain); } @Override public List<Invoker<T>> list(Invocation invocation) throws RpcException { if (destroyed) { throw new RpcException( "Directory of type " + this.getClass().getSimpleName() + " already destroyed for service " + getConsumerUrl().getServiceKey() + " from registry " + getUrl()); } BitList<Invoker<T>> availableInvokers; SingleRouterChain<T> singleChain = null; try { try { if (routerChain != null) { routerChain.getLock().readLock().lock(); } // use clone to avoid being modified at doList(). if (invokersInitialized) { availableInvokers = validInvokers.clone(); } else { availableInvokers = invokers.clone(); } if (routerChain != null) { singleChain = routerChain.getSingleChain(getConsumerUrl(), availableInvokers, invocation); singleChain.getLock().readLock().lock(); } } finally { if (routerChain != null) { routerChain.getLock().readLock().unlock(); } } List<Invoker<T>> routedResult = doList(singleChain, availableInvokers, invocation); if (routedResult.isEmpty()) { // 2-2 - No provider available. logger.warn( CLUSTER_NO_VALID_PROVIDER, "provider server or registry center crashed", "", "No provider available after connectivity filter for the service " + getConsumerUrl().getServiceKey() + " All routed invokers' size: " + routedResult.size() + " from registry " + this + " on the consumer " + NetUtils.getLocalHost() + " using the dubbo version " + Version.getVersion() + "."); } return Collections.unmodifiableList(routedResult); } finally { if (singleChain != null) { singleChain.getLock().readLock().unlock(); } } } @Override public URL getUrl() { return url; } public RouterChain<T> getRouterChain() { return routerChain; } public void setRouterChain(RouterChain<T> routerChain) { this.routerChain = routerChain; } protected void addRouters(List<Router> routers) { routers = routers == null ? Collections.emptyList() : routers; routerChain.addRouters(routers); } public URL getConsumerUrl() { return consumerUrl; } public void setConsumerUrl(URL consumerUrl) { this.consumerUrl = consumerUrl; } @Override public boolean isDestroyed() { return destroyed; } @Override public void destroy() { destroyed = true; destroyInvokers(); invokersToReconnect.clear(); disabledInvokers.clear(); } @Override public void discordAddresses() { // do nothing by default } @Override public void addInvalidateInvoker(Invoker<T> invoker) { LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { // 1. remove this invoker from validInvokers list, this invoker will not be listed in the next time if (removeValidInvoker(invoker)) { // 2. add this invoker to reconnect list invokersToReconnect.add(invoker); // 3. try start check connectivity task checkConnectivity(); logger.info("The invoker " + invoker.getUrl() + " has been added to invalidate list due to connectivity problem. " + "Will trying to reconnect to it in the background."); } }); } public void checkConnectivity() { // try to submit task, to ensure there is only one task at most for each directory if (checkConnectivityPermit.tryAcquire()) { this.connectivityCheckFuture = connectivityExecutor.schedule( () -> { try { if (isDestroyed()) { return; } RpcContext.getServiceContext().setConsumerUrl(getConsumerUrl()); List<Invoker<T>> needDeleteList = new ArrayList<>(); List<Invoker<T>> invokersToTry = new ArrayList<>(); // 1. pick invokers from invokersToReconnect // limit max reconnectTaskTryCount, prevent this task hang up all the connectivityExecutor // for long time LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { if (invokersToReconnect.size() < reconnectTaskTryCount) { invokersToTry.addAll(invokersToReconnect); } else { for (int i = 0; i < reconnectTaskTryCount; i++) { Invoker<T> tInvoker = invokersToReconnect.get( ThreadLocalRandom.current().nextInt(invokersToReconnect.size())); if (!invokersToTry.contains(tInvoker)) { // ignore if is selected, invokersToTry's size is always smaller than // reconnectTaskTryCount + 1 invokersToTry.add(tInvoker); } } } }); // 2. try to check the invoker's status for (Invoker<T> invoker : invokersToTry) { AtomicBoolean invokerExist = new AtomicBoolean(false); LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { invokerExist.set(invokers.contains(invoker)); }); // Should not lock here, `invoker.isAvailable` may need some time to check if (invokerExist.get()) { if (invoker.isAvailable()) { needDeleteList.add(invoker); } } else { needDeleteList.add(invoker); } } // 3. recover valid invoker LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { for (Invoker<T> tInvoker : needDeleteList) { if (invokers.contains(tInvoker)) { addValidInvoker(tInvoker); logger.info("Recover service address: " + tInvoker.getUrl() + " from invalid list."); } else { logger.info( "The invoker " + tInvoker.getUrl() + " has been removed from invokers list. Will remove it in reconnect list."); } invokersToReconnect.remove(tInvoker); } }); } catch (Throwable t) { logger.error( LoggerCodeConstants.INTERNAL_ERROR, "", "", "Error occurred when check connectivity. ", t); } finally { checkConnectivityPermit.release(); } // 4. submit new task if it has more to recover LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { if (!invokersToReconnect.isEmpty()) { checkConnectivity(); } }); MetricsEventBus.publish(RegistryEvent.refreshDirectoryEvent( applicationModel, getSummary(), getDirectoryMeta())); }, reconnectTaskPeriod, TimeUnit.MILLISECONDS); } MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); } /** * Refresh invokers from total invokers * 1. all the invokers in need to reconnect list should be removed in the valid invokers list * 2. all the invokers in disabled invokers list should be removed in the valid invokers list * 3. all the invokers disappeared from total invokers should be removed in the need to reconnect list * 4. all the invokers disappeared from total invokers should be removed in the disabled invokers list */ public void refreshInvoker() { LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { if (invokersInitialized) { refreshInvokerInternal(); } }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); } protected Map<String, String> getDirectoryMeta() { return Collections.emptyMap(); } private void refreshInvokerInternal() { BitList<Invoker<T>> copiedInvokers = invokers.clone(); refreshInvokers(copiedInvokers, invokersToReconnect); refreshInvokers(copiedInvokers, disabledInvokers); validInvokers = copiedInvokers; } private void refreshInvokers(BitList<Invoker<T>> targetInvokers, Collection<Invoker<T>> invokersToRemove) { List<Invoker<T>> needToRemove = new LinkedList<>(); for (Invoker<T> tInvoker : invokersToRemove) { if (targetInvokers.contains(tInvoker)) { targetInvokers.remove(tInvoker); } else { needToRemove.add(tInvoker); } } invokersToRemove.removeAll(needToRemove); } @Override public void addDisabledInvoker(Invoker<T> invoker) { LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { if (invokers.contains(invoker)) { disabledInvokers.add(invoker); removeValidInvoker(invoker); logger.info("Disable service address: " + invoker.getUrl() + "."); } }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); } @Override public void recoverDisabledInvoker(Invoker<T> invoker) { LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { if (disabledInvokers.remove(invoker)) { try { addValidInvoker(invoker); logger.info("Recover service address: " + invoker.getUrl() + " from disabled list."); } catch (Throwable ignore) { } } }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); } protected final void refreshRouter(BitList<Invoker<T>> newlyInvokers, Runnable switchAction) { try { routerChain.setInvokers(newlyInvokers.clone(), switchAction); } catch (Throwable t) { logger.error( LoggerCodeConstants.INTERNAL_ERROR, "", "", "Error occurred when refreshing router chain. " + "The addresses from notification: " + newlyInvokers.stream() .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(", ")), t); throw t; } } /** * for ut only */ @Deprecated public Semaphore getCheckConnectivityPermit() { return checkConnectivityPermit; } /** * for ut only */ @Deprecated public ScheduledFuture<?> getConnectivityCheckFuture() { return connectivityCheckFuture; } public BitList<Invoker<T>> getInvokers() { // return clone to avoid being modified. return invokers.clone(); } public BitList<Invoker<T>> getValidInvokers() { // return clone to avoid being modified. return validInvokers.clone(); } public List<Invoker<T>> getInvokersToReconnect() { return invokersToReconnect; } public Set<Invoker<T>> getDisabledInvokers() { return disabledInvokers; } protected void setInvokers(BitList<Invoker<T>> invokers) { LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { this.invokers = invokers; refreshInvokerInternal(); this.invokersInitialized = true; }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); } protected void destroyInvokers() { // set empty instead of clearing to support concurrent access. LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { this.invokers = BitList.emptyList(); this.validInvokers = BitList.emptyList(); this.invokersInitialized = false; }); } private boolean addValidInvoker(Invoker<T> invoker) { AtomicBoolean result = new AtomicBoolean(false); LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { result.set(this.validInvokers.add(invoker)); }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); return result.get(); } private boolean removeValidInvoker(Invoker<T> invoker) { AtomicBoolean result = new AtomicBoolean(false); LockUtils.safeLock(invokerRefreshLock, LockUtils.DEFAULT_TIMEOUT, () -> { result.set(this.validInvokers.remove(invoker)); }); MetricsEventBus.publish( RegistryEvent.refreshDirectoryEvent(applicationModel, getSummary(), getDirectoryMeta())); return result.get(); } protected abstract List<Invoker<T>> doList( SingleRouterChain<T> singleRouterChain, BitList<Invoker<T>> invokers, Invocation invocation) throws RpcException; protected String joinValidInvokerAddresses() { BitList<Invoker<T>> validInvokers = getValidInvokers().clone(); if (validInvokers.isEmpty()) { return "empty"; } return validInvokers.stream() .limit(5) .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(",")); } private Map<MetricsKey, Map<String, Integer>> getSummary() { Map<MetricsKey, Map<String, Integer>> summaryMap = new HashMap<>(); summaryMap.put(MetricsKey.DIRECTORY_METRIC_NUM_VALID, groupByServiceKey(getValidInvokers())); summaryMap.put(MetricsKey.DIRECTORY_METRIC_NUM_DISABLE, groupByServiceKey(getDisabledInvokers())); summaryMap.put(MetricsKey.DIRECTORY_METRIC_NUM_TO_RECONNECT, groupByServiceKey(getInvokersToReconnect())); summaryMap.put(MetricsKey.DIRECTORY_METRIC_NUM_ALL, groupByServiceKey(getInvokers())); return summaryMap; } private Map<String, Integer> groupByServiceKey(Collection<Invoker<T>> invokers) { return Collections.singletonMap(getConsumerUrl().getServiceKey(), invokers.size()); } @Override public String toString() { return "Directory(" + "invokers: " + invokers.size() + "[" + invokers.stream() .map(Invoker::getUrl) .map(URL::getAddress) .limit(3) .collect(Collectors.joining(", ")) + "]" + ", validInvokers: " + validInvokers.size() + "[" + validInvokers.stream() .map(Invoker::getUrl) .map(URL::getAddress) .limit(3) .collect(Collectors.joining(", ")) + "]" + ", invokersToReconnect: " + invokersToReconnect.size() + "[" + invokersToReconnect.stream() .map(Invoker::getUrl) .map(URL::getAddress) .limit(3) .collect(Collectors.joining(", ")) + "]" + ')'; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/directory/StaticDirectory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/directory/StaticDirectory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.directory; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.RouterChain; import org.apache.dubbo.rpc.cluster.SingleRouterChain; import org.apache.dubbo.rpc.cluster.router.state.BitList; import java.util.HashMap; import java.util.List; import java.util.Map; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_SITE_SELECTION; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTER_MODE_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTRY_KEY; /** * StaticDirectory */ public class StaticDirectory<T> extends AbstractDirectory<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(StaticDirectory.class); private final Class<T> interfaceClass; public StaticDirectory(List<Invoker<T>> invokers) { this(null, invokers, null); } public StaticDirectory(List<Invoker<T>> invokers, RouterChain<T> routerChain) { this(null, invokers, routerChain); } public StaticDirectory(URL url, List<Invoker<T>> invokers) { this(url, invokers, null); } public StaticDirectory(URL url, List<Invoker<T>> invokers, RouterChain<T> routerChain) { super( url == null && CollectionUtils.isNotEmpty(invokers) ? invokers.get(0).getUrl() : url, routerChain, false); if (CollectionUtils.isEmpty(invokers)) { throw new IllegalArgumentException("invokers == null"); } this.setInvokers(new BitList<>(invokers)); this.interfaceClass = invokers.get(0).getInterface(); } @Override public Class<T> getInterface() { return interfaceClass; } @Override public List<Invoker<T>> getAllInvokers() { return getInvokers(); } @Override public boolean isAvailable() { if (isDestroyed()) { return false; } for (Invoker<T> invoker : getValidInvokers()) { if (invoker.isAvailable()) { return true; } else { addInvalidateInvoker(invoker); } } return false; } @Override public void destroy() { if (isDestroyed()) { return; } for (Invoker<T> invoker : getInvokers()) { invoker.destroy(); } super.destroy(); } public void buildRouterChain() { RouterChain<T> routerChain = RouterChain.buildChain(getInterface(), getUrl()); routerChain.setInvokers(getInvokers(), () -> {}); this.setRouterChain(routerChain); } public void notify(List<Invoker<T>> invokers) { BitList<Invoker<T>> bitList = new BitList<>(invokers); if (routerChain != null) { refreshRouter(bitList.clone(), () -> this.setInvokers(bitList)); } else { this.setInvokers(bitList); } } @Override protected List<Invoker<T>> doList( SingleRouterChain<T> singleRouterChain, BitList<Invoker<T>> invokers, Invocation invocation) throws RpcException { if (singleRouterChain != null) { try { List<Invoker<T>> finalInvokers = singleRouterChain.route(getConsumerUrl(), invokers, invocation); return finalInvokers == null ? BitList.emptyList() : finalInvokers; } catch (Throwable t) { logger.error( CLUSTER_FAILED_SITE_SELECTION, "Failed to execute router", "", "Failed to execute router: " + getUrl() + ", cause: " + t.getMessage(), t); return BitList.emptyList(); } } return invokers; } @Override protected Map<String, String> getDirectoryMeta() { Map<String, String> metas = new HashMap<>(); metas.put(REGISTRY_KEY, "static"); metas.put(REGISTER_MODE_KEY, "static"); return metas; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/MapMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/MapMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Collections; import java.util.HashMap; import java.util.Map; import java.util.Objects; import java.util.stream.Stream; public class MapMerger implements Merger<Map<?, ?>> { @Override public Map<?, ?> merge(Map<?, ?>... items) { if (ArrayUtils.isEmpty(items)) { return Collections.emptyMap(); } Map<Object, Object> result = new HashMap<>(); Stream.of(items).filter(Objects::nonNull).forEach(result::putAll); return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.lang.reflect.Array; public class ArrayMerger implements Merger<Object[]> { public static final ArrayMerger INSTANCE = new ArrayMerger(); @Override public Object[] merge(Object[]... items) { if (ArrayUtils.isEmpty(items)) { return new Object[0]; } int i = 0; while (i < items.length && items[i] == null) { i++; } if (i == items.length) { return new Object[0]; } Class<?> type = items[i].getClass().getComponentType(); int totalLen = 0; for (; i < items.length; i++) { if (items[i] == null) { continue; } Class<?> itemType = items[i].getClass().getComponentType(); if (itemType != type) { throw new IllegalArgumentException("Arguments' types are different"); } totalLen += items[i].length; } if (totalLen == 0) { return new Object[0]; } Object result = Array.newInstance(type, totalLen); int index = 0; for (Object[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return (Object[]) result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/CharArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/CharArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; public class CharArrayMerger implements Merger<char[]> { @Override public char[] merge(char[]... items) { if (ArrayUtils.isEmpty(items)) { return new char[0]; } int total = 0; for (char[] array : items) { if (array != null) { total += array.length; } } char[] result = new char[total]; int index = 0; for (char[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/DoubleArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/DoubleArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Arrays; import java.util.Objects; public class DoubleArrayMerger implements Merger<double[]> { @Override public double[] merge(double[]... items) { if (ArrayUtils.isEmpty(items)) { return new double[0]; } return Arrays.stream(items) .filter(Objects::nonNull) .flatMapToDouble(Arrays::stream) .toArray(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ListMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ListMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Collection; import java.util.Collections; import java.util.List; import java.util.Objects; import java.util.stream.Collectors; import java.util.stream.Stream; public class ListMerger implements Merger<List<?>> { @Override public List<Object> merge(List<?>... items) { if (ArrayUtils.isEmpty(items)) { return Collections.emptyList(); } return Stream.of(items) .filter(Objects::nonNull) .flatMap(Collection::stream) .collect(Collectors.toList()); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ShortArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ShortArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; public class ShortArrayMerger implements Merger<short[]> { @Override public short[] merge(short[]... items) { if (ArrayUtils.isEmpty(items)) { return new short[0]; } int total = 0; for (short[] array : items) { if (array != null) { total += array.length; } } short[] result = new short[total]; int index = 0; for (short[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/SetMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/SetMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Collections; import java.util.HashSet; import java.util.Objects; import java.util.Set; import java.util.stream.Stream; public class SetMerger implements Merger<Set<?>> { @Override public Set<Object> merge(Set<?>... items) { if (ArrayUtils.isEmpty(items)) { return Collections.emptySet(); } Set<Object> result = new HashSet<>(); Stream.of(items).filter(Objects::nonNull).forEach(result::addAll); return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/LongArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/LongArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Arrays; import java.util.Objects; public class LongArrayMerger implements Merger<long[]> { @Override public long[] merge(long[]... items) { if (ArrayUtils.isEmpty(items)) { return new long[0]; } return Arrays.stream(items) .filter(Objects::nonNull) .flatMapToLong(Arrays::stream) .toArray(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/BooleanArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/BooleanArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; public class BooleanArrayMerger implements Merger<boolean[]> { @Override public boolean[] merge(boolean[]... items) { if (ArrayUtils.isEmpty(items)) { return new boolean[0]; } int totalLen = 0; for (boolean[] array : items) { if (array != null) { totalLen += array.length; } } boolean[] result = new boolean[totalLen]; int index = 0; for (boolean[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/IntArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/IntArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; import java.util.Arrays; import java.util.Objects; public class IntArrayMerger implements Merger<int[]> { @Override public int[] merge(int[]... items) { if (ArrayUtils.isEmpty(items)) { return new int[0]; } return Arrays.stream(items) .filter(Objects::nonNull) .flatMapToInt(Arrays::stream) .toArray(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/FloatArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/FloatArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; public class FloatArrayMerger implements Merger<float[]> { @Override public float[] merge(float[]... items) { if (ArrayUtils.isEmpty(items)) { return new float[0]; } int total = 0; for (float[] array : items) { if (array != null) { total += array.length; } } float[] result = new float[total]; int index = 0; for (float[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ByteArrayMerger.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/ByteArrayMerger.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.utils.ArrayUtils; import org.apache.dubbo.rpc.cluster.Merger; public class ByteArrayMerger implements Merger<byte[]> { @Override public byte[] merge(byte[]... items) { if (ArrayUtils.isEmpty(items)) { return new byte[0]; } int total = 0; for (byte[] array : items) { if (array != null) { total += array.length; } } byte[] result = new byte[total]; int index = 0; for (byte[] array : items) { if (array != null) { System.arraycopy(array, 0, result, index, array.length); index += array.length; } } return result; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/MergerFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/merger/MergerFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.merger; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.TypeUtils; import org.apache.dubbo.rpc.cluster.Merger; import org.apache.dubbo.rpc.model.ScopeModel; import org.apache.dubbo.rpc.model.ScopeModelAware; import java.lang.reflect.ParameterizedType; import java.lang.reflect.Type; import java.util.Set; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_LOAD_MERGER; public class MergerFactory implements ScopeModelAware { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(MergerFactory.class); private ConcurrentMap<Class<?>, Merger<?>> MERGER_CACHE = new ConcurrentHashMap<>(); private ScopeModel scopeModel; @Override public void setScopeModel(ScopeModel scopeModel) { this.scopeModel = scopeModel; } /** * Find the merger according to the returnType class, the merger will * merge an array of returnType into one * * @param returnType the merger will return this type * @return the merger which merges an array of returnType into one, return null if not exist * @throws IllegalArgumentException if returnType is null */ public <T> Merger<T> getMerger(Class<T> returnType) { if (returnType == null) { throw new IllegalArgumentException("returnType is null"); } if (CollectionUtils.isEmptyMap(MERGER_CACHE)) { loadMergers(); } Merger merger = MERGER_CACHE.get(returnType); if (merger == null && returnType.isArray()) { merger = ArrayMerger.INSTANCE; } return merger; } private void loadMergers() { Set<String> names = scopeModel.getExtensionLoader(Merger.class).getSupportedExtensions(); for (String name : names) { Merger m = scopeModel.getExtensionLoader(Merger.class).getExtension(name); Class<?> actualTypeArg = getActualTypeArgument(m.getClass()); if (actualTypeArg == null) { logger.warn( CLUSTER_FAILED_LOAD_MERGER, "load merger config failed", "", "Failed to get actual type argument from merger " + m.getClass().getName()); continue; } MERGER_CACHE.putIfAbsent(actualTypeArg, m); } } /** * get merger's actual type argument (same as return type) * @param mergerCls * @return */ private Class<?> getActualTypeArgument(Class<? extends Merger> mergerCls) { Class<?> superClass = mergerCls; while (superClass != Object.class) { Type[] interfaceTypes = superClass.getGenericInterfaces(); ParameterizedType mergerType; for (Type it : interfaceTypes) { if (it instanceof ParameterizedType && (mergerType = ((ParameterizedType) it)).getRawType() == Merger.class) { Type typeArg = mergerType.getActualTypeArguments()[0]; return TypeUtils.getRawClass(typeArg); } } superClass = superClass.getSuperclass(); } return null; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/interceptor/ClusterInterceptor.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/interceptor/ClusterInterceptor.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.interceptor; import org.apache.dubbo.common.extension.SPI; import org.apache.dubbo.rpc.Filter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.support.AbstractClusterInvoker; /** * Different from {@link Filter}, ClusterInterceptor works at the outmost layer, before one specific address/invoker is picked. */ @Deprecated @SPI public interface ClusterInterceptor { void before(AbstractClusterInvoker<?> clusterInvoker, Invocation invocation); void after(AbstractClusterInvoker<?> clusterInvoker, Invocation invocation); /** * Override this method or {@link #before(AbstractClusterInvoker, Invocation)} * and {@link #after(AbstractClusterInvoker, Invocation)} methods to add your own logic expected to be * executed before and after invoke. * * @param clusterInvoker * @param invocation * @return * @throws RpcException */ default Result intercept(AbstractClusterInvoker<?> clusterInvoker, Invocation invocation) throws RpcException { return clusterInvoker.invoke(invocation); } interface Listener { void onMessage(Result appResponse, AbstractClusterInvoker<?> clusterInvoker, Invocation invocation); void onError(Throwable t, AbstractClusterInvoker<?> clusterInvoker, Invocation invocation); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/AbstractConfigurator.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/AbstractConfigurator.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.constants.CommonConstants; import org.apache.dubbo.common.logger.Logger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.remoting.Constants; import org.apache.dubbo.rpc.cluster.Configurator; import org.apache.dubbo.rpc.cluster.configurator.parser.model.ConditionMatch; import java.util.HashSet; import java.util.Map; import java.util.Set; import static org.apache.dubbo.common.constants.CommonConstants.ANYHOST_VALUE; import static org.apache.dubbo.common.constants.CommonConstants.ANY_VALUE; import static org.apache.dubbo.common.constants.CommonConstants.APPLICATION_KEY; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; import static org.apache.dubbo.common.constants.CommonConstants.ENABLED_KEY; import static org.apache.dubbo.common.constants.CommonConstants.GROUP_KEY; import static org.apache.dubbo.common.constants.CommonConstants.INTERFACES; import static org.apache.dubbo.common.constants.CommonConstants.PROVIDER; import static org.apache.dubbo.common.constants.CommonConstants.SIDE_KEY; import static org.apache.dubbo.common.constants.CommonConstants.VERSION_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.CATEGORY_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.COMPATIBLE_CONFIG_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.DYNAMIC_KEY; import static org.apache.dubbo.rpc.cluster.Constants.CONFIG_VERSION_KEY; import static org.apache.dubbo.rpc.cluster.Constants.OVERRIDE_PROVIDERS_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RULE_VERSION_V30; import static org.apache.dubbo.rpc.cluster.configurator.parser.model.ConfiguratorConfig.MATCH_CONDITION; public abstract class AbstractConfigurator implements Configurator { private static final Logger logger = LoggerFactory.getLogger(AbstractConfigurator.class); private static final String TILDE = "~"; private final URL configuratorUrl; public AbstractConfigurator(URL url) { if (url == null) { throw new IllegalArgumentException("configurator url == null"); } this.configuratorUrl = url; } @Override public URL getUrl() { return configuratorUrl; } @Override public URL configure(URL url) { // If override url is not enabled or is invalid, just return. if (!configuratorUrl.getParameter(ENABLED_KEY, true) || configuratorUrl.getHost() == null || url == null || url.getHost() == null) { logger.info("Cannot apply configurator rule, the rule is disabled or is invalid: \n" + configuratorUrl); return url; } String apiVersion = configuratorUrl.getParameter(CONFIG_VERSION_KEY); if (StringUtils.isNotEmpty(apiVersion)) { // v2.7 or above String currentSide = url.getSide(); String configuratorSide = configuratorUrl.getSide(); if (currentSide.equals(configuratorSide) && CONSUMER.equals(configuratorSide)) { url = configureIfMatch(NetUtils.getLocalHost(), url); } else if (currentSide.equals(configuratorSide) && PROVIDER.equals(configuratorSide)) { url = configureIfMatch(url.getHost(), url); } } /* * This else branch is deprecated and is left only to keep compatibility with versions before 2.7.0 */ else { url = configureDeprecated(url); } return url; } @Deprecated private URL configureDeprecated(URL url) { // If override url has port, means it is a provider address. We want to control a specific provider with this // override url, it may take effect on the specific provider instance or on consumers holding this provider // instance. if (configuratorUrl.getPort() != 0) { if (url.getPort() == configuratorUrl.getPort()) { return configureIfMatch(url.getHost(), url); } } else { /* * override url don't have a port, means the ip override url specify is a consumer address or 0.0.0.0. * 1.If it is a consumer ip address, the intention is to control a specific consumer instance, it must takes effect at the consumer side, any provider received this override url should ignore. * 2.If the ip is 0.0.0.0, this override url can be used on consumer, and also can be used on provider. */ if (url.getSide(PROVIDER).equals(CONSUMER)) { // NetUtils.getLocalHost is the ip address consumer registered to registry. return configureIfMatch(NetUtils.getLocalHost(), url); } else if (url.getSide(CONSUMER).equals(PROVIDER)) { // take effect on all providers, so address must be 0.0.0.0, otherwise it won't flow to this if branch return configureIfMatch(ANYHOST_VALUE, url); } } return url; } private URL configureIfMatch(String host, URL url) { if (ANYHOST_VALUE.equals(configuratorUrl.getHost()) || host.equals(configuratorUrl.getHost())) { if (isV27ConditionMatchOrUnset(url)) { Set<String> conditionKeys = genConditionKeys(); String apiVersion = configuratorUrl.getParameter(CONFIG_VERSION_KEY); if (apiVersion != null && apiVersion.startsWith(RULE_VERSION_V30)) { ConditionMatch matcher = (ConditionMatch) configuratorUrl.getAttribute(MATCH_CONDITION); if (matcher != null) { if (matcher.isMatch(host, url)) { return doConfigure(url, configuratorUrl.removeParameters(conditionKeys)); } else { logger.debug("Cannot apply configurator rule, param mismatch, current params are " + url + ", params in rule is " + matcher); } } else { return doConfigure(url, configuratorUrl.removeParameters(conditionKeys)); } } else if (isDeprecatedConditionMatch(conditionKeys, url)) { return doConfigure(url, configuratorUrl.removeParameters(conditionKeys)); } } } else { logger.debug("Cannot apply configurator rule, host mismatch, current host is " + host + ", host in rule is " + configuratorUrl.getHost()); } return url; } /** * Check if v2.7 configurator rule is set and can be matched. * * @param url the configurator rule url * @return true if v2.7 configurator rule is not set or the rule can be matched. */ private boolean isV27ConditionMatchOrUnset(URL url) { String providers = configuratorUrl.getParameter(OVERRIDE_PROVIDERS_KEY); if (StringUtils.isNotEmpty(providers)) { boolean match = false; String[] providerAddresses = providers.split(CommonConstants.COMMA_SEPARATOR); for (String address : providerAddresses) { if (address.equals(url.getAddress()) || address.equals(ANYHOST_VALUE) || address.equals(ANYHOST_VALUE + CommonConstants.GROUP_CHAR_SEPARATOR + ANY_VALUE) || address.equals(ANYHOST_VALUE + CommonConstants.GROUP_CHAR_SEPARATOR + url.getPort()) || address.equals(url.getHost())) { match = true; } } if (!match) { logger.debug("Cannot apply configurator rule, provider address mismatch, current address " + url.getAddress() + ", address in rule is " + providers); return false; } } String configApplication = configuratorUrl.getApplication(configuratorUrl.getUsername()); String currentApplication = url.getApplication(url.getUsername()); if (configApplication != null && !ANY_VALUE.equals(configApplication) && !configApplication.equals(currentApplication)) { logger.debug("Cannot apply configurator rule, application name mismatch, current application is " + currentApplication + ", application in rule is " + configApplication); return false; } String configServiceKey = configuratorUrl.getServiceKey(); String currentServiceKey = url.getServiceKey(); if (!ANY_VALUE.equals(configServiceKey) && !configServiceKey.equals(currentServiceKey)) { logger.debug("Cannot apply configurator rule, service mismatch, current service is " + currentServiceKey + ", service in rule is " + configServiceKey); return false; } return true; } private boolean isDeprecatedConditionMatch(Set<String> conditionKeys, URL url) { boolean result = true; for (Map.Entry<String, String> entry : configuratorUrl.getParameters().entrySet()) { String key = entry.getKey(); String value = entry.getValue(); boolean startWithTilde = startWithTilde(key); if (startWithTilde || APPLICATION_KEY.equals(key) || SIDE_KEY.equals(key)) { if (startWithTilde) { conditionKeys.add(key); } if (value != null && !ANY_VALUE.equals(value) && !value.equals(url.getParameter(startWithTilde ? key.substring(1) : key))) { result = false; break; } } } return result; } private Set<String> genConditionKeys() { Set<String> conditionKeys = new HashSet<>(); conditionKeys.add(CATEGORY_KEY); conditionKeys.add(Constants.CHECK_KEY); conditionKeys.add(DYNAMIC_KEY); conditionKeys.add(ENABLED_KEY); conditionKeys.add(GROUP_KEY); conditionKeys.add(VERSION_KEY); conditionKeys.add(APPLICATION_KEY); conditionKeys.add(SIDE_KEY); conditionKeys.add(CONFIG_VERSION_KEY); conditionKeys.add(COMPATIBLE_CONFIG_KEY); conditionKeys.add(INTERFACES); return conditionKeys; } private boolean startWithTilde(String key) { return StringUtils.isNotEmpty(key) && key.startsWith(TILDE); } protected abstract URL doConfigure(URL currentUrl, URL configUrl); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/absent/AbsentConfigurator.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/absent/AbsentConfigurator.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.absent; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.configurator.AbstractConfigurator; public class AbsentConfigurator extends AbstractConfigurator { public AbsentConfigurator(URL url) { super(url); } @Override public URL doConfigure(URL currentUrl, URL configUrl) { return currentUrl.addParametersIfAbsent(configUrl.getParameters()); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/absent/AbsentConfiguratorFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/absent/AbsentConfiguratorFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.absent; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.Configurator; import org.apache.dubbo.rpc.cluster.ConfiguratorFactory; /** * AbsentConfiguratorFactory * */ public class AbsentConfiguratorFactory implements ConfiguratorFactory { @Override public Configurator getConfigurator(URL url) { return new AbsentConfigurator(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/ConfigParser.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/ConfigParser.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.parser; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.JsonUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.cluster.configurator.parser.model.ConfigItem; import org.apache.dubbo.rpc.cluster.configurator.parser.model.ConfiguratorConfig; import java.util.ArrayList; import java.util.List; import java.util.Map; import org.yaml.snakeyaml.LoaderOptions; import org.yaml.snakeyaml.Yaml; import org.yaml.snakeyaml.constructor.SafeConstructor; import static org.apache.dubbo.common.constants.CommonConstants.ANYHOST_VALUE; import static org.apache.dubbo.common.constants.CommonConstants.PROVIDER; import static org.apache.dubbo.common.constants.RegistryConstants.APP_DYNAMIC_CONFIGURATORS_CATEGORY; import static org.apache.dubbo.common.constants.RegistryConstants.DYNAMIC_CONFIGURATORS_CATEGORY; import static org.apache.dubbo.rpc.cluster.Constants.OVERRIDE_PROVIDERS_KEY; import static org.apache.dubbo.rpc.cluster.configurator.parser.model.ConfiguratorConfig.MATCH_CONDITION; /** * Config parser */ public class ConfigParser { public static List<URL> parseConfigurators(String rawConfig) { // compatible url JsonArray, such as [ "override://xxx", "override://xxx" ] List<URL> compatibleUrls = parseJsonArray(rawConfig); if (CollectionUtils.isNotEmpty(compatibleUrls)) { return compatibleUrls; } List<URL> urls = new ArrayList<>(); ConfiguratorConfig configuratorConfig = parseObject(rawConfig); String scope = configuratorConfig.getScope(); List<ConfigItem> items = configuratorConfig.getConfigs(); if (ConfiguratorConfig.SCOPE_APPLICATION.equals(scope)) { items.forEach(item -> urls.addAll(appItemToUrls(item, configuratorConfig))); } else { // service scope by default. items.forEach(item -> urls.addAll(serviceItemToUrls(item, configuratorConfig))); } return urls; } private static List<URL> parseJsonArray(String rawConfig) { List<URL> urls = new ArrayList<>(); try { List<String> list = JsonUtils.toJavaList(rawConfig, String.class); if (!CollectionUtils.isEmpty(list)) { list.forEach(u -> urls.add(URL.valueOf(u))); } } catch (Throwable t) { return null; } return urls; } private static ConfiguratorConfig parseObject(String rawConfig) { Yaml yaml = new Yaml(new SafeConstructor(new LoaderOptions())); Map<String, Object> map = yaml.load(rawConfig); return ConfiguratorConfig.parseFromMap(map); } private static List<URL> serviceItemToUrls(ConfigItem item, ConfiguratorConfig config) { List<URL> urls = new ArrayList<>(); List<String> addresses = parseAddresses(item); addresses.forEach(addr -> { StringBuilder urlBuilder = new StringBuilder(); urlBuilder.append("override://").append(addr).append('/'); urlBuilder.append(appendService(config.getKey())); urlBuilder.append(toParameterString(item)); parseEnabled(item, config, urlBuilder); urlBuilder.append("&configVersion=").append(config.getConfigVersion()); List<String> apps = item.getApplications(); if (CollectionUtils.isNotEmpty(apps)) { apps.forEach(app -> { StringBuilder tmpUrlBuilder = new StringBuilder(urlBuilder); urls.add(appendMatchCondition( URL.valueOf(tmpUrlBuilder .append("&application=") .append(app) .toString()), item)); }); } else { urls.add(appendMatchCondition(URL.valueOf(urlBuilder.toString()), item)); } }); return urls; } private static List<URL> appItemToUrls(ConfigItem item, ConfiguratorConfig config) { List<URL> urls = new ArrayList<>(); List<String> addresses = parseAddresses(item); for (String addr : addresses) { StringBuilder urlBuilder = new StringBuilder(); urlBuilder.append("override://").append(addr).append('/'); List<String> services = item.getServices(); if (services == null) { services = new ArrayList<>(); } if (services.isEmpty()) { services.add("*"); } for (String s : services) { StringBuilder tmpUrlBuilder = new StringBuilder(urlBuilder); tmpUrlBuilder.append(appendService(s)); tmpUrlBuilder.append(toParameterString(item)); tmpUrlBuilder.append("&application=").append(config.getKey()); parseEnabled(item, config, tmpUrlBuilder); tmpUrlBuilder.append("&category=").append(APP_DYNAMIC_CONFIGURATORS_CATEGORY); tmpUrlBuilder.append("&configVersion=").append(config.getConfigVersion()); urls.add(appendMatchCondition(URL.valueOf(tmpUrlBuilder.toString()), item)); } } return urls; } private static String toParameterString(ConfigItem item) { StringBuilder sb = new StringBuilder(); sb.append("category="); sb.append(DYNAMIC_CONFIGURATORS_CATEGORY); if (item.getSide() != null) { sb.append("&side="); sb.append(item.getSide()); } Map<String, String> parameters = item.getParameters(); if (CollectionUtils.isEmptyMap(parameters)) { throw new IllegalStateException("Invalid configurator rule, please specify at least one parameter " + "you want to change in the rule."); } parameters.forEach((k, v) -> { sb.append('&'); sb.append(k); sb.append('='); sb.append(v); }); if (CollectionUtils.isNotEmpty(item.getProviderAddresses())) { sb.append('&'); sb.append(OVERRIDE_PROVIDERS_KEY); sb.append('='); sb.append(CollectionUtils.join(item.getProviderAddresses(), ",")); } else if (PROVIDER.equals(item.getSide())) { sb.append('&'); sb.append(OVERRIDE_PROVIDERS_KEY); sb.append('='); sb.append(CollectionUtils.join(parseAddresses(item), ",")); } return sb.toString(); } private static String appendService(String serviceKey) { StringBuilder sb = new StringBuilder(); if (StringUtils.isEmpty(serviceKey)) { throw new IllegalStateException("service field in configuration is null."); } String interfaceName = serviceKey; int i = interfaceName.indexOf('/'); if (i > 0) { sb.append("group="); sb.append(interfaceName, 0, i); sb.append('&'); interfaceName = interfaceName.substring(i + 1); } int j = interfaceName.indexOf(':'); if (j > 0) { sb.append("version="); sb.append(interfaceName.substring(j + 1)); sb.append('&'); interfaceName = interfaceName.substring(0, j); } sb.insert(0, interfaceName + "?"); return sb.toString(); } private static void parseEnabled(ConfigItem item, ConfiguratorConfig config, StringBuilder urlBuilder) { urlBuilder.append("&enabled="); if (item.getType() == null || ConfigItem.GENERAL_TYPE.equals(item.getType())) { urlBuilder.append(config.getEnabled()); } else { urlBuilder.append(item.getEnabled()); } } private static List<String> parseAddresses(ConfigItem item) { List<String> addresses = item.getAddresses(); if (addresses == null) { addresses = new ArrayList<>(); } if (addresses.isEmpty()) { addresses.add(ANYHOST_VALUE); } return addresses; } private static URL appendMatchCondition(URL url, ConfigItem item) { if (item.getMatch() != null) { url = url.putAttribute(MATCH_CONDITION, item.getMatch()); } return url; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ParamMatch.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ParamMatch.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.parser.model; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.router.mesh.rule.virtualservice.match.StringMatch; public class ParamMatch { private String key; private StringMatch value; public String getKey() { return key; } public void setKey(String key) { this.key = key; } public StringMatch getValue() { return value; } public void setValue(StringMatch value) { this.value = value; } public boolean isMatch(URL url) { if (key == null || value == null) { return false; } String input = url.getParameter(key); return value.isMatch(input); } @Override public String toString() { return "ParamMatch{" + "key='" + key + '\'' + ", value='" + value + '\'' + '}'; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConditionMatch.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConditionMatch.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.parser.model; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.router.mesh.rule.virtualservice.match.AddressMatch; import org.apache.dubbo.rpc.cluster.router.mesh.rule.virtualservice.match.ListStringMatch; import java.util.List; import static org.apache.dubbo.common.constants.CommonConstants.APPLICATION_KEY; public class ConditionMatch { private AddressMatch address; private AddressMatch providerAddress; private ListStringMatch service; private ListStringMatch app; private List<ParamMatch> param; public AddressMatch getAddress() { return address; } public void setAddress(AddressMatch address) { this.address = address; } public AddressMatch getProviderAddress() { return providerAddress; } public void setProviderAddress(AddressMatch providerAddress) { this.providerAddress = providerAddress; } public ListStringMatch getService() { return service; } public void setService(ListStringMatch service) { this.service = service; } public ListStringMatch getApp() { return app; } public void setApp(ListStringMatch app) { this.app = app; } public List<ParamMatch> getParam() { return param; } public void setParam(List<ParamMatch> param) { this.param = param; } public boolean isMatch(String host, URL url) { if (getAddress() != null && !getAddress().isMatch(host)) { return false; } if (getProviderAddress() != null && !getProviderAddress().isMatch(url.getAddress())) { return false; } if (getService() != null && !getService().isMatch(url.getServiceKey())) { return false; } if (getApp() != null && !getApp().isMatch(url.getParameter(APPLICATION_KEY))) { return false; } if (getParam() != null) { for (ParamMatch match : param) { if (!match.isMatch(url)) { return false; } } } return true; } @Override public String toString() { return "ConditionMatch{" + "address='" + address + '\'' + "providerAddress='" + providerAddress + '\'' + ", service='" + service + '\'' + ", app='" + app + '\'' + ", param='" + param + '\'' + '}'; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConfiguratorConfig.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConfiguratorConfig.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.parser.model; import java.util.List; import java.util.Map; import java.util.stream.Collectors; public class ConfiguratorConfig { public static final String MATCH_CONDITION = "MATCH_CONDITION"; public static final String SCOPE_SERVICE = "service"; public static final String SCOPE_APPLICATION = "application"; public static final String CONFIG_VERSION_KEY = "configVersion"; public static final String SCOPE_KEY = "scope"; public static final String CONFIG_KEY = "key"; public static final String ENABLED_KEY = "enabled"; public static final String CONFIGS_KEY = "configs"; private String configVersion; private String scope; private String key; private Boolean enabled = true; private List<ConfigItem> configs; @SuppressWarnings("unchecked") public static ConfiguratorConfig parseFromMap(Map<String, Object> map) { ConfiguratorConfig configuratorConfig = new ConfiguratorConfig(); configuratorConfig.setConfigVersion((String) map.get(CONFIG_VERSION_KEY)); configuratorConfig.setScope((String) map.get(SCOPE_KEY)); configuratorConfig.setKey((String) map.get(CONFIG_KEY)); Object enabled = map.get(ENABLED_KEY); if (enabled != null) { configuratorConfig.setEnabled(Boolean.parseBoolean(enabled.toString())); } Object configs = map.get(CONFIGS_KEY); if (configs != null && List.class.isAssignableFrom(configs.getClass())) { configuratorConfig.setConfigs(((List<Map<String, Object>>) configs) .stream().map(ConfigItem::parseFromMap).collect(Collectors.toList())); } return configuratorConfig; } public String getConfigVersion() { return configVersion; } public void setConfigVersion(String configVersion) { this.configVersion = configVersion; } public String getScope() { return scope; } public void setScope(String scope) { this.scope = scope; } public String getKey() { return key; } public void setKey(String key) { this.key = key; } public Boolean getEnabled() { return enabled; } public void setEnabled(Boolean enabled) { this.enabled = enabled; } public List<ConfigItem> getConfigs() { return configs; } public void setConfigs(List<ConfigItem> configs) { this.configs = configs; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConfigItem.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/parser/model/ConfigItem.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.parser.model; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.PojoUtils; import java.util.List; import java.util.Map; import java.util.stream.Collectors; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_RECEIVE_RULE; public class ConfigItem { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(ConfigItem.class); public static final String GENERAL_TYPE = "general"; public static final String WEIGHT_TYPE = "weight"; public static final String BALANCING_TYPE = "balancing"; public static final String DISABLED_TYPE = "disabled"; public static final String CONFIG_ITEM_TYPE = "type"; public static final String ENABLED_KEY = "enabled"; public static final String ADDRESSES_KEY = "addresses"; public static final String PROVIDER_ADDRESSES_KEY = "providerAddresses"; public static final String SERVICES_KEY = "services"; public static final String APPLICATIONS_KEY = "applications"; public static final String PARAMETERS_KEY = "parameters"; public static final String MATCH_KEY = "match"; public static final String SIDE_KEY = "side"; private String type; private Boolean enabled; private List<String> addresses; private List<String> providerAddresses; private List<String> services; private List<String> applications; private Map<String, String> parameters; private ConditionMatch match; private String side; @SuppressWarnings("unchecked") public static ConfigItem parseFromMap(Map<String, Object> map) { ConfigItem configItem = new ConfigItem(); configItem.setType((String) map.get(CONFIG_ITEM_TYPE)); Object enabled = map.get(ENABLED_KEY); if (enabled != null) { configItem.setEnabled(Boolean.parseBoolean(enabled.toString())); } Object addresses = map.get(ADDRESSES_KEY); if (addresses != null && List.class.isAssignableFrom(addresses.getClass())) { configItem.setAddresses( ((List<Object>) addresses).stream().map(String::valueOf).collect(Collectors.toList())); } Object providerAddresses = map.get(PROVIDER_ADDRESSES_KEY); if (providerAddresses != null && List.class.isAssignableFrom(providerAddresses.getClass())) { configItem.setProviderAddresses(((List<Object>) providerAddresses) .stream().map(String::valueOf).collect(Collectors.toList())); } Object services = map.get(SERVICES_KEY); if (services != null && List.class.isAssignableFrom(services.getClass())) { configItem.setServices( ((List<Object>) services).stream().map(String::valueOf).collect(Collectors.toList())); } Object applications = map.get(APPLICATIONS_KEY); if (applications != null && List.class.isAssignableFrom(applications.getClass())) { configItem.setApplications( ((List<Object>) applications).stream().map(String::valueOf).collect(Collectors.toList())); } Object parameters = map.get(PARAMETERS_KEY); if (parameters != null && Map.class.isAssignableFrom(parameters.getClass())) { configItem.setParameters(((Map<String, Object>) parameters) .entrySet().stream().collect(Collectors.toMap(Map.Entry::getKey, entry -> entry.getValue() .toString()))); } try { Object match = map.get(MATCH_KEY); if (match != null && Map.class.isAssignableFrom(match.getClass())) { configItem.setMatch(PojoUtils.mapToPojo((Map<String, Object>) match, ConditionMatch.class)); } } catch (Throwable t) { logger.error( CLUSTER_FAILED_RECEIVE_RULE, " Failed to parse dynamic configuration rule", String.valueOf(map.get(MATCH_KEY)), "Error occurred when parsing rule component.", t); } configItem.setSide((String) map.get(SIDE_KEY)); return configItem; } public String getType() { return type; } public void setType(String type) { this.type = type; } public Boolean getEnabled() { return enabled; } public void setEnabled(Boolean enabled) { this.enabled = enabled; } public List<String> getAddresses() { return addresses; } public void setAddresses(List<String> addresses) { this.addresses = addresses; } public List<String> getServices() { return services; } public void setServices(List<String> services) { this.services = services; } public List<String> getApplications() { return applications; } public void setApplications(List<String> applications) { this.applications = applications; } public List<String> getProviderAddresses() { return providerAddresses; } public void setProviderAddresses(List<String> providerAddresses) { this.providerAddresses = providerAddresses; } public Map<String, String> getParameters() { return parameters; } public void setParameters(Map<String, String> parameters) { this.parameters = parameters; } public String getSide() { return side; } public void setSide(String side) { this.side = side; } public ConditionMatch getMatch() { return match; } public void setMatch(ConditionMatch match) { this.match = match; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/override/OverrideConfiguratorFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/override/OverrideConfiguratorFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.override; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.Configurator; import org.apache.dubbo.rpc.cluster.ConfiguratorFactory; /** * OverrideConfiguratorFactory * */ public class OverrideConfiguratorFactory implements ConfiguratorFactory { @Override public Configurator getConfigurator(URL url) { return new OverrideConfigurator(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/override/OverrideConfigurator.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/configurator/override/OverrideConfigurator.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.configurator.override; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.Logger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.cluster.configurator.AbstractConfigurator; public class OverrideConfigurator extends AbstractConfigurator { public static final Logger logger = LoggerFactory.getLogger(OverrideConfigurator.class); public OverrideConfigurator(URL url) { super(url); } @Override public URL doConfigure(URL currentUrl, URL configUrl) { logger.info("Start overriding url " + currentUrl + " with override url " + configUrl); return currentUrl.addParameters(configUrl.getParameters()); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.io.Bytes; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import java.util.Map; import java.util.TreeMap; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; import static org.apache.dubbo.common.constants.CommonConstants.COMMA_SPLIT_PATTERN; public class ConsistentHashLoadBalance extends AbstractLoadBalance { public static final String NAME = "consistenthash"; /** * Hash nodes name */ public static final String HASH_NODES = "hash.nodes"; /** * Hash arguments name */ public static final String HASH_ARGUMENTS = "hash.arguments"; private final ConcurrentMap<String, ConsistentHashSelector<?>> selectors = new ConcurrentHashMap<>(); @SuppressWarnings("unchecked") @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { String methodName = RpcUtils.getMethodName(invocation); String key = invokers.get(0).getUrl().getServiceKey() + "." + methodName; int invokersHashCode = invokers.hashCode(); // If the detection is successful, return in advance. it may be different from selector, but it doesn't matter ConsistentHashSelector<T> oldSelector0; if ((oldSelector0 = (ConsistentHashSelector<T>) selectors.get(key)) != null && oldSelector0.identityHashCode == invokersHashCode) { return oldSelector0.select(invocation); } // using the hashcode of invoker list to create consistent selector by atomic computation. ConsistentHashSelector<T> selector = (ConsistentHashSelector<T>) selectors.compute( key, (k, oldSelector) -> (oldSelector == null || oldSelector.identityHashCode != invokersHashCode) ? new ConsistentHashSelector<>(invokers, methodName, invokersHashCode) : oldSelector); return selector.select(invocation); } private static final class ConsistentHashSelector<T> { private final TreeMap<Long, Invoker<T>> virtualInvokers; private final int replicaNumber; private final int identityHashCode; private final int[] argumentIndex; ConsistentHashSelector(List<Invoker<T>> invokers, String methodName, int identityHashCode) { this.virtualInvokers = new TreeMap<>(); this.identityHashCode = identityHashCode; URL url = invokers.get(0).getUrl(); this.replicaNumber = url.getMethodParameter(methodName, HASH_NODES, 160); String[] index = COMMA_SPLIT_PATTERN.split(url.getMethodParameter(methodName, HASH_ARGUMENTS, "0")); argumentIndex = new int[index.length]; for (int i = 0; i < index.length; i++) { argumentIndex[i] = Integer.parseInt(index[i]); } for (Invoker<T> invoker : invokers) { String address = invoker.getUrl().getAddress(); for (int i = 0; i < replicaNumber / 4; i++) { byte[] digest = Bytes.getMD5(address + i); for (int h = 0; h < 4; h++) { long m = hash(digest, h); virtualInvokers.put(m, invoker); } } } } public Invoker<T> select(Invocation invocation) { String key = toKey(RpcUtils.getArguments(invocation)); byte[] digest = Bytes.getMD5(key); return selectForKey(hash(digest, 0)); } private String toKey(Object[] args) { StringBuilder buf = new StringBuilder(); for (int i : argumentIndex) { if (i >= 0 && args != null && i < args.length) { buf.append(args[i]); } } return buf.toString(); } private Invoker<T> selectForKey(long hash) { Map.Entry<Long, Invoker<T>> entry = virtualInvokers.ceilingEntry(hash); if (entry == null) { entry = virtualInvokers.firstEntry(); } return entry.getValue(); } private long hash(byte[] digest, int number) { return (((long) (digest[3 + number * 4] & 0xFF) << 24) | ((long) (digest[2 + number * 4] & 0xFF) << 16) | ((long) (digest[1 + number * 4] & 0xFF) << 8) | (digest[number * 4] & 0xFF)) & 0xFFFFFFFFL; } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/AbstractLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/AbstractLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.cluster.LoadBalance; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import static org.apache.dubbo.common.constants.CommonConstants.TIMESTAMP_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTRY_SERVICE_REFERENCE_PATH; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_WARMUP; import static org.apache.dubbo.rpc.cluster.Constants.DEFAULT_WEIGHT; import static org.apache.dubbo.rpc.cluster.Constants.WARMUP_KEY; import static org.apache.dubbo.rpc.cluster.Constants.WEIGHT_KEY; public abstract class AbstractLoadBalance implements LoadBalance { /** * Calculate the weight according to the uptime proportion of warmup time * the new weight will be within 1(inclusive) to weight(inclusive) * * @param uptime the uptime in milliseconds * @param warmup the warmup time in milliseconds * @param weight the weight of an invoker * @return weight which takes warmup into account */ static int calculateWarmupWeight(int uptime, int warmup, int weight) { int ww = (int) (uptime / ((float) warmup / weight)); return ww < 1 ? 1 : (Math.min(ww, weight)); } @Override public <T> Invoker<T> select(List<Invoker<T>> invokers, URL url, Invocation invocation) { if (CollectionUtils.isEmpty(invokers)) { return null; } if (invokers.size() == 1) { return invokers.get(0); } return doSelect(invokers, url, invocation); } protected abstract <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation); /** * Get the weight of the invoker's invocation which takes warmup time into account * if the uptime is within the warmup time, the weight will be reduce proportionally * * @param invoker the invoker * @param invocation the invocation of this invoker * @return weight */ protected int getWeight(Invoker<?> invoker, Invocation invocation) { int weight; URL url = invoker.getUrl(); if (invoker instanceof ClusterInvoker) { url = ((ClusterInvoker<?>) invoker).getRegistryUrl(); } // Multiple registry scenario, load balance among multiple registries. if (REGISTRY_SERVICE_REFERENCE_PATH.equals(url.getServiceInterface())) { weight = url.getParameter(WEIGHT_KEY, DEFAULT_WEIGHT); } else { weight = url.getMethodParameter(RpcUtils.getMethodName(invocation), WEIGHT_KEY, DEFAULT_WEIGHT); if (weight > 0) { long timestamp = invoker.getUrl().getParameter(TIMESTAMP_KEY, 0L); if (timestamp > 0L) { long uptime = System.currentTimeMillis() - timestamp; if (uptime < 0) { return 1; } int warmup = invoker.getUrl().getParameter(WARMUP_KEY, DEFAULT_WARMUP); if (uptime > 0 && uptime < warmup) { weight = calculateWarmupWeight((int) uptime, warmup, weight); } } } } return Math.max(weight, 0); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ShortestResponseLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ShortestResponseLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.threadpool.manager.FrameworkExecutorRepository; import org.apache.dubbo.common.utils.ConcurrentHashMapUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcStatus; import org.apache.dubbo.rpc.cluster.Constants; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.model.ScopeModelAware; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; import java.util.concurrent.ExecutorService; import java.util.concurrent.ThreadLocalRandom; import java.util.concurrent.atomic.AtomicBoolean; /** * ShortestResponseLoadBalance * </p> * Filter the number of invokers with the shortest response time of * success calls and count the weights and quantities of these invokers in last slide window. * If there is only one invoker, use the invoker directly; * If there are multiple invokers and the weights are not the same, then random according to the total weight; * If there are multiple invokers and the same weight, then randomly called. */ public class ShortestResponseLoadBalance extends AbstractLoadBalance implements ScopeModelAware { public static final String NAME = "shortestresponse"; private int slidePeriod = 30_000; private final ConcurrentMap<RpcStatus, SlideWindowData> methodMap = new ConcurrentHashMap<>(); private final AtomicBoolean onResetSlideWindow = new AtomicBoolean(false); private volatile long lastUpdateTime = System.currentTimeMillis(); private ExecutorService executorService; @Override public void setApplicationModel(ApplicationModel applicationModel) { slidePeriod = applicationModel .modelEnvironment() .getConfiguration() .getInt(Constants.SHORTEST_RESPONSE_SLIDE_PERIOD, 30_000); executorService = applicationModel .getFrameworkModel() .getBeanFactory() .getBean(FrameworkExecutorRepository.class) .getSharedExecutor(); } protected static class SlideWindowData { private long succeededOffset; private long succeededElapsedOffset; private final RpcStatus rpcStatus; public SlideWindowData(RpcStatus rpcStatus) { this.rpcStatus = rpcStatus; this.succeededOffset = 0; this.succeededElapsedOffset = 0; } public void reset() { this.succeededOffset = rpcStatus.getSucceeded(); this.succeededElapsedOffset = rpcStatus.getSucceededElapsed(); } private long getSucceededAverageElapsed() { long succeed = this.rpcStatus.getSucceeded() - this.succeededOffset; if (succeed == 0) { return 0; } return (this.rpcStatus.getSucceededElapsed() - this.succeededElapsedOffset) / succeed; } public long getEstimateResponse() { int active = this.rpcStatus.getActive() + 1; return getSucceededAverageElapsed() * active; } } @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { // Number of invokers int length = invokers.size(); // Estimated shortest response time of all invokers long shortestResponse = Long.MAX_VALUE; // The number of invokers having the same estimated shortest response time int shortestCount = 0; // The index of invokers having the same estimated shortest response time int[] shortestIndexes = new int[length]; // the weight of every invokers int[] weights = new int[length]; // The sum of the warmup weights of all the shortest response invokers int totalWeight = 0; // The weight of the first shortest response invokers int firstWeight = 0; // Every shortest response invoker has the same weight value? boolean sameWeight = true; // Filter out all the shortest response invokers for (int i = 0; i < length; i++) { Invoker<T> invoker = invokers.get(i); RpcStatus rpcStatus = RpcStatus.getStatus(invoker.getUrl(), RpcUtils.getMethodName(invocation)); SlideWindowData slideWindowData = ConcurrentHashMapUtils.computeIfAbsent(methodMap, rpcStatus, SlideWindowData::new); // Calculate the estimated response time from the product of active connections and succeeded average // elapsed time. long estimateResponse = slideWindowData.getEstimateResponse(); int afterWarmup = getWeight(invoker, invocation); weights[i] = afterWarmup; // Same as LeastActiveLoadBalance if (estimateResponse < shortestResponse) { shortestResponse = estimateResponse; shortestCount = 1; shortestIndexes[0] = i; totalWeight = afterWarmup; firstWeight = afterWarmup; sameWeight = true; } else if (estimateResponse == shortestResponse) { shortestIndexes[shortestCount++] = i; totalWeight += afterWarmup; if (sameWeight && i > 0 && afterWarmup != firstWeight) { sameWeight = false; } } } if (System.currentTimeMillis() - lastUpdateTime > slidePeriod && onResetSlideWindow.compareAndSet(false, true)) { // reset slideWindowData in async way executorService.execute(() -> { methodMap.values().forEach(SlideWindowData::reset); lastUpdateTime = System.currentTimeMillis(); onResetSlideWindow.set(false); }); } if (shortestCount == 1) { return invokers.get(shortestIndexes[0]); } if (!sameWeight && totalWeight > 0) { int offsetWeight = ThreadLocalRandom.current().nextInt(totalWeight); for (int i = 0; i < shortestCount; i++) { int shortestIndex = shortestIndexes[i]; offsetWeight -= weights[shortestIndex]; if (offsetWeight < 0) { return invokers.get(shortestIndex); } } } return invokers.get(shortestIndexes[ThreadLocalRandom.current().nextInt(shortestCount)]); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/RandomLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/RandomLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.ClusterInvoker; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.Arrays; import java.util.List; import java.util.concurrent.ThreadLocalRandom; import static org.apache.dubbo.common.constants.CommonConstants.TIMESTAMP_KEY; import static org.apache.dubbo.common.constants.RegistryConstants.REGISTRY_SERVICE_REFERENCE_PATH; import static org.apache.dubbo.rpc.cluster.Constants.WEIGHT_KEY; /** * This class select one provider from multiple providers randomly. * You can define weights for each provider: * If the weights are all the same then it will use random.nextInt(number of invokers). * If the weights are different then it will use random.nextInt(w1 + w2 + ... + wn) * Note that if the performance of the machine is better than others, you can set a larger weight. * If the performance is not so good, you can set a smaller weight. */ public class RandomLoadBalance extends AbstractLoadBalance { public static final String NAME = "random"; /** * Select one invoker between a list using a random criteria * * @param invokers List of possible invokers * @param url URL * @param invocation Invocation * @param <T> * @return The selected invoker */ @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { // Number of invokers int length = invokers.size(); if (!needWeightLoadBalance(invokers, invocation)) { return invokers.get(ThreadLocalRandom.current().nextInt(length)); } // Every invoker has the same weight? boolean sameWeight = true; // the maxWeight of every invoker, the minWeight = 0 or the maxWeight of the last invoker int[] weights = new int[length]; // The sum of weights int totalWeight = 0; for (int i = 0; i < length; i++) { int weight = getWeight(invokers.get(i), invocation); // Sum totalWeight += weight; // save for later use weights[i] = totalWeight; if (sameWeight && totalWeight != weight * (i + 1)) { sameWeight = false; } } if (totalWeight > 0 && !sameWeight) { // If (not every invoker has the same weight & at least one invoker's weight>0), select randomly based on // totalWeight. int offset = ThreadLocalRandom.current().nextInt(totalWeight); // Return an invoker based on the random value. if (length <= 4) { for (int i = 0; i < length; i++) { if (offset < weights[i]) { return invokers.get(i); } } } else { int i = Arrays.binarySearch(weights, offset); if (i < 0) { i = -i - 1; } else { while (weights[i + 1] == offset) { i++; } i++; } return invokers.get(i); } } // If all invokers have the same weight value or totalWeight=0, return evenly. return invokers.get(ThreadLocalRandom.current().nextInt(length)); } private <T> boolean needWeightLoadBalance(List<Invoker<T>> invokers, Invocation invocation) { Invoker<T> invoker = invokers.get(0); URL invokerUrl = invoker.getUrl(); if (invoker instanceof ClusterInvoker) { invokerUrl = ((ClusterInvoker<?>) invoker).getRegistryUrl(); } // Multiple registry scenario, load balance among multiple registries. if (REGISTRY_SERVICE_REFERENCE_PATH.equals(invokerUrl.getServiceInterface())) { String weight = invokerUrl.getParameter(WEIGHT_KEY); return StringUtils.isNotEmpty(weight); } else { String weight = invokerUrl.getMethodParameter(RpcUtils.getMethodName(invocation), WEIGHT_KEY); if (StringUtils.isNotEmpty(weight)) { return true; } else { String timeStamp = invoker.getUrl().getParameter(TIMESTAMP_KEY); return StringUtils.isNotEmpty(timeStamp); } } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/RoundRobinLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/RoundRobinLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.ConcurrentHashMapUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.Collection; import java.util.List; import java.util.Map; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; import java.util.concurrent.atomic.AtomicLong; /** * Round robin load balance. */ public class RoundRobinLoadBalance extends AbstractLoadBalance { public static final String NAME = "roundrobin"; private static final int RECYCLE_PERIOD = 60000; private final ConcurrentMap<String, ConcurrentMap<String, WeightedRoundRobin>> methodWeightMap = new ConcurrentHashMap<>(); protected static class WeightedRoundRobin { private int weight; private final AtomicLong current = new AtomicLong(0); private long lastUpdate; public int getWeight() { return weight; } public void setWeight(int weight) { this.weight = weight; current.set(0); } public long increaseCurrent() { return current.addAndGet(weight); } public void sel(int total) { current.addAndGet(-1 * total); } public long getLastUpdate() { return lastUpdate; } public void setLastUpdate(long lastUpdate) { this.lastUpdate = lastUpdate; } } /** * get invoker addr list cached for specified invocation * <p> * <b>for unit test only</b> * * @param invokers * @param invocation * @return */ protected <T> Collection<String> getInvokerAddrList(List<Invoker<T>> invokers, Invocation invocation) { String key = invokers.get(0).getUrl().getServiceKey() + "." + RpcUtils.getMethodName(invocation); Map<String, WeightedRoundRobin> map = methodWeightMap.get(key); if (map != null) { return map.keySet(); } return null; } @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { String key = invokers.get(0).getUrl().getServiceKey() + "." + RpcUtils.getMethodName(invocation); ConcurrentMap<String, WeightedRoundRobin> map = ConcurrentHashMapUtils.computeIfAbsent(methodWeightMap, key, k -> new ConcurrentHashMap<>()); int totalWeight = 0; long maxCurrent = Long.MIN_VALUE; long now = System.currentTimeMillis(); Invoker<T> selectedInvoker = null; WeightedRoundRobin selectedWRR = null; for (Invoker<T> invoker : invokers) { String identifyString = invoker.getUrl().toIdentityString(); int weight = getWeight(invoker, invocation); WeightedRoundRobin weightedRoundRobin = ConcurrentHashMapUtils.computeIfAbsent(map, identifyString, k -> { WeightedRoundRobin wrr = new WeightedRoundRobin(); wrr.setWeight(weight); return wrr; }); if (weight != weightedRoundRobin.getWeight()) { // weight changed weightedRoundRobin.setWeight(weight); } long cur = weightedRoundRobin.increaseCurrent(); weightedRoundRobin.setLastUpdate(now); if (cur > maxCurrent) { maxCurrent = cur; selectedInvoker = invoker; selectedWRR = weightedRoundRobin; } totalWeight += weight; } if (invokers.size() != map.size()) { map.entrySet().removeIf(item -> now - item.getValue().getLastUpdate() > RECYCLE_PERIOD); } if (selectedInvoker != null) { selectedWRR.sel(totalWeight); return selectedInvoker; } // should not happen here return invokers.get(0); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/LeastActiveLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/LeastActiveLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcStatus; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import java.util.concurrent.ThreadLocalRandom; /** * LeastActiveLoadBalance * <p> * Filter the number of invokers with the least number of active calls and count the weights and quantities of these invokers. * If there is only one invoker, use the invoker directly; * If there are multiple invokers and the weights are not the same, then random according to the total weight; * If there are multiple invokers and the same weight, then randomly called. */ public class LeastActiveLoadBalance extends AbstractLoadBalance { public static final String NAME = "leastactive"; @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { // Number of invokers int length = invokers.size(); // The least active value of all invokers int leastActive = -1; // The number of invokers having the same least active value (leastActive) int leastCount = 0; // The index of invokers having the same least active value (leastActive) int[] leastIndexes = new int[length]; // the weight of every invokers int[] weights = new int[length]; // The sum of the warmup weights of all the least active invokers int totalWeight = 0; // The weight of the first least active invoker int firstWeight = 0; // Every least active invoker has the same weight value? boolean sameWeight = true; // Filter out all the least active invokers for (int i = 0; i < length; i++) { Invoker<T> invoker = invokers.get(i); // Get the active number of the invoker int active = RpcStatus.getStatus(invoker.getUrl(), RpcUtils.getMethodName(invocation)) .getActive(); // Get the weight of the invoker's configuration. The default value is 100. int afterWarmup = getWeight(invoker, invocation); // save for later use weights[i] = afterWarmup; // If it is the first invoker or the active number of the invoker is less than the current least active // number if (leastActive == -1 || active < leastActive) { // Reset the active number of the current invoker to the least active number leastActive = active; // Reset the number of least active invokers leastCount = 1; // Put the first least active invoker first in leastIndexes leastIndexes[0] = i; // Reset totalWeight totalWeight = afterWarmup; // Record the weight the first least active invoker firstWeight = afterWarmup; // Each invoke has the same weight (only one invoker here) sameWeight = true; // If current invoker's active value equals with leaseActive, then accumulating. } else if (active == leastActive) { // Record the index of the least active invoker in leastIndexes order leastIndexes[leastCount++] = i; // Accumulate the total weight of the least active invoker totalWeight += afterWarmup; // If every invoker has the same weight? if (sameWeight && afterWarmup != firstWeight) { sameWeight = false; } } } // Choose an invoker from all the least active invokers if (leastCount == 1) { // If we got exactly one invoker having the least active value, return this invoker directly. return invokers.get(leastIndexes[0]); } if (!sameWeight && totalWeight > 0) { // If (not every invoker has the same weight & at least one invoker's weight>0), select randomly based on // totalWeight. int offsetWeight = ThreadLocalRandom.current().nextInt(totalWeight); // Return a invoker based on the random value. for (int i = 0; i < leastCount; i++) { int leastIndex = leastIndexes[i]; offsetWeight -= weights[leastIndex]; if (offsetWeight < 0) { return invokers.get(leastIndex); } } } // If all invokers have the same weight value or totalWeight=0, return evenly. return invokers.get(leastIndexes[ThreadLocalRandom.current().nextInt(leastCount)]); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/AdaptiveLoadBalance.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/AdaptiveLoadBalance.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.loadbalance; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.constants.LoadbalanceRules; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.AdaptiveMetrics; import org.apache.dubbo.rpc.Constants; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.model.ApplicationModel; import org.apache.dubbo.rpc.support.RpcUtils; import java.util.List; import java.util.concurrent.ThreadLocalRandom; import static org.apache.dubbo.common.constants.CommonConstants.DEFAULT_TIMEOUT; import static org.apache.dubbo.common.constants.CommonConstants.LOADBALANCE_KEY; public class AdaptiveLoadBalance extends AbstractLoadBalance { public static final String NAME = "adaptive"; // default key private String attachmentKey = "mem,load"; private final AdaptiveMetrics adaptiveMetrics; public AdaptiveLoadBalance(ApplicationModel scopeModel) { adaptiveMetrics = scopeModel.getBeanFactory().getBean(AdaptiveMetrics.class); } @Override protected <T> Invoker<T> doSelect(List<Invoker<T>> invokers, URL url, Invocation invocation) { Invoker<T> invoker = selectByP2C(invokers, invocation); invocation.setAttachment(Constants.ADAPTIVE_LOADBALANCE_ATTACHMENT_KEY, attachmentKey); long startTime = System.currentTimeMillis(); invocation.getAttributes().put(Constants.ADAPTIVE_LOADBALANCE_START_TIME, startTime); invocation.getAttributes().put(LOADBALANCE_KEY, LoadbalanceRules.ADAPTIVE); adaptiveMetrics.addConsumerReq(getServiceKey(invoker, invocation)); adaptiveMetrics.setPickTime(getServiceKey(invoker, invocation), startTime); return invoker; } private <T> Invoker<T> selectByP2C(List<Invoker<T>> invokers, Invocation invocation) { int length = invokers.size(); if (length == 1) { return invokers.get(0); } if (length == 2) { return chooseLowLoadInvoker(invokers.get(0), invokers.get(1), invocation); } int pos1 = ThreadLocalRandom.current().nextInt(length); int pos2 = ThreadLocalRandom.current().nextInt(length - 1); if (pos2 >= pos1) { pos2 = pos2 + 1; } return chooseLowLoadInvoker(invokers.get(pos1), invokers.get(pos2), invocation); } private String getServiceKey(Invoker<?> invoker, Invocation invocation) { String key = (String) invocation.getAttributes().get(invoker); if (StringUtils.isNotEmpty(key)) { return key; } key = buildServiceKey(invoker, invocation); invocation.getAttributes().put(invoker, key); return key; } private String buildServiceKey(Invoker<?> invoker, Invocation invocation) { URL url = invoker.getUrl(); StringBuilder sb = new StringBuilder(128); sb.append(url.getAddress()).append(":").append(invocation.getProtocolServiceKey()); return sb.toString(); } private int getTimeout(Invoker<?> invoker, Invocation invocation) { URL url = invoker.getUrl(); String methodName = RpcUtils.getMethodName(invocation); return (int) RpcUtils.getTimeout(url, methodName, RpcContext.getClientAttachment(), invocation, DEFAULT_TIMEOUT); } private <T> Invoker<T> chooseLowLoadInvoker(Invoker<T> invoker1, Invoker<T> invoker2, Invocation invocation) { int weight1 = getWeight(invoker1, invocation); int weight2 = getWeight(invoker2, invocation); int timeout1 = getTimeout(invoker1, invocation); int timeout2 = getTimeout(invoker2, invocation); long load1 = Double.doubleToLongBits( adaptiveMetrics.getLoad(getServiceKey(invoker1, invocation), weight1, timeout1)); long load2 = Double.doubleToLongBits( adaptiveMetrics.getLoad(getServiceKey(invoker2, invocation), weight2, timeout2)); if (load1 == load2) { // The sum of weights int totalWeight = weight1 + weight2; if (totalWeight > 0) { int offset = ThreadLocalRandom.current().nextInt(totalWeight); if (offset < weight1) { return invoker1; } return invoker2; } return ThreadLocalRandom.current().nextInt(2) == 0 ? invoker1 : invoker2; } return load1 > load2 ? invoker2 : invoker1; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotSwitcher.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotSwitcher.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import org.apache.dubbo.common.utils.ConcurrentHashSet; import java.util.Collections; import java.util.Set; import java.util.concurrent.atomic.AtomicInteger; public class RouterSnapshotSwitcher { private volatile boolean enable; private final Set<String> enabledService = new ConcurrentHashSet<>(); private static final int MAX_LENGTH = 1 << 5; // 2 ^ 5 = 31 private final AtomicInteger offset = new AtomicInteger(0); private volatile String[] recentSnapshot = new String[MAX_LENGTH]; public boolean isEnable() { return enable; } public synchronized void addEnabledService(String service) { enabledService.add(service); enable = true; recentSnapshot = new String[MAX_LENGTH]; } public boolean isEnable(String service) { return enabledService.contains(service); } public synchronized void removeEnabledService(String service) { enabledService.remove(service); enable = enabledService.size() > 0; recentSnapshot = new String[MAX_LENGTH]; } public synchronized Set<String> getEnabledService() { return Collections.unmodifiableSet(enabledService); } public void setSnapshot(String snapshot) { if (enable) { // lock free recentSnapshot[offset.getAndIncrement() % MAX_LENGTH] = System.currentTimeMillis() + " - " + snapshot; } } public String[] cloneSnapshot() { String[] clonedSnapshot = new String[MAX_LENGTH]; for (int i = 0; i < MAX_LENGTH; i++) { clonedSnapshot[i] = recentSnapshot[i]; } return clonedSnapshot; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotNode.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotNode.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.router.state.BitList; import java.util.ArrayList; import java.util.LinkedList; import java.util.List; import java.util.stream.Collectors; public class RouterSnapshotNode<T> { private final String name; private final int beforeSize; private int nodeOutputSize; private int chainOutputSize; private String routerMessage; private final List<Invoker<T>> inputInvokers; private List<Invoker<T>> nodeOutputInvokers; private List<Invoker<T>> chainOutputInvokers; private final List<RouterSnapshotNode<T>> nextNode = new LinkedList<>(); private RouterSnapshotNode<T> parentNode; public RouterSnapshotNode(String name, List<Invoker<T>> inputInvokers) { this.name = name; this.beforeSize = inputInvokers.size(); if (inputInvokers instanceof BitList) { this.inputInvokers = inputInvokers; } else { this.inputInvokers = new ArrayList<>(5); for (int i = 0; i < Math.min(5, beforeSize); i++) { this.inputInvokers.add(inputInvokers.get(i)); } } this.nodeOutputSize = 0; } public String getName() { return name; } public int getBeforeSize() { return beforeSize; } public int getNodeOutputSize() { return nodeOutputSize; } public String getRouterMessage() { return routerMessage; } public void setRouterMessage(String routerMessage) { this.routerMessage = routerMessage; } public List<Invoker<T>> getNodeOutputInvokers() { return nodeOutputInvokers; } public void setNodeOutputInvokers(List<Invoker<T>> outputInvokers) { this.nodeOutputInvokers = outputInvokers; this.nodeOutputSize = outputInvokers == null ? 0 : outputInvokers.size(); } public void setChainOutputInvokers(List<Invoker<T>> outputInvokers) { this.chainOutputInvokers = outputInvokers; this.chainOutputSize = outputInvokers == null ? 0 : outputInvokers.size(); } public int getChainOutputSize() { return chainOutputSize; } public List<Invoker<T>> getChainOutputInvokers() { return chainOutputInvokers; } public List<RouterSnapshotNode<T>> getNextNode() { return nextNode; } public RouterSnapshotNode<T> getParentNode() { return parentNode; } public void appendNode(RouterSnapshotNode<T> nextNode) { this.nextNode.add(nextNode); nextNode.parentNode = this; } @Override public String toString() { return toString(1); } public String toString(int level) { StringBuilder stringBuilder = new StringBuilder(); stringBuilder .append("[ ") .append(name) .append(' ') .append("(Input: ") .append(beforeSize) .append(") ") .append("(Current Node Output: ") .append(nodeOutputSize) .append(") ") .append("(Chain Node Output: ") .append(chainOutputSize) .append(')') .append(routerMessage == null ? "" : " Router message: ") .append(routerMessage == null ? "" : routerMessage) .append(" ] "); if (level == 1) { stringBuilder .append("Input: ") .append( CollectionUtils.isEmpty(inputInvokers) ? "Empty" : inputInvokers.subList(0, Math.min(5, inputInvokers.size())).stream() .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(","))) .append(" -> "); stringBuilder .append("Chain Node Output: ") .append( CollectionUtils.isEmpty(chainOutputInvokers) ? "Empty" : chainOutputInvokers.subList(0, Math.min(5, chainOutputInvokers.size())).stream() .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(","))); } else { stringBuilder .append("Current Node Output: ") .append( CollectionUtils.isEmpty(nodeOutputInvokers) ? "Empty" : nodeOutputInvokers.subList(0, Math.min(5, nodeOutputInvokers.size())).stream() .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(","))); } if (nodeOutputInvokers != null && nodeOutputInvokers.size() > 5) { stringBuilder.append("..."); } for (RouterSnapshotNode<T> node : nextNode) { stringBuilder.append("\n"); for (int i = 0; i < level; i++) { stringBuilder.append(" "); } stringBuilder.append(node.toString(level + 1)); } return stringBuilder.toString(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotFilter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterSnapshotFilter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.common.logger.Logger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.BaseFilter; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.Result; import org.apache.dubbo.rpc.RpcContext; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.filter.ClusterFilter; import org.apache.dubbo.rpc.model.FrameworkModel; import static org.apache.dubbo.common.constants.CommonConstants.CONSUMER; @Activate(group = {CONSUMER}) public class RouterSnapshotFilter implements ClusterFilter, BaseFilter.Listener { private final RouterSnapshotSwitcher switcher; private static final Logger logger = LoggerFactory.getLogger(RouterSnapshotFilter.class); public RouterSnapshotFilter(FrameworkModel frameworkModel) { this.switcher = frameworkModel.getBeanFactory().getBean(RouterSnapshotSwitcher.class); } @Override public Result invoke(Invoker<?> invoker, Invocation invocation) throws RpcException { if (!switcher.isEnable()) { return invoker.invoke(invocation); } if (!logger.isInfoEnabled()) { return invoker.invoke(invocation); } if (!switcher.isEnable(invocation.getServiceModel().getServiceKey())) { return invoker.invoke(invocation); } RpcContext.getServiceContext().setNeedPrintRouterSnapshot(true); return invoker.invoke(invocation); } @Override public void onResponse(Result appResponse, Invoker<?> invoker, Invocation invocation) { RpcContext.getServiceContext().setNeedPrintRouterSnapshot(false); } @Override public void onError(Throwable t, Invoker<?> invoker, Invocation invocation) { RpcContext.getServiceContext().setNeedPrintRouterSnapshot(false); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterResult.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/RouterResult.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import java.util.List; public class RouterResult<T> { private final boolean needContinueRoute; private final List<T> result; private final String message; public RouterResult(List<T> result) { this.needContinueRoute = true; this.result = result; this.message = null; } public RouterResult(List<T> result, String message) { this.needContinueRoute = true; this.result = result; this.message = message; } public RouterResult(boolean needContinueRoute, List<T> result, String message) { this.needContinueRoute = needContinueRoute; this.result = result; this.message = message; } public boolean isNeedContinueRoute() { return needContinueRoute; } public List<T> getResult() { return result; } public String getMessage() { return message; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/AbstractRouterRule.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/AbstractRouterRule.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import java.util.Map; import static org.apache.dubbo.rpc.cluster.Constants.CONFIG_VERSION_KEY; import static org.apache.dubbo.rpc.cluster.Constants.DYNAMIC_KEY; import static org.apache.dubbo.rpc.cluster.Constants.ENABLED_KEY; import static org.apache.dubbo.rpc.cluster.Constants.FORCE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.KEY_KEY; import static org.apache.dubbo.rpc.cluster.Constants.PRIORITY_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RAW_RULE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RUNTIME_KEY; import static org.apache.dubbo.rpc.cluster.Constants.SCOPE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.VALID_KEY; /** * TODO Extract more code here if necessary */ public abstract class AbstractRouterRule { private String rawRule; private boolean runtime = true; private boolean force = false; private boolean valid = true; private boolean enabled = true; private int priority; private boolean dynamic = false; private String version; private String scope; private String key; protected void parseFromMap0(Map<String, Object> map) { setRawRule((String) map.get(RAW_RULE_KEY)); Object runtime = map.get(RUNTIME_KEY); if (runtime != null) { setRuntime(Boolean.parseBoolean(runtime.toString())); } Object force = map.get(FORCE_KEY); if (force != null) { setForce(Boolean.parseBoolean(force.toString())); } Object valid = map.get(VALID_KEY); if (valid != null) { setValid(Boolean.parseBoolean(valid.toString())); } Object enabled = map.get(ENABLED_KEY); if (enabled != null) { setEnabled(Boolean.parseBoolean(enabled.toString())); } Object priority = map.get(PRIORITY_KEY); if (priority != null) { setPriority(Integer.parseInt(priority.toString())); } Object dynamic = map.get(DYNAMIC_KEY); if (dynamic != null) { setDynamic(Boolean.parseBoolean(dynamic.toString())); } setScope((String) map.get(SCOPE_KEY)); setKey((String) map.get(KEY_KEY)); setVersion((String) map.get(CONFIG_VERSION_KEY)); } public String getRawRule() { return rawRule; } public void setRawRule(String rawRule) { this.rawRule = rawRule; } public boolean isRuntime() { return runtime; } public void setRuntime(boolean runtime) { this.runtime = runtime; } public boolean isForce() { return force; } public void setForce(boolean force) { this.force = force; } public boolean isValid() { return valid; } public void setValid(boolean valid) { this.valid = valid; } public boolean isEnabled() { return enabled; } public void setEnabled(boolean enabled) { this.enabled = enabled; } public int getPriority() { return priority; } public void setPriority(int priority) { this.priority = priority; } public boolean isDynamic() { return dynamic; } public void setDynamic(boolean dynamic) { this.dynamic = dynamic; } public String getScope() { return scope; } public void setScope(String scope) { this.scope = scope; } public String getKey() { return key; } public void setKey(String key) { this.key = key; } public String getVersion() { return version; } public void setVersion(String version) { this.version = version; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/AbstractRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/AbstractRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.Router; import org.apache.dubbo.rpc.cluster.governance.GovernanceRuleRepository; public abstract class AbstractRouter implements Router { private int priority = DEFAULT_PRIORITY; private boolean force = false; private URL url; private GovernanceRuleRepository ruleRepository; public AbstractRouter(URL url) { this.ruleRepository = url.getOrDefaultModuleModel() .getExtensionLoader(GovernanceRuleRepository.class) .getDefaultExtension(); this.url = url; } public AbstractRouter() {} @Override public URL getUrl() { return url; } public void setUrl(URL url) { this.url = url; } @Override public boolean isRuntime() { return true; } @Override public boolean isForce() { return force; } public void setForce(boolean force) { this.force = force; } @Override public int getPriority() { return priority; } public void setPriority(int priority) { this.priority = priority; } public GovernanceRuleRepository getRuleRepository() { return this.ruleRepository; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/BitList.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/BitList.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.utils.CollectionUtils; import java.util.AbstractList; import java.util.ArrayList; import java.util.BitSet; import java.util.Collection; import java.util.Collections; import java.util.Iterator; import java.util.LinkedList; import java.util.List; import java.util.ListIterator; import java.util.NoSuchElementException; import java.util.concurrent.ThreadLocalRandom; /** * BitList based on BitMap implementation. * BitList is consists of `originList`, `rootSet` and `tailList`. * <p> * originList: Initial elements of the list. This list will not be changed * in modification actions (expect clear all). * rootSet: A bitMap to store the indexes of originList are still exist. * Most of the modification actions are operated on this bitMap. * tailList: An additional list for BitList. Worked when adding totally new * elements to list. These elements will be appended to the last * of the BitList. * <p> * An example of BitList: * originList: A B C D E (5 elements) * rootSet: x v x v v * 0 1 0 1 1 (5 elements) * tailList: F G H (3 elements) * resultList: B D E F G H (6 elements) * * @param <E> * @since 3.0 */ public class BitList<E> extends AbstractList<E> implements Cloneable { private final BitSet rootSet; private volatile List<E> originList; private static final BitList emptyList = new BitList(Collections.emptyList()); private volatile List<E> tailList = null; public BitList(List<E> originList) { this(originList, false); } public BitList(List<E> originList, boolean empty) { if (originList instanceof BitList) { this.originList = ((BitList<E>) originList).getOriginList(); this.tailList = ((BitList<E>) originList).getTailList(); } else { this.originList = originList; } this.rootSet = new BitSet(); if (!empty) { this.rootSet.set(0, originList.size()); } else { this.tailList = null; } } public BitList(List<E> originList, boolean empty, List<E> tailList) { this.originList = originList; this.rootSet = new BitSet(); if (!empty) { this.rootSet.set(0, originList.size()); } this.tailList = tailList; } public BitList(List<E> originList, BitSet rootSet, List<E> tailList) { this.originList = originList; this.rootSet = rootSet; this.tailList = tailList; } // Provided by BitList only public synchronized List<E> getOriginList() { return originList; } public synchronized void addIndex(int index) { this.rootSet.set(index); } public synchronized int totalSetSize() { return this.originList.size(); } public synchronized boolean indexExist(int index) { return this.rootSet.get(index); } public synchronized E getByIndex(int index) { return this.originList.get(index); } /** * And operation between two bitList. Return a new cloned list. * TailList in source bitList will be totally saved even if it is not appeared in the target bitList. * * @param target target bitList * @return this bitList only contains those elements contain in both two list and source bitList's tailList */ public synchronized BitList<E> and(BitList<E> target) { rootSet.and(target.rootSet); if (target.getTailList() != null) { target.getTailList().forEach(this::addToTailList); } return this; } public synchronized BitList<E> or(BitList<E> target) { BitSet resultSet = (BitSet) rootSet.clone(); resultSet.or(target.rootSet); return new BitList<>(originList, resultSet, tailList); } public synchronized boolean hasMoreElementInTailList() { return CollectionUtils.isNotEmpty(tailList); } public synchronized List<E> getTailList() { return tailList; } public synchronized void addToTailList(E e) { if (tailList == null) { tailList = new LinkedList<>(); } tailList.add(e); } public synchronized E randomSelectOne() { int originSize = originList.size(); int tailSize = tailList != null ? tailList.size() : 0; int totalSize = originSize + tailSize; int cardinality = rootSet.cardinality(); // example 1 : origin size is 1000, cardinality is 50, rate is 1/20. 20 * 2 = 40 < 50, try random select // example 2 : origin size is 1000, cardinality is 25, rate is 1/40. 40 * 2 = 80 > 50, directly use iterator int rate = originSize / cardinality; if (rate <= cardinality * 2) { int count = rate * 5; for (int i = 0; i < count; i++) { int random = ThreadLocalRandom.current().nextInt(totalSize); if (random < originSize) { if (rootSet.get(random)) { return originList.get(random); } } else { return tailList.get(random - originSize); } } } return get(ThreadLocalRandom.current().nextInt(cardinality + tailSize)); } @SuppressWarnings("unchecked") public static <T> BitList<T> emptyList() { return emptyList; } // Provided by JDK List interface @Override public synchronized int size() { return rootSet.cardinality() + (CollectionUtils.isNotEmpty(tailList) ? tailList.size() : 0); } @Override public synchronized boolean contains(Object o) { int idx = originList.indexOf(o); return (idx >= 0 && rootSet.get(idx)) || (CollectionUtils.isNotEmpty(tailList) && tailList.contains(o)); } @Override public synchronized Iterator<E> iterator() { return new BitListIterator<>(this, 0); } /** * If the element to added is appeared in originList even if it is not in rootSet, * directly set its index in rootSet to true. (This may change the order of elements.) * <p> * If the element is not contained in originList, allocate tailList and add to tailList. * <p> * Notice: It is not recommended adding duplicated element. */ @Override public synchronized boolean add(E e) { int index = originList.indexOf(e); if (index > -1) { rootSet.set(index); return true; } else { if (tailList == null) { tailList = new LinkedList<>(); } return tailList.add(e); } } /** * If the element to added is appeared in originList, * directly set its index in rootSet to false. (This may change the order of elements.) * <p> * If the element is not contained in originList, try to remove from tailList. */ @Override public synchronized boolean remove(Object o) { int idx = originList.indexOf(o); if (idx > -1 && rootSet.get(idx)) { rootSet.set(idx, false); return true; } if (CollectionUtils.isNotEmpty(tailList)) { return tailList.remove(o); } return false; } /** * Caution: This operation will clear originList for removing references purpose. * This may change the default behaviour when adding new element later. */ @Override public synchronized void clear() { rootSet.clear(); // to remove references originList = Collections.emptyList(); if (CollectionUtils.isNotEmpty(tailList)) { tailList = null; } } @Override public synchronized E get(int index) { int bitIndex = -1; if (index < 0) { throw new IndexOutOfBoundsException(); } if (index >= rootSet.cardinality()) { if (CollectionUtils.isNotEmpty(tailList)) { return tailList.get(index - rootSet.cardinality()); } else { throw new IndexOutOfBoundsException(); } } else { for (int i = 0; i <= index; i++) { bitIndex = rootSet.nextSetBit(bitIndex + 1); } return originList.get(bitIndex); } } @Override public synchronized E remove(int index) { int bitIndex = -1; if (index >= rootSet.cardinality()) { if (CollectionUtils.isNotEmpty(tailList)) { return tailList.remove(index - rootSet.cardinality()); } else { throw new IndexOutOfBoundsException(); } } else { for (int i = 0; i <= index; i++) { bitIndex = rootSet.nextSetBit(bitIndex + 1); } rootSet.set(bitIndex, false); return originList.get(bitIndex); } } @Override public synchronized int indexOf(Object o) { int bitIndex = -1; for (int i = 0; i < rootSet.cardinality(); i++) { bitIndex = rootSet.nextSetBit(bitIndex + 1); if (originList.get(bitIndex).equals(o)) { return i; } } if (CollectionUtils.isNotEmpty(tailList)) { int indexInTailList = tailList.indexOf(o); if (indexInTailList != -1) { return indexInTailList + rootSet.cardinality(); } else { return -1; } } return -1; } @Override @SuppressWarnings("unchecked") public synchronized boolean addAll(Collection<? extends E> c) { if (c instanceof BitList) { rootSet.or(((BitList<? extends E>) c).rootSet); if (((BitList<? extends E>) c).hasMoreElementInTailList()) { for (E e : ((BitList<? extends E>) c).tailList) { addToTailList(e); } } return true; } return super.addAll(c); } @Override public synchronized int lastIndexOf(Object o) { int bitIndex = -1; int index = -1; if (CollectionUtils.isNotEmpty(tailList)) { int indexInTailList = tailList.lastIndexOf(o); if (indexInTailList > -1) { return indexInTailList + rootSet.cardinality(); } } for (int i = 0; i < rootSet.cardinality(); i++) { bitIndex = rootSet.nextSetBit(bitIndex + 1); if (originList.get(bitIndex).equals(o)) { index = i; } } return index; } @Override public synchronized boolean isEmpty() { return this.rootSet.isEmpty() && CollectionUtils.isEmpty(tailList); } @Override public synchronized ListIterator<E> listIterator() { return new BitListIterator<>(this, 0); } @Override public synchronized ListIterator<E> listIterator(int index) { return new BitListIterator<>(this, index); } @Override public synchronized BitList<E> subList(int fromIndex, int toIndex) { BitSet resultSet = (BitSet) rootSet.clone(); List<E> copiedTailList = tailList == null ? null : new LinkedList<>(tailList); if (toIndex < size()) { if (toIndex < rootSet.cardinality()) { copiedTailList = null; resultSet.set(toIndex, resultSet.length(), false); } else { copiedTailList = copiedTailList == null ? null : copiedTailList.subList(0, toIndex - rootSet.cardinality()); } } if (fromIndex > 0) { if (fromIndex < rootSet.cardinality()) { resultSet.set(0, fromIndex, false); } else { resultSet.clear(); copiedTailList = copiedTailList == null ? null : copiedTailList.subList(fromIndex - rootSet.cardinality(), copiedTailList.size()); } } return new BitList<>(originList, resultSet, copiedTailList); } public static class BitListIterator<E> implements ListIterator<E> { private BitList<E> bitList; private int index; private ListIterator<E> tailListIterator; private int curBitIndex = -1; private boolean isInTailList = false; private int lastReturnedIndex = -1; public BitListIterator(BitList<E> bitList, int index) { this.bitList = bitList; this.index = index - 1; for (int i = 0; i < index; i++) { if (!isInTailList) { curBitIndex = bitList.rootSet.nextSetBit(curBitIndex + 1); if (curBitIndex == -1) { if (CollectionUtils.isNotEmpty(bitList.tailList)) { isInTailList = true; tailListIterator = bitList.tailList.listIterator(); tailListIterator.next(); } else { break; } } } else { tailListIterator.next(); } } } @Override public synchronized boolean hasNext() { if (isInTailList) { return tailListIterator.hasNext(); } else { int nextBit = bitList.rootSet.nextSetBit(curBitIndex + 1); if (nextBit == -1) { return bitList.hasMoreElementInTailList(); } else { return true; } } } @Override public synchronized E next() { if (isInTailList) { if (tailListIterator.hasNext()) { index += 1; lastReturnedIndex = index; } return tailListIterator.next(); } else { int nextBitIndex = bitList.rootSet.nextSetBit(curBitIndex + 1); if (nextBitIndex == -1) { if (bitList.hasMoreElementInTailList()) { tailListIterator = bitList.tailList.listIterator(); isInTailList = true; index += 1; lastReturnedIndex = index; return tailListIterator.next(); } else { throw new NoSuchElementException(); } } else { index += 1; lastReturnedIndex = index; curBitIndex = nextBitIndex; return bitList.originList.get(nextBitIndex); } } } @Override public synchronized boolean hasPrevious() { if (isInTailList) { boolean hasPreviousInTailList = tailListIterator.hasPrevious(); if (hasPreviousInTailList) { return true; } else { return bitList.rootSet.previousSetBit(bitList.rootSet.size()) != -1; } } else { return curBitIndex != -1; } } @Override public synchronized E previous() { if (isInTailList) { boolean hasPreviousInTailList = tailListIterator.hasPrevious(); if (hasPreviousInTailList) { lastReturnedIndex = index; index -= 1; return tailListIterator.previous(); } else { int lastIndexInBit = bitList.rootSet.previousSetBit(bitList.rootSet.size()); if (lastIndexInBit == -1) { throw new NoSuchElementException(); } else { isInTailList = false; curBitIndex = bitList.rootSet.previousSetBit(lastIndexInBit - 1); lastReturnedIndex = index; index -= 1; return bitList.originList.get(lastIndexInBit); } } } else { if (curBitIndex == -1) { throw new NoSuchElementException(); } int nextBitIndex = curBitIndex; curBitIndex = bitList.rootSet.previousSetBit(curBitIndex - 1); lastReturnedIndex = index; index -= 1; return bitList.originList.get(nextBitIndex); } } @Override public synchronized int nextIndex() { return hasNext() ? index + 1 : index; } @Override public synchronized int previousIndex() { return index; } @Override public synchronized void remove() { if (lastReturnedIndex == -1) { throw new IllegalStateException(); } else { if (lastReturnedIndex >= bitList.rootSet.cardinality()) { tailListIterator.remove(); } else { int bitIndex = -1; for (int i = 0; i <= lastReturnedIndex; i++) { bitIndex = bitList.rootSet.nextSetBit(bitIndex + 1); } bitList.rootSet.set(bitIndex, false); } } if (lastReturnedIndex <= index) { index -= 1; } } @Override public synchronized void set(E e) { throw new UnsupportedOperationException("Set method is not supported in BitListIterator!"); } @Override public synchronized void add(E e) { throw new UnsupportedOperationException("Add method is not supported in BitListIterator!"); } } public synchronized ArrayList<E> cloneToArrayList() { if (rootSet.cardinality() == originList.size() && (CollectionUtils.isEmpty(tailList))) { return new ArrayList<>(originList); } ArrayList<E> arrayList = new ArrayList<>(size()); arrayList.addAll(this); return arrayList; } @Override public synchronized BitList<E> clone() { return new BitList<>( originList, (BitSet) rootSet.clone(), tailList == null ? null : new LinkedList<>(tailList)); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/StateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/StateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.constants.CommonConstants; import org.apache.dubbo.common.extension.Adaptive; import org.apache.dubbo.common.extension.SPI; @SPI public interface StateRouterFactory { /** * Create state router. * * @param url url * @return router instance * @since 3.0 */ @Adaptive(CommonConstants.PROTOCOL_KEY) <T> StateRouter<T> getRouter(Class<T> interfaceClass, URL url); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/TailStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/TailStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; public class TailStateRouter<T> implements StateRouter<T> { private static final TailStateRouter INSTANCE = new TailStateRouter(); @SuppressWarnings("unchecked") public static <T> TailStateRouter<T> getInstance() { return INSTANCE; } private TailStateRouter() {} @Override public void setNextRouter(StateRouter<T> nextRouter) {} @Override public URL getUrl() { return null; } @Override public BitList<Invoker<T>> route( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder) throws RpcException { return invokers; } @Override public boolean isRuntime() { return false; } @Override public boolean isForce() { return false; } @Override public void notify(BitList<Invoker<T>> invokers) {} @Override public String buildSnapshot() { return "TailStateRouter End"; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/CacheableStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/CacheableStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.ConcurrentHashMapUtils; import java.util.concurrent.ConcurrentHashMap; import java.util.concurrent.ConcurrentMap; /** * If you want to provide a router implementation based on design of v2.7.0, please extend from this abstract class. * For 2.6.x style router, please implement and use RouterFactory directly. */ public abstract class CacheableStateRouterFactory implements StateRouterFactory { // TODO reuse StateRouter for all routerChain private final ConcurrentMap<String, StateRouter> routerMap = new ConcurrentHashMap<>(); @Override public <T> StateRouter<T> getRouter(Class<T> interfaceClass, URL url) { return ConcurrentHashMapUtils.computeIfAbsent( routerMap, url.getServiceKey(), k -> createRouter(interfaceClass, url)); } protected abstract <T> StateRouter<T> createRouter(Class<T> interfaceClass, URL url); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/StateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/StateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Directory; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; /** * State Router. (SPI, Prototype, ThreadSafe) * <p> * <a href="http://en.wikipedia.org/wiki/Routing">Routing</a> * * It is recommended to implement StateRouter by extending {@link AbstractStateRouter} * * @see org.apache.dubbo.rpc.cluster.Cluster#join(Directory, boolean) * @see AbstractStateRouter * @see Directory#list(Invocation) * @since 3.0 */ public interface StateRouter<T> { /** * Get the router url. * * @return url */ URL getUrl(); /*** * Filter invokers with current routing rule and only return the invokers that comply with the rule. * Caching address lists in BitMap mode improves routing performance. * @param invokers invoker bit list * @param url refer url * @param invocation invocation * @param needToPrintMessage whether to print router state. Such as `use router branch a`. * @return state with route result * @since 3.0 */ BitList<Invoker<T>> route( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder) throws RpcException; /** * To decide whether this router need to execute every time an RPC comes or should only execute when addresses or * rule change. * * @return true if the router need to execute every time. */ boolean isRuntime(); /** * To decide whether this router should take effect when none of the invoker can match the router rule, which * means the {@link #route(BitList, URL, Invocation, boolean, Holder)} would be empty. Most of time, most router implementation would * default this value to false. * * @return true to execute if none of invokers matches the current router */ boolean isForce(); /** * Notify the router the invoker list. Invoker list may change from time to time. This method gives the router a * chance to prepare before {@link StateRouter#route(BitList, URL, Invocation, boolean, Holder)} gets called. * No need to notify next node. * * @param invokers invoker list */ void notify(BitList<Invoker<T>> invokers); /** * Build Router's Current State Snapshot for QoS * * @return Current State */ String buildSnapshot(); default void stop() { // do nothing by default } /** * Notify next router node to current router. * * @param nextRouter next router node */ void setNextRouter(StateRouter<T> nextRouter); }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/RouterGroupingState.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/RouterGroupingState.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.Invoker; import java.util.Map; import java.util.stream.Collectors; public class RouterGroupingState<T> { private final String routerName; private final int total; private final Map<String, BitList<Invoker<T>>> grouping; public RouterGroupingState(String routerName, int total, Map<String, BitList<Invoker<T>>> grouping) { this.routerName = routerName; this.total = total; this.grouping = grouping; } public String getRouterName() { return routerName; } public int getTotal() { return total; } public Map<String, BitList<Invoker<T>>> getGrouping() { return grouping; } @Override public String toString() { StringBuilder stringBuilder = new StringBuilder(); stringBuilder .append(routerName) .append(' ') .append(" Total: ") .append(total) .append("\n"); for (Map.Entry<String, BitList<Invoker<T>>> entry : grouping.entrySet()) { BitList<Invoker<T>> invokers = entry.getValue(); stringBuilder .append("[ ") .append(entry.getKey()) .append(" -> ") .append( invokers.isEmpty() ? "Empty" : invokers.stream() .limit(5) .map(Invoker::getUrl) .map(URL::getAddress) .collect(Collectors.joining(","))) .append(invokers.size() > 5 ? "..." : "") .append(" (Total: ") .append(invokers.size()) .append(") ]") .append("\n"); } return stringBuilder.toString(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/AbstractStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/state/AbstractStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.state; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.ConfigurationUtils; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.Constants; import org.apache.dubbo.rpc.cluster.governance.GovernanceRuleRepository; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; import org.apache.dubbo.rpc.model.ModuleModel; /*** * The abstract class of StateRoute. * @since 3.0 */ public abstract class AbstractStateRouter<T> implements StateRouter<T> { private volatile boolean force = false; private volatile URL url; private volatile StateRouter<T> nextRouter = null; private final GovernanceRuleRepository ruleRepository; /** * Should continue route if current router's result is empty */ private final boolean shouldFailFast; protected ModuleModel moduleModel; public AbstractStateRouter(URL url) { moduleModel = url.getOrDefaultModuleModel(); this.ruleRepository = moduleModel.getExtensionLoader(GovernanceRuleRepository.class).getDefaultExtension(); this.url = url; this.shouldFailFast = Boolean.parseBoolean( ConfigurationUtils.getProperty(moduleModel, Constants.SHOULD_FAIL_FAST_KEY, "true")); } @Override public URL getUrl() { return url; } public void setUrl(URL url) { this.url = url; } @Override public boolean isRuntime() { return true; } @Override public boolean isForce() { return force; } public void setForce(boolean force) { this.force = force; } public GovernanceRuleRepository getRuleRepository() { return this.ruleRepository; } public StateRouter<T> getNextRouter() { return nextRouter; } @Override public void notify(BitList<Invoker<T>> invokers) { // default empty implement } @Override public final BitList<Invoker<T>> route( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder) throws RpcException { if (needToPrintMessage && (nodeHolder == null || nodeHolder.get() == null)) { needToPrintMessage = false; } RouterSnapshotNode<T> currentNode = null; RouterSnapshotNode<T> parentNode = null; Holder<String> messageHolder = null; // pre-build current node if (needToPrintMessage) { parentNode = nodeHolder.get(); currentNode = new RouterSnapshotNode<>(this.getClass().getSimpleName(), invokers.clone()); parentNode.appendNode(currentNode); // set parent node's output size in the first child invoke // initial node output size is zero, first child will override it if (parentNode.getNodeOutputSize() < invokers.size()) { parentNode.setNodeOutputInvokers(invokers.clone()); } messageHolder = new Holder<>(); nodeHolder.set(currentNode); } BitList<Invoker<T>> routeResult; routeResult = doRoute(invokers, url, invocation, needToPrintMessage, nodeHolder, messageHolder); if (routeResult != invokers) { routeResult = invokers.and(routeResult); } // check if router support call continue route by itself if (!supportContinueRoute()) { // use current node's result as next node's parameter if (!shouldFailFast || !routeResult.isEmpty()) { routeResult = continueRoute(routeResult, url, invocation, needToPrintMessage, nodeHolder); } } // post-build current node if (needToPrintMessage) { currentNode.setRouterMessage(messageHolder.get()); if (currentNode.getNodeOutputSize() == 0) { // no child call currentNode.setNodeOutputInvokers(routeResult.clone()); } currentNode.setChainOutputInvokers(routeResult.clone()); nodeHolder.set(parentNode); } return routeResult; } /** * Filter invokers with current routing rule and only return the invokers that comply with the rule. * * @param invokers all invokers to be routed * @param url consumerUrl * @param invocation invocation * @param needToPrintMessage should current router print message * @param nodeHolder RouterSnapshotNode In general, router itself no need to care this param, just pass to continueRoute * @param messageHolder message holder when router should current router print message * @return routed result */ protected abstract BitList<Invoker<T>> doRoute( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder, Holder<String> messageHolder) throws RpcException; /** * Call next router to get result * * @param invokers current router filtered invokers */ protected final BitList<Invoker<T>> continueRoute( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder) { if (nextRouter != null) { return nextRouter.route(invokers, url, invocation, needToPrintMessage, nodeHolder); } else { return invokers; } } /** * Whether current router's implementation support call * {@link AbstractStateRouter#continueRoute(BitList, URL, Invocation, boolean, Holder)} * by router itself. * * @return support or not */ protected boolean supportContinueRoute() { return false; } /** * Next Router node state is maintained by AbstractStateRouter and this method is not allow to override. * If a specified router wants to control the behaviour of continue route or not, * please override {@link AbstractStateRouter#supportContinueRoute()} */ @Override public final void setNextRouter(StateRouter<T> nextRouter) { this.nextRouter = nextRouter; } @Override public final String buildSnapshot() { return doBuildSnapshot() + " v \n" + nextRouter.buildSnapshot(); } protected String doBuildSnapshot() { return this.getClass().getSimpleName() + " not support\n"; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/file/FileStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/file/FileStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.file; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.URLBuilder; import org.apache.dubbo.common.utils.IOUtils; import org.apache.dubbo.rpc.cluster.router.script.ScriptStateRouterFactory; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; import org.apache.dubbo.rpc.cluster.router.state.StateRouterFactory; import java.io.FileReader; import java.io.IOException; import static org.apache.dubbo.rpc.cluster.Constants.ROUTER_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RULE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RUNTIME_KEY; import static org.apache.dubbo.rpc.cluster.Constants.TYPE_KEY; public class FileStateRouterFactory implements StateRouterFactory { public static final String NAME = "file"; private StateRouterFactory routerFactory; public void setRouterFactory(StateRouterFactory routerFactory) { this.routerFactory = routerFactory; } @Override public <T> StateRouter<T> getRouter(Class<T> interfaceClass, URL url) { try { // Transform File URL into Script Route URL, and Load // file:///d:/path/to/route.js?router=script ==> script:///d:/path/to/route.js?type=js&rule=<file-content> String protocol = url.getParameter( ROUTER_KEY, ScriptStateRouterFactory.NAME); // Replace original protocol (maybe 'file') with 'script' String type = null; // Use file suffix to config script type, e.g., js, groovy ... String path = url.getPath(); if (path != null) { int i = path.lastIndexOf('.'); if (i > 0) { type = path.substring(i + 1); } } String rule = IOUtils.read(new FileReader(url.getAbsolutePath())); // FIXME: this code looks useless boolean runtime = url.getParameter(RUNTIME_KEY, false); URL script = URLBuilder.from(url) .setProtocol(protocol) .addParameter(TYPE_KEY, type) .addParameter(RUNTIME_KEY, runtime) .addParameterAndEncoded(RULE_KEY, rule) .build(); return routerFactory.getRouter(interfaceClass, script); } catch (IOException e) { throw new IllegalStateException(e.getMessage(), e); } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/mock/MockStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/mock/MockStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.mock; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; import org.apache.dubbo.rpc.cluster.router.state.StateRouterFactory; @Activate(order = -100) public class MockStateRouterFactory implements StateRouterFactory { public static final String NAME = "mock"; @Override public <T> StateRouter<T> getRouter(Class<T> interfaceClass, URL url) { return new MockInvokersSelector<>(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/mock/MockInvokersSelector.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/mock/MockInvokersSelector.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.mock; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; import org.apache.dubbo.rpc.cluster.router.state.AbstractStateRouter; import org.apache.dubbo.rpc.cluster.router.state.BitList; import org.apache.dubbo.rpc.cluster.router.state.RouterGroupingState; import java.util.HashMap; import java.util.Map; import static org.apache.dubbo.rpc.cluster.Constants.INVOCATION_NEED_MOCK; import static org.apache.dubbo.rpc.cluster.Constants.MOCK_PROTOCOL; /** * A specific Router designed to realize mock feature. * If a request is configured to use mock, then this router guarantees that only the invokers with protocol MOCK appear in final the invoker list, all other invokers will be excluded. */ public class MockInvokersSelector<T> extends AbstractStateRouter<T> { public static final String NAME = "MOCK_ROUTER"; private volatile BitList<Invoker<T>> normalInvokers = BitList.emptyList(); private volatile BitList<Invoker<T>> mockedInvokers = BitList.emptyList(); public MockInvokersSelector(URL url) { super(url); } @Override protected BitList<Invoker<T>> doRoute( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder, Holder<String> messageHolder) throws RpcException { if (CollectionUtils.isEmpty(invokers)) { if (needToPrintMessage) { messageHolder.set("Empty invokers. Directly return."); } return invokers; } if (invocation.getObjectAttachments() == null) { if (needToPrintMessage) { messageHolder.set("ObjectAttachments from invocation are null. Return normal Invokers."); } return invokers.and(normalInvokers); } else { String value = (String) invocation.getObjectAttachmentWithoutConvert(INVOCATION_NEED_MOCK); if (value == null) { if (needToPrintMessage) { messageHolder.set("invocation.need.mock not set. Return normal Invokers."); } return invokers.and(normalInvokers); } else if (Boolean.TRUE.toString().equalsIgnoreCase(value)) { if (needToPrintMessage) { messageHolder.set("invocation.need.mock is true. Return mocked Invokers."); } return invokers.and(mockedInvokers); } } if (needToPrintMessage) { messageHolder.set("Directly Return. Reason: invocation.need.mock is set but not match true"); } return invokers; } @Override public void notify(BitList<Invoker<T>> invokers) { cacheMockedInvokers(invokers); cacheNormalInvokers(invokers); } private void cacheMockedInvokers(BitList<Invoker<T>> invokers) { BitList<Invoker<T>> clonedInvokers = invokers.clone(); clonedInvokers.removeIf((invoker) -> !invoker.getUrl().getProtocol().equals(MOCK_PROTOCOL)); mockedInvokers = clonedInvokers; } @SuppressWarnings("rawtypes") private void cacheNormalInvokers(BitList<Invoker<T>> invokers) { BitList<Invoker<T>> clonedInvokers = invokers.clone(); clonedInvokers.removeIf((invoker) -> invoker.getUrl().getProtocol().equals(MOCK_PROTOCOL)); normalInvokers = clonedInvokers; } @Override protected String doBuildSnapshot() { Map<String, BitList<Invoker<T>>> grouping = new HashMap<>(); grouping.put("Mocked", mockedInvokers); grouping.put("Normal", normalInvokers); return new RouterGroupingState<>( this.getClass().getSimpleName(), mockedInvokers.size() + normalInvokers.size(), grouping) .toString(); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/AffinityStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/AffinityStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity; import org.apache.dubbo.common.URL; import org.apache.dubbo.rpc.cluster.router.state.CacheableStateRouterFactory; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; /** * affinity router factory */ public class AffinityStateRouterFactory extends CacheableStateRouterFactory { public static final String NAME = "affinity"; @Override protected <T> StateRouter<T> createRouter(Class<T> interfaceClass, URL url) { return new AffinityStateRouter<T>(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/AffinityStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/AffinityStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.common.utils.NetUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; import org.apache.dubbo.rpc.cluster.router.condition.matcher.ConditionMatcher; import org.apache.dubbo.rpc.cluster.router.condition.matcher.ConditionMatcherFactory; import org.apache.dubbo.rpc.cluster.router.state.AbstractStateRouter; import org.apache.dubbo.rpc.cluster.router.state.BitList; import java.text.ParseException; import java.util.List; import java.util.Map; import java.util.Set; import static org.apache.dubbo.common.constants.CommonConstants.ENABLED_KEY; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_CONDITIONAL_ROUTE_LIST_EMPTY; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_EXEC_CONDITION_ROUTER; import static org.apache.dubbo.rpc.cluster.Constants.AFFINITY_KEY; import static org.apache.dubbo.rpc.cluster.Constants.DefaultAffinityRatio; import static org.apache.dubbo.rpc.cluster.Constants.RATIO_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RULE_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RUNTIME_KEY; /** * # dubbo/config/group/{$name}.affinity-router * configVersion: v3.1 * scope: service # Or application * key: service.apache.com * enabled: true * runtime: true * affinityAware: * key: region * ratio: 20 */ public class AffinityStateRouter<T> extends AbstractStateRouter<T> { public static final String NAME = "affinity"; private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(AbstractStateRouter.class); protected String affinityKey; protected Double ratio; protected ConditionMatcher matchMatcher; protected List<ConditionMatcherFactory> matcherFactories; private final boolean enabled; public AffinityStateRouter(URL url) { super(url); this.enabled = url.getParameter(ENABLED_KEY, true); this.affinityKey = url.getParameter(AFFINITY_KEY, ""); this.ratio = url.getParameter(RATIO_KEY, DefaultAffinityRatio); this.matcherFactories = moduleModel.getExtensionLoader(ConditionMatcherFactory.class).getActivateExtensions(); if (this.enabled) { this.init(affinityKey); } } public AffinityStateRouter(URL url, String affinityKey, Double ratio, boolean enabled) { super(url); this.enabled = enabled; this.affinityKey = affinityKey; this.ratio = ratio; matcherFactories = moduleModel.getExtensionLoader(ConditionMatcherFactory.class).getActivateExtensions(); if (this.enabled) { this.init(affinityKey); } } public void init(String rule) { try { if (rule == null || rule.trim().isEmpty()) { throw new IllegalArgumentException("Illegal affinity rule!"); } this.matchMatcher = parseRule(affinityKey); } catch (ParseException e) { throw new IllegalStateException(e.getMessage(), e); } } private ConditionMatcher parseRule(String rule) throws ParseException { ConditionMatcher matcher = getMatcher(rule); // Multiple values Set<String> values = matcher.getMatches(); values.add(getUrl().getParameter(rule)); return matcher; } @Override protected BitList<Invoker<T>> doRoute( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder, Holder<String> messageHolder) throws RpcException { if (!enabled) { if (needToPrintMessage) { messageHolder.set("Directly return. Reason: AffinityRouter disabled."); } return invokers; } if (CollectionUtils.isEmpty(invokers)) { if (needToPrintMessage) { messageHolder.set("Directly return. Reason: Invokers from previous router is empty."); } return invokers; } try { BitList<Invoker<T>> result = invokers.clone(); result.removeIf(invoker -> !matchInvoker(invoker.getUrl(), url)); if (result.size() / (double) invokers.size() >= ratio / (double) 100) { if (needToPrintMessage) { messageHolder.set("Match return."); } return result; } else { logger.warn( CLUSTER_CONDITIONAL_ROUTE_LIST_EMPTY, "execute affinity state router result is less than defined" + this.ratio, "", "The affinity result is ignored. consumer: " + NetUtils.getLocalHost() + ", service: " + url.getServiceKey() + ", router: " + url.getParameterAndDecoded(RULE_KEY)); if (needToPrintMessage) { messageHolder.set("Directly return. Reason: Affinity state router result is less than defined."); } return invokers; } } catch (Throwable t) { logger.error( CLUSTER_FAILED_EXEC_CONDITION_ROUTER, "execute affinity state router exception", "", "Failed to execute affinity router rule: " + getUrl() + ", invokers: " + invokers + ", cause: " + t.getMessage(), t); } if (needToPrintMessage) { messageHolder.set("Directly return. Reason: Error occurred ( or result is empty )."); } return invokers; } @Override public boolean isRuntime() { // We always return true for previously defined Router, that is, old Router doesn't support cache anymore. // return true; return this.getUrl().getParameter(RUNTIME_KEY, false); } private ConditionMatcher getMatcher(String key) { return moduleModel .getExtensionLoader(ConditionMatcherFactory.class) .getExtension("param") .createMatcher(key, moduleModel); } private boolean matchInvoker(URL url, URL param) { return doMatch(url, param, null, matchMatcher); } private boolean doMatch(URL url, URL param, Invocation invocation, ConditionMatcher matcher) { Map<String, String> sample = url.toOriginalMap(); if (!matcher.isMatch(sample, param, invocation, false)) { return false; } return true; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityServiceStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityServiceStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.configcenter.DynamicConfiguration; /** * Service level router, "server-unique-name.affinity-router" */ public class AffinityServiceStateRouter<T> extends AffinityListenableStateRouter<T> { public static final String NAME = "AFFINITY_SERVICE_ROUTER"; public AffinityServiceStateRouter(URL url) { super(url, DynamicConfiguration.getRuleKey(url)); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityProviderAppStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityProviderAppStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.configcenter.ConfigChangedEvent; import org.apache.dubbo.common.config.configcenter.DynamicConfiguration; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.cluster.router.condition.config.ListenableStateRouter; import org.apache.dubbo.rpc.cluster.router.state.BitList; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_TAG_ROUTE_EMPTY; import static org.apache.dubbo.common.utils.StringUtils.isEmpty; /** * Application level affinity router, "application.affinity-router" */ public class AffinityProviderAppStateRouter<T> extends ListenableStateRouter<T> { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(ListenableStateRouter.class); public static final String NAME = "AFFINITY_PROVIDER_APP_ROUTER"; private String application; private final String currentApplication; public AffinityProviderAppStateRouter(URL url) { super(url, url.getApplication()); this.currentApplication = url.getApplication(); } @Override public void notify(BitList<Invoker<T>> invokers) { if (CollectionUtils.isEmpty(invokers)) { return; } Invoker<T> invoker = invokers.get(0); URL url = invoker.getUrl(); String providerApplication = url.getRemoteApplication(); // provider application is empty or equals with the current application if (isEmpty(providerApplication)) { logger.warn( CLUSTER_TAG_ROUTE_EMPTY, "affinity router get providerApplication is empty, will not subscribe to provider app rules.", "", ""); return; } if (providerApplication.equals(currentApplication)) { return; } synchronized (this) { if (!providerApplication.equals(application)) { if (StringUtils.isNotEmpty(application)) { this.getRuleRepository().removeListener(application + RULE_SUFFIX, this); } String key = providerApplication + RULE_SUFFIX; this.getRuleRepository().addListener(key, this); application = providerApplication; String rawRule = this.getRuleRepository().getRule(key, DynamicConfiguration.DEFAULT_GROUP); if (StringUtils.isNotEmpty(rawRule)) { this.process(new ConfigChangedEvent(key, DynamicConfiguration.DEFAULT_GROUP, rawRule)); } } } } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityServiceStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityServiceStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.rpc.cluster.router.state.CacheableStateRouterFactory; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; /** * Service level affinity router factory */ @Activate(order = 130) public class AffinityServiceStateRouterFactory extends CacheableStateRouterFactory { public static final String NAME = "affinity_service"; @Override protected <T> StateRouter<T> createRouter(Class<T> interfaceClass, URL url) { return new AffinityServiceStateRouter<T>(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityListenableStateRouter.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityListenableStateRouter.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.config.configcenter.ConfigChangeType; import org.apache.dubbo.common.config.configcenter.ConfigChangedEvent; import org.apache.dubbo.common.config.configcenter.ConfigurationListener; import org.apache.dubbo.common.config.configcenter.DynamicConfiguration; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.common.utils.CollectionUtils; import org.apache.dubbo.common.utils.Holder; import org.apache.dubbo.common.utils.StringUtils; import org.apache.dubbo.rpc.Invocation; import org.apache.dubbo.rpc.Invoker; import org.apache.dubbo.rpc.RpcException; import org.apache.dubbo.rpc.cluster.router.AbstractRouterRule; import org.apache.dubbo.rpc.cluster.router.RouterSnapshotNode; import org.apache.dubbo.rpc.cluster.router.affinity.AffinityStateRouter; import org.apache.dubbo.rpc.cluster.router.affinity.config.model.AffinityRouterRule; import org.apache.dubbo.rpc.cluster.router.affinity.config.model.AffinityRuleParser; import org.apache.dubbo.rpc.cluster.router.state.AbstractStateRouter; import org.apache.dubbo.rpc.cluster.router.state.BitList; import org.apache.dubbo.rpc.cluster.router.state.TailStateRouter; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_RULE_PARSING; /** * Abstract router which listens to dynamic configuration */ public abstract class AffinityListenableStateRouter<T> extends AbstractStateRouter<T> implements ConfigurationListener { public static final String NAME = "Affinity_LISTENABLE_ROUTER"; public static final String RULE_SUFFIX = ".affinity-router"; private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(AffinityListenableStateRouter.class); private volatile AffinityRouterRule affinityRouterRule; private volatile AffinityStateRouter<T> affinityRouter; private final String ruleKey; public AffinityListenableStateRouter(URL url, String ruleKey) { super(url); this.setForce(false); this.init(ruleKey); this.ruleKey = ruleKey; } @Override public synchronized void process(ConfigChangedEvent event) { if (logger.isInfoEnabled()) { logger.info("Notification of affinity rule, change type is: " + event.getChangeType() + ", raw rule is:\n " + event.getContent()); } if (event.getChangeType().equals(ConfigChangeType.DELETED)) { affinityRouterRule = null; affinityRouter = null; } else { try { affinityRouterRule = AffinityRuleParser.parse(event.getContent()); generateConditions(affinityRouterRule); } catch (Exception e) { logger.error( CLUSTER_FAILED_RULE_PARSING, "Failed to parse the raw affinity rule", "", "Failed to parse the raw affinity rule and it will not take effect, please check " + "if the affinity rule matches with the template, the raw rule is:\n " + event.getContent(), e); } } } @Override public BitList<Invoker<T>> doRoute( BitList<Invoker<T>> invokers, URL url, Invocation invocation, boolean needToPrintMessage, Holder<RouterSnapshotNode<T>> nodeHolder, Holder<String> messageHolder) throws RpcException { if (CollectionUtils.isEmpty(invokers) || affinityRouter == null) { if (needToPrintMessage) { messageHolder.set( "Directly return. Reason: Invokers from previous router is empty or affinityRouter is null."); } return invokers; } // We will check enabled status inside each router. StringBuilder resultMessage = null; if (needToPrintMessage) { resultMessage = new StringBuilder(); } invokers = affinityRouter.route(invokers, url, invocation, needToPrintMessage, nodeHolder); if (needToPrintMessage) { resultMessage.append(messageHolder.get()); } if (needToPrintMessage) { messageHolder.set(resultMessage.toString()); } return invokers; } @Override public boolean isForce() { return (affinityRouterRule != null && affinityRouterRule.isForce()); } private boolean isRuleRuntime() { return affinityRouterRule != null && affinityRouterRule.isValid() && affinityRouterRule.isRuntime(); } private void generateConditions(AbstractRouterRule rule) { if (rule == null || !rule.isValid()) { return; } AffinityRouterRule affinityRule = (AffinityRouterRule) rule; affinityRouter = new AffinityStateRouter<>( getUrl(), affinityRule.getAffinityKey(), affinityRule.getRatio(), affinityRule.isEnabled()); affinityRouter.setNextRouter(TailStateRouter.getInstance()); } private synchronized void init(String ruleKey) { if (StringUtils.isEmpty(ruleKey)) { return; } String routerKey = ruleKey + RULE_SUFFIX; this.getRuleRepository().addListener(routerKey, this); String rule = this.getRuleRepository().getRule(routerKey, DynamicConfiguration.DEFAULT_GROUP); if (StringUtils.isNotEmpty(rule)) { this.process(new ConfigChangedEvent(routerKey, DynamicConfiguration.DEFAULT_GROUP, rule)); } } public AffinityStateRouter<T> getAffinityRouter() { return affinityRouter; } @Override public void stop() { this.getRuleRepository().removeListener(ruleKey + RULE_SUFFIX, this); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityProviderAppStateRouterFactory.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/AffinityProviderAppStateRouterFactory.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config; import org.apache.dubbo.common.URL; import org.apache.dubbo.common.extension.Activate; import org.apache.dubbo.rpc.cluster.router.state.CacheableStateRouterFactory; import org.apache.dubbo.rpc.cluster.router.state.StateRouter; /** * AffinityProvider router factory */ @Activate(order = 135) public class AffinityProviderAppStateRouterFactory extends CacheableStateRouterFactory { public static final String NAME = "affinity-provider-app"; @Override protected <T> StateRouter<T> createRouter(Class<T> interfaceClass, URL url) { return new AffinityProviderAppStateRouter<>(url); } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/model/AffinityRuleParser.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/model/AffinityRuleParser.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config.model; import org.apache.dubbo.common.utils.StringUtils; import java.util.Map; import org.yaml.snakeyaml.LoaderOptions; import org.yaml.snakeyaml.Yaml; import org.yaml.snakeyaml.constructor.SafeConstructor; import static org.apache.dubbo.rpc.cluster.Constants.CONFIG_VERSION_KEY; import static org.apache.dubbo.rpc.cluster.Constants.RULE_VERSION_V31; /** * # dubbo/config/group/{$name}.affinity-router * configVersion: v3.1 * scope: service # Or application * key: service.apache.com * enabled: true * runtime: true * affinityAware: * key: region * ratio: 20 */ public class AffinityRuleParser { public static AffinityRouterRule parse(String rawRule) { AffinityRouterRule rule; Yaml yaml = new Yaml(new SafeConstructor(new LoaderOptions())); Map<String, Object> map = yaml.load(rawRule); String confVersion = (String) map.get(CONFIG_VERSION_KEY); rule = AffinityRouterRule.parseFromMap(map); if (StringUtils.isEmpty(rule.getAffinityKey()) || !confVersion.startsWith(RULE_VERSION_V31)) { rule.setValid(false); } rule.setRawRule(rawRule); return rule; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false
apache/dubbo
https://github.com/apache/dubbo/blob/ac1621f9a0470054c0308c47f84c7668f6bc2868/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/model/AffinityRouterRule.java
dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/router/affinity/config/model/AffinityRouterRule.java
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You 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 org.apache.dubbo.rpc.cluster.router.affinity.config.model; import org.apache.dubbo.common.logger.ErrorTypeAwareLogger; import org.apache.dubbo.common.logger.LoggerFactory; import org.apache.dubbo.rpc.cluster.router.AbstractRouterRule; import java.util.Map; import static org.apache.dubbo.common.constants.LoggerCodeConstants.CLUSTER_FAILED_RULE_PARSING; import static org.apache.dubbo.rpc.cluster.Constants.AFFINITY_KEY; import static org.apache.dubbo.rpc.cluster.Constants.DefaultAffinityRatio; public class AffinityRouterRule extends AbstractRouterRule { private static final ErrorTypeAwareLogger logger = LoggerFactory.getErrorTypeAwareLogger(AffinityRouterRule.class); private String affinityKey; private Double ratio; @SuppressWarnings("unchecked") public static AffinityRouterRule parseFromMap(Map<String, Object> map) { AffinityRouterRule affinityRouterRule = new AffinityRouterRule(); affinityRouterRule.parseFromMap0(map); Object conditions = map.get(AFFINITY_KEY); Map<String, String> conditionMap = (Map<String, String>) conditions; affinityRouterRule.setAffinityKey(conditionMap.get("key")); Object ratio = conditionMap.getOrDefault("ratio", String.valueOf(DefaultAffinityRatio)); affinityRouterRule.setRatio(Double.valueOf(String.valueOf(ratio))); if (affinityRouterRule.getRatio() > 100 || affinityRouterRule.getRatio() < 0) { logger.error( CLUSTER_FAILED_RULE_PARSING, "Invalid affinity router config.", "", "The ratio value must range from 0 to 100"); affinityRouterRule.setValid(false); } return affinityRouterRule; } public AffinityRouterRule() {} public String getAffinityKey() { return affinityKey; } public void setAffinityKey(String affinityKey) { this.affinityKey = affinityKey; } public Double getRatio() { return ratio; } public void setRatio(Double ratio) { this.ratio = ratio; } }
java
Apache-2.0
ac1621f9a0470054c0308c47f84c7668f6bc2868
2026-01-04T14:45:57.057261Z
false