Java简易仓管系统

```java
import java.sql.*;
import javax.sql.DataSource;
import org.apache.commons.dbcp2.BasicDataSource;
import java.util.*;// 商品类
class Product {private String name;private int quantity;public Product(String name, int quantity) {this.name = name;this.quantity = quantity;}public String getName() {return name;}public int getQuantity() {return quantity;}public void setQuantity(int quantity) {this.quantity = quantity;}
}// 订单类
class Order {private Map<String, Integer> orderItems;public Order() {orderItems = new HashMap<>();}public void addOrderItem(String name, int quantity) {orderItems.put(name, quantity);System.out.println(quantity + " units of " + name + " added to order.");}public void displayOrder() {System.out.println("Current Order:");for (Map.Entry<String, Integer> entry : orderItems.entrySet()) {System.out.println(entry.getKey() + ": " + entry.getValue());}}public Map<String, Integer> getOrderItems() {return orderItems;}
}// 仓库管理系统
class Warehouse {private DataSource dataSource;private Map<String, Product> inventory;private Map<String, Order> orders;private Map<String, String> userPermissions;public Warehouse() {// 初始化数据库连接池BasicDataSource ds = new BasicDataSource();ds.setUrl("jdbc:mysql://localhost:3306/your_database");ds.setUsername("username");ds.setPassword("password");dataSource = ds;// 初始化数据结构inventory = new HashMap<>();orders = new HashMap<>();userPermissions = new HashMap<>();}// 添加商品到库存并保存到数据库public void addProduct(String name, int quantity) {Product product = new Product(name, quantity);inventory.put(name, product);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO products (name, quantity) VALUES (?, ?)")) {ps.setString(1, name);ps.setInt(2, quantity);ps.executeUpdate();System.out.println(quantity + " units of " + name + " added to inventory and saved to database.");} catch (SQLException e) {System.out.println("Error adding product to database: " + e.getMessage());}}// 更新商品信息并保存到数据库public void updateProduct(String name, int newQuantity) {if (inventory.containsKey(name)) {Product product = inventory.get(name);product.setQuantity(newQuantity);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("UPDATE products SET quantity = ? WHERE name = ?")) {ps.setInt(1, newQuantity);ps.setString(2, name);ps.executeUpdate();System.out.println(name + " updated in inventory and database.");} catch (SQLException e) {System.out.println("Error updating product in database: " + e.getMessage());}} else {System.out.println(name + " does not exist in inventory.");}}// 删除商品并从数据库中删除记录public void deleteProduct(String name) {if (inventory.containsKey(name)) {inventory.remove(name);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("DELETE FROM products WHERE name = ?")) {ps.setString(1, name);ps.executeUpdate();System.out.println(name + " deleted from inventory and database.");} catch (SQLException e) {System.out.println("Error deleting product from database: " + e.getMessage());}} else {System.out.println(name + " does not exist in inventory.");}}// 创建订单并保存到数据库public void createOrder(String orderId) {Order order = new Order();orders.put(orderId, order);System.out.println("Order " + orderId + " created.");try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO orders (order_id) VALUES (?)")) {ps.setString(1, orderId);ps.executeUpdate();System.out.println("Order " + orderId + " saved to database.");} catch (SQLException e) {System.out.println("Error creating order in database: " + e.getMessage());}}// 添加商品到订单并保存到数据库public void addProductToOrder(String orderId, String name, int quantity) {if (orders.containsKey(orderId)) {Order order = orders.get(orderId);order.addOrderItem(name, quantity);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO order_items (order_id, product_name, quantity) VALUES (?, ?, ?)")) {ps.setString(1, orderId);ps.setString(2, name);ps.setInt(3, quantity);ps.executeUpdate();System.out.println(quantity + " units of " + name + " added to order " + orderId + " and saved to database.");} catch (SQLException e) {System.out.println("Error adding product to order in database: " + e.getMessage());}} else {System.out.println("Order " + orderId + " does not exist.");}}// 编辑订单中的商品数量并保存到数据库public void editOrder(String orderId, String name, int newQuantity) {if (orders.containsKey(orderId)) {Order order = orders.get(orderId);if (order.getOrderItems().containsKey(name)) {order.getOrderItems().put(name, newQuantity);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("UPDATE order_items SET quantity = ? WHERE order_id = ? AND product_name = ?")) {ps.setInt(1, newQuantity);ps.setString(2, orderId);ps.setString(3, name);ps.executeUpdate();System.out.println(name + " quantity updated in order " + orderId + " and database.");} catch (SQLException e) {System.out.println("Error updating order item in database: " + e.getMessage());}} else {System.out.println(name + " does not exist in order " + orderId + ".");}} else {System.out.println("Order " + orderId + " does not exist.");}}// 取消订单并从数据库中删除订单及订单项public void cancelOrder(String orderId) {if (orders.containsKey(orderId)) {orders.remove(orderId);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("DELETE FROM orders WHERE order_id = ?")) {ps.setString(1, orderId);ps.executeUpdate();System.out.println("Order " + orderId + " canceled and removed from database.");} catch (SQLException e) {System.out.println("Error canceling order from database: " + e.getMessage());}} else {System.out.println("Order " + orderId + " does not exist.");}}// 设置用户权限并保存到数据库public void setUserPermission(String username, String permission) {userPermissions.put(username, permission);System.out.println("Permission set for user " + username + ": " + permission);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO user_permissions (username, permission) VALUES (?, ?)")) {ps.setString(1, username);ps.setString(2, permission);ps.executeUpdate();System.out.println("Permission for user " + username + " saved to database.");} catch (SQLException e) {System.out.println("Error setting user permission in database: " + e.getMessage());}}// 更新用户权限级别public void updateUserPermission(String username, String newPermission) {if (userPermissions.containsKey(username)) {userPermissions.put(username, newPermission);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("UPDATE user_permissions SET permission = ? WHERE username = ?")) {ps.setString(1, newPermission);ps.setString(2, username);ps.executeUpdate();System.out.println("Permission updated for user " + username + " in database.");} catch (SQLException e) {System.out.println("Error updating user permission in database: " + e.getMessage());}} else {System.out.println("User " + username + " does not exist.");}}// 记录日志并保存到数据库public void log(String username, String action) {String logMessage = username + " performed " + action;System.out.println("Log: " + logMessage);try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO logs (username, action) VALUES (?, ?)")) {ps.setString(1, username);ps.setString(2, action);ps.executeUpdate();System.out.println("Log message saved to database.");} catch (SQLException e) {System.out.println("Error saving log message to database: " + e.getMessage());}}// 批量处理示例:批量添加商品到数据库public void addProductsBatch(List<Product> products) {try (Connection conn = dataSource.getConnection();PreparedStatement ps = conn.prepareStatement("INSERT INTO products (name, quantity) VALUES (?, ?)")) {for (Product product : products) {ps.setString(1, product.getName());ps.setInt(2, product.getQuantity());ps.addBatch();}ps.executeBatch();System.out.println("Batch products added to database.");} catch (SQLException e) {System.out.println("Error adding batch products to database: " + e.getMessage());}}// 执行性能优化:使用数据库连接池public void performanceOptimizationExample() {// 使用已配置的数据源进行数据库操作try (Connection conn = dataSource.getConnection();Statement stmt = conn.createStatement();ResultSet rs = stmt.executeQuery("SELECT * FROM products")) {while (rs.next()) {String name = rs.getString("name");int quantity = rs.getInt("quantity");System.out.println(name + ": " + quantity);}} catch (SQLException e) {System.out.println("Error fetching products from database: " + e.getMessage());}}// 主程序演示public static void main(String[] args) {Warehouse warehouse = new Warehouse();// 添加商品示例warehouse.addProduct("Laptop", 10);warehouse.addProduct("Monitor", 20);// 更新商品示例warehouse.updateProduct("Laptop", 8);// 删除商品示例warehouse.deleteProduct("Monitor");// 创建订单示例warehouse.createOrder("ORD-001");// 添加商品到订单示例warehouse.addProductToOrder("ORD-001", "Laptop", 2);// 编辑订单中的商品数量示例warehouse.editOrder("ORD-001", "Laptop", 3);// 取消订单示例warehouse.cancelOrder("ORD-001");// 设置用户权限示例warehouse.setUserPermission("user1", "admin");// 更新用户权限示例warehouse.updateUserPermission("user1", "super admin");// 记录日志示例warehouse.log("admin", "added Laptop to inventory");// 批量添加商品示例List<Product> products = new ArrayList<>();products.add(new Product("Mouse", 50));products.add(new Product("Keyboard", 30));warehouse.addProductsBatch(products);// 性能优化示例warehouse.performanceOptimizationExample();}
}
```一个简易的仓库管理系统,结合了数据库操作、商品管理、订单管理、用户权限控制、日志记录和性能优化等功能。每个方法都包含了与数据库的交互,确保数据的持久性和一致性。

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

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

