Java OA系统日程管理模块

# 构建一个OA系统日程管理模块

本文将介绍如何使用Spring Boot和Vue.js构建一个OA系统日程管理模块,支持日程的添加、修改、删除、提醒和共享功能。

## 项目结构

项目结构如下:

```text
oa-schedule-management/
│   pom.xml

└───src/main/java/com/example/oaschedulemanagement/
│   │   OaScheduleManagementApplication.java
│   └───controller/
│       │   AuthController.java
│       │   ScheduleController.java
│   └───model/
│       │   Role.java
│       │   Schedule.java
│       │   User.java
│   └───repository/
│       │   RoleRepository.java
│       │   ScheduleRepository.java
│       │   UserRepository.java
│   └───service/
│       │   AuthService.java
│       │   NotificationService.java
│       │   ScheduleService.java
│       │   SharingService.java
└───src/main/resources/
    │   application.properties
└───frontend/
    │   package.json
    └───src/
        └───components/
            │   ScheduleList.vue
            │   ScheduleForm.vue
            │   ScheduleDetail.vue
        │   App.vue
        │   main.js
```

## 后端部分

### 依赖配置(pom.xml)

```xml
<dependencies>
    <!-- Spring Boot dependencies -->
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-data-jpa</artifactId>
    </dependency>
    <dependency>
        <groupId>mysql</groupId>
        <artifactId>mysql-connector-java</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-security</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.security</groupId>
        <artifactId>spring-security-jwt</artifactId>
        <version>1.1.1.RELEASE</version>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-mail</artifactId>
    </dependency>
    <dependency>
        <groupId>com.twilio.sdk</groupId>
        <artifactId>twilio</artifactId>
        <version>8.29.1</version>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-data-redis</artifactId>
    </dependency>
</dependencies>
```

### 应用配置(application.properties)

```properties
spring.datasource.url=jdbc:mysql://localhost:3306/oa_schedule_db
spring.datasource.username=root
spring.datasource.password=yourpassword
spring.jpa.hibernate.ddl-auto=update

spring.mail.host=smtp.example.com
spring.mail.port=587
spring.mail.username=your-email@example.com
spring.mail.password=your-email-password
spring.mail.properties.mail.smtp.auth=true
spring.mail.properties.mail.smtp.starttls.enable=true

twilio.account.sid=your_twilio_account_sid
twilio.auth.token=your_twilio_auth_token
twilio.phone.number=your_twilio_phone_number

spring.redis.host=localhost
spring.redis.port=6379
```

### 用户模型和角色模型

#### 用户模型(User.java)

```java
package com.example.oaschedulemanagement.model;

import javax.persistence.*;
import java.util.Set;

@Entity
public class User {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    private String username;
    private String password;
    private String email;
    @ManyToMany(fetch = FetchType.EAGER)
    @JoinTable(name = "user_roles", 
               joinColumns = @JoinColumn(name = "user_id"), 
               inverseJoinColumns = @JoinColumn(name = "role_id"))
    private Set<Role> roles;

    // Getters and setters...
}
```

#### 角色模型(Role.java)

```java
package com.example.oaschedulemanagement.model;

import javax.persistence.*;

@Entity
public class Role {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    private String name;

    // Getters and setters...
}
```

### 用户仓库接口和角色仓库接口

#### 用户仓库接口(UserRepository.java)

```java
package com.example.oaschedulemanagement.repository;

import com.example.oaschedulemanagement.model.User;
import org.springframework.data.jpa.repository.JpaRepository;

public interface UserRepository extends JpaRepository<User, Long> {
    User findByUsername(String username);
}
```

#### 角色仓库接口(RoleRepository.java)

```java
package com.example.oaschedulemanagement.repository;

import com.example.oaschedulemanagement.model.Role;
import org.springframework.data.jpa.repository.JpaRepository;

public interface RoleRepository extends JpaRepository<Role, Long> {
}
```

### 用户认证和授权服务

#### 认证服务类(AuthService.java)

```java
package com.example.oaschedulemanagement.service;

import com.example.oaschedulemanagement.model.Role;
import com.example.oaschedulemanagement.model.User;
import com.example.oaschedulemanagement.repository.RoleRepository;
import com.example.oaschedulemanagement.repository.UserRepository;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.stereotype.Service;

import java.util.HashSet;

@Service
public class AuthService {
    @Autowired
    private UserRepository userRepository;

    @Autowired
    private RoleRepository roleRepository;

    @Autowired
    private BCryptPasswordEncoder passwordEncoder;

    public void registerUser(User user) {
        user.setPassword(passwordEncoder.encode(user.getPassword()));
        user.setRoles(new HashSet<>(roleRepository.findAll()));
        userRepository.save(user);
    }
}
```

