mirror of
				https://github.com/apache/cloudstack.git
				synced 2025-10-26 08:42:29 +01:00 
			
		
		
		
	Merge release branch 4.20 to main
* 4.20: merge errors fixed Restrict the migration of volumes attached to VMs in Starting state (#9725) server, plugin: enhance storage stats for IOPS (#10034) Introducing granular command timeouts global setting (#9659) Improve logging to include more identifiable information (#9873)
This commit is contained in:
		
						commit
						fadb39ece7
					
				| @ -132,6 +132,8 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|     ServerResource _resource; |     ServerResource _resource; | ||||||
|     Link _link; |     Link _link; | ||||||
|     Long _id; |     Long _id; | ||||||
|  |     String _uuid; | ||||||
|  |     String _name; | ||||||
| 
 | 
 | ||||||
|     Timer _timer = new Timer("Agent Timer"); |     Timer _timer = new Timer("Agent Timer"); | ||||||
|     Timer certTimer; |     Timer certTimer; | ||||||
| @ -182,8 +184,10 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|         resource.setAgentControl(this); |         resource.setAgentControl(this); | ||||||
| 
 | 
 | ||||||
|         final String value = _shell.getPersistentProperty(getResourceName(), "id"); |         final String value = _shell.getPersistentProperty(getResourceName(), "id"); | ||||||
|  |         _uuid = _shell.getPersistentProperty(getResourceName(), "uuid"); | ||||||
|  |         _name = _shell.getPersistentProperty(getResourceName(), "name"); | ||||||
|         _id = value != null ? Long.parseLong(value) : null; |         _id = value != null ? Long.parseLong(value) : null; | ||||||
|         logger.info("id is {}", ObjectUtils.defaultIfNull(_id, "")); |         logger.info("Initialising agent [id: {}, uuid: {}, name: {}]", ObjectUtils.defaultIfNull(_id, ""), _uuid, _name); | ||||||
| 
 | 
 | ||||||
|         final Map<String, Object> params = new HashMap<>(); |         final Map<String, Object> params = new HashMap<>(); | ||||||
| 
 | 
 | ||||||
| @ -212,8 +216,9 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|                 new ThreadPoolExecutor(_shell.getWorkers(), 5 * _shell.getWorkers(), 1, TimeUnit.DAYS, new LinkedBlockingQueue<Runnable>(), new NamedThreadFactory( |                 new ThreadPoolExecutor(_shell.getWorkers(), 5 * _shell.getWorkers(), 1, TimeUnit.DAYS, new LinkedBlockingQueue<Runnable>(), new NamedThreadFactory( | ||||||
|                         "agentRequest-Handler")); |                         "agentRequest-Handler")); | ||||||
| 
 | 
 | ||||||
|         logger.info("Agent [id = {} : type = {} : zone = {} : pod = {} : workers = {} : host = {} : port = {}", ObjectUtils.defaultIfNull(_id, "new"), getResourceName(), |         logger.info("Agent [id = {}, uuid: {}, name: {}] : type = {} : zone = {} : pod = {} : workers = {} : host = {} : port = {}", | ||||||
|                  _shell.getZone(), _shell.getPod(), _shell.getWorkers(), host, _shell.getPort()); |                 ObjectUtils.defaultIfNull(_id, "new"), _uuid, _name, getResourceName(), | ||||||
|  |                 _shell.getZone(), _shell.getPod(), _shell.getWorkers(), host, _shell.getPort()); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public String getVersion() { |     public String getVersion() { | ||||||
| @ -377,11 +382,28 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public void setId(final Long id) { |     public void setId(final Long id) { | ||||||
|         logger.debug("Set agent id {}", id); |  | ||||||
|         _id = id; |         _id = id; | ||||||
|         _shell.setPersistentProperty(getResourceName(), "id", Long.toString(id)); |         _shell.setPersistentProperty(getResourceName(), "id", Long.toString(id)); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public String getUuid() { | ||||||
|  |         return _uuid; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public void setUuid(String uuid) { | ||||||
|  |         this._uuid = uuid; | ||||||
|  |         _shell.setPersistentProperty(getResourceName(), "uuid", uuid); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public String getName() { | ||||||
|  |         return _name; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public void setName(String name) { | ||||||
|  |         this._name = name; | ||||||
|  |         _shell.setPersistentProperty(getResourceName(), "name", name); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     private synchronized void scheduleServicesRestartTask() { |     private synchronized void scheduleServicesRestartTask() { | ||||||
|         if (certTimer != null) { |         if (certTimer != null) { | ||||||
|             certTimer.cancel(); |             certTimer.cancel(); | ||||||
| @ -594,9 +616,12 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|             return; |             return; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.info("Process agent startup answer, agent id = {}", startup.getHostId()); |         logger.info("Process agent startup answer, agent [id: {}, uuid: {}, name: {}] connected to the server", | ||||||
|  |                 startup.getHostId(), startup.getHostUuid(), startup.getHostName()); | ||||||
| 
 | 
 | ||||||
|         setId(startup.getHostId()); |         setId(startup.getHostId()); | ||||||
|  |         setUuid(startup.getHostUuid()); | ||||||
|  |         setName(startup.getHostName()); | ||||||
|         _pingInterval = (long)startup.getPingInterval() * 1000; // change to ms. |         _pingInterval = (long)startup.getPingInterval() * 1000; // change to ms. | ||||||
| 
 | 
 | ||||||
|         setLastPingResponseTime(); |         setLastPingResponseTime(); | ||||||
| @ -604,7 +629,8 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
| 
 | 
 | ||||||
|         _ugentTaskPool.setKeepAliveTime(2 * _pingInterval, TimeUnit.MILLISECONDS); |         _ugentTaskPool.setKeepAliveTime(2 * _pingInterval, TimeUnit.MILLISECONDS); | ||||||
| 
 | 
 | ||||||
|         logger.info("Startup Response Received: agent id = {}", getId()); |         logger.info("Startup Response Received: agent [id: {}, uuid: {}, name: {}]", | ||||||
|  |                 startup.getHostId(), startup.getHostUuid(), startup.getHostName()); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected void processRequest(final Request request, final Link link) { |     protected void processRequest(final Request request, final Link link) { | ||||||
| @ -860,15 +886,17 @@ public class Agent implements HandlerFactory, IAgentControl, AgentStatusUpdater | |||||||
|             NumbersUtil.enableHumanReadableSizes = humanReadable; |             NumbersUtil.enableHumanReadableSizes = humanReadable; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.info("Processing agent ready command, agent id = {}", ready.getHostId()); |         logger.info("Processing agent ready command, agent id = {}, uuid = {}, name = {}", ready.getHostId(), ready.getHostUuid(), ready.getHostName()); | ||||||
|         if (ready.getHostId() != null) { |         if (ready.getHostId() != null) { | ||||||
|             setId(ready.getHostId()); |             setId(ready.getHostId()); | ||||||
|  |             setUuid(ready.getHostUuid()); | ||||||
|  |             setName(ready.getHostName()); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         verifyAgentArch(ready.getArch()); |         verifyAgentArch(ready.getArch()); | ||||||
|         processManagementServerList(ready.getMsHostList(), ready.getLbAlgorithm(), ready.getLbCheckInterval()); |         processManagementServerList(ready.getMsHostList(), ready.getLbAlgorithm(), ready.getLbCheckInterval()); | ||||||
| 
 | 
 | ||||||
|         logger.info("Ready command is processed for agent id = {}", getId()); |         logger.info("Ready command is processed for agent [id: {}, uuid: {}, name: {}]", getId(), getUuid(), getName()); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private void verifyAgentArch(String arch) { |     private void verifyAgentArch(String arch) { | ||||||
|  | |||||||
| @ -374,13 +374,15 @@ public class LoadBalancerTO { | |||||||
|     public static class CounterTO implements Serializable { |     public static class CounterTO implements Serializable { | ||||||
|         private static final long serialVersionUID = 2L; |         private static final long serialVersionUID = 2L; | ||||||
|         private final Long id; |         private final Long id; | ||||||
|  |         private final String uuid; | ||||||
|         private final String name; |         private final String name; | ||||||
|         private final Counter.Source source; |         private final Counter.Source source; | ||||||
|         private final String value; |         private final String value; | ||||||
|         private final String provider; |         private final String provider; | ||||||
| 
 | 
 | ||||||
|         public CounterTO(Long id, String name, Counter.Source source, String value, String provider) { |         public CounterTO(Long id, String uuid, String name, Counter.Source source, String value, String provider) { | ||||||
|             this.id = id; |             this.id = id; | ||||||
|  |             this.uuid = uuid; | ||||||
|             this.name = name; |             this.name = name; | ||||||
|             this.source = source; |             this.source = source; | ||||||
|             this.value = value; |             this.value = value; | ||||||
| @ -391,6 +393,10 @@ public class LoadBalancerTO { | |||||||
|             return id; |             return id; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  |         public String getUuid() { | ||||||
|  |             return uuid; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|         public String getName() { |         public String getName() { | ||||||
|             return name; |             return name; | ||||||
|         } |         } | ||||||
| @ -411,12 +417,14 @@ public class LoadBalancerTO { | |||||||
|     public static class ConditionTO implements Serializable { |     public static class ConditionTO implements Serializable { | ||||||
|         private static final long serialVersionUID = 2L; |         private static final long serialVersionUID = 2L; | ||||||
|         private final Long id; |         private final Long id; | ||||||
|  |         private final String uuid; | ||||||
|         private final long threshold; |         private final long threshold; | ||||||
|         private final Condition.Operator relationalOperator; |         private final Condition.Operator relationalOperator; | ||||||
|         private final CounterTO counter; |         private final CounterTO counter; | ||||||
| 
 | 
 | ||||||
|         public ConditionTO(Long id, long threshold, Condition.Operator relationalOperator, CounterTO counter) { |         public ConditionTO(Long id, String uuid, long threshold, Condition.Operator relationalOperator, CounterTO counter) { | ||||||
|             this.id = id; |             this.id = id; | ||||||
|  |             this.uuid = uuid; | ||||||
|             this.threshold = threshold; |             this.threshold = threshold; | ||||||
|             this.relationalOperator = relationalOperator; |             this.relationalOperator = relationalOperator; | ||||||
|             this.counter = counter; |             this.counter = counter; | ||||||
| @ -426,6 +434,10 @@ public class LoadBalancerTO { | |||||||
|             return id; |             return id; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  |         public String getUuid() { | ||||||
|  |             return uuid; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|         public long getThreshold() { |         public long getThreshold() { | ||||||
|             return threshold; |             return threshold; | ||||||
|         } |         } | ||||||
| @ -442,6 +454,7 @@ public class LoadBalancerTO { | |||||||
|     public static class AutoScalePolicyTO implements Serializable { |     public static class AutoScalePolicyTO implements Serializable { | ||||||
|         private static final long serialVersionUID = 2L; |         private static final long serialVersionUID = 2L; | ||||||
|         private final long id; |         private final long id; | ||||||
|  |         private final String uuid; | ||||||
|         private final int duration; |         private final int duration; | ||||||
|         private final int quietTime; |         private final int quietTime; | ||||||
|         private final Date lastQuietTime; |         private final Date lastQuietTime; | ||||||
| @ -449,8 +462,9 @@ public class LoadBalancerTO { | |||||||
|         boolean revoked; |         boolean revoked; | ||||||
|         private final List<ConditionTO> conditions; |         private final List<ConditionTO> conditions; | ||||||
| 
 | 
 | ||||||
|         public AutoScalePolicyTO(long id, int duration, int quietTime, Date lastQuietTime, AutoScalePolicy.Action action, List<ConditionTO> conditions, boolean revoked) { |         public AutoScalePolicyTO(long id, String uuid, int duration, int quietTime, Date lastQuietTime, AutoScalePolicy.Action action, List<ConditionTO> conditions, boolean revoked) { | ||||||
|             this.id = id; |             this.id = id; | ||||||
|  |             this.uuid = uuid; | ||||||
|             this.duration = duration; |             this.duration = duration; | ||||||
|             this.quietTime = quietTime; |             this.quietTime = quietTime; | ||||||
|             this.lastQuietTime = lastQuietTime; |             this.lastQuietTime = lastQuietTime; | ||||||
| @ -463,6 +477,10 @@ public class LoadBalancerTO { | |||||||
|             return id; |             return id; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  |         public String getUuid() { | ||||||
|  |             return uuid; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|         public int getDuration() { |         public int getDuration() { | ||||||
|             return duration; |             return duration; | ||||||
|         } |         } | ||||||
|  | |||||||
| @ -17,6 +17,7 @@ | |||||||
| package com.cloud.agent.api.to; | package com.cloud.agent.api.to; | ||||||
| 
 | 
 | ||||||
| import com.cloud.storage.DataStoreRole; | import com.cloud.storage.DataStoreRole; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class NfsTO implements DataStoreTO { | public class NfsTO implements DataStoreTO { | ||||||
| 
 | 
 | ||||||
| @ -41,6 +42,13 @@ public class NfsTO implements DataStoreTO { | |||||||
| 
 | 
 | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("NfsTO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "uuid", "_url", "_role", "nfsVersion")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String getUrl() { |     public String getUrl() { | ||||||
|         return _url; |         return _url; | ||||||
|  | |||||||
| @ -22,6 +22,7 @@ import com.cloud.agent.api.LogLevel; | |||||||
| import com.cloud.agent.api.LogLevel.Log4jLevel; | import com.cloud.agent.api.LogLevel.Log4jLevel; | ||||||
| import com.cloud.storage.DataStoreRole; | import com.cloud.storage.DataStoreRole; | ||||||
| import com.cloud.utils.storage.S3.ClientOptions; | import com.cloud.utils.storage.S3.ClientOptions; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public final class S3TO implements ClientOptions, DataStoreTO { | public final class S3TO implements ClientOptions, DataStoreTO { | ||||||
| 
 | 
 | ||||||
| @ -68,6 +69,13 @@ public final class S3TO implements ClientOptions, DataStoreTO { | |||||||
| 
 | 
 | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("S3TO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "bucketName")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public Long getId() { |     public Long getId() { | ||||||
|         return this.id; |         return this.id; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -19,6 +19,7 @@ package com.cloud.agent.api.to; | |||||||
| import com.cloud.agent.api.LogLevel; | import com.cloud.agent.api.LogLevel; | ||||||
| import com.cloud.storage.Storage.StoragePoolType; | import com.cloud.storage.Storage.StoragePoolType; | ||||||
| import com.cloud.storage.StoragePool; | import com.cloud.storage.StoragePool; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class StorageFilerTO { | public class StorageFilerTO { | ||||||
|     long id; |     long id; | ||||||
| @ -73,6 +74,6 @@ public class StorageFilerTO { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Pool[").append(id).append("|").append(host).append(":").append(port).append("|").append(path).append("]").toString(); |         return String.format("Pool %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "uuid", "host", "port", "path")); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -18,6 +18,7 @@ package com.cloud.agent.api.to; | |||||||
| 
 | 
 | ||||||
| import com.cloud.storage.DataStoreRole; | import com.cloud.storage.DataStoreRole; | ||||||
| import com.cloud.utils.SwiftUtil; | import com.cloud.utils.SwiftUtil; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class SwiftTO implements DataStoreTO, SwiftUtil.SwiftClientCfg { | public class SwiftTO implements DataStoreTO, SwiftUtil.SwiftClientCfg { | ||||||
|     Long id; |     Long id; | ||||||
| @ -41,6 +42,13 @@ public class SwiftTO implements DataStoreTO, SwiftUtil.SwiftClientCfg { | |||||||
|         this.storagePolicy = storagePolicy; |         this.storagePolicy = storagePolicy; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("SwiftTO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "account", "userName")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public Long getId() { |     public Long getId() { | ||||||
|         return id; |         return id; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -58,7 +58,7 @@ public interface Ipv6Service extends PluggableService, Configurable { | |||||||
| 
 | 
 | ||||||
|     Pair<Integer, Integer> getUsedTotalIpv6SubnetForZone(long zoneId); |     Pair<Integer, Integer> getUsedTotalIpv6SubnetForZone(long zoneId); | ||||||
| 
 | 
 | ||||||
|     Pair<String, String> preAllocateIpv6SubnetForNetwork(long zoneId) throws ResourceAllocationException; |     Pair<String, String> preAllocateIpv6SubnetForNetwork(DataCenter zone) throws ResourceAllocationException; | ||||||
| 
 | 
 | ||||||
|     void assignIpv6SubnetToNetwork(String subnet, long networkId); |     void assignIpv6SubnetToNetwork(String subnet, long networkId); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -22,6 +22,7 @@ import java.util.Date; | |||||||
| import com.cloud.network.Networks.BroadcastDomainType; | import com.cloud.network.Networks.BroadcastDomainType; | ||||||
| import com.cloud.network.Networks.Mode; | import com.cloud.network.Networks.Mode; | ||||||
| import com.cloud.network.Networks.TrafficType; | import com.cloud.network.Networks.TrafficType; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class NetworkProfile implements Network { | public class NetworkProfile implements Network { | ||||||
|     private final long id; |     private final long id; | ||||||
| @ -384,4 +385,11 @@ public class NetworkProfile implements Network { | |||||||
|         return networkCidrSize; |         return networkCidrSize; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("NetworkProfile %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "networkOfferingId")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
| } | } | ||||||
|  | |||||||
| @ -63,6 +63,10 @@ public class LoadBalancingRule { | |||||||
|         return lb.getId(); |         return lb.getId(); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public LoadBalancer getLb() { | ||||||
|  |         return lb; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public String getName() { |     public String getName() { | ||||||
|         return lb.getName(); |         return lb.getName(); | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -39,7 +39,7 @@ public interface RemoteAccessVpnService { | |||||||
| 
 | 
 | ||||||
|     VpnUser addVpnUser(long vpnOwnerId, String userName, String password); |     VpnUser addVpnUser(long vpnOwnerId, String userName, String password); | ||||||
| 
 | 
 | ||||||
|     boolean removeVpnUser(long vpnOwnerId, String userName, Account caller); |     boolean removeVpnUser(Account vpnOwner, String userName, Account caller); | ||||||
| 
 | 
 | ||||||
|     List<? extends VpnUser> listVpnUsers(long vpnOwnerId, String userName); |     List<? extends VpnUser> listVpnUsers(long vpnOwnerId, String userName); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -19,6 +19,7 @@ package com.cloud.region.ha; | |||||||
| 
 | 
 | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.user.Account; | ||||||
| import org.apache.cloudstack.api.command.user.region.ha.gslb.AssignToGlobalLoadBalancerRuleCmd; | import org.apache.cloudstack.api.command.user.region.ha.gslb.AssignToGlobalLoadBalancerRuleCmd; | ||||||
| import org.apache.cloudstack.api.command.user.region.ha.gslb.CreateGlobalLoadBalancerRuleCmd; | import org.apache.cloudstack.api.command.user.region.ha.gslb.CreateGlobalLoadBalancerRuleCmd; | ||||||
| import org.apache.cloudstack.api.command.user.region.ha.gslb.DeleteGlobalLoadBalancerRuleCmd; | import org.apache.cloudstack.api.command.user.region.ha.gslb.DeleteGlobalLoadBalancerRuleCmd; | ||||||
| @ -39,7 +40,7 @@ public interface GlobalLoadBalancingRulesService { | |||||||
| 
 | 
 | ||||||
|     GlobalLoadBalancerRule updateGlobalLoadBalancerRule(UpdateGlobalLoadBalancerRuleCmd updateGslbCmd); |     GlobalLoadBalancerRule updateGlobalLoadBalancerRule(UpdateGlobalLoadBalancerRuleCmd updateGslbCmd); | ||||||
| 
 | 
 | ||||||
|     boolean revokeAllGslbRulesForAccount(com.cloud.user.Account caller, long accountId) throws com.cloud.exception.ResourceUnavailableException; |     boolean revokeAllGslbRulesForAccount(com.cloud.user.Account caller, Account account) throws com.cloud.exception.ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
|     /* |     /* | ||||||
|      * methods for managing sites participating in global load balancing |      * methods for managing sites participating in global load balancing | ||||||
|  | |||||||
| @ -26,4 +26,7 @@ public interface StorageStats { | |||||||
|      * @return bytes capacity of the storage server |      * @return bytes capacity of the storage server | ||||||
|      */ |      */ | ||||||
|     public long getCapacityBytes(); |     public long getCapacityBytes(); | ||||||
|  | 
 | ||||||
|  |     Long getCapacityIops(); | ||||||
|  |     Long getUsedIops(); | ||||||
| } | } | ||||||
|  | |||||||
| @ -450,6 +450,9 @@ public class NicProfile implements InternalIdentity, Serializable { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return String.format("NicProfile %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "vmId", "deviceId", "broadcastUri", "reservationId", "iPv4Address")); |         return String.format("NicProfile %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "vmId", "deviceId", | ||||||
|  |                         "broadcastUri", "reservationId", "iPv4Address")); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -509,6 +509,7 @@ public class ApiConstants { | |||||||
|     public static final String URL = "url"; |     public static final String URL = "url"; | ||||||
|     public static final String USAGE_INTERFACE = "usageinterface"; |     public static final String USAGE_INTERFACE = "usageinterface"; | ||||||
|     public static final String USED_SUBNETS = "usedsubnets"; |     public static final String USED_SUBNETS = "usedsubnets"; | ||||||
|  |     public static final String USED_IOPS = "usediops"; | ||||||
|     public static final String USER_DATA = "userdata"; |     public static final String USER_DATA = "userdata"; | ||||||
| 
 | 
 | ||||||
|     public static final String USER_DATA_NAME = "userdataname"; |     public static final String USER_DATA_NAME = "userdataname"; | ||||||
|  | |||||||
| @ -125,8 +125,9 @@ public class UpdateHostCmd extends BaseCmd { | |||||||
|             hostResponse.setResponseName(getCommandName()); |             hostResponse.setResponseName(getCommandName()); | ||||||
|             this.setResponseObject(hostResponse); |             this.setResponseObject(hostResponse); | ||||||
|         } catch (Exception e) { |         } catch (Exception e) { | ||||||
|             logger.debug("Failed to update host:" + getId(), e); |             Host host = _entityMgr.findById(Host.class, getId()); | ||||||
|             throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, "Failed to update host:" + getId() + "," + e.getMessage()); |             logger.debug("Failed to update host: {} with id {}", host, getId(), e); | ||||||
|  |             throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, String.format("Failed to update host: %s with id %d, %s", host, getId(), e.getMessage())); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -124,10 +124,10 @@ public class CreateSnapshotFromVMSnapshotCmd extends BaseAsyncCreateCmd { | |||||||
|         if (account.getType() == Account.Type.PROJECT) { |         if (account.getType() == Account.Type.PROJECT) { | ||||||
|             Project project = _projectService.findByProjectAccountId(vmsnapshot.getAccountId()); |             Project project = _projectService.findByProjectAccountId(vmsnapshot.getAccountId()); | ||||||
|             if (project == null) { |             if (project == null) { | ||||||
|                 throw new InvalidParameterValueException("Unable to find project by account id=" + account.getUuid()); |                 throw new InvalidParameterValueException(String.format("Unable to find project by account %s", account)); | ||||||
|             } |             } | ||||||
|             if (project.getState() != Project.State.Active) { |             if (project.getState() != Project.State.Active) { | ||||||
|                 throw new PermissionDeniedException("Can't add resources to the project id=" + project.getUuid() + " in state=" + project.getState() + " as it's no longer active"); |                 throw new PermissionDeniedException(String.format("Can't add resources to the project %s in state=%s as it's no longer active", project, project.getState())); | ||||||
|             } |             } | ||||||
|         } else if (account.getState() == Account.State.DISABLED) { |         } else if (account.getState() == Account.State.DISABLED) { | ||||||
|             throw new PermissionDeniedException("The owner of template is disabled: " + account); |             throw new PermissionDeniedException("The owner of template is disabled: " + account); | ||||||
| @ -164,8 +164,9 @@ public class CreateSnapshotFromVMSnapshotCmd extends BaseAsyncCreateCmd { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void execute() { |     public void execute() { | ||||||
|         logger.info("CreateSnapshotFromVMSnapshotCmd with vm snapshot id:" + getVMSnapshotId() + " and snapshot id:" + getEntityId() + " starts:" + System.currentTimeMillis()); |         VMSnapshot vmSnapshot = _vmSnapshotService.getVMSnapshotById(getVMSnapshotId()); | ||||||
|         CallContext.current().setEventDetails("Vm Snapshot Id: "+ this._uuidMgr.getUuid(VMSnapshot.class, getVMSnapshotId())); |         logger.info("CreateSnapshotFromVMSnapshotCmd with vm snapshot {} with id {} and snapshot [id: {}, uuid: {}]", vmSnapshot, getVMSnapshotId(), getEntityId(), getEntityUuid()); | ||||||
|  |         CallContext.current().setEventDetails("Vm Snapshot Id: " + vmSnapshot.getUuid()); | ||||||
|         Snapshot snapshot = null; |         Snapshot snapshot = null; | ||||||
|         try { |         try { | ||||||
|             snapshot = _snapshotService.backupSnapshotFromVmSnapshot(getEntityId(), getVmId(), getVolumeId(), getVMSnapshotId()); |             snapshot = _snapshotService.backupSnapshotFromVmSnapshot(getEntityId(), getVmId(), getVolumeId(), getVMSnapshotId()); | ||||||
| @ -174,19 +175,19 @@ public class CreateSnapshotFromVMSnapshotCmd extends BaseAsyncCreateCmd { | |||||||
|                 response.setResponseName(getCommandName()); |                 response.setResponseName(getCommandName()); | ||||||
|                 this.setResponseObject(response); |                 this.setResponseObject(response); | ||||||
|             } else { |             } else { | ||||||
|                 throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, "Failed to create snapshot due to an internal error creating snapshot from vm snapshot " + getVMSnapshotId()); |                 throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, String.format("Failed to create snapshot due to an internal error creating snapshot from vm snapshot %s", vmSnapshot)); | ||||||
|             } |             } | ||||||
|         } catch (InvalidParameterValueException ex) { |         } catch (InvalidParameterValueException ex) { | ||||||
|             throw ex; |             throw ex; | ||||||
|         } catch (Exception e) { |         } catch (Exception e) { | ||||||
|             logger.debug("Failed to create snapshot", e); |             logger.debug("Failed to create snapshot", e); | ||||||
|             throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, "Failed to create snapshot due to an internal error creating snapshot from vm snapshot " + getVMSnapshotId()); |             throw new ServerApiException(ApiErrorCode.INTERNAL_ERROR, String.format("Failed to create snapshot due to an internal error creating snapshot from vm snapshot %s", vmSnapshot)); | ||||||
|         } finally { |         } finally { | ||||||
|             if (snapshot == null) { |             if (snapshot == null) { | ||||||
|                 try { |                 try { | ||||||
|                     _snapshotService.deleteSnapshot(getEntityId(), null); |                     _snapshotService.deleteSnapshot(getEntityId(), null); | ||||||
|                 } catch (Exception e) { |                 } catch (Exception e) { | ||||||
|                     logger.debug("Failed to clean failed snapshot" + getEntityId()); |                     logger.debug("Failed to clean failed snapshot {} with id {}", () -> _entityMgr.findById(Snapshot.class, getEntityId()), this::getEntityId); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|  | |||||||
| @ -104,7 +104,7 @@ public class RemoveVpnUserCmd extends BaseAsyncCmd { | |||||||
|     public void execute() { |     public void execute() { | ||||||
|         Account owner = _accountService.getAccount(getEntityOwnerId()); |         Account owner = _accountService.getAccount(getEntityOwnerId()); | ||||||
|         long ownerId = owner.getId(); |         long ownerId = owner.getId(); | ||||||
|         boolean result = _ravService.removeVpnUser(ownerId, userName, CallContext.current().getCallingAccount()); |         boolean result = _ravService.removeVpnUser(owner, userName, CallContext.current().getCallingAccount()); | ||||||
|         if (!result) { |         if (!result) { | ||||||
|             String errorMessage = String.format("Failed to remove VPN user=[%s]. VPN owner id=[%s].", userName, ownerId); |             String errorMessage = String.format("Failed to remove VPN user=[%s]. VPN owner id=[%s].", userName, ownerId); | ||||||
|             logger.error(errorMessage); |             logger.error(errorMessage); | ||||||
|  | |||||||
| @ -97,6 +97,10 @@ public class StoragePoolResponse extends BaseResponseWithAnnotations { | |||||||
|     @Param(description = "total min IOPS currently in use by volumes") |     @Param(description = "total min IOPS currently in use by volumes") | ||||||
|     private Long allocatedIops; |     private Long allocatedIops; | ||||||
| 
 | 
 | ||||||
|  |     @SerializedName(ApiConstants.USED_IOPS) | ||||||
|  |     @Param(description = "total IOPS currently in use", since = "4.20.1") | ||||||
|  |     private Long usedIops; | ||||||
|  | 
 | ||||||
|     @SerializedName(ApiConstants.STORAGE_CUSTOM_STATS) |     @SerializedName(ApiConstants.STORAGE_CUSTOM_STATS) | ||||||
|     @Param(description = "the storage pool custom stats", since = "4.18.1") |     @Param(description = "the storage pool custom stats", since = "4.18.1") | ||||||
|     private Map<String, String> customStats; |     private Map<String, String> customStats; | ||||||
| @ -312,6 +316,14 @@ public class StoragePoolResponse extends BaseResponseWithAnnotations { | |||||||
|        this.allocatedIops = allocatedIops; |        this.allocatedIops = allocatedIops; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public Long getUsedIops() { | ||||||
|  |         return usedIops; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public void setUsedIops(Long usedIops) { | ||||||
|  |         this.usedIops = usedIops; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public Map<String, String> getCustomStats() { |     public Map<String, String> getCustomStats() { | ||||||
|         return customStats; |         return customStats; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -21,6 +21,7 @@ package org.apache.cloudstack.cluster; | |||||||
| 
 | 
 | ||||||
| import com.cloud.host.Host; | import com.cloud.host.Host; | ||||||
| import com.cloud.offering.ServiceOffering; | import com.cloud.offering.ServiceOffering; | ||||||
|  | import com.cloud.org.Cluster; | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
| import com.cloud.utils.Ternary; | import com.cloud.utils.Ternary; | ||||||
| import com.cloud.utils.component.Adapter; | import com.cloud.utils.component.Adapter; | ||||||
| @ -55,8 +56,8 @@ public interface ClusterDrsAlgorithm extends Adapter { | |||||||
|      * @throws ConfigurationException |      * @throws ConfigurationException | ||||||
|      *         if there is an error in the configuration |      *         if there is an error in the configuration | ||||||
|      */ |      */ | ||||||
|     boolean needsDrs(long clusterId, List<Ternary<Long, Long, Long>> cpuList, |     boolean needsDrs(Cluster cluster, List<Ternary<Long, Long, Long>> cpuList, | ||||||
|             List<Ternary<Long, Long, Long>> memoryList) throws ConfigurationException; |                      List<Ternary<Long, Long, Long>> memoryList) throws ConfigurationException; | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|     /** |     /** | ||||||
| @ -79,7 +80,7 @@ public interface ClusterDrsAlgorithm extends Adapter { | |||||||
|      * |      * | ||||||
|      * @return a ternary containing improvement, cost, benefit |      * @return a ternary containing improvement, cost, benefit | ||||||
|      */ |      */ | ||||||
|     Ternary<Double, Double, Double> getMetrics(long clusterId, VirtualMachine vm, ServiceOffering serviceOffering, |     Ternary<Double, Double, Double> getMetrics(Cluster cluster, VirtualMachine vm, ServiceOffering serviceOffering, | ||||||
|             Host destHost, Map<Long, Ternary<Long, Long, Long>> hostCpuMap, |             Host destHost, Map<Long, Ternary<Long, Long, Long>> hostCpuMap, | ||||||
|             Map<Long, Ternary<Long, Long, Long>> hostMemoryMap, |             Map<Long, Ternary<Long, Long, Long>> hostMemoryMap, | ||||||
|             Boolean requiresStorageMotion) throws ConfigurationException; |             Boolean requiresStorageMotion) throws ConfigurationException; | ||||||
|  | |||||||
| @ -17,7 +17,7 @@ | |||||||
| 
 | 
 | ||||||
| package org.apache.cloudstack.vm; | package org.apache.cloudstack.vm; | ||||||
| 
 | 
 | ||||||
| import static com.cloud.utils.NumbersUtil.toHumanReadableSize; | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
| @ -179,6 +179,13 @@ public class UnmanagedInstanceTO { | |||||||
|         this.vncPassword = vncPassword; |         this.vncPassword = vncPassword; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("UnmanagedInstanceTO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "name", "internalCSName", "hostName", "clusterName")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public static class Disk { |     public static class Disk { | ||||||
|         private String diskId; |         private String diskId; | ||||||
| 
 | 
 | ||||||
| @ -322,12 +329,9 @@ public class UnmanagedInstanceTO { | |||||||
| 
 | 
 | ||||||
|         @Override |         @Override | ||||||
|         public String toString() { |         public String toString() { | ||||||
|             return "Disk {" + |             return String.format("Disk %s", | ||||||
|                     "diskId='" + diskId + '\'' + |                     ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|                     ", capacity=" + toHumanReadableSize(capacity) + |                             this, "diskId", "internalCSName", "controller", "controllerUnit")); | ||||||
|                     ", controller='" + controller + '\'' + |  | ||||||
|                     ", controllerUnit=" + controllerUnit + |  | ||||||
|                     "}"; |  | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -424,11 +428,9 @@ public class UnmanagedInstanceTO { | |||||||
| 
 | 
 | ||||||
|         @Override |         @Override | ||||||
|         public String toString() { |         public String toString() { | ||||||
|             return "Nic{" + |             return String.format("Nic %s", | ||||||
|                     "nicId='" + nicId + '\'' + |                     ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|                     ", adapterType='" + adapterType + '\'' + |                             this, "nicId", "adapterType", "macAddress")); | ||||||
|                     ", macAddress='" + macAddress + '\'' + |  | ||||||
|                     "}"; |  | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -41,16 +41,19 @@ public class LoadBalancerTOTest { | |||||||
|     LoadBalancerTO.AutoScaleVmGroupTO vmGroup; |     LoadBalancerTO.AutoScaleVmGroupTO vmGroup; | ||||||
| 
 | 
 | ||||||
|     private static final Long counterId = 1L; |     private static final Long counterId = 1L; | ||||||
|  |     private static final String counterUuid = "1111-1111-1100"; | ||||||
|     private static final String counterName = "counter name"; |     private static final String counterName = "counter name"; | ||||||
|     private static final Counter.Source counterSource = Counter.Source.CPU; |     private static final Counter.Source counterSource = Counter.Source.CPU; | ||||||
|     private static final String counterValue = "counter value"; |     private static final String counterValue = "counter value"; | ||||||
|     private static final String counterProvider = "VIRTUALROUTER"; |     private static final String counterProvider = "VIRTUALROUTER"; | ||||||
| 
 | 
 | ||||||
|     private static final Long conditionId = 2L; |     private static final Long conditionId = 2L; | ||||||
|  |     private static final String conditionUuid = "1111-1111-1110"; | ||||||
|     private static final Long threshold = 100L; |     private static final Long threshold = 100L; | ||||||
|     private static final Condition.Operator relationalOperator = Condition.Operator.GT; |     private static final Condition.Operator relationalOperator = Condition.Operator.GT; | ||||||
| 
 | 
 | ||||||
|     private static final Long scaleUpPolicyId = 11L; |     private static final Long scaleUpPolicyId = 11L; | ||||||
|  |     private static final String scaleUpPolicyUuid = "1111-1111-1111"; | ||||||
|     private static final int scaleUpPolicyDuration = 61; |     private static final int scaleUpPolicyDuration = 61; | ||||||
|     private static final int scaleUpPolicyQuietTime = 31; |     private static final int scaleUpPolicyQuietTime = 31; | ||||||
|     private static final Date scaleUpPolicyLastQuietTime = new Date(); |     private static final Date scaleUpPolicyLastQuietTime = new Date(); | ||||||
| @ -85,14 +88,14 @@ public class LoadBalancerTOTest { | |||||||
| 
 | 
 | ||||||
|     @Before |     @Before | ||||||
|     public void setUp() { |     public void setUp() { | ||||||
|         counter = new LoadBalancerTO.CounterTO(counterId, counterName, counterSource, counterValue, counterProvider); |         counter = new LoadBalancerTO.CounterTO(counterId, counterUuid, counterName, counterSource, counterValue, counterProvider); | ||||||
|         condition = new LoadBalancerTO.ConditionTO(conditionId, threshold, relationalOperator, counter); |         condition = new LoadBalancerTO.ConditionTO(conditionId, conditionUuid, threshold, relationalOperator, counter); | ||||||
|         scaleUpPolicy = new LoadBalancerTO.AutoScalePolicyTO(scaleUpPolicyId, scaleUpPolicyDuration, scaleUpPolicyQuietTime, |         scaleUpPolicy = new LoadBalancerTO.AutoScalePolicyTO(scaleUpPolicyId, scaleUpPolicyUuid, scaleUpPolicyDuration, | ||||||
|                 scaleUpPolicyLastQuietTime, AutoScalePolicy.Action.SCALEUP, |                 scaleUpPolicyQuietTime, scaleUpPolicyLastQuietTime, | ||||||
|                 Arrays.asList(new LoadBalancerTO.ConditionTO[]{ condition }), false); |                 AutoScalePolicy.Action.SCALEUP, Arrays.asList(new LoadBalancerTO.ConditionTO[]{ condition }), false); | ||||||
|         scaleDownPolicy = new LoadBalancerTO.AutoScalePolicyTO(scaleDownPolicyId, scaleDownPolicyDuration, scaleDownPolicyQuietTime, |         scaleDownPolicy = new LoadBalancerTO.AutoScalePolicyTO(scaleDownPolicyId, scaleUpPolicyUuid, scaleDownPolicyDuration, | ||||||
|                 scaleDownPolicyLastQuietTime, AutoScalePolicy.Action.SCALEDOWN, |                 scaleDownPolicyQuietTime, scaleDownPolicyLastQuietTime, | ||||||
|                 Arrays.asList(new LoadBalancerTO.ConditionTO[]{ condition }), false); |                 AutoScalePolicy.Action.SCALEDOWN, Arrays.asList(new LoadBalancerTO.ConditionTO[]{ condition }), false); | ||||||
|         vmProfile = new LoadBalancerTO.AutoScaleVmProfileTO(zoneId, domainId, cloudStackApiUrl, autoScaleUserApiKey, |         vmProfile = new LoadBalancerTO.AutoScaleVmProfileTO(zoneId, domainId, cloudStackApiUrl, autoScaleUserApiKey, | ||||||
|                 autoScaleUserSecretKey, serviceOfferingId, templateId, vmName, networkId, otherDeployParams, |                 autoScaleUserSecretKey, serviceOfferingId, templateId, vmName, networkId, otherDeployParams, | ||||||
|                 counterParamList, expungeVmGracePeriod); |                 counterParamList, expungeVmGracePeriod); | ||||||
| @ -113,6 +116,7 @@ public class LoadBalancerTOTest { | |||||||
|     @Test |     @Test | ||||||
|     public void testConditionTO() { |     public void testConditionTO() { | ||||||
|         Assert.assertEquals(conditionId, condition.getId()); |         Assert.assertEquals(conditionId, condition.getId()); | ||||||
|  |         Assert.assertEquals(conditionUuid, condition.getUuid()); | ||||||
|         Assert.assertEquals((long) threshold, condition.getThreshold()); |         Assert.assertEquals((long) threshold, condition.getThreshold()); | ||||||
|         Assert.assertEquals(relationalOperator, condition.getRelationalOperator()); |         Assert.assertEquals(relationalOperator, condition.getRelationalOperator()); | ||||||
|         Assert.assertEquals(counter, condition.getCounter()); |         Assert.assertEquals(counter, condition.getCounter()); | ||||||
|  | |||||||
| @ -27,24 +27,46 @@ public class GetStorageStatsAnswer extends Answer implements StorageStats { | |||||||
|     protected GetStorageStatsAnswer() { |     protected GetStorageStatsAnswer() { | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected long used; |     protected long usedBytes; | ||||||
| 
 | 
 | ||||||
|     protected long capacity; |     protected long capacityBytes; | ||||||
|  | 
 | ||||||
|  |     protected Long capacityIops; | ||||||
|  | 
 | ||||||
|  |     protected Long usedIops; | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public long getByteUsed() { |     public long getByteUsed() { | ||||||
|         return used; |         return usedBytes; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public long getCapacityBytes() { |     public long getCapacityBytes() { | ||||||
|         return capacity; |         return capacityBytes; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public GetStorageStatsAnswer(GetStorageStatsCommand cmd, long capacity, long used) { |     @Override | ||||||
|  |     public Long getCapacityIops() { | ||||||
|  |         return capacityIops; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public Long getUsedIops() { | ||||||
|  |         return usedIops; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public GetStorageStatsAnswer(GetStorageStatsCommand cmd, long capacityBytes, long usedBytes) { | ||||||
|         super(cmd, true, null); |         super(cmd, true, null); | ||||||
|         this.capacity = capacity; |         this.capacityBytes = capacityBytes; | ||||||
|         this.used = used; |         this.usedBytes = usedBytes; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public GetStorageStatsAnswer(GetStorageStatsCommand cmd, long capacityBytes, long usedBytes, Long capacityIops, Long usedIops) { | ||||||
|  |         super(cmd, true, null); | ||||||
|  |         this.capacityBytes = capacityBytes; | ||||||
|  |         this.usedBytes = usedBytes; | ||||||
|  |         this.capacityIops = capacityIops; | ||||||
|  |         this.usedIops = usedIops; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public GetStorageStatsAnswer(GetStorageStatsCommand cmd, String details) { |     public GetStorageStatsAnswer(GetStorageStatsCommand cmd, String details) { | ||||||
|  | |||||||
| @ -19,6 +19,8 @@ | |||||||
| 
 | 
 | ||||||
| package com.cloud.agent.api; | package com.cloud.agent.api; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.host.Host; | ||||||
|  | 
 | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
| public class ReadyCommand extends Command { | public class ReadyCommand extends Command { | ||||||
| @ -30,6 +32,8 @@ public class ReadyCommand extends Command { | |||||||
| 
 | 
 | ||||||
|     private Long dcId; |     private Long dcId; | ||||||
|     private Long hostId; |     private Long hostId; | ||||||
|  |     private String hostUuid; | ||||||
|  |     private String hostName; | ||||||
|     private List<String> msHostList; |     private List<String> msHostList; | ||||||
|     private String lbAlgorithm; |     private String lbAlgorithm; | ||||||
|     private Long lbCheckInterval; |     private Long lbCheckInterval; | ||||||
| @ -41,9 +45,11 @@ public class ReadyCommand extends Command { | |||||||
|         this.dcId = dcId; |         this.dcId = dcId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public ReadyCommand(final Long dcId, final Long hostId, boolean enableHumanReadableSizes) { |     public ReadyCommand(final Host host, boolean enableHumanReadableSizes) { | ||||||
|         this(dcId); |         this(host.getDataCenterId()); | ||||||
|         this.hostId = hostId; |         this.hostId = host.getId(); | ||||||
|  |         this.hostUuid = host.getUuid(); | ||||||
|  |         this.hostName = host.getName(); | ||||||
|         this.enableHumanReadableSizes = enableHumanReadableSizes; |         this.enableHumanReadableSizes = enableHumanReadableSizes; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -68,6 +74,14 @@ public class ReadyCommand extends Command { | |||||||
|         return hostId; |         return hostId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public String getHostUuid() { | ||||||
|  |         return hostUuid; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public String getHostName() { | ||||||
|  |         return hostName; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public List<String> getMsHostList() { |     public List<String> getMsHostList() { | ||||||
|         return msHostList; |         return msHostList; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -21,14 +21,18 @@ package com.cloud.agent.api; | |||||||
| 
 | 
 | ||||||
| public class StartupAnswer extends Answer { | public class StartupAnswer extends Answer { | ||||||
|     long hostId; |     long hostId; | ||||||
|  |     String hostName; | ||||||
|  |     String hostUuid; | ||||||
|     int pingInterval; |     int pingInterval; | ||||||
| 
 | 
 | ||||||
|     protected StartupAnswer() { |     protected StartupAnswer() { | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public StartupAnswer(StartupCommand cmd, long hostId, int pingInterval) { |     public StartupAnswer(StartupCommand cmd, long hostId, String hostUuid, String hostName, int pingInterval) { | ||||||
|         super(cmd); |         super(cmd); | ||||||
|         this.hostId = hostId; |         this.hostId = hostId; | ||||||
|  |         this.hostUuid = hostUuid; | ||||||
|  |         this.hostName = hostName; | ||||||
|         this.pingInterval = pingInterval; |         this.pingInterval = pingInterval; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -40,6 +44,14 @@ public class StartupAnswer extends Answer { | |||||||
|         return hostId; |         return hostId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public String getHostUuid() { | ||||||
|  |         return hostUuid; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     public String getHostName() { | ||||||
|  |         return hostName; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public int getPingInterval() { |     public int getPingInterval() { | ||||||
|         return pingInterval; |         return pingInterval; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -23,6 +23,7 @@ import org.apache.cloudstack.storage.image.datastore.ImageStoreInfo; | |||||||
| 
 | 
 | ||||||
| import com.cloud.agent.api.to.DataStoreTO; | import com.cloud.agent.api.to.DataStoreTO; | ||||||
| import com.cloud.storage.DataStoreRole; | import com.cloud.storage.DataStoreRole; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class ImageStoreTO implements DataStoreTO { | public class ImageStoreTO implements DataStoreTO { | ||||||
|     private String type; |     private String type; | ||||||
| @ -78,15 +79,9 @@ public class ImageStoreTO implements DataStoreTO { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("ImageStoreTO[type=").append(type) |         return String.format("ImageStoreTO %s", | ||||||
|             .append("|provider=") |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|             .append(providerName) |                         this, "uuid", "type", "providerName", "role", "uri")); | ||||||
|             .append("|role=") |  | ||||||
|             .append(role) |  | ||||||
|             .append("|uri=") |  | ||||||
|             .append(uri) |  | ||||||
|             .append("]") |  | ||||||
|             .toString(); |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -26,6 +26,7 @@ import org.apache.cloudstack.engine.subsystem.api.storage.PrimaryDataStore; | |||||||
| import com.cloud.agent.api.to.DataStoreTO; | import com.cloud.agent.api.to.DataStoreTO; | ||||||
| import com.cloud.storage.DataStoreRole; | import com.cloud.storage.DataStoreRole; | ||||||
| import com.cloud.storage.Storage.StoragePoolType; | import com.cloud.storage.Storage.StoragePoolType; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class PrimaryDataStoreTO implements DataStoreTO { | public class PrimaryDataStoreTO implements DataStoreTO { | ||||||
|     public static final String MANAGED = PrimaryDataStore.MANAGED; |     public static final String MANAGED = PrimaryDataStore.MANAGED; | ||||||
| @ -145,15 +146,9 @@ public class PrimaryDataStoreTO implements DataStoreTO { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("PrimaryDataStoreTO[uuid=").append(uuid) |         return String.format("PrimaryDataStoreTO %s", | ||||||
|             .append("|name=") |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|             .append(name) |                         this, "id", "uuid", "name", "poolType")); | ||||||
|             .append("|id=") |  | ||||||
|             .append(id) |  | ||||||
|             .append("|pooltype=") |  | ||||||
|             .append(poolType) |  | ||||||
|             .append("]") |  | ||||||
|             .toString(); |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public Boolean isFullCloneFlag() { |     public Boolean isFullCloneFlag() { | ||||||
|  | |||||||
| @ -27,6 +27,7 @@ import com.cloud.agent.api.to.DataTO; | |||||||
| import com.cloud.hypervisor.Hypervisor; | import com.cloud.hypervisor.Hypervisor; | ||||||
| import com.cloud.storage.Storage.ImageFormat; | import com.cloud.storage.Storage.ImageFormat; | ||||||
| import com.cloud.template.VirtualMachineTemplate; | import com.cloud.template.VirtualMachineTemplate; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| public class TemplateObjectTO extends DownloadableObjectTO implements DataTO { | public class TemplateObjectTO extends DownloadableObjectTO implements DataTO { | ||||||
|     private String path; |     private String path; | ||||||
| @ -264,6 +265,8 @@ public class TemplateObjectTO extends DownloadableObjectTO implements DataTO { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("TemplateTO[id=").append(id).append("|origUrl=").append(origUrl).append("|name").append(name).append("]").toString(); |         return String.format("TemplateTO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "origUrl")); | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -30,6 +30,7 @@ import com.cloud.offering.DiskOffering.DiskCacheMode; | |||||||
| import com.cloud.storage.MigrationOptions; | import com.cloud.storage.MigrationOptions; | ||||||
| import com.cloud.storage.Storage; | import com.cloud.storage.Storage; | ||||||
| import com.cloud.storage.Volume; | import com.cloud.storage.Volume; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| import java.util.Arrays; | import java.util.Arrays; | ||||||
| 
 | 
 | ||||||
| @ -258,7 +259,9 @@ public class VolumeObjectTO extends DownloadableObjectTO implements DataTO { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("volumeTO[uuid=").append(uuid).append("|path=").append(path).append("|datastore=").append(dataStore).append("]").toString(); |         return String.format("volumeTO %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "path", "dataStore")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public void setBytesReadRate(Long bytesReadRate) { |     public void setBytesReadRate(Long bytesReadRate) { | ||||||
|  | |||||||
| @ -0,0 +1,81 @@ | |||||||
|  | // 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 com.cloud.agent.api; | ||||||
|  | 
 | ||||||
|  | import org.junit.Assert; | ||||||
|  | import org.junit.Test; | ||||||
|  | import org.junit.runner.RunWith; | ||||||
|  | import org.mockito.junit.MockitoJUnitRunner; | ||||||
|  | 
 | ||||||
|  | @RunWith(MockitoJUnitRunner.class) | ||||||
|  | public class GetStorageStatsAnswerTest { | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testDefaultConstructor() { | ||||||
|  |         GetStorageStatsAnswer answer = new GetStorageStatsAnswer(); | ||||||
|  | 
 | ||||||
|  |         Assert.assertEquals(0, answer.getByteUsed()); | ||||||
|  |         Assert.assertEquals(0, answer.getCapacityBytes()); | ||||||
|  |         Assert.assertNull(answer.getCapacityIops()); | ||||||
|  |         Assert.assertNull(answer.getUsedIops()); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testConstructorWithCapacityAndUsedBytes() { | ||||||
|  |         GetStorageStatsCommand mockCmd = new GetStorageStatsCommand(); | ||||||
|  |         long capacityBytes = 1024L; | ||||||
|  |         long usedBytes = 512L; | ||||||
|  | 
 | ||||||
|  |         GetStorageStatsAnswer answer = new GetStorageStatsAnswer(mockCmd, capacityBytes, usedBytes); | ||||||
|  | 
 | ||||||
|  |         Assert.assertEquals(capacityBytes, answer.getCapacityBytes()); | ||||||
|  |         Assert.assertEquals(usedBytes, answer.getByteUsed()); | ||||||
|  |         Assert.assertNull(answer.getCapacityIops()); | ||||||
|  |         Assert.assertNull(answer.getUsedIops()); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testConstructorWithIops() { | ||||||
|  |         GetStorageStatsCommand mockCmd = new GetStorageStatsCommand(); | ||||||
|  |         long capacityBytes = 2048L; | ||||||
|  |         long usedBytes = 1024L; | ||||||
|  |         Long capacityIops = 1000L; | ||||||
|  |         Long usedIops = 500L; | ||||||
|  | 
 | ||||||
|  |         GetStorageStatsAnswer answer = new GetStorageStatsAnswer(mockCmd, capacityBytes, usedBytes, capacityIops, usedIops); | ||||||
|  | 
 | ||||||
|  |         Assert.assertEquals(capacityBytes, answer.getCapacityBytes()); | ||||||
|  |         Assert.assertEquals(usedBytes, answer.getByteUsed()); | ||||||
|  |         Assert.assertEquals(capacityIops, answer.getCapacityIops()); | ||||||
|  |         Assert.assertEquals(usedIops, answer.getUsedIops()); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testErrorConstructor() { | ||||||
|  |         GetStorageStatsCommand mockCmd = new GetStorageStatsCommand(); | ||||||
|  |         String errorDetails = "An error occurred"; | ||||||
|  | 
 | ||||||
|  |         GetStorageStatsAnswer answer = new GetStorageStatsAnswer(mockCmd, errorDetails); | ||||||
|  | 
 | ||||||
|  |         Assert.assertFalse(answer.getResult()); | ||||||
|  |         Assert.assertEquals(errorDetails, answer.getDetails()); | ||||||
|  |         Assert.assertEquals(0, answer.getCapacityBytes()); | ||||||
|  |         Assert.assertEquals(0, answer.getByteUsed()); | ||||||
|  |         Assert.assertNull(answer.getCapacityIops()); | ||||||
|  |         Assert.assertNull(answer.getUsedIops()); | ||||||
|  |     } | ||||||
|  | } | ||||||
							
								
								
									
										2
									
								
								debian/control
									
									
									
									
										vendored
									
									
								
							
							
						
						
									
										2
									
								
								debian/control
									
									
									
									
										vendored
									
									
								
							| @ -24,7 +24,7 @@ Description: CloudStack server library | |||||||
| 
 | 
 | ||||||
| Package: cloudstack-agent | Package: cloudstack-agent | ||||||
| Architecture: all | Architecture: all | ||||||
| Depends: ${python:Depends}, ${python3:Depends}, openjdk-17-jre-headless | java17-runtime-headless | java17-runtime | zulu-17, cloudstack-common (= ${source:Version}), lsb-base (>= 9), openssh-client, qemu-kvm (>= 2.5) | qemu-system-x86 (>= 5.2), libvirt-bin (>= 1.3) | libvirt-daemon-system (>= 3.0), iproute2, ebtables, vlan, ipset, python3-libvirt, ethtool, iptables, cryptsetup, rng-tools, rsync, lsb-release, ufw, apparmor, cpu-checker, libvirt-daemon-driver-storage-rbd | Depends: ${python:Depends}, ${python3:Depends}, openjdk-17-jre-headless | java17-runtime-headless | java17-runtime | zulu-17, cloudstack-common (= ${source:Version}), lsb-base (>= 9), openssh-client, qemu-kvm (>= 2.5) | qemu-system-x86 (>= 5.2), libvirt-bin (>= 1.3) | libvirt-daemon-system (>= 3.0), iproute2, ebtables, vlan, ipset, python3-libvirt, ethtool, iptables, cryptsetup, rng-tools, rsync, lsb-release, ufw, apparmor, cpu-checker, libvirt-daemon-driver-storage-rbd, sysstat | ||||||
| Recommends: init-system-helpers | Recommends: init-system-helpers | ||||||
| Conflicts: cloud-agent, cloud-agent-libs, cloud-agent-deps, cloud-agent-scripts | Conflicts: cloud-agent, cloud-agent-libs, cloud-agent-deps, cloud-agent-scripts | ||||||
| Description: CloudStack agent | Description: CloudStack agent | ||||||
|  | |||||||
| @ -24,6 +24,8 @@ import com.cloud.agent.api.Command; | |||||||
| public interface EndPoint { | public interface EndPoint { | ||||||
|     long getId(); |     long getId(); | ||||||
| 
 | 
 | ||||||
|  |     String getUuid(); | ||||||
|  | 
 | ||||||
|     String getHostAddr(); |     String getHostAddr(); | ||||||
| 
 | 
 | ||||||
|     String getPublicAddr(); |     String getPublicAddr(); | ||||||
|  | |||||||
| @ -19,12 +19,22 @@ | |||||||
| package org.apache.cloudstack.engine.subsystem.api.storage; | package org.apache.cloudstack.engine.subsystem.api.storage; | ||||||
| 
 | 
 | ||||||
| import com.cloud.exception.StorageConflictException; | import com.cloud.exception.StorageConflictException; | ||||||
|  | import com.cloud.host.Host; | ||||||
|  | import com.cloud.storage.StoragePool; | ||||||
| 
 | 
 | ||||||
| public interface HypervisorHostListener { | public interface HypervisorHostListener { | ||||||
|     boolean hostAdded(long hostId); |     boolean hostAdded(long hostId); | ||||||
| 
 | 
 | ||||||
|  |     default boolean hostConnect(Host host, StoragePool pool) throws StorageConflictException { | ||||||
|  |         return hostConnect(host.getId(), pool.getId()); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     boolean hostConnect(long hostId, long poolId) throws StorageConflictException; |     boolean hostConnect(long hostId, long poolId) throws StorageConflictException; | ||||||
| 
 | 
 | ||||||
|  |     default boolean hostDisconnected(Host host, StoragePool pool) throws StorageConflictException { | ||||||
|  |         return hostDisconnected(host.getId(), pool.getId()); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     boolean hostDisconnected(long hostId, long poolId); |     boolean hostDisconnected(long hostId, long poolId); | ||||||
| 
 | 
 | ||||||
|     boolean hostAboutToBeRemoved(long hostId); |     boolean hostAboutToBeRemoved(long hostId); | ||||||
|  | |||||||
| @ -111,6 +111,14 @@ public interface PrimaryDataStoreDriver extends DataStoreDriver { | |||||||
|      */ |      */ | ||||||
|     Pair<Long, Long> getStorageStats(StoragePool storagePool); |     Pair<Long, Long> getStorageStats(StoragePool storagePool); | ||||||
| 
 | 
 | ||||||
|  |     /** | ||||||
|  |      * Intended for managed storage | ||||||
|  |      * returns the capacity and used IOPS or null if not supported | ||||||
|  |      */ | ||||||
|  |     default Pair<Long, Long> getStorageIopsStats(StoragePool storagePool) { | ||||||
|  |         return null; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     /** |     /** | ||||||
|      * intended for managed storage |      * intended for managed storage | ||||||
|      * returns true if the storage can provide the volume stats (physical and virtual size) |      * returns true if the storage can provide the volume stats (physical and virtual size) | ||||||
|  | |||||||
| @ -22,6 +22,8 @@ import com.cloud.template.VirtualMachineTemplate; | |||||||
| import com.cloud.user.UserData; | import com.cloud.user.UserData; | ||||||
| 
 | 
 | ||||||
| public interface TemplateInfo extends DownloadableDataInfo, VirtualMachineTemplate { | public interface TemplateInfo extends DownloadableDataInfo, VirtualMachineTemplate { | ||||||
|  |     VirtualMachineTemplate getImage(); | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     String getUniqueName(); |     String getUniqueName(); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -19,6 +19,7 @@ | |||||||
| package org.apache.cloudstack.engine.subsystem.api.storage; | package org.apache.cloudstack.engine.subsystem.api.storage; | ||||||
| 
 | 
 | ||||||
| import com.cloud.agent.api.to.DatadiskTO; | import com.cloud.agent.api.to.DatadiskTO; | ||||||
|  | import com.cloud.template.VirtualMachineTemplate; | ||||||
| import org.apache.cloudstack.framework.async.AsyncCallFuture; | import org.apache.cloudstack.framework.async.AsyncCallFuture; | ||||||
| import org.apache.cloudstack.framework.async.AsyncCompletionCallback; | import org.apache.cloudstack.framework.async.AsyncCompletionCallback; | ||||||
| import org.apache.cloudstack.storage.command.CommandResult; | import org.apache.cloudstack.storage.command.CommandResult; | ||||||
| @ -60,7 +61,7 @@ public interface TemplateService { | |||||||
| 
 | 
 | ||||||
|     AsyncCallFuture<TemplateApiResult> deleteTemplateOnPrimary(TemplateInfo template, StoragePool pool); |     AsyncCallFuture<TemplateApiResult> deleteTemplateOnPrimary(TemplateInfo template, StoragePool pool); | ||||||
| 
 | 
 | ||||||
|     void syncTemplateToRegionStore(long templateId, DataStore store); |     void syncTemplateToRegionStore(VirtualMachineTemplate templateId, DataStore store); | ||||||
| 
 | 
 | ||||||
|     void handleSysTemplateDownload(HypervisorType hostHyper, Long dcId); |     void handleSysTemplateDownload(HypervisorType hostHyper, Long dcId); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -50,6 +50,10 @@ public interface AgentManager { | |||||||
|     ConfigKey<Integer> ReadyCommandWait = new ConfigKey<Integer>("Advanced", Integer.class, "ready.command.wait", |     ConfigKey<Integer> ReadyCommandWait = new ConfigKey<Integer>("Advanced", Integer.class, "ready.command.wait", | ||||||
|             "60", "Time in seconds to wait for Ready command to return", true); |             "60", "Time in seconds to wait for Ready command to return", true); | ||||||
| 
 | 
 | ||||||
|  |     ConfigKey<String> GranularWaitTimeForCommands = new ConfigKey<>("Advanced", String.class, "commands.timeout", "", | ||||||
|  |             "This timeout overrides the wait global config. This holds a comma separated key value pairs containing timeout (in seconds) for specific commands. " + | ||||||
|  |                     "For example: DhcpEntryCommand=600, SavePasswordCommand=300, VmDataCommand=300", false); | ||||||
|  | 
 | ||||||
|     public enum TapAgentsAction { |     public enum TapAgentsAction { | ||||||
|         Add, Del, Contains, |         Add, Del, Contains, | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -43,6 +43,10 @@ public interface Listener { | |||||||
|      */ |      */ | ||||||
|     boolean processAnswers(long agentId, long seq, Answer[] answers); |     boolean processAnswers(long agentId, long seq, Answer[] answers); | ||||||
| 
 | 
 | ||||||
|  |     default boolean processAnswers(long agentId, String uuid, String name, long seq, Answer[] answers) { | ||||||
|  |         return processAnswers(agentId, seq, answers); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     /** |     /** | ||||||
|      * This method is called by the AgentManager when an agent sent |      * This method is called by the AgentManager when an agent sent | ||||||
|      * a command to the server.  In order to process these commands, |      * a command to the server.  In order to process these commands, | ||||||
| @ -92,6 +96,10 @@ public interface Listener { | |||||||
|      */ |      */ | ||||||
|     boolean processDisconnect(long agentId, Status state); |     boolean processDisconnect(long agentId, Status state); | ||||||
| 
 | 
 | ||||||
|  |     default boolean processDisconnect(long agentId, String uuid, String name, Status state) { | ||||||
|  |         return processDisconnect(agentId, state); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     /** |     /** | ||||||
|      * This method is called by AgentManager when a host is about to be removed from a cluster. |      * This method is called by AgentManager when a host is about to be removed from a cluster. | ||||||
|      * @param long the ID of the host that's about to be removed |      * @param long the ID of the host that's about to be removed | ||||||
|  | |||||||
| @ -140,7 +140,7 @@ public interface CapacityManager { | |||||||
|      * @param ram required RAM |      * @param ram required RAM | ||||||
|      * @param cpuOverprovisioningFactor factor to apply to the actual host cpu |      * @param cpuOverprovisioningFactor factor to apply to the actual host cpu | ||||||
|      */ |      */ | ||||||
|     boolean checkIfHostHasCapacity(long hostId, Integer cpu, long ram, boolean checkFromReservedCapacity, float cpuOverprovisioningFactor, float memoryOvercommitRatio, |     boolean checkIfHostHasCapacity(Host host, Integer cpu, long ram, boolean checkFromReservedCapacity, float cpuOverprovisioningFactor, float memoryOvercommitRatio, | ||||||
|         boolean considerReservedCapacity); |         boolean considerReservedCapacity); | ||||||
| 
 | 
 | ||||||
|     void updateCapacityForHost(Host host); |     void updateCapacityForHost(Host host); | ||||||
|  | |||||||
| @ -238,7 +238,7 @@ public interface ConfigurationManager { | |||||||
|      * @param domainId |      * @param domainId | ||||||
|      * @return success/failure |      * @return success/failure | ||||||
|      */ |      */ | ||||||
|     boolean releaseDomainSpecificVirtualRanges(long domainId); |     boolean releaseDomainSpecificVirtualRanges(Domain domain); | ||||||
| 
 | 
 | ||||||
|     /** |     /** | ||||||
|      * Release dedicated virtual ip ranges of an account. |      * Release dedicated virtual ip ranges of an account. | ||||||
| @ -246,7 +246,7 @@ public interface ConfigurationManager { | |||||||
|      * @param accountId |      * @param accountId | ||||||
|      * @return success/failure |      * @return success/failure | ||||||
|      */ |      */ | ||||||
|     boolean releaseAccountSpecificVirtualRanges(long accountId); |     boolean releaseAccountSpecificVirtualRanges(Account account); | ||||||
| 
 | 
 | ||||||
|     /** |     /** | ||||||
|      * Edits a pod in the database. Will not allow you to edit pods that are being used anywhere in the system. |      * Edits a pod in the database. Will not allow you to edit pods that are being used anywhere in the system. | ||||||
|  | |||||||
| @ -19,6 +19,7 @@ package com.cloud.network; | |||||||
| import java.util.Date; | import java.util.Date; | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.user.User; | ||||||
| import org.apache.cloudstack.api.response.AcquirePodIpCmdResponse; | import org.apache.cloudstack.api.response.AcquirePodIpCmdResponse; | ||||||
| import org.apache.cloudstack.framework.config.ConfigKey; | import org.apache.cloudstack.framework.config.ConfigKey; | ||||||
| 
 | 
 | ||||||
| @ -88,7 +89,7 @@ public interface IpAddressManager { | |||||||
|      * @param caller |      * @param caller | ||||||
|      * @return true if it did; false if it didn't |      * @return true if it did; false if it didn't | ||||||
|      */ |      */ | ||||||
|     boolean disassociatePublicIpAddress(long id, long userId, Account caller); |     boolean disassociatePublicIpAddress(IpAddress ipAddress, long userId, Account caller); | ||||||
| 
 | 
 | ||||||
|     boolean applyRules(List<? extends FirewallRule> rules, FirewallRule.Purpose purpose, NetworkRuleApplier applier, boolean continueOnError) |     boolean applyRules(List<? extends FirewallRule> rules, FirewallRule.Purpose purpose, NetworkRuleApplier applier, boolean continueOnError) | ||||||
|             throws ResourceUnavailableException; |             throws ResourceUnavailableException; | ||||||
| @ -191,7 +192,7 @@ public interface IpAddressManager { | |||||||
|     PublicIp assignDedicateIpAddress(Account owner, Long guestNtwkId, Long vpcId, long dcId, boolean isSourceNat) |     PublicIp assignDedicateIpAddress(Account owner, Long guestNtwkId, Long vpcId, long dcId, boolean isSourceNat) | ||||||
|             throws ConcurrentOperationException, InsufficientAddressCapacityException; |             throws ConcurrentOperationException, InsufficientAddressCapacityException; | ||||||
| 
 | 
 | ||||||
|     IpAddress allocateIp(Account ipOwner, boolean isSystem, Account caller, long callerId, DataCenter zone, Boolean displayIp, String ipaddress) |     IpAddress allocateIp(Account ipOwner, boolean isSystem, Account caller, User callerId, DataCenter zone, Boolean displayIp, String ipaddress) | ||||||
|             throws ConcurrentOperationException, ResourceAllocationException, InsufficientAddressCapacityException; |             throws ConcurrentOperationException, ResourceAllocationException, InsufficientAddressCapacityException; | ||||||
| 
 | 
 | ||||||
|     PublicIp assignPublicIpAddressFromVlans(long dcId, Long podId, Account owner, VlanType type, List<Long> vlanDbIds, Long networkId, String requestedIp, String requestedGateway, boolean isSystem) |     PublicIp assignPublicIpAddressFromVlans(long dcId, Long podId, Account owner, VlanType type, List<Long> vlanDbIds, Long networkId, String requestedIp, String requestedGateway, boolean isSystem) | ||||||
|  | |||||||
| @ -62,7 +62,7 @@ public interface LoadBalancingRulesManager { | |||||||
|      */ |      */ | ||||||
|     boolean removeVmFromLoadBalancers(long vmId); |     boolean removeVmFromLoadBalancers(long vmId); | ||||||
| 
 | 
 | ||||||
|     boolean applyLoadBalancersForNetwork(long networkId, Scheme scheme) throws ResourceUnavailableException; |     boolean applyLoadBalancersForNetwork(Network network, Scheme scheme) throws ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
|     String getLBCapability(long networkid, String capabilityName); |     String getLBCapability(long networkid, String capabilityName); | ||||||
| 
 | 
 | ||||||
| @ -74,7 +74,7 @@ public interface LoadBalancingRulesManager { | |||||||
| 
 | 
 | ||||||
|     boolean configureLbAutoScaleVmGroup(long vmGroupid, AutoScaleVmGroup.State currentState) throws ResourceUnavailableException; |     boolean configureLbAutoScaleVmGroup(long vmGroupid, AutoScaleVmGroup.State currentState) throws ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
|     boolean revokeLoadBalancersForNetwork(long networkId, Scheme scheme) throws ResourceUnavailableException; |     boolean revokeLoadBalancersForNetwork(Network network, Scheme scheme) throws ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
|     boolean validateLbRule(LoadBalancingRule lbRule); |     boolean validateLbRule(LoadBalancingRule lbRule); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -20,6 +20,8 @@ import java.util.List; | |||||||
| 
 | 
 | ||||||
| import com.cloud.exception.NetworkRuleConflictException; | import com.cloud.exception.NetworkRuleConflictException; | ||||||
| import com.cloud.exception.ResourceUnavailableException; | import com.cloud.exception.ResourceUnavailableException; | ||||||
|  | import com.cloud.network.IpAddress; | ||||||
|  | import com.cloud.network.Network; | ||||||
| import com.cloud.network.dao.IPAddressVO; | import com.cloud.network.dao.IPAddressVO; | ||||||
| import com.cloud.network.firewall.FirewallService; | import com.cloud.network.firewall.FirewallService; | ||||||
| import com.cloud.network.rules.FirewallRule.FirewallRuleType; | import com.cloud.network.rules.FirewallRule.FirewallRuleType; | ||||||
| @ -53,7 +55,7 @@ public interface FirewallManager extends FirewallService { | |||||||
| 
 | 
 | ||||||
|     public void revokeRule(FirewallRuleVO rule, Account caller, long userId, boolean needUsageEvent); |     public void revokeRule(FirewallRuleVO rule, Account caller, long userId, boolean needUsageEvent); | ||||||
| 
 | 
 | ||||||
|     boolean revokeFirewallRulesForIp(long ipId, long userId, Account caller) throws ResourceUnavailableException; |     boolean revokeFirewallRulesForIp(IpAddress ip, long userId, Account caller) throws ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
| //    /** | //    /** | ||||||
| //     * Revokes a firewall rule | //     * Revokes a firewall rule | ||||||
| @ -75,7 +77,7 @@ public interface FirewallManager extends FirewallService { | |||||||
|     FirewallRule createRuleForAllCidrs(long ipAddrId, Account caller, Integer startPort, Integer endPort, String protocol, Integer icmpCode, Integer icmpType, |     FirewallRule createRuleForAllCidrs(long ipAddrId, Account caller, Integer startPort, Integer endPort, String protocol, Integer icmpCode, Integer icmpType, | ||||||
|         Long relatedRuleId, long networkId) throws NetworkRuleConflictException; |         Long relatedRuleId, long networkId) throws NetworkRuleConflictException; | ||||||
| 
 | 
 | ||||||
|     boolean revokeAllFirewallRulesForNetwork(long networkId, long userId, Account caller) throws ResourceUnavailableException; |     boolean revokeAllFirewallRulesForNetwork(Network network, long userId, Account caller) throws ResourceUnavailableException; | ||||||
| 
 | 
 | ||||||
|     boolean revokeFirewallRulesForVm(long vmId); |     boolean revokeFirewallRulesForVm(long vmId); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -22,6 +22,7 @@ import com.cloud.exception.InsufficientAddressCapacityException; | |||||||
| import com.cloud.exception.NetworkRuleConflictException; | import com.cloud.exception.NetworkRuleConflictException; | ||||||
| import com.cloud.exception.ResourceUnavailableException; | import com.cloud.exception.ResourceUnavailableException; | ||||||
| import com.cloud.network.IpAddress; | import com.cloud.network.IpAddress; | ||||||
|  | import com.cloud.network.Network; | ||||||
| import com.cloud.user.Account; | import com.cloud.user.Account; | ||||||
| import com.cloud.uservm.UserVm; | import com.cloud.uservm.UserVm; | ||||||
| import com.cloud.vm.Nic; | import com.cloud.vm.Nic; | ||||||
| @ -47,7 +48,7 @@ public interface RulesManager extends RulesService { | |||||||
|     FirewallRule[] reservePorts(IpAddress ip, String protocol, FirewallRule.Purpose purpose, boolean openFirewall, Account caller, int... ports) |     FirewallRule[] reservePorts(IpAddress ip, String protocol, FirewallRule.Purpose purpose, boolean openFirewall, Account caller, int... ports) | ||||||
|         throws NetworkRuleConflictException; |         throws NetworkRuleConflictException; | ||||||
| 
 | 
 | ||||||
|     boolean applyStaticNatsForNetwork(long networkId, boolean continueOnError, Account caller); |     boolean applyStaticNatsForNetwork(Network network, boolean continueOnError, Account caller); | ||||||
| 
 | 
 | ||||||
|     void getSystemIpAndEnableStaticNatForVm(VirtualMachine vm, boolean getNewIp) throws InsufficientAddressCapacityException; |     void getSystemIpAndEnableStaticNatForVm(VirtualMachine vm, boolean getNewIp) throws InsufficientAddressCapacityException; | ||||||
| 
 | 
 | ||||||
| @ -60,7 +61,7 @@ public interface RulesManager extends RulesService { | |||||||
|      * @param forRevoke |      * @param forRevoke | ||||||
|      * @return |      * @return | ||||||
|      */ |      */ | ||||||
|     boolean applyStaticNatForNetwork(long networkId, boolean continueOnError, Account caller, boolean forRevoke); |     boolean applyStaticNatForNetwork(Network network, boolean continueOnError, Account caller, boolean forRevoke); | ||||||
| 
 | 
 | ||||||
|     List<FirewallRuleVO> listAssociatedRulesForGuestNic(Nic nic); |     List<FirewallRuleVO> listAssociatedRulesForGuestNic(Nic nic); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -19,6 +19,7 @@ package com.cloud.network.security; | |||||||
| import java.util.HashMap; | import java.util.HashMap; | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.uservm.UserVm; | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
| @ -36,9 +37,9 @@ public interface SecurityGroupManager { | |||||||
| 
 | 
 | ||||||
|     public SecurityGroupVO createDefaultSecurityGroup(Long accountId); |     public SecurityGroupVO createDefaultSecurityGroup(Long accountId); | ||||||
| 
 | 
 | ||||||
|     public boolean addInstanceToGroups(Long userVmId, List<Long> groups); |     public boolean addInstanceToGroups(UserVm userVm, List<Long> groups); | ||||||
| 
 | 
 | ||||||
|     public void removeInstanceFromGroups(long userVmId); |     public void removeInstanceFromGroups(UserVm userVm); | ||||||
| 
 | 
 | ||||||
|     public void fullSync(long agentId, HashMap<String, Pair<Long, Long>> newGroupStates); |     public void fullSync(long agentId, HashMap<String, Pair<Long, Long>> newGroupStates); | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -20,6 +20,7 @@ import java.util.List; | |||||||
| import java.util.Map; | import java.util.Map; | ||||||
| import java.util.Set; | import java.util.Set; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.network.dao.IPAddressVO; | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
| import org.apache.cloudstack.acl.ControlledEntity.ACLType; | import org.apache.cloudstack.acl.ControlledEntity.ACLType; | ||||||
| 
 | 
 | ||||||
| @ -100,6 +101,8 @@ public interface VpcManager { | |||||||
|      */ |      */ | ||||||
|     void unassignIPFromVpcNetwork(long ipId, long networkId); |     void unassignIPFromVpcNetwork(long ipId, long networkId); | ||||||
| 
 | 
 | ||||||
|  |     void unassignIPFromVpcNetwork(final IPAddressVO ip, final Network network); | ||||||
|  | 
 | ||||||
|     /** |     /** | ||||||
|      * Creates guest network in the VPC |      * Creates guest network in the VPC | ||||||
|      * |      * | ||||||
|  | |||||||
| @ -185,7 +185,7 @@ public interface ResourceManager extends ResourceService, Configurable { | |||||||
|      * @param vgpuType the VGPU type |      * @param vgpuType the VGPU type | ||||||
|      * @return true when the host has the capacity with given VGPU type |      * @return true when the host has the capacity with given VGPU type | ||||||
|      */ |      */ | ||||||
|     boolean isGPUDeviceAvailable(long hostId, String groupName, String vgpuType); |     boolean isGPUDeviceAvailable(Host host, String groupName, String vgpuType); | ||||||
| 
 | 
 | ||||||
|     /** |     /** | ||||||
|      * Get available GPU device |      * Get available GPU device | ||||||
|  | |||||||
| @ -365,9 +365,9 @@ public interface StorageManager extends StorageService { | |||||||
| 
 | 
 | ||||||
|     String getStoragePoolMountFailureReason(String error); |     String getStoragePoolMountFailureReason(String error); | ||||||
| 
 | 
 | ||||||
|     boolean connectHostToSharedPool(long hostId, long poolId) throws StorageUnavailableException, StorageConflictException; |     boolean connectHostToSharedPool(Host host, long poolId) throws StorageUnavailableException, StorageConflictException; | ||||||
| 
 | 
 | ||||||
|     void disconnectHostFromSharedPool(long hostId, long poolId) throws StorageUnavailableException, StorageConflictException; |     void disconnectHostFromSharedPool(Host host, StoragePool pool) throws StorageUnavailableException, StorageConflictException; | ||||||
| 
 | 
 | ||||||
|     void enableHost(long hostId) throws StorageUnavailableException, StorageConflictException; |     void enableHost(long hostId) throws StorageUnavailableException, StorageConflictException; | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -120,7 +120,7 @@ public interface TemplateManager { | |||||||
| 
 | 
 | ||||||
|     DataStore getImageStore(long tmpltId); |     DataStore getImageStore(long tmpltId); | ||||||
| 
 | 
 | ||||||
|     Long getTemplateSize(long templateId, long zoneId); |     Long getTemplateSize(VirtualMachineTemplate template, long zoneId); | ||||||
| 
 | 
 | ||||||
|     DataStore getImageStore(String storeUuid, Long zoneId, VolumeVO volume); |     DataStore getImageStore(String storeUuid, Long zoneId, VolumeVO volume); | ||||||
| 
 | 
 | ||||||
| @ -143,7 +143,7 @@ public interface TemplateManager { | |||||||
| 
 | 
 | ||||||
|     TemplateType validateTemplateType(BaseCmd cmd, boolean isAdmin, boolean isCrossZones); |     TemplateType validateTemplateType(BaseCmd cmd, boolean isAdmin, boolean isCrossZones); | ||||||
| 
 | 
 | ||||||
|     List<DatadiskTO> getTemplateDisksOnImageStore(Long templateId, DataStoreRole role, String configurationId); |     List<DatadiskTO> getTemplateDisksOnImageStore(VirtualMachineTemplate template, DataStoreRole role, String configurationId); | ||||||
| 
 | 
 | ||||||
|     static Boolean getValidateUrlIsResolvableBeforeRegisteringTemplateValue() { |     static Boolean getValidateUrlIsResolvableBeforeRegisteringTemplateValue() { | ||||||
|         return ValidateUrlIsResolvableBeforeRegisteringTemplate.value(); |         return ValidateUrlIsResolvableBeforeRegisteringTemplate.value(); | ||||||
|  | |||||||
| @ -26,9 +26,7 @@ import org.apache.cloudstack.jobs.JobInfo; | |||||||
| import org.apache.logging.log4j.LogManager; | import org.apache.logging.log4j.LogManager; | ||||||
| import org.apache.logging.log4j.Logger; | import org.apache.logging.log4j.Logger; | ||||||
| 
 | 
 | ||||||
| import com.cloud.serializer.GsonHelper; |  | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
| import com.google.gson.Gson; |  | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * VmWorkJobHandlerProxy can not be used as standalone due to run-time |  * VmWorkJobHandlerProxy can not be used as standalone due to run-time | ||||||
| @ -44,10 +42,8 @@ public class VmWorkJobHandlerProxy implements VmWorkJobHandler { | |||||||
|     private Object _target; |     private Object _target; | ||||||
|     private Map<Class<?>, Method> _handlerMethodMap = new HashMap<Class<?>, Method>(); |     private Map<Class<?>, Method> _handlerMethodMap = new HashMap<Class<?>, Method>(); | ||||||
| 
 | 
 | ||||||
|     private Gson _gsonLogger; |  | ||||||
| 
 | 
 | ||||||
|     public VmWorkJobHandlerProxy(Object target) { |     public VmWorkJobHandlerProxy(Object target) { | ||||||
|         _gsonLogger = GsonHelper.getGsonLogger(); |  | ||||||
| 
 | 
 | ||||||
|         buildLookupMap(target.getClass()); |         buildLookupMap(target.getClass()); | ||||||
|         _target = target; |         _target = target; | ||||||
| @ -123,10 +119,10 @@ public class VmWorkJobHandlerProxy implements VmWorkJobHandler { | |||||||
|                 throw e; |                 throw e; | ||||||
|             } |             } | ||||||
|         } else { |         } else { | ||||||
|             logger.error("Unable to find handler for VM work job: " + work.getClass().getName() + _gsonLogger.toJson(work)); |             logger.error("Unable to find handler for VM work job: {} {}", work.getClass().getName(), work); | ||||||
| 
 | 
 | ||||||
|             RuntimeException ex = new RuntimeException("Unable to find handler for VM work job: " + work.getClass().getName()); |             RuntimeException ex = new RuntimeException("Unable to find handler for VM work job: " + work.getClass().getName()); | ||||||
|             return new Pair<JobInfo.Status, String>(JobInfo.Status.FAILED, JobSerializerHelper.toObjectSerializedString(ex)); |             return new Pair<>(JobInfo.Status.FAILED, JobSerializerHelper.toObjectSerializedString(ex)); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -34,6 +34,7 @@ import java.util.concurrent.TimeUnit; | |||||||
| import com.cloud.agent.api.CleanupPersistentNetworkResourceCommand; | import com.cloud.agent.api.CleanupPersistentNetworkResourceCommand; | ||||||
| import org.apache.cloudstack.agent.lb.SetupMSListCommand; | import org.apache.cloudstack.agent.lb.SetupMSListCommand; | ||||||
| import org.apache.cloudstack.managed.context.ManagedContextRunnable; | import org.apache.cloudstack.managed.context.ManagedContextRunnable; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| import org.apache.logging.log4j.Logger; | import org.apache.logging.log4j.Logger; | ||||||
| import org.apache.logging.log4j.LogManager; | import org.apache.logging.log4j.LogManager; | ||||||
| 
 | 
 | ||||||
| @ -111,6 +112,7 @@ public abstract class AgentAttache { | |||||||
|     protected static String LOG_SEQ_FORMATTED_STRING; |     protected static String LOG_SEQ_FORMATTED_STRING; | ||||||
| 
 | 
 | ||||||
|     protected final long _id; |     protected final long _id; | ||||||
|  |     protected String _uuid; | ||||||
|     protected String _name = null; |     protected String _name = null; | ||||||
|     protected final ConcurrentHashMap<Long, Listener> _waitForList; |     protected final ConcurrentHashMap<Long, Listener> _waitForList; | ||||||
|     protected final LinkedList<Request> _requests; |     protected final LinkedList<Request> _requests; | ||||||
| @ -133,8 +135,9 @@ public abstract class AgentAttache { | |||||||
|         Arrays.sort(s_commandsNotAllowedInConnectingMode); |         Arrays.sort(s_commandsNotAllowedInConnectingMode); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected AgentAttache(final AgentManagerImpl agentMgr, final long id, final String name, final boolean maintenance) { |     protected AgentAttache(final AgentManagerImpl agentMgr, final long id, final String uuid, final String name, final boolean maintenance) { | ||||||
|         _id = id; |         _id = id; | ||||||
|  |         _uuid = uuid; | ||||||
|         _name = name; |         _name = name; | ||||||
|         _waitForList = new ConcurrentHashMap<Long, Listener>(); |         _waitForList = new ConcurrentHashMap<Long, Listener>(); | ||||||
|         _currentSequence = null; |         _currentSequence = null; | ||||||
| @ -145,6 +148,13 @@ public abstract class AgentAttache { | |||||||
|         LOG_SEQ_FORMATTED_STRING = String.format("Seq %d-{}: {}", _id); |         LOG_SEQ_FORMATTED_STRING = String.format("Seq %d-{}: {}", _id); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("AgentAttache %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "_id", "_uuid", "_name")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public synchronized long getNextSequence() { |     public synchronized long getNextSequence() { | ||||||
|         return ++_nextSequence; |         return ++_nextSequence; | ||||||
|     } |     } | ||||||
| @ -206,7 +216,7 @@ public abstract class AgentAttache { | |||||||
|         logger.debug(LOG_SEQ_FORMATTED_STRING, seq, "Cancelling."); |         logger.debug(LOG_SEQ_FORMATTED_STRING, seq, "Cancelling."); | ||||||
|         final Listener listener = _waitForList.remove(seq); |         final Listener listener = _waitForList.remove(seq); | ||||||
|         if (listener != null) { |         if (listener != null) { | ||||||
|             listener.processDisconnect(_id, Status.Disconnected); |             listener.processDisconnect(_id, _uuid, _name, Status.Disconnected); | ||||||
|         } |         } | ||||||
|         int index = findRequest(seq); |         int index = findRequest(seq); | ||||||
|         if (index >= 0) { |         if (index >= 0) { | ||||||
| @ -243,6 +253,10 @@ public abstract class AgentAttache { | |||||||
|         return _id; |         return _id; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     public String getUuid() { | ||||||
|  |         return _uuid; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     public String getName() { |     public String getName() { | ||||||
|         return _name; |         return _name; | ||||||
|     } |     } | ||||||
| @ -316,7 +330,7 @@ public abstract class AgentAttache { | |||||||
|                 it.remove(); |                 it.remove(); | ||||||
|                 final Listener monitor = entry.getValue(); |                 final Listener monitor = entry.getValue(); | ||||||
|                 logger.debug(LOG_SEQ_FORMATTED_STRING, entry.getKey(), "Sending disconnect to " + monitor.getClass()); |                 logger.debug(LOG_SEQ_FORMATTED_STRING, entry.getKey(), "Sending disconnect to " + monitor.getClass()); | ||||||
|                 monitor.processDisconnect(_id, state); |                 monitor.processDisconnect(_id,  _uuid, _name, state); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -53,6 +53,7 @@ import org.apache.cloudstack.framework.jobs.AsyncJobExecutionContext; | |||||||
| import org.apache.cloudstack.managed.context.ManagedContextRunnable; | import org.apache.cloudstack.managed.context.ManagedContextRunnable; | ||||||
| import org.apache.cloudstack.outofbandmanagement.dao.OutOfBandManagementDao; | import org.apache.cloudstack.outofbandmanagement.dao.OutOfBandManagementDao; | ||||||
| import org.apache.cloudstack.utils.identity.ManagementServerNode; | import org.apache.cloudstack.utils.identity.ManagementServerNode; | ||||||
|  | import org.apache.commons.collections.MapUtils; | ||||||
| import org.apache.commons.lang3.BooleanUtils; | import org.apache.commons.lang3.BooleanUtils; | ||||||
| 
 | 
 | ||||||
| import com.cloud.agent.AgentManager; | import com.cloud.agent.AgentManager; | ||||||
| @ -139,6 +140,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     protected List<Pair<Integer, Listener>> _cmdMonitors = new ArrayList<Pair<Integer, Listener>>(17); |     protected List<Pair<Integer, Listener>> _cmdMonitors = new ArrayList<Pair<Integer, Listener>>(17); | ||||||
|     protected List<Pair<Integer, StartupCommandProcessor>> _creationMonitors = new ArrayList<Pair<Integer, StartupCommandProcessor>>(17); |     protected List<Pair<Integer, StartupCommandProcessor>> _creationMonitors = new ArrayList<Pair<Integer, StartupCommandProcessor>>(17); | ||||||
|     protected List<Long> _loadingAgents = new ArrayList<Long>(); |     protected List<Long> _loadingAgents = new ArrayList<Long>(); | ||||||
|  |     protected Map<String, Integer> _commandTimeouts = new HashMap<>(); | ||||||
|     private int _monitorId = 0; |     private int _monitorId = 0; | ||||||
|     private final Lock _agentStatusLock = new ReentrantLock(); |     private final Lock _agentStatusLock = new ReentrantLock(); | ||||||
| 
 | 
 | ||||||
| @ -241,6 +243,8 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|         _monitorExecutor = new ScheduledThreadPoolExecutor(1, new NamedThreadFactory("AgentMonitor")); |         _monitorExecutor = new ScheduledThreadPoolExecutor(1, new NamedThreadFactory("AgentMonitor")); | ||||||
| 
 | 
 | ||||||
|  |         initializeCommandTimeouts(); | ||||||
|  | 
 | ||||||
|         return true; |         return true; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -302,7 +306,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.warn("No handling of agent control command: {} sent from {}", cmd, attache.getId()); |         logger.warn("No handling of agent control command: {} sent from {}", cmd, attache); | ||||||
|         return new AgentControlAnswer(cmd); |         return new AgentControlAnswer(cmd); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -344,7 +348,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                     answer = easySend(targetHostId, cmd); |                     answer = easySend(targetHostId, cmd); | ||||||
|                 } catch (final Exception e) { |                 } catch (final Exception e) { | ||||||
|                     String errorMsg = String.format("Error sending command %s to host %s, due to %s", cmd.getClass().getName(), |                     String errorMsg = String.format("Error sending command %s to host %s, due to %s", cmd.getClass().getName(), | ||||||
|                             host.getUuid(), e.getLocalizedMessage()); |                             host, e.getLocalizedMessage()); | ||||||
|                     logger.error(errorMsg); |                     logger.error(errorMsg); | ||||||
|                     logger.debug(errorMsg, e); |                     logger.debug(errorMsg, e); | ||||||
|                 } |                 } | ||||||
| @ -424,6 +428,62 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     protected int getTimeout(final Commands commands, int timeout) { | ||||||
|  |         int result; | ||||||
|  |         if (timeout > 0) { | ||||||
|  |             result = timeout; | ||||||
|  |         } else { | ||||||
|  |             result = Wait.value(); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         int granularTimeout = getTimeoutFromGranularWaitTime(commands); | ||||||
|  |         return (granularTimeout > 0) ? granularTimeout : result; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     protected int getTimeoutFromGranularWaitTime(final Commands commands) { | ||||||
|  |         int maxWait = 0; | ||||||
|  |         if (MapUtils.isNotEmpty(_commandTimeouts)) { | ||||||
|  |             for (final Command cmd : commands) { | ||||||
|  |                 String simpleCommandName = cmd.getClass().getSimpleName(); | ||||||
|  |                 Integer commandTimeout = _commandTimeouts.get(simpleCommandName); | ||||||
|  |                 if (commandTimeout != null && commandTimeout > maxWait) { | ||||||
|  |                     maxWait = commandTimeout; | ||||||
|  |                 } | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return maxWait; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private void initializeCommandTimeouts() { | ||||||
|  |         String commandWaits = GranularWaitTimeForCommands.value().trim(); | ||||||
|  |         if (StringUtils.isNotEmpty(commandWaits)) { | ||||||
|  |             _commandTimeouts = getCommandTimeoutsMap(commandWaits); | ||||||
|  |             logger.info(String.format("Timeouts for management server internal commands successfully initialized from global setting commands.timeout: %s", _commandTimeouts)); | ||||||
|  |         } | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private Map<String, Integer> getCommandTimeoutsMap(String commandWaits) { | ||||||
|  |         String[] commandPairs = commandWaits.split(","); | ||||||
|  |         Map<String, Integer> commandTimeouts = new HashMap<>(); | ||||||
|  | 
 | ||||||
|  |         for (String commandPair : commandPairs) { | ||||||
|  |             String[] parts = commandPair.trim().split("="); | ||||||
|  |             if (parts.length == 2) { | ||||||
|  |                 try { | ||||||
|  |                     String commandName = parts[0].trim(); | ||||||
|  |                     int commandTimeout = Integer.parseInt(parts[1].trim()); | ||||||
|  |                     commandTimeouts.put(commandName, commandTimeout); | ||||||
|  |                 } catch (NumberFormatException e) { | ||||||
|  |                     logger.error(String.format("Initialising the timeouts using commands.timeout: %s for management server internal commands failed with error %s", commandPair, e.getMessage())); | ||||||
|  |                 } | ||||||
|  |             } else { | ||||||
|  |                 logger.error(String.format("Error initialising the timeouts for management server internal commands. Invalid format in commands.timeout: %s", commandPair)); | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |         return commandTimeouts; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public Answer[] send(final Long hostId, final Commands commands, int timeout) throws AgentUnavailableException, OperationTimedoutException { |     public Answer[] send(final Long hostId, final Commands commands, int timeout) throws AgentUnavailableException, OperationTimedoutException { | ||||||
|         assert hostId != null : "Who's not checking the agent id before sending?  ... (finger wagging)"; |         assert hostId != null : "Who's not checking the agent id before sending?  ... (finger wagging)"; | ||||||
| @ -431,8 +491,14 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             throw new AgentUnavailableException(-1); |             throw new AgentUnavailableException(-1); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (timeout <= 0) { |         int wait = getTimeout(commands, timeout); | ||||||
|             timeout = Wait.value(); |         logger.debug(String.format("Wait time setting on %s is %d seconds", commands, wait)); | ||||||
|  |         for (Command cmd : commands) { | ||||||
|  |             String simpleCommandName = cmd.getClass().getSimpleName(); | ||||||
|  |             Integer commandTimeout = _commandTimeouts.get(simpleCommandName); | ||||||
|  |             if (commandTimeout != null) { | ||||||
|  |                 cmd.setWait(wait); | ||||||
|  |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (CheckTxnBeforeSending.value()) { |         if (CheckTxnBeforeSending.value()) { | ||||||
| @ -454,7 +520,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|         final Request req = new Request(hostId, agent.getName(), _nodeId, cmds, commands.stopOnError(), true); |         final Request req = new Request(hostId, agent.getName(), _nodeId, cmds, commands.stopOnError(), true); | ||||||
|         req.setSequence(agent.getNextSequence()); |         req.setSequence(agent.getNextSequence()); | ||||||
|         final Answer[] answers = agent.send(req, timeout); |         final Answer[] answers = agent.send(req, wait); | ||||||
|         notifyAnswersToMonitors(hostId, req.getSequence(), answers); |         notifyAnswersToMonitors(hostId, req.getSequence(), answers); | ||||||
|         commands.setAnswers(answers); |         commands.setAnswers(answers); | ||||||
|         return answers; |         return answers; | ||||||
| @ -464,11 +530,11 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         final Long hostId = agent.getId(); |         final Long hostId = agent.getId(); | ||||||
|         final HostVO host = _hostDao.findById(hostId); |         final HostVO host = _hostDao.findById(hostId); | ||||||
|         if (host != null && host.getType() != null && !host.getType().isVirtual()) { |         if (host != null && host.getType() != null && !host.getType().isVirtual()) { | ||||||
|             logger.debug("Checking if agent ({}) is alive", hostId); |             logger.debug("Checking if agent ({}) is alive", host); | ||||||
|             final Answer answer = easySend(hostId, new CheckHealthCommand()); |             final Answer answer = easySend(hostId, new CheckHealthCommand()); | ||||||
|             if (answer != null && answer.getResult()) { |             if (answer != null && answer.getResult()) { | ||||||
|                 final Status status = Status.Up; |                 final Status status = Status.Up; | ||||||
|                 logger.debug("Agent ({}) responded to checkHealthCommand, reporting that agent is {}", hostId, status); |                 logger.debug("Agent ({}) responded to checkHealthCommand, reporting that agent is {}", host, status); | ||||||
|                 return status; |                 return status; | ||||||
|             } |             } | ||||||
|             return _haMgr.investigate(hostId); |             return _haMgr.investigate(hostId); | ||||||
| @ -493,7 +559,9 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     public long send(final Long hostId, final Commands commands, final Listener listener) throws AgentUnavailableException { |     public long send(final Long hostId, final Commands commands, final Listener listener) throws AgentUnavailableException { | ||||||
|         final AgentAttache agent = getAttache(hostId); |         final AgentAttache agent = getAttache(hostId); | ||||||
|         if (agent.isClosed()) { |         if (agent.isClosed()) { | ||||||
|             throw new AgentUnavailableException("Agent " + agent.getId() + " is closed", agent.getId()); |             throw new AgentUnavailableException(String.format( | ||||||
|  |                     "Agent [id: %d, name: %s] is closed", | ||||||
|  |                     agent.getId(), agent.getName()), agent.getId()); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         final Command[] cmds = checkForCommandsAndTag(commands); |         final Command[] cmds = checkForCommandsAndTag(commands); | ||||||
| @ -510,7 +578,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             return; |             return; | ||||||
|         } |         } | ||||||
|         final long hostId = attache.getId(); |         final long hostId = attache.getId(); | ||||||
|         logger.debug("Remove Agent : {}", hostId); |         logger.debug("Remove Agent : {}", attache); | ||||||
|         AgentAttache removed = null; |         AgentAttache removed = null; | ||||||
|         boolean conflict = false; |         boolean conflict = false; | ||||||
|         synchronized (_agents) { |         synchronized (_agents) { | ||||||
| @ -522,7 +590,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         if (conflict) { |         if (conflict) { | ||||||
|             logger.debug("Agent for host {} is created when it is being disconnected", hostId); |             logger.debug("Agent for host {} is created when it is being disconnected", attache); | ||||||
|         } |         } | ||||||
|         if (removed != null) { |         if (removed != null) { | ||||||
|             removed.disconnect(nextState); |             removed.disconnect(nextState); | ||||||
| @ -530,7 +598,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|         for (final Pair<Integer, Listener> monitor : _hostMonitors) { |         for (final Pair<Integer, Listener> monitor : _hostMonitors) { | ||||||
|             logger.debug("Sending Disconnect to listener: {}", monitor.second().getClass().getName()); |             logger.debug("Sending Disconnect to listener: {}", monitor.second().getClass().getName()); | ||||||
|             monitor.second().processDisconnect(hostId, nextState); |             monitor.second().processDisconnect(hostId, attache.getUuid(), attache.getName(), nextState); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -555,28 +623,31 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                     if (e instanceof ConnectionException) { |                     if (e instanceof ConnectionException) { | ||||||
|                         final ConnectionException ce = (ConnectionException)e; |                         final ConnectionException ce = (ConnectionException)e; | ||||||
|                         if (ce.isSetupError()) { |                         if (ce.isSetupError()) { | ||||||
|                             logger.warn("Monitor " + monitor.second().getClass().getSimpleName() + " says there is an error in the connect process for " + hostId + " due to " + e.getMessage()); |                             logger.warn("Monitor {} says there is an error in the connect process for {} due to {}", | ||||||
|  |                                     monitor.second().getClass().getSimpleName(), host, e.getMessage()); | ||||||
|                             handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); |                             handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); | ||||||
|                             throw ce; |                             throw ce; | ||||||
|                         } else { |                         } else { | ||||||
|                             logger.info("Monitor " + monitor.second().getClass().getSimpleName() + " says not to continue the connect process for " + hostId + " due to " + e.getMessage()); |                             logger.info("Monitor {} says not to continue the connect process for {} due to {}", | ||||||
|  |                                     monitor.second().getClass().getSimpleName(), host, e.getMessage()); | ||||||
|                             handleDisconnectWithoutInvestigation(attache, Event.ShutdownRequested, true, true); |                             handleDisconnectWithoutInvestigation(attache, Event.ShutdownRequested, true, true); | ||||||
|                             return attache; |                             return attache; | ||||||
|                         } |                         } | ||||||
|                     } else if (e instanceof HypervisorVersionChangedException) { |                     } else if (e instanceof HypervisorVersionChangedException) { | ||||||
|                         handleDisconnectWithoutInvestigation(attache, Event.ShutdownRequested, true, true); |                         handleDisconnectWithoutInvestigation(attache, Event.ShutdownRequested, true, true); | ||||||
|                         throw new CloudRuntimeException("Unable to connect " + attache.getId(), e); |                         throw new CloudRuntimeException(String.format("Unable to connect %s", attache), e); | ||||||
|                     } else { |                     } else { | ||||||
|                         logger.error("Monitor {} says there is an error in the connect process for {} due to {}", monitor.second().getClass().getSimpleName(), hostId, e.getMessage(), e); |                         logger.error("Monitor {} says there is an error in the connect process for {} due to {}", | ||||||
|  |                                 monitor.second().getClass().getSimpleName(), host, e.getMessage(), e); | ||||||
|                         handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); |                         handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); | ||||||
|                         throw new CloudRuntimeException("Unable to connect " + attache.getId(), e); |                         throw new CloudRuntimeException(String.format("Unable to connect %s", attache), e); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         final Long dcId = host.getDataCenterId(); |         final Long dcId = host.getDataCenterId(); | ||||||
|         final ReadyCommand ready = new ReadyCommand(dcId, host.getId(), NumbersUtil.enableHumanReadableSizes); |         final ReadyCommand ready = new ReadyCommand(host, NumbersUtil.enableHumanReadableSizes); | ||||||
|         ready.setWait(ReadyCommandWait.value()); |         ready.setWait(ReadyCommandWait.value()); | ||||||
|         final Answer answer = easySend(hostId, ready); |         final Answer answer = easySend(hostId, ready); | ||||||
|         if (answer == null || !answer.getResult()) { |         if (answer == null || !answer.getResult()) { | ||||||
| @ -590,7 +661,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             Map<String, String> detailsMap = readyAnswer.getDetailsMap(); |             Map<String, String> detailsMap = readyAnswer.getDetailsMap(); | ||||||
|             if (detailsMap != null) { |             if (detailsMap != null) { | ||||||
|                 String uefiEnabled = detailsMap.get(Host.HOST_UEFI_ENABLE); |                 String uefiEnabled = detailsMap.get(Host.HOST_UEFI_ENABLE); | ||||||
|                 logger.debug("Got HOST_UEFI_ENABLE [{}] for hostId [{}]:", uefiEnabled, host.getUuid()); |                 logger.debug("Got HOST_UEFI_ENABLE [{}] for host [{}]:", uefiEnabled, host); | ||||||
|                 if (uefiEnabled != null) { |                 if (uefiEnabled != null) { | ||||||
|                     _hostDao.loadDetails(host); |                     _hostDao.loadDetails(host); | ||||||
|                     if (!uefiEnabled.equals(host.getDetails().get(Host.HOST_UEFI_ENABLE))) { |                     if (!uefiEnabled.equals(host.getDetails().get(Host.HOST_UEFI_ENABLE))) { | ||||||
| @ -707,14 +778,14 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             // load the respective discoverer |             // load the respective discoverer | ||||||
|             final Discoverer discoverer = _resourceMgr.getMatchingDiscover(host.getHypervisorType()); |             final Discoverer discoverer = _resourceMgr.getMatchingDiscover(host.getHypervisorType()); | ||||||
|             if (discoverer == null) { |             if (discoverer == null) { | ||||||
|                 logger.info("Could not to find a Discoverer to load the resource: {} for hypervisor type: {}", host.getId(), host.getHypervisorType()); |                 logger.info("Could not to find a Discoverer to load the resource: {} for hypervisor type: {}", host, host.getHypervisorType()); | ||||||
|                 resource = loadResourcesWithoutHypervisor(host); |                 resource = loadResourcesWithoutHypervisor(host); | ||||||
|             } else { |             } else { | ||||||
|                 resource = discoverer.reloadResource(host); |                 resource = discoverer.reloadResource(host); | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             if (resource == null) { |             if (resource == null) { | ||||||
|                 logger.warn("Unable to load the resource: {}", host.getId()); |                 logger.warn("Unable to load the resource: {}", host); | ||||||
|                 return false; |                 return false; | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
| @ -734,14 +805,14 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|             return h == null ? false : true; |             return h == null ? false : true; | ||||||
|         } else { |         } else { | ||||||
|             _executor.execute(new SimulateStartTask(host.getId(), resource, host.getDetails())); |             _executor.execute(new SimulateStartTask(host.getId(), host.getUuid(), host.getName(), resource, host.getDetails())); | ||||||
|             return true; |             return true; | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected AgentAttache createAttacheForDirectConnect(final Host host, final ServerResource resource) throws ConnectionException { |     protected AgentAttache createAttacheForDirectConnect(final Host host, final ServerResource resource) throws ConnectionException { | ||||||
|         logger.debug("create DirectAgentAttache for {}", host.getId()); |         logger.debug("create DirectAgentAttache for {}", host); | ||||||
|         final DirectAgentAttache attache = new DirectAgentAttache(this, host.getId(), host.getName(), resource, host.isInMaintenanceStates()); |         final DirectAgentAttache attache = new DirectAgentAttache(this, host.getId(), host.getUuid(), host.getName(), resource, host.isInMaintenanceStates()); | ||||||
| 
 | 
 | ||||||
|         AgentAttache old = null; |         AgentAttache old = null; | ||||||
|         synchronized (_agents) { |         synchronized (_agents) { | ||||||
| @ -766,7 +837,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             for (final AgentAttache agent : _agents.values()) { |             for (final AgentAttache agent : _agents.values()) { | ||||||
|                 final HostVO host = _hostDao.findById(agent.getId()); |                 final HostVO host = _hostDao.findById(agent.getId()); | ||||||
|                 if (host == null) { |                 if (host == null) { | ||||||
|                     logger.debug("Cant not find host {}", agent.getId()); |                     logger.debug("Cannot find host {}", agent); | ||||||
|                 } else { |                 } else { | ||||||
|                     if (!agent.forForward()) { |                     if (!agent.forForward()) { | ||||||
|                         agentStatusTransitTo(host, Event.ManagementServerDown, _nodeId); |                         agentStatusTransitTo(host, Event.ManagementServerDown, _nodeId); | ||||||
| @ -784,17 +855,17 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         final Status currentStatus = host.getStatus(); |         final Status currentStatus = host.getStatus(); | ||||||
|         Status nextStatus; |         Status nextStatus; | ||||||
|         if (currentStatus == Status.Down || currentStatus == Status.Alert || currentStatus == Status.Removed) { |         if (currentStatus == Status.Down || currentStatus == Status.Alert || currentStatus == Status.Removed) { | ||||||
|             logger.debug("Host {} is already {}", host.getUuid(), currentStatus); |             logger.debug("Host {} is already {}", host, currentStatus); | ||||||
|             nextStatus = currentStatus; |             nextStatus = currentStatus; | ||||||
|         } else { |         } else { | ||||||
|             try { |             try { | ||||||
|                 nextStatus = currentStatus.getNextStatus(event); |                 nextStatus = currentStatus.getNextStatus(event); | ||||||
|             } catch (final NoTransitionException e) { |             } catch (final NoTransitionException e) { | ||||||
|                 final String err = String.format("Cannot find next status for %s as current status is %s for agent %s", event, currentStatus, host.getUuid()); |                 final String err = String.format("Cannot find next status for %s as current status is %s for agent %s", event, currentStatus, host); | ||||||
|                 logger.debug(err); |                 logger.debug(err); | ||||||
|                 throw new CloudRuntimeException(err); |                 throw new CloudRuntimeException(err); | ||||||
|             } |             } | ||||||
|             logger.debug("The next status of agent {} is {}, current status is {}", host.getUuid(), nextStatus, currentStatus); |             logger.debug("The next status of agent {} is {}, current status is {}", host, nextStatus, currentStatus); | ||||||
|         } |         } | ||||||
|         return nextStatus; |         return nextStatus; | ||||||
|     } |     } | ||||||
| @ -806,17 +877,18 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         GlobalLock joinLock = getHostJoinLock(hostId); |         GlobalLock joinLock = getHostJoinLock(hostId); | ||||||
|         if (joinLock.lock(60)) { |         if (joinLock.lock(60)) { | ||||||
|             try { |             try { | ||||||
|                 logger.info("Host {} is disconnecting with event {}", hostId, event); |                 logger.info("Host {} is disconnecting with event {}", | ||||||
|  |                         attache, event); | ||||||
|                 Status nextStatus = null; |                 Status nextStatus = null; | ||||||
|                 final HostVO host = _hostDao.findById(hostId); |                 final HostVO host = _hostDao.findById(hostId); | ||||||
|                 if (host == null) { |                 if (host == null) { | ||||||
|                     logger.warn("Can't find host with {}", hostId); |                     logger.warn("Can't find host with {} ({})", hostId, attache); | ||||||
|                     nextStatus = Status.Removed; |                     nextStatus = Status.Removed; | ||||||
|                 } else { |                 } else { | ||||||
|                     nextStatus = getNextStatusOnDisconnection(host, event); |                     nextStatus = getNextStatusOnDisconnection(host, event); | ||||||
|                     caService.purgeHostCertificate(host); |                     caService.purgeHostCertificate(host); | ||||||
|                 } |                 } | ||||||
|                 logger.debug("Deregistering link for {} with state {}", hostId, nextStatus); |                 logger.debug("Deregistering link for {} with state {}", attache, nextStatus); | ||||||
| 
 | 
 | ||||||
|                 removeAgent(attache, nextStatus); |                 removeAgent(attache, nextStatus); | ||||||
| 
 | 
 | ||||||
| @ -851,28 +923,30 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|             if (nextStatus == Status.Alert) { |             if (nextStatus == Status.Alert) { | ||||||
|                 /* OK, we are going to the bad status, let's see what happened */ |                 /* OK, we are going to the bad status, let's see what happened */ | ||||||
|                 logger.info("Investigating why host {} has disconnected with event", hostId, event); |                 logger.info("Investigating why host {} has disconnected with event", host, event); | ||||||
| 
 | 
 | ||||||
|                 Status determinedState = investigate(attache); |                 Status determinedState = investigate(attache); | ||||||
|                 // if state cannot be determined do nothing and bail out |                 // if state cannot be determined do nothing and bail out | ||||||
|                 if (determinedState == null) { |                 if (determinedState == null) { | ||||||
|                     if ((System.currentTimeMillis() >> 10) - host.getLastPinged() > AlertWait.value()) { |                     if ((System.currentTimeMillis() >> 10) - host.getLastPinged() > AlertWait.value()) { | ||||||
|                         logger.warn("Agent {} state cannot be determined for more than {}({}) seconds, will go to Alert state", hostId, AlertWait, AlertWait.value()); |                         logger.warn("Agent {} state cannot be determined for more than {} ({}) seconds, will go to Alert state", | ||||||
|  |                                 host, AlertWait, AlertWait.value()); | ||||||
|                         determinedState = Status.Alert; |                         determinedState = Status.Alert; | ||||||
|                     } else { |                     } else { | ||||||
|                         logger.warn("Agent {} state cannot be determined, do nothing", hostId); |                         logger.warn("Agent {} state cannot be determined, do nothing", host); | ||||||
|                         return false; |                         return false; | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 final Status currentStatus = host.getStatus(); |                 final Status currentStatus = host.getStatus(); | ||||||
|                 logger.info("The agent from host {} state determined is {}", hostId, determinedState); |                 logger.info("The agent from host {} state determined is {}", host, determinedState); | ||||||
| 
 | 
 | ||||||
|                 if (determinedState == Status.Down) { |                 if (determinedState == Status.Down) { | ||||||
|                     final String message = "Host is down: " + host.getId() + "-" + host.getName() + ". Starting HA on the VMs"; |                     final String message = String.format("Host %s is down. Starting HA on the VMs", host); | ||||||
|                     logger.error(message); |                     logger.error(message); | ||||||
|                     if (host.getType() != Host.Type.SecondaryStorage && host.getType() != Host.Type.ConsoleProxy) { |                     if (host.getType() != Host.Type.SecondaryStorage && host.getType() != Host.Type.ConsoleProxy) { | ||||||
|                         _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, host.getDataCenterId(), host.getPodId(), "Host down, " + host.getId(), message); |                         _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, host.getDataCenterId(), | ||||||
|  |                                 host.getPodId(), String.format("Host down, %s", host), message); | ||||||
|                     } |                     } | ||||||
|                     event = Status.Event.HostDown; |                     event = Status.Event.HostDown; | ||||||
|                 } else if (determinedState == Status.Up) { |                 } else if (determinedState == Status.Up) { | ||||||
| @ -881,21 +955,20 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                     agentStatusTransitTo(host, Status.Event.Ping, _nodeId); |                     agentStatusTransitTo(host, Status.Event.Ping, _nodeId); | ||||||
|                     return false; |                     return false; | ||||||
|                 } else if (determinedState == Status.Disconnected) { |                 } else if (determinedState == Status.Disconnected) { | ||||||
|                     logger.warn("Agent is disconnected but the host is still up: {}-{}", host.getId(), host.getName() + |                     logger.warn("Agent is disconnected but the host is still up: {} state: {}", host, host.getResourceState()); | ||||||
|                             '-' + host.getResourceState()); |  | ||||||
|                     if (currentStatus == Status.Disconnected || |                     if (currentStatus == Status.Disconnected || | ||||||
|                             (currentStatus == Status.Up && host.getResourceState() == ResourceState.PrepareForMaintenance)) { |                             (currentStatus == Status.Up && host.getResourceState() == ResourceState.PrepareForMaintenance)) { | ||||||
|                         if ((System.currentTimeMillis() >> 10) - host.getLastPinged() > AlertWait.value()) { |                         if ((System.currentTimeMillis() >> 10) - host.getLastPinged() > AlertWait.value()) { | ||||||
|                             logger.warn("Host {} has been disconnected past the wait time it should be disconnected.", host.getId()); |                             logger.warn("Host {} has been disconnected past the wait time it should be disconnected.", host); | ||||||
|                             event = Status.Event.WaitedTooLong; |                             event = Status.Event.WaitedTooLong; | ||||||
|                         } else { |                         } else { | ||||||
|                             logger.debug("Host {} has been determined to be disconnected but it hasn't passed the wait time yet.", host.getId()); |                             logger.debug("Host {} has been determined to be disconnected but it hasn't passed the wait time yet.", host); | ||||||
|                             return false; |                             return false; | ||||||
|                         } |                         } | ||||||
|                     } else if (currentStatus == Status.Up) { |                     } else if (currentStatus == Status.Up) { | ||||||
|                         final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); |                         final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); | ||||||
|                         final HostPodVO podVO = _podDao.findById(host.getPodId()); |                         final HostPodVO podVO = _podDao.findById(host.getPodId()); | ||||||
|                         final String hostDesc = "name: " + host.getName() + " (id:" + host.getId() + "), availability zone: " + dcVO.getName() + ", pod: " + podVO.getName(); |                         final String hostDesc = "name: " + host.getName() + " (id:" + host.getUuid() + "), availability zone: " + dcVO.getName() + ", pod: " + podVO.getName(); | ||||||
|                         if (host.getType() != Host.Type.SecondaryStorage && host.getType() != Host.Type.ConsoleProxy) { |                         if (host.getType() != Host.Type.SecondaryStorage && host.getType() != Host.Type.ConsoleProxy) { | ||||||
|                             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, host.getDataCenterId(), host.getPodId(), "Host disconnected, " + hostDesc, |                             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, host.getDataCenterId(), host.getPodId(), "Host disconnected, " + hostDesc, | ||||||
|                                     "If the agent for host [" + hostDesc + "] is not restarted within " + AlertWait + " seconds, host will go to Alert state"); |                                     "If the agent for host [" + hostDesc + "] is not restarted within " + AlertWait + " seconds, host will go to Alert state"); | ||||||
| @ -907,12 +980,14 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                     final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); |                     final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); | ||||||
|                     final HostPodVO podVO = _podDao.findById(host.getPodId()); |                     final HostPodVO podVO = _podDao.findById(host.getPodId()); | ||||||
|                     final String podName = podVO != null ? podVO.getName() : "NO POD"; |                     final String podName = podVO != null ? podVO.getName() : "NO POD"; | ||||||
|                     final String hostDesc = "name: " + host.getName() + " (id:" + host.getId() + "), availability zone: " + dcVO.getName() + ", pod: " + podName; |                     final String hostDesc = String.format("%s, availability zone: %s, pod: %s", host, dcVO, podName); | ||||||
|                     _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, host.getDataCenterId(), host.getPodId(), "Host in ALERT state, " + hostDesc, |                     _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, | ||||||
|                             "In availability zone " + host.getDataCenterId() + ", host is in alert state: " + host.getId() + "-" + host.getName()); |                             host.getDataCenterId(), host.getPodId(), | ||||||
|  |                             String.format("Host in ALERT state, %s", hostDesc), | ||||||
|  |                             String.format("In availability zone %s, host is in alert state: %s", dcVO, host)); | ||||||
|                 } |                 } | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("The next status of agent {} is not Alert, no need to investigate what happened", host.getId()); |                 logger.debug("The next status of agent {} is not Alert, no need to investigate what happened", host); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         handleDisconnectWithoutInvestigation(attache, event, true, true); |         handleDisconnectWithoutInvestigation(attache, event, true, true); | ||||||
| @ -958,7 +1033,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             } |             } | ||||||
|             final Status status = h.getStatus(); |             final Status status = h.getStatus(); | ||||||
|             if (!status.equals(Status.Up) && !status.equals(Status.Connecting)) { |             if (!status.equals(Status.Up) && !status.equals(Status.Connecting)) { | ||||||
|                 logger.debug("Can not send command {} due to Host {} not being up", cmd, hostId); |                 logger.debug("Can not send command {} due to Host {} not being up", cmd, h); | ||||||
|                 return null; |                 return null; | ||||||
|             } |             } | ||||||
|             final Answer answer = send(hostId, cmd); |             final Answer answer = send(hostId, cmd); | ||||||
| @ -988,6 +1063,11 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     @Override |     @Override | ||||||
|     public Answer[] send(final Long hostId, final Commands cmds) throws AgentUnavailableException, OperationTimedoutException { |     public Answer[] send(final Long hostId, final Commands cmds) throws AgentUnavailableException, OperationTimedoutException { | ||||||
|         int wait = 0; |         int wait = 0; | ||||||
|  |         if (cmds.size() > 1) { | ||||||
|  |             logger.debug(String.format("Checking the wait time in seconds to be used for the following commands : %s. If there are multiple commands sent at once," + | ||||||
|  |                     "then max wait time of those will be used", cmds)); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|         for (final Command cmd : cmds) { |         for (final Command cmd : cmds) { | ||||||
|             if (cmd.getWait() > wait) { |             if (cmd.getWait() > wait) { | ||||||
|                 wait = cmd.getWait(); |                 wait = cmd.getWait(); | ||||||
| @ -1004,21 +1084,26 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (host.getRemoved() != null) { |         if (host.getRemoved() != null) { | ||||||
|             throw new CloudRuntimeException("Host has already been removed: " + hostId); |             throw new CloudRuntimeException(String.format( | ||||||
|  |                     "Host has already been removed: %s", host)); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (host.getStatus() == Status.Disconnected) { |         if (host.getStatus() == Status.Disconnected) { | ||||||
|             logger.debug("Host is already disconnected, no work to be done: {}", hostId); |             logger.debug("Host is already disconnected, no work to be done: {}", host); | ||||||
|             return; |             return; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (host.getStatus() != Status.Up && host.getStatus() != Status.Alert && host.getStatus() != Status.Rebalancing) { |         if (host.getStatus() != Status.Up && host.getStatus() != Status.Alert && host.getStatus() != Status.Rebalancing) { | ||||||
|             throw new CloudRuntimeException("Unable to disconnect host because it is not in the correct state: host=" + hostId + "; Status=" + host.getStatus()); |             throw new CloudRuntimeException(String.format( | ||||||
|  |                     "Unable to disconnect host because it is not in the correct state: host=%s; Status=%s", | ||||||
|  |                     host, host.getStatus())); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         AgentAttache attache = findAttache(hostId); |         AgentAttache attache = findAttache(hostId); | ||||||
|         if (attache == null) { |         if (attache == null) { | ||||||
|             throw new CloudRuntimeException("Unable to disconnect host because it is not connected to this server: " + hostId); |             throw new CloudRuntimeException(String.format( | ||||||
|  |                     "Unable to disconnect host because it is not connected to this server: %s", | ||||||
|  |                     host)); | ||||||
|         } |         } | ||||||
|         disconnectWithoutInvestigation(attache, Event.ShutdownRequested); |         disconnectWithoutInvestigation(attache, Event.ShutdownRequested); | ||||||
|     } |     } | ||||||
| @ -1043,9 +1128,9 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
| 
 | 
 | ||||||
|     public boolean executeUserRequest(final long hostId, final Event event) throws AgentUnavailableException { |     public boolean executeUserRequest(final long hostId, final Event event) throws AgentUnavailableException { | ||||||
|         if (event == Event.AgentDisconnected) { |         if (event == Event.AgentDisconnected) { | ||||||
|             logger.debug("Received agent disconnect event for host {}", hostId); |  | ||||||
|             AgentAttache attache = null; |             AgentAttache attache = null; | ||||||
|             attache = findAttache(hostId); |             attache = findAttache(hostId); | ||||||
|  |             logger.debug("Received agent disconnect event for host {} ({})", hostId, attache); | ||||||
|             if (attache != null) { |             if (attache != null) { | ||||||
|                 handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); |                 handleDisconnectWithoutInvestigation(attache, Event.AgentDisconnected, true, true); | ||||||
|             } |             } | ||||||
| @ -1055,7 +1140,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             try { |             try { | ||||||
|                 reconnect(hostId); |                 reconnect(hostId); | ||||||
|             } catch (CloudRuntimeException e) { |             } catch (CloudRuntimeException e) { | ||||||
|                 logger.debug("Error on shutdown request for hostID: {}", hostId, e); |                 logger.debug("Error on shutdown request for hostID: {} ({})", hostId, findAttache(hostId), e); | ||||||
|                 return false; |                 return false; | ||||||
|             } |             } | ||||||
|             return true; |             return true; | ||||||
| @ -1070,8 +1155,8 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected AgentAttache createAttacheForConnect(final HostVO host, final Link link) throws ConnectionException { |     protected AgentAttache createAttacheForConnect(final HostVO host, final Link link) throws ConnectionException { | ||||||
|         logger.debug("create ConnectedAgentAttache for {}", host.getId()); |         logger.debug("create ConnectedAgentAttache for {}", host); | ||||||
|         final AgentAttache attache = new ConnectedAgentAttache(this, host.getId(), host.getName(), link, host.isInMaintenanceStates()); |         final AgentAttache attache = new ConnectedAgentAttache(this, host.getId(), host.getUuid(), host.getName(), link, host.isInMaintenanceStates()); | ||||||
|         link.attach(attache); |         link.attach(attache); | ||||||
| 
 | 
 | ||||||
|         AgentAttache old = null; |         AgentAttache old = null; | ||||||
| @ -1118,7 +1203,8 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                 joinLock.unlock(); |                 joinLock.unlock(); | ||||||
|             } |             } | ||||||
|         } else { |         } else { | ||||||
|             throw new ConnectionException(true, "Unable to acquire lock on host " + host.getUuid()); |             throw new ConnectionException(true, | ||||||
|  |                     String.format("Unable to acquire lock on host %s", host)); | ||||||
|         } |         } | ||||||
|         joinLock.releaseRef(); |         joinLock.releaseRef(); | ||||||
|         return attache; |         return attache; | ||||||
| @ -1131,7 +1217,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             final HostVO host = _resourceMgr.createHostVOForConnectedAgent(startup); |             final HostVO host = _resourceMgr.createHostVOForConnectedAgent(startup); | ||||||
|             if (host != null) { |             if (host != null) { | ||||||
|                 checkHostArchOnCluster(host); |                 checkHostArchOnCluster(host); | ||||||
|                 ready = new ReadyCommand(host.getDataCenterId(), host.getId(), NumbersUtil.enableHumanReadableSizes); |                 ready = new ReadyCommand(host, NumbersUtil.enableHumanReadableSizes); | ||||||
|                 attache = sendReadyAndGetAttache(host, ready, link, startup); |                 attache = sendReadyAndGetAttache(host, ready, link, startup); | ||||||
|             } |             } | ||||||
|         } catch (final Exception e) { |         } catch (final Exception e) { | ||||||
| @ -1171,8 +1257,10 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         ServerResource resource; |         ServerResource resource; | ||||||
|         Map<String, String> details; |         Map<String, String> details; | ||||||
|         long id; |         long id; | ||||||
|  |         String uuid; | ||||||
|  |         String name; | ||||||
| 
 | 
 | ||||||
|         public SimulateStartTask(final long id, final ServerResource resource, final Map<String, String> details) { |         public SimulateStartTask(final long id, String uuid, String name, final ServerResource resource, final Map<String, String> details) { | ||||||
|             this.id = id; |             this.id = id; | ||||||
|             this.resource = resource; |             this.resource = resource; | ||||||
|             this.details = details; |             this.details = details; | ||||||
| @ -1181,26 +1269,26 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         @Override |         @Override | ||||||
|         protected void runInContext() { |         protected void runInContext() { | ||||||
|             try { |             try { | ||||||
|                 logger.debug("Simulating start for resource {} id {}", resource.getName(), id); |                 logger.debug("Simulating start for resource {} (id: {}, uuid: {}, name {})", resource.getName(), id, uuid, name); | ||||||
| 
 | 
 | ||||||
|                 if (tapLoadingAgents(id, TapAgentsAction.Add)) { |                 if (tapLoadingAgents(id, TapAgentsAction.Add)) { | ||||||
|                     try { |                     try { | ||||||
|                         final AgentAttache agentattache = findAttache(id); |                         final AgentAttache agentattache = findAttache(id); | ||||||
|                         if (agentattache == null) { |                         if (agentattache == null) { | ||||||
|                             logger.debug("Creating agent for host {}", id); |                             logger.debug("Creating agent for host [id: {}, uuid: {}, name: {}]", id, uuid, name); | ||||||
|                             _resourceMgr.createHostAndAgent(id, resource, details, false, null, false); |                             _resourceMgr.createHostAndAgent(id, resource, details, false, null, false); | ||||||
|                             logger.debug("Completed creating agent for host {}", id); |                             logger.debug("Completed creating agent for host [id: {}, uuid: {}, name: {}", id, uuid, name); | ||||||
|                         } else { |                         } else { | ||||||
|                             logger.debug("Agent already created in another thread for host {}, ignore this", id); |                             logger.debug("Agent already created in another thread for host [id: {}, uuid: {}, name: {}], ignore this", id, uuid, name); | ||||||
|                         } |                         } | ||||||
|                     } finally { |                     } finally { | ||||||
|                         tapLoadingAgents(id, TapAgentsAction.Del); |                         tapLoadingAgents(id, TapAgentsAction.Del); | ||||||
|                     } |                     } | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.debug("Agent creation already getting processed in another thread for host {}, ignore this", id); |                     logger.debug("Agent creation already getting processed in another thread for host [id: {}, uuid: {}, name: {}], ignore this", id, uuid, name); | ||||||
|                 } |                 } | ||||||
|             } catch (final Exception e) { |             } catch (final Exception e) { | ||||||
|                 logger.warn("Unable to simulate start on resource {} name {}", id, resource.getName(), e); |                 logger.warn("Unable to simulate start on resource [id: {}, uuid: {}, name: {}] name {}", id, uuid, name, resource.getName(), e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -1240,7 +1328,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             cmd = cmds[i]; |             cmd = cmds[i]; | ||||||
|             if (cmd instanceof StartupRoutingCommand || cmd instanceof StartupProxyCommand || cmd instanceof StartupSecondaryStorageCommand || |             if (cmd instanceof StartupRoutingCommand || cmd instanceof StartupProxyCommand || cmd instanceof StartupSecondaryStorageCommand || | ||||||
|                     cmd instanceof StartupStorageCommand) { |                     cmd instanceof StartupStorageCommand) { | ||||||
|                 answers[i] = new StartupAnswer((StartupCommand) cmds[i], 0, mgmtServiceConf.getPingInterval()); |                 answers[i] = new StartupAnswer((StartupCommand) cmds[i], 0, "", "", mgmtServiceConf.getPingInterval()); | ||||||
|                 break; |                 break; | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| @ -1270,7 +1358,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             } |             } | ||||||
|             if (!BooleanUtils.toBoolean(EnableKVMAutoEnableDisable.valueIn(host.getClusterId()))) { |             if (!BooleanUtils.toBoolean(EnableKVMAutoEnableDisable.valueIn(host.getClusterId()))) { | ||||||
|                 logger.debug("{} is disabled for the cluster {}, cannot process the health check result " + |                 logger.debug("{} is disabled for the cluster {}, cannot process the health check result " + | ||||||
|                         "received for the host {}", EnableKVMAutoEnableDisable.key(), host.getClusterId(), host.getName()); |                         "received for the host {}", EnableKVMAutoEnableDisable.key(), host.getClusterId(), host); | ||||||
|                 return; |                 return; | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
| @ -1280,10 +1368,10 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                 logger.info("Host health check {}, auto {} KVM host: {}", |                 logger.info("Host health check {}, auto {} KVM host: {}", | ||||||
|                         hostHealthCheckResult ? "succeeds" : "fails", |                         hostHealthCheckResult ? "succeeds" : "fails", | ||||||
|                         hostHealthCheckResult ? "enabling" : "disabling", |                         hostHealthCheckResult ? "enabling" : "disabling", | ||||||
|                         host.getName()); |                         host); | ||||||
|                 _resourceMgr.autoUpdateHostAllocationState(hostId, resourceEvent); |                 _resourceMgr.autoUpdateHostAllocationState(hostId, resourceEvent); | ||||||
|             } catch (NoTransitionException e) { |             } catch (NoTransitionException e) { | ||||||
|                 logger.error("Cannot Auto {} host: {}", resourceEvent, host.getName(), e); |                 logger.error("Cannot Auto {} host: {}", resourceEvent, host, e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1330,11 +1418,11 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             if (logger.isDebugEnabled()) { |             if (logger.isDebugEnabled()) { | ||||||
|                 if (cmd instanceof PingRoutingCommand) { |                 if (cmd instanceof PingRoutingCommand) { | ||||||
|                     logD = false; |                     logD = false; | ||||||
|                     logger.debug("Ping from Routing host {}({})", hostId, hostName); |                     logger.debug("Ping from Routing host {}", attache); | ||||||
|                     logger.trace("SeqA {}-{}: Processing {}", hostId, request.getSequence(), request); |                     logger.trace("SeqA {}-{}: Processing {}", hostId, request.getSequence(), request); | ||||||
|                 } else if (cmd instanceof PingCommand) { |                 } else if (cmd instanceof PingCommand) { | ||||||
|                     logD = false; |                     logD = false; | ||||||
|                     logger.debug("Ping from {}({})", hostId, hostName); |                     logger.debug("Ping from {}", attache); | ||||||
|                     logger.trace("SeqA {}-{}: Processing {}", hostId, request.getSequence(), request); |                     logger.trace("SeqA {}-{}: Processing {}", hostId, request.getSequence(), request); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.debug("SeqA {}-{}: {}", hostId, request.getSequence(), request); |                     logger.debug("SeqA {}-{}: {}", hostId, request.getSequence(), request); | ||||||
| @ -1349,20 +1437,20 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                     if (cmd instanceof StartupRoutingCommand) { |                     if (cmd instanceof StartupRoutingCommand) { | ||||||
|                         final StartupRoutingCommand startup = (StartupRoutingCommand) cmd; |                         final StartupRoutingCommand startup = (StartupRoutingCommand) cmd; | ||||||
|                         processStartupRoutingCommand(startup, hostId); |                         processStartupRoutingCommand(startup, hostId); | ||||||
|                         answer = new StartupAnswer(startup, attache.getId(), mgmtServiceConf.getPingInterval()); |                         answer = new StartupAnswer(startup, attache.getId(), attache.getUuid(), attache.getName(), mgmtServiceConf.getPingInterval()); | ||||||
|                     } else if (cmd instanceof StartupProxyCommand) { |                     } else if (cmd instanceof StartupProxyCommand) { | ||||||
|                         final StartupProxyCommand startup = (StartupProxyCommand) cmd; |                         final StartupProxyCommand startup = (StartupProxyCommand) cmd; | ||||||
|                         answer = new StartupAnswer(startup, attache.getId(), mgmtServiceConf.getPingInterval()); |                         answer = new StartupAnswer(startup, attache.getId(), attache.getUuid(), attache.getName(), mgmtServiceConf.getPingInterval()); | ||||||
|                     } else if (cmd instanceof StartupSecondaryStorageCommand) { |                     } else if (cmd instanceof StartupSecondaryStorageCommand) { | ||||||
|                         final StartupSecondaryStorageCommand startup = (StartupSecondaryStorageCommand) cmd; |                         final StartupSecondaryStorageCommand startup = (StartupSecondaryStorageCommand) cmd; | ||||||
|                         answer = new StartupAnswer(startup, attache.getId(), mgmtServiceConf.getPingInterval()); |                         answer = new StartupAnswer(startup, attache.getId(), attache.getUuid(), attache.getName(), mgmtServiceConf.getPingInterval()); | ||||||
|                     } else if (cmd instanceof StartupStorageCommand) { |                     } else if (cmd instanceof StartupStorageCommand) { | ||||||
|                         final StartupStorageCommand startup = (StartupStorageCommand) cmd; |                         final StartupStorageCommand startup = (StartupStorageCommand) cmd; | ||||||
|                         answer = new StartupAnswer(startup, attache.getId(), mgmtServiceConf.getPingInterval()); |                         answer = new StartupAnswer(startup, attache.getId(), attache.getUuid(), attache.getName(), mgmtServiceConf.getPingInterval()); | ||||||
|                     } else if (cmd instanceof ShutdownCommand) { |                     } else if (cmd instanceof ShutdownCommand) { | ||||||
|                         final ShutdownCommand shutdown = (ShutdownCommand)cmd; |                         final ShutdownCommand shutdown = (ShutdownCommand)cmd; | ||||||
|                         final String reason = shutdown.getReason(); |                         final String reason = shutdown.getReason(); | ||||||
|                         logger.info("Host {} has informed us that it is shutting down with reason {} and detail {}", attache.getId(), reason, shutdown.getDetail()); |                         logger.info("Host {} has informed us that it is shutting down with reason {} and detail {}", attache, reason, shutdown.getDetail()); | ||||||
|                         if (reason.equals(ShutdownCommand.Update)) { |                         if (reason.equals(ShutdownCommand.Update)) { | ||||||
|                             // disconnectWithoutInvestigation(attache, Event.UpdateNeeded); |                             // disconnectWithoutInvestigation(attache, Event.UpdateNeeded); | ||||||
|                             throw new CloudRuntimeException("Agent update not implemented"); |                             throw new CloudRuntimeException("Agent update not implemented"); | ||||||
| @ -1392,7 +1480,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                                         // gateway (cannot ping the default route) |                                         // gateway (cannot ping the default route) | ||||||
|                                         final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); |                                         final DataCenterVO dcVO = _dcDao.findById(host.getDataCenterId()); | ||||||
|                                         final HostPodVO podVO = _podDao.findById(host.getPodId()); |                                         final HostPodVO podVO = _podDao.findById(host.getPodId()); | ||||||
|                                         final String hostDesc = "name: " + host.getName() + " (id:" + host.getId() + "), availability zone: " + dcVO.getName() + ", pod: " + podVO.getName(); |                                         final String hostDesc = String.format("%s, availability zone: %s, pod: %s", host, dcVO, podVO); | ||||||
| 
 | 
 | ||||||
|                                         _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_ROUTING, host.getDataCenterId(), host.getPodId(), "Host lost connection to gateway, " + hostDesc, |                                         _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_ROUTING, host.getDataCenterId(), host.getPodId(), "Host lost connection to gateway, " + hostDesc, | ||||||
|                                                 "Host [" + hostDesc + "] lost connection to gateway (default route) and is possibly having network connection issues."); |                                                 "Host [" + hostDesc + "] lost connection to gateway (default route) and is possibly having network connection issues."); | ||||||
| @ -1410,7 +1498,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                         } else if (cmd instanceof ReadyAnswer) { |                         } else if (cmd instanceof ReadyAnswer) { | ||||||
|                             final HostVO host = _hostDao.findById(attache.getId()); |                             final HostVO host = _hostDao.findById(attache.getId()); | ||||||
|                             if (host == null) { |                             if (host == null) { | ||||||
|                                 logger.debug("Cant not find host {}", attache.getId()); |                                 logger.debug("Cant not find host with id: {} ({})", attache.getId(), attache); | ||||||
|                             } |                             } | ||||||
|                             answer = new Answer(cmd); |                             answer = new Answer(cmd); | ||||||
|                         } else { |                         } else { | ||||||
| @ -1442,7 +1530,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             if (attache == null) { |             if (attache == null) { | ||||||
|                 logger.warn("Unable to process: {}", response); |                 logger.warn("Unable to process: {}", response); | ||||||
|             } else if (!attache.processAnswers(response.getSequence(), response)) { |             } else if (!attache.processAnswers(response.getSequence(), response)) { | ||||||
|                 logger.info("Host {} - Seq {}: Response is not processed: {}", attache.getId(), response.getSequence(), response); |                 logger.info("Host {} - Seq {}: Response is not processed: {}", attache, response.getSequence(), response); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1512,14 +1600,16 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     public boolean agentStatusTransitTo(final HostVO host, final Status.Event e, final long msId) { |     public boolean agentStatusTransitTo(final HostVO host, final Status.Event e, final long msId) { | ||||||
|         try { |         try { | ||||||
|             _agentStatusLock.lock(); |             _agentStatusLock.lock(); | ||||||
|             logger.debug("[Resource state = {}, Agent event = , Host id = {}, name = {}]", host.getResourceState(), e.toString(), host.getId(), host.getName()); |             logger.debug("[Resource state = {}, Agent event = , Host = {}]", | ||||||
|  |                     host.getResourceState(), e.toString(), host); | ||||||
| 
 | 
 | ||||||
|             host.setManagementServerId(msId); |             host.setManagementServerId(msId); | ||||||
|             try { |             try { | ||||||
|                 return _statusStateMachine.transitTo(host, e, host.getId(), _hostDao); |                 return _statusStateMachine.transitTo(host, e, host.getId(), _hostDao); | ||||||
|             } catch (final NoTransitionException e1) { |             } catch (final NoTransitionException e1) { | ||||||
|                 logger.debug("Cannot transit agent status with event {} for host {}, name={}, management server id is {}", e, host.getId(), host.getName(), msId); |                 logger.debug("Cannot transit agent status with event {} for host {}, management server id is {}", e, host, msId); | ||||||
|                 throw new CloudRuntimeException("Cannot transit agent status with event " + e + " for host " + host.getId() + ", management server id is " + msId + "," + e1.getMessage()); |                 throw new CloudRuntimeException(String.format( | ||||||
|  |                         "Cannot transit agent status with event %s for host %s, management server id is %d, %s", e, host, msId, e1.getMessage())); | ||||||
|             } |             } | ||||||
|         } finally { |         } finally { | ||||||
|             _agentStatusLock.unlock(); |             _agentStatusLock.unlock(); | ||||||
| @ -1600,7 +1690,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|         attache = createAttacheForDirectConnect(host, resource); |         attache = createAttacheForDirectConnect(host, resource); | ||||||
|         final StartupAnswer[] answers = new StartupAnswer[cmds.length]; |         final StartupAnswer[] answers = new StartupAnswer[cmds.length]; | ||||||
|         for (int i = 0; i < answers.length; i++) { |         for (int i = 0; i < answers.length; i++) { | ||||||
|             answers[i] = new StartupAnswer(cmds[i], attache.getId(), mgmtServiceConf.getPingInterval()); |             answers[i] = new StartupAnswer(cmds[i], attache.getId(), attache.getUuid(), attache.getName(), mgmtServiceConf.getPingInterval()); | ||||||
|         } |         } | ||||||
|         attache.process(answers); |         attache.process(answers); | ||||||
| 
 | 
 | ||||||
| @ -1650,7 +1740,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     public void pingBy(final long agentId) { |     public void pingBy(final long agentId) { | ||||||
|         // Update PingMap with the latest time if agent entry exists in the PingMap |         // Update PingMap with the latest time if agent entry exists in the PingMap | ||||||
|         if (_pingMap.replace(agentId, InaccurateClock.getTimeInSeconds()) == null) { |         if (_pingMap.replace(agentId, InaccurateClock.getTimeInSeconds()) == null) { | ||||||
|             logger.info("PingMap for agent: " + agentId + " will not be updated because agent is no longer in the PingMap"); |             logger.info("PingMap for agent: {} ({}) will not be updated because agent is no longer in the PingMap", agentId, findAttache(agentId)); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -1671,17 +1761,17 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                             /* |                             /* | ||||||
|                              * Host is in non-operation state, so no investigation and direct put agent to Disconnected |                              * Host is in non-operation state, so no investigation and direct put agent to Disconnected | ||||||
|                              */ |                              */ | ||||||
|                             logger.debug("Ping timeout but agent {} is in resource state of {}, so no investigation", agentId, resourceState); |                             logger.debug("Ping timeout but agent {} is in resource state of {}, so no investigation", h, resourceState); | ||||||
|                             disconnectWithoutInvestigation(agentId, Event.ShutdownRequested); |                             disconnectWithoutInvestigation(agentId, Event.ShutdownRequested); | ||||||
|                         } else { |                         } else { | ||||||
|                             final HostVO host = _hostDao.findById(agentId); |                             final HostVO host = _hostDao.findById(agentId); | ||||||
|                             if (host != null |                             if (host != null | ||||||
|                                     && (host.getType() == Host.Type.ConsoleProxy || host.getType() == Host.Type.SecondaryStorageVM || host.getType() == Host.Type.SecondaryStorageCmdExecutor)) { |                                     && (host.getType() == Host.Type.ConsoleProxy || host.getType() == Host.Type.SecondaryStorageVM || host.getType() == Host.Type.SecondaryStorageCmdExecutor)) { | ||||||
| 
 | 
 | ||||||
|                                 logger.warn("Disconnect agent for CPVM/SSVM due to physical connection close. host: {}", host.getId()); |                                 logger.warn("Disconnect agent for CPVM/SSVM due to physical connection close. host: {}", host); | ||||||
|                                 disconnectWithoutInvestigation(agentId, Event.ShutdownRequested); |                                 disconnectWithoutInvestigation(agentId, Event.ShutdownRequested); | ||||||
|                             } else { |                             } else { | ||||||
|                                 logger.debug("Ping timeout for agent {}, do investigation", agentId); |                                 logger.debug("Ping timeout for agent {}, do investigation", h); | ||||||
|                                 disconnectWithInvestigation(agentId, Event.PingTimeout); |                                 disconnectWithInvestigation(agentId, Event.PingTimeout); | ||||||
|                             } |                             } | ||||||
|                         } |                         } | ||||||
| @ -1802,7 +1892,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|     @Override |     @Override | ||||||
|     public ConfigKey<?>[] getConfigKeys() { |     public ConfigKey<?>[] getConfigKeys() { | ||||||
|         return new ConfigKey<?>[] { CheckTxnBeforeSending, Workers, Port, Wait, AlertWait, DirectAgentLoadSize, |         return new ConfigKey<?>[] { CheckTxnBeforeSending, Workers, Port, Wait, AlertWait, DirectAgentLoadSize, | ||||||
|                 DirectAgentPoolSize, DirectAgentThreadCap, EnableKVMAutoEnableDisable, ReadyCommandWait }; |                 DirectAgentPoolSize, DirectAgentThreadCap, EnableKVMAutoEnableDisable, ReadyCommandWait, GranularWaitTimeForCommands }; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected class SetHostParamsListener implements Listener { |     protected class SetHostParamsListener implements Listener { | ||||||
| @ -1844,7 +1934,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|                         Commands c = new Commands(cmds); |                         Commands c = new Commands(cmds); | ||||||
|                         send(host.getId(), c, this); |                         send(host.getId(), c, this); | ||||||
|                     } catch (AgentUnavailableException e) { |                     } catch (AgentUnavailableException e) { | ||||||
|                         logger.debug("Failed to send host params on host: " + host.getId()); |                         logger.debug("Failed to send host params on host: {}", host); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -1903,7 +1993,7 @@ public class AgentManagerImpl extends ManagerBase implements AgentManager, Handl | |||||||
|             for (Long hostId : hostIds) { |             for (Long hostId : hostIds) { | ||||||
|                 Answer answer = easySend(hostId, cmds); |                 Answer answer = easySend(hostId, cmds); | ||||||
|                 if (answer == null || !answer.getResult()) { |                 if (answer == null || !answer.getResult()) { | ||||||
|                     logger.error("Error sending parameters to agent {}", hostId); |                     logger.error("Error sending parameters to agent {} ({})", hostId, findAttache(hostId)); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|  | |||||||
| @ -44,14 +44,14 @@ public class ClusteredAgentAttache extends ConnectedAgentAttache implements Rout | |||||||
|         s_clusteredAgentMgr = agentMgr; |         s_clusteredAgentMgr = agentMgr; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public ClusteredAgentAttache(final AgentManagerImpl agentMgr, final long id, final String name) { |     public ClusteredAgentAttache(final AgentManagerImpl agentMgr, final long id, final String uuid, final String name) { | ||||||
|         super(agentMgr, id, name, null, false); |         super(agentMgr, id, uuid, name, null, false); | ||||||
|         _forward = true; |         _forward = true; | ||||||
|         _transferRequests = new LinkedList<Request>(); |         _transferRequests = new LinkedList<Request>(); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public ClusteredAgentAttache(final AgentManagerImpl agentMgr, final long id, final String name, final Link link, final boolean maintenance) { |     public ClusteredAgentAttache(final AgentManagerImpl agentMgr, final long id, final String uuid, final String name, final Link link, final boolean maintenance) { | ||||||
|         super(agentMgr, id, name, link, maintenance); |         super(agentMgr, id, uuid, name, link, maintenance); | ||||||
|         _forward = link == null; |         _forward = link == null; | ||||||
|         _transferRequests = new LinkedList<Request>(); |         _transferRequests = new LinkedList<Request>(); | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -216,10 +216,11 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                             } |                             } | ||||||
|                         } |                         } | ||||||
| 
 | 
 | ||||||
|                         logger.debug("Loading directly connected host {}({})", host.getId(), host.getName()); |                         logger.debug("Loading directly connected host {}", host); | ||||||
|                         loadDirectlyConnectedHost(host, false); |                         loadDirectlyConnectedHost(host, false); | ||||||
|                     } catch (final Throwable e) { |                     } catch (final Throwable e) { | ||||||
|                         logger.warn(" can not load directly connected host {}({}) due to ", host.getId(), host.getName(), e); |                         logger.warn(" can not load directly connected host {}({}) due to ", | ||||||
|  |                                 host, e); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -243,10 +244,10 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|         return new ClusteredAgentHandler(type, link, data); |         return new ClusteredAgentHandler(type, link, data); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected AgentAttache createAttache(final long id) { |     protected AgentAttache createAttache(final HostVO host) { | ||||||
|         logger.debug("create forwarding ClusteredAgentAttache for {}", id); |         logger.debug("create forwarding ClusteredAgentAttache for {}", host); | ||||||
|         final HostVO host = _hostDao.findById(id); |         long id = host.getId(); | ||||||
|         final AgentAttache attache = new ClusteredAgentAttache(this, id, host.getName()); |         final AgentAttache attache = new ClusteredAgentAttache(this, id, host.getUuid(), host.getName()); | ||||||
|         AgentAttache old = null; |         AgentAttache old = null; | ||||||
|         synchronized (_agents) { |         synchronized (_agents) { | ||||||
|             old = _agents.get(id); |             old = _agents.get(id); | ||||||
| @ -261,8 +262,8 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     protected AgentAttache createAttacheForConnect(final HostVO host, final Link link) { |     protected AgentAttache createAttacheForConnect(final HostVO host, final Link link) { | ||||||
|         logger.debug("create ClusteredAgentAttache for {}",  host.getId()); |         logger.debug("create ClusteredAgentAttache for {}",  host); | ||||||
|         final AgentAttache attache = new ClusteredAgentAttache(this, host.getId(), host.getName(), link, host.isInMaintenanceStates()); |         final AgentAttache attache = new ClusteredAgentAttache(this, host.getId(), host.getUuid(), host.getName(), link, host.isInMaintenanceStates()); | ||||||
|         link.attach(attache); |         link.attach(attache); | ||||||
|         AgentAttache old = null; |         AgentAttache old = null; | ||||||
|         synchronized (_agents) { |         synchronized (_agents) { | ||||||
| @ -278,7 +279,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|     @Override |     @Override | ||||||
|     protected AgentAttache createAttacheForDirectConnect(final Host host, final ServerResource resource) { |     protected AgentAttache createAttacheForDirectConnect(final Host host, final ServerResource resource) { | ||||||
|         logger.debug("Create ClusteredDirectAgentAttache for {}.", host); |         logger.debug("Create ClusteredDirectAgentAttache for {}.", host); | ||||||
|         final DirectAgentAttache attache = new ClusteredDirectAgentAttache(this, host.getId(), host.getName(), _nodeId, resource, host.isInMaintenanceStates()); |         final DirectAgentAttache attache = new ClusteredDirectAgentAttache(this, host.getId(), host.getUuid(), host.getName(), _nodeId, resource, host.isInMaintenanceStates()); | ||||||
|         AgentAttache old = null; |         AgentAttache old = null; | ||||||
|         synchronized (_agents) { |         synchronized (_agents) { | ||||||
|             old = _agents.get(host.getId()); |             old = _agents.get(host.getId()); | ||||||
| @ -321,15 +322,17 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|     @Override |     @Override | ||||||
|     public boolean executeUserRequest(final long hostId, final Event event) throws AgentUnavailableException { |     public boolean executeUserRequest(final long hostId, final Event event) throws AgentUnavailableException { | ||||||
|         if (event == Event.AgentDisconnected) { |         if (event == Event.AgentDisconnected) { | ||||||
|             logger.debug("Received agent disconnect event for host {}",  hostId); |  | ||||||
|             final AgentAttache attache = findAttache(hostId); |             final AgentAttache attache = findAttache(hostId); | ||||||
|  |             logger.debug("Received agent disconnect event for host {} ({})",  hostId, attache); | ||||||
|             if (attache != null) { |             if (attache != null) { | ||||||
|                 // don't process disconnect if the host is being rebalanced |                 // don't process disconnect if the host is being rebalanced | ||||||
|                 if (isAgentRebalanceEnabled()) { |                 if (isAgentRebalanceEnabled()) { | ||||||
|                     final HostTransferMapVO transferVO = _hostTransferDao.findById(hostId); |                     final HostTransferMapVO transferVO = _hostTransferDao.findById(hostId); | ||||||
|                     if (transferVO != null) { |                     if (transferVO != null) { | ||||||
|                         if (transferVO.getFutureOwner() == _nodeId && transferVO.getState() == HostTransferState.TransferStarted) { |                         if (transferVO.getFutureOwner() == _nodeId && transferVO.getState() == HostTransferState.TransferStarted) { | ||||||
|                             logger.debug("Not processing {} event for the host id={} as the host is being connected to {}",Event.AgentDisconnected, hostId, _nodeId); |                             logger.debug( | ||||||
|  |                                     "Not processing {} event for the host [id: {}, uuid: {}, name: {}] as the host is being connected to {}", | ||||||
|  |                                     Event.AgentDisconnected, hostId, attache.getUuid(), attache.getName(), _nodeId); | ||||||
|                             return true; |                             return true; | ||||||
|                         } |                         } | ||||||
|                     } |                     } | ||||||
| @ -338,7 +341,9 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                 // don't process disconnect if the disconnect came for the host via delayed cluster notification, |                 // don't process disconnect if the disconnect came for the host via delayed cluster notification, | ||||||
|                 // but the host has already reconnected to the current management server |                 // but the host has already reconnected to the current management server | ||||||
|                 if (!attache.forForward()) { |                 if (!attache.forForward()) { | ||||||
|                     logger.debug("Not processing {} event for the host id={} as the host is directly connected to the current management server {}", Event.AgentDisconnected, hostId, _nodeId); |                     logger.debug( | ||||||
|  |                             "Not processing {} event for the host [id: {}, uuid: {}, name: {}] as the host is directly connected to the current management server {}", | ||||||
|  |                             Event.AgentDisconnected, hostId, attache.getUuid(), attache.getName(), _nodeId); | ||||||
|                     return true; |                     return true; | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
| @ -545,8 +550,8 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|         AgentAttache agent = findAttache(hostId); |         AgentAttache agent = findAttache(hostId); | ||||||
|         if (agent == null || !agent.forForward()) { |         if (agent == null || !agent.forForward()) { | ||||||
|             if (isHostOwnerSwitched(host)) { |             if (isHostOwnerSwitched(host)) { | ||||||
|                 logger.debug("Host {} has switched to another management server, need to update agent map with a forwarding agent attache",  hostId); |                 logger.debug("Host {} has switched to another management server, need to update agent map with a forwarding agent attache",  host); | ||||||
|                 agent = createAttache(hostId); |                 agent = createAttache(host); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         if (agent == null) { |         if (agent == null) { | ||||||
| @ -712,12 +717,12 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|     @Override |     @Override | ||||||
|     public void onManagementNodeLeft(final List<? extends ManagementServerHost> nodeList, final long selfNodeId) { |     public void onManagementNodeLeft(final List<? extends ManagementServerHost> nodeList, final long selfNodeId) { | ||||||
|         for (final ManagementServerHost vo : nodeList) { |         for (final ManagementServerHost vo : nodeList) { | ||||||
|             logger.info("Marking hosts as disconnected on Management server {}",  vo.getMsid()); |             logger.info("Marking hosts as disconnected on Management server {}",  vo); | ||||||
|             final long lastPing = (System.currentTimeMillis() >> 10) - mgmtServiceConf.getTimeout(); |             final long lastPing = (System.currentTimeMillis() >> 10) - mgmtServiceConf.getTimeout(); | ||||||
|             _hostDao.markHostsAsDisconnected(vo.getMsid(), lastPing); |             _hostDao.markHostsAsDisconnected(vo.getMsid(), lastPing); | ||||||
|             outOfBandManagementDao.expireServerOwnership(vo.getMsid()); |             outOfBandManagementDao.expireServerOwnership(vo.getMsid()); | ||||||
|             haConfigDao.expireServerOwnership(vo.getMsid()); |             haConfigDao.expireServerOwnership(vo.getMsid()); | ||||||
|             logger.info("Deleting entries from op_host_transfer table for Management server {}",  vo.getMsid()); |             logger.info("Deleting entries from op_host_transfer table for Management server {}",  vo); | ||||||
|             cleanupTransferMap(vo.getMsid()); |             cleanupTransferMap(vo.getMsid()); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -744,7 +749,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|             try { |             try { | ||||||
|                 result = rebalanceHost(agentId, currentOwnerId, futureOwnerId); |                 result = rebalanceHost(agentId, currentOwnerId, futureOwnerId); | ||||||
|             } catch (final Exception e) { |             } catch (final Exception e) { | ||||||
|                 logger.warn("Unable to rebalance host id={}",  agentId, e); |                 logger.warn("Unable to rebalance host id={} ({})",  agentId, findAttache(agentId), e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         return result; |         return result; | ||||||
| @ -814,22 +819,24 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
| 
 | 
 | ||||||
|                 List<HostVO> hostsToRebalance = new ArrayList<HostVO>(); |                 List<HostVO> hostsToRebalance = new ArrayList<HostVO>(); | ||||||
|                 for (final AgentLoadBalancerPlanner lbPlanner : _lbPlanners) { |                 for (final AgentLoadBalancerPlanner lbPlanner : _lbPlanners) { | ||||||
|                     hostsToRebalance = lbPlanner.getHostsToRebalance(node.getMsid(), avLoad); |                     hostsToRebalance = lbPlanner.getHostsToRebalance(node, avLoad); | ||||||
|                     if (hostsToRebalance != null && !hostsToRebalance.isEmpty()) { |                     if (hostsToRebalance != null && !hostsToRebalance.isEmpty()) { | ||||||
|                         break; |                         break; | ||||||
|                     } |                     } | ||||||
|                     logger.debug("Agent load balancer planner " + lbPlanner.getName() + " found no hosts to be rebalanced from management server " + node.getMsid()); |                     logger.debug( | ||||||
|  |                             "Agent load balancer planner {} found no hosts to be rebalanced from management server {}", | ||||||
|  |                             lbPlanner.getName(), node); | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 if (hostsToRebalance != null && !hostsToRebalance.isEmpty()) { |                 if (hostsToRebalance != null && !hostsToRebalance.isEmpty()) { | ||||||
|                     logger.debug("Found {} hosts to rebalance from management server {}", hostsToRebalance.size(), node.getMsid()); |                     logger.debug("Found {} hosts to rebalance from management server {}", hostsToRebalance.size(), node); | ||||||
|                     for (final HostVO host : hostsToRebalance) { |                     for (final HostVO host : hostsToRebalance) { | ||||||
|                         final long hostId = host.getId(); |                         final long hostId = host.getId(); | ||||||
|                         logger.debug("Asking management server {} to give away host id={}", node.getMsid(), hostId); |                         logger.debug("Asking management server {} to give away host id={}", node, host); | ||||||
|                         boolean result = true; |                         boolean result = true; | ||||||
| 
 | 
 | ||||||
|                         if (_hostTransferDao.findById(hostId) != null) { |                         if (_hostTransferDao.findById(hostId) != null) { | ||||||
|                             logger.warn("Somebody else is already rebalancing host id: {}", hostId); |                             logger.warn("Somebody else is already rebalancing host: {}", host); | ||||||
|                             continue; |                             continue; | ||||||
|                         } |                         } | ||||||
| 
 | 
 | ||||||
| @ -838,11 +845,11 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                             transfer = _hostTransferDao.startAgentTransfering(hostId, node.getMsid(), _nodeId); |                             transfer = _hostTransferDao.startAgentTransfering(hostId, node.getMsid(), _nodeId); | ||||||
|                             final Answer[] answer = sendRebalanceCommand(node.getMsid(), hostId, node.getMsid(), _nodeId, Event.RequestAgentRebalance); |                             final Answer[] answer = sendRebalanceCommand(node.getMsid(), hostId, node.getMsid(), _nodeId, Event.RequestAgentRebalance); | ||||||
|                             if (answer == null) { |                             if (answer == null) { | ||||||
|                                 logger.warn("Failed to get host id={} from management server {}", hostId, node.getMsid()); |                                 logger.warn("Failed to get host {} from management server {}", host, node); | ||||||
|                                 result = false; |                                 result = false; | ||||||
|                             } |                             } | ||||||
|                         } catch (final Exception ex) { |                         } catch (final Exception ex) { | ||||||
|                             logger.warn("Failed to get host id={} from management server {}", hostId, node.getMsid(), ex); |                             logger.warn("Failed to get host {} from management server {}", host, node, ex); | ||||||
|                             result = false; |                             result = false; | ||||||
|                         } finally { |                         } finally { | ||||||
|                             if (transfer != null) { |                             if (transfer != null) { | ||||||
| @ -857,7 +864,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                         } |                         } | ||||||
|                     } |                     } | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.debug("Found no hosts to rebalance from the management server {}",  node.getMsid()); |                     logger.debug("Found no hosts to rebalance from the management server {}",  node); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| @ -902,7 +909,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|             return null; |             return null; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Propagating agent change request event: {} to agent: {}", event.toString(), agentId); |         logger.debug("Propagating agent change request event: {} to agent: {} ({})", event.toString(), agentId, findAttache(agentId)); | ||||||
|         final Command[] cmds = new Command[1]; |         final Command[] cmds = new Command[1]; | ||||||
|         cmds[0] = new ChangeAgentCommand(agentId, event); |         cmds[0] = new ChangeAgentCommand(agentId, event); | ||||||
| 
 | 
 | ||||||
| @ -942,14 +949,14 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                                 final HostTransferMapVO transferMap = _hostTransferDao.findActiveHostTransferMapByHostId(hostId, new Date(cutTime.getTime() - rebalanceTimeOut)); |                                 final HostTransferMapVO transferMap = _hostTransferDao.findActiveHostTransferMapByHostId(hostId, new Date(cutTime.getTime() - rebalanceTimeOut)); | ||||||
| 
 | 
 | ||||||
|                                 if (transferMap == null) { |                                 if (transferMap == null) { | ||||||
|                                     logger.debug("Timed out waiting for the host id={} to be ready to transfer, skipping rebalance for the host" + hostId); |                                     logger.debug("Timed out waiting for the host id={} ({}) to be ready to transfer, skipping rebalance for the host", hostId, attache); | ||||||
|                                     iterator.remove(); |                                     iterator.remove(); | ||||||
|                                     _hostTransferDao.completeAgentTransfer(hostId); |                                     _hostTransferDao.completeAgentTransfer(hostId); | ||||||
|                                     continue; |                                     continue; | ||||||
|                                 } |                                 } | ||||||
| 
 | 
 | ||||||
|                                 if (transferMap.getInitialOwner() != _nodeId || attache == null || attache.forForward()) { |                                 if (transferMap.getInitialOwner() != _nodeId || attache == null || attache.forForward()) { | ||||||
|                                     logger.debug("Management server {} doesn't own host id={} any more, skipping rebalance for the host", _nodeId, hostId); |                                     logger.debug(String.format("Management server %d doesn't own host id=%d (%s) any more, skipping rebalance for the host", _nodeId, hostId, attache)); | ||||||
|                                     iterator.remove(); |                                     iterator.remove(); | ||||||
|                                     _hostTransferDao.completeAgentTransfer(hostId); |                                     _hostTransferDao.completeAgentTransfer(hostId); | ||||||
|                                     continue; |                                     continue; | ||||||
| @ -957,7 +964,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
| 
 | 
 | ||||||
|                                 final ManagementServerHostVO ms = _mshostDao.findByMsid(transferMap.getFutureOwner()); |                                 final ManagementServerHostVO ms = _mshostDao.findByMsid(transferMap.getFutureOwner()); | ||||||
|                                 if (ms != null && ms.getState() != ManagementServerHost.State.Up) { |                                 if (ms != null && ms.getState() != ManagementServerHost.State.Up) { | ||||||
|                                     logger.debug("Can't transfer host {} as it's future owner is not in UP state: {}, skipping rebalance for the host", hostId, ms); |                                     logger.debug("Can't transfer host {} ({}) as it's future owner is not in UP state: {}, skipping rebalance for the host", hostId, attache, ms); | ||||||
|                                     iterator.remove(); |                                     iterator.remove(); | ||||||
|                                     _hostTransferDao.completeAgentTransfer(hostId); |                                     _hostTransferDao.completeAgentTransfer(hostId); | ||||||
|                                     continue; |                                     continue; | ||||||
| @ -968,13 +975,13 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                                     try { |                                     try { | ||||||
|                                         _executor.execute(new RebalanceTask(hostId, transferMap.getInitialOwner(), transferMap.getFutureOwner())); |                                         _executor.execute(new RebalanceTask(hostId, transferMap.getInitialOwner(), transferMap.getFutureOwner())); | ||||||
|                                     } catch (final RejectedExecutionException ex) { |                                     } catch (final RejectedExecutionException ex) { | ||||||
|                                         logger.warn("Failed to submit rebalance task for host id={}; postponing the execution", hostId); |                                         logger.warn("Failed to submit rebalance task for host id={} ({}); postponing the execution", hostId, attache); | ||||||
|                                         continue; |                                         continue; | ||||||
|                                     } |                                     } | ||||||
| 
 | 
 | ||||||
|                                 } else { |                                 } else { | ||||||
|                                     logger.debug("Agent {} can't be transferred yet as its request queue size is {} and listener queue size is {}", |                                     logger.debug("Agent {} ({}) can't be transferred yet as its request queue size is {} and listener queue size is {}", | ||||||
|                                             hostId, attache.getQueueSize(), attache.getNonRecurringListenersSize()); |                                             hostId, attache, attache.getQueueSize(), attache.getNonRecurringListenersSize()); | ||||||
|                                 } |                                 } | ||||||
|                             } |                             } | ||||||
|                         } else { |                         } else { | ||||||
| @ -990,7 +997,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private boolean setToWaitForRebalance(final long hostId, final long currentOwnerId, final long futureOwnerId) { |     private boolean setToWaitForRebalance(final long hostId, final long currentOwnerId, final long futureOwnerId) { | ||||||
|         logger.debug("Adding agent {} to the list of agents to transfer", hostId); |         logger.debug("Adding agent {} ({}) to the list of agents to transfer", hostId, findAttache(hostId)); | ||||||
|         synchronized (_agentToTransferIds) { |         synchronized (_agentToTransferIds) { | ||||||
|             return _agentToTransferIds.add(hostId); |             return _agentToTransferIds.add(hostId); | ||||||
|         } |         } | ||||||
| @ -1012,7 +1019,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|             } catch (final Exception ex) { |             } catch (final Exception ex) { | ||||||
|                 logger.warn("Host {} failed to connect to the management server {} as a part of rebalance process", hostId, futureOwnerId, ex); |                 logger.warn("Host {} ({}) failed to connect to the management server {} as a part of rebalance process", hostId, findAttache(hostId), futureOwnerId, ex); | ||||||
|                 result = false; |                 result = false; | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
| @ -1027,7 +1034,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|         } else if (futureOwnerId == _nodeId) { |         } else if (futureOwnerId == _nodeId) { | ||||||
|             final HostVO host = _hostDao.findById(hostId); |             final HostVO host = _hostDao.findById(hostId); | ||||||
|             try { |             try { | ||||||
|                 logger.debug("Disconnecting host {}({}) as a part of rebalance process without notification", host.getId(), host.getName()); |                 logger.debug("Disconnecting host {} as a part of rebalance process without notification", host); | ||||||
| 
 | 
 | ||||||
|                 final AgentAttache attache = findAttache(hostId); |                 final AgentAttache attache = findAttache(hostId); | ||||||
|                 if (attache != null) { |                 if (attache != null) { | ||||||
| @ -1035,21 +1042,21 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 if (result) { |                 if (result) { | ||||||
|                     logger.debug("Loading directly connected host {}({}) to the management server {} as a part of rebalance process", host.getId(), host.getName(), _nodeId); |                     logger.debug("Loading directly connected host {} to the management server {} as a part of rebalance process", host, _nodeId); | ||||||
|                     result = loadDirectlyConnectedHost(host, true); |                     result = loadDirectlyConnectedHost(host, true); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.warn("Failed to disconnect {}({}) as a part of rebalance process without notification" + host.getId(), host.getName()); |                     logger.warn("Failed to disconnect {} as a part of rebalance process without notification", host); | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|             } catch (final Exception ex) { |             } catch (final Exception ex) { | ||||||
|                 logger.warn("Failed to load directly connected host {}({}) to the management server {} a part of rebalance process without notification", host.getId(), host.getName(), _nodeId, ex); |                 logger.warn("Failed to load directly connected host {} to the management server {} a part of rebalance process without notification", host, _nodeId, ex); | ||||||
|                 result = false; |                 result = false; | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             if (result) { |             if (result) { | ||||||
|                 logger.debug("Successfully loaded directly connected host {}({}) to the management server {} a part of rebalance process without notification", host.getId(), host.getName(), _nodeId); |                 logger.debug("Successfully loaded directly connected host {} to the management server {} a part of rebalance process without notification", host, _nodeId); | ||||||
|             } else { |             } else { | ||||||
|                 logger.warn("Failed to load directly connected host {}({}) to the management server {} a part of rebalance process without notification", host.getId(), host.getName(), _nodeId); |                 logger.warn("Failed to load directly connected host {} to the management server {} a part of rebalance process without notification", host, _nodeId); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1059,9 +1066,10 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|     protected void finishRebalance(final long hostId, final long futureOwnerId, final Event event) { |     protected void finishRebalance(final long hostId, final long futureOwnerId, final Event event) { | ||||||
| 
 | 
 | ||||||
|         final boolean success = event == Event.RebalanceCompleted ? true : false; |         final boolean success = event == Event.RebalanceCompleted ? true : false; | ||||||
|         logger.debug("Finishing rebalancing for the agent {} with event {}", hostId, event); |  | ||||||
| 
 | 
 | ||||||
|         final AgentAttache attache = findAttache(hostId); |         final AgentAttache attache = findAttache(hostId); | ||||||
|  |         logger.debug("Finishing rebalancing for the agent {} ({}) with event {}", hostId, attache, event); | ||||||
|  | 
 | ||||||
|         if (attache == null || !(attache instanceof ClusteredAgentAttache)) { |         if (attache == null || !(attache instanceof ClusteredAgentAttache)) { | ||||||
|             logger.debug("Unable to find forward attache for the host id={} assuming that the agent disconnected already", hostId); |             logger.debug("Unable to find forward attache for the host id={} assuming that the agent disconnected already", hostId); | ||||||
|             _hostTransferDao.completeAgentTransfer(hostId); |             _hostTransferDao.completeAgentTransfer(hostId); | ||||||
| @ -1078,7 +1086,8 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|             // 2) Get all transfer requests and route them to peer |             // 2) Get all transfer requests and route them to peer | ||||||
|             Request requestToTransfer = forwardAttache.getRequestToTransfer(); |             Request requestToTransfer = forwardAttache.getRequestToTransfer(); | ||||||
|             while (requestToTransfer != null) { |             while (requestToTransfer != null) { | ||||||
|                 logger.debug("Forwarding request {} held in transfer attache {} from the management server {} to {}", requestToTransfer.getSequence(), hostId, _nodeId, futureOwnerId); |                 logger.debug("Forwarding request {} held in transfer attache [id: {}, uuid: {}, name: {}] from the management server {} to {}", | ||||||
|  |                         requestToTransfer.getSequence(), hostId, attache.getUuid(), attache.getName(), _nodeId, futureOwnerId); | ||||||
|                 final boolean routeResult = routeToPeer(Long.toString(futureOwnerId), requestToTransfer.getBytes()); |                 final boolean routeResult = routeToPeer(Long.toString(futureOwnerId), requestToTransfer.getBytes()); | ||||||
|                 if (!routeResult) { |                 if (!routeResult) { | ||||||
|                     logD(requestToTransfer.getBytes(), "Failed to route request to peer"); |                     logD(requestToTransfer.getBytes(), "Failed to route request to peer"); | ||||||
| @ -1087,23 +1096,25 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|                 requestToTransfer = forwardAttache.getRequestToTransfer(); |                 requestToTransfer = forwardAttache.getRequestToTransfer(); | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             logger.debug("Management server {} completed agent {} rebalance to {}", _nodeId, hostId, futureOwnerId); |             logger.debug("Management server {} completed agent [id: {}, uuid: {}, name: {}] rebalance to {}", | ||||||
|  |                     _nodeId, hostId, attache.getUuid(), attache.getName(), futureOwnerId); | ||||||
| 
 | 
 | ||||||
|         } else { |         } else { | ||||||
|             failRebalance(hostId); |             failRebalance(hostId); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Management server {} completed agent {} rebalance", _nodeId, hostId); |         logger.debug("Management server {} completed agent [id: {}, uuid: {}, name: {}] rebalance", _nodeId, hostId, attache.getUuid(), attache.getName()); | ||||||
|         _hostTransferDao.completeAgentTransfer(hostId); |         _hostTransferDao.completeAgentTransfer(hostId); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     protected void failRebalance(final long hostId) { |     protected void failRebalance(final long hostId) { | ||||||
|  |         AgentAttache attache = findAttache(hostId); | ||||||
|         try { |         try { | ||||||
|             logger.debug("Management server {} failed to rebalance agent {}", _nodeId, hostId); |             logger.debug("Management server {} failed to rebalance agent {} ({})", _nodeId, hostId, attache); | ||||||
|             _hostTransferDao.completeAgentTransfer(hostId); |             _hostTransferDao.completeAgentTransfer(hostId); | ||||||
|             handleDisconnectWithoutInvestigation(findAttache(hostId), Event.RebalanceFailed, true, true); |             handleDisconnectWithoutInvestigation(findAttache(hostId), Event.RebalanceFailed, true, true); | ||||||
|         } catch (final Exception ex) { |         } catch (final Exception ex) { | ||||||
|             logger.warn("Failed to reconnect host id={} as a part of failed rebalance task cleanup", hostId); |             logger.warn("Failed to reconnect host id={} ({}) as a part of failed rebalance task cleanup", hostId, attache); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -1119,20 +1130,20 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|             final ClusteredDirectAgentAttache attache = (ClusteredDirectAgentAttache)_agents.get(hostId); |             final ClusteredDirectAgentAttache attache = (ClusteredDirectAgentAttache)_agents.get(hostId); | ||||||
|             if (attache != null && attache.getQueueSize() == 0 && attache.getNonRecurringListenersSize() == 0) { |             if (attache != null && attache.getQueueSize() == 0 && attache.getNonRecurringListenersSize() == 0) { | ||||||
|                 handleDisconnectWithoutInvestigation(attache, Event.StartAgentRebalance, true, true); |                 handleDisconnectWithoutInvestigation(attache, Event.StartAgentRebalance, true, true); | ||||||
|                 final ClusteredAgentAttache forwardAttache = (ClusteredAgentAttache)createAttache(hostId); |                 final ClusteredAgentAttache forwardAttache = (ClusteredAgentAttache)createAttache(host); | ||||||
|                 if (forwardAttache == null) { |                 if (forwardAttache == null) { | ||||||
|                     logger.warn("Unable to create a forward attache for the host {} as a part of rebalance process", hostId); |                     logger.warn("Unable to create a forward attache for the host {} as a part of rebalance process", host); | ||||||
|                     return false; |                     return false; | ||||||
|                 } |                 } | ||||||
|                 logger.debug("Putting agent id={} to transfer mode", hostId); |                 logger.debug("Putting agent {} to transfer mode", host); | ||||||
|                 forwardAttache.setTransferMode(true); |                 forwardAttache.setTransferMode(true); | ||||||
|                 _agents.put(hostId, forwardAttache); |                 _agents.put(hostId, forwardAttache); | ||||||
|             } else { |             } else { | ||||||
|                 if (attache == null) { |                 if (attache == null) { | ||||||
|                     logger.warn("Attache for the agent {} no longer exists on management server, can't start host rebalancing", hostId, _nodeId); |                     logger.warn("Attache for the agent {} no longer exists on management server, can't start host rebalancing", host, _nodeId); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.warn("Attache for the agent {} has request queue size= {} and listener queue size {}, can't start host rebalancing", |                     logger.warn("Attache for the agent {} has request queue size {} and listener queue size {}, can't start host rebalancing", | ||||||
|                             hostId, attache.getQueueSize(), attache.getNonRecurringListenersSize()); |                             host, attache.getQueueSize(), attache.getNonRecurringListenersSize()); | ||||||
|                 } |                 } | ||||||
|                 return false; |                 return false; | ||||||
|             } |             } | ||||||
| @ -1167,11 +1178,12 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
| 
 | 
 | ||||||
|         @Override |         @Override | ||||||
|         protected void runInContext() { |         protected void runInContext() { | ||||||
|  |             AgentAttache attache = findAttache(hostId); | ||||||
|             try { |             try { | ||||||
|                 logger.debug("Rebalancing host id={}", hostId); |                 logger.debug("Rebalancing host id={} ({})", hostId, attache); | ||||||
|                 rebalanceHost(hostId, currentOwnerId, futureOwnerId); |                 rebalanceHost(hostId, currentOwnerId, futureOwnerId); | ||||||
|             } catch (final Exception e) { |             } catch (final Exception e) { | ||||||
|                 logger.warn("Unable to rebalance host id={}", hostId, e); |                 logger.warn("Unable to rebalance host id={} ({})", hostId, attache, e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -1260,7 +1272,7 @@ public class ClusteredAgentManagerImpl extends AgentManagerImpl implements Clust | |||||||
|             } else if (cmds.length == 1 && cmds[0] instanceof PropagateResourceEventCommand) { |             } else if (cmds.length == 1 && cmds[0] instanceof PropagateResourceEventCommand) { | ||||||
|                 final PropagateResourceEventCommand cmd = (PropagateResourceEventCommand)cmds[0]; |                 final PropagateResourceEventCommand cmd = (PropagateResourceEventCommand)cmds[0]; | ||||||
| 
 | 
 | ||||||
|                 logger.debug("Intercepting command to propagate event {} for host {}", cmd.getEvent().name(), cmd.getHostId()); |                 logger.debug("Intercepting command to propagate event {} for host {} ({})", () -> cmd.getEvent().name(), cmd::getHostId, () -> _hostDao.findById(cmd.getHostId())); | ||||||
| 
 | 
 | ||||||
|                 boolean result = false; |                 boolean result = false; | ||||||
|                 try { |                 try { | ||||||
|  | |||||||
| @ -26,8 +26,8 @@ import com.cloud.utils.exception.CloudRuntimeException; | |||||||
| public class ClusteredDirectAgentAttache extends DirectAgentAttache implements Routable { | public class ClusteredDirectAgentAttache extends DirectAgentAttache implements Routable { | ||||||
|     private final long _nodeId; |     private final long _nodeId; | ||||||
| 
 | 
 | ||||||
|     public ClusteredDirectAgentAttache(ClusteredAgentManagerImpl agentMgr, long id, String name, long mgmtId, ServerResource resource, boolean maintenance) { |     public ClusteredDirectAgentAttache(ClusteredAgentManagerImpl agentMgr, long id, String uuid, String name, long mgmtId, ServerResource resource, boolean maintenance) { | ||||||
|         super(agentMgr, id, name, resource, maintenance); |         super(agentMgr, id, uuid, name, resource, maintenance); | ||||||
|         _nodeId = mgmtId; |         _nodeId = mgmtId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -37,9 +37,9 @@ public class ClusteredDirectAgentAttache extends DirectAgentAttache implements R | |||||||
|         try { |         try { | ||||||
|             req = Request.parse(data); |             req = Request.parse(data); | ||||||
|         } catch (ClassNotFoundException e) { |         } catch (ClassNotFoundException e) { | ||||||
|             throw new CloudRuntimeException("Unable to rout to an agent ", e); |             throw new CloudRuntimeException("Unable to route to an agent ", e); | ||||||
|         } catch (UnsupportedVersionException e) { |         } catch (UnsupportedVersionException e) { | ||||||
|             throw new CloudRuntimeException("Unable to rout to an agent ", e); |             throw new CloudRuntimeException("Unable to route to an agent ", e); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (req instanceof Response) { |         if (req instanceof Response) { | ||||||
|  | |||||||
| @ -31,8 +31,8 @@ public class ConnectedAgentAttache extends AgentAttache { | |||||||
| 
 | 
 | ||||||
|     protected Link _link; |     protected Link _link; | ||||||
| 
 | 
 | ||||||
|     public ConnectedAgentAttache(final AgentManagerImpl agentMgr, final long id, final String name, final Link link, final boolean maintenance) { |     public ConnectedAgentAttache(final AgentManagerImpl agentMgr, final long id, final String uuid, final String name, final Link link, final boolean maintenance) { | ||||||
|         super(agentMgr, id, name, maintenance); |         super(agentMgr, id, uuid, name, maintenance); | ||||||
|         _link = link; |         _link = link; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -51,8 +51,8 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|     AtomicInteger _outstandingTaskCount; |     AtomicInteger _outstandingTaskCount; | ||||||
|     AtomicInteger _outstandingCronTaskCount; |     AtomicInteger _outstandingCronTaskCount; | ||||||
| 
 | 
 | ||||||
|     public DirectAgentAttache(AgentManagerImpl agentMgr, long id, String name, ServerResource resource, boolean maintenance) { |     public DirectAgentAttache(AgentManagerImpl agentMgr, long id, String uuid,String name, ServerResource resource, boolean maintenance) { | ||||||
|         super(agentMgr, id, name, maintenance); |         super(agentMgr, id, uuid, name, maintenance); | ||||||
|         _resource = resource; |         _resource = resource; | ||||||
|         _outstandingTaskCount = new AtomicInteger(0); |         _outstandingTaskCount = new AtomicInteger(0); | ||||||
|         _outstandingCronTaskCount = new AtomicInteger(0); |         _outstandingCronTaskCount = new AtomicInteger(0); | ||||||
| @ -60,7 +60,7 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void disconnect(Status state) { |     public void disconnect(Status state) { | ||||||
|         logger.debug("Processing disconnect {}({})", _id, _name); |         logger.debug("Processing disconnect [id: {}, uuid: {}, name: {}]", _id, _uuid, _name); | ||||||
| 
 | 
 | ||||||
|         for (ScheduledFuture<?> future : _futures) { |         for (ScheduledFuture<?> future : _futures) { | ||||||
|             future.cancel(false); |             future.cancel(false); | ||||||
| @ -115,7 +115,7 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|         if (answers != null && answers[0] instanceof StartupAnswer) { |         if (answers != null && answers[0] instanceof StartupAnswer) { | ||||||
|             StartupAnswer startup = (StartupAnswer)answers[0]; |             StartupAnswer startup = (StartupAnswer)answers[0]; | ||||||
|             int interval = startup.getPingInterval(); |             int interval = startup.getPingInterval(); | ||||||
|             logger.info("StartupAnswer received {} Interval = {}", startup.getHostId(), interval); |             logger.info("StartupAnswer received [id: {}, uuid: {}, name: {}, interval: {}]", startup.getHostId(), startup.getHostUuid(), startup.getHostName(), interval); | ||||||
|             _futures.add(_agentMgr.getCronJobPool().scheduleAtFixedRate(new PingTask(), interval, interval, TimeUnit.SECONDS)); |             _futures.add(_agentMgr.getCronJobPool().scheduleAtFixedRate(new PingTask(), interval, interval, TimeUnit.SECONDS)); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -126,7 +126,7 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|             assert _resource == null : "Come on now....If you're going to dabble in agent code, you better know how to close out our resources. Ever considered why there's a method called disconnect()?"; |             assert _resource == null : "Come on now....If you're going to dabble in agent code, you better know how to close out our resources. Ever considered why there's a method called disconnect()?"; | ||||||
|             synchronized (this) { |             synchronized (this) { | ||||||
|                 if (_resource != null) { |                 if (_resource != null) { | ||||||
|                     logger.warn("Lost attache for {}({})", _id, _name); |                     logger.warn("Lost attache for [id: {}, uuid: {}, name: {}]", _id, _uuid, _name); | ||||||
|                     disconnect(Status.Alert); |                     disconnect(Status.Alert); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -140,7 +140,8 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private synchronized void scheduleFromQueue() { |     private synchronized void scheduleFromQueue() { | ||||||
|         logger.trace("Agent attache={}, task queue size={}, outstanding tasks={}", _id, tasks.size(), _outstandingTaskCount.get()); |         logger.trace("Agent attache [id: {}, uuid: {}, name: {}], task queue size={}, outstanding tasks={}", | ||||||
|  |                 _id, _uuid, _name, tasks.size(), _outstandingTaskCount.get()); | ||||||
|         while (!tasks.isEmpty() && _outstandingTaskCount.get() < _agentMgr.getDirectAgentThreadCap()) { |         while (!tasks.isEmpty() && _outstandingTaskCount.get() < _agentMgr.getDirectAgentThreadCap()) { | ||||||
|             _outstandingTaskCount.incrementAndGet(); |             _outstandingTaskCount.incrementAndGet(); | ||||||
|             _agentMgr.getDirectAgentPool().execute(tasks.remove()); |             _agentMgr.getDirectAgentPool().execute(tasks.remove()); | ||||||
| @ -152,7 +153,9 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|         protected synchronized void runInContext() { |         protected synchronized void runInContext() { | ||||||
|             try { |             try { | ||||||
|                 if (_outstandingCronTaskCount.incrementAndGet() >= _agentMgr.getDirectAgentThreadCap()) { |                 if (_outstandingCronTaskCount.incrementAndGet() >= _agentMgr.getDirectAgentThreadCap()) { | ||||||
|                     logger.warn("PingTask execution for direct attache({}) has reached maximum outstanding limit({}), bailing out", _id, _agentMgr.getDirectAgentThreadCap()); |                     logger.warn( | ||||||
|  |                             "PingTask execution for direct attache [id: {}, uuid: {}, name: {}] has reached maximum outstanding limit({}), bailing out", | ||||||
|  |                             _id, _uuid, _name, _agentMgr.getDirectAgentThreadCap()); | ||||||
|                     return; |                     return; | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
| @ -167,21 +170,21 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|                     } |                     } | ||||||
| 
 | 
 | ||||||
|                     if (cmd == null) { |                     if (cmd == null) { | ||||||
|                         logger.warn("Unable to get current status on {}({})", _id, _name); |                         logger.warn("Unable to get current status on [id: {}, uuid: {}, name: {}]", _id, _uuid, _name); | ||||||
|                         return; |                         return; | ||||||
|                     } |                     } | ||||||
| 
 | 
 | ||||||
|                     if (cmd.getContextParam("logid") != null) { |                     if (cmd.getContextParam("logid") != null) { | ||||||
|                         ThreadContext.put("logcontextid", cmd.getContextParam("logid")); |                         ThreadContext.put("logcontextid", cmd.getContextParam("logid")); | ||||||
|                     } |                     } | ||||||
|                     logger.debug("Ping from {}({})", _id, _name); |                     logger.debug("Ping from [id: {}, uuid: {}, name: {}]", _id, _uuid, _name); | ||||||
|                     long seq = _seq++; |                     long seq = _seq++; | ||||||
| 
 | 
 | ||||||
|                     logger.trace("SeqA {}-{}: {}", _id, seq, new Request(_id, -1, cmd, false).toString()); |                     logger.trace("SeqA {}-{}: {}", _id, seq, new Request(_id, -1, cmd, false).toString()); | ||||||
| 
 | 
 | ||||||
|                     _agentMgr.handleCommands(DirectAgentAttache.this, seq, new Command[] {cmd}); |                     _agentMgr.handleCommands(DirectAgentAttache.this, seq, new Command[] {cmd}); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.debug("Unable to send ping because agent is disconnected {}", _id, _name); |                     logger.debug("Unable to send ping because agent is disconnected [id: {}, uuid: {}, name: {}]", _id, _uuid, _name); | ||||||
|                 } |                 } | ||||||
|             } catch (Exception e) { |             } catch (Exception e) { | ||||||
|                 logger.warn("Unable to complete the ping task", e); |                 logger.warn("Unable to complete the ping task", e); | ||||||
| @ -219,7 +222,9 @@ public class DirectAgentAttache extends AgentAttache { | |||||||
|             long seq = _req.getSequence(); |             long seq = _req.getSequence(); | ||||||
|             try { |             try { | ||||||
|                 if (_outstandingCronTaskCount.incrementAndGet() >= _agentMgr.getDirectAgentThreadCap()) { |                 if (_outstandingCronTaskCount.incrementAndGet() >= _agentMgr.getDirectAgentThreadCap()) { | ||||||
|                     logger.warn("CronTask execution for direct attache({}) has reached maximum outstanding limit({}), bailing out", _id, _agentMgr.getDirectAgentThreadCap()); |                     logger.warn( | ||||||
|  |                             "CronTask execution for direct attache [id: {}, uuid: {}, name: {}] has reached maximum outstanding limit({}), bailing out", | ||||||
|  |                             _id, _uuid, _name, _agentMgr.getDirectAgentThreadCap()); | ||||||
|                     bailout(); |                     bailout(); | ||||||
|                     return; |                     return; | ||||||
|                 } |                 } | ||||||
|  | |||||||
| @ -22,8 +22,8 @@ import com.cloud.host.Status; | |||||||
| 
 | 
 | ||||||
| public class DummyAttache extends AgentAttache { | public class DummyAttache extends AgentAttache { | ||||||
| 
 | 
 | ||||||
|     public DummyAttache(AgentManagerImpl agentMgr, long id, String name, boolean maintenance) { |     public DummyAttache(AgentManagerImpl agentMgr, long id, String uuid, String name, boolean maintenance) { | ||||||
|         super(agentMgr, id, name, maintenance); |         super(agentMgr, id, uuid, name, maintenance); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -18,11 +18,12 @@ package com.cloud.cluster.agentlb; | |||||||
| 
 | 
 | ||||||
| import java.util.List; | import java.util.List; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.cluster.ManagementServerHostVO; | ||||||
| import com.cloud.host.HostVO; | import com.cloud.host.HostVO; | ||||||
| import com.cloud.utils.component.Adapter; | import com.cloud.utils.component.Adapter; | ||||||
| 
 | 
 | ||||||
| public interface AgentLoadBalancerPlanner extends Adapter { | public interface AgentLoadBalancerPlanner extends Adapter { | ||||||
| 
 | 
 | ||||||
|     List<HostVO> getHostsToRebalance(long msId, int avLoad); |     List<HostVO> getHostsToRebalance(ManagementServerHostVO ms, int avLoad); | ||||||
| 
 | 
 | ||||||
| } | } | ||||||
|  | |||||||
| @ -26,6 +26,7 @@ import java.util.Map; | |||||||
| 
 | 
 | ||||||
| import javax.inject.Inject; | import javax.inject.Inject; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.cluster.ManagementServerHostVO; | ||||||
| import org.springframework.stereotype.Component; | import org.springframework.stereotype.Component; | ||||||
| 
 | 
 | ||||||
| import com.cloud.host.Host; | import com.cloud.host.Host; | ||||||
| @ -43,15 +44,17 @@ public class ClusterBasedAgentLoadBalancerPlanner extends AdapterBase implements | |||||||
|     HostDao _hostDao = null; |     HostDao _hostDao = null; | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public List<HostVO> getHostsToRebalance(long msId, int avLoad) { |     public List<HostVO> getHostsToRebalance(ManagementServerHostVO ms, int avLoad) { | ||||||
|  |         long msId = ms.getMsid(); | ||||||
|         QueryBuilder<HostVO> sc = QueryBuilder.create(HostVO.class); |         QueryBuilder<HostVO> sc = QueryBuilder.create(HostVO.class); | ||||||
|         sc.and(sc.entity().getType(), Op.EQ, Host.Type.Routing); |         sc.and(sc.entity().getType(), Op.EQ, Host.Type.Routing); | ||||||
|         sc.and(sc.entity().getManagementServerId(), Op.EQ, msId); |         sc.and(sc.entity().getManagementServerId(), Op.EQ, msId); | ||||||
|         List<HostVO> allHosts = sc.list(); |         List<HostVO> allHosts = sc.list(); | ||||||
| 
 | 
 | ||||||
|         if (allHosts.size() <= avLoad) { |         if (allHosts.size() <= avLoad) { | ||||||
|             logger.debug("Agent load = " + allHosts.size() + " for management server " + msId + " doesn't exceed average system agent load = " + avLoad + |             logger.debug("Agent load = {} for management server {} doesn't exceed average " + | ||||||
|                 "; so it doesn't participate in agent rebalancing process"); |                     "system agent load = {}; so it doesn't participate in agent rebalancing process", | ||||||
|  |                     allHosts.size(), ms, avLoad); | ||||||
|             return null; |             return null; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -62,8 +65,9 @@ public class ClusterBasedAgentLoadBalancerPlanner extends AdapterBase implements | |||||||
|         List<HostVO> directHosts = sc.list(); |         List<HostVO> directHosts = sc.list(); | ||||||
| 
 | 
 | ||||||
|         if (directHosts.isEmpty()) { |         if (directHosts.isEmpty()) { | ||||||
|             logger.debug("No direct agents in status " + Status.Up + " exist for the management server " + msId + |             logger.debug("No direct agents in status {} exist for the management server " + | ||||||
|                 "; so it doesn't participate in agent rebalancing process"); |                             "{}; so it doesn't participate in agent rebalancing process", | ||||||
|  |                     Status.Up, ms); | ||||||
|             return null; |             return null; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -88,8 +92,9 @@ public class ClusterBasedAgentLoadBalancerPlanner extends AdapterBase implements | |||||||
|         int hostsLeft = directHosts.size(); |         int hostsLeft = directHosts.size(); | ||||||
|         List<HostVO> hostsToReturn = new ArrayList<HostVO>(); |         List<HostVO> hostsToReturn = new ArrayList<HostVO>(); | ||||||
| 
 | 
 | ||||||
|         logger.debug("Management server " + msId + " can give away " + hostsToGive + " as it currently owns " + allHosts.size() + |         logger.debug("Management server {} can give away {} as it currently owns {} and the " + | ||||||
|             " and the average agent load in the system is " + avLoad + "; finalyzing list of hosts to give away..."); |                 "average agent load in the system is {}; finalyzing list of hosts to give away...", | ||||||
|  |                 ms, hostsToGive, allHosts.size(), avLoad); | ||||||
|         for (Long cluster : hostToClusterMap.keySet()) { |         for (Long cluster : hostToClusterMap.keySet()) { | ||||||
|             List<HostVO> hostsInCluster = hostToClusterMap.get(cluster); |             List<HostVO> hostsInCluster = hostToClusterMap.get(cluster); | ||||||
|             hostsLeft = hostsLeft - hostsInCluster.size(); |             hostsLeft = hostsLeft - hostsInCluster.size(); | ||||||
| @ -113,7 +118,7 @@ public class ClusterBasedAgentLoadBalancerPlanner extends AdapterBase implements | |||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Management server " + msId + " is ready to give away " + hostsToReturn.size() + " hosts"); |         logger.debug("Management server {} is ready to give away {} hosts", ms, hostsToReturn.size()); | ||||||
|         return hostsToReturn; |         return hostsToReturn; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -480,7 +480,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             final LinkedHashMap<? extends Network, List<? extends NicProfile>> auxiliaryNetworks, final DeploymentPlan plan, final HypervisorType hyperType, final Map<String, Map<Integer, String>> extraDhcpOptions, final Map<Long, DiskOffering> datadiskTemplateToDiskOfferingMap) |             final LinkedHashMap<? extends Network, List<? extends NicProfile>> auxiliaryNetworks, final DeploymentPlan plan, final HypervisorType hyperType, final Map<String, Map<Integer, String>> extraDhcpOptions, final Map<Long, DiskOffering> datadiskTemplateToDiskOfferingMap) | ||||||
|                     throws InsufficientCapacityException { |                     throws InsufficientCapacityException { | ||||||
| 
 | 
 | ||||||
|         logger.info("allocating virtual machine from template:{} with hostname:{} and {} networks", template.getUuid(), vmInstanceName, auxiliaryNetworks.size()); |         logger.info("allocating virtual machine from template: {} with hostname: {} and {} networks", template, vmInstanceName, auxiliaryNetworks.size()); | ||||||
|         VMInstanceVO persistedVm = null; |         VMInstanceVO persistedVm = null; | ||||||
|         try { |         try { | ||||||
|             final VMInstanceVO vm = _vmDao.findVMByInstanceName(vmInstanceName); |             final VMInstanceVO vm = _vmDao.findVMByInstanceName(vmInstanceName); | ||||||
| @ -1196,8 +1196,9 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                                 final Long clusterIdSpecified = planToDeploy.getClusterId(); |                                 final Long clusterIdSpecified = planToDeploy.getClusterId(); | ||||||
|                                 if (clusterIdSpecified != null && rootVolClusterId != null) { |                                 if (clusterIdSpecified != null && rootVolClusterId != null) { | ||||||
|                                     if (!rootVolClusterId.equals(clusterIdSpecified)) { |                                     if (!rootVolClusterId.equals(clusterIdSpecified)) { | ||||||
|                                         logger.debug("Cannot satisfy the deployment plan passed in since the ready Root volume is in different cluster. volume's cluster: " + |                                         logger.debug("Cannot satisfy the deployment plan passed in since " + | ||||||
|                                                 rootVolClusterId + ", cluster specified: " + clusterIdSpecified); |                                                 "the ready Root volume is in different cluster. volume's cluster: {}, cluster specified: {}", | ||||||
|  |                                                 () -> _clusterDao.findById(rootVolClusterId), () -> _clusterDao.findById(clusterIdSpecified)); | ||||||
|                                         throw new ResourceUnavailableException( |                                         throw new ResourceUnavailableException( | ||||||
|                                                 "Root volume is ready in different cluster, Deployment plan provided cannot be satisfied, unable to create a deployment for " + |                                                 "Root volume is ready in different cluster, Deployment plan provided cannot be satisfied, unable to create a deployment for " + | ||||||
|                                                         vm, Cluster.class, clusterIdSpecified); |                                                         vm, Cluster.class, clusterIdSpecified); | ||||||
| @ -1320,8 +1321,8 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                             syncDiskChainChange(startAnswer); |                             syncDiskChainChange(startAnswer); | ||||||
| 
 | 
 | ||||||
|                             if (!changeState(vm, Event.OperationSucceeded, destHostId, work, Step.Done)) { |                             if (!changeState(vm, Event.OperationSucceeded, destHostId, work, Step.Done)) { | ||||||
|                                 logger.error("Unable to transition to a new state. VM uuid: {}, VM oldstate: {}, Event: {}", vm.getUuid(), vm.getState(), Event.OperationSucceeded); |                                 logger.error("Unable to transition to a new state. VM uuid: {}, VM oldstate: {}, Event: {}", vm, vm.getState(), Event.OperationSucceeded); | ||||||
|                                 throw new ConcurrentOperationException("Failed to deploy VM"+ vm.getUuid()); |                                 throw new ConcurrentOperationException(String.format("Failed to deploy VM %s", vm)); | ||||||
|                             } |                             } | ||||||
| 
 | 
 | ||||||
|                             final GPUDeviceTO gpuDevice = startAnswer.getVirtualMachine().getGpuDevice(); |                             final GPUDeviceTO gpuDevice = startAnswer.getVirtualMachine().getGpuDevice(); | ||||||
| @ -1348,10 +1349,10 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                                         } |                                         } | ||||||
|                                         return; |                                         return; | ||||||
|                                     } catch (final Exception e) { |                                     } catch (final Exception e) { | ||||||
|                                         logger.error("Retrying after catching exception while trying to secure agent for systemvm id={}", vm.getId(), e); |                                         logger.error("Retrying after catching exception while trying to secure agent for systemvm {}", vm, e); | ||||||
|                                     } |                                     } | ||||||
|                                 } |                                 } | ||||||
|                                 throw new CloudRuntimeException("Failed to setup and secure agent for systemvm id=" + vm.getId()); |                                 throw new CloudRuntimeException(String.format("Failed to setup and secure agent for systemvm %s", vm)); | ||||||
|                             } |                             } | ||||||
|                             return; |                             return; | ||||||
|                         } else { |                         } else { | ||||||
| @ -1390,7 +1391,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                     } |                     } | ||||||
| 
 | 
 | ||||||
|                 } catch (OperationTimedoutException e) { |                 } catch (OperationTimedoutException e) { | ||||||
|                     logger.debug("Unable to send the start command to host {} failed to start VM: {}", dest.getHost(), vm.getUuid()); |                     logger.debug("Unable to send the start command to host {} failed to start VM: {}", dest.getHost(), vm); | ||||||
|                     if (e.isActive()) { |                     if (e.isActive()) { | ||||||
|                         _haMgr.scheduleStop(vm, destHostId, WorkType.CheckStop); |                         _haMgr.scheduleStop(vm, destHostId, WorkType.CheckStop); | ||||||
|                     } |                     } | ||||||
| @ -1745,7 +1746,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
| 
 | 
 | ||||||
|         final List<VmWorkJobVO> pendingWorkJobs = _workJobDao.listPendingWorkJobs(VirtualMachine.Type.Instance, vm.getId()); |         final List<VmWorkJobVO> pendingWorkJobs = _workJobDao.listPendingWorkJobs(VirtualMachine.Type.Instance, vm.getId()); | ||||||
|         if (CollectionUtils.isNotEmpty(pendingWorkJobs) || _haMgr.hasPendingHaWork(vm.getId())) { |         if (CollectionUtils.isNotEmpty(pendingWorkJobs) || _haMgr.hasPendingHaWork(vm.getId())) { | ||||||
|             String msg = "There are pending jobs or HA tasks working on the VM with id: " + vm.getId() + ", can't unmanage the VM."; |             String msg = String.format("There are pending jobs or HA tasks working on the VM: %s, can't unmanage the VM.", vm); | ||||||
|             logger.info(msg); |             logger.info(msg); | ||||||
|             throw new ConcurrentOperationException(msg); |             throw new ConcurrentOperationException(msg); | ||||||
|         } |         } | ||||||
| @ -2124,8 +2125,8 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         } else { |         } else { | ||||||
|             HostVO host = _hostDao.findById(hostId); |             HostVO host = _hostDao.findById(hostId); | ||||||
|             if (!cleanUpEvenIfUnableToStop && vm.getState() == State.Running && host.getResourceState() == ResourceState.PrepareForMaintenance) { |             if (!cleanUpEvenIfUnableToStop && vm.getState() == State.Running && host.getResourceState() == ResourceState.PrepareForMaintenance) { | ||||||
|                 logger.debug("Host is in PrepareForMaintenance state - Stop VM operation on the VM id: {} is not allowed", vm.getId()); |                 logger.debug("Host is in PrepareForMaintenance state - Stop VM operation on the VM: {} is not allowed", vm); | ||||||
|                 throw new CloudRuntimeException("Stop VM operation on the VM id: " + vm.getId() + " is not allowed as host is preparing for maintenance mode"); |                 throw new CloudRuntimeException(String.format("Stop VM operation on the VM %s is not allowed as host is preparing for maintenance mode", vm)); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -2509,7 +2510,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         List<VolumeVO> volumes = _volsDao.findUsableVolumesForInstance(vm.getId()); |         List<VolumeVO> volumes = _volsDao.findUsableVolumesForInstance(vm.getId()); | ||||||
|         logger.debug("Found {} volumes for VM {}(uuid:{}, id:{})", results.size(), vm.getInstanceName(), vm.getUuid(), vm.getId()); |         logger.debug("Found {} volumes for VM {}(uuid:{}, id:{})", results.size(), vm.getInstanceName(), vm.getUuid(), vm.getId()); | ||||||
|         for (VolumeObjectTO result : results ) { |         for (VolumeObjectTO result : results ) { | ||||||
|             logger.debug("Updating volume ({}) with path '{}' on pool '{}'", result.getId(), result.getPath(), result.getDataStoreUuid()); |             logger.debug("Updating volume ({}) with path '{}' on pool '{}'", result.getUuid(), result.getPath(), result.getDataStoreUuid()); | ||||||
|             VolumeVO volume = _volsDao.findById(result.getId()); |             VolumeVO volume = _volsDao.findById(result.getId()); | ||||||
|             StoragePool pool = _storagePoolDao.findPoolByUUID(result.getDataStoreUuid()); |             StoragePool pool = _storagePoolDao.findPoolByUUID(result.getDataStoreUuid()); | ||||||
|             if (volume == null || pool == null) { |             if (volume == null || pool == null) { | ||||||
| @ -2660,14 +2661,15 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
| 
 | 
 | ||||||
|     private void removeStaleVmFromSource(VMInstanceVO vm, HostVO srcHost) { |     private void removeStaleVmFromSource(VMInstanceVO vm, HostVO srcHost) { | ||||||
|         logger.debug("Since VM's storage was successfully migrated across VMware Datacenters, unregistering VM: {} from source host: {}", |         logger.debug("Since VM's storage was successfully migrated across VMware Datacenters, unregistering VM: {} from source host: {}", | ||||||
|                 vm.getInstanceName(), srcHost.getId()); |                 vm, srcHost); | ||||||
|         final UnregisterVMCommand uvc = new UnregisterVMCommand(vm.getInstanceName()); |         final UnregisterVMCommand uvc = new UnregisterVMCommand(vm.getInstanceName()); | ||||||
|         uvc.setCleanupVmFiles(true); |         uvc.setCleanupVmFiles(true); | ||||||
|         try { |         try { | ||||||
|             _agentMgr.send(srcHost.getId(), uvc); |             _agentMgr.send(srcHost.getId(), uvc); | ||||||
|         } catch (AgentUnavailableException | OperationTimedoutException e) { |         } catch (AgentUnavailableException | OperationTimedoutException e) { | ||||||
|             throw new CloudRuntimeException("Failed to unregister VM: " + vm.getInstanceName() + " from source host: " + srcHost.getId() + |             throw new CloudRuntimeException(String.format( | ||||||
|                     " after successfully migrating VM's storage across VMware Datacenters", e); |                     "Failed to unregister VM: %s from source host: %s after successfully migrating VM's storage across VMware Datacenters", | ||||||
|  |                     vm, srcHost), e); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -2722,10 +2724,10 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             for (final VolumeVO volume : volumes) { |             for (final VolumeVO volume : volumes) { | ||||||
|                 if (!_storagePoolDao.findById(volume.getPoolId()).getScope().equals(ScopeType.ZONE)) { |                 if (!_storagePoolDao.findById(volume.getPoolId()).getScope().equals(ScopeType.ZONE)) { | ||||||
|                     logger.info("Source and destination host are not in same cluster and all volumes are not on zone wide primary store, unable to migrate to host: {}", |                     logger.info("Source and destination host are not in same cluster and all volumes are not on zone wide primary store, unable to migrate to host: {}", | ||||||
|                             dest.getHost().getId()); |                             dest.getHost()); | ||||||
|                     throw new CloudRuntimeException( |                     throw new CloudRuntimeException(String.format( | ||||||
|                             "Source and destination host are not in same cluster and all volumes are not on zone wide primary store, unable to migrate to host: " |                             "Source and destination host are not in same cluster and all volumes are not on zone wide primary store, unable to migrate to host: %s", | ||||||
|                                     + dest.getHost().getId()); |                             dest.getHost())); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| @ -2852,13 +2854,13 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                     try { |                     try { | ||||||
|                         _agentMgr.send(srcHostId, new Commands(cleanup(vm, dpdkInterfaceMapping)), null); |                         _agentMgr.send(srcHostId, new Commands(cleanup(vm, dpdkInterfaceMapping)), null); | ||||||
|                     } catch (final AgentUnavailableException e) { |                     } catch (final AgentUnavailableException e) { | ||||||
|                         logger.error("AgentUnavailableException while cleanup on source host: {}", srcHostId, e); |                         logger.error("AgentUnavailableException while cleanup on source host: {}", fromHost, e); | ||||||
|                     } |                     } | ||||||
|                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); |                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); | ||||||
|                     throw new CloudRuntimeException("Unable to complete migration for " + vm); |                     throw new CloudRuntimeException("Unable to complete migration for " + vm); | ||||||
|                 } |                 } | ||||||
|             } catch (final OperationTimedoutException e) { |             } catch (final OperationTimedoutException e) { | ||||||
|                 logger.warn("Error while checking the vm {} on host {}", vm, dstHostId, e); |                 logger.warn("Error while checking the vm {} on host {}", vm, dest.getHost(), e); | ||||||
|             } |             } | ||||||
|             migrated = true; |             migrated = true; | ||||||
|         } finally { |         } finally { | ||||||
| @ -3302,7 +3304,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                     try { |                     try { | ||||||
|                         _agentMgr.send(srcHostId, new Commands(cleanup(vm.getInstanceName())), null); |                         _agentMgr.send(srcHostId, new Commands(cleanup(vm.getInstanceName())), null); | ||||||
|                     } catch (final AgentUnavailableException e) { |                     } catch (final AgentUnavailableException e) { | ||||||
|                         logger.error("AgentUnavailableException while cleanup on source host: {}", srcHostId, e); |                         logger.error("AgentUnavailableException while cleanup on source host: {}", srcHost, e); | ||||||
|                     } |                     } | ||||||
|                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); |                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); | ||||||
|                     throw new CloudRuntimeException("VM not found on destination host. Unable to complete migration for " + vm); |                     throw new CloudRuntimeException("VM not found on destination host. Unable to complete migration for " + vm); | ||||||
| @ -3834,9 +3836,9 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             return; |             return; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Received startup command from hypervisor host. host id: {}", agent.getId()); |         logger.debug("Received startup command from hypervisor host. host: {}", agent); | ||||||
| 
 | 
 | ||||||
|         _syncMgr.resetHostSyncState(agent.getId()); |         _syncMgr.resetHostSyncState(agent); | ||||||
| 
 | 
 | ||||||
|         if (forRebalance) { |         if (forRebalance) { | ||||||
|             logger.debug("Not processing listener {} as connect happens on rebalance process", this); |             logger.debug("Not processing listener {} as connect happens on rebalance process", this); | ||||||
| @ -3851,7 +3853,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                 final long seq_no = _agentMgr.send(agentId, new Commands(syncVMMetaDataCmd), this); |                 final long seq_no = _agentMgr.send(agentId, new Commands(syncVMMetaDataCmd), this); | ||||||
|                 logger.debug("Cluster VM metadata sync started with jobid {}", seq_no); |                 logger.debug("Cluster VM metadata sync started with jobid {}", seq_no); | ||||||
|             } catch (final AgentUnavailableException e) { |             } catch (final AgentUnavailableException e) { | ||||||
|                 logger.fatal("The Cluster VM metadata sync process failed for cluster id {} with {}", clusterId, e); |                 logger.fatal("The Cluster VM metadata sync process failed for cluster {} with {}", _clusterDao.findById(clusterId), e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -4224,10 +4226,10 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                 logger.debug("Not need to remove the vm {} from network {} as the vm doesn't have nic in this network.", vm, network); |                 logger.debug("Not need to remove the vm {} from network {} as the vm doesn't have nic in this network.", vm, network); | ||||||
|                 return true; |                 return true; | ||||||
|             } |             } | ||||||
|             throw new ConcurrentOperationException("Unable to lock nic " + nic.getId()); |             throw new ConcurrentOperationException(String.format("Unable to lock nic %s", nic)); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Lock is acquired for nic id {} as a part of remove vm {} from network {}", lock.getId(), vm, network); |         logger.debug("Lock is acquired for nic {} as a part of remove vm {} from network {}", lock, vm, network); | ||||||
| 
 | 
 | ||||||
|         try { |         try { | ||||||
|             final NicProfile nicProfile = |             final NicProfile nicProfile = | ||||||
| @ -4256,7 +4258,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             return true; |             return true; | ||||||
|         } finally { |         } finally { | ||||||
|             _nicsDao.releaseFromLockTable(lock.getId()); |             _nicsDao.releaseFromLockTable(lock.getId()); | ||||||
|             logger.debug("Lock is released for nic id {} as a part of remove vm {} from network {}", lock.getId(), vm, network); |             logger.debug("Lock is released for nic {} as a part of remove vm {} from network {}", lock, vm, network); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -4348,9 +4350,8 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         vm.getServiceOfferingId(); |         vm.getServiceOfferingId(); | ||||||
|         final long dstHostId = dest.getHost().getId(); |         final long dstHostId = dest.getHost().getId(); | ||||||
|         final Host fromHost = _hostDao.findById(srcHostId); |         final Host fromHost = _hostDao.findById(srcHostId); | ||||||
|         Host srcHost = _hostDao.findById(srcHostId); |  | ||||||
|         if (fromHost == null) { |         if (fromHost == null) { | ||||||
|             String logMessageUnableToFindHost = String.format("Unable to find host to migrate from %s.", srcHost); |             String logMessageUnableToFindHost = String.format("Unable to find host to migrate from %s.", srcHostId); | ||||||
|             logger.info(logMessageUnableToFindHost); |             logger.info(logMessageUnableToFindHost); | ||||||
|             throw new CloudRuntimeException(logMessageUnableToFindHost); |             throw new CloudRuntimeException(logMessageUnableToFindHost); | ||||||
|         } |         } | ||||||
| @ -4359,7 +4360,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         long destHostClusterId = dest.getCluster().getId(); |         long destHostClusterId = dest.getCluster().getId(); | ||||||
|         long fromHostClusterId = fromHost.getClusterId(); |         long fromHostClusterId = fromHost.getClusterId(); | ||||||
|         if (fromHostClusterId != destHostClusterId) { |         if (fromHostClusterId != destHostClusterId) { | ||||||
|             String logMessageHostsOnDifferentCluster = String.format("Source and destination host are not in same cluster, unable to migrate to %s", srcHost); |             String logMessageHostsOnDifferentCluster = String.format("Source and destination host are not in same cluster, unable to migrate to %s", fromHost); | ||||||
|             logger.info(logMessageHostsOnDifferentCluster); |             logger.info(logMessageHostsOnDifferentCluster); | ||||||
|             throw new CloudRuntimeException(logMessageHostsOnDifferentCluster); |             throw new CloudRuntimeException(logMessageHostsOnDifferentCluster); | ||||||
|         } |         } | ||||||
| @ -4406,7 +4407,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             if (pfma == null || !pfma.getResult()) { |             if (pfma == null || !pfma.getResult()) { | ||||||
|                 final String details = pfma != null ? pfma.getDetails() : "null answer returned"; |                 final String details = pfma != null ? pfma.getDetails() : "null answer returned"; | ||||||
|                 pfma = null; |                 pfma = null; | ||||||
|                 throw new AgentUnavailableException(String.format("Unable to prepare for migration to destination host [%s] due to [%s].", dstHostId, details), dstHostId); |                 throw new AgentUnavailableException(String.format("Unable to prepare for migration to destination host [%s] due to [%s].", dest.getHost(), details), dstHostId); | ||||||
|             } |             } | ||||||
|         } catch (final OperationTimedoutException e1) { |         } catch (final OperationTimedoutException e1) { | ||||||
|             throw new AgentUnavailableException("Operation timed out", dstHostId); |             throw new AgentUnavailableException("Operation timed out", dstHostId); | ||||||
| @ -4466,7 +4467,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                     try { |                     try { | ||||||
|                         _agentMgr.send(srcHostId, new Commands(cleanup(vm.getInstanceName())), null); |                         _agentMgr.send(srcHostId, new Commands(cleanup(vm.getInstanceName())), null); | ||||||
|                     } catch (final AgentUnavailableException e) { |                     } catch (final AgentUnavailableException e) { | ||||||
|                         logger.error("Unable to cleanup source host [{}] due to [{}].", srcHostId, e.getMessage(), e); |                         logger.error("Unable to cleanup source host [{}] due to [{}].", fromHost, e.getMessage(), e); | ||||||
|                     } |                     } | ||||||
|                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); |                     cleanup(vmGuru, new VirtualMachineProfileImpl(vm), work, Event.AgentReportStopped, true); | ||||||
|                     throw new CloudRuntimeException("Unable to complete migration for " + vm); |                     throw new CloudRuntimeException("Unable to complete migration for " + vm); | ||||||
| @ -4801,7 +4802,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                 logger.warn("VM {} no longer exists when processing VM state report.", vmId); |                 logger.warn("VM {} no longer exists when processing VM state report.", vmId); | ||||||
|             } |             } | ||||||
|         } else { |         } else { | ||||||
|             logger.info("There is pending job or HA tasks working on the VM. vm id: {}, postpone power-change report by resetting power-change counters.", vmId ); |             logger.info("There is pending job or HA tasks working on the VM. vm: {}, postpone power-change report by resetting power-change counters.", () -> _vmDao.findById(vmId)); | ||||||
|             _vmDao.resetVmPowerStateTracking(vmId); |             _vmDao.resetVmPowerStateTracking(vmId); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -4842,7 +4843,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         case Running: |         case Running: | ||||||
|             try { |             try { | ||||||
|                 if (vm.getHostId() != null && !vm.getHostId().equals(vm.getPowerHostId())) { |                 if (vm.getHostId() != null && !vm.getHostId().equals(vm.getPowerHostId())) { | ||||||
|                     logger.info("Detected out of band VM migration from host " + vm.getHostId() + " to host " + vm.getPowerHostId()); |                     logger.info("Detected out of band VM migration from host {} to host {}", () -> _hostDao.findById(vm.getHostId()), () -> _hostDao.findById(vm.getPowerHostId())); | ||||||
|                 } |                 } | ||||||
|                 stateTransitTo(vm, VirtualMachine.Event.FollowAgentPowerOnReport, vm.getPowerHostId()); |                 stateTransitTo(vm, VirtualMachine.Event.FollowAgentPowerOnReport, vm.getPowerHostId()); | ||||||
|             } catch (final NoTransitionException e) { |             } catch (final NoTransitionException e) { | ||||||
| @ -4871,22 +4872,22 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
| 
 | 
 | ||||||
|         case Destroyed: |         case Destroyed: | ||||||
|         case Expunging: |         case Expunging: | ||||||
|             logger.info("Receive power on report when VM is in destroyed or expunging state. vm: {}, state: {}.", vm.getId(), vm.getState()); |             logger.info("Receive power on report when VM is in destroyed or expunging state. vm: {}, state: {}.", vm, vm.getState()); | ||||||
|             break; |             break; | ||||||
| 
 | 
 | ||||||
|         case Migrating: |         case Migrating: | ||||||
|             logger.info("VM {} is at {} and we received a power-on report while there is no pending jobs on it.", vm.getInstanceName(), vm.getState()); |             logger.info("VM {} is at {} and we received a power-on report while there is no pending jobs on it.", vm, vm.getState()); | ||||||
|             try { |             try { | ||||||
|                 stateTransitTo(vm, VirtualMachine.Event.FollowAgentPowerOnReport, vm.getPowerHostId()); |                 stateTransitTo(vm, VirtualMachine.Event.FollowAgentPowerOnReport, vm.getPowerHostId()); | ||||||
|             } catch (final NoTransitionException e) { |             } catch (final NoTransitionException e) { | ||||||
|                 logger.warn("Unexpected VM state transition exception, race-condition?", e); |                 logger.warn("Unexpected VM state transition exception, race-condition?", e); | ||||||
|             } |             } | ||||||
|             logger.info("VM {} is sync-ed to at Running state according to power-on report from hypervisor.", vm.getInstanceName()); |             logger.info("VM {} is sync-ed to at Running state according to power-on report from hypervisor.", vm); | ||||||
|             break; |             break; | ||||||
| 
 | 
 | ||||||
|         case Error: |         case Error: | ||||||
|         default: |         default: | ||||||
|             logger.info("Receive power on report when VM is in error or unexpected state. vm: {}, state: {}.", vm.getId(), vm.getState()); |             logger.info("Receive power on report when VM is in error or unexpected state. vm: {}, state: {}.", vm, vm.getState()); | ||||||
|             break; |             break; | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -4901,16 +4902,16 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|                     EventTypes.EVENT_VM_STOP, "Out of band VM power off", vm.getId(), getApiCommandResourceTypeForVm(vm).toString()); |                     EventTypes.EVENT_VM_STOP, "Out of band VM power off", vm.getId(), getApiCommandResourceTypeForVm(vm).toString()); | ||||||
|         case Migrating: |         case Migrating: | ||||||
|             logger.info("VM {} is at {} and we received a {} report while there is no pending jobs on it" |             logger.info("VM {} is at {} and we received a {} report while there is no pending jobs on it" | ||||||
|                             , vm.getInstanceName(), vm.getState(), vm.getPowerState()); |                             , vm, vm.getState(), vm.getPowerState()); | ||||||
|             if((HighAvailabilityManager.ForceHA.value() || vm.isHaEnabled()) && vm.getState() == State.Running |             if((HighAvailabilityManager.ForceHA.value() || vm.isHaEnabled()) && vm.getState() == State.Running | ||||||
|                     && HaVmRestartHostUp.value() |                     && HaVmRestartHostUp.value() | ||||||
|                     && vm.getHypervisorType() != HypervisorType.VMware |                     && vm.getHypervisorType() != HypervisorType.VMware | ||||||
|                     && vm.getHypervisorType() != HypervisorType.Hyperv) { |                     && vm.getHypervisorType() != HypervisorType.Hyperv) { | ||||||
|                 logger.info("Detected out-of-band stop of a HA enabled VM {}, will schedule restart.", vm.getInstanceName()); |                 logger.info("Detected out-of-band stop of a HA enabled VM {}, will schedule restart.", vm); | ||||||
|                 if (!_haMgr.hasPendingHaWork(vm.getId())) { |                 if (!_haMgr.hasPendingHaWork(vm.getId())) { | ||||||
|                     _haMgr.scheduleRestart(vm, true); |                     _haMgr.scheduleRestart(vm, true); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.info("VM {} already has a pending HA task working on it.", vm.getInstanceName()); |                     logger.info("VM {} already has a pending HA task working on it.", vm); | ||||||
|                 } |                 } | ||||||
|                 return; |                 return; | ||||||
|             } |             } | ||||||
| @ -4937,10 +4938,10 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_SYNC, vm.getDataCenterId(), vm.getPodIdToDeployIn(), |             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_SYNC, vm.getDataCenterId(), vm.getPodIdToDeployIn(), | ||||||
|                     VM_SYNC_ALERT_SUBJECT, "VM " + vm.getHostName() + "(" + vm.getInstanceName() + ") state is sync-ed (" + vm.getState() |                     VM_SYNC_ALERT_SUBJECT, String.format("VM %s(%s) state is sync-ed (%s -> Stopped) from out-of-context transition.", | ||||||
|                     + " -> Stopped) from out-of-context transition."); |                             vm.getHostName(), vm, vm.getState())); | ||||||
| 
 | 
 | ||||||
|             logger.info("VM {} is sync-ed to at Stopped state according to power-off report from hypervisor.", vm.getInstanceName()); |             logger.info("VM {} is sync-ed to at Stopped state according to power-off report from hypervisor.", vm); | ||||||
| 
 | 
 | ||||||
|             break; |             break; | ||||||
| 
 | 
 | ||||||
| @ -4983,8 +4984,8 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|             final VMInstanceVO vm = _vmDao.findById(vmId); |             final VMInstanceVO vm = _vmDao.findById(vmId); | ||||||
| 
 | 
 | ||||||
|             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_SYNC, vm.getDataCenterId(), vm.getPodIdToDeployIn(), |             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_SYNC, vm.getDataCenterId(), vm.getPodIdToDeployIn(), | ||||||
|                     VM_SYNC_ALERT_SUBJECT, "VM " + vm.getHostName() + "(" + vm.getInstanceName() + ") is stuck in " + vm.getState() |                     VM_SYNC_ALERT_SUBJECT, String.format("VM %s(%s) is stuck in %s state and its host is unreachable for too long", | ||||||
|                     + " state and its host is unreachable for too long"); |                             vm.getHostName(), vm, vm.getState())); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -5502,7 +5503,7 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|         try { |         try { | ||||||
|             orchestrateMigrateAway(vm.getUuid(), work.getSrcHostId(), null); |             orchestrateMigrateAway(vm.getUuid(), work.getSrcHostId(), null); | ||||||
|         } catch (final InsufficientServerCapacityException e) { |         } catch (final InsufficientServerCapacityException e) { | ||||||
|             logger.warn("Failed to deploy vm {} with original planner, sending HAPlanner.", vm.getId(), e); |             logger.warn("Failed to deploy vm {} with original planner, sending HAPlanner.", vm, e); | ||||||
|             orchestrateMigrateAway(vm.getUuid(), work.getSrcHostId(), _haMgr.getHAPlanner()); |             orchestrateMigrateAway(vm.getUuid(), work.getSrcHostId(), _haMgr.getHAPlanner()); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -5794,18 +5795,20 @@ public class VirtualMachineManagerImpl extends ManagerBase implements VirtualMac | |||||||
|     @Override |     @Override | ||||||
|     public Pair<Long, Long> findClusterAndHostIdForVm(VirtualMachine vm, boolean skipCurrentHostForStartingVm) { |     public Pair<Long, Long> findClusterAndHostIdForVm(VirtualMachine vm, boolean skipCurrentHostForStartingVm) { | ||||||
|         Long hostId = null; |         Long hostId = null; | ||||||
|  |         Host host = null; | ||||||
|         if (!skipCurrentHostForStartingVm || !State.Starting.equals(vm.getState())) { |         if (!skipCurrentHostForStartingVm || !State.Starting.equals(vm.getState())) { | ||||||
|             hostId = vm.getHostId(); |             hostId = vm.getHostId(); | ||||||
|         } |         } | ||||||
|         Long clusterId = null; |         Long clusterId = null; | ||||||
|         if(hostId == null) { |  | ||||||
|             hostId = vm.getLastHostId(); |  | ||||||
|             logger.debug("host id is null, using last host id {}", hostId); |  | ||||||
|         } |  | ||||||
|         if (hostId == null) { |         if (hostId == null) { | ||||||
|             return findClusterAndHostIdForVmFromVolumes(vm.getId()); |             if (vm.getLastHostId() == null) { | ||||||
|  |                 return findClusterAndHostIdForVmFromVolumes(vm.getId()); | ||||||
|  |             } | ||||||
|  |             hostId = vm.getLastHostId(); | ||||||
|  |             host = _hostDao.findById(hostId); | ||||||
|  |             logger.debug("host id is null, using last host {} with id {}", host, hostId); | ||||||
|         } |         } | ||||||
|         HostVO host = _hostDao.findById(hostId); |         host = host == null ? _hostDao.findById(hostId) : host; | ||||||
|         if (host != null) { |         if (host != null) { | ||||||
|             clusterId = host.getClusterId(); |             clusterId = host.getClusterId(); | ||||||
|         } |         } | ||||||
|  | |||||||
| @ -19,15 +19,14 @@ package com.cloud.vm; | |||||||
| import java.util.Map; | import java.util.Map; | ||||||
| 
 | 
 | ||||||
| import com.cloud.agent.api.HostVmStateReportEntry; | import com.cloud.agent.api.HostVmStateReportEntry; | ||||||
|  | import com.cloud.host.Host; | ||||||
| 
 | 
 | ||||||
| public interface VirtualMachinePowerStateSync { | public interface VirtualMachinePowerStateSync { | ||||||
| 
 | 
 | ||||||
|     void resetHostSyncState(long hostId); |     void resetHostSyncState(Host hostId); | ||||||
| 
 | 
 | ||||||
|     void processHostVmStateReport(long hostId, Map<String, HostVmStateReportEntry> report); |     void processHostVmStateReport(long hostId, Map<String, HostVmStateReportEntry> report); | ||||||
| 
 | 
 | ||||||
|     // to adapt legacy ping report |     // to adapt legacy ping report | ||||||
|     void processHostVmStatePingReport(long hostId, Map<String, HostVmStateReportEntry> report, boolean force); |     void processHostVmStatePingReport(long hostId, Map<String, HostVmStateReportEntry> report, boolean force); | ||||||
| 
 |  | ||||||
|     Map<Long, VirtualMachine.PowerState> convertVmStateReport(Map<String, HostVmStateReportEntry> states); |  | ||||||
| } | } | ||||||
|  | |||||||
| @ -24,6 +24,10 @@ import java.util.Map; | |||||||
| 
 | 
 | ||||||
| import javax.inject.Inject; | import javax.inject.Inject; | ||||||
| 
 | 
 | ||||||
|  | import com.cloud.host.Host; | ||||||
|  | import com.cloud.host.HostVO; | ||||||
|  | import com.cloud.host.dao.HostDao; | ||||||
|  | import com.cloud.utils.Pair; | ||||||
| import org.apache.cloudstack.framework.messagebus.MessageBus; | import org.apache.cloudstack.framework.messagebus.MessageBus; | ||||||
| import org.apache.cloudstack.framework.messagebus.PublishScope; | import org.apache.cloudstack.framework.messagebus.PublishScope; | ||||||
| import org.apache.logging.log4j.Logger; | import org.apache.logging.log4j.Logger; | ||||||
| @ -40,54 +44,57 @@ public class VirtualMachinePowerStateSyncImpl implements VirtualMachinePowerStat | |||||||
| 
 | 
 | ||||||
|     @Inject MessageBus _messageBus; |     @Inject MessageBus _messageBus; | ||||||
|     @Inject VMInstanceDao _instanceDao; |     @Inject VMInstanceDao _instanceDao; | ||||||
|  |     @Inject HostDao hostDao; | ||||||
|     @Inject ManagementServiceConfiguration mgmtServiceConf; |     @Inject ManagementServiceConfiguration mgmtServiceConf; | ||||||
| 
 | 
 | ||||||
|     public VirtualMachinePowerStateSyncImpl() { |     public VirtualMachinePowerStateSyncImpl() { | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void resetHostSyncState(long hostId) { |     public void resetHostSyncState(Host host) { | ||||||
|         logger.info("Reset VM power state sync for host: {}.", hostId); |         logger.info("Reset VM power state sync for host: {}", host); | ||||||
|         _instanceDao.resetHostPowerStateTracking(hostId); |         _instanceDao.resetHostPowerStateTracking(host.getId()); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void processHostVmStateReport(long hostId, Map<String, HostVmStateReportEntry> report) { |     public void processHostVmStateReport(long hostId, Map<String, HostVmStateReportEntry> report) { | ||||||
|         logger.debug("Process host VM state report. host: {}.", hostId); |         HostVO host = hostDao.findById(hostId); | ||||||
|  |         logger.debug("Process host VM state report. host: {}", host); | ||||||
| 
 | 
 | ||||||
|         Map<Long, VirtualMachine.PowerState> translatedInfo = convertVmStateReport(report); |         Map<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> translatedInfo = convertVmStateReport(report); | ||||||
|         processReport(hostId, translatedInfo, false); |         processReport(host, translatedInfo, false); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void processHostVmStatePingReport(long hostId, Map<String, HostVmStateReportEntry> report, boolean force) { |     public void processHostVmStatePingReport(long hostId, Map<String, HostVmStateReportEntry> report, boolean force) { | ||||||
|         logger.debug("Process host VM state report from ping process. host: {}.", hostId); |         HostVO host = hostDao.findById(hostId); | ||||||
|  |         logger.debug("Process host VM state report from ping process. host: {}", host); | ||||||
| 
 | 
 | ||||||
|         Map<Long, VirtualMachine.PowerState> translatedInfo = convertVmStateReport(report); |         Map<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> translatedInfo = convertVmStateReport(report); | ||||||
|         processReport(hostId, translatedInfo, force); |         processReport(host, translatedInfo, force); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private void processReport(long hostId, Map<Long, VirtualMachine.PowerState> translatedInfo, boolean force) { |     private void processReport(HostVO host, Map<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> translatedInfo, boolean force) { | ||||||
| 
 | 
 | ||||||
|         logger.debug("Process VM state report. host: {}, number of records in report: {}.", hostId, translatedInfo.size()); |         logger.debug("Process VM state report. host: {}, number of records in report: {}.", host, translatedInfo.size()); | ||||||
| 
 | 
 | ||||||
|         for (Map.Entry<Long, VirtualMachine.PowerState> entry : translatedInfo.entrySet()) { |         for (Map.Entry<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> entry : translatedInfo.entrySet()) { | ||||||
| 
 | 
 | ||||||
|             logger.debug("VM state report. host: {}, vm id: {}, power state: {}.", hostId, entry.getKey(), entry.getValue()); |             logger.debug("VM state report. host: {}, vm: {}, power state: {}", host, entry.getValue().second(), entry.getValue().first()); | ||||||
| 
 | 
 | ||||||
|             if (_instanceDao.updatePowerState(entry.getKey(), hostId, entry.getValue(), DateUtil.currentGMTTime())) { |             if (_instanceDao.updatePowerState(entry.getKey(), host.getId(), entry.getValue().first(), DateUtil.currentGMTTime())) { | ||||||
|                 logger.debug("VM state report is updated. host: {}, vm id: {}, power state: {}.", hostId, entry.getKey(), entry.getValue()); |                 logger.debug("VM state report is updated. host: {}, vm: {}, power state: {}", host, entry.getValue().second(), entry.getValue().first()); | ||||||
| 
 | 
 | ||||||
|                 _messageBus.publish(null, VirtualMachineManager.Topics.VM_POWER_STATE, PublishScope.GLOBAL, entry.getKey()); |                 _messageBus.publish(null, VirtualMachineManager.Topics.VM_POWER_STATE, PublishScope.GLOBAL, entry.getKey()); | ||||||
|             } else { |             } else { | ||||||
|                 logger.trace("VM power state does not change, skip DB writing. vm id: {}.", entry.getKey()); |                 logger.trace("VM power state does not change, skip DB writing. vm: {}", entry.getValue().second()); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // any state outdates should be checked against the time before this list was retrieved |         // any state outdates should be checked against the time before this list was retrieved | ||||||
|         Date startTime = DateUtil.currentGMTTime(); |         Date startTime = DateUtil.currentGMTTime(); | ||||||
|         // for all running/stopping VMs, we provide monitoring of missing report |         // for all running/stopping VMs, we provide monitoring of missing report | ||||||
|         List<VMInstanceVO> vmsThatAreMissingReport = _instanceDao.findByHostInStates(hostId, VirtualMachine.State.Running, |         List<VMInstanceVO> vmsThatAreMissingReport = _instanceDao.findByHostInStates(host.getId(), VirtualMachine.State.Running, | ||||||
|                 VirtualMachine.State.Stopping, VirtualMachine.State.Starting); |                 VirtualMachine.State.Stopping, VirtualMachine.State.Starting); | ||||||
|         java.util.Iterator<VMInstanceVO> it = vmsThatAreMissingReport.iterator(); |         java.util.Iterator<VMInstanceVO> it = vmsThatAreMissingReport.iterator(); | ||||||
|         while (it.hasNext()) { |         while (it.hasNext()) { | ||||||
| @ -99,7 +106,7 @@ public class VirtualMachinePowerStateSyncImpl implements VirtualMachinePowerStat | |||||||
|         // here we need to be wary of out of band migration as opposed to other, more unexpected state changes |         // here we need to be wary of out of band migration as opposed to other, more unexpected state changes | ||||||
|         if (vmsThatAreMissingReport.size() > 0) { |         if (vmsThatAreMissingReport.size() > 0) { | ||||||
|             Date currentTime = DateUtil.currentGMTTime(); |             Date currentTime = DateUtil.currentGMTTime(); | ||||||
|             logger.debug("Run missing VM report. current time: {}", currentTime.getTime()); |             logger.debug("Run missing VM report for host {}. current time: {}", host, currentTime.getTime()); | ||||||
| 
 | 
 | ||||||
|             // 2 times of sync-update interval for graceful period |             // 2 times of sync-update interval for graceful period | ||||||
|             long milliSecondsGracefullPeriod = mgmtServiceConf.getPingInterval() * 2000L; |             long milliSecondsGracefullPeriod = mgmtServiceConf.getPingInterval() * 2000L; | ||||||
| @ -109,60 +116,55 @@ public class VirtualMachinePowerStateSyncImpl implements VirtualMachinePowerStat | |||||||
|                 // Make sure powerState is up to date for missing VMs |                 // Make sure powerState is up to date for missing VMs | ||||||
|                 try { |                 try { | ||||||
|                     if (!force && !_instanceDao.isPowerStateUpToDate(instance.getId())) { |                     if (!force && !_instanceDao.isPowerStateUpToDate(instance.getId())) { | ||||||
|                         logger.warn("Detected missing VM but power state is outdated, wait for another process report run for VM id: {}.", instance.getId()); |                         logger.warn("Detected missing VM but power state is outdated, wait for another process report run for VM: {}", instance); | ||||||
|                         _instanceDao.resetVmPowerStateTracking(instance.getId()); |                         _instanceDao.resetVmPowerStateTracking(instance.getId()); | ||||||
|                         continue; |                         continue; | ||||||
|                     } |                     } | ||||||
|                 } catch (CloudRuntimeException e) { |                 } catch (CloudRuntimeException e) { | ||||||
|                     logger.warn("Checked for missing powerstate of a none existing vm", e); |                     logger.warn("Checked for missing powerstate of a none existing vm {}", instance, e); | ||||||
|                     continue; |                     continue; | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 Date vmStateUpdateTime = instance.getPowerStateUpdateTime(); |                 Date vmStateUpdateTime = instance.getPowerStateUpdateTime(); | ||||||
|                 if (vmStateUpdateTime == null) { |                 if (vmStateUpdateTime == null) { | ||||||
|                     logger.warn("VM power state update time is null, falling back to update time for vm id: {}.", instance.getId()); |                     logger.warn("VM power state update time is null, falling back to update time for vm: {}", instance); | ||||||
|                     vmStateUpdateTime = instance.getUpdateTime(); |                     vmStateUpdateTime = instance.getUpdateTime(); | ||||||
|                     if (vmStateUpdateTime == null) { |                     if (vmStateUpdateTime == null) { | ||||||
|                         logger.warn("VM update time is null, falling back to creation time for vm id: {}", instance.getId()); |                         logger.warn("VM update time is null, falling back to creation time for vm: {}", instance); | ||||||
|                         vmStateUpdateTime = instance.getCreated(); |                         vmStateUpdateTime = instance.getCreated(); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 String lastTime = new SimpleDateFormat("yyyy/MM/dd'T'HH:mm:ss.SSS'Z'").format(vmStateUpdateTime); |                 String lastTime = new SimpleDateFormat("yyyy/MM/dd'T'HH:mm:ss.SSS'Z'").format(vmStateUpdateTime); | ||||||
|                 logger.debug("Detected missing VM. host: {}, vm id: {}({}), power state: {}, last state update: {}" |                 logger.debug("Detected missing VM. host: {}, vm: {}, power state: {}, last state update: {}", | ||||||
|                                 , hostId |                         host, instance, VirtualMachine.PowerState.PowerReportMissing, lastTime); | ||||||
|                                 , instance.getId() |  | ||||||
|                                 , instance.getUuid() |  | ||||||
|                                 , VirtualMachine.PowerState.PowerReportMissing |  | ||||||
|                                 , lastTime); |  | ||||||
| 
 | 
 | ||||||
|                 long milliSecondsSinceLastStateUpdate = currentTime.getTime() - vmStateUpdateTime.getTime(); |                 long milliSecondsSinceLastStateUpdate = currentTime.getTime() - vmStateUpdateTime.getTime(); | ||||||
| 
 | 
 | ||||||
|                 if (force || milliSecondsSinceLastStateUpdate > milliSecondsGracefullPeriod) { |                 if (force || milliSecondsSinceLastStateUpdate > milliSecondsGracefullPeriod) { | ||||||
|                     logger.debug("vm id: {} - time since last state update({}ms) has passed graceful period.", instance.getId(), milliSecondsSinceLastStateUpdate); |                     logger.debug("vm: {} - time since last state update({}ms) has passed graceful period", instance, milliSecondsSinceLastStateUpdate); | ||||||
| 
 | 
 | ||||||
|                     // this is were a race condition might have happened if we don't re-fetch the instance; |                     // this is were a race condition might have happened if we don't re-fetch the instance; | ||||||
|                     // between the startime of this job and the currentTime of this missing-branch |                     // between the startime of this job and the currentTime of this missing-branch | ||||||
|                     // an update might have occurred that we should not override in case of out of band migration |                     // an update might have occurred that we should not override in case of out of band migration | ||||||
|                     if (_instanceDao.updatePowerState(instance.getId(), hostId, VirtualMachine.PowerState.PowerReportMissing, startTime)) { |                     if (_instanceDao.updatePowerState(instance.getId(), host.getId(), VirtualMachine.PowerState.PowerReportMissing, startTime)) { | ||||||
|                         logger.debug("VM state report is updated. host: {}, vm id: {}, power state: PowerReportMissing.", hostId, instance.getId()); |                         logger.debug("VM state report is updated. host: {}, vm: {}, power state: PowerReportMissing ", host, instance); | ||||||
| 
 | 
 | ||||||
|                         _messageBus.publish(null, VirtualMachineManager.Topics.VM_POWER_STATE, PublishScope.GLOBAL, instance.getId()); |                         _messageBus.publish(null, VirtualMachineManager.Topics.VM_POWER_STATE, PublishScope.GLOBAL, instance.getId()); | ||||||
|                     } else { |                     } else { | ||||||
|                         logger.debug("VM power state does not change, skip DB writing. vm id: {}", instance.getId()); |                         logger.debug("VM power state does not change, skip DB writing. vm: {}", instance); | ||||||
|                     } |                     } | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.debug("vm id: {} - time since last state update({}ms) has not passed graceful period yet.", instance.getId(), milliSecondsSinceLastStateUpdate); |                     logger.debug("vm: {} - time since last state update({} ms) has not passed graceful period yet", instance, milliSecondsSinceLastStateUpdate); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Done with process of VM state report. host: {}", hostId); |         logger.debug("Done with process of VM state report. host: {}", host); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     public Map<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> convertVmStateReport(Map<String, HostVmStateReportEntry> states) { | ||||||
|     public Map<Long, VirtualMachine.PowerState> convertVmStateReport(Map<String, HostVmStateReportEntry> states) { |         final HashMap<Long, Pair<VirtualMachine.PowerState, VMInstanceVO>> map = new HashMap<>(); | ||||||
|         final HashMap<Long, VirtualMachine.PowerState> map = new HashMap<Long, VirtualMachine.PowerState>(); |  | ||||||
|         if (states == null) { |         if (states == null) { | ||||||
|             return map; |             return map; | ||||||
|         } |         } | ||||||
| @ -170,9 +172,9 @@ public class VirtualMachinePowerStateSyncImpl implements VirtualMachinePowerStat | |||||||
|         for (Map.Entry<String, HostVmStateReportEntry> entry : states.entrySet()) { |         for (Map.Entry<String, HostVmStateReportEntry> entry : states.entrySet()) { | ||||||
|             VMInstanceVO vm = findVM(entry.getKey()); |             VMInstanceVO vm = findVM(entry.getKey()); | ||||||
|             if (vm != null) { |             if (vm != null) { | ||||||
|                 map.put(vm.getId(), entry.getValue().getState()); |                 map.put(vm.getId(), new Pair<>(entry.getValue().getState(), vm)); | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("Unable to find matched VM in CloudStack DB. name: {}", entry.getKey()); |                 logger.debug("Unable to find matched VM in CloudStack DB. name: {} powerstate: {}", entry.getKey(), entry.getValue()); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -67,8 +67,8 @@ public class VmWorkJobWakeupDispatcher extends AdapterBase implements AsyncJobDi | |||||||
|         try { |         try { | ||||||
|             List<AsyncJobJoinMapVO> joinRecords = _joinMapDao.listJoinRecords(job.getId()); |             List<AsyncJobJoinMapVO> joinRecords = _joinMapDao.listJoinRecords(job.getId()); | ||||||
|             if (joinRecords.size() != 1) { |             if (joinRecords.size() != 1) { | ||||||
|                 logger.warn("AsyncJob-" + job.getId() |                 logger.warn("AsyncJob-{} ({}) received wakeup call with un-supported " + | ||||||
|                         + " received wakeup call with un-supported joining job number: " + joinRecords.size()); |                         "joining job number: {}", job.getId(), job, joinRecords.size()); | ||||||
| 
 | 
 | ||||||
|                 // if we fail wakeup-execution for any reason, avoid release sync-source if there is any |                 // if we fail wakeup-execution for any reason, avoid release sync-source if there is any | ||||||
|                 job.setSyncSource(null); |                 job.setSyncSource(null); | ||||||
| @ -82,7 +82,7 @@ public class VmWorkJobWakeupDispatcher extends AdapterBase implements AsyncJobDi | |||||||
|             try { |             try { | ||||||
|                 workClz = Class.forName(job.getCmd()); |                 workClz = Class.forName(job.getCmd()); | ||||||
|             } catch (ClassNotFoundException e) { |             } catch (ClassNotFoundException e) { | ||||||
|                 logger.error("VM work class " + job.getCmd() + " is not found", e); |                 logger.error("VM work class {} for job {} is not found", job.getCmd(), job, e); | ||||||
|                 return; |                 return; | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
| @ -103,14 +103,13 @@ public class VmWorkJobWakeupDispatcher extends AdapterBase implements AsyncJobDi | |||||||
|                     handler.invoke(_vmMgr); |                     handler.invoke(_vmMgr); | ||||||
|                 } else { |                 } else { | ||||||
|                     assert (false); |                     assert (false); | ||||||
|                     logger.error("Unable to find wakeup handler " + joinRecord.getWakeupHandler() + |                     logger.error("Unable to find wakeup handler {} when waking up job-{} ({})", joinRecord.getWakeupHandler(), job.getId(), job); | ||||||
|                             " when waking up job-" + job.getId()); |  | ||||||
|                 } |                 } | ||||||
|             } finally { |             } finally { | ||||||
|                 CallContext.unregister(); |                 CallContext.unregister(); | ||||||
|             } |             } | ||||||
|         } catch (Throwable e) { |         } catch (Throwable e) { | ||||||
|             logger.warn("Unexpected exception in waking up job-" + job.getId()); |             logger.warn("Unexpected exception in waking up job-{} ({})", job.getId(), job); | ||||||
| 
 | 
 | ||||||
|             // if we fail wakeup-execution for any reason, avoid release sync-source if there is any |             // if we fail wakeup-execution for any reason, avoid release sync-source if there is any | ||||||
|             job.setSyncSource(null); |             job.setSyncSource(null); | ||||||
|  | |||||||
| @ -96,7 +96,7 @@ public class DataCenterResourceManagerImpl implements DataCenterResourceManager | |||||||
|     public EngineClusterVO loadCluster(String uuid) { |     public EngineClusterVO loadCluster(String uuid) { | ||||||
|         EngineClusterVO cluster = _clusterDao.findByUuid(uuid); |         EngineClusterVO cluster = _clusterDao.findByUuid(uuid); | ||||||
|         if (cluster == null) { |         if (cluster == null) { | ||||||
|             throw new InvalidParameterValueException("Pod does not exist"); |             throw new InvalidParameterValueException("Cluster does not exist"); | ||||||
|         } |         } | ||||||
|         return cluster; |         return cluster; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -29,6 +29,7 @@ import org.apache.cloudstack.engine.datacenter.entity.api.DataCenterResourceEnti | |||||||
| import org.apache.cloudstack.engine.datacenter.entity.api.DataCenterResourceEntity.State.Event; | import org.apache.cloudstack.engine.datacenter.entity.api.DataCenterResourceEntity.State.Event; | ||||||
| import org.apache.cloudstack.util.CPUArchConverter; | import org.apache.cloudstack.util.CPUArchConverter; | ||||||
| import org.apache.cloudstack.util.HypervisorTypeConverter; | import org.apache.cloudstack.util.HypervisorTypeConverter; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| import javax.persistence.Column; | import javax.persistence.Column; | ||||||
| import javax.persistence.Convert; | import javax.persistence.Convert; | ||||||
| @ -264,4 +265,11 @@ public class EngineClusterVO implements EngineCluster, Identity { | |||||||
|     public PartitionType partitionType() { |     public PartitionType partitionType() { | ||||||
|         return PartitionType.Cluster; |         return PartitionType.Cluster; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("EngineCluster %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -43,6 +43,7 @@ import com.cloud.org.Grouping; | |||||||
| import com.cloud.utils.NumbersUtil; | import com.cloud.utils.NumbersUtil; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
| import com.cloud.utils.db.StateMachine; | import com.cloud.utils.db.StateMachine; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "data_center") | @Table(name = "data_center") | ||||||
| @ -523,4 +524,11 @@ public class EngineDataCenterVO implements EngineDataCenter, Identity { | |||||||
|     public DataCenter.Type getType() { |     public DataCenter.Type getType() { | ||||||
|         return type; |         return type; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("EngineDataCenter %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -38,6 +38,7 @@ import com.cloud.org.Grouping; | |||||||
| import com.cloud.utils.NumbersUtil; | import com.cloud.utils.NumbersUtil; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
| import com.cloud.utils.db.StateMachine; | import com.cloud.utils.db.StateMachine; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "host_pod_ref") | @Table(name = "host_pod_ref") | ||||||
| @ -246,4 +247,11 @@ public class EngineHostPodVO implements EnginePod, Identity { | |||||||
|     public State getState() { |     public State getState() { | ||||||
|         return state; |         return state; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("EngineHostPod %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -53,6 +53,7 @@ import com.cloud.utils.db.GenericDao; | |||||||
| import com.cloud.utils.db.StateMachine; | import com.cloud.utils.db.StateMachine; | ||||||
| import org.apache.cloudstack.util.CPUArchConverter; | import org.apache.cloudstack.util.CPUArchConverter; | ||||||
| import org.apache.cloudstack.util.HypervisorTypeConverter; | import org.apache.cloudstack.util.HypervisorTypeConverter; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "host") | @Table(name = "host") | ||||||
| @ -697,7 +698,9 @@ public class EngineHostVO implements EngineHost, Identity { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Host[").append("-").append(id).append("-").append(type).append("]").toString(); |         return String.format("EngineHost %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "type")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public void setHypervisorType(HypervisorType hypervisorType) { |     public void setHypervisorType(HypervisorType hypervisorType) { | ||||||
|  | |||||||
| @ -297,7 +297,7 @@ public class EngineClusterDaoImpl extends GenericDaoBase<EngineClusterVO, Long> | |||||||
|                     .append("; updatedTime=") |                     .append("; updatedTime=") | ||||||
|                     .append(oldUpdatedTime); |                     .append(oldUpdatedTime); | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("Unable to update dataCenter: id=" + vo.getId() + ", as there is no such dataCenter exists in the database anymore"); |                 logger.debug("Unable to update dataCenter {} with id={}, as there is no such dataCenter exists in the database anymore", vo, vo.getId()); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         return rows > 0; |         return rows > 0; | ||||||
|  | |||||||
| @ -300,7 +300,7 @@ public class EngineDataCenterDaoImpl extends GenericDaoBase<EngineDataCenterVO, | |||||||
|                     .append("; updatedTime=") |                     .append("; updatedTime=") | ||||||
|                     .append(oldUpdatedTime); |                     .append(oldUpdatedTime); | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("Unable to update dataCenter: id=" + vo.getId() + ", as there is no such dataCenter exists in the database anymore"); |                 logger.debug("Unable to update dataCenter {} with id {}, as there is no such dataCenter exists in the database anymore", vo, vo.getId()); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         return rows > 0; |         return rows > 0; | ||||||
|  | |||||||
| @ -451,7 +451,7 @@ public class EngineHostDaoImpl extends GenericDaoBase<EngineHostVO, Long> implem | |||||||
|                     .append("; updatedTime=") |                     .append("; updatedTime=") | ||||||
|                     .append(oldUpdatedTime); |                     .append(oldUpdatedTime); | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("Unable to update dataCenter: id=" + vo.getId() + ", as there is no such dataCenter exists in the database anymore"); |                 logger.debug("Unable to update dataCenter: {}, as there is no such dataCenter exists in the database anymore", vo); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         return rows > 0; |         return rows > 0; | ||||||
|  | |||||||
| @ -183,7 +183,7 @@ public class EngineHostPodDaoImpl extends GenericDaoBase<EngineHostPodVO, Long> | |||||||
|                     .append("; updatedTime=") |                     .append("; updatedTime=") | ||||||
|                     .append(oldUpdatedTime); |                     .append(oldUpdatedTime); | ||||||
|             } else { |             } else { | ||||||
|                 logger.debug("Unable to update dataCenter: id=" + vo.getId() + ", as there is no such dataCenter exists in the database anymore"); |                 logger.debug("Unable to update dataCenter: {}, as there is no such dataCenter exists in the database anymore", vo); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         return rows > 0; |         return rows > 0; | ||||||
|  | |||||||
| @ -1248,18 +1248,18 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|         VlanVO vlanVo = _vlanDao.findByNetworkIdAndIpv4(network.getId(), requestedIpv4Address); |         VlanVO vlanVo = _vlanDao.findByNetworkIdAndIpv4(network.getId(), requestedIpv4Address); | ||||||
|         if (vlanVo == null) { |         if (vlanVo == null) { | ||||||
|             throw new InvalidParameterValueException(String.format("Trying to configure a Nic with the requested [IPv4='%s'] but cannot find a Vlan for the [network id='%s']", |             throw new InvalidParameterValueException(String.format("Trying to configure a Nic with the requested [IPv4='%s'] but cannot find a Vlan for the [network '%s']", | ||||||
|                     requestedIpv4Address, network.getId())); |                     requestedIpv4Address, network)); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         String ipv4Gateway = vlanVo.getVlanGateway(); |         String ipv4Gateway = vlanVo.getVlanGateway(); | ||||||
|         String ipv4Netmask = vlanVo.getVlanNetmask(); |         String ipv4Netmask = vlanVo.getVlanNetmask(); | ||||||
| 
 | 
 | ||||||
|         if (!NetUtils.isValidIp4(ipv4Gateway)) { |         if (!NetUtils.isValidIp4(ipv4Gateway)) { | ||||||
|             throw new InvalidParameterValueException(String.format("The [IPv4Gateway='%s'] from [VlanId='%s'] is not valid", ipv4Gateway, vlanVo.getId())); |             throw new InvalidParameterValueException(String.format("The [IPv4Gateway='%s'] from [Vlan id=%d uuid=%s] is not valid", ipv4Gateway, vlanVo.getId(), vlanVo.getUuid())); | ||||||
|         } |         } | ||||||
|         if (!NetUtils.isValidIp4Netmask(ipv4Netmask)) { |         if (!NetUtils.isValidIp4Netmask(ipv4Netmask)) { | ||||||
|             throw new InvalidParameterValueException(String.format("The [IPv4Netmask='%s'] from [VlanId='%s'] is not valid", ipv4Netmask, vlanVo.getId())); |             throw new InvalidParameterValueException(String.format("The [IPv4Netmask='%s'] from [Vlan id=%d uuid=%s] is not valid", ipv4Netmask, vlanVo.getId(), vlanVo.getUuid())); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         acquireLockAndCheckIfIpv4IsFree(network, requestedIpv4Address); |         acquireLockAndCheckIfIpv4IsFree(network, requestedIpv4Address); | ||||||
| @ -1273,7 +1273,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                 String macAddress = _networkModel.getNextAvailableMacAddressInNetwork(network.getId()); |                 String macAddress = _networkModel.getNextAvailableMacAddressInNetwork(network.getId()); | ||||||
|                 nicProfile.setMacAddress(macAddress); |                 nicProfile.setMacAddress(macAddress); | ||||||
|             } catch (InsufficientAddressCapacityException e) { |             } catch (InsufficientAddressCapacityException e) { | ||||||
|                 throw new CloudRuntimeException(String.format("Cannot get next available mac address in [network id='%s']", network.getId()), e); |                 throw new CloudRuntimeException(String.format("Cannot get next available mac address in [network %s]", network), e); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -1285,7 +1285,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         IPAddressVO ipVO = _ipAddressDao.findByIpAndSourceNetworkId(network.getId(), requestedIpv4Address); |         IPAddressVO ipVO = _ipAddressDao.findByIpAndSourceNetworkId(network.getId(), requestedIpv4Address); | ||||||
|         if (ipVO == null) { |         if (ipVO == null) { | ||||||
|             throw new InvalidParameterValueException( |             throw new InvalidParameterValueException( | ||||||
|                     String.format("Cannot find IPAddressVO for guest [IPv4 address='%s'] and [network id='%s']", requestedIpv4Address, network.getId())); |                     String.format("Cannot find IPAddressVO for guest [IPv4 address='%s'] and [network %s]", requestedIpv4Address, network)); | ||||||
|         } |         } | ||||||
|         try { |         try { | ||||||
|             IPAddressVO lockedIpVO = _ipAddressDao.acquireInLockTable(ipVO.getId()); |             IPAddressVO lockedIpVO = _ipAddressDao.acquireInLockTable(ipVO.getId()); | ||||||
| @ -1489,17 +1489,17 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                 final SetupPersistentNetworkAnswer answer = (SetupPersistentNetworkAnswer) _agentMgr.send(host.getId(), cmd); |                 final SetupPersistentNetworkAnswer answer = (SetupPersistentNetworkAnswer) _agentMgr.send(host.getId(), cmd); | ||||||
| 
 | 
 | ||||||
|                 if (answer == null) { |                 if (answer == null) { | ||||||
|                     logger.warn("Unable to get an answer to the SetupPersistentNetworkCommand from agent: {}", host.getId()); |                     logger.warn("Unable to get an answer to the SetupPersistentNetworkCommand from agent: {}", host); | ||||||
|                     clusterToHostsMap.get(host.getClusterId()).remove(host.getId()); |                     clusterToHostsMap.get(host.getClusterId()).remove(host.getId()); | ||||||
|                     continue; |                     continue; | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 if (!answer.getResult()) { |                 if (!answer.getResult()) { | ||||||
|                     logger.warn("Unable to setup agent {} due to {}", host.getId(), answer.getDetails()); |                     logger.warn("Unable to setup agent {} due to {}", host, answer.getDetails()); | ||||||
|                     clusterToHostsMap.get(host.getClusterId()).remove(host.getId()); |                     clusterToHostsMap.get(host.getClusterId()).remove(host.getId()); | ||||||
|                 } |                 } | ||||||
|             } catch (Exception e) { |             } catch (Exception e) { | ||||||
|                 logger.warn("Failed to connect to host: {}", host.getName()); |                 logger.warn("Failed to connect to host: {}", host); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         if (clusterToHostsMap.keySet().size() != clusterVOs.size()) { |         if (clusterToHostsMap.keySet().size() != clusterVOs.size()) { | ||||||
| @ -1526,7 +1526,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         NetworkVO network = _networksDao.findById(networkId); |         NetworkVO network = _networksDao.findById(networkId); | ||||||
|         final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, network.getGuruName()); |         final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, network.getGuruName()); | ||||||
|         if (isNetworkImplemented(network)) { |         if (isNetworkImplemented(network)) { | ||||||
|             logger.debug("Network id={} is already implemented", networkId); |             logger.debug("Network {} is already implemented", network); | ||||||
|             implemented.set(guru, network); |             implemented.set(guru, network); | ||||||
|             UsageEventUtils.publishUsageEvent(EventTypes.EVENT_NETWORK_UPDATE, network.getAccountId(), network.getDataCenterId(), network.getId(), |             UsageEventUtils.publishUsageEvent(EventTypes.EVENT_NETWORK_UPDATE, network.getAccountId(), network.getDataCenterId(), network.getId(), | ||||||
|                     network.getName(), network.getNetworkOfferingId(), null, network.getState().name(), Network.class.getName(), network.getUuid(), true); |                     network.getName(), network.getNetworkOfferingId(), null, network.getState().name(), Network.class.getName(), network.getUuid(), true); | ||||||
| @ -1542,11 +1542,11 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             throw ex; |             throw ex; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Lock is acquired for network id {} as a part of network implement", networkId); |         logger.debug("Lock is acquired for network id {} as a part of network implement", network); | ||||||
| 
 | 
 | ||||||
|         try { |         try { | ||||||
|             if (isNetworkImplemented(network)) { |             if (isNetworkImplemented(network)) { | ||||||
|                 logger.debug("Network id={} is already implemented", networkId); |                 logger.debug("Network {} is already implemented", network); | ||||||
|                 implemented.set(guru, network); |                 implemented.set(guru, network); | ||||||
|                 return implemented; |                 return implemented; | ||||||
|             } |             } | ||||||
| @ -1618,7 +1618,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             _networksDao.releaseFromLockTable(networkId); |             _networksDao.releaseFromLockTable(networkId); | ||||||
|             logger.debug("Lock is released for network id {} as a part of network implement", networkId); |             logger.debug("Lock is released for network {} as a part of network implement", network); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -1743,57 +1743,57 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             _firewallMgr.applyDefaultEgressFirewallRule(network.getId(), offering.isEgressDefaultPolicy(), true); |             _firewallMgr.applyDefaultEgressFirewallRule(network.getId(), offering.isEgressDefaultPolicy(), true); | ||||||
|         } |         } | ||||||
|         if (!_firewallMgr.applyFirewallRules(firewallEgressRulesToApply, false, caller)) { |         if (!_firewallMgr.applyFirewallRules(firewallEgressRulesToApply, false, caller)) { | ||||||
|             logger.warn("Failed to reapply firewall Egress rule(s) as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply firewall Egress rule(s) as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // associate all ip addresses |         // associate all ip addresses | ||||||
|         if (!_ipAddrMgr.applyIpAssociations(network, false)) { |         if (!_ipAddrMgr.applyIpAssociations(network, false)) { | ||||||
|             logger.warn("Failed to apply ip addresses as a part of network id {} restart", networkId); |             logger.warn("Failed to apply ip addresses as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply BGP settings |         // apply BGP settings | ||||||
|         if (!bgpService.applyBgpPeers(network, false)) { |         if (!bgpService.applyBgpPeers(network, false)) { | ||||||
|             logger.warn("Failed to apply bpg peers as a part of network id {} restart", networkId); |             logger.warn("Failed to apply bpg peers as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|         // apply static nat |         // apply static nat | ||||||
|         if (!_rulesMgr.applyStaticNatsForNetwork(networkId, false, caller)) { |         if (!_rulesMgr.applyStaticNatsForNetwork(network, false, caller)) { | ||||||
|             logger.warn("Failed to apply static nats a part of network id {} restart", networkId); |             logger.warn("Failed to apply static nats a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply firewall rules |         // apply firewall rules | ||||||
|         final List<FirewallRuleVO> firewallIngressRulesToApply = _firewallDao.listByNetworkPurposeTrafficType(networkId, Purpose.Firewall, FirewallRule.TrafficType.Ingress); |         final List<FirewallRuleVO> firewallIngressRulesToApply = _firewallDao.listByNetworkPurposeTrafficType(networkId, Purpose.Firewall, FirewallRule.TrafficType.Ingress); | ||||||
|         if (!_firewallMgr.applyFirewallRules(firewallIngressRulesToApply, false, caller)) { |         if (!_firewallMgr.applyFirewallRules(firewallIngressRulesToApply, false, caller)) { | ||||||
|             logger.warn("Failed to reapply Ingress firewall rule(s) as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply Ingress firewall rule(s) as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply port forwarding rules |         // apply port forwarding rules | ||||||
|         if (!_rulesMgr.applyPortForwardingRulesForNetwork(networkId, false, caller)) { |         if (!_rulesMgr.applyPortForwardingRulesForNetwork(networkId, false, caller)) { | ||||||
|             logger.warn("Failed to reapply port forwarding rule(s) as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply port forwarding rule(s) as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply static nat rules |         // apply static nat rules | ||||||
|         if (!_rulesMgr.applyStaticNatRulesForNetwork(networkId, false, caller)) { |         if (!_rulesMgr.applyStaticNatRulesForNetwork(networkId, false, caller)) { | ||||||
|             logger.warn("Failed to reapply static nat rule(s) as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply static nat rule(s) as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply public load balancer rules |         // apply public load balancer rules | ||||||
|         if (!_lbMgr.applyLoadBalancersForNetwork(networkId, Scheme.Public)) { |         if (!_lbMgr.applyLoadBalancersForNetwork(network, Scheme.Public)) { | ||||||
|             logger.warn("Failed to reapply Public load balancer rules as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply Public load balancer rules as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // apply internal load balancer rules |         // apply internal load balancer rules | ||||||
|         if (!_lbMgr.applyLoadBalancersForNetwork(networkId, Scheme.Internal)) { |         if (!_lbMgr.applyLoadBalancersForNetwork(network, Scheme.Internal)) { | ||||||
|             logger.warn("Failed to reapply internal load balancer rules as a part of network id={} restart", networkId); |             logger.warn("Failed to reapply internal load balancer rules as a part of network {} restart", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1803,7 +1803,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             for (final RemoteAccessVpn vpn : vpnsToReapply) { |             for (final RemoteAccessVpn vpn : vpnsToReapply) { | ||||||
|                 // Start remote access vpn per ip |                 // Start remote access vpn per ip | ||||||
|                 if (_vpnMgr.startRemoteAccessVpn(vpn.getServerAddressId(), false) == null) { |                 if (_vpnMgr.startRemoteAccessVpn(vpn.getServerAddressId(), false) == null) { | ||||||
|                     logger.warn("Failed to reapply vpn rules as a part of network id={} restart", networkId); |                     logger.warn("Failed to reapply vpn rules as a part of network {} restart", network); | ||||||
|                     success = false; |                     success = false; | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -1811,7 +1811,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|         //apply network ACLs |         //apply network ACLs | ||||||
|         if (!_networkACLMgr.applyACLToNetwork(networkId)) { |         if (!_networkACLMgr.applyACLToNetwork(networkId)) { | ||||||
|             logger.warn("Failed to reapply network ACLs as a part of  of network id={}", networkId); |             logger.warn("Failed to reapply network ACLs as a part of  of network {}", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1922,13 +1922,13 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         long userId = User.UID_SYSTEM; |         long userId = User.UID_SYSTEM; | ||||||
|         //remove all PF/Static Nat rules for the network |         //remove all PF/Static Nat rules for the network | ||||||
|         logger.info("Services: {} are no longer supported in network: {} after applying new network offering: {} removing the related configuration", |         logger.info("Services: {} are no longer supported in network: {} after applying new network offering: {} removing the related configuration", | ||||||
|                 services, network.getUuid(), network.getNetworkOfferingId()); |                 services::toString, network::toString, () -> _networkOfferingDao.findById(network.getNetworkOfferingId())); | ||||||
|         if (services.contains(Service.StaticNat.getName()) || services.contains(Service.PortForwarding.getName())) { |         if (services.contains(Service.StaticNat.getName()) || services.contains(Service.PortForwarding.getName())) { | ||||||
|             try { |             try { | ||||||
|                 if (_rulesMgr.revokeAllPFStaticNatRulesForNetwork(networkId, userId, caller)) { |                 if (_rulesMgr.revokeAllPFStaticNatRulesForNetwork(networkId, userId, caller)) { | ||||||
|                     logger.debug("Successfully cleaned up portForwarding/staticNat rules for network id={}", networkId); |                     logger.debug("Successfully cleaned up portForwarding/staticNat rules for network {}", network); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.warn("Failed to release portForwarding/StaticNat rules as a part of network id={} cleanup", networkId); |                     logger.warn("Failed to release portForwarding/StaticNat rules as a part of network {} cleanup", network); | ||||||
|                 } |                 } | ||||||
|                 if (services.contains(Service.StaticNat.getName())) { |                 if (services.contains(Service.StaticNat.getName())) { | ||||||
|                     //removing static nat configured on ips. |                     //removing static nat configured on ips. | ||||||
| @ -1947,7 +1947,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                     }); |                     }); | ||||||
|                 } |                 } | ||||||
|             } catch (ResourceUnavailableException ex) { |             } catch (ResourceUnavailableException ex) { | ||||||
|                 logger.warn("Failed to release portForwarding/StaticNat rules as a part of network id={} cleanup due to resourceUnavailable", networkId, ex); |                 logger.warn("Failed to release portForwarding/StaticNat rules as a part of network {} cleanup due to resourceUnavailable", network, ex); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|         if (services.contains(Service.SourceNat.getName())) { |         if (services.contains(Service.SourceNat.getName())) { | ||||||
| @ -1966,22 +1966,22 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         if (services.contains(Service.Lb.getName())) { |         if (services.contains(Service.Lb.getName())) { | ||||||
|             //remove all LB rules for the network |             //remove all LB rules for the network | ||||||
|             if (_lbMgr.removeAllLoadBalanacersForNetwork(networkId, caller, userId)) { |             if (_lbMgr.removeAllLoadBalanacersForNetwork(networkId, caller, userId)) { | ||||||
|                 logger.debug("Successfully cleaned up load balancing rules for network id={}", networkId); |                 logger.debug("Successfully cleaned up load balancing rules for network {}", network); | ||||||
|             } else { |             } else { | ||||||
|                 logger.warn("Failed to cleanup LB rules as a part of network id={} cleanup", networkId); |                 logger.warn("Failed to cleanup LB rules as a part of network {} cleanup", network); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (services.contains(Service.Firewall.getName())) { |         if (services.contains(Service.Firewall.getName())) { | ||||||
|             //revoke all firewall rules for the network |             //revoke all firewall rules for the network | ||||||
|             try { |             try { | ||||||
|                 if (_firewallMgr.revokeAllFirewallRulesForNetwork(networkId, userId, caller)) { |                 if (_firewallMgr.revokeAllFirewallRulesForNetwork(network, userId, caller)) { | ||||||
|                     logger.debug("Successfully cleaned up firewallRules rules for network id={}", networkId); |                     logger.debug("Successfully cleaned up firewallRules rules for network {}", network); | ||||||
|                 } else { |                 } else { | ||||||
|                     logger.warn("Failed to cleanup Firewall rules as a part of network id={} cleanup", networkId); |                     logger.warn("Failed to cleanup Firewall rules as a part of network {} cleanup", network); | ||||||
|                 } |                 } | ||||||
|             } catch (ResourceUnavailableException ex) { |             } catch (ResourceUnavailableException ex) { | ||||||
|                 logger.warn("Failed to cleanup Firewall rules as a part of network id={} cleanup due to resourceUnavailable", networkId, ex); |                 logger.warn("Failed to cleanup Firewall rules as a part of network {} cleanup due to resourceUnavailable", network, ex); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -1991,7 +1991,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             try { |             try { | ||||||
|                 _vpnMgr.destroyRemoteAccessVpnForIp(vpn.getServerAddressId(), caller, true); |                 _vpnMgr.destroyRemoteAccessVpnForIp(vpn.getServerAddressId(), caller, true); | ||||||
|             } catch (ResourceUnavailableException ex) { |             } catch (ResourceUnavailableException ex) { | ||||||
|                 logger.warn("Failed to cleanup remote access vpn resources of network: {} due to Exception: {}", network.getUuid(), ex); |                 logger.warn("Failed to cleanup remote access vpn resources of network: {} due to Exception: {}", network, ex); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| @ -2088,20 +2088,20 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @DB |     @DB | ||||||
|     protected void updateNic(final NicVO nic, final long networkId, final int count) { |     protected void updateNic(final NicVO nic, final Network network, final int count) { | ||||||
|         Transaction.execute(new TransactionCallbackNoReturn() { |         Transaction.execute(new TransactionCallbackNoReturn() { | ||||||
|             @Override |             @Override | ||||||
|             public void doInTransactionWithoutResult(final TransactionStatus status) { |             public void doInTransactionWithoutResult(final TransactionStatus status) { | ||||||
|                 _nicDao.update(nic.getId(), nic); |                 _nicDao.update(nic.getId(), nic); | ||||||
| 
 | 
 | ||||||
|                 if (nic.getVmType() == VirtualMachine.Type.User) { |                 if (nic.getVmType() == VirtualMachine.Type.User) { | ||||||
|                     logger.debug("Changing active number of nics for network id={} on {}", networkId, count); |                     logger.debug(String.format("Changing active number of nics for network id=%s on %d", network, count)); | ||||||
|                     _networksDao.changeActiveNicsBy(networkId, count); |                     _networksDao.changeActiveNicsBy(network.getId(), count); | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
|                 if (nic.getVmType() == VirtualMachine.Type.User |                 if (nic.getVmType() == VirtualMachine.Type.User | ||||||
|                         || nic.getVmType() == VirtualMachine.Type.DomainRouter && _networksDao.findById(networkId).getTrafficType() == TrafficType.Guest) { |                         || nic.getVmType() == VirtualMachine.Type.DomainRouter && _networksDao.findById(network.getId()).getTrafficType() == TrafficType.Guest) { | ||||||
|                     _networksDao.setCheckForGc(networkId); |                     _networksDao.setCheckForGc(network.getId()); | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|         }); |         }); | ||||||
| @ -2128,8 +2128,9 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         for (final NicVO nic : nics) { |         for (final NicVO nic : nics) { | ||||||
|             final Pair<NetworkGuru, NetworkVO> implemented = implementNetwork(nic.getNetworkId(), dest, context, vmProfile.getVirtualMachine().getType() == Type.DomainRouter); |             final Pair<NetworkGuru, NetworkVO> implemented = implementNetwork(nic.getNetworkId(), dest, context, vmProfile.getVirtualMachine().getType() == Type.DomainRouter); | ||||||
|             if (implemented == null || implemented.first() == null) { |             if (implemented == null || implemented.first() == null) { | ||||||
|                 logger.warn("Failed to implement network id={} as a part of preparing nic id={}", nic.getNetworkId(), nic.getId()); |                 NetworkVO network = _networksDao.findById(nic.getNetworkId()); | ||||||
|                 throw new CloudRuntimeException("Failed to implement network id=" + nic.getNetworkId() + " as a part preparing nic id=" + nic.getId()); |                 logger.warn("Failed to implement network: {} as a part of preparing nic {}", network, nic); | ||||||
|  |                 throw new CloudRuntimeException(String.format("Failed to implement network id=%s as a part preparing nic %s", network, nic)); | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             final NetworkVO network = implemented.second(); |             final NetworkVO network = implemented.second(); | ||||||
| @ -2194,7 +2195,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             Pair<NetworkVO, VpcVO> networks = getGuestNetworkRouterAndVpcDetails(vmProfile.getId()); |             Pair<NetworkVO, VpcVO> networks = getGuestNetworkRouterAndVpcDetails(vmProfile.getId()); | ||||||
|             setMtuDetailsInVRNic(networks, network, nic); |             setMtuDetailsInVRNic(networks, network, nic); | ||||||
|         } |         } | ||||||
|         updateNic(nic, network.getId(), 1); |         updateNic(nic, network, 1); | ||||||
| 
 | 
 | ||||||
|         final List<Provider> providersToImplement = getNetworkProviders(network.getId()); |         final List<Provider> providersToImplement = getNetworkProviders(network.getId()); | ||||||
|         for (final NetworkElement element : networkElements) { |         for (final NetworkElement element : networkElements) { | ||||||
| @ -2299,7 +2300,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             for (final NetworkElement element : networkElements) { |             for (final NetworkElement element : networkElements) { | ||||||
|                 if (providersToImplement.contains(element.getProvider())) { |                 if (providersToImplement.contains(element.getProvider())) { | ||||||
|                     if (!_networkModel.isProviderEnabledInPhysicalNetwork(_networkModel.getPhysicalNetworkId(network), element.getProvider().getName())) { |                     if (!_networkModel.isProviderEnabledInPhysicalNetwork(_networkModel.getPhysicalNetworkId(network), element.getProvider().getName())) { | ||||||
|                         throw new CloudRuntimeException("Service provider " + element.getProvider().getName() + " either doesn't exist or is not enabled in physical network id: " + network.getPhysicalNetworkId()); |                         throw new CloudRuntimeException(String.format("Service provider %s either doesn't exist or is not enabled in physical network: %s", element.getProvider().getName(), _physicalNetworkDao.findById(network.getPhysicalNetworkId()))); | ||||||
|                     } |                     } | ||||||
|                     if (element instanceof NetworkMigrationResponder) { |                     if (element instanceof NetworkMigrationResponder) { | ||||||
|                         if (!((NetworkMigrationResponder) element).prepareMigration(profile, network, vm, dest, context)) { |                         if (!((NetworkMigrationResponder) element).prepareMigration(profile, network, vm, dest, context)) { | ||||||
| @ -2324,10 +2325,10 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                 if (nic == null && !addedURIs.contains(broadcastUri.toString())) { |                 if (nic == null && !addedURIs.contains(broadcastUri.toString())) { | ||||||
|                     //Nic details are not available in DB |                     //Nic details are not available in DB | ||||||
|                     //Create nic profile for migration |                     //Create nic profile for migration | ||||||
|                     logger.debug("Creating nic profile for migration. BroadcastUri: {} NetworkId: {} VM: {}", broadcastUri.toString(), ntwkId, vm.getId()); |  | ||||||
|                     final NetworkVO network = _networksDao.findById(ntwkId); |                     final NetworkVO network = _networksDao.findById(ntwkId); | ||||||
|                     final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, network.getGuruName()); |                     final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, network.getGuruName()); | ||||||
|                     final NicProfile profile = new NicProfile(); |                     final NicProfile profile = new NicProfile(); | ||||||
|  |                     logger.debug("Creating nic profile for migration. BroadcastUri: {} NetworkId: {} VM: {}", broadcastUri.toString(), network, vm); | ||||||
|                     profile.setDeviceId(255); //dummyId |                     profile.setDeviceId(255); //dummyId | ||||||
|                     profile.setIPv4Address(userIp.getAddress().toString()); |                     profile.setIPv4Address(userIp.getAddress().toString()); | ||||||
|                     profile.setIPv4Netmask(publicIp.getNetmask()); |                     profile.setIPv4Netmask(publicIp.getNetmask()); | ||||||
| @ -2467,7 +2468,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                             applyProfileToNicForRelease(nic, profile); |                             applyProfileToNicForRelease(nic, profile); | ||||||
|                             nic.setState(Nic.State.Allocated); |                             nic.setState(Nic.State.Allocated); | ||||||
|                             if (originalState == Nic.State.Reserved) { |                             if (originalState == Nic.State.Reserved) { | ||||||
|                                 updateNic(nic, network.getId(), -1); |                                 updateNic(nic, network, -1); | ||||||
|                             } else { |                             } else { | ||||||
|                                 _nicDao.update(nic.getId(), nic); |                                 _nicDao.update(nic.getId(), nic); | ||||||
|                             } |                             } | ||||||
| @ -2476,7 +2477,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                         return new Pair<>(network, profile); |                         return new Pair<>(network, profile); | ||||||
|                     } else { |                     } else { | ||||||
|                         nic.setState(Nic.State.Allocated); |                         nic.setState(Nic.State.Allocated); | ||||||
|                         updateNic(nic, network.getId(), -1); |                         updateNic(nic, network, -1); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
| 
 | 
 | ||||||
| @ -2513,7 +2514,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void cleanupNics(final VirtualMachineProfile vm) { |     public void cleanupNics(final VirtualMachineProfile vm) { | ||||||
|         logger.debug("Cleaning network for vm: {}", vm.getId()); |         logger.debug("Cleaning network for vm: {}", vm); | ||||||
| 
 | 
 | ||||||
|         final List<NicVO> nics = _nicDao.listByVmId(vm.getId()); |         final List<NicVO> nics = _nicDao.listByVmId(vm.getId()); | ||||||
|         for (final NicVO nic : nics) { |         for (final NicVO nic : nics) { | ||||||
| @ -2610,7 +2611,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             _nicDao.remove(nic.getId()); |             _nicDao.remove(nic.getId()); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         logger.debug("Removed nic id={}", nic.getId()); |         logger.debug("Removed nic {}", nic); | ||||||
|         // release assigned IPv6 for Isolated Network VR NIC |         // release assigned IPv6 for Isolated Network VR NIC | ||||||
| 
 | 
 | ||||||
|         if (Type.User.equals(vm.getType()) && GuestType.Isolated.equals(network.getGuestType()) |         if (Type.User.equals(vm.getType()) && GuestType.Isolated.equals(network.getGuestType()) | ||||||
| @ -2623,7 +2624,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|         //remove the secondary ip addresses corresponding to this nic |         //remove the secondary ip addresses corresponding to this nic | ||||||
|         if (!removeVmSecondaryIpsOfNic(nic.getId())) { |         if (!removeVmSecondaryIpsOfNic(nic.getId())) { | ||||||
|             logger.debug("Removing nic {} secondary ip addresses failed", nic.getId()); |             logger.debug("Removing nic {} secondary ip addresses failed", nic); | ||||||
|         } |         } | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
| @ -2837,16 +2838,21 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             } |             } | ||||||
|             if (secondaryUri != null && !(bypassVlanOverlapCheck && ntwkOff.getGuestType() == GuestType.Shared) && |             if (secondaryUri != null && !(bypassVlanOverlapCheck && ntwkOff.getGuestType() == GuestType.Shared) && | ||||||
|                     _dcDao.findVnet(zoneId, pNtwk.getId(), BroadcastDomainType.getValue(secondaryUri)).size() > 0) { |                     _dcDao.findVnet(zoneId, pNtwk.getId(), BroadcastDomainType.getValue(secondaryUri)).size() > 0) { | ||||||
|                 throw new InvalidParameterValueException("The VLAN tag for isolated PVLAN " + isolatedPvlan + " is already being used for dynamic vlan allocation for the guest network in zone " |                 throw new InvalidParameterValueException(String.format( | ||||||
|                         + zone.getName()); |                         "The VLAN tag for isolated PVLAN %s is already being used for dynamic vlan allocation for the guest network in zone %s", | ||||||
|  |                         isolatedPvlan, zone)); | ||||||
|             } |             } | ||||||
|             if (!UuidUtils.isUuid(vlanId)) { |             if (!UuidUtils.isUuid(vlanId)) { | ||||||
|                 // For Isolated and L2 networks, don't allow to create network with vlan that already exists in the zone |                 // For Isolated and L2 networks, don't allow to create network with vlan that already exists in the zone | ||||||
|                 if (!hasGuestBypassVlanOverlapCheck(bypassVlanOverlapCheck, ntwkOff, isPrivateNetwork)) { |                 if (!hasGuestBypassVlanOverlapCheck(bypassVlanOverlapCheck, ntwkOff, isPrivateNetwork)) { | ||||||
|                     if (_networksDao.listByZoneAndUriAndGuestType(zoneId, uri.toString(), null).size() > 0) { |                     if (_networksDao.listByZoneAndUriAndGuestType(zoneId, uri.toString(), null).size() > 0) { | ||||||
|                         throw new InvalidParameterValueException("Network with vlan " + vlanId + " already exists or overlaps with other network vlans in zone " + zoneId); |                         throw new InvalidParameterValueException(String.format( | ||||||
|  |                                 "Network with vlan %s already exists or overlaps with other network vlans in zone %s", | ||||||
|  |                                 vlanId, zone)); | ||||||
|                     } else if (secondaryUri != null && _networksDao.listByZoneAndUriAndGuestType(zoneId, secondaryUri.toString(), null).size() > 0) { |                     } else if (secondaryUri != null && _networksDao.listByZoneAndUriAndGuestType(zoneId, secondaryUri.toString(), null).size() > 0) { | ||||||
|                         throw new InvalidParameterValueException("Network with vlan " + isolatedPvlan + " already exists or overlaps with other network vlans in zone " + zoneId); |                         throw new InvalidParameterValueException(String.format( | ||||||
|  |                                 "Network with vlan %s already exists or overlaps with other network vlans in zone %s", | ||||||
|  |                                 isolatedPvlan, zone)); | ||||||
|                     } else { |                     } else { | ||||||
|                         final List<DataCenterVnetVO> dcVnets = _datacenterVnetDao.findVnet(zoneId, BroadcastDomainType.getValue(uri)); |                         final List<DataCenterVnetVO> dcVnets = _datacenterVnetDao.findVnet(zoneId, BroadcastDomainType.getValue(uri)); | ||||||
|                         //for the network that is created as part of private gateway, |                         //for the network that is created as part of private gateway, | ||||||
| @ -2878,7 +2884,8 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                     // don't allow to creating shared network with given Vlan ID, if there already exists a isolated network or |                     // don't allow to creating shared network with given Vlan ID, if there already exists a isolated network or | ||||||
|                     // shared network with same Vlan ID in the zone |                     // shared network with same Vlan ID in the zone | ||||||
|                     if (!bypassVlanOverlapCheck && _networksDao.listByZoneAndUriAndGuestType(zoneId, uri.toString(), GuestType.Isolated).size() > 0) { |                     if (!bypassVlanOverlapCheck && _networksDao.listByZoneAndUriAndGuestType(zoneId, uri.toString(), GuestType.Isolated).size() > 0) { | ||||||
|                         throw new InvalidParameterValueException("There is an existing isolated/shared network that overlaps with vlan id:" + vlanId + " in zone " + zoneId); |                         throw new InvalidParameterValueException(String.format( | ||||||
|  |                                 "There is an existing isolated/shared network that overlaps with vlan id:%s in zone %s", vlanId, zone)); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -2893,7 +2900,9 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             if (isUpdateDnsSupported == null || !Boolean.valueOf(isUpdateDnsSupported)) { |             if (isUpdateDnsSupported == null || !Boolean.valueOf(isUpdateDnsSupported)) { | ||||||
|                 if (networkDomain != null) { |                 if (networkDomain != null) { | ||||||
|                     // TBD: NetworkOfferingId and zoneId. Send uuids instead. |                     // TBD: NetworkOfferingId and zoneId. Send uuids instead. | ||||||
|                     throw new InvalidParameterValueException("Domain name change is not supported by network offering id=" + networkOfferingId + " in zone id=" + zoneId); |                     throw new InvalidParameterValueException(String.format( | ||||||
|  |                             "Domain name change is not supported by network offering id=%d in zone %s", | ||||||
|  |                             networkOfferingId, zone)); | ||||||
|                 } |                 } | ||||||
|             } else { |             } else { | ||||||
|                 if (networkDomain == null) { |                 if (networkDomain == null) { | ||||||
| @ -3028,8 +3037,9 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                         } |                         } | ||||||
| 
 | 
 | ||||||
|                         if (_networksDao.listByPhysicalNetworkPvlan(physicalNetworkId, uri.toString()).size() > 0) { |                         if (_networksDao.listByPhysicalNetworkPvlan(physicalNetworkId, uri.toString()).size() > 0) { | ||||||
|                             throw new InvalidParameterValueException("Network with vlan " + vlanIdFinal + |                             throw new InvalidParameterValueException(String.format( | ||||||
|                                     " already exists or overlaps with other network pvlans in zone " + zoneId); |                                     "Network with vlan %s already exists or overlaps with other network pvlans in zone %s", | ||||||
|  |                                     vlanIdFinal, zone)); | ||||||
|                         } |                         } | ||||||
| 
 | 
 | ||||||
|                         userNetwork.setBroadcastUri(uri); |                         userNetwork.setBroadcastUri(uri); | ||||||
| @ -3044,9 +3054,9 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                         } |                         } | ||||||
|                         URI uri = NetUtils.generateUriForPvlan(vlanIdFinal, isolatedPvlan, isolatedPvlanType.toString()); |                         URI uri = NetUtils.generateUriForPvlan(vlanIdFinal, isolatedPvlan, isolatedPvlanType.toString()); | ||||||
|                         if (_networksDao.listByPhysicalNetworkPvlan(physicalNetworkId, uri.toString(), isolatedPvlanType).size() > 0) { |                         if (_networksDao.listByPhysicalNetworkPvlan(physicalNetworkId, uri.toString(), isolatedPvlanType).size() > 0) { | ||||||
|                             throw new InvalidParameterValueException("Network with primary vlan " + vlanIdFinal + |                             throw new InvalidParameterValueException(String.format( | ||||||
|                                     " and secondary vlan " + isolatedPvlan + " type " + isolatedPvlanType + |                                     "Network with primary vlan %s and secondary vlan %s type %s already exists or overlaps with other network pvlans in zone %s", | ||||||
|                                     " already exists or overlaps with other network pvlans in zone " + zoneId); |                                     vlanIdFinal, isolatedPvlan, isolatedPvlanType, zone)); | ||||||
|                         } |                         } | ||||||
|                         userNetwork.setBroadcastUri(uri); |                         userNetwork.setBroadcastUri(uri); | ||||||
|                         userNetwork.setBroadcastDomainType(BroadcastDomainType.Pvlan); |                         userNetwork.setBroadcastDomainType(BroadcastDomainType.Pvlan); | ||||||
| @ -3189,7 +3199,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                     boolean result = false; |                     boolean result = false; | ||||||
| 
 | 
 | ||||||
|                     if (success) { |                     if (success) { | ||||||
|                         logger.debug("Network id={} is shutdown successfully, cleaning up corresponding resources now.", networkId); |                         logger.debug("Network {} is shutdown successfully, cleaning up corresponding resources now.", networkFinal); | ||||||
|                         final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, networkFinal.getGuruName()); |                         final NetworkGuru guru = AdapterBase.getAdapterByName(networkGurus, networkFinal.getGuruName()); | ||||||
|                         final NetworkProfile profile = convertNetworkToNetworkProfile(networkFinal.getId()); |                         final NetworkProfile profile = convertNetworkToNetworkProfile(networkFinal.getId()); | ||||||
|                         guru.shutdown(profile, _networkOfferingDao.findById(networkFinal.getNetworkOfferingId())); |                         guru.shutdown(profile, _networkOfferingDao.findById(networkFinal.getNetworkOfferingId())); | ||||||
| @ -3250,14 +3260,14 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
|             if (cleanupNeeded) { |             if (cleanupNeeded) { | ||||||
|                 cleanupResult = shutdownNetworkResources(network.getId(), context.getAccount(), context.getCaller().getId()); |                 cleanupResult = shutdownNetworkResources(network, context.getAccount(), context.getCaller().getId()); | ||||||
|             } |             } | ||||||
|         } catch (final Exception ex) { |         } catch (final Exception ex) { | ||||||
|             logger.warn("shutdownNetworkRules failed during the network {} shutdown due to", network, ex); |             logger.warn("shutdownNetworkRules failed during the network {} shutdown due to", network, ex); | ||||||
|         } finally { |         } finally { | ||||||
|             // just warn the administrator that the network elements failed to shutdown |             // just warn the administrator that the network elements failed to shutdown | ||||||
|             if (!cleanupResult) { |             if (!cleanupResult) { | ||||||
|                 logger.warn("Failed to cleanup network id={} resources as a part of shutdownNetwork", network.getId()); |                 logger.warn("Failed to cleanup network {} resources as a part of shutdownNetwork", network); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -3299,15 +3309,15 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                         CleanupPersistentNetworkResourceCommand cmd = new CleanupPersistentNetworkResourceCommand(to); |                         CleanupPersistentNetworkResourceCommand cmd = new CleanupPersistentNetworkResourceCommand(to); | ||||||
|                         CleanupPersistentNetworkResourceAnswer answer = (CleanupPersistentNetworkResourceAnswer) _agentMgr.send(host.getId(), cmd); |                         CleanupPersistentNetworkResourceAnswer answer = (CleanupPersistentNetworkResourceAnswer) _agentMgr.send(host.getId(), cmd); | ||||||
|                         if (answer == null) { |                         if (answer == null) { | ||||||
|                             logger.warn("Unable to get an answer to the CleanupPersistentNetworkResourceCommand from agent: {}", host.getId()); |                             logger.warn("Unable to get an answer to the CleanupPersistentNetworkResourceCommand from agent: {}", host); | ||||||
|                             continue; |                             continue; | ||||||
|                         } |                         } | ||||||
| 
 | 
 | ||||||
|                         if (!answer.getResult()) { |                         if (!answer.getResult()) { | ||||||
|                             logger.warn("Unable to setup agent {} due to {}", host.getId(), answer.getDetails()); |                             logger.warn("Unable to setup agent {} due to {}", host, answer.getDetails()); | ||||||
|                         } |                         } | ||||||
|                     } catch (Exception e) { |                     } catch (Exception e) { | ||||||
|                         logger.warn("Failed to cleanup network resources on host: {}", host.getName()); |                         logger.warn("Failed to cleanup network resources on host: {}", host); | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
|             } |             } | ||||||
| @ -3337,7 +3347,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         // Don't allow to delete network via api call when it has vms assigned to it |         // Don't allow to delete network via api call when it has vms assigned to it | ||||||
|         final int nicCount = getActiveNicsInNetwork(networkId); |         final int nicCount = getActiveNicsInNetwork(networkId); | ||||||
|         if (nicCount > 0) { |         if (nicCount > 0) { | ||||||
|             logger.debug("The network id={} has active Nics, but shouldn't.", networkId); |             logger.debug("The network {} has active Nics, but shouldn't.", network); | ||||||
|             // at this point we have already determined that there are no active user vms in network |             // at this point we have already determined that there are no active user vms in network | ||||||
|             // if the op_networks table shows active nics, it's a bug in releasing nics updating op_networks |             // if the op_networks table shows active nics, it's a bug in releasing nics updating op_networks | ||||||
|             _networksDao.changeActiveNicsBy(networkId, -1 * nicCount); |             _networksDao.changeActiveNicsBy(networkId, -1 * nicCount); | ||||||
| @ -3367,7 +3377,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|         boolean success = true; |         boolean success = true; | ||||||
|         if (!cleanupNetworkResources(networkId, callerAccount, context.getCaller().getId())) { |         if (!cleanupNetworkResources(networkId, callerAccount, context.getCaller().getId())) { | ||||||
|             logger.warn("Unable to delete network id={}: failed to cleanup network resources", networkId); |             logger.warn("Unable to delete network {}: failed to cleanup network resources", network); | ||||||
|             return false; |             return false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -3396,7 +3406,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (success) { |         if (success) { | ||||||
|             logger.debug("Network id={} is destroyed successfully, cleaning up corresponding resources now.", networkId); |             logger.debug("Network {} is destroyed successfully, cleaning up corresponding resources now.", network); | ||||||
| 
 | 
 | ||||||
|             final NetworkVO networkFinal = network; |             final NetworkVO networkFinal = network; | ||||||
|             try { |             try { | ||||||
| @ -3495,7 +3505,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         for (final VlanVO vlan : publicVlans) { |         for (final VlanVO vlan : publicVlans) { | ||||||
|             VlanVO vlanRange = _configMgr.deleteVlanAndPublicIpRange(userId, vlan.getId(), callerAccount); |             VlanVO vlanRange = _configMgr.deleteVlanAndPublicIpRange(userId, vlan.getId(), callerAccount); | ||||||
|             if (vlanRange == null) { |             if (vlanRange == null) { | ||||||
|                 logger.warn("Failed to delete vlan " + vlan.getId() + ");"); |                 logger.warn("Failed to delete vlan [id: {}, uuid: {}];", vlan.getId(), vlan.getUuid()); | ||||||
|                 result = false; |                 result = false; | ||||||
|             } else { |             } else { | ||||||
|                 deletedPublicVlanRange.add(vlanRange); |                 deletedPublicVlanRange.add(vlanRange); | ||||||
| @ -3505,16 +3515,16 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         //cleanup private vlans |         //cleanup private vlans | ||||||
|         final int privateIpAllocCount = _privateIpDao.countAllocatedByNetworkId(networkId); |         final int privateIpAllocCount = _privateIpDao.countAllocatedByNetworkId(networkId); | ||||||
|         if (privateIpAllocCount > 0) { |         if (privateIpAllocCount > 0) { | ||||||
|             logger.warn("Can't delete Private ip range for network {} as it has allocated ip addresses", networkId); |             logger.warn("Can't delete Private ip range for network {} as it has allocated ip addresses", network); | ||||||
|             result = false; |             result = false; | ||||||
|         } else { |         } else { | ||||||
|             _privateIpDao.deleteByNetworkId(networkId); |             _privateIpDao.deleteByNetworkId(networkId); | ||||||
|             logger.debug("Deleted ip range for private network id={}", networkId); |             logger.debug("Deleted ip range for private network {}", network); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // release vlans of user-shared networks without specifyvlan |         // release vlans of user-shared networks without specifyvlan | ||||||
|         if (isSharedNetworkWithoutSpecifyVlan(_networkOfferingDao.findById(network.getNetworkOfferingId()))) { |         if (isSharedNetworkWithoutSpecifyVlan(_networkOfferingDao.findById(network.getNetworkOfferingId()))) { | ||||||
|             logger.debug("Releasing vnet for the network id={}", network.getId()); |             logger.debug("Releasing vnet for the network {}", network); | ||||||
|             _dcDao.releaseVnet(BroadcastDomainType.getValue(network.getBroadcastUri()), network.getDataCenterId(), |             _dcDao.releaseVnet(BroadcastDomainType.getValue(network.getBroadcastUri()), network.getDataCenterId(), | ||||||
|                     network.getPhysicalNetworkId(), network.getAccountId(), network.getReservationId()); |                     network.getPhysicalNetworkId(), network.getAccountId(), network.getReservationId()); | ||||||
|         } |         } | ||||||
| @ -3560,10 +3570,10 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|                     final Long time = _lastNetworkIdsToFree.remove(networkId); |                     final Long time = _lastNetworkIdsToFree.remove(networkId); | ||||||
|                     if (time == null) { |                     if (time == null) { | ||||||
|                         logger.debug("We found network {} to be free for the first time. Adding it to the list: {}", networkId, currentTime); |                         logger.debug("We found network {} to be free for the first time. Adding it to the list: {}", () -> _networksDao.findById(networkId), () -> currentTime); | ||||||
|                         stillFree.put(networkId, currentTime); |                         stillFree.put(networkId, currentTime); | ||||||
|                     } else if (time > currentTime - netGcWait) { |                     } else if (time > currentTime - netGcWait) { | ||||||
|                         logger.debug("Network {} is still free but it's not time to shutdown yet: {}",networkId, time); |                         logger.debug("Network {} is still free but it's not time to shutdown yet: {}", () -> _networksDao.findById(networkId), time::toString); | ||||||
|                         stillFree.put(networkId, time); |                         stillFree.put(networkId, time); | ||||||
|                     } else { |                     } else { | ||||||
|                         shutdownList.add(networkId); |                         shutdownList.add(networkId); | ||||||
| @ -3590,7 +3600,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|                             shutdownNetwork(networkId, context, false); |                             shutdownNetwork(networkId, context, false); | ||||||
|                         } catch (final Exception e) { |                         } catch (final Exception e) { | ||||||
|                             logger.warn("Unable to shutdown network: {}", networkId); |                             logger.warn("Unable to shutdown network: {}", () -> _networksDao.findById(networkId)); | ||||||
|                         } |                         } | ||||||
|                     } |                     } | ||||||
|                 } |                 } | ||||||
| @ -3630,7 +3640,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         boolean restartRequired = false; |         boolean restartRequired = false; | ||||||
|         final NetworkVO network = _networksDao.findById(networkId); |         final NetworkVO network = _networksDao.findById(networkId); | ||||||
| 
 | 
 | ||||||
|         logger.debug("Restarting network {}...", networkId); |         logger.debug("Restarting network {}...", network); | ||||||
| 
 | 
 | ||||||
|         final ReservationContext context = new ReservationContextImpl(null, null, callerUser, callerAccount); |         final ReservationContext context = new ReservationContextImpl(null, null, callerUser, callerAccount); | ||||||
|         final NetworkOffering offering = _networkOfferingDao.findByIdIncludingRemoved(network.getNetworkOfferingId()); |         final NetworkOffering offering = _networkOfferingDao.findByIdIncludingRemoved(network.getNetworkOfferingId()); | ||||||
| @ -3985,51 +3995,51 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         //remove all PF/Static Nat rules for the network |         //remove all PF/Static Nat rules for the network | ||||||
|         try { |         try { | ||||||
|             if (_rulesMgr.revokeAllPFStaticNatRulesForNetwork(networkId, callerUserId, caller)) { |             if (_rulesMgr.revokeAllPFStaticNatRulesForNetwork(networkId, callerUserId, caller)) { | ||||||
|                 logger.debug("Successfully cleaned up portForwarding/staticNat rules for network id={}", networkId); |                 logger.debug("Successfully cleaned up portForwarding/staticNat rules for network {}", network); | ||||||
|             } else { |             } else { | ||||||
|                 success = false; |                 success = false; | ||||||
|                 logger.warn("Failed to release portForwarding/StaticNat rules as a part of network id={} cleanup", networkId); |                 logger.warn("Failed to release portForwarding/StaticNat rules as a part of network {} cleanup", network); | ||||||
|             } |             } | ||||||
|         } catch (final ResourceUnavailableException ex) { |         } catch (final ResourceUnavailableException ex) { | ||||||
|             success = false; |             success = false; | ||||||
|             // shouldn't even come here as network is being cleaned up after all network elements are shutdown |             // shouldn't even come here as network is being cleaned up after all network elements are shutdown | ||||||
|             logger.warn("Failed to release portForwarding/StaticNat rules as a part of network id={} cleanup due to resourceUnavailable", networkId, ex); |             logger.warn("Failed to release portForwarding/StaticNat rules as a part of network {} cleanup due to resourceUnavailable", network, ex); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         //remove all LB rules for the network |         //remove all LB rules for the network | ||||||
|         if (_lbMgr.removeAllLoadBalanacersForNetwork(networkId, caller, callerUserId)) { |         if (_lbMgr.removeAllLoadBalanacersForNetwork(networkId, caller, callerUserId)) { | ||||||
|             logger.debug("Successfully cleaned up load balancing rules for network id={}", networkId); |             logger.debug("Successfully cleaned up load balancing rules for network {}", network); | ||||||
|         } else { |         } else { | ||||||
|             // shouldn't even come here as network is being cleaned up after all network elements are shutdown |             // shouldn't even come here as network is being cleaned up after all network elements are shutdown | ||||||
|             success = false; |             success = false; | ||||||
|             logger.warn("Failed to cleanup LB rules as a part of network id={} cleanup", networkId); |             logger.warn("Failed to cleanup LB rules as a part of network {} cleanup", network); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         //revoke all firewall rules for the network |         //revoke all firewall rules for the network | ||||||
|         try { |         try { | ||||||
|             if (_firewallMgr.revokeAllFirewallRulesForNetwork(networkId, callerUserId, caller)) { |             if (_firewallMgr.revokeAllFirewallRulesForNetwork(network, callerUserId, caller)) { | ||||||
|                 logger.debug("Successfully cleaned up firewallRules rules for network id={}", networkId); |                 logger.debug("Successfully cleaned up firewallRules rules for network {}", network); | ||||||
|             } else { |             } else { | ||||||
|                 success = false; |                 success = false; | ||||||
|                 logger.warn("Failed to cleanup Firewall rules as a part of network id={} cleanup", networkId); |                 logger.warn("Failed to cleanup Firewall rules as a part of network {} cleanup", network); | ||||||
|             } |             } | ||||||
|         } catch (final ResourceUnavailableException ex) { |         } catch (final ResourceUnavailableException ex) { | ||||||
|             success = false; |             success = false; | ||||||
|             // shouldn't even come here as network is being cleaned up after all network elements are shutdown |             // shouldn't even come here as network is being cleaned up after all network elements are shutdown | ||||||
|             logger.warn("Failed to cleanup Firewall rules as a part of network id={} cleanup due to resourceUnavailable", networkId, ex); |             logger.warn("Failed to cleanup Firewall rules as a part of network {} cleanup due to resourceUnavailable", network, ex); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         //revoke all network ACLs for network |         //revoke all network ACLs for network | ||||||
|         try { |         try { | ||||||
|             if (_networkACLMgr.revokeACLItemsForNetwork(networkId)) { |             if (_networkACLMgr.revokeACLItemsForNetwork(networkId)) { | ||||||
|                 logger.debug("Successfully cleaned up NetworkACLs for network id={}", networkId); |                 logger.debug("Successfully cleaned up NetworkACLs for network {}", network); | ||||||
|             } else { |             } else { | ||||||
|                 success = false; |                 success = false; | ||||||
|                 logger.warn("Failed to cleanup NetworkACLs as a part of network id={} cleanup", networkId); |                 logger.warn("Failed to cleanup NetworkACLs as a part of network {} cleanup", network); | ||||||
|             } |             } | ||||||
|         } catch (final ResourceUnavailableException ex) { |         } catch (final ResourceUnavailableException ex) { | ||||||
|             success = false; |             success = false; | ||||||
|             logger.warn("Failed to cleanup Network ACLs as a part of network id={} cleanup due to resourceUnavailable ", networkId, ex); |             logger.warn("Failed to cleanup Network ACLs as a part of network {} cleanup due to resourceUnavailable ", network, ex); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         //release all ip addresses |         //release all ip addresses | ||||||
| @ -4047,7 +4057,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|                     logger.debug("Portable IP address {} is no longer associated with any network", ipToRelease); |                     logger.debug("Portable IP address {} is no longer associated with any network", ipToRelease); | ||||||
|                 } |                 } | ||||||
|             } else { |             } else { | ||||||
|                 _vpcMgr.unassignIPFromVpcNetwork(ipToRelease.getId(), network.getId()); |                 _vpcMgr.unassignIPFromVpcNetwork(ipToRelease, network); | ||||||
|             } |             } | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -4065,14 +4075,13 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         return success; |         return success; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     private boolean shutdownNetworkResources(final long networkId, final Account caller, final long callerUserId) { |     private boolean shutdownNetworkResources(final Network network, final Account caller, final long callerUserId) { | ||||||
|         // This method cleans up network rules on the backend w/o touching them in the DB |         // This method cleans up network rules on the backend w/o touching them in the DB | ||||||
|         boolean success = true; |         boolean success = true; | ||||||
|         final Network network = _networksDao.findById(networkId); |  | ||||||
| 
 | 
 | ||||||
|         // Mark all PF rules as revoked and apply them on the backend (not in the DB) |         // Mark all PF rules as revoked and apply them on the backend (not in the DB) | ||||||
|         final List<PortForwardingRuleVO> pfRules = _portForwardingRulesDao.listByNetwork(networkId); |         final List<PortForwardingRuleVO> pfRules = _portForwardingRulesDao.listByNetwork(network.getId()); | ||||||
|         logger.debug("Releasing {} port forwarding rules for network id={} as a part of shutdownNetworkRules.", pfRules.size(), networkId); |         logger.debug("Releasing {} port forwarding rules for network id={} as a part of shutdownNetworkRules.", pfRules.size(), network); | ||||||
| 
 | 
 | ||||||
|         for (final PortForwardingRuleVO pfRule : pfRules) { |         for (final PortForwardingRuleVO pfRule : pfRules) { | ||||||
|             logger.trace("Marking pf rule {} with Revoke state", pfRule); |             logger.trace("Marking pf rule {} with Revoke state", pfRule); | ||||||
| @ -4090,9 +4099,9 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // Mark all static rules as revoked and apply them on the backend (not in the DB) |         // Mark all static rules as revoked and apply them on the backend (not in the DB) | ||||||
|         final List<FirewallRuleVO> firewallStaticNatRules = _firewallDao.listByNetworkAndPurpose(networkId, Purpose.StaticNat); |         final List<FirewallRuleVO> firewallStaticNatRules = _firewallDao.listByNetworkAndPurpose(network.getId(), Purpose.StaticNat); | ||||||
|         final List<StaticNatRule> staticNatRules = new ArrayList<StaticNatRule>(); |         final List<StaticNatRule> staticNatRules = new ArrayList<StaticNatRule>(); | ||||||
|         logger.debug("Releasing {} static nat rules for network id={} as a part of shutdownNetworkRules", firewallStaticNatRules.size(), networkId); |         logger.debug("Releasing {} static nat rules for network {} as a part of shutdownNetworkRules", firewallStaticNatRules.size(), network); | ||||||
| 
 | 
 | ||||||
|         for (final FirewallRuleVO firewallStaticNatRule : firewallStaticNatRules) { |         for (final FirewallRuleVO firewallStaticNatRule : firewallStaticNatRules) { | ||||||
|             logger.trace("Marking static nat rule {} with Revoke state", firewallStaticNatRule); |             logger.trace("Marking static nat rule {} with Revoke state", firewallStaticNatRule); | ||||||
| @ -4100,7 +4109,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             final FirewallRuleVO ruleVO = _firewallDao.findById(firewallStaticNatRule.getId()); |             final FirewallRuleVO ruleVO = _firewallDao.findById(firewallStaticNatRule.getId()); | ||||||
| 
 | 
 | ||||||
|             if (ip == null || !ip.isOneToOneNat() || ip.getAssociatedWithVmId() == null) { |             if (ip == null || !ip.isOneToOneNat() || ip.getAssociatedWithVmId() == null) { | ||||||
|                 throw new InvalidParameterValueException("Source ip address of the rule id=" + firewallStaticNatRule.getId() + " is not static nat enabled"); |                 throw new InvalidParameterValueException(String.format("Source ip address of the rule %s is not static nat enabled", firewallStaticNatRule)); | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|             //String dstIp = _networkModel.getIpInNetwork(ip.getAssociatedWithVmId(), firewallStaticNatRule.getNetworkId()); |             //String dstIp = _networkModel.getIpInNetwork(ip.getAssociatedWithVmId(), firewallStaticNatRule.getNetworkId()); | ||||||
| @ -4119,7 +4128,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         try { |         try { | ||||||
|             if (!_lbMgr.revokeLoadBalancersForNetwork(networkId, Scheme.Public)) { |             if (!_lbMgr.revokeLoadBalancersForNetwork(network, Scheme.Public)) { | ||||||
|                 logger.warn("Failed to cleanup public lb rules as a part of shutdownNetworkRules"); |                 logger.warn("Failed to cleanup public lb rules as a part of shutdownNetworkRules"); | ||||||
|                 success = false; |                 success = false; | ||||||
|             } |             } | ||||||
| @ -4129,7 +4138,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         try { |         try { | ||||||
|             if (!_lbMgr.revokeLoadBalancersForNetwork(networkId, Scheme.Internal)) { |             if (!_lbMgr.revokeLoadBalancersForNetwork(network, Scheme.Internal)) { | ||||||
|                 logger.warn("Failed to cleanup internal lb rules as a part of shutdownNetworkRules"); |                 logger.warn("Failed to cleanup internal lb rules as a part of shutdownNetworkRules"); | ||||||
|                 success = false; |                 success = false; | ||||||
|             } |             } | ||||||
| @ -4139,8 +4148,8 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // revoke all firewall rules for the network w/o applying them on the DB |         // revoke all firewall rules for the network w/o applying them on the DB | ||||||
|         final List<FirewallRuleVO> firewallRules = _firewallDao.listByNetworkPurposeTrafficType(networkId, Purpose.Firewall, FirewallRule.TrafficType.Ingress); |         final List<FirewallRuleVO> firewallRules = _firewallDao.listByNetworkPurposeTrafficType(network.getId(), Purpose.Firewall, FirewallRule.TrafficType.Ingress); | ||||||
|         logger.debug("Releasing firewall ingress rules for network id={} as a part of shutdownNetworkRules", firewallRules.size(), networkId); |         logger.debug("Releasing firewall ingress rules for network {} as a part of shutdownNetworkRules", firewallRules.size(), network); | ||||||
| 
 | 
 | ||||||
|         for (final FirewallRuleVO firewallRule : firewallRules) { |         for (final FirewallRuleVO firewallRule : firewallRules) { | ||||||
|             logger.trace("Marking firewall ingress rule {} with Revoke state", firewallRule); |             logger.trace("Marking firewall ingress rule {} with Revoke state", firewallRule); | ||||||
| @ -4157,8 +4166,8 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         final List<FirewallRuleVO> firewallEgressRules = _firewallDao.listByNetworkPurposeTrafficType(networkId, Purpose.Firewall, FirewallRule.TrafficType.Egress); |         final List<FirewallRuleVO> firewallEgressRules = _firewallDao.listByNetworkPurposeTrafficType(network.getId(), Purpose.Firewall, FirewallRule.TrafficType.Egress); | ||||||
|         logger.debug("Releasing {} firewall egress rules for network id={} as a part of shutdownNetworkRules", firewallEgressRules.size(), networkId); |         logger.debug("Releasing {} firewall egress rules for network {} as a part of shutdownNetworkRules", firewallEgressRules.size(), network); | ||||||
| 
 | 
 | ||||||
|         try { |         try { | ||||||
|             // delete default egress rule |             // delete default egress rule | ||||||
| @ -4166,7 +4175,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|             if (_networkModel.areServicesSupportedInNetwork(network.getId(), Service.Firewall) |             if (_networkModel.areServicesSupportedInNetwork(network.getId(), Service.Firewall) | ||||||
|                     && (network.getGuestType() == Network.GuestType.Isolated || network.getGuestType() == Network.GuestType.Shared && zone.getNetworkType() == NetworkType.Advanced)) { |                     && (network.getGuestType() == Network.GuestType.Isolated || network.getGuestType() == Network.GuestType.Shared && zone.getNetworkType() == NetworkType.Advanced)) { | ||||||
|                 // add default egress rule to accept the traffic |                 // add default egress rule to accept the traffic | ||||||
|                 _firewallMgr.applyDefaultEgressFirewallRule(network.getId(), _networkModel.getNetworkEgressDefaultPolicy(networkId), false); |                 _firewallMgr.applyDefaultEgressFirewallRule(network.getId(), _networkModel.getNetworkEgressDefaultPolicy(network.getId()), false); | ||||||
|             } |             } | ||||||
| 
 | 
 | ||||||
|         } catch (final ResourceUnavailableException ex) { |         } catch (final ResourceUnavailableException ex) { | ||||||
| @ -4190,11 +4199,11 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (network.getVpcId() != null) { |         if (network.getVpcId() != null) { | ||||||
|             logger.debug("Releasing Network ACL Items for network id={} as a part of shutdownNetworkRules", networkId); |             logger.debug("Releasing Network ACL Items for network {} as a part of shutdownNetworkRules", network); | ||||||
| 
 | 
 | ||||||
|             try { |             try { | ||||||
|                 //revoke all Network ACLs for the network w/o applying them in the DB |                 //revoke all Network ACLs for the network w/o applying them in the DB | ||||||
|                 if (!_networkACLMgr.revokeACLItemsForNetwork(networkId)) { |                 if (!_networkACLMgr.revokeACLItemsForNetwork(network.getId())) { | ||||||
|                     logger.warn("Failed to cleanup network ACLs as a part of shutdownNetworkRules"); |                     logger.warn("Failed to cleanup network ACLs as a part of shutdownNetworkRules"); | ||||||
|                     success = false; |                     success = false; | ||||||
|                 } |                 } | ||||||
| @ -4206,13 +4215,13 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         //release all static nats for the network |         //release all static nats for the network | ||||||
|         if (!_rulesMgr.applyStaticNatForNetwork(networkId, false, caller, true)) { |         if (!_rulesMgr.applyStaticNatForNetwork(network, false, caller, true)) { | ||||||
|             logger.warn("Failed to disable static nats as part of shutdownNetworkRules for network id {}", networkId); |             logger.warn("Failed to disable static nats as part of shutdownNetworkRules for network {}", network); | ||||||
|             success = false; |             success = false; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         // Get all ip addresses, mark as releasing and release them on the backend |         // Get all ip addresses, mark as releasing and release them on the backend | ||||||
|         final List<IPAddressVO> userIps = _ipAddressDao.listByAssociatedNetwork(networkId, null); |         final List<IPAddressVO> userIps = _ipAddressDao.listByAssociatedNetwork(network.getId(), null); | ||||||
|         final List<PublicIp> publicIpsToRelease = new ArrayList<PublicIp>(); |         final List<PublicIp> publicIpsToRelease = new ArrayList<PublicIp>(); | ||||||
|         if (userIps != null && !userIps.isEmpty()) { |         if (userIps != null && !userIps.isEmpty()) { | ||||||
|             for (final IPAddressVO userIp : userIps) { |             for (final IPAddressVO userIp : userIps) { | ||||||
| @ -4310,12 +4319,12 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         final CheckNetworkAnswer answer = (CheckNetworkAnswer) _agentMgr.easySend(hostId, nwCmd); |         final CheckNetworkAnswer answer = (CheckNetworkAnswer) _agentMgr.easySend(hostId, nwCmd); | ||||||
| 
 | 
 | ||||||
|         if (answer == null) { |         if (answer == null) { | ||||||
|             logger.warn("Unable to get an answer to the CheckNetworkCommand from agent: {}", host.getId()); |             logger.warn("Unable to get an answer to the CheckNetworkCommand from agent: {}", host); | ||||||
|             throw new ConnectionException(true, "Unable to get an answer to the CheckNetworkCommand from agent: " + host.getId()); |             throw new ConnectionException(true, String.format("Unable to get an answer to the CheckNetworkCommand from agent: %s", host)); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         if (!answer.getResult()) { |         if (!answer.getResult()) { | ||||||
|             logger.warn("Unable to setup agent {} due to {}", hostId, answer.getDetails()); |             logger.warn("Unable to setup agent {} due to {}", host, answer.getDetails()); | ||||||
|             final String msg = "Incorrect Network setup on agent, Reinitialize agent after network names are setup, details : " + answer.getDetails(); |             final String msg = "Incorrect Network setup on agent, Reinitialize agent after network names are setup, details : " + answer.getDetails(); | ||||||
|             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, dcId, host.getPodId(), msg, msg); |             _alertMgr.sendAlert(AlertManager.AlertType.ALERT_TYPE_HOST, dcId, host.getPodId(), msg, msg); | ||||||
|             throw new ConnectionException(true, msg); |             throw new ConnectionException(true, msg); | ||||||
| @ -4471,8 +4480,8 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         if (prepare) { |         if (prepare) { | ||||||
|             final Pair<NetworkGuru, NetworkVO> implemented = implementNetwork(nic.getNetworkId(), dest, context, vmProfile.getVirtualMachine().getType() == Type.DomainRouter); |             final Pair<NetworkGuru, NetworkVO> implemented = implementNetwork(nic.getNetworkId(), dest, context, vmProfile.getVirtualMachine().getType() == Type.DomainRouter); | ||||||
|             if (implemented == null || implemented.first() == null) { |             if (implemented == null || implemented.first() == null) { | ||||||
|                 logger.warn("Failed to implement network id={} as a part of preparing nic id={}", nic.getNetworkId(), nic.getId()); |                 logger.warn("Failed to implement network {} as a part of preparing nic {}", network, nic); | ||||||
|                 throw new CloudRuntimeException("Failed to implement network id=" + nic.getNetworkId() + " as a part preparing nic id=" + nic.getId()); |                 throw new CloudRuntimeException(String.format("Failed to implement network %s as a part preparing nic %s", network, nic)); | ||||||
|             } |             } | ||||||
|             nic = prepareNic(vmProfile, dest, context, nic.getId(), implemented.second()); |             nic = prepareNic(vmProfile, dest, context, nic.getId(), implemented.second()); | ||||||
|             logger.debug("Nic is prepared successfully for vm {} in network {}", vm, network); |             logger.debug("Nic is prepared successfully for vm {} in network {}", vm, network); | ||||||
| @ -4588,18 +4597,18 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|         final List<Provider> providers = getProvidersForServiceInNetwork(network, service); |         final List<Provider> providers = getProvidersForServiceInNetwork(network, service); | ||||||
|         //Only support one provider now |         //Only support one provider now | ||||||
|         if (providers == null) { |         if (providers == null) { | ||||||
|             logger.error("Cannot find {} provider for network {}", service.getName(), network.getId()); |             logger.error("Cannot find {} provider for network {}", service.getName(), network); | ||||||
|             return null; |             return null; | ||||||
|         } |         } | ||||||
|         if (providers.size() != 1 && service != Service.Lb) { |         if (providers.size() != 1 && service != Service.Lb) { | ||||||
|             //support more than one LB providers only |             //support more than one LB providers only | ||||||
|             logger.error("Found {} {} providers for network! {}", providers.size(), service.getName(), network.getId()); |             logger.error("Found {} {} providers for network! {}", providers.size(), service.getName(), network); | ||||||
|             return null; |             return null; | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
|         for (final Provider provider : providers) { |         for (final Provider provider : providers) { | ||||||
|             final NetworkElement element = _networkModel.getElementImplementingProvider(provider.getName()); |             final NetworkElement element = _networkModel.getElementImplementingProvider(provider.getName()); | ||||||
|             logger.info("Let {} handle {} in network {}", element.getName(), service.getName(), network.getId()); |             logger.info("Let {} handle {} in network {}", element.getName(), service.getName(), network); | ||||||
|             elements.add(element); |             elements.add(element); | ||||||
|         } |         } | ||||||
|         return elements; |         return elements; | ||||||
| @ -4693,7 +4702,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
|     @Override |     @Override | ||||||
|     public Pair<NicProfile, Integer> importNic(final String macAddress, int deviceId, final Network network, final Boolean isDefaultNic, final VirtualMachine vm, final Network.IpAddresses ipAddresses, final DataCenter dataCenter, final boolean forced) |     public Pair<NicProfile, Integer> importNic(final String macAddress, int deviceId, final Network network, final Boolean isDefaultNic, final VirtualMachine vm, final Network.IpAddresses ipAddresses, final DataCenter dataCenter, final boolean forced) | ||||||
|             throws ConcurrentOperationException, InsufficientVirtualNetworkCapacityException, InsufficientAddressCapacityException { |             throws ConcurrentOperationException, InsufficientVirtualNetworkCapacityException, InsufficientAddressCapacityException { | ||||||
|         logger.debug("Allocating nic for vm {} in network {} during import", vm.getUuid(), network); |         logger.debug("Allocating nic for vm {} in network {} during import", vm, network); | ||||||
|         String selectedIp = null; |         String selectedIp = null; | ||||||
|         if (ipAddresses != null && StringUtils.isNotEmpty(ipAddresses.getIp4Address())) { |         if (ipAddresses != null && StringUtils.isNotEmpty(ipAddresses.getIp4Address())) { | ||||||
|             if (ipAddresses.getIp4Address().equals("auto")) { |             if (ipAddresses.getIp4Address().equals("auto")) { | ||||||
| @ -4743,7 +4752,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|                 int count = 1; |                 int count = 1; | ||||||
|                 if (vo.getVmType() == VirtualMachine.Type.User) { |                 if (vo.getVmType() == VirtualMachine.Type.User) { | ||||||
|                     logger.debug("Changing active number of nics for network id={} on {}", network.getUuid(), count); |                     logger.debug("Changing active number of nics for network {} on {}", network, count); | ||||||
|                     _networksDao.changeActiveNicsBy(network.getId(), count); |                     _networksDao.changeActiveNicsBy(network.getId(), count); | ||||||
|                 } |                 } | ||||||
|                 if (vo.getVmType() == VirtualMachine.Type.User |                 if (vo.getVmType() == VirtualMachine.Type.User | ||||||
| @ -4807,16 +4816,16 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|     private String generateNewMacAddressIfForced(Network network, String macAddress, boolean forced) { |     private String generateNewMacAddressIfForced(Network network, String macAddress, boolean forced) { | ||||||
|         if (!forced) { |         if (!forced) { | ||||||
|             throw new CloudRuntimeException("NIC with MAC address " + macAddress + " exists on network with ID " + network.getUuid() + |             throw new CloudRuntimeException("NIC with MAC address " + macAddress + " exists on network " + network + | ||||||
|                     " and forced flag is disabled"); |                     " and forced flag is disabled"); | ||||||
|         } |         } | ||||||
|         try { |         try { | ||||||
|             logger.debug("Generating a new mac address on network {} as the mac address {} already exists", network.getName(), macAddress); |             logger.debug("Generating a new mac address on network {} as the mac address {} already exists", network, macAddress); | ||||||
|             String newMacAddress = _networkModel.getNextAvailableMacAddressInNetwork(network.getId()); |             String newMacAddress = _networkModel.getNextAvailableMacAddressInNetwork(network.getId()); | ||||||
|             logger.debug("Successfully generated the mac address {}, using it instead of the conflicting address {}", newMacAddress, macAddress); |             logger.debug("Successfully generated the mac address {}, using it instead of the conflicting address {}", newMacAddress, macAddress); | ||||||
|             return newMacAddress; |             return newMacAddress; | ||||||
|         } catch (InsufficientAddressCapacityException e) { |         } catch (InsufficientAddressCapacityException e) { | ||||||
|             String msg = String.format("Could not generate a new mac address on network %s", network.getName()); |             String msg = String.format("Could not generate a new mac address on network %s", network); | ||||||
|             logger.error(msg); |             logger.error(msg); | ||||||
|             throw new CloudRuntimeException(msg); |             throw new CloudRuntimeException(msg); | ||||||
|         } |         } | ||||||
| @ -4824,7 +4833,7 @@ public class NetworkOrchestrator extends ManagerBase implements NetworkOrchestra | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public void unmanageNics(VirtualMachineProfile vm) { |     public void unmanageNics(VirtualMachineProfile vm) { | ||||||
|         logger.debug("Unmanaging NICs for VM: {}", vm.getId()); |         logger.debug("Unmanaging NICs for VM: {}", vm); | ||||||
| 
 | 
 | ||||||
|         VirtualMachine virtualMachine = vm.getVirtualMachine(); |         VirtualMachine virtualMachine = vm.getVirtualMachine(); | ||||||
|         final List<NicVO> nics = _nicDao.listByVmId(vm.getId()); |         final List<NicVO> nics = _nicDao.listByVmId(vm.getId()); | ||||||
|  | |||||||
| @ -151,7 +151,7 @@ public class StorageOrchestrator extends ManagerBase implements StorageOrchestra | |||||||
|         files = migrationHelper.getSortedValidSourcesList(srcDatastore, snapshotChains, childTemplates); |         files = migrationHelper.getSortedValidSourcesList(srcDatastore, snapshotChains, childTemplates); | ||||||
| 
 | 
 | ||||||
|         if (files.isEmpty()) { |         if (files.isEmpty()) { | ||||||
|             return new MigrationResponse(String.format("No files in Image store: %s to migrate", srcDatastore.getId()), migrationPolicy.toString(), true); |             return new MigrationResponse(String.format("No files in Image store: %s to migrate", srcDatastore), migrationPolicy.toString(), true); | ||||||
|         } |         } | ||||||
|         Map<Long, Pair<Long, Long>> storageCapacities = new Hashtable<>(); |         Map<Long, Pair<Long, Long>> storageCapacities = new Hashtable<>(); | ||||||
|         for (Long storeId : destDatastores) { |         for (Long storeId : destDatastores) { | ||||||
| @ -159,7 +159,7 @@ public class StorageOrchestrator extends ManagerBase implements StorageOrchestra | |||||||
|         } |         } | ||||||
|         storageCapacities.put(srcDataStoreId, new Pair<>(null, null)); |         storageCapacities.put(srcDataStoreId, new Pair<>(null, null)); | ||||||
|         if (migrationPolicy == MigrationPolicy.COMPLETE) { |         if (migrationPolicy == MigrationPolicy.COMPLETE) { | ||||||
|             logger.debug("Setting source image store: {} to read-only", srcDatastore.getId()); |             logger.debug("Setting source image store: {} to read-only", srcDatastore); | ||||||
|             storageService.updateImageStoreStatus(srcDataStoreId, true); |             storageService.updateImageStoreStatus(srcDataStoreId, true); | ||||||
|         } |         } | ||||||
| 
 | 
 | ||||||
| @ -309,8 +309,9 @@ public class StorageOrchestrator extends ManagerBase implements StorageOrchestra | |||||||
|                 message += "Image stores have been attempted to be balanced"; |                 message += "Image stores have been attempted to be balanced"; | ||||||
|                 success = true; |                 success = true; | ||||||
|             } else { |             } else { | ||||||
|                 message = "Files not completely migrated from "+ srcDatastore.getId() + ". Datastore (source): " + srcDatastore.getId() + "has equal or more free space than destination."+ |                 message = String.format("Files not completely migrated from %s. Source datastore " + | ||||||
|                         " If you want to continue using the Image Store, please change the read-only status using 'update imagestore' command"; |                         "has equal or more free space than destination. If you want to continue using the Image Store, " + | ||||||
|  |                         "please change the read-only status using 'update imagestore' command", srcDatastore); | ||||||
|                 success = false; |                 success = false; | ||||||
|             } |             } | ||||||
|         } else { |         } else { | ||||||
| @ -353,7 +354,7 @@ public class StorageOrchestrator extends ManagerBase implements StorageOrchestra | |||||||
|             task.setTemplateChain(templateChains); |             task.setTemplateChain(templateChains); | ||||||
|         } |         } | ||||||
|         futures.add((executor.submit(task))); |         futures.add((executor.submit(task))); | ||||||
|         logger.debug(String.format("Migration of {}: {} is initiated.", chosenFileForMigration.getType().name(), chosenFileForMigration.getUuid())); |         logger.debug("Migration of {}: {} is initiated.", chosenFileForMigration.getType().name(), chosenFileForMigration.getUuid()); | ||||||
|         return storageCapacities; |         return storageCapacities; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | |||||||
| @ -885,7 +885,7 @@ public class VolumeOrchestrator extends ManagerBase implements VolumeOrchestrati | |||||||
|                                                 Account owner, long deviceId, String configurationId) { |                                                 Account owner, long deviceId, String configurationId) { | ||||||
|         assert (template.getFormat() != ImageFormat.ISO) : "ISO is not a template."; |         assert (template.getFormat() != ImageFormat.ISO) : "ISO is not a template."; | ||||||
| 
 | 
 | ||||||
|         Long size = _tmpltMgr.getTemplateSize(template.getId(), vm.getDataCenterId()); |         Long size = _tmpltMgr.getTemplateSize(template, vm.getDataCenterId()); | ||||||
|         if (rootDisksize != null) { |         if (rootDisksize != null) { | ||||||
|             if (template.isDeployAsIs()) { |             if (template.isDeployAsIs()) { | ||||||
|                 // Volume size specified from template deploy-as-is |                 // Volume size specified from template deploy-as-is | ||||||
| @ -994,7 +994,7 @@ public class VolumeOrchestrator extends ManagerBase implements VolumeOrchestrati | |||||||
|                 if (configurationDetail != null) { |                 if (configurationDetail != null) { | ||||||
|                     configurationId = configurationDetail.getValue(); |                     configurationId = configurationDetail.getValue(); | ||||||
|                 } |                 } | ||||||
|                 templateAsIsDisks = _tmpltMgr.getTemplateDisksOnImageStore(template.getId(), DataStoreRole.Image, configurationId); |                 templateAsIsDisks = _tmpltMgr.getTemplateDisksOnImageStore(template, DataStoreRole.Image, configurationId); | ||||||
|                 if (CollectionUtils.isNotEmpty(templateAsIsDisks)) { |                 if (CollectionUtils.isNotEmpty(templateAsIsDisks)) { | ||||||
|                     templateAsIsDisks = templateAsIsDisks.stream() |                     templateAsIsDisks = templateAsIsDisks.stream() | ||||||
|                             .filter(x -> !x.isIso()) |                             .filter(x -> !x.isIso()) | ||||||
|  | |||||||
| @ -47,7 +47,7 @@ public class AgentManagerImplTest { | |||||||
|         host = new HostVO("some-Uuid"); |         host = new HostVO("some-Uuid"); | ||||||
|         host.setDataCenterId(1L); |         host.setDataCenterId(1L); | ||||||
|         cmds = new StartupCommand[]{new StartupRoutingCommand()}; |         cmds = new StartupCommand[]{new StartupRoutingCommand()}; | ||||||
|         attache = new ConnectedAgentAttache(null, 1L, "kvm-attache", null, false); |         attache = new ConnectedAgentAttache(null, 1L, "uuid", "kvm-attache", null, false); | ||||||
| 
 | 
 | ||||||
|         hostDao = Mockito.mock(HostDao.class); |         hostDao = Mockito.mock(HostDao.class); | ||||||
|         storagePoolMonitor = Mockito.mock(Listener.class); |         storagePoolMonitor = Mockito.mock(Listener.class); | ||||||
| @ -83,4 +83,24 @@ public class AgentManagerImplTest { | |||||||
|         } |         } | ||||||
|         Mockito.verify(mgr, Mockito.times(1)).handleDisconnectWithoutInvestigation(Mockito.any(attache.getClass()), Mockito.eq(Status.Event.AgentDisconnected), Mockito.eq(true), Mockito.eq(true)); |         Mockito.verify(mgr, Mockito.times(1)).handleDisconnectWithoutInvestigation(Mockito.any(attache.getClass()), Mockito.eq(Status.Event.AgentDisconnected), Mockito.eq(true), Mockito.eq(true)); | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testGetTimeoutWithPositiveTimeout() { | ||||||
|  |         Commands commands = Mockito.mock(Commands.class); | ||||||
|  |         int timeout = 30; | ||||||
|  |         int result = mgr.getTimeout(commands, timeout); | ||||||
|  | 
 | ||||||
|  |         Assert.assertEquals(30, result); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     @Test | ||||||
|  |     public void testGetTimeoutWithGranularTimeout() { | ||||||
|  |         Commands commands = Mockito.mock(Commands.class); | ||||||
|  |         Mockito.doReturn(50).when(mgr).getTimeoutFromGranularWaitTime(commands); | ||||||
|  | 
 | ||||||
|  |         int timeout = 0; | ||||||
|  |         int result = mgr.getTimeout(commands, timeout); | ||||||
|  | 
 | ||||||
|  |         Assert.assertEquals(50, result); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -31,8 +31,8 @@ public class ConnectedAgentAttacheTest { | |||||||
| 
 | 
 | ||||||
|         Link link = mock(Link.class); |         Link link = mock(Link.class); | ||||||
| 
 | 
 | ||||||
|         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, null, link, false); |         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, "uuid", null, link, false); | ||||||
|         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 0, null, link, false); |         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 0, "uuid", null, link, false); | ||||||
| 
 | 
 | ||||||
|         assertTrue(agentAttache1.equals(agentAttache2)); |         assertTrue(agentAttache1.equals(agentAttache2)); | ||||||
|     } |     } | ||||||
| @ -42,7 +42,7 @@ public class ConnectedAgentAttacheTest { | |||||||
| 
 | 
 | ||||||
|         Link link = mock(Link.class); |         Link link = mock(Link.class); | ||||||
| 
 | 
 | ||||||
|         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, null, link, false); |         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, "uuid", null, link, false); | ||||||
| 
 | 
 | ||||||
|         assertFalse(agentAttache1.equals(null)); |         assertFalse(agentAttache1.equals(null)); | ||||||
|     } |     } | ||||||
| @ -53,8 +53,8 @@ public class ConnectedAgentAttacheTest { | |||||||
|         Link link1 = mock(Link.class); |         Link link1 = mock(Link.class); | ||||||
|         Link link2 = mock(Link.class); |         Link link2 = mock(Link.class); | ||||||
| 
 | 
 | ||||||
|         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, null, link1, false); |         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 0, "uuid", null, link1, false); | ||||||
|         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 0, null, link2, false); |         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 0, "uuid", null, link2, false); | ||||||
| 
 | 
 | ||||||
|         assertFalse(agentAttache1.equals(agentAttache2)); |         assertFalse(agentAttache1.equals(agentAttache2)); | ||||||
|     } |     } | ||||||
| @ -64,8 +64,8 @@ public class ConnectedAgentAttacheTest { | |||||||
| 
 | 
 | ||||||
|         Link link1 = mock(Link.class); |         Link link1 = mock(Link.class); | ||||||
| 
 | 
 | ||||||
|         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 1, null, link1, false); |         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 1, "uuid", null, link1, false); | ||||||
|         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 2, null, link1, false); |         ConnectedAgentAttache agentAttache2 = new ConnectedAgentAttache(null, 2, "uuid", null, link1, false); | ||||||
| 
 | 
 | ||||||
|         assertFalse(agentAttache1.equals(agentAttache2)); |         assertFalse(agentAttache1.equals(agentAttache2)); | ||||||
|     } |     } | ||||||
| @ -75,7 +75,7 @@ public class ConnectedAgentAttacheTest { | |||||||
| 
 | 
 | ||||||
|         Link link1 = mock(Link.class); |         Link link1 = mock(Link.class); | ||||||
| 
 | 
 | ||||||
|         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 1, null, link1, false); |         ConnectedAgentAttache agentAttache1 = new ConnectedAgentAttache(null, 1, "uuid", null, link1, false); | ||||||
| 
 | 
 | ||||||
|         assertFalse(agentAttache1.equals("abc")); |         assertFalse(agentAttache1.equals("abc")); | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -26,6 +26,8 @@ import org.mockito.junit.MockitoJUnitRunner; | |||||||
| 
 | 
 | ||||||
| import com.cloud.resource.ServerResource; | import com.cloud.resource.ServerResource; | ||||||
| 
 | 
 | ||||||
|  | import java.util.UUID; | ||||||
|  | 
 | ||||||
| @RunWith(MockitoJUnitRunner.class) | @RunWith(MockitoJUnitRunner.class) | ||||||
| public class DirectAgentAttacheTest { | public class DirectAgentAttacheTest { | ||||||
|     @Mock |     @Mock | ||||||
| @ -36,9 +38,11 @@ public class DirectAgentAttacheTest { | |||||||
| 
 | 
 | ||||||
|     long _id = 0L; |     long _id = 0L; | ||||||
| 
 | 
 | ||||||
|  |     String _uuid = UUID.randomUUID().toString(); | ||||||
|  | 
 | ||||||
|     @Before |     @Before | ||||||
|     public void setup() { |     public void setup() { | ||||||
|         directAgentAttache = new DirectAgentAttache(_agentMgr, _id, "myDirectAgentAttache", _resource, false); |         directAgentAttache = new DirectAgentAttache(_agentMgr, _id, _uuid, "myDirectAgentAttache", _resource, false); | ||||||
| 
 | 
 | ||||||
|         MockitoAnnotations.initMocks(directAgentAttache); |         MockitoAnnotations.initMocks(directAgentAttache); | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -31,6 +31,7 @@ import javax.persistence.Table; | |||||||
| import com.cloud.org.Grouping; | import com.cloud.org.Grouping; | ||||||
| import com.cloud.utils.NumbersUtil; | import com.cloud.utils.NumbersUtil; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "host_pod_ref") | @Table(name = "host_pod_ref") | ||||||
| @ -197,4 +198,11 @@ public class HostPodVO implements Pod { | |||||||
|     public void setUuid(String uuid) { |     public void setUuid(String uuid) { | ||||||
|         this.uuid = uuid; |         this.uuid = uuid; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("HostPod %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -29,6 +29,7 @@ import javax.persistence.Id; | |||||||
| import javax.persistence.Table; | import javax.persistence.Table; | ||||||
| 
 | 
 | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "vlan") | @Table(name = "vlan") | ||||||
| @ -192,24 +193,11 @@ public class VlanVO implements Vlan { | |||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         if (toString == null) { |         if (toString == null) { | ||||||
|             toString = |             toString = String.format("Vlan %s", | ||||||
|                     new StringBuilder("Vlan[").append(vlanTag) |                     ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "uuid", | ||||||
|                     .append("|") |                             "vlanTag", "vlanGateway", "vlanNetmask", "ip6Gateway", "ip6Cidr", | ||||||
|                     .append(vlanGateway) |                             "ipRange", "ip6Range", "networkId")); | ||||||
|                     .append("|") | 
 | ||||||
|                     .append(vlanNetmask) |  | ||||||
|                     .append("|") |  | ||||||
|                     .append(ip6Gateway) |  | ||||||
|                     .append("|") |  | ||||||
|                     .append(ip6Cidr) |  | ||||||
|                     .append("|") |  | ||||||
|                     .append(ipRange) |  | ||||||
|                     .append("|") |  | ||||||
|                     .append(ip6Range) |  | ||||||
|                     .append("|") |  | ||||||
|                     .append(networkId) |  | ||||||
|                     .append("]") |  | ||||||
|                     .toString(); |  | ||||||
|         } |         } | ||||||
|         return toString; |         return toString; | ||||||
|     } |     } | ||||||
|  | |||||||
| @ -28,6 +28,7 @@ import javax.persistence.Table; | |||||||
| 
 | 
 | ||||||
| import com.cloud.utils.NumbersUtil; | import com.cloud.utils.NumbersUtil; | ||||||
| import com.cloud.utils.db.Encrypt; | import com.cloud.utils.db.Encrypt; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * VmwareDatacenterVO contains information of Vmware Datacenter associated with a CloudStack zone. |  * VmwareDatacenterVO contains information of Vmware Datacenter associated with a CloudStack zone. | ||||||
| @ -125,7 +126,9 @@ public class VmwareDatacenterVO implements VmwareDatacenter { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("VmwareDatacenter[").append(guid).append("]").toString(); |         return String.format("VmwareDatacenter %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "guid")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -26,6 +26,7 @@ import javax.persistence.GenerationType; | |||||||
| import javax.persistence.Id; | import javax.persistence.Id; | ||||||
| import javax.persistence.Table; | import javax.persistence.Table; | ||||||
| 
 | 
 | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| import org.apache.logging.log4j.Logger; | import org.apache.logging.log4j.Logger; | ||||||
| import org.apache.logging.log4j.LogManager; | import org.apache.logging.log4j.LogManager; | ||||||
| 
 | 
 | ||||||
| @ -206,7 +207,9 @@ public class DomainVO implements Domain { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Domain:").append(id).append(path).toString(); |         return String.format("Domain %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "path")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -712,7 +712,7 @@ public class HostVO implements Host { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return String.format("Host %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "name", "uuid", "type")); |         return String.format("Host %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "uuid", "name", "type")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public void setHypervisorType(HypervisorType hypervisorType) { |     public void setHypervisorType(HypervisorType hypervisorType) { | ||||||
|  | |||||||
| @ -27,6 +27,7 @@ import javax.persistence.PrimaryKeyJoinColumn; | |||||||
| import javax.persistence.Table; | import javax.persistence.Table; | ||||||
| 
 | 
 | ||||||
| import com.cloud.network.rules.HealthCheckPolicy; | import com.cloud.network.rules.HealthCheckPolicy; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "load_balancer_healthcheck_policies") | @Table(name = "load_balancer_healthcheck_policies") | ||||||
| @ -169,4 +170,11 @@ public class LBHealthCheckPolicyVO implements HealthCheckPolicy { | |||||||
|     public boolean isDisplay() { |     public boolean isDisplay() { | ||||||
|         return display; |         return display; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("LBHealthCheckPolicy %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "pingPath")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -33,6 +33,7 @@ import javax.persistence.TemporalType; | |||||||
| import org.apache.cloudstack.api.InternalIdentity; | import org.apache.cloudstack.api.InternalIdentity; | ||||||
| 
 | 
 | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "autoscale_policies") | @Table(name = "autoscale_policies") | ||||||
| @ -92,7 +93,9 @@ public class AutoScalePolicyVO implements AutoScalePolicy, InternalIdentity { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("AutoScalePolicy[").append("id-").append(id).append("]").toString(); |         return String.format("AutoScalePolicy %s.", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -32,6 +32,7 @@ import javax.persistence.TemporalType; | |||||||
| 
 | 
 | ||||||
| import org.apache.cloudstack.api.Identity; | import org.apache.cloudstack.api.Identity; | ||||||
| import org.apache.cloudstack.api.InternalIdentity; | import org.apache.cloudstack.api.InternalIdentity; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| import org.apache.commons.lang3.StringUtils; | import org.apache.commons.lang3.StringUtils; | ||||||
| 
 | 
 | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
| @ -126,11 +127,9 @@ public class AutoScaleVmGroupVO implements AutoScaleVmGroup, InternalIdentity, I | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("AutoScaleVmGroupVO[").append("id=").append(id) |         return String.format("AutoScaleVmGroup %s.", | ||||||
|                 .append("|name=").append(name) |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|                 .append("|loadBalancerId=").append(loadBalancerId) |                         this, "id", "uuid", "name", "loadBalancerId", "profileId")); | ||||||
|                 .append("|profileId=").append(profileId) |  | ||||||
|                 .append("]").toString(); |  | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -37,6 +37,7 @@ import javax.persistence.Table; | |||||||
| 
 | 
 | ||||||
| import org.apache.cloudstack.api.Identity; | import org.apache.cloudstack.api.Identity; | ||||||
| import org.apache.cloudstack.api.InternalIdentity; | import org.apache.cloudstack.api.InternalIdentity; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| import org.apache.commons.collections.MapUtils; | import org.apache.commons.collections.MapUtils; | ||||||
| import org.apache.commons.lang3.StringUtils; | import org.apache.commons.lang3.StringUtils; | ||||||
| 
 | 
 | ||||||
| @ -126,7 +127,9 @@ public class AutoScaleVmProfileVO implements AutoScaleVmProfile, Identity, Inter | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("AutoScaleVMProfileVO[").append("id").append(id).append("-").append("templateId").append("-").append(templateId).append("]").toString(); |         return String.format("AutoScaleVMProfile %s.", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "templateId")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -33,6 +33,7 @@ import org.apache.cloudstack.api.Identity; | |||||||
| import org.apache.cloudstack.api.InternalIdentity; | import org.apache.cloudstack.api.InternalIdentity; | ||||||
| 
 | 
 | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "conditions") | @Table(name = "conditions") | ||||||
| @ -91,7 +92,9 @@ public class ConditionVO implements Condition, Identity, InternalIdentity { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Condition[").append("id-").append(id).append("]").toString(); |         return String.format("Condition %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -34,6 +34,7 @@ import org.apache.cloudstack.api.InternalIdentity; | |||||||
| 
 | 
 | ||||||
| import com.cloud.network.Network; | import com.cloud.network.Network; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "counter") | @Table(name = "counter") | ||||||
| @ -79,7 +80,9 @@ public class CounterVO implements Counter, Identity, InternalIdentity { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Counter[").append("id-").append(id).append("]").toString(); |         return String.format("Counter %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -30,6 +30,7 @@ import javax.persistence.Table; | |||||||
| import org.apache.cloudstack.api.Identity; | import org.apache.cloudstack.api.Identity; | ||||||
| import org.apache.cloudstack.api.InternalIdentity; | import org.apache.cloudstack.api.InternalIdentity; | ||||||
| import org.apache.cloudstack.network.ExternalNetworkDeviceManager; | import org.apache.cloudstack.network.ExternalNetworkDeviceManager; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * ExternalLoadBalancerDeviceVO contains information on external load balancer devices (F5/Netscaler VPX,MPX,SDX) added into a deployment |  * ExternalLoadBalancerDeviceVO contains information on external load balancer devices (F5/Netscaler VPX,MPX,SDX) added into a deployment | ||||||
| @ -244,4 +245,11 @@ public class ExternalLoadBalancerDeviceVO implements InternalIdentity, Identity | |||||||
|     public void setUuid(String uuid) { |     public void setUuid(String uuid) { | ||||||
|         this.uuid = uuid; |         this.uuid = uuid; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("ExternalLoadBalancerDevice %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "providerName")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -33,6 +33,7 @@ import javax.persistence.TemporalType; | |||||||
| import com.cloud.network.IpAddress; | import com.cloud.network.IpAddress; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
| import com.cloud.utils.net.Ip; | import com.cloud.utils.net.Ip; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * A bean representing a public IP Address |  * A bean representing a public IP Address | ||||||
| @ -268,7 +269,9 @@ public class IPAddressVO implements IpAddress { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Ip[").append(address).append("-").append(dataCenterId).append("]").toString(); |         return String.format("IPAddress %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "dataCenterId", "address")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
| @ -33,6 +33,7 @@ import javax.persistence.Table; | |||||||
| 
 | 
 | ||||||
| import com.cloud.network.rules.StickinessPolicy; | import com.cloud.network.rules.StickinessPolicy; | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "load_balancer_stickiness_policies") | @Table(name = "load_balancer_stickiness_policies") | ||||||
| @ -162,4 +163,11 @@ public class LBStickinessPolicyVO implements StickinessPolicy { | |||||||
|     public boolean isDisplay() { |     public boolean isDisplay() { | ||||||
|         return display; |         return display; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("LBStickinessPolicy %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "methodName")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -27,6 +27,7 @@ import javax.persistence.Table; | |||||||
| import com.cloud.network.rules.FirewallRuleVO; | import com.cloud.network.rules.FirewallRuleVO; | ||||||
| import com.cloud.network.rules.LoadBalancer; | import com.cloud.network.rules.LoadBalancer; | ||||||
| import com.cloud.utils.net.NetUtils; | import com.cloud.utils.net.NetUtils; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * This VO represents Public Load Balancer |  * This VO represents Public Load Balancer | ||||||
| @ -136,4 +137,11 @@ public class LoadBalancerVO extends FirewallRuleVO implements LoadBalancer { | |||||||
|     public String getCidrList() { |     public String getCidrList() { | ||||||
|         return cidrList; |         return cidrList; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("LoadBalancer %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name", "purpose", "state")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -35,6 +35,7 @@ import org.apache.cloudstack.api.InternalIdentity; | |||||||
| import com.cloud.network.Network.Service; | import com.cloud.network.Network.Service; | ||||||
| import com.cloud.network.PhysicalNetworkServiceProvider; | import com.cloud.network.PhysicalNetworkServiceProvider; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "physical_network_service_providers") | @Table(name = "physical_network_service_providers") | ||||||
| @ -109,6 +110,13 @@ public class PhysicalNetworkServiceProviderVO implements PhysicalNetworkServiceP | |||||||
|         this.uuid = UUID.randomUUID().toString(); |         this.uuid = UUID.randomUUID().toString(); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("PhysicalNetworkServiceProvider %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                 this, "id", "uuid", "name", "providerName")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public long getId() { |     public long getId() { | ||||||
|         return id; |         return id; | ||||||
|  | |||||||
| @ -37,6 +37,7 @@ import com.cloud.network.PhysicalNetwork; | |||||||
| import com.cloud.utils.NumbersUtil; | import com.cloud.utils.NumbersUtil; | ||||||
| import com.cloud.utils.Pair; | import com.cloud.utils.Pair; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| /** | /** | ||||||
|  * NetworkConfigurationVO contains information about a specific physical network. |  * NetworkConfigurationVO contains information about a specific physical network. | ||||||
| @ -248,4 +249,11 @@ public class PhysicalNetworkVO implements PhysicalNetwork { | |||||||
|     public String getName() { |     public String getName() { | ||||||
|         return name; |         return name; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("PhysicalNetwork %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -18,6 +18,7 @@ package com.cloud.network.dao; | |||||||
| 
 | 
 | ||||||
| import com.cloud.network.RemoteAccessVpn; | import com.cloud.network.RemoteAccessVpn; | ||||||
| import com.cloud.utils.db.Encrypt; | import com.cloud.utils.db.Encrypt; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| import javax.persistence.Column; | import javax.persistence.Column; | ||||||
| import javax.persistence.Entity; | import javax.persistence.Entity; | ||||||
| @ -86,6 +87,11 @@ public class RemoteAccessVpnVO implements RemoteAccessVpn { | |||||||
|         this.vpcId = vpcId; |         this.vpcId = vpcId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("RemoteAccessVpn %s", ReflectionToStringBuilderUtils.reflectOnlySelectedFields(this, "id", "uuid")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public State getState() { |     public State getState() { | ||||||
|         return state; |         return state; | ||||||
|  | |||||||
| @ -29,6 +29,7 @@ import javax.persistence.Table; | |||||||
| import com.cloud.network.Site2SiteCustomerGateway; | import com.cloud.network.Site2SiteCustomerGateway; | ||||||
| import com.cloud.utils.db.Encrypt; | import com.cloud.utils.db.Encrypt; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @ -110,6 +111,13 @@ public class Site2SiteCustomerGatewayVO implements Site2SiteCustomerGateway { | |||||||
|         this.ikeVersion = ikeVersion; |         this.ikeVersion = ikeVersion; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("Site2SiteCustomerGateway %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public long getId() { |     public long getId() { | ||||||
|         return id; |         return id; | ||||||
|  | |||||||
| @ -32,6 +32,7 @@ import org.apache.cloudstack.api.InternalIdentity; | |||||||
| 
 | 
 | ||||||
| import com.cloud.network.Site2SiteVpnConnection; | import com.cloud.network.Site2SiteVpnConnection; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @ -182,4 +183,11 @@ public class Site2SiteVpnConnectionVO implements Site2SiteVpnConnection, Interna | |||||||
|     public String getName() { |     public String getName() { | ||||||
|         return null; |         return null; | ||||||
|     } |     } | ||||||
|  | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("Site2SiteVpnConnection %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "state")); | ||||||
|  |     } | ||||||
| } | } | ||||||
|  | |||||||
| @ -28,6 +28,7 @@ import javax.persistence.Table; | |||||||
| 
 | 
 | ||||||
| import com.cloud.network.Site2SiteVpnGateway; | import com.cloud.network.Site2SiteVpnGateway; | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @ -70,6 +71,13 @@ public class Site2SiteVpnGatewayVO implements Site2SiteVpnGateway { | |||||||
|         this.domainId = domainId; |         this.domainId = domainId; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @Override | ||||||
|  |     public String toString() { | ||||||
|  |         return String.format("Site2SiteVpnGateway %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "name")); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @Override |     @Override | ||||||
|     public long getId() { |     public long getId() { | ||||||
|         return id; |         return id; | ||||||
|  | |||||||
| @ -36,6 +36,7 @@ import javax.persistence.Transient; | |||||||
| 
 | 
 | ||||||
| import com.cloud.utils.db.GenericDao; | import com.cloud.utils.db.GenericDao; | ||||||
| import com.cloud.utils.net.NetUtils; | import com.cloud.utils.net.NetUtils; | ||||||
|  | import org.apache.cloudstack.utils.reflectiontostringbuilderutils.ReflectionToStringBuilderUtils; | ||||||
| 
 | 
 | ||||||
| @Entity | @Entity | ||||||
| @Table(name = "firewall_rules") | @Table(name = "firewall_rules") | ||||||
| @ -258,7 +259,9 @@ public class FirewallRuleVO implements FirewallRule { | |||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|     public String toString() { |     public String toString() { | ||||||
|         return new StringBuilder("Rule[").append(id).append("-").append(purpose).append("-").append(state).append("]").toString(); |         return String.format("FirewallRule %s", | ||||||
|  |                 ReflectionToStringBuilderUtils.reflectOnlySelectedFields( | ||||||
|  |                         this, "id", "uuid", "networkId", "purpose", "state")); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Override |     @Override | ||||||
|  | |||||||
Some files were not shown because too many files have changed in this diff Show More
		Loading…
	
	
			
			x
			
			
		
	
		Reference in New Issue
	
	Block a user