package ece448.iot_sim; import org.slf4j.Logger; import org.slf4j.LoggerFactory; /** * Simulate a smart plug with power monitoring. */ public class PlugSim { private final String name; private boolean on = false; private double power = 0; // in watts public PlugSim(String name) { this.name = name; } /** * No need to synchronize if read a final field. */ public String getName() { return name; } /** * Switch the plug on. */ synchronized public void switchOn() { // P1: add your code here on = true; } /** * Switch the plug off. */ synchronized public void switchOff() { // P1: add your code here on = false; } /** * Toggle the plug. */ synchronized public void toggle() { // P1: add your code here on = !on; } /** * Measure power. */ synchronized public void measurePower() { if (!on) { updatePower(0); return; } // a trick to help testing if (name.indexOf(".") != -1) { updatePower(Integer.parseInt(name.split("\\.")[1])); } // do some random walk else if (power < 100) { updatePower(power + Math.random() * 100); } else if (power > 300) { updatePower(power - Math.random() * 100); } else { updatePower(power + Math.random() * 40 - 20); } } protected void updatePower(double p) { power = p; logger.debug("Plug {}: power {}", name, power); } /** * Getter: current state */ synchronized public boolean isOn() { return on; } /** * Getter: last power reading */ synchronized public double getPower() { return power; } private static final Logger logger = LoggerFactory.getLogger(PlugSim.class);

时间: 2024-02-14 11:21:53 浏览: 124
这段代码是用 Java 实现的模拟智能插座并进行电力监测。其中,PlugSim 类包括以下方法: - switchOn():开启插座; - switchOff():关闭插座; - toggle():切换插座状态; - measurePower():测量电力; - isOn():获取当前插座状态; - getPower():获取上次电力读数。 这些方法都被 synchronized 修饰,以确保线程安全。类的属性包括插座名称(name)、插座状态(on)和电力(power)。measurePower() 方法中,如果插座未开启,则电力为 0;否则,电力会根据一定规则进行变动。最后,updatePower() 方法用于更新电力读数,并使用 logger 对象打印日志。
相关问题

> Task :compileTestJava FAILED /home/ubuntu/iot_ece448/src/test/java/ece448/iot_sim/HTTPCommandsTests.java:16: error: unreported exception Exception; must be caught or declared to be thrown String ret = get("/xxxx"); ^

这个错误是由于你在调用 `get("/xxxx")` 方法时,该方法可能会抛出 `Exception` 异常,但是你没有在代码中处理这个异常。 你需要使用 `try-catch` 块来处理这个异常,或者在方法的声明中使用 `throws Exception` 来声明该方法可能会抛出 `Exception` 异常。 例如: ``` try { String ret = get("/xxxx"); // 处理返回值 } catch (Exception e) { // 处理异常 } ``` 或者在方法的声明中声明可能会抛出 `Exception` 异常: ``` public void someMethod() throws Exception { String ret = get("/xxxx"); // 处理返回值 } ``` 请注意,这只是一个示例,具体的处理方式取决于你的业务逻辑和代码结构。

package ece448.iot_sim; import java.util.List; import java.util.Map; import java.util.TreeMap; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import ece448.iot_sim.http_server.RequestHandler; public class HTTPCommands implements RequestHandler { // Use a map so we can search plugs by name. private final TreeMap<String, PlugSim> plugs = new TreeMap<>(); public HTTPCommands(List<PlugSim> plugs) { for (PlugSim plug: plugs) { this.plugs.put(plug.getName(), plug); } } @Override public String handleGet(String path, Map<String, String> params) { // list all: / // do switch: /plugName?action=on|off|toggle // just report: /plugName logger.info("HTTPCmd {}: {}", path, params); if (path.equals("/")) { return listPlugs(); } PlugSim plug = plugs.get(path.substring(1)); if (plug == null) return null; // no such plug String action = params.get("action"); if (action == null) return report(plug); // P2: add your code here, modify the next line if necessary if("toggle".equals(action)){ plug.toggle(); return report(plug); }else if("on".equals(action)){ plug.switchOn(); return report(plug); }else if("off".equals(action)){ plug.switchOff(); return report(plug); } return "<html><body></body></html>"; } protected String listPlugs() { StringBuilder sb = new StringBuilder(); sb.append("<html><body>"); for (String plugName: plugs.keySet()) { sb.append(String.format("<p><a href='/%s'>%s</a></p>", plugName, plugName)); } sb.append("</body></html>"); return sb.toString(); } protected String report(PlugSim plug) { String name = plug.getName(); return String.format("<html><body>" +"<p>Plug %s is %s.</p>" +"<p>Power reading is %.3f.</p>" +"<p><a href='/%s?action=on'>Switch On</a></p>" +"<p><a href='/%s?action=off'>Switch Off</a></p>" +"<p><a href='/%s?action=toggle'>Toggle</a></p>" +"</body></html>", name, plug.isOn()? "on": "off", plug.getPower(), name, name, name); }

这段代码是一个HTTP请求处理器,用于处理与插座模拟器相关的HTTP请求。它包含一个名为“plugs”的TreeMap,用于存储所有插座的名称和对应的PlugSim对象。HTTPCommands类实现了RequestHandler接口,该接口定义了处理HTTP请求的方法。handleGet方法用于处理GET请求,根据请求路径和参数执行相应的操作,比如列出所有插座、开启/关闭/切换特定插座、报告特定插座的状态和功率读数等。listPlugs方法用于生成列出所有插座的HTML响应,report方法用于生成报告特定插座状态和功率读数的HTML响应。
阅读全文

相关推荐

第一段代码 GroupsResource package ece448.lec16; import java.util.ArrayList; import java.util.Collection; import java.util.HashMap; import java.util.List; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.web.bind.annotation.DeleteMapping; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.PathVariable; import org.springframework.web.bind.annotation.PostMapping; import org.springframework.web.bind.annotation.RequestBody; import org.springframework.web.bind.annotation.RequestParam; import org.springframework.web.bind.annotation.RestController; @RestController public class GroupsResource { private final GroupsModel groups; public GroupsResource(GroupsModel groups) { this.groups = groups; } @GetMapping("/api/groups") public Collection<Object> getGroups() throws Exception { ArrayList<Object> ret = new ArrayList<>(); for (String group: groups.getGroups()) { ret.add(makeGroup(group)); } logger.info("Groups: {}", ret); return ret; } @GetMapping("/api/groups/{group}") public Object getGroup( @PathVariable("group") String group, @RequestParam(value = "action", required = false) String action) { if (action == null) { Object ret = makeGroup(group); logger.info("Group {}: {}", group, ret); return ret; } // modify code below to control plugs by publishing messages to MQTT broker List<String> members = groups.getGroupMembers(group); logger.info("Group {}: action {}, {}", group, action, members); return null; } @PostMapping("/api/groups/{group}") public void createGroup( @PathVariable("group") String group, @RequestBody List<String> members) { groups.setGroupMembers(group, members); logger.info("Group {}: created {}", group, members); } @DeleteMapping("/api/groups/{group}") public void removeGroup( @PathVariable("group") String group) { groups.removeGroup(group); logger.info("Group {}: removed", group); } protected Object makeGroup(String group) { // modify code below to include plug states HashMap<String, Object> ret = new HashMap<>(); ret.put("name", group); ret.put("members", groups.getGroupMembers(group)); return ret; } private static final Logger logger = LoggerFactory.getLogger(GroupsResource.class); }

import java.util.Arrays; import org.apache.http.client.fluent.Request; import ece448.iot_sim.SimConfig; import ece448.iot_sim.Main; public class GradeP2 { public static void main(String[] args) throws Exception { SimConfig config = new SimConfig( 8080, Arrays.asList("xxxx", "yyyy", "zzzz.789"), null, null, null); try (Main m = new Main(config)) { Grading.run(new GradeP2(), 10); } } private String get(String pathParams) throws Exception { return Request.Get("http://127.0.0.1:8080"+pathParams) .userAgent("Mozilla/5.0") .connectTimeout(1000) .socketTimeout(1000) .execute().returnContent().asString(); } public boolean testCase00() throws Exception { String ret = get("/xxxx"); return (ret.indexOf("xxxx is off") != -1) && (ret.indexOf("xxxx is on") == -1) && (ret.indexOf("Power reading is 0.000") != -1); } public boolean testCase01() throws Exception { String ret = get("/xxxx?action=on"); return (ret.indexOf("xxxx is on") != -1) && (ret.indexOf("xxxx is off") == -1); } public boolean testCase02() throws Exception { String ret = get("/xxxx?action=off"); return (ret.indexOf("xxxx is off") != -1) && (ret.indexOf("xxxx is on") == -1); } public boolean testCase03() throws Exception { String ret = get("/xxxx?action=on"); return (ret.indexOf("xxxx is on") != -1) && (ret.indexOf("xxxx is off") == -1); } public boolean testCase04() throws Exception { String ret = get("/xxxx?action=toggle"); return (ret.indexOf("xxxx is off") != -1) && (ret.indexOf("xxxx is on") == -1); } public boolean testCase05() throws Exception { String ret = get("/xxxx?action=toggle"); return (ret.indexOf("xxxx is on") != -1) && (ret.indexOf("xxxx is off") == -1); } public boolean testCase06() throws Exception { String ret = get("/yyyy"); return (ret.indexOf("yyyy is off") != -1) && (ret.indexOf("yyyy is on") == -1); } public boolean testCase07() throws Exception { String ret = get("/xxxx"); return (ret.indexOf("xxxx is on") != -1) && (ret.indexOf("xxxx is off") == -1); } public boolean testCase08() throws Exception { String ret = get("/zzzz.789"); return (ret.indexOf("Power reading is 0.000") != -1); } public boolean testCase09() throws Exception { get("/zzzz.789?action=on"); Thread.sleep(1500); String ret = get("/zzzz.789"); return (ret.indexOf("Power reading is 789.000") != -1); } } private static final Logger logger = LoggerFactory.getLogger(HTTPCommands.class); }请逐句解释一下上述代码

最新推荐

recommend-type

HDMI-CEC简介及其应用.doc

"HDMI-CEC简介及其应用" 一、HDMI-CEC简介 HDMI-CEC(Consumer Electronics Control),即消费电子控制,为用户环境中所有通过HDMI线连接的家庭视听设备提供高级控制功能的一种协议。用户通过一个遥控器即可对这些...
recommend-type

Windows Server 2019 IIS10.0+PHP(FastCGI)+MySQL环境搭建教程

4. **Microsoft URL 重写模块 2.0**:用于实现IIS的URL重写功能,可以从[微软下载中心](https://download.microsoft.com/download/4/E/7/4E7ECE9A-DF55-4F90-A354-B497072BDE0A/rewrite_x64_zh-CN.msi)下载。...
recommend-type

R157 有关自动车道保持系统的车辆批准的统一规定

4. **测试与认证**:车辆制造商需要按照法规进行严格的测试,证明其ALKS系统符合所有安全标准。获得批准后,车辆才能在成员国市场销售。 5. **驾驶员责任与系统限制**:法规强调了驾驶员在整个过程中仍需保持警惕,...
recommend-type

量子位:AI大模型创业格局报告.pdf

量子位:AI大模型创业格局报告
recommend-type

tcpdump.pcap1

tcpdump.pcap1
recommend-type

CIS110班级页面时钟设计与HTML实现

资源摘要信息:"clock-for-cis110:班级页面" HTML知识点: 1. HTML基础结构:HTML页面通常以<!DOCTYPE html>声明开始,紧接着是<html>标签作为根元素,包含<head>和<body>两个主要部分。在<head>部分中,一般会设置页面的元数据如标题<title>、字符集<charset>、引入外部CSS和JavaScript文件等。而<body>部分则包含页面的所有可见内容。 2. HTML文档标题<title>:标题标签用于定义页面的标题,它会显示在浏览器的标签页上,并且对于搜索引擎优化来说很重要。例如,在"clock-for-cis110:班级页面"的项目中,<title>标签的内容应该与项目相关,比如“CIS110班级时钟”。 3. HTML元素和标签:HTML文档由各种元素组成,每个元素由一个开始标签、内容和一个结束标签构成。例如,<h1>CIS110班级时钟</h1>中的<h1>是一个标题标签,用于定义最大级别的标题。 4. CSS样式应用:在HTML文档中,通常通过<link>标签在<head>部分引入外部CSS文件,这些CSS文件定义了HTML元素的样式,如字体大小、颜色、布局等。在"CIS110班级时钟"项目中,CSS将用于美化时钟的外观,例如调整时钟背景颜色、数字显示样式、时钟边框样式等。 5. JavaScript交互:为了实现动态功能,如实时显示时间的时钟,通常会在HTML文档中嵌入JavaScript代码或引入外部JavaScript文件。JavaScript可以处理时间的获取、显示以及更新等逻辑。在"CIS110班级时钟"项目中,JavaScript将用于创建时钟功能,比如让时钟能够动起来,每秒更新一次显示的时间。 6. HTML文档头部内容:在<head>部分,除了<title>外,还可以包含<meta>标签来定义页面的元数据,如字符集<meta charset="UTF-8">,这有助于确保页面在不同浏览器中的正确显示。另外,还可以添加<link rel="stylesheet" href="style.css">来引入CSS文件。 7. HTML文档主体内容:<body>部分包含了页面的所有可见元素,比如标题、段落、图片、链接以及其他各种HTML标签。在"CIS110班级时钟"项目中,主体部分将包含时钟显示区域,可能会有一个用来展示当前时间的<div>容器,以及可能的按钮、设置选项等交互元素。 通过以上知识点的介绍,我们可以了解到"CIS110班级时钟"项目的HTML页面设计需要包含哪些基本元素和技术。这些技术涉及到了文档的结构化、内容的样式定义、用户交互的设计,以及脚本编程的实现。在实际开发过程中,开发者需要结合这些知识点,进行编码以完成项目的搭建和功能实现。
recommend-type

管理建模和仿真的文件

管理Boualem Benatallah引用此版本:布阿利姆·贝纳塔拉。管理建模和仿真。约瑟夫-傅立叶大学-格勒诺布尔第一大学,1996年。法语。NNT:电话:00345357HAL ID:电话:00345357https://theses.hal.science/tel-003453572008年12月9日提交HAL是一个多学科的开放存取档案馆,用于存放和传播科学研究论文,无论它们是否被公开。论文可以来自法国或国外的教学和研究机构,也可以来自公共或私人研究中心。L’archive ouverte pluridisciplinaire
recommend-type

【Python沉浸式音频体验】:虚拟现实中的音频处理技巧

![【Python沉浸式音频体验】:虚拟现实中的音频处理技巧](https://www.thetechinfinite.com/wp-content/uploads/2020/07/thetechinfinite-22-1024x576.jpg) # 1. 虚拟现实中的音频处理概述 虚拟现实技术已经不再是科幻小说中的概念,而是逐渐走入了我们的生活。在这个沉浸式的世界里,除了视觉效果外,音频处理也扮演了至关重要的角色。本章将为读者提供一个虚拟现实音频处理的概览,从基础理论到实际应用,从简单的音频增强到复杂的交互设计,我们将逐步深入探讨如何在虚拟环境中实现高质量的音频体验。 虚拟现实中的音频处
recommend-type

在单片机编程中,如何正确使用if-else语句进行条件判断?请结合实际应用场景给出示例。

单片机编程中,if-else语句是基本的控制结构,用于基于条件执行不同的代码段。这在处理输入信号、状态监测、决策制定等场景中至关重要。为了帮助你更好地理解和运用这一语句,推荐参考这份资源:《单片机C语言常用语句详解ppt课件.ppt》。这份PPT课件详细讲解了单片机C语言编程中常用语句的用法和案例,直接关联到你的问题。 参考资源链接:[单片机C语言常用语句详解ppt课件.ppt](https://wenku.csdn.net/doc/5r92v3nz85?spm=1055.2569.3001.10343) 在实际应用中,if-else语句通常用于根据传感器的读数或某个标志位的状态来控制设备
recommend-type

WEB进销存管理系统wbjxc v3.0:提升企业销售与服务效率

资源摘要信息:"WEB进销存管理系统wbjxc v3.0" 知识点一:WEB进销存管理系统概念 WEB进销存管理系统是一种基于Web技术的库存管理和销售管理系统,它能够通过互联网进行数据的收集、处理和存储。该系统可以帮助企业管理商品的进货、销售、库存等信息,通过实时数据更新,确保库存信息准确,提高销售管理效率。 知识点二:产品录入、销售、退回、统计、客户管理模块 该系统包括五个基本功能模块,分别是产品录入、销售管理、退货处理、销售统计和客户信息管理。 1. 产品录入模块:负责将新产品信息加入系统,包括产品名称、价格、规格、供应商等基本信息的录入。 2. 销售管理模块:记录每一次销售活动的详细信息,包括销售商品、销售数量、销售单价、客户信息等。 3. 退回管理模块:处理商品的退货操作,记录退货商品、退货数量、退货原因等。 4. 销售统计模块:对销售数据进行汇总和分析,提供销售报表,帮助分析销售趋势和预测未来销售。 5. 客户信息管理模块:存储客户的基本信息,包括客户的联系方式、购买历史记录、信用等级等,以便于更好地服务客户和管理客户关系。 知识点三:多级别管理安全机制 "多级别管理"意味着该系统能够根据不同职位或权限的员工提供不同层级的数据访问和操作权限。这样的机制能够保护数据的安全,避免敏感信息被非授权访问或篡改。系统管理员可以设定不同的角色,如管理员、销售员、仓库管理员等,每个角色都有预设的权限,来执行特定的操作。 知识点四:操作提示及双击与单击的区别 在系统操作指南中提到需要留意单击与双击操作的区别,这通常是因为不同操作会导致不同的系统反应或功能触发。例如,在某些情况下单击可能用于打开菜单或选项,而双击可能用于立即确认或执行某个命令。用户需要根据系统的提示,正确使用单击或双击,以确保操作的准确性和系统的顺畅运行。 知识点五:Asp源码 Asp是Active Server Pages的缩写,是一种服务器端脚本环境,用于创建动态交互式网页。当Asp代码被服务器执行后,结果以HTML格式发送到客户端浏览器。使用Asp编写的应用程序可以跨平台运行在Windows系列服务器上,兼容大多数浏览器。因此,Asp源码的提及表明wbjxc v3.0系统可能使用了Asp语言进行开发,并提供了相应的源代码文件,便于开发者进行定制、维护或二次开发。 知识点六:WEB进销存系统的应用场景 WEB进销存管理系统适用于各种规模的企业,尤其适合中大型企业以及具有多个销售渠道和分销商的公司。通过互联网的特性,该系统可以方便地实现远程办公、实时数据分析以及多部门协同工作,极大地提高了工作效率和业务响应速度。 知识点七:WEB进销存系统的开发工具和语言 虽然具体的技术栈没有明确提及,但鉴于ASP源码的使用,可以推测开发wbjxc v3.0系统可能涉及的技术和工具包括但不限于:HTML、CSS、JavaScript、VBScript(Asp脚本语言的一种),以及可能的数据库技术如Microsoft SQL Server或Access数据库等。这些技术组合起来为系统提供了前端展示、后端逻辑处理以及数据存储等完整的解决方案。 知识点八:WEB进销存系统的更新和版本迭代 标题中提到的"v3.0"表明wbjxc是一个具有版本迭代的产品,随着技术进步和用户需求的变化,系统会不断更新升级以满足新的要求。版本号的递增也说明系统经过了多次更新和改进,逐渐完善功能和用户体验。用户在升级时应关注新版本带来的功能变更以及可能需要进行的数据迁移和操作习惯调整。