### 认证控制器类

#### 认证控制器类(AuthController.java)

```java
package com.example.oaschedulemanagement.controller;

import com.example.oaschedulemanagement.model.User;
import com.example.oaschedulemanagement.service.AuthService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;

@RestController
@RequestMapping("/api/auth")
public class AuthController {
    @Autowired
    private AuthService authService;

    @PostMapping("/register")
    public String registerUser(@RequestBody User user) {
        authService.registerUser(user);
        return "User registered successfully";
    }
}
```

### 通知服务类

```java
package com.example.oaschedulemanagement.service;

import com.twilio.Twilio;
import com.twilio.rest.api.v2010.account.Message;
import com.twilio.type.PhoneNumber;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.mail.SimpleMailMessage;
import org.springframework.mail.javamail.JavaMailSender;
import org.springframework.stereotype.Service;

@Service
public class NotificationService {
    @Autowired
    private JavaMailSender mailSender;

    @Value("${twilio.account.sid}")
    private String twilioAccountSid;

    @Value("${twilio.auth.token}")
    private String twilioAuthToken;

    @Value("${twilio.phone.number}")
    private String twilioPhoneNumber;

    public void sendEmailReminder(String to, String subject, String text) {
        SimpleMailMessage message = new SimpleMailMessage();
        message.setTo(to);
        message.setSubject(subject);
        message.setText(text);
        mailSender.send(message);
    }

    public void sendSmsReminder(String to, String messageBody) {
        Twilio.init(twilioAccountSid, twilioAuthToken);
        Message message = Message.creator(
                new PhoneNumber(to),
                new PhoneNumber(twilioPhoneNumber),
                messageBody
        ).create();
    }
}
```

### 共享服务类

```java
package com.example.oaschedulemanagement.service;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.mail.SimpleMailMessage;
import org.springframework.mail.javamail.JavaMailSender;
import org.springframework.stereotype.Service;

@Service
public class SharingService {
    @Autowired
    private JavaMailSender mailSender;

    public void shareSchedule(Long scheduleId, String email) {
        // 实现共享逻辑,如发送邮件通知等
        SimpleMailMessage message = new SimpleMailMessage();
        message.setTo(email);
        message.setSubject("Shared Schedule Notification");
        message.setText("You have a new shared schedule with ID: " + scheduleId);
        mailSender.send(message);
    }
}
```

### 控制器类

```java
package com.example.oaschedulemanagement.controller;

import com.example.oaschedulemanagement.model.Schedule;
import com.example.oaschedulemanagement.service.NotificationService;
import com.example.oaschedulemanagement.service.ScheduleService;
import com.example.oaschedulemanagement.service.SharingService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;

import java.util.List;

@RestController
@RequestMapping("/api/schedules")
public class ScheduleController {
    @Autowired
    private ScheduleService scheduleService;

    @Autowired
    private NotificationService notificationService;

    @Autowired
    private SharingService sharingService;

    @GetMapping
    public List<Schedule> getAllSchedules() {
        return scheduleService.getAllSchedules();
    }

    @GetMapping("/{id}")
    public Schedule getScheduleById(@PathVariable Long id) {
        return scheduleService.getScheduleById(id).orElseThrow();
    }

    @PostMapping
    public Schedule createSchedule(@RequestBody Schedule schedule) {
        Schedule newSchedule = scheduleService.addSchedule(schedule);
        notificationService.sendEmailReminder(newSchedule.getEmailReminder(), "Schedule Reminder", "You have a new schedule: " + newSchedule.getTitle());
        notificationService.sendSmsReminder(newSchedule.getSmsReminder(), "You have a new schedule: " + newSchedule.getTitle());
        if (newSchedule.getSharedWith() != null) {
            sharingService.shareSchedule(newSchedule.getId(), newSchedule.getSharedWith());
        }
        return newSchedule;
    }

    @PutMapping("/{id}")
    public Schedule updateSchedule(@PathVariable Long id, @RequestBody Schedule scheduleDetails) {
        return scheduleService.updateSchedule(id, scheduleDetails);
    }

    @DeleteMapping("/{id}")
    public void deleteSchedule(@PathVariable Long id) {
        scheduleService.deleteSchedule(id);
    }
}
```

## 前端部分

### 使用Vue.js构建用户界面

首先,在`frontend`目录下创建一个Vue.js项目,并安装必要的依赖:

```bash
npm init vue@latest
cd frontend
npm install
```

