MinIO整合SpringBoot实现获取文件夹目录结构及文件内容

文章目录

Minio环境安装

见上一篇博客:https://blog.csdn.net/qq_45480682/article/details/145864145

获取文件夹目录结构

注意这里只返回当前文件夹下的目录结构,不递归返回全部的目录结构(开销大)

1. 代码实现

  • 传入的folderPath如果为空字符串,即返回根目录下的目录结构
java 复制代码
@Slf4j
@Service
public class MinioService {
  @Autowired
  private MinioClient minioClient;

  @Value("${MINIO_FILE_EXTRACTED_PREFIX}")
  private String minioPrefix;

	/**
   * 获取目录树结构.
   */
  public List<Map<String, Object>> listFolderStructure(String bucketName, String folderPath) {
    List<Map<String, Object>> result = new ArrayList<>();
    
    try {
        // 确保文件夹路径以斜杠结尾
        if (!folderPath.isEmpty() && !folderPath.endsWith("/")) {
            folderPath += "/";
        }

        ListObjectsArgs args = ListObjectsArgs.builder()
                .bucket(bucketName)
                .prefix(folderPath)
                .recursive(false) // 不递归获取子目录
                .delimiter("/")   // 使用斜杠作为分隔符
                .build();

        Iterable<Result<Item>> objects = minioClient.listObjects(args);
        
        for (Result<Item> resultItem : objects) {
            Item item = resultItem.get();
            Map<String, Object> itemInfo = new LinkedHashMap<>();
            
            String objectName = item.objectName();
            
            if (item.isDir()) {
                // 处理目录
                itemInfo.put("name", extractNameFromPath(objectName, folderPath));
                itemInfo.put("type", "directory");
                itemInfo.put("size", null);
                itemInfo.put("path", objectName);
            } else {
                // 处理文件
                itemInfo.put("name", extractNameFromPath(objectName, folderPath));
                itemInfo.put("type", "file");
                itemInfo.put("size", item.size());
                itemInfo.put("path", objectName);
            }
            
            result.add(itemInfo);
        }
    } catch (Exception e) {
        e.printStackTrace();
        // 或者抛出自定义异常
        // throw new RuntimeException("Failed to list folder structure: " + e.getMessage(), e);
    }
    
    return result;
  }

  private String extractNameFromPath(String fullPath, String basePath) {
    if (fullPath == null) {
      return "";
    }

    // 如果是目录,去掉结尾的斜杠
    String path = fullPath.endsWith("/")
        ? fullPath.substring(0, fullPath.length() - 1) : fullPath;

    // 如果指定了基础路径,从完整路径中移除基础路径
    if (basePath != null && !basePath.isEmpty() && path.startsWith(basePath)) {
      path = path.substring(basePath.length());
    }

    // 获取最后一部分作为名称
    int lastSlashIndex = path.lastIndexOf("/");
    return lastSlashIndex >= 0 ? path.substring(lastSlashIndex + 1) : path;
  }
}

2. 效果

  • 示例1:
json 复制代码
// 调用方法
List<Map<String, Object>> result = listFolderStructure("my-bucket", "");

// 返回结果:
[
  {
    "name": "documents",
    "type": "directory",
    "size": null,
    "path": "documents/"
  },
  {
    "name": "images",
    "type": "directory",
    "size": null,
    "path": "images/"
  },
  {
    "name": "config.json",
    "type": "file",
    "size": 2048,
    "path": "config.json"
  },
  {
    "name": "README.md",
    "type": "file",
    "size": 1024,
    "path": "README.md"
  }
]
  • 示例2:
json 复制代码
// 调用方法
List<Map<String, Object>> result = listFolderStructure("my-bucket", "documents/projects/");

// 返回结果:
[
  {
    "name": "project-a",
    "type": "directory",
    "size": null,
    "path": "documents/projects/project-a/"
  },
  {
    "name": "project-b",
    "type": "directory",
    "size": null,
    "path": "documents/projects/project-b/"
  },
  {
    "name": "requirements.docx",
    "type": "file",
    "size": 15360,
    "path": "documents/projects/requirements.docx"
  },
  {
    "name": "timeline.xlsx",
    "type": "file",
    "size": 8704,
    "path": "documents/projects/timeline.xlsx"
  }
]

获取文件内容

1. 代码实现

