Apache Commons-SCXML系列之Demo:秒表

2023-12-12 15:30

本文主要是介绍Apache Commons-SCXML系列之Demo:秒表,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

1 编程方式一

1.1 画状态图

秒表的状态图,其中秒表有:重置运行中,**已停止**3个状态

这里写图片描述

1.2 编写xml文件

秒表状态机定义文件:stopwatch1.xml,xml文件分析请看后面

<?xml version="1.0"?>
<scxml xmlns="http://www.w3.org/2005/07/scxml" version="1.0"initial="reset"><state id="reset"><onentry><script>stopWatchEntity.reset()</script></onentry><transition event="watch.start" target="running" /></state><state id="running"><onentry><script>stopWatchEntity.run()</script></onentry><transition event="watch.stop" target="stopped" /></state><state id="stopped"><onentry><script>stopWatchEntity.stop()</script></onentry><transition event="watch.start" target="running" ></transition><transition event="watch.reset" target="reset" /></state></scxml>

1.3 编写程序控制状态转移

需要操作的实体类,用来约束秒表的行为:StopWatchEntity.java


package stopwatch;
import java.io.Serializable;
import java.util.Timer;
import java.util.TimerTask;public class StopWatchEntity implements Serializable {private static final long serialVersionUID = 1L;//时分秒private int hr;private int min;private int sec;//100毫秒private int fract;private transient Timer timer;/*** 重置当前状态机*/public synchronized void reset() {hr = min = sec = fract = 0;}/*** 运行秒表*/public synchronized void run() {if (timer == null) {timer = new Timer(true);//使用timer来定时执行,秒表计数,每100毫秒,执行一次increment方法timer.scheduleAtFixedRate(new TimerTask() {@Overridepublic void run() {increment();}}, 100, 100);}}/*** 停止秒表*/public synchronized void stop() {timer.cancel();timer = null;}/*** 得到当前秒表的时间* @return*/public synchronized String getDisplay() {return String.format("%d:%02d:%02d,%d", hr, min, sec, fract);}/*** 自增方法*/private synchronized void increment() {if (fract < 9) {fract++;} else {fract = 0;if (sec < 59) {sec++;} else {sec = 0;if (min < 59) {min++;} else {min = 0;hr++;}}}}
}

界面类:StopWatchFrame.java

