This commit is contained in:
2021-04-06 00:45:28 +02:00
commit 17fabc368e
836 changed files with 3042963 additions and 0 deletions

View File

@@ -0,0 +1,144 @@
package org.fog.entities;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.core.SimEntity;
import org.cloudbus.cloudsim.core.SimEvent;
import org.fog.application.AppLoop;
import org.fog.application.Application;
import org.fog.utils.FogEvents;
import org.fog.utils.GeoLocation;
import org.fog.utils.Logger;
import org.fog.utils.TimeKeeper;
public class Actuator extends SimEntity{
private int gatewayDeviceId;
private double latency;
private GeoLocation geoLocation;
private String appId;
private int userId;
private String actuatorType;
private Application app;
public Actuator(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation, String actuatorType, String srcModuleName) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
setUserId(userId);
setActuatorType(actuatorType);
setLatency(latency);
}
public Actuator(String name, int userId, String appId, String actuatorType) {
super(name);
this.setAppId(appId);
setUserId(userId);
setActuatorType(actuatorType);
}
@Override
public void startEntity() {
sendNow(gatewayDeviceId, FogEvents.ACTUATOR_JOINED, getLatency());
}
@Override
public void processEvent(SimEvent ev) {
switch(ev.getTag()){
case FogEvents.TUPLE_ARRIVAL:
processTupleArrival(ev);
break;
}
}
private void processTupleArrival(SimEvent ev) {
Tuple tuple = (Tuple)ev.getData();
Logger.debug(getName(), "Received tuple "+tuple.getCloudletId()+"on "+tuple.getDestModuleName());
String srcModule = tuple.getSrcModuleName();
String destModule = tuple.getDestModuleName();
Application app = getApp();
for(AppLoop loop : app.getLoops()){
if(loop.hasEdge(srcModule, destModule) && loop.isEndModule(destModule)){
Double startTime = TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
if(startTime==null)
break;
if(!TimeKeeper.getInstance().getLoopIdToCurrentAverage().containsKey(loop.getLoopId())){
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), 0.0);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), 0);
}
double currentAverage = TimeKeeper.getInstance().getLoopIdToCurrentAverage().get(loop.getLoopId());
int currentCount = TimeKeeper.getInstance().getLoopIdToCurrentNum().get(loop.getLoopId());
double delay = CloudSim.clock()- TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
TimeKeeper.getInstance().getEmitTimes().remove(tuple.getActualTupleId());
double newAverage = (currentAverage*currentCount + delay)/(currentCount+1);
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), newAverage);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), currentCount+1);
break;
}
}
}
@Override
public void shutdownEntity() {
}
public int getGatewayDeviceId() {
return gatewayDeviceId;
}
public void setGatewayDeviceId(int gatewayDeviceId) {
this.gatewayDeviceId = gatewayDeviceId;
}
public GeoLocation getGeoLocation() {
return geoLocation;
}
public void setGeoLocation(GeoLocation geoLocation) {
this.geoLocation = geoLocation;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getAppId() {
return appId;
}
public void setAppId(String appId) {
this.appId = appId;
}
public String getActuatorType() {
return actuatorType;
}
public void setActuatorType(String actuatorType) {
this.actuatorType = actuatorType;
}
public Application getApp() {
return app;
}
public void setApp(Application app) {
this.app = app;
}
public double getLatency() {
return latency;
}
public void setLatency(double latency) {
this.latency = latency;
}
}

View File

@@ -0,0 +1,33 @@
package org.fog.entities;
import org.cloudbus.cloudsim.core.SimEvent;
import org.cloudbus.cloudsim.power.PowerDatacenterBroker;
public class FogBroker extends PowerDatacenterBroker{
public FogBroker(String name) throws Exception {
super(name);
// TODO Auto-generated constructor stub
}
@Override
public void startEntity() {
// TODO Auto-generated method stub
}
@Override
public void processEvent(SimEvent ev) {
// TODO Auto-generated method stub
}
@Override
public void shutdownEntity() {
// TODO Auto-generated method stub
}
}

View File