java 复制代码
public String getFileContentAsString(String bucketName, String objectName) {
	try {
      //获取文件信息
      StatObjectResponse stat = minioClient.statObject(
          StatObjectArgs.builder()
            .bucket(bucketName)
            .object(objectName)
            .build()
      );

      //获取文件内容
      GetObjectArgs args = GetObjectArgs.builder()
          .bucket(bucketName)
          .object(objectName)
          .build();
      InputStream stream = minioClient.getObject(args);
      String content = IOUtils.toString(stream, StandardCharsets.UTF_8);

      FileContent result = FileContent.builder()
          .content(content)
          .path(path)
          .fileSize(stat.size())
          .etag(stat.etag())
          .lastModified(stat.lastModified().toLocalDateTime())
          .build();

      return R.ok(result);

    } catch (Exception e) {
      throw new BusinessException(ErrorCode.MINIO_FILE_READ_ERROR, e.getMessage());
    }
}
java 复制代码
@Data
@AllArgsConstructor
@NoArgsConstructor
@Builder
public class FileContent {

  private String path;
  private long fileSize;
  private LocalDateTime lastModified;
  private String content;
  private String etag;

}

2. 效果

json 复制代码
//调用
String result = getFileContentAsString("mybucket", "v0.99.0/README.md");
{
    "path": "v0.99.0/README.md",
    "fileSize": 18209,
    "lastModified": "2025-12-16T07:21:54",
    "content": "Google Cloud Client Library for Java\n====================================\n\nJava idiomatic client for [Google Cloud Platform][cloud-platform] services.\n\n[![Kokoro CI](http://storage.googleapis.com/cloud-devrel-public/java/badges/google-cloud-java/master.svg)](http://storage.googleapis.com/cloud-devrel-public/java/badges/google-cloud-java/master.html)\n[![Maven](https://img.shields.io/maven-central/v/com.google.cloud/google-cloud-bom.svg)](https://search.maven.org/search?q=g:com.google.cloud%20a:google-cloud-bom)\n[![Codacy Badge](https://api.codacy.com/project/badge/grade/9da006ad7c3a4fe1abd142e77c003917)](https://www.codacy.com/app/mziccard/google-cloud-java)\n\n- [Google Cloud Platform Documentation][cloud-platform-docs]\n- [Client Library Documentation][client-lib-docs]\n\nThis library supports the following Google Cloud Platform services with clients at a [GA](#versioning) quality level:\n-  [BigQuery](google-cloud-clients/google-cloud-bigquery) (GA)\n-  [Cloud Datastore](google-cloud-clients/google-cloud-datastore) (GA)\n-  [Cloud Firestore](google-cloud-clients/google-cloud-firestore) (GA)\n-  [Cloud KMS](google-cloud-clients/google-cloud-kms) (GA)\n-  [Cloud Natural Language](google-cloud-clients/google-cloud-language) (GA)\n-  [Cloud Pub/Sub](google-cloud-clients/google-cloud-pubsub) (GA)\n-  [Cloud Scheduler](google-cloud-clients/google-cloud-scheduler) (GA)\n-  [Cloud Spanner](google-cloud-clients/google-cloud-spanner) (GA)\n-  [Cloud Speech](google-cloud-clients/google-cloud-speech) (GA)\n-  [Cloud Storage](google-cloud-clients/google-cloud-storage) (GA)\n-  [Cloud Translation](google-cloud-clients/google-cloud-translate) (GA)\n-  [Cloud Tasks](google-cloud-clients/google-cloud-tasks) (GA)\n-  [Cloud Vision](google-cloud-clients/google-cloud-vision) (GA)\n-  [Stackdriver Logging](google-cloud-clients/google-cloud-logging) (GA)\n-  [Stackdriver Monitoring](google-cloud-clients/google-cloud-monitoring) (GA)\n\nThis library supports the following Google Cloud Platform services with clients at a [Beta](#versioning) quality level:\n\n-  [BigQuery Data Transfer](google-cloud-clients/google-cloud-bigquerydatatransfer) (Beta)\n-  [Cloud Asset](google-cloud-clients/google-cloud-asset) (Beta)\n-  [Cloud AutoML](google-cloud-clients/google-cloud-automl) (Beta)\n-  [Cloud Bigtable](google-cloud-clients/google-cloud-bigtable) (Beta)\n-  [Cloud Container Analysis](google-cloud-clients/google-cloud-containeranalysis) (Beta)\n-  [Cloud Data Loss Prevention](google-cloud-clients/google-cloud-dlp) (Beta)\n-  [Cloud IoT Core](google-cloud-clients/google-cloud-iot) (Beta)\n-  [Cloud Phishing Protection](google-cloud-clients/google-cloud-phishingprotection) (Beta)\n-  [Cloud Security Scanner](google-cloud-clients/google-cloud-websecurityscanner) (Beta)\n-  [Cloud Talent Solution](google-cloud-clients/google-cloud-talent) (Beta)\n-  [Cloud Text-to-Speech](google-cloud-clients/google-cloud-texttospeech) (Beta)\n-  [Cloud Video Intelligence](google-cloud-clients/google-cloud-video-intelligence) (Beta)\n-  [Kubernetes Engine](google-cloud-clients/google-cloud-container) (Beta)\n-  [reCAPTCHA Enterprise](google-cloud-clients/google-cloud-recaptchaenterprise) (Beta)\n-  [Stackdriver Error Reporting](google-cloud-clients/google-cloud-errorreporting) (Beta)\n-  [Stackdriver Trace](google-cloud-clients/google-cloud-trace) (Beta)\n\nThis library supports the following Google Cloud Platform services with clients at an [Alpha](#versioning) quality level:\n\n-  [BigQuery Storage](google-cloud-clients/google-cloud-bigquerystorage) (Alpha)\n-  [Cloud Compute](google-cloud-clients/google-cloud-compute) (Alpha)\n-  [Cloud Data Catalog](google-cloud-clients/google-cloud-datacatalog) (Alpha)\n-  [Cloud Data Labeling](google-cloud-clients/google-cloud-datalabeling) (Alpha)\n-  [Cloud Dataproc](google-cloud-clients/google-cloud-dataproc) (Alpha)\n-  [Cloud DNS](google-cloud-clients/google-cloud-dns) (Alpha)\n-  [Cloud IAM Service Account Credentials API](google-cloud-clients/google-cloud-iamcredentials) (Alpha)\n-  [Cloud OS Login](google-cloud-clients/google-cloud-os-login) (Alpha)\n-  [Cloud Memorystore for Redis](google-cloud-clients/google-cloud-redis) (Alpha)\n-  [Cloud Resource Manager](google-cloud-clients/google-cloud-resourcemanager) (Alpha)\n-  [Cloud Web Risk](google-cloud-clients/google-cloud-webrisk) (Alpha)\n-  [Dialogflow](google-cloud-clients/google-cloud-dialogflow) (Alpha)\n\nQuickstart\n----------\n\nTo call any of the supported Google Cloud Services simply add a corresponding client library \nartifact as a dependency to your project. The following instructions use `google-cloud-storage` \nas an example (specific instructions can be found in the README of each client).\n\n[//]: # ({x-version-update-start:google-cloud-bom:released})\nIf you are using Maven, add this to your pom.xml file\n```xml\n  <dependencyManagement>\n    <dependencies>\n      <dependency>\n        <groupId>com.google.cloud</groupId>\n        <artifactId>google-cloud-bom</artifactId>\n        <version>0.99.0-alpha</version>\n        <type>pom</type>\n        <scope>import</scope>\n       </dependency>\n     </dependencies>\n  </dependencyManagement>\n\n  <dependencies>\n    <dependency>\n      <groupId>com.google.cloud</groupId>\n      <artifactId>google-cloud-storage</artifactId>\n    </dependency>\n    ...\n```\n[//]: # ({x-version-update-end})\n\n[//]: # ({x-version-update-start:google-cloud-storage:released})\nIf you are using Gradle, add this to your dependencies\n```Groovy\ncompile 'com.google.cloud:google-cloud-storage:1.81.0'\n```\nIf you are using SBT, add this to your dependencies\n```Scala\nlibraryDependencies += \"com.google.cloud\" % \"google-cloud-storage\" % \"1.81.0\"\n```\n[//]: # ({x-version-update-end})\n\nIf you're using IntelliJ or Eclipse, you can add client libraries to your project using these IDE plugins:\n* [Cloud Tools for IntelliJ](https://cloud.google.com/tools/intellij/docs/client-libraries?utm_source=github&utm_medium=google-cloud-java&utm_campaign=ToolsforIntelliJ)\n* [Cloud Tools for Eclipse](https://cloud.google.com/eclipse/docs/libraries?utm_source=github&utm_medium=google-cloud-java&utm_campaign=ToolsforEclipse)\n\nBesides adding client libraries, the plugins provide additional functionality, such as service account key management. Refer to the documentation for each plugin for more details.\n\nThese client libraries can be used on App Engine standard for Java 8 runtime and App Engine flexible (including the Compat runtime).  Most of the libraries do not work on the App Engine standard for Java 7 runtime. However, Datastore, Storage, and Bigquery should work.\n\nIf you are running into problems with version conflicts, the easiest way to solve the conflicts is to use google-cloud's BOM. In Maven, add the following to your POM:\n\n[//]: # ({x-version-update-start:google-cloud-bom:released})\n```xml\n  <dependencyManagement>\n    <dependencies>\n      <dependency>\n        <groupId>com.google.cloud</groupId>\n        <artifactId>google-cloud-bom</artifactId>\n        <version>0.99.0-alpha</version>\n        <type>pom</type>\n        <scope>import</scope>\n      </dependency>\n    </dependencies>\n  </dependencyManagement>\n```\n[//]: # ({x-version-update-end})\n\nNote that the BOM is only available starting at version 0.32.0-alpha. For prior versions, refer to [Old Version Combinations](#old-version-combinations) to make sure that your versions are compatible.\n\nSpecifying a Project ID\n-----------------------\n\nMost `google-cloud` libraries require a project ID.  There are multiple ways to specify this project ID.\n\n1. When using `google-cloud` libraries from within Compute/App Engine, there's no need to specify a project ID.  It is automatically inferred from the production environment.\n2. When using `google-cloud` elsewhere, you can do one of the following:\n  * Supply the project ID when building the service options.  For example, to use Datastore from a project with ID \"PROJECT_ID\", you can write:\n\n  ```java\n  Datastore datastore = DatastoreOptions.newBuilder().setProjectId(\"PROJECT_ID\").build().getService();\n  ```\n  * Specify the environment variable `GOOGLE_CLOUD_PROJECT` to be your desired project ID.\n  * Set the project ID using the [Google Cloud SDK](https://cloud.google.com/sdk/?hl=en).  To use the SDK, [download the SDK](https://cloud.google.com/sdk/?hl=en) if you haven't already, and set the project ID from the command line.  For example:\n\n  ```\n  gcloud config set project PROJECT_ID\n  ```\n\n`google-cloud` determines the project ID from the following sources in the listed order, stopping once it finds a value:\n\n1. The project ID supplied when building the service options\n2. Project ID specified by the environment variable `GOOGLE_CLOUD_PROJECT`\n3. The App Engine / Compute Engine project ID\n4. The project ID specified in the JSON credentials file pointed by the `GOOGLE_APPLICATION_CREDENTIALS` environment variable\n5. The Google Cloud SDK project ID\n\nIn cases where the library may expect a project ID explicitly, we provide a helper that can provide the inferred project ID:\n   ```java\n     import com.google.cloud.ServiceOptions;\n     ...\n     String projectId = ServiceOptions.getDefaultProjectId();\n   ```\n\nAuthentication\n--------------\n\n`google-cloud-java` uses\n[https://github.com/google/google-auth-library-java](https://github.com/google/google-auth-library-java)\nto authenticate requests. `google-auth-library-java` supports a wide range of authentication types;\nsee the project's [README](https://github.com/google/google-auth-library-java/blob/master/README.md)\nand [javadoc](http://google.github.io/google-auth-library-java/releases/0.6.0/apidocs/) for more\ndetails.\n\nTo access Google Cloud services, you first need to ensure that the necessary Google Cloud APIs are\nenabled for your project. To do this, follow the instructions on the\n[authentication document](https://github.com/googleapis/google-cloud-common/blob/master/authentication/readme.md#authentication)\nshared by all the Google Cloud language libraries.\n\nNext, choose a method for authenticating API requests from within your project:\n\n1. When using `google-cloud` libraries from within Compute/App Engine, no additional authentication\nsteps are necessary. For example:\n```java\nStorage storage = StorageOptions.getDefaultInstance().getService();\n```\n2. When using `google-cloud` libraries elsewhere, there are several options:\n  * [Generate a JSON service account key](https://cloud.google.com/storage/docs/authentication?hl=en#service_accounts).\n  After downloading that key, you must do one of the following:\n    * Define the environment variable GOOGLE_APPLICATION_CREDENTIALS to be the location of the key.\n    For example:\n    ```bash\n    export GOOGLE_APPLICATION_CREDENTIALS=/path/to/my/key.json\n    ```\n    * Supply the JSON credentials file when building the service options. For example, this Storage\n    object has the necessary permissions to interact with your Google Cloud Storage data:\n    ```java\n    Storage storage = StorageOptions.newBuilder()\n        .setCredentials(ServiceAccountCredentials.fromStream(new FileInputStream(\"/path/to/my/key.json\")))\n        .build()\n        .getService();\n    ```\n  * If running locally for development/testing, you can use the\n  [Google Cloud SDK](https://cloud.google.com/sdk/). Create Application Default Credentials with\n  `gcloud auth application-default login`, and then `google-cloud` will automatically detect such\n  credentials.\n  * If you already have an OAuth2 access token, you can use it to authenticate (notice that in this\n  case, the access token will not be automatically refreshed):\n  ```java\n  Storage storage = StorageOptions.newBuilder()\n      .setCredentials(GoogleCredentials.create(new AccessToken(accessToken, expirationTime)))\n      .build()\n      .getService();\n  ```\n\nIf no credentials are provided, `google-cloud` will attempt to detect them from the environment\nusing `GoogleCredentials.getApplicationDefault()` which will search for Application Default\nCredentials in the following locations (in order):\n\n1. The credentials file pointed to by the `GOOGLE_APPLICATION_CREDENTIALS` environment variable\n2. Credentials provided by the Google Cloud SDK `gcloud auth application-default login` command\n3. Google App Engine built-in credentials\n4. Google Cloud Shell built-in credentials\n5. Google Compute Engine built-in credentials\n\nTroubleshooting\n---------------\n\nTo get help, follow the instructions in the [Troubleshooting document](https://github.com/googleapis/google-cloud-java/blob/master/TROUBLESHOOTING.md).\n\nUsing a proxy\n-------------\nClients in this repository use either HTTP or gRPC for the transport layer.\nThe README of each client documents the transport layer the client uses.\n\nFor HTTP clients, a proxy can be configured by using `http.proxyHost` and\nrelated system properties as documented by\n[Java Networking and Proxies](https://docs.oracle.com/javase/8/docs/technotes/guides/net/proxies.html).\n\nFor gRPC clients, a proxy can be configured by using the\n`GRPC_PROXY_EXP` environment variable as documented by\nthe gRPC [release notes](https://github.com/grpc/grpc-java/releases/tag/v1.0.3).\nPlease note that gRPC proxy support is currently experimental.\n\nJava Versions\n-------------\n\nJava 7 or above is required for using the clients in this repository.\n\nSupported Platforms\n-------------------\n\nClients in this repository use either HTTP or gRPC for the transport layer. All\nHTTP-based clients should work in all environments.\n\nFor clients that use gRPC, the supported platforms are constrained by the platforms\nthat [Forked Tomcat Native](http://netty.io/wiki/forked-tomcat-native.html) supports,\nwhich for architectures means only x86_64, and for operating systems means Mac OS X,\nWindows, and Linux. Additionally, gRPC constrains the use of platforms with\nthreading restrictions.\n\nThus, the following are not supported:\n\n- Android \n  - Consider [Firebase](https://firebase.google.com), which includes many of these APIs.\n  - It is possible to use these libraries in many cases, although it is unsupported.\n    You can find examples, such as [this one](https://github.com/GoogleCloudPlatform/android-docs-samples/tree/master/speech/SpeechRecognitionClient),\n    in this [example repository](https://github.com/GoogleCloudPlatform/android-docs-samples) but consider the risks carefully before using these libraries in an application.\n- Alpine Linux (due to netty-tcnative requiring glibc, which is not present on Alpine)\n- Raspberry Pi (since it runs on the ARM architecture)\n- Google App Engine Standard Java 7\n\nThe following environments should work (among others):\n\n- standalone Windows on x86_64\n- standalone Mac OS X on x86_64\n- standalone Linux on x86_64\n- Google Compute Engine (GCE)\n- Google Container Engine (GKE)\n- Google App Engine Standard Java 8 (GAE Std J8)\n- Google App Engine Flex (GAE Flex)\n\nTesting\n-------\n\nThis library provides tools to help write tests for code that uses google-cloud services.\n\nSee [TESTING] to read more about using our testing helpers.\n\nVersioning\n----------\n\nThis library follows [Semantic Versioning](http://semver.org/), but with some\nadditional qualifications:\n\n1. Components marked with `@BetaApi` are considered to be \"0.x\" features inside\n   a \"1.x\" library. This means they can change between minor and patch releases\n   in incompatible ways. These features should not be used by any library \"B\"\n   that itself has consumers, unless the components of library B that use\n   `@BetaApi` features are also marked with `@BetaApi`. Features marked as\n   `@BetaApi` are on a path to eventually become \"1.x\" features with the marker\n   removed.\n\n   **Special exception for google-cloud-java**: google-cloud-java is\n   allowed to depend on `@BetaApi` features in gax-java without declaring the consuming\n   code `@BetaApi`, because gax-java and google-cloud-java move in step\n   with each other. For this reason, gax-java should not be used\n   independently of google-cloud-java.\n\n1. Components marked with `@InternalApi` are technically public, but are only\n   public for technical reasons, because of the limitations of Java's access\n   modifiers. For the purposes of semver, they should be considered private.\n\nPlease note it is currently under active development. Any release versioned 0.x.y is\nsubject to backwards incompatible changes at any time.\n\n**GA**: Libraries defined at a GA quality level are expected to be stable and all updates in the\nlibraries are guaranteed to be backwards-compatible. Any backwards-incompatible changes will lead\nto the major version increment (1.x.y -> 2.0.0).\n\n**Beta**: Libraries defined at a Beta quality level are expected to be mostly stable and\nwe're working towards their release candidate. We will address issues and requests with\na higher priority.\n\n**Alpha**: Libraries defined at an Alpha quality level are still a work-in-progress and\nare more likely to get backwards-incompatible updates. Additionally, it's possible for Alpha\nlibraries to get deprecated and deleted before ever being promoted to Beta or GA.\n\nContributing\n------------\n\nContributions to this library are always welcome and highly encouraged.\n\nSee `google-cloud`'s [CONTRIBUTING] documentation and the [shared documentation](https://github.com/googleapis/google-cloud-common/blob/master/contributing/readme.md#how-to-contribute-to-gcloud) for more information on how to get started.\n\nPlease note that this project is released with a Contributor Code of Conduct. By participating in this project you agree to abide by its terms. See [Code of Conduct][code-of-conduct] for more information.\n\nLicense\n-------\n\nApache 2.0 - See [LICENSE] for more information.\n\n\n[CONTRIBUTING]:https://github.com/googleapis/google-cloud-java/blob/master/CONTRIBUTING.md\n[code-of-conduct]:https://github.com/googleapis/google-cloud-java/blob/master/CODE_OF_CONDUCT.md#contributor-code-of-conduct\n[LICENSE]: https://github.com/googleapis/google-cloud-java/blob/master/LICENSE\n[TESTING]: https://github.com/googleapis/google-cloud-java/blob/master/TESTING.md\n\n[cloud-platform]: https://cloud.google.com/\n[cloud-platform-docs]: https://cloud.google.com/docs/\n[client-lib-docs]: https://googleapis.github.io/google-cloud-java/google-cloud-clients/apidocs/index.html\n\n",
    "etag": "5d328aa6274ab77d73fd8c4cf9be3632"
}

以上为个人学习分享,如有问题,欢迎指出:)

相关推荐
崎岖Qiu5 小时前
【设计模式笔记18】:并发安全与双重检查锁定的单例模式
java·笔记·单例模式·设计模式
曲莫终5 小时前
spring.main.lazy-initialization配置的实现机制
java·后端·spring
❀͜͡傀儡师5 小时前
docker部署Docker Compose文件Web管理工具Dockman
java·前端·docker·dockman
2401_865854885 小时前
服务器的windows和Linux系统有什么区别
linux·运维·服务器
沐雪架构师5 小时前
大模型Agent面试精选题(第五辑)-Agent提示词工程
java·面试·职场和发展
云飞云共享云桌面5 小时前
SolidWorks服务器怎么实现研发软件多人共享、数据安全管理
java·linux·运维·服务器·数据库·自动化
是喵斯特ya5 小时前
JNDI注入漏洞分析
java·安全
AOwhisky5 小时前
用户、用户组管理
linux·运维·运维开发
kong@react5 小时前
wsl2安装及命令(详细教程)
java·docker·容器