### 配置API服务

在`frontend/src`目录下创建`api`文件夹,并在其中创建`apiService.js`文件,用于与后端进行通信:

```javascript
import axios from 'axios';

const apiClient = axios.create({
  baseURL: 'http://localhost:8080/api',
  withCredentials: false,
  headers: {
    Accept: 'application/json',
    'Content-Type': 'application/json'
  }
});

export default {
  getSchedules() {
    return apiClient.get('/schedules');
  },
  getSchedule(id) {
    return apiClient.get(`/schedules/${id}`);
  },
  createSchedule(schedule) {
    return apiClient.post('/schedules', schedule);
  },
  updateSchedule(id, schedule) {
    return apiClient.put(`/schedules/${id}`, schedule);
  },
  deleteSchedule(id) {
    return apiClient.delete(`/schedules/${id}`);
  }
};
```

### 创建Vue组件

#### ScheduleList.vue

```html
<template>
  <div>
    <h1>Schedule List</h1>
    <ul>
      <li v-for="schedule in schedules" :key="schedule.id">
        <router-link :to="{ name: 'ScheduleDetail', params: { id: schedule.id } }">
          {{ schedule.title }}
        </router-link>
      </li>
    </ul>
  </div>
</template>

<script>
import apiService from '../api/apiService';

export default {
  data() {
    return {
      schedules: []
    };
  },
  created() {
    apiService.getSchedules().then(response => {
      this.schedules = response.data;
    });
  }
};
</script>
```

#### ScheduleForm.vue

```html
<template>
  <div>
    <h1>Create/Update Schedule</h1>
    <form @submit.prevent="submitForm">
      <div>
        <label for="title">Title:</label>
        <input type="text" v-model="schedule.title" />
      </div>
      <div>
        <label for="description">Description:</label>
        <input type="text" v-model="schedule.description" />
      </div>
      <div>
        <label for="startTime">Start Time:</label>
        <input type="datetime-local" v-model="schedule.startTime" />
      </div>
      <div>
        <label for="endTime">End Time:</label>
        <input type="datetime-local" v-model="schedule.endTime" />
      </div>
      <div>
        <label for="emailReminder">Email Reminder:</label>
        <input type="email" v-model="schedule.emailReminder" />
      </div>
      <div>
        <label for="smsReminder">SMS Reminder:</label>
        <input type="text" v-model="schedule.smsReminder" />
      </div>
      <div>
        <label for="sharedWith">Shared With:</label>
        <input type="email" v-model="schedule.sharedWith" />
      </div>
      <button type="submit">Submit</button>
    </form>
  </div>
</template>

<script>
import apiService from '../api/apiService';

export default {
  data() {
    return {
      schedule: {
        title: '',
        description: '',
        startTime: '',
        endTime: '',
        emailReminder: '',
        smsReminder: '',
        sharedWith: ''
      }
    };
  },
  methods: {
    submitForm() {
      if (this.schedule.id) {
        apiService.updateSchedule(this.schedule.id, this.schedule).then(() => {
          this.$router.push({ name: 'ScheduleList' });
        });
      } else {
        apiService.createSchedule(this.schedule).then(() => {
          this.$router.push({ name: 'ScheduleList' });
        });
      }
    }
  },
  created() {
    if (this.$route.params.id) {
      apiService.getSchedule(this.$route.params.id).then(response => {
        this.schedule = response.data;
      });
    }
  }
};
</script>
```

#### ScheduleDetail.vue

```html
<template>
  <div>
    <h1>Schedule Detail</h1>
    <p>{{ schedule.title }}</p>
    <p>{{ schedule.description }}</p>
    <p>{{ schedule.startTime }}</p>
    <p>{{ schedule.endTime }}</p>
    <button @click="deleteSchedule">Delete</button>
    <router-link :to="{ name: 'ScheduleForm', params: { id: schedule.id } }">Edit</router-link>
  </div>
</template>

<script>
import apiService from '../api/apiService';

export default {
  data() {
    return {
      schedule: {}
    };
  },
  created() {
    apiService.getSchedule(this.$route.params.id).then(response => {
      this.schedule = response.data;
    });
  },
  methods: {
    deleteSchedule() {
      apiService.deleteSchedule(this.schedule.id).then(() => {
        this.$router.push({ name: 'ScheduleList' });
      });
    }
  }
};
</script>
```

### App.vue

```html
<template>
  <div id="app">
    <router-view />
  </div>
</template>

<script>
export default {
  name: 'App'
};
</script>
```

### main.js