相关文章

无废话版的TypeScript(TS)教程可以满足日常项目使用

中文官网 在中文网(官网也可以)点击立即试用->在浏览器中运行->在这里可以演示本篇博客内的内容 在这个页面右边点击js就是ts编译后的js内容,也可以点击左上角进行版本设置和一些配置,这个看个人意愿,我本人打开网站直接用了 类型推断 不加类型时,TS会进行类型推断,以…

源代码防泄密如何做?10种方法教你源代码防泄密

企业如何正确做好源代码防泄密工作&#xff1f;推荐10种方法教你源代码防泄密。1. 使用加密技术 强加密算法&#xff1a;使用AES、RSA等强加密算法对源代码进行加密&#xff0c;确保只有授权用户才能解密和访问源代码。 2. 代码混淆 混淆工具&#xff1a;使用ProGuard、Obfusc…

Ubuntu使用cat替代vim编写文件

docker创建容器&#xff0c;进入容器之后无法使用vi&#xff0c;vim&#xff0c;gedit apt update时报错&#xff0c;无法安装指令&#xff0c;sources.list无法编辑 使用cat编辑文件 rootabcd:/# cat >文件名 << EOF > 内容 > EOF编写文件时加上EOF&#xff0c…

六西格玛培训公司:解锁成功之门,让企业与个人共赴“嗨”途

