CSGO 皮肤交易平台后端 (Spring Boot) 代码结构与示例

csgo-market/
├── pom.xml (or build.gradle)
└── src/└── main/├── java/│   └── com/│       └── yourcompany/│           └── csgomarket/│               ├── CsgomarketApplication.java  # Spring Boot 启动类│               ├── config/                     # 配置类 (SecurityConfig, JacksonConfig...)│               ├── controller/                 # RESTful API 控制器│               │   ├── UserController.java│               │   ├── ListingController.java│               │   └── ...│               ├── dto/                        # 数据传输对象│               │   ├── UserDTO.java│               │   ├── ListingDTO.java│               │   ├── CreateListingDTO.java│               │   └── ...│               ├── entity/                     # JPA 实体类 (对应数据库表)│               │   ├── User.java│               │   ├── SkinDefinition.java│               │   ├── UserInventoryItem.java│               │   ├── Listing.java│               │   ├── Transaction.java│               │   └── ...│               ├── enums/                      # 枚举类型 (ListingStatus, TransactionType...)│               │   ├── ListingStatus.java│               │   └── ...│               ├── exception/                  # 自定义异常类 & 全局异常处理│               │   ├── GlobalExceptionHandler.java│               │   └── ResourceNotFoundException.java│               ├── repository/                 # Spring Data JPA Repositories│               │   ├── UserRepository.java│               │   ├── ListingRepository.java│               │   └── ...│               ├── service/                    # 业务逻辑服务接口│               │   ├── UserService.java│               │   ├── ListingService.java│               │   ├── SteamService.java  # (非常重要且复杂)│               │   └── ...│               ├── service/impl/               # 业务逻辑服务实现│               │   ├── UserServiceImpl.java│               │   ├── ListingServiceImpl.java│               │   └── ...│               └── util/                       # 工具类└── resources/├── application.properties (or application.yml) # 配置文件├── db/migration/                           # 数据库迁移脚本 (Flyway/Liquibase)└── static/                                 # 静态资源 (如果前后端不分离)└── templates/                              # 服务端模板 (如果使用 Thymeleaf 等)