/*** Created by zhengshouzi on 2015/11/20.*/
package stopwatch;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.net.URL;
import java.util.Timer;
import java.util.TimerTask;import javax.swing.*;import org.apache.commons.scxml2.Context;
import org.apache.commons.scxml2.Evaluator;
import org.apache.commons.scxml2.SCXMLExecutor;
import org.apache.commons.scxml2.TriggerEvent;
import org.apache.commons.scxml2.env.SimpleErrorReporter;
import org.apache.commons.scxml2.env.jexl.JexlEvaluator;
import org.apache.commons.scxml2.io.SCXMLReader;
import org.apache.commons.scxml2.model.ModelException;
import org.apache.commons.scxml2.model.SCXML;public class StopWatchFrame extends JFrame implements ActionListener {private static final long serialVersionUID = 1L;private JLabel displayLabel;private JButton startButton;private JButton stopButton;private JButton resetButton;private SCXMLExecutor executor;private StopWatchEntity stopWatchEntity;public static void main(String[] args) {new StopWatchFrame();}public StopWatchFrame() {super("SCXML StopWatch");//初始化状态机initStopWatch();//初始化界面initUI();}/*** 监听器需要执行的方法,自动调用* @param event 事件源*/public void actionPerformed(ActionEvent event) {//得到绑定在每个按钮上的命令String command = event.getActionCommand();//对各个命令进行判断,在执行相应的内容try {if ("START".equals(command)) {//生成watch.start事件,将转到running状态executor.triggerEvent(new TriggerEvent("watch.start", TriggerEvent.SIGNAL_EVENT));//设置一些列按钮的可见性startButton.setEnabled(false);stopButton.setEnabled(true);resetButton.setEnabled(false);} else if ("STOP".equals(command)) {//生成watch.stop事件,将转到stoped状态executor.triggerEvent(new TriggerEvent("watch.stop", TriggerEvent.SIGNAL_EVENT));startButton.setEnabled(true);stopButton.setEnabled(false);resetButton.setEnabled(true);} else if ("RESET".equals(command)) {//生成watch.reset事件,将转到reset状态executor.triggerEvent(new TriggerEvent("watch.reset", TriggerEvent.SIGNAL_EVENT));startButton.setEnabled(true);stopButton.setEnabled(false);resetButton.setEnabled(false);}} catch (ModelException e) {e.printStackTrace();}}/*** 初始化秒表*/private void initStopWatch() {//得到资源文件路径final  URL STOPWATCH = this.getClass().getResource("stopwatch1.xml");//实例化数据模型解析器Evaluator evaluator = new JexlEvaluator();//实例化引擎executor = new SCXMLExecutor(evaluator, null, new SimpleErrorReporter());try {//加载资源文件,实例化到一个SCXML对象,两者之间一一对应SCXML scxml = SCXMLReader.read(STOPWATCH);//将这样的一个SCXML实例,作为状态机对象,传入到引擎里面。executor.setStateMachine(scxml);//设置引擎执行的根上下文Context rootContext = evaluator.newContext(null);final StopWatchEntity stopWatchEntity = new StopWatchEntity();rootContext.set("stopWatchEntity", stopWatchEntity);executor.setRootContext(rootContext);//设置当前对象this.stopWatchEntity = stopWatchEntity;//开始启动流程executor.go();}catch (Exception e){e.printStackTrace();}}/*** 初始化界面*/private void initUI() {JPanel mainPanel = new JPanel();mainPanel.setLayout(new BorderLayout());setContentPane(mainPanel);JPanel contentPanel = new JPanel();contentPanel.setLayout(new FlowLayout());displayLabel = new JLabel("0:00:00,000");displayLabel.setFont(new Font(Font.DIALOG,100,50));contentPanel.add(displayLabel, BorderLayout.CENTER);mainPanel.add(contentPanel, BorderLayout.CENTER);JPanel buttonPanel = new JPanel();buttonPanel.setLayout(new FlowLayout());startButton = createButton("START", "Start");buttonPanel.add(startButton);stopButton = createButton("STOP", "Stop");stopButton.setEnabled(false);buttonPanel.add(stopButton);resetButton = createButton("RESET", "Reset");resetButton.setEnabled(false);buttonPanel.add(resetButton);mainPanel.add(buttonPanel, BorderLayout.SOUTH);setLocation(250,300);setSize(400,200);setResizable(true);setVisible(true);Timer displayTimer = new Timer();displayTimer.scheduleAtFixedRate(new TimerTask() {@Overridepublic void run() {displayLabel.setText(stopWatchEntity.getDisplay());}}, 100, 100);setDefaultCloseOperation(EXIT_ON_CLOSE);}/*** 创建一个按钮* @param command 按钮的命令* @param text 按钮上的文本* @return 返回一个新建的按钮*/private JButton createButton(final String command, final String text) {JButton button = new JButton(text);button.setActionCommand(command);button.addActionListener(this);return button;}}

1.4 程序结果分析

这里写图片描述
这里写图片描述
这里写图片描述

程序界面类中的定时器一直在访问 StopWatchEntity的getDisplay属性,来得到秒表的值。我们通过Start,Stop,Reset来控制秒表的状态,在进入某一个状态机的时候,我们调用这个状态机根上下文设置的stopWatcheEntity对象相应的方法,来改变秒表的值。当秒表一直处于某一个状态的时候,我们又通过点击按钮来改变秒表的状态。

2 编程方式2

2.1 画状态图

图和方式一一样

2.2 编写状态图xml文件

stopwatch2.xml,这个类里面没有了srcipt等标签。

<?xml version="1.0"?>
<scxml xmlns="http://www.w3.org/2005/07/scxml"version="1.0"initial="reset"><state id="reset"><transition event="watch.start"   target="running"/></state><state id="running"><transition event="watch.stop"    target="stopped"/></state><state id="stopped"><transition event="watch.start"   target="running"/><transition event="watch.reset"   target="reset"/></state></scxml>

2.3编写程序控制状态转移

需要操作的实体类(同时也是状态机类),用来约束秒表的行为:StopWatchStateMachine.java。这个类中的方法名字和上面的StopWatchEntity.java名字稍有不同,这个类里面的名字必须要和所对应的xml文件里面的状态名字相同。这是因为当状态发生转移的时候,进入某一个状态的时候,由框架自身根据反射机制去调用对应的方法。


package stopwatch;import org.apache.commons.scxml2.env.AbstractStateMachine;
import org.apache.commons.scxml2.model.ModelException;import java.util.Timer;
import java.util.TimerTask;public class StopWatchStateMachine extends AbstractStateMachine {public static final String EVENT_START = "watch.start";public static final String EVENT_STOP = "watch.stop";public static final String EVENT_RESET = "watch.reset";private int hr, min, sec, fract;private Timer timer;public StopWatchStateMachine() throws ModelException {super(StopWatchStateMachine.class.getResource("stopwatch3.xml"));}/*** 重置当前状态机,方法名和所在的状态名相同,又框架自己调用*/public void reset() {hr = min = sec = fract=0;timer=null;}/*** 运行秒表,方法名和所在的状态名相同,又框架自己调用*/public void running() {if (timer == null) {timer = new Timer(true);timer.scheduleAtFixedRate(new TimerTask() {@Overridepublic void run() {increment();}}, 100, 100);}}/*** 停止秒表,方法名和所在的状态名相同,又框架自己调用*/public void stopped() {timer.cancel();timer = null;}/*** 得到当前秒表的时间* @return*/public synchronized String getDisplay() {return String.format("%d:%02d:%02d,%d", hr, min, sec, fract);}//只是做一个演示,不使用这个方法public String getCurrentState() {return getEngine().getStatus().getStates().iterator().next().getId();}/*** 自增方法*/private synchronized void increment() {if (fract < 9) {fract++;} else {fract = 0;if (sec < 59) {sec++;} else {sec = 0;if (min < 59) {min++;} else {min = 0;hr++;}}}}
}

StopWatchDisplay.java 界面展现类


package stopwatch;import org.apache.commons.scxml2.model.ModelException;import javax.swing.*;
import java.awt.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Timer;
import java.util.TimerTask;public class StopWatchDisplay extends JFrameimplements ActionListener {private static final long serialVersionUID = 1L;private JLabel displayLabel;private JButton startButton;private JButton stopButton;private JButton resetButton;private StopWatchStateMachine stopWatchStateMachine;public static void main(String[] args) throws Exception {new StopWatchDisplay();}public StopWatchDisplay() throws ModelException {super("SCXML StopWatch StateMachine");stopWatchStateMachine = new StopWatchStateMachine();initUI();}/*** 监听器需要执行的方法,自动调用* @param event 事件源*/public void actionPerformed(ActionEvent event) {//得到绑定在每个按钮上的命令String command = event.getActionCommand();//对各个命令进行判断,在执行相应的内容if ("START".equals(command)) {//生成watch.start事件,将转到running状态stopWatchStateMachine.fireEvent(StopWatchStateMachine.EVENT_START);//设置一些列按钮的可见性startButton.setEnabled(false);stopButton.setEnabled(true);resetButton.setEnabled(false);} else if ("STOP".equals(command)) {//生成watch.stop事件,将转到stoped状态stopWatchStateMachine.fireEvent(StopWatchStateMachine.EVENT_STOP);startButton.setEnabled(true);stopButton.setEnabled(false);resetButton.setEnabled(true);} else if ("RESET".equals(command)) {//生成watch.reset事件,将转到reset状态stopWatchStateMachine.fireEvent(StopWatchStateMachine.EVENT_RESET);startButton.setEnabled(true);stopButton.setEnabled(false);resetButton.setEnabled(false);}}/*** 初始化界面*/private void initUI() {JPanel mainPanel = new JPanel();mainPanel.setLayout(new BorderLayout());setContentPane(mainPanel);JPanel contentPanel = new JPanel();contentPanel.setLayout(new FlowLayout());displayLabel = new JLabel("0:00:00,000");displayLabel.setFont(new Font(Font.DIALOG, 100, 50));contentPanel.add(displayLabel, BorderLayout.CENTER);mainPanel.add(contentPanel, BorderLayout.CENTER);JPanel buttonPanel = new JPanel();buttonPanel.setLayout(new FlowLayout());startButton = createButton("START", "Start");buttonPanel.add(startButton);stopButton = createButton("STOP", "Stop");stopButton.setEnabled(false);buttonPanel.add(stopButton);resetButton = createButton("RESET", "Reset");resetButton.setEnabled(false);buttonPanel.add(resetButton);mainPanel.add(buttonPanel, BorderLayout.SOUTH);setLocation(250, 300);setSize(400,200);setResizable(true);setVisible(true);Timer displayTimer = new Timer();displayTimer.scheduleAtFixedRate(new TimerTask() {@Overridepublic void run() {displayLabel.setText(stopWatchStateMachine.getDisplay());}}, 100, 100);setDefaultCloseOperation(EXIT_ON_CLOSE);}/*** 创建一个按钮* @param command 按钮的命令* @param text 按钮上的文本* @return 返回一个新建的按钮*/private JButton createButton(final String command, final String text) {JButton button = new JButton(text);button.setActionCommand(command);button.addActionListener(this);return button;}}

2.4 程序结果分析

这里写图片描述
这里写图片描述
这里写图片描述

程序界面类中的定时器一直在访问 StopWatctStateMachine的getDisplay方法,来得到秒表的值。我们通过Start,Stop,Reset来控制秒表的状态,在进入某一个状态机的时候,由框架自动调用对应状态名相同的的函数,来改变秒表的值。当秒表一直处于某一个状态的时候,我们又通过点击按钮来改变秒表的状态。

源代码AbstractStateMachine.java中对应的调用语句如下

         /*** {@inheritDoc}*/public void onEntry(final EnterableState entered) {invoke(entered.getId());}/*** Invoke the no argument method with the following name.** @param methodName The method to invoke.* @return Whether the invoke was successful.*/public boolean invoke(final String methodName) {Class<?> clas = this.getClass();try {Method method = clas.getDeclaredMethod(methodName, SIGNATURE);method.invoke(this, PARAMETERS);} catch (SecurityException se) {logError(se);return false;} catch (NoSuchMethodException nsme) {logError(nsme);return false;} catch (IllegalArgumentException iae) {logError(iae);return false;} catch (IllegalAccessException iae) {logError(iae);return false;} catch (InvocationTargetException ite) {logError(ite);return false;}return true;}

3 两种方式的总结

其实第二种方式是官网给出的例子里面的,同时也是更贴近状态机对象的思想。但是也有如下缺点(也许)
1、 stopWatchStateMachine.fireEvent(StopWatchStateMachine.EVENT_START);只有这一个触发事件的函数,不能传递数据。而第一种方式里面的executor.triggerEvent(new TriggerEvent("watch.start", TriggerEvent.SIGNAL_EVENT),数据);可以通过触发时间传递数据进入状态机里面。

这篇关于Apache Commons-SCXML系列之Demo:秒表的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/485085

相关文章

Springboot处理跨域的实现方式(附Demo)

《Springboot处理跨域的实现方式(附Demo)》:本文主要介绍Springboot处理跨域的实现方式(附Demo),具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不... 目录Springboot处理跨域的方式1. 基本知识2. @CrossOrigin3. 全局跨域设置4.

使用Apache POI在Java中实现Excel单元格的合并

《使用ApachePOI在Java中实现Excel单元格的合并》在日常工作中,Excel是一个不可或缺的工具,尤其是在处理大量数据时,本文将介绍如何使用ApachePOI库在Java中实现Excel... 目录工具类介绍工具类代码调用示例依赖配置总结在日常工作中,Excel 是一个不可或缺的工http://

Apache伪静态(Rewrite).htaccess文件详解与配置技巧

《Apache伪静态(Rewrite).htaccess文件详解与配置技巧》Apache伪静态(Rewrite).htaccess是一个纯文本文件,它里面存放着Apache服务器配置相关的指令,主要的... 一、.htAccess的基本作用.htaccess是一个纯文本文件,它里面存放着Apache服务器

Debezium 与 Apache Kafka 的集成方式步骤详解

《Debezium与ApacheKafka的集成方式步骤详解》本文详细介绍了如何将Debezium与ApacheKafka集成,包括集成概述、步骤、注意事项等,通过KafkaConnect,D... 目录一、集成概述二、集成步骤1. 准备 Kafka 环境2. 配置 Kafka Connect3. 安装 D

深入理解Apache Airflow 调度器(最新推荐)

《深入理解ApacheAirflow调度器(最新推荐)》ApacheAirflow调度器是数据管道管理系统的关键组件,负责编排dag中任务的执行,通过理解调度器的角色和工作方式,正确配置调度器,并... 目录什么是Airflow 调度器?Airflow 调度器工作机制配置Airflow调度器调优及优化建议最

SpringBoot使用Apache Tika检测敏感信息

《SpringBoot使用ApacheTika检测敏感信息》ApacheTika是一个功能强大的内容分析工具,它能够从多种文件格式中提取文本、元数据以及其他结构化信息,下面我们来看看如何使用Ap... 目录Tika 主要特性1. 多格式支持2. 自动文件类型检测3. 文本和元数据提取4. 支持 OCR(光学

Apache Tomcat服务器版本号隐藏的几种方法

《ApacheTomcat服务器版本号隐藏的几种方法》本文主要介绍了ApacheTomcat服务器版本号隐藏的几种方法,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需... 目录1. 隐藏HTTP响应头中的Server信息编辑 server.XML 文件2. 修China编程改错误

SpringBoot使用Apache POI库读取Excel文件的操作详解

《SpringBoot使用ApachePOI库读取Excel文件的操作详解》在日常开发中,我们经常需要处理Excel文件中的数据,无论是从数据库导入数据、处理数据报表,还是批量生成数据,都可能会遇到... 目录项目背景依赖导入读取Excel模板的实现代码实现代码解析ExcelDemoInfoDTO 数据传输

Spring Security 从入门到进阶系列教程

Spring Security 入门系列 《保护 Web 应用的安全》 《Spring-Security-入门(一):登录与退出》 《Spring-Security-入门(二):基于数据库验证》 《Spring-Security-入门(三):密码加密》 《Spring-Security-入门(四):自定义-Filter》 《Spring-Security-入门(五):在 Sprin

科研绘图系列:R语言扩展物种堆积图(Extended Stacked Barplot)

介绍 R语言的扩展物种堆积图是一种数据可视化工具,它不仅展示了物种的堆积结果,还整合了不同样本分组之间的差异性分析结果。这种图形表示方法能够直观地比较不同物种在各个分组中的显著性差异,为研究者提供了一种有效的数据解读方式。 加载R包 knitr::opts_chunk$set(warning = F, message = F)library(tidyverse)library(phyl