```javascript
import Vue from 'vue';
import App from './App.vue';
import VueRouter from 'vue-router';
import ScheduleList from './components/ScheduleList.vue';
import ScheduleForm from './components/ScheduleForm.vue';
import ScheduleDetail from './components/ScheduleDetail.vue';

Vue.config.productionTip = false;

Vue.use(VueRouter);

const routes = [
  { path: '/', component: ScheduleList, name: 'ScheduleList' },
  { path: '/schedule/:id', component: ScheduleDetail, name: 'ScheduleDetail' },
  { path: '/schedule-form/:id?', component: ScheduleForm, name: 'ScheduleForm' }
];

const router = new VueRouter({
  routes
});

new Vue({
  render: h => h(App),
  router
}).$mount('#app');
```

## 总结

通过以上步骤,构建了一个功能丰富且用户友好的OA系统日程管理模块。这个模块支持用户登录、注册,提供了完善的日程管理功能,包括日程的添加、修改、删除、提醒、共享和分类管理等。前端部分使用Vue.js构建了一个简洁、直观的用户界面,提高了用户体验。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/web/35040.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Pytorch实战(一):LeNet神经网络

文章目录 一、模型实现1.1数据集的下载1.2加载数据集1.3模型训练1.4模型预测 LeNet神经网络是第一个卷积神经网络&#xff08;CNN&#xff09;&#xff0c;首次采用了卷积层、池化层这两个全新的神经网络组件&#xff0c;接收灰度图像&#xff0c;并输出其中包含的手写数字&…

告别模糊时代,扫描全能王带来清晰世界

模糊碑文引发的思考 上个月中旬去洛阳拜访了著名的龙门石窟&#xff0c;本就对碑文和文字图画感兴趣的我们&#xff0c;准备好好欣赏一下龙门石窟的历史文化古迹。到了地方之后&#xff0c;我发现石窟的高度和宽度远远超出了想象&#xff0c;正因如此&#xff0c;拍出来的文字…

Linux中进程和线程区别

进程在内核中的描述符 task_struct 结构&#xff1a; struct task_struct {// 进程idpid_t pid;// 用于标识线程所属的进程 pidpid_t tgid;// 进程打开的文件信息struct files_struct *files;// 内存描述符表示进程虚拟地址空间struct mm_struct *mm;.......... 省略 …

NewspaceGPT带你玩系列之美人鱼图表

这里写目录标题 注册一个账号&#xff0c;用qq邮箱&#xff0c;然后登录选一个可用的Plus&#xff0c;不要选3.5探索GPT今天的主角是开始寻梦美人鱼图表我选第一个试一下问&#xff1a;重新回答上面的问题&#xff0c;一切都用汉语重新生成一个流程图&#xff1a;生成一个网站登…

OpenAI“跌倒”,国产大模型“吃饱”?

大数据产业创新服务媒体 ——聚焦数据 改变商业 在AI的世界里&#xff0c;OpenAI就像是一位高高在上的霸主&#xff0c;它的一举一动&#xff0c;都能引发行业里的地震。然而&#xff0c;就在不久前&#xff0c;这位霸主突然宣布了一个决定&#xff0c;自7月9日起&#xff0c;…

2024热门骨传导蓝牙耳机怎么选?超全的选购攻略附带好物推荐!

对于很多喜欢运动健身的小伙伴&#xff0c;在现在市面上这么多种类耳机的选择上&#xff0c;对于我来说的话还是很推荐大家去选择骨传导运动耳机的&#xff0c;相较于普通的入耳式蓝牙耳机&#xff0c;骨传导耳机是通过振动来传输声音的&#xff0c;而入耳式耳机则是通过空气传…

以Bert训练为例,测试torch不同的运行方式,并用torch.profile+HolisticTraceAnalysis分析性能瓶颈

以Bert训练为例,测试torch不同的运行方式,并用torch.profileHolisticTraceAnalysis分析性能瓶颈 1.参考链接:2.性能对比3.相关依赖或命令4.测试代码5.HolisticTraceAnalysis代码6.可视化A.优化前B.优化后 以Bert训练为例,测试torch不同的运行方式,并用torch.profileHolisticTra…

requests 库

快速上手 import requests# 定制请求头 headers {User-Agent: Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36, # 标识浏览器的详细信息&#xff0c;包括名称、版本、操作系统等Accept: */*, # 指…

TypeScript 基础

Typescript的好处是什么&#xff1f; TypeScript &#xff1a;是JavaScript 的超集&#xff08;ts是微软开发的开源编程语言&#xff0c;vue3的底层代码也是ts&#xff09;&#xff0c;即包含JavaScript 的所有元素&#xff0c;能运行JavaScript 的代码&#xff0c;并扩展了Jav…