@@ -0,0 +1,987 @@
package org.fog.entities;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.LinkedList;
import java.util.List;
import java.util.Map;
import java.util.Queue;
import org.apache.commons.math3.util.Pair;
import org.cloudbus.cloudsim.Cloudlet;
import org.cloudbus.cloudsim.Host;
import org.cloudbus.cloudsim.Log;
import org.cloudbus.cloudsim.Pe;
import org.cloudbus.cloudsim.Storage;
import org.cloudbus.cloudsim.Vm;
import org.cloudbus.cloudsim.VmAllocationPolicy;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.core.CloudSimTags;
import org.cloudbus.cloudsim.core.SimEvent;
import org.cloudbus.cloudsim.power.PowerDatacenter;
import org.cloudbus.cloudsim.power.PowerHost;
import org.cloudbus.cloudsim.power.models.PowerModel;
import org.cloudbus.cloudsim.provisioners.RamProvisionerSimple;
import org.cloudbus.cloudsim.sdn.overbooking.BwProvisionerOverbooking;
import org.cloudbus.cloudsim.sdn.overbooking.PeProvisionerOverbooking;
import org.fog.application.AppEdge;
import org.fog.application.AppLoop;
import org.fog.application.AppModule;
import org.fog.application.Application;
import org.fog.policy.AppModuleAllocationPolicy;
import org.fog.scheduler.StreamOperatorScheduler;
import org.fog.utils.Config;
import org.fog.utils.FogEvents;
import org.fog.utils.FogUtils;
import org.fog.utils.Logger;
import org.fog.utils.ModuleLaunchConfig;
import org.fog.utils.NetworkUsageMonitor;
import org.fog.utils.TimeKeeper;
public class FogDevice extends PowerDatacenter {
protected Queue<Tuple> northTupleQueue;
protected Queue<Pair<Tuple, Integer>> southTupleQueue;
protected List<String> activeApplications;
protected Map<String, Application> applicationMap;
protected Map<String, List<String>> appToModulesMap;
protected Map<Integer, Double> childToLatencyMap;
protected Map<Integer, Integer> cloudTrafficMap;
protected double lockTime;
/**
* ID of the parent Fog Device
*/
protected int parentId;
/**
* ID of the Controller
*/
protected int controllerId;
/**
* IDs of the children Fog devices
*/
protected List<Integer> childrenIds;
protected Map<Integer, List<String>> childToOperatorsMap;
/**
* Flag denoting whether the link southwards from this FogDevice is busy
*/
protected boolean isSouthLinkBusy;
/**
* Flag denoting whether the link northwards from this FogDevice is busy
*/
protected boolean isNorthLinkBusy;
protected double uplinkBandwidth;
protected double downlinkBandwidth;
protected double uplinkLatency;
protected List<Pair<Integer, Double>> associatedActuatorIds;
protected double energyConsumption;
protected double lastUtilizationUpdateTime;
protected double lastUtilization;
private int level;
protected double ratePerMips;
protected double totalCost;
protected Map<String, Map<String, Integer>> moduleInstanceCount;
public FogDevice(
String name,
FogDeviceCharacteristics characteristics,
VmAllocationPolicy vmAllocationPolicy,
List<Storage> storageList,
double schedulingInterval,
double uplinkBandwidth, double downlinkBandwidth, double uplinkLatency, double ratePerMips) throws Exception {
super(name, characteristics, vmAllocationPolicy, storageList, schedulingInterval);
setCharacteristics(characteristics);
setVmAllocationPolicy(vmAllocationPolicy);
setLastProcessTime(0.0);
setStorageList(storageList);
setVmList(new ArrayList<Vm>());
setSchedulingInterval(schedulingInterval);
setUplinkBandwidth(uplinkBandwidth);
setDownlinkBandwidth(downlinkBandwidth);
setUplinkLatency(uplinkLatency);
setRatePerMips(ratePerMips);
setAssociatedActuatorIds(new ArrayList<Pair<Integer, Double>>());
for (Host host : getCharacteristics().getHostList()) {
host.setDatacenter(this);
}
setActiveApplications(new ArrayList<String>());
// If this resource doesn't have any PEs then no useful at all
if (getCharacteristics().getNumberOfPes() == 0) {
throw new Exception(super.getName()
+ " : Error - this entity has no PEs. Therefore, can't process any Cloudlets.");
}
// stores id of this class
getCharacteristics().setId(super.getId());
applicationMap = new HashMap<String, Application>();
appToModulesMap = new HashMap<String, List<String>>();
northTupleQueue = new LinkedList<Tuple>();
southTupleQueue = new LinkedList<Pair<Tuple, Integer>>();
setNorthLinkBusy(false);
setSouthLinkBusy(false);
setChildrenIds(new ArrayList<Integer>());
setChildToOperatorsMap(new HashMap<Integer, List<String>>());
this.cloudTrafficMap = new HashMap<Integer, Integer>();
this.lockTime = 0;
this.energyConsumption = 0;
this.lastUtilization = 0;
setTotalCost(0);
setModuleInstanceCount(new HashMap<String, Map<String, Integer>>());
setChildToLatencyMap(new HashMap<Integer, Double>());
}
public FogDevice(
String name, long mips, int ram,
double uplinkBandwidth, double downlinkBandwidth, double ratePerMips, PowerModel powerModel) throws Exception {
super(name, null, null, new LinkedList<Storage>(), 0);
List<Pe> peList = new ArrayList<Pe>();
// 3. Create PEs and add these into a list.
peList.add(new Pe(0, new PeProvisionerOverbooking(mips))); // need to store Pe id and MIPS Rating
int hostId = FogUtils.generateEntityId();
long storage = 1000000; // host storage
int bw = 10000;
PowerHost host = new PowerHost(
hostId,
new RamProvisionerSimple(ram),
new BwProvisionerOverbooking(bw),
storage,
peList,
new StreamOperatorScheduler(peList),
powerModel
);
List<Host> hostList = new ArrayList<Host>();
hostList.add(host);
setVmAllocationPolicy(new AppModuleAllocationPolicy(hostList));
String arch = Config.FOG_DEVICE_ARCH;
String os = Config.FOG_DEVICE_OS;
String vmm = Config.FOG_DEVICE_VMM;
double time_zone = Config.FOG_DEVICE_TIMEZONE;
double cost = Config.FOG_DEVICE_COST;
double costPerMem = Config.FOG_DEVICE_COST_PER_MEMORY;
double costPerStorage = Config.FOG_DEVICE_COST_PER_STORAGE;
double costPerBw = Config.FOG_DEVICE_COST_PER_BW;
FogDeviceCharacteristics characteristics = new FogDeviceCharacteristics(
arch, os, vmm, host, time_zone, cost, costPerMem,
costPerStorage, costPerBw);
setCharacteristics(characteristics);
setLastProcessTime(0.0);
setVmList(new ArrayList<Vm>());
setUplinkBandwidth(uplinkBandwidth);
setDownlinkBandwidth(downlinkBandwidth);
setUplinkLatency(uplinkLatency);
setAssociatedActuatorIds(new ArrayList<Pair<Integer, Double>>());
for (Host host1 : getCharacteristics().getHostList()) {
host1.setDatacenter(this);
}
setActiveApplications(new ArrayList<String>());
if (getCharacteristics().getNumberOfPes() == 0) {
throw new Exception(super.getName()
+ " : Error - this entity has no PEs. Therefore, can't process any Cloudlets.");
}
getCharacteristics().setId(super.getId());
applicationMap = new HashMap<String, Application>();
appToModulesMap = new HashMap<String, List<String>>();
northTupleQueue = new LinkedList<Tuple>();
southTupleQueue = new LinkedList<Pair<Tuple, Integer>>();
setNorthLinkBusy(false);
setSouthLinkBusy(false);
setChildrenIds(new ArrayList<Integer>());
setChildToOperatorsMap(new HashMap<Integer, List<String>>());
this.cloudTrafficMap = new HashMap<Integer, Integer>();
this.lockTime = 0;
this.energyConsumption = 0;
this.lastUtilization = 0;
setTotalCost(0);
setChildToLatencyMap(new HashMap<Integer, Double>());
setModuleInstanceCount(new HashMap<String, Map<String, Integer>>());
}
/**
* Overrides this method when making a new and different type of resource. <br>
* <b>NOTE:</b> You do not need to override {@link #body()} method, if you use this method.
*
* @pre $none
* @post $none
*/
protected void registerOtherEntity() {
}
@Override
protected void processOtherEvent(SimEvent ev) {
switch(ev.getTag()){
case FogEvents.TUPLE_ARRIVAL:
processTupleArrival(ev);
break;
case FogEvents.LAUNCH_MODULE:
processModuleArrival(ev);
break;
case FogEvents.RELEASE_OPERATOR:
processOperatorRelease(ev);
break;
case FogEvents.SENSOR_JOINED:
processSensorJoining(ev);
break;
case FogEvents.SEND_PERIODIC_TUPLE:
sendPeriodicTuple(ev);
break;
case FogEvents.APP_SUBMIT:
processAppSubmit(ev);
break;
case FogEvents.UPDATE_NORTH_TUPLE_QUEUE:
updateNorthTupleQueue();
break;
case FogEvents.UPDATE_SOUTH_TUPLE_QUEUE:
updateSouthTupleQueue();
break;
case FogEvents.ACTIVE_APP_UPDATE:
updateActiveApplications(ev);
break;
case FogEvents.ACTUATOR_JOINED:
processActuatorJoined(ev);
break;
case FogEvents.LAUNCH_MODULE_INSTANCE:
updateModuleInstanceCount(ev);
break;
case FogEvents.RESOURCE_MGMT:
manageResources(ev);
default:
break;
}
}
/**
* Perform miscellaneous resource management tasks
* @param ev
*/
private void manageResources(SimEvent ev) {
updateEnergyConsumption();
send(getId(), Config.RESOURCE_MGMT_INTERVAL, FogEvents.RESOURCE_MGMT);
}
/**
* Updating the number of modules of an application module on this device
* @param ev instance of SimEvent containing the module and no of instances
*/
private void updateModuleInstanceCount(SimEvent ev) {
ModuleLaunchConfig config = (ModuleLaunchConfig)ev.getData();
String appId = config.getModule().getAppId();
if(!moduleInstanceCount.containsKey(appId))
moduleInstanceCount.put(appId, new HashMap<String, Integer>());
moduleInstanceCount.get(appId).put(config.getModule().getName(), config.getInstanceCount());
System.out.println(getName()+ " Creating "+config.getInstanceCount()+" instances of module "+config.getModule().getName());
}
private AppModule getModuleByName(String moduleName){
AppModule module = null;
for(Vm vm : getHost().getVmList()){
if(((AppModule)vm).getName().equals(moduleName)){
module=(AppModule)vm;
break;
}
}
return module;
}
/**
* Sending periodic tuple for an application edge. Note that for multiple instances of a single source module, only one tuple is sent DOWN while instanceCount number of tuples are sent UP.
* @param ev SimEvent instance containing the edge to send tuple on
*/
private void sendPeriodicTuple(SimEvent ev) {
AppEdge edge = (AppEdge)ev.getData();
String srcModule = edge.getSource();
AppModule module = getModuleByName(srcModule);
if(module == null)
return;
int instanceCount = module.getNumInstances();
/*
* Since tuples sent through a DOWN application edge are anyways broadcasted, only UP tuples are replicated
*/
for(int i = 0;i<((edge.getDirection()==Tuple.UP)?instanceCount:1);i++){
//System.out.println(CloudSim.clock()+" : Sending periodic tuple "+edge.getTupleType());
Tuple tuple = applicationMap.get(module.getAppId()).createTuple(edge, getId(), module.getId());
updateTimingsOnSending(tuple);
sendToSelf(tuple);
}
send(getId(), edge.getPeriodicity(), FogEvents.SEND_PERIODIC_TUPLE, edge);
}
protected void processActuatorJoined(SimEvent ev) {
int actuatorId = ev.getSource();
double delay = (double)ev.getData();
getAssociatedActuatorIds().add(new Pair<Integer, Double>(actuatorId, delay));
}
protected void updateActiveApplications(SimEvent ev) {
Application app = (Application)ev.getData();
getActiveApplications().add(app.getAppId());
}
public String getOperatorName(int vmId){
for(Vm vm : this.getHost().getVmList()){
if(vm.getId() == vmId)
return ((AppModule)vm).getName();
}
return null;
}
/**
* Update cloudet processing without scheduling future events.
*
* @return the double
*/
protected double updateCloudetProcessingWithoutSchedulingFutureEventsForce() {
double currentTime = CloudSim.clock();
double minTime = Double.MAX_VALUE;
double timeDiff = currentTime - getLastProcessTime();
double timeFrameDatacenterEnergy = 0.0;
for (PowerHost host : this.<PowerHost> getHostList()) {
Log.printLine();
double time = host.updateVmsProcessing(currentTime); // inform VMs to update processing
if (time < minTime) {
minTime = time;
}
Log.formatLine(
"%.2f: [Host #%d] utilization is %.2f%%",
currentTime,
host.getId(),
host.getUtilizationOfCpu() * 100);
}
if (timeDiff > 0) {
Log.formatLine(
"\nEnergy consumption for the last time frame from %.2f to %.2f:",
getLastProcessTime(),
currentTime);
for (PowerHost host : this.<PowerHost> getHostList()) {
double previousUtilizationOfCpu = host.getPreviousUtilizationOfCpu();
double utilizationOfCpu = host.getUtilizationOfCpu();
double timeFrameHostEnergy = host.getEnergyLinearInterpolation(
previousUtilizationOfCpu,
utilizationOfCpu,
timeDiff);
timeFrameDatacenterEnergy += timeFrameHostEnergy;
Log.printLine();
Log.formatLine(
"%.2f: [Host #%d] utilization at %.2f was %.2f%%, now is %.2f%%",
currentTime,
host.getId(),
getLastProcessTime(),
previousUtilizationOfCpu * 100,
utilizationOfCpu * 100);
Log.formatLine(
"%.2f: [Host #%d] energy is %.2f W*sec",
currentTime,
host.getId(),
timeFrameHostEnergy);
}
Log.formatLine(
"\n%.2f: Data center's energy is %.2f W*sec\n",
currentTime,
timeFrameDatacenterEnergy);
}
setPower(getPower() + timeFrameDatacenterEnergy);
checkCloudletCompletion();
/** Remove completed VMs **/
/**
* Change made by HARSHIT GUPTA
*/
/*for (PowerHost host : this.<PowerHost> getHostList()) {
for (Vm vm : host.getCompletedVms()) {
getVmAllocationPolicy().deallocateHostForVm(vm);
getVmList().remove(vm);
Log.printLine("VM #" + vm.getId() + " has been deallocated from host #" + host.getId());
}
}*/
Log.printLine();
setLastProcessTime(currentTime);
return minTime;
}
protected void checkCloudletCompletion() {
boolean cloudletCompleted = false;
List<? extends Host> list = getVmAllocationPolicy().getHostList();
for (int i = 0; i < list.size(); i++) {
Host host = list.get(i);
for (Vm vm : host.getVmList()) {
while (vm.getCloudletScheduler().isFinishedCloudlets()) {
Cloudlet cl = vm.getCloudletScheduler().getNextFinishedCloudlet();
if (cl != null) {
cloudletCompleted = true;
Tuple tuple = (Tuple)cl;
TimeKeeper.getInstance().tupleEndedExecution(tuple);
Application application = getApplicationMap().get(tuple.getAppId());
Logger.debug(getName(), "Completed execution of tuple "+tuple.getCloudletId()+"on "+tuple.getDestModuleName());
List<Tuple> resultantTuples = application.getResultantTuples(tuple.getDestModuleName(), tuple, getId(), vm.getId());
for(Tuple resTuple : resultantTuples){
resTuple.setModuleCopyMap(new HashMap<String, Integer>(tuple.getModuleCopyMap()));
resTuple.getModuleCopyMap().put(((AppModule)vm).getName(), vm.getId());
updateTimingsOnSending(resTuple);
sendToSelf(resTuple);
}
sendNow(cl.getUserId(), CloudSimTags.CLOUDLET_RETURN, cl);
}
}
}
}
if(cloudletCompleted)
updateAllocatedMips(null);
}
protected void updateTimingsOnSending(Tuple resTuple) {
// TODO ADD CODE FOR UPDATING TIMINGS WHEN A TUPLE IS GENERATED FROM A PREVIOUSLY RECIEVED TUPLE.
// WILL NEED TO CHECK IF A NEW LOOP STARTS AND INSERT A UNIQUE TUPLE ID TO IT.
String srcModule = resTuple.getSrcModuleName();
String destModule = resTuple.getDestModuleName();
for(AppLoop loop : getApplicationMap().get(resTuple.getAppId()).getLoops()){
if(loop.hasEdge(srcModule, destModule) && loop.isStartModule(srcModule)){
int tupleId = TimeKeeper.getInstance().getUniqueId();
resTuple.setActualTupleId(tupleId);
if(!TimeKeeper.getInstance().getLoopIdToTupleIds().containsKey(loop.getLoopId()))
TimeKeeper.getInstance().getLoopIdToTupleIds().put(loop.getLoopId(), new ArrayList<Integer>());
TimeKeeper.getInstance().getLoopIdToTupleIds().get(loop.getLoopId()).add(tupleId);
TimeKeeper.getInstance().getEmitTimes().put(tupleId, CloudSim.clock());
//Logger.debug(getName(), "\tSENDING\t"+tuple.getActualTupleId()+"\tSrc:"+srcModule+"\tDest:"+destModule);
}
}
}
protected int getChildIdWithRouteTo(int targetDeviceId){
for(Integer childId : getChildrenIds()){
if(targetDeviceId == childId)
return childId;
if(((FogDevice)CloudSim.getEntity(childId)).getChildIdWithRouteTo(targetDeviceId) != -1)
return childId;
}
return -1;
}
protected int getChildIdForTuple(Tuple tuple){
if(tuple.getDirection() == Tuple.ACTUATOR){
int gatewayId = ((Actuator)CloudSim.getEntity(tuple.getActuatorId())).getGatewayDeviceId();
return getChildIdWithRouteTo(gatewayId);
}
return -1;
}
protected void updateAllocatedMips(String incomingOperator){
getHost().getVmScheduler().deallocatePesForAllVms();
for(final Vm vm : getHost().getVmList()){
if(vm.getCloudletScheduler().runningCloudlets() > 0 || ((AppModule)vm).getName().equals(incomingOperator)){
getHost().getVmScheduler().allocatePesForVm(vm, new ArrayList<Double>(){
protected static final long serialVersionUID = 1L;
{add((double) getHost().getTotalMips());}});
}else{
getHost().getVmScheduler().allocatePesForVm(vm, new ArrayList<Double>(){
protected static final long serialVersionUID = 1L;
{add(0.0);}});
}
}
updateEnergyConsumption();
}
private void updateEnergyConsumption() {
double totalMipsAllocated = 0;
for(final Vm vm : getHost().getVmList()){
AppModule operator = (AppModule)vm;
operator.updateVmProcessing(CloudSim.clock(), getVmAllocationPolicy().getHost(operator).getVmScheduler()
.getAllocatedMipsForVm(operator));
totalMipsAllocated += getHost().getTotalAllocatedMipsForVm(vm);
}
double timeNow = CloudSim.clock();
double currentEnergyConsumption = getEnergyConsumption();
double newEnergyConsumption = currentEnergyConsumption + (timeNow-lastUtilizationUpdateTime)*getHost().getPowerModel().getPower(lastUtilization);
setEnergyConsumption(newEnergyConsumption);
/*if(getName().equals("d-0")){
System.out.println("------------------------");
System.out.println("Utilization = "+lastUtilization);
System.out.println("Power = "+getHost().getPowerModel().getPower(lastUtilization));
System.out.println(timeNow-lastUtilizationUpdateTime);
}*/
double currentCost = getTotalCost();
double newcost = currentCost + (timeNow-lastUtilizationUpdateTime)*getRatePerMips()*lastUtilization*getHost().getTotalMips();
setTotalCost(newcost);
lastUtilization = Math.min(1, totalMipsAllocated/getHost().getTotalMips());
lastUtilizationUpdateTime = timeNow;
}
protected void processAppSubmit(SimEvent ev) {
Application app = (Application)ev.getData();
applicationMap.put(app.getAppId(), app);
}
protected void addChild(int childId){
if(CloudSim.getEntityName(childId).toLowerCase().contains("sensor"))
return;
if(!getChildrenIds().contains(childId) && childId != getId())
getChildrenIds().add(childId);
if(!getChildToOperatorsMap().containsKey(childId))
getChildToOperatorsMap().put(childId, new ArrayList<String>());
}
protected void updateCloudTraffic(){
int time = (int)CloudSim.clock()/1000;
if(!cloudTrafficMap.containsKey(time))
cloudTrafficMap.put(time, 0);
cloudTrafficMap.put(time, cloudTrafficMap.get(time)+1);
}
protected void sendTupleToActuator(Tuple tuple){
/*for(Pair<Integer, Double> actuatorAssociation : getAssociatedActuatorIds()){
int actuatorId = actuatorAssociation.getFirst();
double delay = actuatorAssociation.getSecond();
if(actuatorId == tuple.getActuatorId()){
send(actuatorId, delay, FogEvents.TUPLE_ARRIVAL, tuple);
return;
}
}
int childId = getChildIdForTuple(tuple);
if(childId != -1)
sendDown(tuple, childId);*/
for(Pair<Integer, Double> actuatorAssociation : getAssociatedActuatorIds()){
int actuatorId = actuatorAssociation.getFirst();
double delay = actuatorAssociation.getSecond();
String actuatorType = ((Actuator)CloudSim.getEntity(actuatorId)).getActuatorType();
if(tuple.getDestModuleName().equals(actuatorType)){
send(actuatorId, delay, FogEvents.TUPLE_ARRIVAL, tuple);
return;
}
}
for(int childId : getChildrenIds()){
sendDown(tuple, childId);
}
}
int numClients=0;
protected void processTupleArrival(SimEvent ev){
Tuple tuple = (Tuple)ev.getData();
if(getName().equals("cloud")){
updateCloudTraffic();
}
/*if(getName().equals("d-0") && tuple.getTupleType().equals("_SENSOR")){
System.out.println(++numClients);
}*/
Logger.debug(getName(), "Received tuple "+tuple.getCloudletId()+"with tupleType = "+tuple.getTupleType()+"\t| Source : "+
CloudSim.getEntityName(ev.getSource())+"|Dest : "+CloudSim.getEntityName(ev.getDestination()));
send(ev.getSource(), CloudSim.getMinTimeBetweenEvents(), FogEvents.TUPLE_ACK);
if(FogUtils.appIdToGeoCoverageMap.containsKey(tuple.getAppId())){
}
if(tuple.getDirection() == Tuple.ACTUATOR){
sendTupleToActuator(tuple);
return;
}
if(getHost().getVmList().size() > 0){
final AppModule operator = (AppModule)getHost().getVmList().get(0);
if(CloudSim.clock() > 0){
getHost().getVmScheduler().deallocatePesForVm(operator);
getHost().getVmScheduler().allocatePesForVm(operator, new ArrayList<Double>(){
protected static final long serialVersionUID = 1L;
{add((double) getHost().getTotalMips());}});
}
}
if(getName().equals("cloud") && tuple.getDestModuleName()==null){
sendNow(getControllerId(), FogEvents.TUPLE_FINISHED, null);
}
if(appToModulesMap.containsKey(tuple.getAppId())){
if(appToModulesMap.get(tuple.getAppId()).contains(tuple.getDestModuleName())){
int vmId = -1;
for(Vm vm : getHost().getVmList()){
if(((AppModule)vm).getName().equals(tuple.getDestModuleName()))
vmId = vm.getId();
}
if(vmId < 0
|| (tuple.getModuleCopyMap().containsKey(tuple.getDestModuleName()) &&
tuple.getModuleCopyMap().get(tuple.getDestModuleName())!=vmId )){
return;
}
tuple.setVmId(vmId);
//Logger.error(getName(), "Executing tuple for operator " + moduleName);
updateTimingsOnReceipt(tuple);
executeTuple(ev, tuple.getDestModuleName());
}else if(tuple.getDestModuleName()!=null){
if(tuple.getDirection() == Tuple.UP)
sendUp(tuple);
else if(tuple.getDirection() == Tuple.DOWN){
for(int childId : getChildrenIds())
sendDown(tuple, childId);
}
}else{
sendUp(tuple);
}
}else{
if(tuple.getDirection() == Tuple.UP)
sendUp(tuple);
else if(tuple.getDirection() == Tuple.DOWN){
for(int childId : getChildrenIds())
sendDown(tuple, childId);
}
}
}
protected void updateTimingsOnReceipt(Tuple tuple) {
Application app = getApplicationMap().get(tuple.getAppId());
String srcModule = tuple.getSrcModuleName();
String destModule = tuple.getDestModuleName();
List<AppLoop> loops = app.getLoops();
for(AppLoop loop : loops){
if(loop.hasEdge(srcModule, destModule) && loop.isEndModule(destModule)){
Double startTime = TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
if(startTime==null)
break;
if(!TimeKeeper.getInstance().getLoopIdToCurrentAverage().containsKey(loop.getLoopId())){
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), 0.0);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), 0);
}
double currentAverage = TimeKeeper.getInstance().getLoopIdToCurrentAverage().get(loop.getLoopId());
int currentCount = TimeKeeper.getInstance().getLoopIdToCurrentNum().get(loop.getLoopId());
double delay = CloudSim.clock()- TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
TimeKeeper.getInstance().getEmitTimes().remove(tuple.getActualTupleId());
double newAverage = (currentAverage*currentCount + delay)/(currentCount+1);
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), newAverage);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), currentCount+1);
break;
}
}
}
protected void processSensorJoining(SimEvent ev){
send(ev.getSource(), CloudSim.getMinTimeBetweenEvents(), FogEvents.TUPLE_ACK);
}
protected void executeTuple(SimEvent ev, String moduleName){
Logger.debug(getName(), "Executing tuple on module "+moduleName);
Tuple tuple = (Tuple)ev.getData();
AppModule module = getModuleByName(moduleName);
if(tuple.getDirection() == Tuple.UP){
String srcModule = tuple.getSrcModuleName();
if(!module.getDownInstanceIdsMaps().containsKey(srcModule))
module.getDownInstanceIdsMaps().put(srcModule, new ArrayList<Integer>());
if(!module.getDownInstanceIdsMaps().get(srcModule).contains(tuple.getSourceModuleId()))
module.getDownInstanceIdsMaps().get(srcModule).add(tuple.getSourceModuleId());
int instances = -1;
for(String _moduleName : module.getDownInstanceIdsMaps().keySet()){
instances = Math.max(module.getDownInstanceIdsMaps().get(_moduleName).size(), instances);
}
module.setNumInstances(instances);
}
TimeKeeper.getInstance().tupleStartedExecution(tuple);
updateAllocatedMips(moduleName);
processCloudletSubmit(ev, false);
updateAllocatedMips(moduleName);
/*for(Vm vm : getHost().getVmList()){
Logger.error(getName(), "MIPS allocated to "+((AppModule)vm).getName()+" = "+getHost().getTotalAllocatedMipsForVm(vm));
}*/
}
protected void processModuleArrival(SimEvent ev){
AppModule module = (AppModule)ev.getData();
String appId = module.getAppId();
if(!appToModulesMap.containsKey(appId)){
appToModulesMap.put(appId, new ArrayList<String>());
}
appToModulesMap.get(appId).add(module.getName());
processVmCreate(ev, false);
if (module.isBeingInstantiated()) {
module.setBeingInstantiated(false);
}
initializePeriodicTuples(module);
module.updateVmProcessing(CloudSim.clock(), getVmAllocationPolicy().getHost(module).getVmScheduler()
.getAllocatedMipsForVm(module));
}
private void initializePeriodicTuples(AppModule module) {
String appId = module.getAppId();
Application app = getApplicationMap().get(appId);
List<AppEdge> periodicEdges = app.getPeriodicEdges(module.getName());
for(AppEdge edge : periodicEdges){
send(getId(), edge.getPeriodicity(), FogEvents.SEND_PERIODIC_TUPLE, edge);
}
}
protected void processOperatorRelease(SimEvent ev){
this.processVmMigrate(ev, false);
}
protected void updateNorthTupleQueue(){
if(!getNorthTupleQueue().isEmpty()){
Tuple tuple = getNorthTupleQueue().poll();
sendUpFreeLink(tuple);
}else{
setNorthLinkBusy(false);
}
}
protected void sendUpFreeLink(Tuple tuple){
double networkDelay = tuple.getCloudletFileSize()/getUplinkBandwidth();
setNorthLinkBusy(true);
send(getId(), networkDelay, FogEvents.UPDATE_NORTH_TUPLE_QUEUE);
send(parentId, networkDelay+getUplinkLatency(), FogEvents.TUPLE_ARRIVAL, tuple);
NetworkUsageMonitor.sendingTuple(getUplinkLatency(), tuple.getCloudletFileSize());
}
protected void sendUp(Tuple tuple){
if(parentId > 0){
if(!isNorthLinkBusy()){
sendUpFreeLink(tuple);
}else{
northTupleQueue.add(tuple);
}
}
}
protected void updateSouthTupleQueue(){
if(!getSouthTupleQueue().isEmpty()){
Pair<Tuple, Integer> pair = getSouthTupleQueue().poll();
sendDownFreeLink(pair.getFirst(), pair.getSecond());
}else{
setSouthLinkBusy(false);
}
}
protected void sendDownFreeLink(Tuple tuple, int childId){
double networkDelay = tuple.getCloudletFileSize()/getDownlinkBandwidth();
//Logger.debug(getName(), "Sending tuple with tupleType = "+tuple.getTupleType()+" DOWN");
setSouthLinkBusy(true);
double latency = getChildToLatencyMap().get(childId);
send(getId(), networkDelay, FogEvents.UPDATE_SOUTH_TUPLE_QUEUE);
send(childId, networkDelay+latency, FogEvents.TUPLE_ARRIVAL, tuple);
NetworkUsageMonitor.sendingTuple(latency, tuple.getCloudletFileSize());
}
protected void sendDown(Tuple tuple, int childId){
if(getChildrenIds().contains(childId)){
if(!isSouthLinkBusy()){
sendDownFreeLink(tuple, childId);
}else{
southTupleQueue.add(new Pair<Tuple, Integer>(tuple, childId));
}
}
}
protected void sendToSelf(Tuple tuple){
send(getId(), CloudSim.getMinTimeBetweenEvents(), FogEvents.TUPLE_ARRIVAL, tuple);
}
public PowerHost getHost(){
return (PowerHost) getHostList().get(0);
}
public int getParentId() {
return parentId;
}
public void setParentId(int parentId) {
this.parentId = parentId;
}
public List<Integer> getChildrenIds() {
return childrenIds;
}
public void setChildrenIds(List<Integer> childrenIds) {
this.childrenIds = childrenIds;
}
public double getUplinkBandwidth() {
return uplinkBandwidth;
}
public void setUplinkBandwidth(double uplinkBandwidth) {
this.uplinkBandwidth = uplinkBandwidth;
}
public double getUplinkLatency() {
return uplinkLatency;
}
public void setUplinkLatency(double uplinkLatency) {
this.uplinkLatency = uplinkLatency;
}
public boolean isSouthLinkBusy() {
return isSouthLinkBusy;
}
public boolean isNorthLinkBusy() {
return isNorthLinkBusy;
}
public void setSouthLinkBusy(boolean isSouthLinkBusy) {
this.isSouthLinkBusy = isSouthLinkBusy;
}
public void setNorthLinkBusy(boolean isNorthLinkBusy) {
this.isNorthLinkBusy = isNorthLinkBusy;
}
public int getControllerId() {
return controllerId;
}
public void setControllerId(int controllerId) {
this.controllerId = controllerId;
}
public List<String> getActiveApplications() {
return activeApplications;
}
public void setActiveApplications(List<String> activeApplications) {
this.activeApplications = activeApplications;
}
public Map<Integer, List<String>> getChildToOperatorsMap() {
return childToOperatorsMap;
}
public void setChildToOperatorsMap(Map<Integer, List<String>> childToOperatorsMap) {
this.childToOperatorsMap = childToOperatorsMap;
}
public Map<String, Application> getApplicationMap() {
return applicationMap;
}
public void setApplicationMap(Map<String, Application> applicationMap) {
this.applicationMap = applicationMap;
}
public Queue<Tuple> getNorthTupleQueue() {
return northTupleQueue;
}
public void setNorthTupleQueue(Queue<Tuple> northTupleQueue) {
this.northTupleQueue = northTupleQueue;
}
public Queue<Pair<Tuple, Integer>> getSouthTupleQueue() {
return southTupleQueue;
}
public void setSouthTupleQueue(Queue<Pair<Tuple, Integer>> southTupleQueue) {
this.southTupleQueue = southTupleQueue;
}
public double getDownlinkBandwidth() {
return downlinkBandwidth;
}
public void setDownlinkBandwidth(double downlinkBandwidth) {
this.downlinkBandwidth = downlinkBandwidth;
}
public List<Pair<Integer, Double>> getAssociatedActuatorIds() {
return associatedActuatorIds;
}
public void setAssociatedActuatorIds(List<Pair<Integer, Double>> associatedActuatorIds) {
this.associatedActuatorIds = associatedActuatorIds;
}
public double getEnergyConsumption() {
return energyConsumption;
}
public void setEnergyConsumption(double energyConsumption) {
this.energyConsumption = energyConsumption;
}
public Map<Integer, Double> getChildToLatencyMap() {
return childToLatencyMap;
}
public void setChildToLatencyMap(Map<Integer, Double> childToLatencyMap) {
this.childToLatencyMap = childToLatencyMap;
}
public int getLevel() {
return level;
}
public void setLevel(int level) {
this.level = level;
}
public double getRatePerMips() {
return ratePerMips;
}
public void setRatePerMips(double ratePerMips) {
this.ratePerMips = ratePerMips;
}
public double getTotalCost() {
return totalCost;
}
public void setTotalCost(double totalCost) {
this.totalCost = totalCost;
}
public Map<String, Map<String, Integer>> getModuleInstanceCount() {
return moduleInstanceCount;
}
public void setModuleInstanceCount(
Map<String, Map<String, Integer>> moduleInstanceCount) {
this.moduleInstanceCount = moduleInstanceCount;
}
}