在竞争激烈的21世纪&#xff0c;六西格玛培训公司手握一把神奇的钥匙&#xff0c;帮助企业及个人轻松开启成功的大门。 对企业来说&#xff1a; 产品质量飞跃&#xff1a;不再是偶尔的精品&#xff0c;而是每个产品都如同精雕细琢的艺术品&#xff0c;吸引无数顾客争相购买。…

【Python】 异步编程

【Python】 异步编程 1. nest_asyncio基础定义2. nest_asyncio 举例实现基本用法 1. nest_asyncio基础定义 nest_asyncio.apply() 是 Python 编程中与异步编程相关的一个调用&#xff0c;它用于解决某些特定环境下的异步编程问题。下面是对这个调用的详细解释&#xff1a; nes…

【微信小程序 笔记】

协同工作和发布 - 协同工作 了解权限管理需求 在中大型的公司里&#xff0c;人员的分工非常仔细&#xff1a;同一个小程序项目&#xff0c;一般会有不同岗位、不同角色的员工同时参与设计与开发。 此时出于管理需要&#xff0c;我们迫切需要对不同岗位、不同角色的员工的权限进…

web3.0链游农民世界开发搭建0撸狼人杀玩法模式定制开发

随着区块链技术的飞速发展&#xff0c;Web3.0时代的链游已成为游戏行业的新宠。本文将介绍一款基于Web3.0的链游——农民世界&#xff0c;如何定制开发0撸狼人杀玩法模式&#xff0c;以及该模式的专业性、深度思考和逻辑性。 一、背景介绍 农民世界是一款以农业为主题的链游…

嵌入式系统基础

嵌入式系统基础主要包括以下几个方面&#xff1a; 1、定义&#xff1a; 嵌入式系统是以应用为中心&#xff0c;以计算机技术为基础&#xff0c;软硬件可裁剪&#xff0c;适应应用系统对功能、可靠性、成本、体积、功耗严格要求的专用计算机系统。它由硬件和软件组成&#xff0…

css 修改 input range 样式

这段必须要加上&#xff0c;清除默认样式,根据mdn文档介绍&#xff0c;这个样式兼容性不太好&#xff0c;应该多看看目标用户的浏览器支不支持。 -webkit-appearance: none; -moz-appearance: none; appearance: none; input[typerange]{-webkit-appearance: none;width:90px;h…

.NET 通过UserInit键实现Windows权限维持