1. 实体(列表.java

package com.yourcompany.csgomarket.entity;import com.yourcompany.csgomarket.enums.ListingStatus;
import jakarta.persistence.*;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.hibernate.annotations.CreationTimestamp;
import org.hibernate.annotations.UpdateTimestamp;import java.math.BigDecimal;
import java.time.LocalDateTime;@Entity
@Table(name = "listings")
@Data
@NoArgsConstructor
public class Listing {@Id@GeneratedValue(strategy = GenerationType.IDENTITY)private Long id;// Unique=true 应由业务逻辑或数据库约束保证一个 item 只有一个 active listing@OneToOne(fetch = FetchType.LAZY)@JoinColumn(name = "inventory_item_id", referencedColumnName = "id", nullable = false, unique = true)private UserInventoryItem inventoryItem;@ManyToOne(fetch = FetchType.LAZY)@JoinColumn(name = "seller_id", nullable = false)private User seller;@Column(nullable = false, precision = 15, scale = 2)private BigDecimal price;@Enumerated(EnumType.STRING)@Column(nullable = false, length = 20)private ListingStatus status = ListingStatus.ACTIVE;@CreationTimestamp@Column(nullable = false, updatable = false)private LocalDateTime createdAt;@UpdateTimestamp@Column(nullable = false)private LocalDateTime updatedAt;@Columnprivate LocalDateTime soldAt;// Constructors, Getters, Setters (Lombok handles this)
}

2. 存储库(ListingRepository.java

package com.yourcompany.csgomarket.repository;import com.yourcompany.csgomarket.entity.Listing;
import com.yourcompany.csgomarket.entity.User;
import com.yourcompany.csgomarket.enums.ListingStatus;
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.data.jpa.repository.JpaRepository;
import org.springframework.data.jpa.repository.JpaSpecificationExecutor; // For dynamic queries
import org.springframework.stereotype.Repository;import java.util.List;
import java.util.Optional;@Repository
public interface ListingRepository extends JpaRepository<Listing, Long>, JpaSpecificationExecutor<Listing> {// Find active listings by sellerPage<Listing> findBySellerAndStatus(User seller, ListingStatus status, Pageable pageable);// Find listing by inventory item ID (useful for checking duplicates)Optional<Listing> findByInventoryItemId(Long inventoryItemId);// Example using Specification for dynamic filtering/searching (needs implementation elsewhere)// Page<Listing> findAll(Specification<Listing> spec, Pageable pageable);// Find multiple listings by their IDsList<Listing> findByIdIn(List<Long> ids);
}

3. DTO(创建列表DTO.java

package com.yourcompany.csgomarket.dto;import jakarta.validation.constraints.DecimalMin;
import jakarta.validation.constraints.NotNull;
import lombok.Data;import java.math.BigDecimal;@Data
public class CreateListingDTO {@NotNull(message = "Inventory item ID cannot be null")private Long inventoryItemId;@NotNull(message = "Price cannot be null")@DecimalMin(value = "0.01", message = "Price must be greater than 0")private BigDecimal price;// Seller ID will usually be inferred from the authenticated user context
}

4. DTO(ListingDTO.java- 用于 API 响应)

package com.yourcompany.csgomarket.dto;import com.yourcompany.csgomarket.enums.ListingStatus;
import lombok.Data;import java.math.BigDecimal;
import java.time.LocalDateTime;@Data
public class ListingDTO {private Long id;private UserInventoryItemDTO inventoryItem; // Another DTO for item detailsprivate UserSummaryDTO seller; // Simplified user DTOprivate BigDecimal price;private ListingStatus status;private LocalDateTime createdAt;private LocalDateTime soldAt;
}

5. 服务接口(列表服务.java

package com.yourcompany.csgomarket.service;import com.yourcompany.csgomarket.dto.CreateListingDTO;
import com.yourcompany.csgomarket.dto.ListingDTO;
import com.yourcompany.csgomarket.entity.User; // Assuming User entity represents authenticated user
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;public interface ListingService {/*** Creates a new listing for the authenticated user.* Requires complex logic involving inventory check and potentially Steam interaction.*/ListingDTO createListing(CreateListingDTO createListingDTO, User seller);/*** Retrieves a listing by its ID.*/ListingDTO getListingById(Long id);/*** Cancels an active listing owned by the user.*/void cancelListing(Long listingId, User owner);/*** Retrieves listings based on filter criteria (complex).* This would involve dynamic query building.*/Page<ListingDTO> findListings(/* Filter criteria DTO */ Object filter, Pageable pageable);/*** Retrieves listings created by a specific user.*/Page<ListingDTO> findMyListings(User seller, Pageable pageable);// ... other methods like handling purchase, updating status etc.
}

6. 服务实施(ListingServiceImpl.java- 简化示例)

package com.yourcompany.csgomarket.service.impl;import com.yourcompany.csgomarket.dto.CreateListingDTO;
import com.yourcompany.csgomarket.dto.ListingDTO;
import com.yourcompany.csgomarket.entity.Listing;
import com.yourcompany.csgomarket.entity.User;
import com.yourcompany.csgomarket.entity.UserInventoryItem;
import com.yourcompany.csgomarket.enums.ListingStatus;
import com.yourcompany.csgomarket.enums.InventoryItemStatus; // Assuming enum exists
import com.yourcompany.csgomarket.exception.ResourceNotFoundException;
import com.yourcompany.csgomarket.exception.InvalidOperationException;
import com.yourcompany.csgomarket.repository.ListingRepository;
import com.yourcompany.csgomarket.repository.UserInventoryItemRepository;
import com.yourcompany.csgomarket.service.ListingService;
import com.yourcompany.csgomarket.service.SteamService; // Crucial dependency
import lombok.RequiredArgsConstructor;
import org.modelmapper.ModelMapper; // Or MapStruct
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;@Service
@RequiredArgsConstructor // Lombok for constructor injection
public class ListingServiceImpl implements ListingService {private final ListingRepository listingRepository;private final UserInventoryItemRepository inventoryItemRepository;private final SteamService steamService; // For inventory sync and potentially bot interactionprivate final ModelMapper modelMapper; // For DTO mapping@Override@Transactionalpublic ListingDTO createListing(CreateListingDTO createListingDTO, User seller) {// 1. Validate inventory item exists and belongs to the sellerUserInventoryItem item = inventoryItemRepository.findByIdAndUserId(createListingDTO.getInventoryItemId(), seller.getId()).orElseThrow(() -> new ResourceNotFoundException("Inventory item not found or does not belong to user"));// 2. Check if item is already listed or in an invalid stateif (item.getStatus() != InventoryItemStatus.ON_PLATFORM) { // Assuming ON_PLATFORM means ready to be listedthrow new InvalidOperationException("Item is not in a listable state (status: " + item.getStatus() + ")");}listingRepository.findByInventoryItemId(item.getId()).filter(l -> l.getStatus() == ListingStatus.ACTIVE).ifPresent(l -> { throw new InvalidOperationException("Item is already listed actively."); });// --- !! Placeholder for complex logic !! ---// 3. [Optional, depending on model] Interact with Steam Bot?//    Maybe move item to a trade bot if using a centralized model.//    This is highly complex and error-prone.//    boolean botTransferSuccess = steamService.requestItemTransferToBot(item.getAssetId(), seller.getTradeOfferUrl());//    if (!botTransferSuccess) { throw new RuntimeException("Failed to transfer item to bot"); }// --- End Placeholder ---// 4. Create and save the listing entityListing newListing = new Listing();newListing.setInventoryItem(item);newListing.setSeller(seller);newListing.setPrice(createListingDTO.getPrice());newListing.setStatus(ListingStatus.ACTIVE); // Set initial statusListing savedListing = listingRepository.save(newListing);// 5. Update inventory item statusitem.setStatus(InventoryItemStatus.LISTED);inventoryItemRepository.save(item);// 6. Map to DTO and returnreturn convertToListingDTO(savedListing);}@Overridepublic ListingDTO getListingById(Long id) {Listing listing = listingRepository.findById(id).orElseThrow(() -> new ResourceNotFoundException("Listing not found with id: " + id));return convertToListingDTO(listing);}@Override@Transactionalpublic void cancelListing(Long listingId, User owner) {Listing listing = listingRepository.findById(listingId).orElseThrow(() -> new ResourceNotFoundException("Listing not found with id: " + listingId));if (!listing.getSeller().getId().equals(owner.getId())) {throw new InvalidOperationException("User is not the owner of this listing.");}if (listing.getStatus() != ListingStatus.ACTIVE) {throw new InvalidOperationException("Only active listings can be cancelled.");}// --- !! Placeholder for complex logic !! ---// [Optional, depending on model] Interact with Steam Bot?// If item was transferred to a bot, initiate return transfer.// boolean returnSuccess = steamService.requestItemReturnFromBot(listing.getInventoryItem().getAssetId(), owner.getTradeOfferUrl());// if (!returnSuccess) { throw new RuntimeException("Failed to return item from bot"); }// --- End Placeholder ---listing.setStatus(ListingStatus.CANCELLED);listingRepository.save(listing);// Update inventory item status backUserInventoryItem item = listing.getInventoryItem();item.setStatus(InventoryItemStatus.ON_PLATFORM); // Or back to IN_STEAM if returnedinventoryItemRepository.save(item);}@Overridepublic Page<ListingDTO> findMyListings(User seller, Pageable pageable) {Page<Listing> listingsPage = listingRepository.findBySellerAndStatus(seller, ListingStatus.ACTIVE, pageable); // Example: find only activereturn listingsPage.map(this::convertToListingDTO);}// Implement findListings with SpecificationExecutor for filtering// --- Helper Method for DTO Conversion ---private ListingDTO convertToListingDTO(Listing listing) {ListingDTO dto = modelMapper.map(listing, ListingDTO.class);// Manual mapping or configuration for nested DTOs might be needed// dto.setInventoryItem(modelMapper.map(listing.getInventoryItem(), UserInventoryItemDTO.class));// dto.setSeller(modelMapper.map(listing.getSeller(), UserSummaryDTO.class));// Handle potential lazy loading issues if necessarydto.setInventoryItem(mapInventoryItem(listing.getInventoryItem())); // Example manual mapdto.setSeller(mapUserSummary(listing.getSeller())); // Example manual mapreturn dto;}// Example manual mapping helpers (replace with ModelMapper/MapStruct config)private UserInventoryItemDTO mapInventoryItem(UserInventoryItem item) {if (item == null) return null;UserInventoryItemDTO dto = new UserInventoryItemDTO();// ... map fields ...dto.setId(item.getId());// Make sure SkinDefinition is loaded or handle proxyif (item.getSkinDefinition() != null) {dto.setMarketHashName(item.getSkinDefinition().getMarketHashName());dto.setName(item.getSkinDefinition().getName());dto.setIconUrl(item.getSkinDefinition().getIconUrl());// ... other definition fields}dto.setWearFloat(item.getWearFloat());// ... etc. ...return dto;}private UserSummaryDTO mapUserSummary(User user) {if (user == null) return null;UserSummaryDTO dto = new UserSummaryDTO();dto.setSteamId(user.getSteamId());dto.setPlatformUsername(user.getPlatformUsername());dto.setAvatarUrl(user.getAvatarUrl());return dto;}
}

7. 控制器(列表控制器.java

package com.yourcompany.csgomarket.controller;import com.yourcompany.csgomarket.dto.CreateListingDTO;
import com.yourcompany.csgomarket.dto.ListingDTO;
import com.yourcompany.csgomarket.entity.User; // Assume this comes from Security Context
import com.yourcompany.csgomarket.service.ListingService;
import jakarta.validation.Valid;
import lombok.RequiredArgsConstructor;
import org.springframework.data.domain.Page;
import org.springframework.data.domain.Pageable;
import org.springframework.data.web.PageableDefault;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
// import org.springframework.security.core.annotation.AuthenticationPrincipal; // For getting User
import org.springframework.web.bind.annotation.*;@RestController
@RequestMapping("/api/listings")
@RequiredArgsConstructor
public class ListingController {private final ListingService listingService;// --- Public Endpoints ---@GetMapping("/{id}")public ResponseEntity<ListingDTO> getListingById(@PathVariable Long id) {ListingDTO listing = listingService.getListingById(id);return ResponseEntity.ok(listing);}@GetMappingpublic ResponseEntity<Page<ListingDTO>> searchListings(/* @RequestParam Map<String, String> filters, // Or specific DTO for filters */@PageableDefault(size = 20, sort = "createdAt") Pageable pageable) {// Page<ListingDTO> listings = listingService.findListings(filters, pageable);// return ResponseEntity.ok(listings);// Simplified placeholder:return ResponseEntity.ok(Page.empty(pageable)); // Replace with actual implementation}// --- Authenticated Endpoints ---@PostMappingpublic ResponseEntity<ListingDTO> createListing(@Valid @RequestBody CreateListingDTO createListingDTO //,/* @AuthenticationPrincipal User currentUser */) { // Inject authenticated user// !! Replace null with actual authenticated user !!User currentUser = getCurrentAuthenticatedUserPlaceholder();if (currentUser == null) return ResponseEntity.status(HttpStatus.UNAUTHORIZED).build();ListingDTO createdListing = listingService.createListing(createListingDTO, currentUser);return ResponseEntity.status(HttpStatus.CREATED).body(createdListing);}@GetMapping("/my")public ResponseEntity<Page<ListingDTO>> getMyListings(/* @AuthenticationPrincipal User currentUser, */@PageableDefault(size = 10) Pageable pageable) {// !! Replace null with actual authenticated user !!User currentUser = getCurrentAuthenticatedUserPlaceholder();if (currentUser == null) return ResponseEntity.status(HttpStatus.UNAUTHORIZED).build();Page<ListingDTO> myListings = listingService.findMyListings(currentUser, pageable);return ResponseEntity.ok(myListings);}@DeleteMapping("/{id}")public ResponseEntity<Void> cancelMyListing(@PathVariable Long id //,/* @AuthenticationPrincipal User currentUser */) {// !! Replace null with actual authenticated user !!User currentUser = getCurrentAuthenticatedUserPlaceholder();if (currentUser == null) return ResponseEntity.status(HttpStatus.UNAUTHORIZED).build();listingService.cancelListing(id, currentUser);return ResponseEntity.noContent().build();}// --- Placeholder for getting authenticated user ---// Replace this with actual Spring Security integration (@AuthenticationPrincipal)private User getCurrentAuthenticatedUserPlaceholder() {// In real app, get this from SecurityContextHolder or @AuthenticationPrincipalUser user = new User();user.setId(1L); // Example IDuser.setSteamId("76561198000000001"); // Example Steam IDreturn user;}
}

前端 (Vue 3 + Pinia + Axios + Element Plus) 代码结构与示例

csgo-market-ui/
├── public/
├── src/
│   ├── assets/         # 静态资源 (CSS, images)
│   ├── components/     # 可复用 UI 组件
│   │   ├── SkinCard.vue
│   │   ├── ListingForm.vue
│   │   └── ...
│   ├── layouts/        # 页面布局 (DefaultLayout.vue)
│   ├── pages/ (or views/) # 页面级组件
│   │   ├── HomePage.vue
│   │   ├── MarketplacePage.vue
│   │   ├── ItemDetailPage.vue
│   │   ├── UserProfilePage.vue
│   │   ├── MyListingsPage.vue
│   │   └── LoginPage.vue
│   ├── plugins/        # Vue 插件 (axios, element-plus)
│   ├── router/         # Vue Router 配置
│   │   └── index.js
│   ├── services/ (or api/) # API 请求封装
│   │   ├── axiosInstance.js
│   │   ├── listingService.js
│   │   ├── userService.js
│   │   └── authService.js
│   ├── stores/         # Pinia 状态管理
│   │   ├── authStore.js
│   │   └── userStore.js
│   ├── App.vue         # 根组件
│   └── main.js         # 入口文件
├── index.html
├── vite.config.js (or vue.config.js)
└── package.json

1. API 服务(服务/listingService.js

import axiosInstance from './axiosInstance'; // Your configured axios instanceconst API_URL = '/listings'; // Base URL relative to backendexport const listingService = {getListingById(id) {return axiosInstance.get(`${API_URL}/${id}`);},searchListings(params) {// params could include page, size, sort, filtersreturn axiosInstance.get(API_URL, { params });},createListing(createListingDTO) {return axiosInstance.post(API_URL, createListingDTO);},getMyListings(params) {// params could include page, sizereturn axiosInstance.get(`${API_URL}/my`, { params });},cancelMyListing(id) {return axiosInstance.delete(`${API_URL}/${id}`);}
};

2. Pinia 商店 (商店/authStore.js

import { defineStore } from 'pinia';
import { ref } from 'vue';
// import { authService } from '@/services/authService'; // Your auth serviceexport const useAuthStore = defineStore('auth', () => {const isAuthenticated = ref(false);const user = ref(null); // Store basic user info like ID, steamId, usernameconst token = ref(localStorage.getItem('authToken') || null); // Example token storage// Setup axios interceptor to add token to headers// ...async function loginWithSteam() {// 1. Redirect user to backend Steam login endpoint//    window.location.href = '/api/auth/steam'; // Example backend endpoint// 2. After successful redirect back from Steam & backend://    Backend should provide a token (e.g., JWT)//    This function might be called on the redirect callback page// await fetchUserAndTokenAfterRedirect();console.warn("Steam Login logic needs implementation!");// Placeholder:isAuthenticated.value = true;user.value = { id: 1, steamId: '7656...', platformUsername: 'DemoUser' };token.value = 'fake-jwt-token';localStorage.setItem('authToken', token.value);// Setup axios header with token.value}function logout() {isAuthenticated.value = false;user.value = null;token.value = null;localStorage.removeItem('authToken');// Remove token from axios headers// Redirect to login page or home page}// async function fetchUserAndTokenAfterRedirect() { /* ... */ }return { isAuthenticated, user, token, loginWithSteam, logout };
});

3. 页面组件(页面/MyListingsPage.vue

<template><div class="my-listings-page"><h1>My Active Listings</h1><el-button @click="fetchListings" :loading="loading" type="primary" plain>Refresh</el-button><el-table :data="listings" style="width: 100%" v-loading="loading" empty-text="No active listings found"><el-table-column label="Item"><template #default="scope"><div style="display: flex; align-items: center;"><el-imagestyle="width: 50px; height: 50px; margin-right: 10px;":src="scope.row.inventoryItem?.iconUrl || defaultImage"fit="contain"/><span>{{ scope.row.inventoryItem?.name || 'N/A' }}</span></div></template></el-table-column><el-table-column prop="inventoryItem.wearFloat" label="Wear" :formatter="formatWear" /><el-table-column prop="price" label="Price"><template #default="scope">¥{{ scope.row.price?.toFixed(2) }}</template></el-table-column><el-table-column prop="createdAt" label="Listed At"><template #default="scope">{{ formatDate(scope.row.createdAt) }}</template></el-table-column><el-table-column label="Actions"><template #default="scope"><el-buttonsize="small"type="danger"@click="handleCancel(scope.row.id)":loading="cancellingId === scope.row.id">Cancel</el-button></template></el-table-column></el-table><el-paginationv-if="total > 0"backgroundlayout="prev, pager, next, sizes, total":total="total":page-sizes="[10, 20, 50]"v-model:current-page="currentPage"v-model:page-size="pageSize"@size-change="handleSizeChange"@current-change="handleCurrentChange"style="margin-top: 20px; justify-content: flex-end;"/></div>
</template><script setup>
import { ref, onMounted, watch } from 'vue';
import { listingService } from '@/services/listingService';
import { ElMessage, ElMessageBox } from 'element-plus';
import defaultImage from '@/assets/placeholder.png'; // Placeholder imageconst listings = ref([]);
const loading = ref(false);
const cancellingId = ref(null);
const total = ref(0);
const currentPage = ref(1);
const pageSize = ref(10);async function fetchListings() {loading.value = true;try {const params = {page: currentPage.value - 1, // Spring Pageable is 0-indexedsize: pageSize.value,// sort: 'createdAt,desc' // Example sort};const response = await listingService.getMyListings(params);listings.value = response.data.content; // Assuming Spring Page<> structuretotal.value = response.data.totalElements;} catch (error) {console.error("Error fetching listings:", error);ElMessage.error('Failed to load listings.');listings.value = []; // Clear on errortotal.value = 0;} finally {loading.value = false;}
}async function handleCancel(id) {await ElMessageBox.confirm('Are you sure you want to cancel this listing?','Warning',{confirmButtonText: 'Yes, Cancel',cancelButtonText: 'No',type: 'warning',}).then(async () => {cancellingId.value = id;try {await listingService.cancelMyListing(id);ElMessage.success('Listing cancelled successfully.');// Refresh the list after cancellingfetchListings();} catch (error) {console.error("Error cancelling listing:", error);ElMessage.error(error.response?.data?.message || 'Failed to cancel listing.');} finally {cancellingId.value = null;}}).catch(() => {// User cancelled the confirmation dialogElMessage.info('Cancellation aborted');});}function handleSizeChange(val) {pageSize.value = val;currentPage.value = 1; // Reset to first page when size changesfetchListings();
}function handleCurrentChange(val) {currentPage.value = val;fetchListings();
}// Formatters
function formatWear(row, column, cellValue) {return cellValue ? cellValue.toFixed(6) : 'N/A'; // Example formatting
}function formatDate(dateString) {if (!dateString) return 'N/A';try {return new Date(dateString).toLocaleString();} catch (e) {return dateString; // Fallback}
}onMounted(() => {fetchListings();
});// Optional: Watch for page/size changes if needed elsewhere
// watch([currentPage, pageSize], fetchListings);</script><style scoped>
.my-listings-page {padding: 20px;
}
/* Add more specific styles */
</style>

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

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

相关文章

mac Python多版本第三方库的安装路径

终端查看python版本是 3.12&#xff0c;但是pycharm使用的python版本是 3.9 终端正常安装包以后&#xff0c;pycharm都可以正常使用&#xff0c;但是将 pycharm的python换成 3.12 版本&#xff0c;之前安装的库都没有了 通过终端查看安装库的位置&#xff0c;确实是安装到py…

Java常用异步方式总结

使用建议 完整代码见https://gitee.com/pinetree-cpu/parent-demon 提供了postMan调试json文件于security-demo/src/main/resources/test_file/java-async.postman_collection.json 可导入postMan中进行调试 Java异步方式以及使用场景 继承Thread类 新建三个类继承Thread&…

【VUE3】Pinia

目录 0前言 1 手动添加Pinia 2 创建与使用仓库&#xff08;Setup Store 组合式&#xff09; 2.1 创建仓库 2.2 使用仓库数据 2.3 解构响应式数据 3 持久化插件 0前言 官网&#xff1a;Pinia | The intuitive store for Vue.js 1 手动添加Pinia 上手之后&#xff0c;可…

JVM 每个区域分别存储什么数据?

JVM&#xff08;Java Virtual Machine&#xff09;的运行时数据区&#xff08;Runtime Data Areas&#xff09;被划分为几个不同的区域&#xff0c;每个区域都有其特定的用途和存储的数据类型。以下是 JVM 各个区域存储数据的详细说明&#xff1a; 1. 程序计数器 (Program Cou…

C++中shared_ptr 是线程安全的吗?

在 C 中&#xff0c;shared_ptr 的线程安全性和实现原理可以通过以下方式通俗理解&#xff1a; 1. shared_ptr 是线程安全的吗&#xff1f; 答案&#xff1a;部分安全&#xff0c;需分场景&#xff01; 安全的操作&#xff1a; 引用计数的增减&#xff1a;多个线程同时复制或销…

什么是 CSSD?

文章目录 一、什么是 CSSD&#xff1f;CSSD 的职责 二、CSSD 是如何工作的&#xff1f;三、CSSD 为什么会重启节点&#xff1f;情况一&#xff1a;网络和存储都断联&#xff08;失联&#xff09;情况二&#xff1a;收到其他节点对自己的踢出通知&#xff08;外部 fencing&#…

arm64平台下linux访问寄存器

通用寄存器 示例&#xff1a;读取寄存器值 // 用户态程序或内核代码中均可使用 unsigned long reg_value; asm volatile ("mov %0, x10" // 将X10的值保存到reg_value变量: "r" (reg_value) ); printk("X10 0x%lx\n", reg_value);示例&…

超级好用的小软件,连接电脑和手机。

将手机变成电脑摄像头的高效工具Iriun Webcam是一款多平台软件&#xff0c;能够将手机摄像头变成电脑的摄像头&#xff0c;通过简单的设置即可实现视频会议、直播、录制等功能。它支持Windows、Mac和Linux系统&#xff0c;同时兼容iOS和Android手机&#xff0c;操作简单&#x…

Mysql MIC高可用集群搭建

1、介绍 MySQL InnoDB Cluster&#xff08;MIC&#xff09;是基于 MySQL Group Replication&#xff08;MGR&#xff09;的高可用性解决方案&#xff0c;结合 MySQL Shell 和 MySQL Router&#xff0c;提供自动故障转移和读写分离功能&#xff0c;非常适合生产环境 2、部署 …

PERL开发环境搭建>>Windows,Linux,Mac OS

特点 简单 快速 perl解释器直接对源代码程序解释执行,是一个解释性的语言, 不需要编译器和链接器来运行代码>>速度快 灵活 借鉴了C/C, Basic, Pascal, awk, sed等多种语言, 定位于实用性语言,既具备了脚本语言的所有功能,也添加了高级语言功能 开源.免费 没有&qu…

ubuntu改用户权限

在 Linux 系统中&#xff0c;赋予普通用户 sudo 权限可以让他们执行一些需要 root 权限的命令&#xff0c;而不需要频繁切换到 root 用户。以下是具体步骤&#xff1a; 创建用户(useradd和adduser两种方式) 首先&#xff0c;需要创建一个新的用户。可以使用 adduser 或 usera…

蓝桥杯 web 学海无涯(axios、ecahrts)版本二

答案&#xff1a; // TODO: 待补充代码// 初始化图表的数据&#xff0c;设置周视图的初始数据 option.series[0].data [180, 274, 253, 324, 277, 240, 332, 378, 101]; // 周数据&#xff08;每周的总学习时长&#xff09; option.xAxis.data ["2月第1周", "…

Java 大视界 -- Java 大数据在智慧文旅虚拟场景构建与沉浸式体验增强中的技术支撑(168)

&#x1f496;亲爱的朋友们&#xff0c;热烈欢迎来到 青云交的博客&#xff01;能与诸位在此相逢&#xff0c;我倍感荣幸。在这飞速更迭的时代&#xff0c;我们都渴望一方心灵净土&#xff0c;而 我的博客 正是这样温暖的所在。这里为你呈上趣味与实用兼具的知识&#xff0c;也…

API vs 网页抓取:获取数据的最佳方式

引言 在当今数字化时代&#xff0c;对于企业、研究人员以及开发人员而言&#xff0c;获取准确且及时的数据是大多数项目成功的关键因素。目前&#xff0c;收集网页数据主要有两种常用方法&#xff0c;即使用 API&#xff08;应用程序接口&#xff09;和网页抓取。然而&#xf…

车载以太网网络测试-25【SOME/IP-报文格式-1】

目录 1 摘要2 SOME/IP-报文格式2.1 **Service ID / 16 bits**2.2 **Method ID / Event ID / 16 bits**2.3 **Length / 32 bits**2.4 **Client ID / 16 bits**2.5 Session ID / 16 bits2.6 Protocol Version / 8 bits2.7 Interface Version / 8 bits2.8 Message Type / 8 bits2.…

Python数据可视化-第3章-图表辅助元素的定制

环境 开发工具 VSCode库的版本 numpy1.26.4 matplotlib3.10.1 ipympl0.9.7教材 本书为《Python数据可视化》一书的配套内容&#xff0c;本章为第3章-图表辅助元素的定制 本章主要介绍了图表辅助元素的定制&#xff0c;包括认识常用的辅助元素、设置坐标轴的标签、设置刻度范…

小程序30-wxml语法-声明和绑定数据

小程序页面中使用的数据均需要在Page() 方法的 data对象中进行声明定义 在将数据声明好以后&#xff0c;在 WXML 使用 Mustache 语法 ( 双大括号{{ }} ) 将变量包起来&#xff0c;从而将数据绑定 在 {{ }} 内部可以做一些简单的运算&#xff0c;支持如下几种方式: 算数运算三…

ubuntu开启黑屏现象解决

文章目录 前言一、问题描述二、解决方案1. 检查显卡驱动解决步骤&#xff1a; 2. 修复 GRUB 配置解决步骤&#xff1a; 3. 使用恢复模式解决步骤&#xff1a; 三、验证与总结 前言 在使用 Ubuntu 操作系统时&#xff0c;一些用户可能会遇到开机后屏幕黑屏的现象。这种问题可能…

Modbus TCP转Profibus DP网关接防撞雷达与PLC通讯

Modbus TCP转Profibus DP网关接防撞雷达与PLC通讯 在工业自动化领域&#xff0c;通信协议的多样性既是技术进步的体现&#xff0c;也给系统集成带来了挑战。Modbus TCP和Profibus DP是两种广泛应用于不同场景下的通信标准&#xff0c;它们各有优势但也存在着互操作性的需求。本…

分布式锁方案-Redisson

分布式锁&#xff1a;Redisson还实现了Redis文档中提到像分布式锁Lock这样的更高阶应用场景。事实上Redisson并没有不止步于此&#xff0c;在分布式锁的基础上还提供了联锁&#xff08;MultiLock&#xff09;&#xff0c;读写锁&#xff08;ReadWriteLock&#xff09;&#xff…