View File

@@ -0,0 +1,575 @@
/*
* Title: CloudSim Toolkit
* Description: CloudSim (Cloud Simulation) Toolkit for Modeling and Simulation of Clouds
* Licence: GPL - http://www.gnu.org/copyleft/gpl.html
*
* Copyright (c) 2009-2012, The University of Melbourne, Australia
*/
package org.fog.entities;
import java.util.ArrayList;
import java.util.List;
import org.cloudbus.cloudsim.DatacenterCharacteristics;
import org.cloudbus.cloudsim.Host;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.lists.HostList;
import org.cloudbus.cloudsim.lists.PeList;
import org.fog.utils.GeoCoverage;
public class FogDeviceCharacteristics extends DatacenterCharacteristics{
/** The geographical coverage of the fog device */
private GeoCoverage geoCoverage;
/** The resource id -- setup when Resource is created. */
private int id;
/** The architecture. */
private String architecture;
/** The os. */
private String os;
/** The host list. */
private List<? extends Host> hostList;
/** The time zone -- difference from GMT. */
private double timeZone;
/** Price/CPU-unit if unit = sec., then G$/CPU-sec. */
private double costPerSecond;
/** Resource Types -- allocation policy. */
private int allocationPolicy;
/** Time-shared system using Round-Robin algorithm. */
public static final int TIME_SHARED = 0;
/** Spaced-shared system using First Come First Serve (FCFS) algorithm. */
public static final int SPACE_SHARED = 1;
/** Assuming all PEs in all Machines have the same rating. */
public static final int OTHER_POLICY_SAME_RATING = 2;
/**
* Assuming all PEs in a Machine have the same rating. However, each Machine has different
* rating to each other.
*/
public static final int OTHER_POLICY_DIFFERENT_RATING = 3;
/** A resource that supports Advanced Reservation mechanisms. */
public static final int ADVANCE_RESERVATION = 4;
/** The vmm. */
private String vmm;
/** The cost per mem. */
private double costPerMem;
/** The cost per storage. */
private double costPerStorage;
/** The cost per bw. */
private double costPerBw;
/**
*
* @param architecture the architecture of a resource
* @param os the operating system used
* @param vmm the virtual machine monitor used
* @param hostList list of machines in a resource
* @param timeZone local time zone of a user that owns this reservation. Time zone should be of
* range [GMT-12 ... GMT+13]
* @param costPerSec the cost per sec to use this resource
* @param costPerMem the cost to use memory in this resource
* @param costPerStorage the cost to use storage in this resource
* @param costPerBw the cost per bw
* @pre architecture != null
* @pre OS != null
* @pre VMM != null
* @pre machineList != null
* @pre timeZone >= -12 && timeZone <= 13
* @pre costPerSec >= 0.0
* @pre costPerMem >= 0
* @pre costPerStorage >= 0
* @post $none
*/
@SuppressWarnings("serial")
public FogDeviceCharacteristics(
String architecture,
String os,
String vmm,
final Host host,
double timeZone,
double costPerSec,
double costPerMem,
double costPerStorage,
double costPerBw) {
super(architecture, os, vmm, new ArrayList<Host>(){{add(host);}} , timeZone, costPerSec, costPerMem, costPerStorage, costPerBw);
setHostList(new ArrayList<Host>(){{add(host);}});
setId(-1);
setArchitecture(architecture);
setOs(os);
setHostList(hostList);
setAllocationPolicy(allocationPolicy);
setCostPerSecond(costPerSec);
setTimeZone(0.0);
setVmm(vmm);
setCostPerMem(costPerMem);
setCostPerStorage(costPerStorage);
setCostPerBw(costPerBw);
}
/**
* Gets the name of a resource.
*
* @return the resource name
* @pre $none
* @post $result != null
*/
public String getResourceName() {
return CloudSim.getEntityName(getId());
}
/**
* Gets a Machine with at least one empty Pe.
*
* @return a Machine object or if not found
* @pre $none
* @post $none
*/
public Host getHostWithFreePe() {
return HostList.getHostWithFreePe(getHostList());
}
/**
* Gets a Machine with at least a given number of free Pe.
*
* @param peNumber the pe number
* @return a Machine object or if not found
* @pre $none
* @post $none
*/
public Host getHostWithFreePe(int peNumber) {
return HostList.getHostWithFreePe(getHostList(), peNumber);
}
/**
* Gets Millions Instructions Per Second (MIPS) Rating of a Processing Element (Pe). It is
* assumed all PEs' rating is same in a given machine.
*
* @return the MIPS Rating or if no PEs are exists.
* @pre $none
* @post $result >= -1
*/
public int getMipsOfOnePe() {
if (getHostList().size() == 0) {
return -1;
}
return PeList.getMips(getHostList().get(0).getPeList(), 0);
}
/**
* Gets Millions Instructions Per Second (MIPS) Rating of a Processing Element (Pe). It is
* essential to use this method when a resource is made up of heterogenous PEs/machines.
*
* @param id the machine ID
* @param peId the Pe ID
* @return the MIPS Rating or if no PEs are exists.
* @pre id >= 0
* @pre peID >= 0
* @post $result >= -1
*/
public int getMipsOfOnePe(int id, int peId) {
if (getHostList().size() == 0) {
return -1;
}
return PeList.getMips(HostList.getById(getHostList(), id).getPeList(), peId);
}
/**
* Gets the total MIPS rating, which is the sum of MIPS rating of all machines in a resource.
* <p>
* Total MIPS rating for:
* <ul>
* <li>TimeShared = 1 Rating of a Pe * Total number of PEs
* <li>Other policy same rating = same as TimeShared
* <li>SpaceShared = Sum of all PEs in all Machines
* <li>Other policy different rating = same as SpaceShared
* <li>Advance Reservation = 0 or unknown. You need to calculate this manually.
* </ul>
*
* @return the sum of MIPS ratings
* @pre $none
* @post $result >= 0
*/
public int getMips() {
int mips = 0;
switch (getAllocationPolicy()) {
// Assuming all PEs in all Machine have same rating.
case FogDeviceCharacteristics.TIME_SHARED:
case FogDeviceCharacteristics.OTHER_POLICY_SAME_RATING:
mips = getMipsOfOnePe() * HostList.getNumberOfPes(getHostList());
break;
// Assuming all PEs in a given Machine have the same rating.
// But different machines in a Cluster can have different rating
case FogDeviceCharacteristics.SPACE_SHARED:
case FogDeviceCharacteristics.OTHER_POLICY_DIFFERENT_RATING:
for (Host host : getHostList()) {
mips += host.getTotalMips();
}
break;
default:
break;
}
return mips;
}
/**
* Gets the CPU time given the specified parameters (only for TIME_SHARED). <tt>NOTE:</tt> The
* CPU time for SPACE_SHARED and ADVANCE_RESERVATION are not yet implemented.
*
* @param cloudletLength the length of a Cloudlet
* @param load the load of a Cloudlet
* @return the CPU time
* @pre cloudletLength >= 0.0
* @pre load >= 0.0
* @post $result >= 0.0
*/
public double getCpuTime(double cloudletLength, double load) {
double cpuTime = 0.0;
switch (getAllocationPolicy()) {
case FogDeviceCharacteristics.TIME_SHARED:
cpuTime = cloudletLength / (getMipsOfOnePe() * (1.0 - load));
break;
default:
break;
}
return cpuTime;
}
/**
* Gets the total number of PEs for all Machines.
*
* @return number of PEs
* @pre $none
* @post $result >= 0
*/
public int getNumberOfPes() {
return HostList.getNumberOfPes(getHostList());
}
/**
* Gets the total number of <tt>FREE</tt> or non-busy PEs for all Machines.
*
* @return number of PEs
* @pre $none
* @post $result >= 0
*/
public int getNumberOfFreePes() {
return HostList.getNumberOfFreePes(getHostList());
}
/**
* Gets the total number of <tt>BUSY</tt> PEs for all Machines.
*
* @return number of PEs
* @pre $none
* @post $result >= 0
*/
public int getNumberOfBusyPes() {
return HostList.getNumberOfBusyPes(getHostList());
}
/**
* Sets the particular Pe status on a Machine.
*
* @param status Pe status, either <tt>Pe.FREE</tt> or <tt>Pe.BUSY</tt>
* @param hostId Machine ID
* @param peId Pe id
* @return otherwise (Machine id or Pe id might not be exist)
* @pre machineID >= 0
* @pre peID >= 0
* @post $none
*/
public boolean setPeStatus(int status, int hostId, int peId) {
return HostList.setPeStatus(getHostList(), status, hostId, peId);
}
/**
* Gets the cost per Millions Instruction (MI) associated with a resource.
*
* @return the cost using a resource
* @pre $none
* @post $result >= 0.0
*/
public double getCostPerMi() {
return getCostPerSecond() / getMipsOfOnePe();
}
/**
* Gets the total number of machines.
*
* @return total number of machines this resource has.
*/
public int getNumberOfHosts() {
return getHostList().size();
}
/**
* Gets the current number of failed machines.
*
* @return current number of failed machines this resource has.
*/
public int getNumberOfFailedHosts() {
int numberOfFailedHosts = 0;
for (Host host : getHostList()) {
if (host.isFailed()) {
numberOfFailedHosts++;
}
}
return numberOfFailedHosts;
}
/**
* Checks whether all machines of this resource are working properly or not.
*
* @return if all machines are working, otherwise
*/
public boolean isWorking() {
boolean result = false;
if (getNumberOfFailedHosts() == 0) {
result = true;
}
return result;
}
/**
* Get the cost to use memory in this resource.
*
* @return the cost to use memory
*/
public double getCostPerMem() {
return costPerMem;
}
/**
* Sets cost to use memory.
*
* @param costPerMem cost to use memory
* @pre costPerMem >= 0
* @post $none
*/
public void setCostPerMem(double costPerMem) {
this.costPerMem = costPerMem;
}
/**
* Get the cost to use storage in this resource.
*
* @return the cost to use storage
*/
public double getCostPerStorage() {
return costPerStorage;
}
/**
* Sets cost to use storage.
*
* @param costPerStorage cost to use storage
* @pre costPerStorage >= 0
* @post $none
*/
public void setCostPerStorage(double costPerStorage) {
this.costPerStorage = costPerStorage;
}
/**
* Get the cost to use bandwidth in this resource.
*
* @return the cost to use bw
*/
public double getCostPerBw() {
return costPerBw;
}
/**
* Sets cost to use bw cost to use bw.
*
* @param costPerBw the cost per bw
* @pre costPerBw >= 0
* @post $none
*/
public void setCostPerBw(double costPerBw) {
this.costPerBw = costPerBw;
}
/**
* Gets the VMM in use in the datacenter.
*
* @return the VMM name
*/
public String getVmm() {
return vmm;
}
/**
* Gets the id.
*
* @return the id
*/
public int getId() {
return id;
}
/**
* Sets the id.
*
* @param id the new id
*/
public void setId(int id) {
this.id = id;
}
/**
* Gets the architecture.
*
* @return the architecture
*/
protected String getArchitecture() {
return architecture;
}
/**
* Sets the architecture.
*
* @param architecture the new architecture
*/
protected void setArchitecture(String architecture) {
this.architecture = architecture;
}
/**
* Gets the os.
*
* @return the os
*/
protected String getOs() {
return os;
}
/**
* Sets the os.
*
* @param os the new os
*/
protected void setOs(String os) {
this.os = os;
}
/**
* Gets the host list.
*
* @param <T> the generic type
* @return the host list
*/
@SuppressWarnings("unchecked")
public <T extends Host> List<T> getHostList() {
return (List<T>) hostList;
}
/**
* Sets the host list.
*
* @param <T> the generic type
* @param hostList the new host list
*/
protected <T extends Host> void setHostList(List<T> hostList) {
this.hostList = hostList;
}
/**
* Gets the time zone.
*
* @return the time zone
*/
protected double getTimeZone() {
return timeZone;
}
/**
* Sets the time zone.
*
* @param timeZone the new time zone
*/
protected void setTimeZone(double timeZone) {
this.timeZone = timeZone;
}
/**
* Gets the cost per second.
*
* @return the cost per second
*/
public double getCostPerSecond() {
return costPerSecond;
}
/**
* Sets the cost per second.
*
* @param costPerSecond the new cost per second
*/
protected void setCostPerSecond(double costPerSecond) {
this.costPerSecond = costPerSecond;
}
/**
* Gets the allocation policy.
*
* @return the allocation policy
*/
protected int getAllocationPolicy() {
return allocationPolicy;
}
/**
* Sets the allocation policy.
*
* @param allocationPolicy the new allocation policy
*/
protected void setAllocationPolicy(int allocationPolicy) {
this.allocationPolicy = allocationPolicy;
}
/**
* Sets the vmm.
*
* @param vmm the new vmm
*/
protected void setVmm(String vmm) {
this.vmm = vmm;
}
public GeoCoverage getGeoCoverage() {
return geoCoverage;
}
public void setGeoCoverage(GeoCoverage geoCoverage) {
this.geoCoverage = geoCoverage;
}
}

