【DataStructure】One of queue usage: Simulation System
Statements: This blog was written by me, but most of content is quoted from book【Data Structure with Java Hubbard】
【Description】
This simulationillustrates objectoriented programming(OOP). Java objects are instantiated to represent all the interacting
clients and servers.To that end, we first define Clientand Serverclasses.This is an event driven simulation,
where clients arrive for service at random times and services have random durations.
Each client will have an arrival time, a time when service starts, and a time when it ends. All time values will be integers.
// Data Structures with Java, Second Edition
// by John R. Hubbard
// Copyright 2007 by McGraw-Hill package com.albertshao.ds.simation; public class Client {
private int id;
private int startTime; public Client(int id, int time) {
this.id = id;
System.out.printf("%s arrived at time %d.%n", this, time);
} public void setStartTime(int time) {
startTime = time;
} public String toString() {
return "#" + id;
}
}EachServerobject also stores the time when it will stop serving its current client.That time is
computed by adding its service time (a positive random integer) to the time when it begins serving that
client. The random number generator used togenerate those service times is stored as a randomfield in
the Serverobject. A server’s actual servicetime varies with each client. But the server’s average service
time is a fixed property of the server, initialized when the Serverobject is constructed (at line 10):
// Data Structures with Java, Second Edition
// by John R. Hubbard
// Copyright 2007 by McGraw-Hill package com.albertshao.ds.simation; public class Server {
private Client client;
private int id;
private int stopTime = -1;
private double meanServiceTime;
private ExpRandom random; public Server(int id, double meanServiceTime) {
this.id = id;
this.meanServiceTime = meanServiceTime;
this.random = new ExpRandom(meanServiceTime);
} public double getMeanServiceTime() {
return meanServiceTime;
} public int getStopTime() {
return stopTime;
} public boolean isIdle() {
return client == null;
} public void startServing(Client client, int time) {
this.client = client;
this.client.setStartTime(time);
this.stopTime = time + random.nextInt();
System.out.printf("%s started serving client %s at time %d, stop time %d.%n",
this, client, time, this.stopTime);
} public void stopServing(int time) {
System.out.printf("%s stopped serving client %s at time %d.%n",
this, client, time);
client = null;
} public String toString() {
return "Server " + "ABCDEFGHIJKLMNOPQRSTUVWXYZ".charAt(id);
}
}For a simulation to be realistic, it must use randomly generated numbers to simulate the natural uncertainty of the real word. Those random numbers should have the same distribution as the natural uncertainties that they represent. Service times and time between client arrivals both tend to be distributed exponentially. That means that the probability that the time tis less than a number xis p= 1 – e-Ox. But the Math.random()method returns numbers that are uniformly distributed in the range 0 dp< 1. So to convert the random number pto the exponentially distributed random variable x, we solve the equation, obtaining x= –(1/O)ln(1 –p). The constant 1/Ois the mean of the distribution. Thus we code the nextDouble()method as shown at line 9:
// Data Structures with Java, Second Edition
// by John R. Hubbard
// Copyright 2007 by McGraw-Hill package com.albertshao.ds.simation; public class ExpRandom {
private double mean; public ExpRandom(double mean) {
this.mean = mean;
} public double nextDouble() {
return -mean*Math.log(1 - Math.random());
} public int nextInt() {
return (int)Math.ceil(nextDouble());
}
}The actual simulation is performed by the main class shown below. Itsets four constants for the simulation at lines 2–5: the number of servers, the number of clients arrivingfor service, the mean service time among the servers, and the mean timebetween arrivals for the clients.
// Data Structures with Java, Second Edition
// by John R. Hubbard
// Copyright 2007 by McGraw-Hill package com.albertshao.ds.simation;
import java.util.*; public class Simulation {
private static final int SERVERS = 3;
private static final int CLIENTS = 12;
private static final int MEAN_SERVICE_TIME = 25;
private static final int MEAN_ARRIVAL_TIME = 4;
private static Queue<Client> queue = new ArrayDeque<Client>();
private static ExpRandom randomService = new ExpRandom(MEAN_SERVICE_TIME);
private static ExpRandom randomArrival = new ExpRandom(MEAN_ARRIVAL_TIME);
private static Server[] servers = new Server[SERVERS];
private static Client[] clients = new Client[CLIENTS]; public Simulation() {
String fmt = "%-27s %6d%n";
System.out.printf(fmt, "Number of servers:", SERVERS);
System.out.printf(fmt, "Number of clients:", CLIENTS);
System.out.printf(fmt, "Mean service time:", MEAN_SERVICE_TIME);
System.out.printf(fmt, "Mean interarrival time:", MEAN_ARRIVAL_TIME);
for (int i=0; i<SERVERS; i++) {
double meanServiceTime = randomService.nextDouble();
servers[i] = new Server(i, meanServiceTime);
System.out.printf("Mean service time for %s: %4.1f%n",
servers[i], servers[i].getMeanServiceTime());
}
int nextArrivalTime = 0;
for (int t=0, clientId=0; clientId < CLIENTS; t++) {
if (t == nextArrivalTime) {
nextArrivalTime = t + randomArrival.nextInt();
Client client = clients[clientId] = new Client(++clientId, t);
queue.add(client);
System.out.println("\tClient queue: " + queue);
}
for (Server server : servers) {
if (t == server.getStopTime()) {
server.stopServing(t);
}
if (server.isIdle() && !queue.isEmpty()) {
Client client = (Client)queue.remove();
System.out.println("\tClient queue: " + queue);
server.startServing(client,t);
}
}
}
} public static void main(String[] args) {
new Simulation();
}
}The result is :
Number of servers: 3
Number of clients: 12
Mean service time: 25
Mean interarrival time: 4
Mean service time for Server A: 15.3
Mean service time for Server B: 5.3
Mean service time for Server C: 63.0
#1 arrived at time 0.
Client queue: [#1]
Client queue: []
Server A started serving client #1 at time 0, stop time 31.
Server A stopped serving client #1 at time 31.
#2 arrived at time 33.
Client queue: [#2]
Client queue: []
Server A started serving client #2 at time 33, stop time 61.
#3 arrived at time 38.
Client queue: [#3]
Client queue: []
Server B started serving client #3 at time 38, stop time 64.
#4 arrived at time 42.
Client queue: [#4]
Client queue: []
Server C started serving client #4 at time 42, stop time 91.
#5 arrived at time 43.
Client queue: [#5]
#6 arrived at time 44.
Client queue: [#5, #6]
#7 arrived at time 45.
Client queue: [#5, #6, #7]
#8 arrived at time 52.
Client queue: [#5, #6, #7, #8]
#9 arrived at time 53.
Client queue: [#5, #6, #7, #8, #9]
#10 arrived at time 59.
Client queue: [#5, #6, #7, #8, #9, #10]
#11 arrived at time 61.
Client queue: [#5, #6, #7, #8, #9, #10, #11]
Server A stopped serving client #2 at time 61.
Client queue: [#6, #7, #8, #9, #10, #11]
Server A started serving client #5 at time 61, stop time 80.
Server B stopped serving client #3 at time 64.
Client queue: [#7, #8, #9, #10, #11]
Server B started serving client #6 at time 64, stop time 65.
Server B stopped serving client #6 at time 65.
Client queue: [#8, #9, #10, #11]
Server B started serving client #7 at time 65, stop time 70.
#12 arrived at time 70.
Client queue: [#8, #9, #10, #11, #12]
Server B stopped serving client #7 at time 70.
Client queue: [#9, #10, #11, #12]
Server B started serving client #8 at time 70, stop time 71.
【DataStructure】One of queue usage: Simulation System的更多相关文章
- 【DataStructure】Description and usage of queue
[Description] A queue is a collection that implements the first-in-first-out protocal. This means th ...
- 【DataStructure】Description and Introduction of Tree
[Description] At ree is a nonlinear data structure that models a hierarchical organization. The char ...
- 【翻译】Sencha Touch2.4 The Layout System 布局
[翻译]The Layout System 布局 In Sencha Touch there are two basic building blocks: componentsand containe ...
- 【DataStructure】Charming usage of Set in the java
In an attempt to remove duplicate elements from list, I go to the lengths to take advantage of meth ...
- 【高精度递推】【HDU1297】Children’s Queue
Children's Queue Time Limit: 2000/1000 MS (Java/Others) Memory Limit: 65536/32768 K (Java/Others) ...
- 【DataStructure】The description of Java Collections Framework
The Java Connections FrameWork is a group of class or method and interfacs in the java.util package. ...
- 【LeetCode】232. Implement Queue using Stacks
题目: Implement the following operations of a queue using stacks. push(x) -- Push element x to the bac ...
- 【c#】队列(Queue)和MSMQ(消息队列)的基础使用
首先我们知道队列是先进先出的机制,所以在处理并发是个不错的选择.然后就写两个队列的简单应用. Queue 命名空间 命名空间:System.Collections,不在这里做过多的理论解释,这个东西非 ...
- 【转】C++ Incorrect Memory Usage and Corrupted Memory(模拟C++程序内存使用崩溃问题)
http://www.bogotobogo.com/cplusplus/CppCrashDebuggingMemoryLeak.php Incorrect Memory Usage and Corru ...
随机推荐
- 关于c-string类
特别鸣谢:由张老师整理(原出处未知 一.C++ 字符串 C++ 提供了以下两种类型的字符串表示形式: C 风格字符串 C++ 引入的 string 类类型 1.C 风格字符串 C 风格的字符串起源于 ...
- MySQL架构与SQL执行流程
MySQL架构设计 下面是一张MySQL的架构图: 上方各个组件的含义如下: Connectors 指的是不同语言中与SQL的交互 Management Serveices & Utiliti ...
- 如何用jquery+ajax写省市区的三级联动?(封装和不封装两种方式)-----2017-05-14
首先,要实现如下图效果, 1.要理清思路: 先做出三个下拉菜单----根据第一个下拉菜单的value值获取第二个下拉列表的内容,第三个同理. 2.用到的数据库表:Chinastates表 规律:根据国 ...
- Bootstrap 模态框使用
<!DOCTYPE html> <html> <head> <meta http-equiv="Content-Type" content ...
- Super超级ERP系统---(2)基础信息管理
这一节我我们来了解下super系统的基础信息模块有哪些功能以及怎么实现.任何功能再强大的系统,也需要基本信息来支撑.超级erp系统的基础信息主要有供应商管理,品牌管理,分类管理,商品管理几个模块构成. ...
- redis启动加载过程、数据持久化
背景 公司一年的部分业务数据放在redis服务器上,但数据量比较大,单纯的string类型数据一年就将近32G,而且是经过压缩后的. 所以我在想能否通过获取string数据的时间改为保存list数据类 ...
- vue-cli3+typescript+router
vue基于类的写法,和基于对象的写法并不一致.使用vue-cli3创建的项目,src目录下的文件结构并没有多大区别,store.router.app.view.components.aeests该有的 ...
- CV与IP:基础,经典以及最近发展
原文链接:http://blog.csdn.net/dcraw/article/details/7617891 原文编写层层递进,逻辑清晰: 不过看这篇转载可以少点击鼠标:http://blog.cs ...
- 关于如何成为高级java程序员
今日,对如何进一步提升java.成为一个高级的程序员有了兴趣,在网上看到一篇回答,感觉不错,记下来 总结了以下六点:一.JAVA基础 要想成为高级Java程序员,Java是一定要学习的.要成为高级程序 ...
- vc++绘图,颜色
新建mfc应用程序,Graphic ,单文档 添加菜单项,点,直线,矩形,椭圆 建立类导向 MFC ClassWizard,为菜单项添加命令响应 添加成员变量 在CGraphicView构造函数中进行 ...