列出R包中的函数

要列出R包中的所有函数&#xff0c;可以使用几个R内置函数。以下是几个常用的方法来列出特定R包中的所有函数&#xff1a; 方法1&#xff1a;使用ls和getNamespaceExports 这种方法通过列出包的命名空间导出对象来获取所有函数&#xff1a; # 替换pkg为你感兴趣的包名 pkg &…

QT QML 界面设计教程10——复选框样式

MyComboBox.qml import QtQuick 2.12 import QtQuick.Templates 2.12 as Template1 import QtQuick.Controls 2.12 import QtQuick.Controls.impl 2.12Template1.ComboBox {id:controlproperty color themeColor: "darkCyan" //主题颜色property color indicatorCo…

Java中将字符串写入文件中的几种方式

以下是几种不同的实现方法将字符串写入文件中的 Java 代码&#xff1a; 1、使用 BufferedWriter 类 import java.io.BufferedWriter; import java.io.FileWriter; import java.io.IOException;public class Main {public static void main(String[] args) {String content &…

正则表达式阅读理解

这段正则表达式可以匹配什么呢&#xff1f; ((max|min)\\s*\\([^\\)]*(,[^\\)]*)*\\)|[a-zA-Z][a-zA-Z0-9]*(_[a-zA-Z][a-zA-Z0-9]*)?(\\*||%)?|[0-9](\\.[0-9])?|\\([^\\)]*(,[^\\)]*)*\\))(\\s*[-*/%]\\s*([a-zA-Z][a-zA-Z0-9]*(_[a-zA-Z][a-zA-Z0-9]*)?(\\*||%)?|[0-…

GitHub国内使用方法

1、登录验证&#xff1a; 在火狐中添加插件“身份验证器”。此款插件对应的主页地址为&#xff1a;https://github.com/Authenticator-Extension/Authenticator 2、加速&#xff1a; 安装工具&#xff1a;https://gitee.com/XingYuan55/FastGithub/releases/tag/2.1.4 工具…

Charls数据库+预测模型发二区top | CHARLS等七大老年公共数据库周报(6.19)

七大老年公共数据库 七大老年公共数据库共涵盖33个国家的数据&#xff0c;包括&#xff1a;美国健康与退休研究 (Health and Retirement Study, HRS)&#xff1b;英国老龄化纵向研究 &#xff08;English Longitudinal Study of Ageing, ELSA&#xff09;&#xff1b;欧洲健康、…

一位NVIDIA芯片工程师繁忙的一天

早晨&#xff1a;开启新的一天 7:00 AM - 起床 早晨七点准时起床。洗漱、吃早餐后&#xff0c;查看手机上的邮件和公司消息&#xff0c;以便提前了解今天的工作安排和任务优先级。 7:30 AM - 前往公司 开车前往位于加州圣克拉拉的NVIDIA总部。在车上&#xff0c;习惯性地听一…

HashMap第5讲——resize方法扩容源码分析及细节

put方法的源码和相关的细节已经介绍完了&#xff0c;下面我们进入扩容功能的讲解。 一、为什么需要扩容 这个也比较好理解。假设现在HashMap里的元素已经很多了&#xff0c;但是链化比较严重&#xff0c;即便树化了&#xff0c;查询效率也是O(logN)&#xff0c;肯定没有O(1)好…

IDEA注释快只有一行时不分行的设置

在编写注释时&#xff0c;有时使用注释块来标注一个变量或者一段代码时&#xff0c;为了节约空间&#xff0c;希望只在一行中显示注释快。只需要按照下图将“一行注释不分行”勾选上即可。

M Farm RPG Assets Pack(农场RPG资源包)

🌟塞尔达的开场动画:风鱼之歌风格!🌟 像素参考:20*20 字体和声音不包括在内 资产包括: 1名身体部位分离的玩家和4个方向动画: 闲逛|散步|跑步|持有物品|使用工具|拉起|浇水 6个带有4个方向动画的工具 斧头|镐|喙|锄头|水壶|篮子 4个NPC,有4个方向动画: 闲逛|散步 �…

连接智慧未来:ChatGPT与IoT设备的交互探索

&#x1f916; 连接智慧未来&#xff1a;ChatGPT与IoT设备的交互探索 &#x1f310; 在当今数字化时代&#xff0c;物联网&#xff08;IoT&#xff09;设备正变得越来越普及&#xff0c;它们无声地融入我们的生活和工作中&#xff0c;从智能家居到工业自动化&#xff0c;IoT设…