View File

@@ -0,0 +1,144 @@
package org.fog.entities;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.core.SimEntity;
import org.cloudbus.cloudsim.core.SimEvent;
import org.fog.application.AppLoop;
import org.fog.application.MyApplication;
import org.fog.utils.FogEvents;
import org.fog.utils.GeoLocation;
import org.fog.utils.Logger;
import org.fog.utils.TimeKeeper;
public class MyActuator extends SimEntity{
private int gatewayDeviceId;
private double latency;
private GeoLocation geoLocation;
private String appId;
private int userId;
private String actuatorType;
private MyApplication app;
public MyActuator(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation, String actuatorType, String srcModuleName) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
setUserId(userId);
setMyActuatorType(actuatorType);
setLatency(latency);
}
public MyActuator(String name, int userId, String appId, String actuatorType) {
super(name);
this.setAppId(appId);
setUserId(userId);
setMyActuatorType(actuatorType);
}
@Override
public void startEntity() {
sendNow(gatewayDeviceId, FogEvents.ACTUATOR_JOINED, getLatency());
}
@Override
public void processEvent(SimEvent ev) {
switch(ev.getTag()){
case FogEvents.TUPLE_ARRIVAL:
processTupleArrival(ev);
break;
}
}
private void processTupleArrival(SimEvent ev) {
Tuple tuple = (Tuple)ev.getData();
Logger.debug(getName(), "Received tuple "+tuple.getCloudletId()+"on "+tuple.getDestModuleName());
String srcModule = tuple.getSrcModuleName();
String destModule = tuple.getDestModuleName();
MyApplication app = getApp();
for(AppLoop loop : app.getLoops()){
if(loop.hasEdge(srcModule, destModule) && loop.isEndModule(destModule)){
Double startTime = TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
if(startTime==null)
break;
if(!TimeKeeper.getInstance().getLoopIdToCurrentAverage().containsKey(loop.getLoopId())){
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), 0.0);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), 0);
}
double currentAverage = TimeKeeper.getInstance().getLoopIdToCurrentAverage().get(loop.getLoopId());
int currentCount = TimeKeeper.getInstance().getLoopIdToCurrentNum().get(loop.getLoopId());
double delay = CloudSim.clock()- TimeKeeper.getInstance().getEmitTimes().get(tuple.getActualTupleId());
TimeKeeper.getInstance().getEmitTimes().remove(tuple.getActualTupleId());
double newAverage = (currentAverage*currentCount + delay)/(currentCount+1);
TimeKeeper.getInstance().getLoopIdToCurrentAverage().put(loop.getLoopId(), newAverage);
TimeKeeper.getInstance().getLoopIdToCurrentNum().put(loop.getLoopId(), currentCount+1);
break;
}
}
}
@Override
public void shutdownEntity() {
}
public int getGatewayDeviceId() {
return gatewayDeviceId;
}
public void setGatewayDeviceId(int gatewayDeviceId) {
this.gatewayDeviceId = gatewayDeviceId;
}
public GeoLocation getGeoLocation() {
return geoLocation;
}
public void setGeoLocation(GeoLocation geoLocation) {
this.geoLocation = geoLocation;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getAppId() {
return appId;
}
public void setAppId(String appId) {
this.appId = appId;
}
public String getMyActuatorType() {
return actuatorType;
}
public void setMyActuatorType(String actuatorType) {
this.actuatorType = actuatorType;
}
public MyApplication getApp() {
return app;
}
public void setApp(MyApplication app) {
this.app = app;
}
public double getLatency() {
return latency;
}
public void setLatency(double latency) {
this.latency = latency;
}
}

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,234 @@
package org.fog.entities;
import java.util.ArrayList;
import org.cloudbus.cloudsim.UtilizationModelFull;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.core.SimEntity;
import org.cloudbus.cloudsim.core.SimEvent;
import org.fog.application.AppEdge;
import org.fog.application.AppLoop;
import org.fog.application.MyApplication;
import org.fog.utils.FogEvents;
import org.fog.utils.FogUtils;
import org.fog.utils.GeoLocation;
import org.fog.utils.Logger;
import org.fog.utils.TimeKeeper;
import org.fog.utils.distribution.Distribution;
public class MySensor extends SimEntity{
private int gatewayDeviceId;
private GeoLocation geoLocation;
private long outputSize;
private String appId;
private int userId;
private String tupleType;
private String sensorName;
private String destModuleName;
private Distribution transmitDistribution;
private int controllerId;
private MyApplication app;
private double latency;
public MySensor(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation,
Distribution transmitDistribution, int cpuLength, int nwLength, String tupleType, String destModuleName) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
this.outputSize = 3;
this.setTransmitDistribution(transmitDistribution);
setUserId(userId);
setDestModuleName(destModuleName);
setTupleType(tupleType);
setSensorName(sensorName);
setLatency(latency);
}
public MySensor(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation,
Distribution transmitDistribution, String tupleType) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
this.outputSize = 3;
this.setTransmitDistribution(transmitDistribution);
setUserId(userId);
setTupleType(tupleType);
setSensorName(sensorName);
setLatency(latency);
}
/**
* This constructor is called from the code that generates PhysicalTopology from JSON
* @param name
* @param tupleType
* @param string
* @param userId
* @param appId
* @param transmitDistribution
*/
public MySensor(String name, String tupleType, int userId, String appId, Distribution transmitDistribution) {
super(name);
this.setAppId(appId);
this.setTransmitDistribution(transmitDistribution);
setTupleType(tupleType);
setSensorName(tupleType);
setUserId(userId);
}
public void transmit(){
AppEdge _edge = null;
for(AppEdge edge : getApp().getEdges()){
if(edge.getSource().equals(getTupleType()))
_edge = edge;
}
long cpuLength = (long) _edge.getTupleCpuLength();
long nwLength = (long) _edge.getTupleNwLength();
Tuple tuple = new Tuple(getAppId(), FogUtils.generateTupleId(), Tuple.UP, cpuLength, 1, nwLength, outputSize,
new UtilizationModelFull(), new UtilizationModelFull(), new UtilizationModelFull());
tuple.setUserId(getUserId());
tuple.setTupleType(getTupleType());
tuple.setDestModuleName(_edge.getDestination());
tuple.setSrcModuleName(getSensorName());
Logger.debug(getName(), "Sending tuple with tupleId = "+tuple.getCloudletId());
int actualTupleId = updateTimings(getSensorName(), tuple.getDestModuleName());
tuple.setActualTupleId(actualTupleId);
send(gatewayDeviceId, getLatency(), FogEvents.TUPLE_ARRIVAL,tuple);
}
private int updateTimings(String src, String dest){
MyApplication application = getApp();
for(AppLoop loop : application.getLoops()){
if(loop.hasEdge(src, dest)){
int tupleId = TimeKeeper.getInstance().getUniqueId();
if(!TimeKeeper.getInstance().getLoopIdToTupleIds().containsKey(loop.getLoopId()))
TimeKeeper.getInstance().getLoopIdToTupleIds().put(loop.getLoopId(), new ArrayList<Integer>());
TimeKeeper.getInstance().getLoopIdToTupleIds().get(loop.getLoopId()).add(tupleId);
TimeKeeper.getInstance().getEmitTimes().put(tupleId, CloudSim.clock());
return tupleId;
}
}
return -1;
}
@Override
public void startEntity() {
send(gatewayDeviceId, CloudSim.getMinTimeBetweenEvents(), FogEvents.SENSOR_JOINED, geoLocation);
send(getId(), getTransmitDistribution().getNextValue(), FogEvents.EMIT_TUPLE);
}
@Override
public void processEvent(SimEvent ev) {
switch(ev.getTag()){
case FogEvents.TUPLE_ACK:
//transmit(transmitDistribution.getNextValue());
break;
case FogEvents.EMIT_TUPLE:
transmit();
send(getId(), getTransmitDistribution().getNextValue(), FogEvents.EMIT_TUPLE);
break;
}
}
@Override
public void shutdownEntity() {
}
public int getGatewayDeviceId() {
return gatewayDeviceId;
}
public void setGatewayDeviceId(int gatewayDeviceId) {
this.gatewayDeviceId = gatewayDeviceId;
}
public GeoLocation getGeoLocation() {
return geoLocation;
}
public void setGeoLocation(GeoLocation geoLocation) {
this.geoLocation = geoLocation;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getTupleType() {
return tupleType;
}
public void setTupleType(String tupleType) {
this.tupleType = tupleType;
}
public String getSensorName() {
return sensorName;
}
public void setSensorName(String sensorName) {
this.sensorName = sensorName;
}
public String getAppId() {
return appId;
}
public void setAppId(String appId) {
this.appId = appId;
}
public String getDestModuleName() {
return destModuleName;
}
public void setDestModuleName(String destModuleName) {
this.destModuleName = destModuleName;
}
public Distribution getTransmitDistribution() {
return transmitDistribution;
}
public void setTransmitDistribution(Distribution transmitDistribution) {
this.transmitDistribution = transmitDistribution;
}
public int getControllerId() {
return controllerId;
}
public void setControllerId(int controllerId) {
this.controllerId = controllerId;
}
public MyApplication getApp() {
return app;
}
public void setApp(MyApplication app) {
this.app = app;
}
public Double getLatency() {
return latency;
}
public void setLatency(Double latency) {
this.latency = latency;
}
}