01阅读须知 此文所节选自小报童《.NET 内网实战攻防》专栏&#xff0c;主要内容有.NET在各个内网渗透阶段与Windows系统交互的方式和技巧&#xff0c;对内网和后渗透感兴趣的朋友们可以订阅该电子报刊&#xff0c;解锁更多的报刊内容。 02基本介绍 本文内容部分节选自小报童…

Spring Boot 学习第七天:动态代理机制与Spring AOP

1 概述 在Java的世界中&#xff0c;实现AOP的主流方式是采用动态代理机制&#xff0c;这点对于Spring AOP也一样。代理机制的主要目的就是为其他对象提供一种dialing以控制对当前对象的访问&#xff0c;用于消除或缓解直接访问对象带来的问题。通过这种手段&#xff0c;一个对象…

EEPROM与FLASH

一、EEPROM介绍 1.概念 EEPROM简介&#xff0c;EEPROM (Electrically Erasable Programmable read only memory)是指带电可擦可编程只读存储器。是一种掉电后数据不丢失的存储芯片。 EEPROM 可以在电脑上或专用设备上擦除已有信息&#xff0c;重新编程。一般用在即插即用&…

【Bugku CTF】web解题记录

记录我在Bugku CTF靶场中做的比赛真题&#xff0c;便于自己以后的复习 1.my-first-sqli 进入此关卡&#xff0c;发现参数有username和password 我们尝试在username上注入数字型、字符型参数&#xff0c;后面发现注入字符型的单引号的有报错语句&#xff0c;我们在username上注…

【服务器08】之【游戏框架】之【加载主角】

首先简单了解一下帧率 FixedUpdate( ) > Update( ) > LateUpdate( ) 首先FixedUpdate的设置值 默认一秒运行50次 虽然默认是0.02秒&#xff0c;但FiexedUpdate并不是真的0.02秒调用一次&#xff0c;因为在脚本的生命周期内&#xff0c;FixedUpdate有一个小循环&…

大学计算机

项目一 了解计算机 1.1 了解计算机的诞生及发展阶段 1.2 认识计算机的特点、应用和分类 1&#xff0e;计算机的特点 1. 计算机的特点 2.计算机的应用 3.计算机的分类 4.数量单位 1.3 了解计算机操作系统的概念、功能与种类 1.操作系统概念 2.操作系统的作用 1&#xff0e…

主流的RAG框架

Rank1、LangChain(86k stars) https://github.com/langchain-ai/langchain/.当之无愧的霸主&#xff0c;范围很全面&#xff0c;但代码 Rank2、Quivr(33.4k stars) https://github.com/StanGirard/quivr Rank3、Llamalndex(32.1k stars) https://github.com/run-llama/llama…

MySQL数据库锁的实现原理

MySQL数据库的锁实现原理主要涉及到如何确保在多用户并发访问数据库时,保证数据的完整性和一致性。以下是MySQL数据库锁实现原理的详细解释: 锁的基本概念和目的 锁的概念:在数据库中,锁是用于管理对公共资源的并发控制的机制。当多个用户或事务试图同时访问或修改同一数…

Java零基础-集合:Set

哈喽&#xff0c;各位小伙伴们&#xff0c;你们好呀&#xff0c;我是喵手。运营社区&#xff1a;C站/掘金/腾讯云&#xff1b;欢迎大家常来逛逛 今天我要给大家分享一些自己日常学习到的一些知识点&#xff0c;并以文字的形式跟大家一起交流&#xff0c;互相学习&#xff0c;一…

感应电机转差速度估算

在感应电机矢量控制中&#xff0c;需要计算出感应电机的机械转差速度&#xff08;同步速度和转子速度之间的差&#xff09;。以下方程描述了感应电机磁场定向控制 (FOC) 中转差速度值的关系&#xff1a; 如果我们保持转子磁通恒定&#xff0c;并且 d 轴与转子磁通参考系对齐&am…

MFC时间获取与高精度计算

文章目录 MFC获取系统当前时间CTimeGetLocalTime 获取程序运行时间GetTickCount() MFC 获取系统当前时间 CTime CTime tm; tmCTime::GetCurrentTime();    int m_nYear tm.GetYear(); ///年 CString m_strTime tm.Format("%Y-%m-%d %H:%M:%S");GetLocalTime …