View File

@@ -0,0 +1,29 @@
package org.fog.entities;
import java.util.List;
public class PhysicalTopology {
private List<FogDevice> fogDevices;
private List<Sensor> sensors;
private List<Actuator> actuators;
public List<FogDevice> getFogDevices() {
return fogDevices;
}
public void setFogDevices(List<FogDevice> fogDevices) {
this.fogDevices = fogDevices;
}
public List<Sensor> getSensors() {
return sensors;
}
public void setSensors(List<Sensor> sensors) {
this.sensors = sensors;
}
public List<Actuator> getActuators() {
return actuators;
}
public void setActuators(List<Actuator> actuators) {
this.actuators = actuators;
}
}

View File

@@ -0,0 +1,234 @@
package org.fog.entities;
import java.util.ArrayList;
import org.cloudbus.cloudsim.UtilizationModelFull;
import org.cloudbus.cloudsim.core.CloudSim;
import org.cloudbus.cloudsim.core.SimEntity;
import org.cloudbus.cloudsim.core.SimEvent;
import org.fog.application.AppEdge;
import org.fog.application.AppLoop;
import org.fog.application.Application;
import org.fog.utils.FogEvents;
import org.fog.utils.FogUtils;
import org.fog.utils.GeoLocation;
import org.fog.utils.Logger;
import org.fog.utils.TimeKeeper;
import org.fog.utils.distribution.Distribution;
public class Sensor extends SimEntity{
private int gatewayDeviceId;
private GeoLocation geoLocation;
private long outputSize;
private String appId;
private int userId;
private String tupleType;
private String sensorName;
private String destModuleName;
private Distribution transmitDistribution;
private int controllerId;
private Application app;
private double latency;
public Sensor(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation,
Distribution transmitDistribution, int cpuLength, int nwLength, String tupleType, String destModuleName) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
this.outputSize = 3;
this.setTransmitDistribution(transmitDistribution);
setUserId(userId);
setDestModuleName(destModuleName);
setTupleType(tupleType);
setSensorName(sensorName);
setLatency(latency);
}
public Sensor(String name, int userId, String appId, int gatewayDeviceId, double latency, GeoLocation geoLocation,
Distribution transmitDistribution, String tupleType) {
super(name);
this.setAppId(appId);
this.gatewayDeviceId = gatewayDeviceId;
this.geoLocation = geoLocation;
this.outputSize = 3;
this.setTransmitDistribution(transmitDistribution);
setUserId(userId);
setTupleType(tupleType);
setSensorName(sensorName);
setLatency(latency);
}
/**
* This constructor is called from the code that generates PhysicalTopology from JSON
* @param name
* @param tupleType
* @param string
* @param userId
* @param appId
* @param transmitDistribution
*/
public Sensor(String name, String tupleType, int userId, String appId, Distribution transmitDistribution) {
super(name);
this.setAppId(appId);
this.setTransmitDistribution(transmitDistribution);
setTupleType(tupleType);
setSensorName(tupleType);
setUserId(userId);
}
public void transmit(){
AppEdge _edge = null;
for(AppEdge edge : getApp().getEdges()){
if(edge.getSource().equals(getTupleType()))
_edge = edge;
}
long cpuLength = (long) _edge.getTupleCpuLength();
long nwLength = (long) _edge.getTupleNwLength();
Tuple tuple = new Tuple(getAppId(), FogUtils.generateTupleId(), Tuple.UP, cpuLength, 1, nwLength, outputSize,
new UtilizationModelFull(), new UtilizationModelFull(), new UtilizationModelFull());
tuple.setUserId(getUserId());
tuple.setTupleType(getTupleType());
tuple.setDestModuleName(_edge.getDestination());
tuple.setSrcModuleName(getSensorName());
Logger.debug(getName(), "Sending tuple with tupleId = "+tuple.getCloudletId());
int actualTupleId = updateTimings(getSensorName(), tuple.getDestModuleName());
tuple.setActualTupleId(actualTupleId);
send(gatewayDeviceId, getLatency(), FogEvents.TUPLE_ARRIVAL,tuple);
}
private int updateTimings(String src, String dest){
Application application = getApp();
for(AppLoop loop : application.getLoops()){
if(loop.hasEdge(src, dest)){
int tupleId = TimeKeeper.getInstance().getUniqueId();
if(!TimeKeeper.getInstance().getLoopIdToTupleIds().containsKey(loop.getLoopId()))
TimeKeeper.getInstance().getLoopIdToTupleIds().put(loop.getLoopId(), new ArrayList<Integer>());
TimeKeeper.getInstance().getLoopIdToTupleIds().get(loop.getLoopId()).add(tupleId);
TimeKeeper.getInstance().getEmitTimes().put(tupleId, CloudSim.clock());
return tupleId;
}
}
return -1;
}
@Override
public void startEntity() {
send(gatewayDeviceId, CloudSim.getMinTimeBetweenEvents(), FogEvents.SENSOR_JOINED, geoLocation);
send(getId(), getTransmitDistribution().getNextValue(), FogEvents.EMIT_TUPLE);
}
@Override
public void processEvent(SimEvent ev) {
switch(ev.getTag()){
case FogEvents.TUPLE_ACK:
//transmit(transmitDistribution.getNextValue());
break;
case FogEvents.EMIT_TUPLE:
transmit();
send(getId(), getTransmitDistribution().getNextValue(), FogEvents.EMIT_TUPLE);
break;
}
}
@Override
public void shutdownEntity() {
}
public int getGatewayDeviceId() {
return gatewayDeviceId;
}
public void setGatewayDeviceId(int gatewayDeviceId) {
this.gatewayDeviceId = gatewayDeviceId;
}
public GeoLocation getGeoLocation() {
return geoLocation;
}
public void setGeoLocation(GeoLocation geoLocation) {
this.geoLocation = geoLocation;
}
public int getUserId() {
return userId;
}
public void setUserId(int userId) {
this.userId = userId;
}
public String getTupleType() {
return tupleType;
}
public void setTupleType(String tupleType) {
this.tupleType = tupleType;
}
public String getSensorName() {
return sensorName;
}
public void setSensorName(String sensorName) {
this.sensorName = sensorName;
}
public String getAppId() {
return appId;
}
public void setAppId(String appId) {
this.appId = appId;
}
public String getDestModuleName() {
return destModuleName;
}
public void setDestModuleName(String destModuleName) {
this.destModuleName = destModuleName;
}
public Distribution getTransmitDistribution() {
return transmitDistribution;
}
public void setTransmitDistribution(Distribution transmitDistribution) {
this.transmitDistribution = transmitDistribution;
}
public int getControllerId() {
return controllerId;
}
public void setControllerId(int controllerId) {
this.controllerId = controllerId;
}
public Application getApp() {
return app;
}
public void setApp(Application app) {
this.app = app;
}
public Double getLatency() {
return latency;
}
public void setLatency(Double latency) {
this.latency = latency;
}
}

View File

@@ -0,0 +1,126 @@
package org.fog.entities;
import java.util.HashMap;
import java.util.Map;
import org.cloudbus.cloudsim.Cloudlet;
import org.cloudbus.cloudsim.UtilizationModel;
public class Tuple extends Cloudlet{
public static final int UP = 1;
public static final int DOWN = 2;
public static final int ACTUATOR = 3;
private String appId;
private String tupleType;
private String destModuleName;
private String srcModuleName;
private int actualTupleId;
private int direction;
private int actuatorId;
private int sourceDeviceId;
private int sourceModuleId;
/**
* Map to keep track of which module instances has a tuple traversed.
*
* Map from moduleName to vmId of a module instance
*/
private Map<String, Integer> moduleCopyMap;
public Tuple(String appId, int cloudletId, int direction, long cloudletLength, int pesNumber,
long cloudletFileSize, long cloudletOutputSize,
UtilizationModel utilizationModelCpu,
UtilizationModel utilizationModelRam,
UtilizationModel utilizationModelBw) {
super(cloudletId, cloudletLength, pesNumber, cloudletFileSize,
cloudletOutputSize, utilizationModelCpu, utilizationModelRam,
utilizationModelBw);
setAppId(appId);
setDirection(direction);
setSourceDeviceId(-1);
setModuleCopyMap(new HashMap<String, Integer>());
}
public int getActualTupleId() {
return actualTupleId;
}
public void setActualTupleId(int actualTupleId) {
this.actualTupleId = actualTupleId;
}
public String getAppId() {
return appId;
}
public void setAppId(String appId) {
this.appId = appId;
}
public String getTupleType() {
return tupleType;
}
public void setTupleType(String tupleType) {
this.tupleType = tupleType;
}
public String getDestModuleName() {
return destModuleName;
}
public void setDestModuleName(String destModuleName) {
this.destModuleName = destModuleName;
}
public String getSrcModuleName() {
return srcModuleName;
}
public void setSrcModuleName(String srcModuleName) {
this.srcModuleName = srcModuleName;
}
public int getDirection() {
return direction;
}
public void setDirection(int direction) {
this.direction = direction;
}
public int getActuatorId() {
return actuatorId;
}
public void setActuatorId(int actuatorId) {
this.actuatorId = actuatorId;
}
public int getSourceDeviceId() {
return sourceDeviceId;
}
public void setSourceDeviceId(int sourceDeviceId) {
this.sourceDeviceId = sourceDeviceId;
}
public Map<String, Integer> getModuleCopyMap() {
return moduleCopyMap;
}
public void setModuleCopyMap(Map<String, Integer> moduleCopyMap) {
this.moduleCopyMap = moduleCopyMap;
}
public int getSourceModuleId() {
return sourceModuleId;
}
public void setSourceModuleId(int sourceModuleId) {
this.sourceModuleId = sourceModuleId;
}
}