MinIO搭建文件服务器
简介
MinIO 是一个基于Apache License v2.0开源协议的对象存储服务。它兼容亚马逊S3云存储服务接口,非常适合于存储大容量非结构化的数据,例如图片、视频、日志文件、备份数据和容器/虚拟机镜像等,而一个对象文件可以是任意大小,从几kb到最大5T不等。
MinIO是一个非常轻量的服务,可以很简单的和其他应用的结合,类似 NodeJS, Redis 或者 MySQL。
服务器环境
服务器 | IP | 程序 |
---|---|---|
内网 | 192.168.0.183 | minio-server、nginx |
外网 | 192.168.0.147 | nginx、minio-client |
Docker-compose
version: '3'
services:
minio:
image: minio/minio:RELEASE.2020-12-26T01-35-54Z
container_name: minio
restart: always
privileged: true
volumes:
- /root/minio/data:/data
- /root/minio/config:/root/.minio/
ports:
- 9000:9000
environment:
MINIO_ACCESS_KEY: jianda
MINIO_SECRET_KEY: jianda123
command: server /data
healthcheck:
test: ["CMD", "curl", "-f", "http://localhost:9000/minio/health/live"]
interval: 30s
timeout: 20s
retries: 3
nginx:
image: nginx
restart: always
container_name: nginx
environment:
- TZ=Asia/Shanghai
ports:
- 9001:80
volumes:
- /root/nginx/conf/nginx.conf:/etc/nginx/nginx.conf
- /root/nginx/logs:/var/log/nginx
- /root/minio/data:/data
- /etc/letsencrypt:/etc/letsencrypt
内网nginx配置
nginx配置
#user nobody;
worker_processes 12;
#error_log logs/error.log;
#error_log logs/error.log notice;
#error_log logs/error.log info;
pid/var/run/nginx.pid;
events {
worker_connections 1024;
}
http {
includemime.types;
default_type application/octet-stream;
#log_format main '$remote_addr - $remote_user [$time_local] "$request" '
#'$status $body_bytes_sent "$http_referer" '
#'"$http_user_agent" "$http_x_forwarded_for"';
#access_log logs/access.log main;
sendfileon;
#tcp_nopush on;
#keepalive_timeout 0;
keepalive_timeout 65;
#gzip on;
server {
listen80;
server_name localhost;
#charset koi8-r;
#access_log logs/host.access.log main;
location ^~ /parking-pic/ {
root /data/;
}
}
}
外网nginx配置
# 文件上传
server {
listen443 ssl;
server_name www.***.cn;
# 客户端请求最大body,文件大小限制
client_max_body_size 500M;
...
# 图片上传接口
location /oss/ {
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header Host $host;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_pass http://192.168.0.147:9000/;
client_max_body_size 500m;
}
# minio控制台
location /minio {
proxy_pass http://192.168.0.183:9000;
}
# 文件访问地址
location /parking-pic {
proxy_pass http://192.168.0.183:9001;
}
springboot整合MinIO客户端
项目结构
pom
2.1.5.RELEASE
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
<dependency>
<groupId>io.minio</groupId>
<artifactId>minio</artifactId>
<version>7.1.0</version>
</dependency>
yml
spring:
application:
name: minio-server
main:
allow-bean-definition-overriding: true
servlet:
multipart:
max-file-size: 500MB
max-request-size: 500MB
server:
port: 9000
max-http-header-size: 10000000
# 文件系统
minio:
endpoint: http://192.168.0.183:9000 # 节点地址
accessKey: test
secretKey: test
bucketName: parking-pic # 存储桶名称
accessUrl: https://www.**.cn/${minio.bucketName} # 图片访问地址
config
读取配置的minioProperties,并配置MinioClient Bean
MinioConfiguration
@Configuration
@ConditionalOnBean(MinioProperties.class)
public class MinioConfiguration {
@Autowired
private MinioProperties minioProperties;
@Bean
public MinioClient minioClient() {
return MinioClient.builder()
.endpoint(minioProperties.getEndpoint())
.credentials(minioProperties.getAccessKey(), minioProperties.getSecretKey())
.build();
}
}
MinioProperties
@Data
@Component
@ConfigurationProperties(prefix = "minio")
public class MinioProperties {
private String endpoint;
private String accessKey;
private String secretKey;
private String bucketName;
private String accessUrl;
}
文件上传接口
@Slf4j
@RestController
public class OssController {
@Autowired
private MinioUtil minioUtil;
@Autowired
private MinioProperties minioProperties;
/**
* 文件上传接口
*
* @param file 上传的文件对象
* @return 上传成功返回文件url 图片 txt 文件支持通过url 浏览器直接预览
*/
@PostMapping("/upload")
public BaseRespEntity MinIOUpload(MultipartFile file) {
if (file.isEmpty() || file.getSize() == 0) {
return BaseRespEntity.error("文件为空");
}
try {
if (!minioUtil.bucketExists(minioProperties.getBucketName())) {
this.createBucket(minioProperties.getBucketName());
}
String fileName = file.getOriginalFilename();
String newName = "project-file/" + UUID.randomUUID().toString().replaceAll("-", "")
+ fileName.substring(fileName.lastIndexOf("."));
InputStream inputStream = file.getInputStream();
minioUtil.putObject(minioProperties.getBucketName(), newName, inputStream, file.getContentType());
inputStream.close();
String url = minioUtil.getObjectUrl(minioProperties.getBucketName(), newName);
return BaseRespEntity.ok(this.getAccessUrl(url));
} catch (Exception e) {
e.printStackTrace();
return BaseRespEntity.error("上传失败");
}
}
private String getAccessUrl(String url) {
return minioProperties.getAccessUrl() + StrUtil.subAfter(url, minioProperties.getBucketName(), false);
}
/**
* 文件下载
*
* @param filename 文件名
* @param httpResponse 接口返回对象
*/
@GetMapping("download/{filename}")
public void downloadFiles(@PathVariable("filename") String filename, HttpServletResponse httpResponse) {
try {
InputStream object = minioUtil.getObject(minioProperties.getBucketName(), "/project-file/" + filename);
byte buf[] = new byte[1024];
int length = 0;
httpResponse.reset();
httpResponse.setHeader("Content-Disposition", "attachment;filename=" + URLEncoder.encode(filename, "UTF-8"));
httpResponse.setContentType("application/octet-stream");
httpResponse.setCharacterEncoding("utf-8");
OutputStream outputStream = httpResponse.getOutputStream();
while ((length = object.read(buf)) > 0) {
outputStream.write(buf, 0, length);
}
outputStream.close();
} catch (Exception ex) {
log.error("文件下载失败:{}", ex.getMessage());
}
}
/**
* 创建储存桶
*
* @param bucketName
*/
private void createBucket(String bucketName) {
/*policy 的设定可以参照aws 中文档说明*/
/*https://docs.aws.amazon.com/AmazonS3/latest/dev/access-policy-language-overview.html*/
StringBuilder policyJsonBuilder = new StringBuilder();
policyJsonBuilder.append("{\n");
policyJsonBuilder.append(" \"Statement\": [\n");
policyJsonBuilder.append(" {\n");
policyJsonBuilder.append(" \"Action\": [\n");
policyJsonBuilder.append(" \"s3:GetBucketLocation\",\n");
policyJsonBuilder.append(" \"s3:ListBucket\"\n");
policyJsonBuilder.append(" ],\n");
policyJsonBuilder.append(" \"Effect\": \"Allow\",\n");
policyJsonBuilder.append(" \"Principal\": \"*\",\n");
policyJsonBuilder.append(" \"Resource\": \"arn:aws:s3:::" + bucketName + "\"\n");
policyJsonBuilder.append(" },\n");
policyJsonBuilder.append(" {\n");
policyJsonBuilder.append(" \"Action\": \"s3:GetObject\",\n");
policyJsonBuilder.append(" \"Effect\": \"Allow\",\n");
policyJsonBuilder.append(" \"Principal\": \"*\",\n");
policyJsonBuilder.append(" \"Resource\": \"arn:aws:s3:::" + bucketName + "/project-file*\"\n");
policyJsonBuilder.append(" }\n");
policyJsonBuilder.append(" ],\n");
policyJsonBuilder.append(" \"Version\": \"2012-10-17\"\n");
policyJsonBuilder.append("}\n");
try {
minioUtil.makeBucket(bucketName);
minioUtil.setBucketPolicy(bucketName, policyJsonBuilder.toString());
} catch (Exception e) {
log.error("创建存储桶失败:{}", e);
}
}
}
MinioUtil
@Component
public class MinioUtil {
@Autowired
private MinioClient minioClient;
private static final int DEFAULT_EXPIRY_TIME = 7 * 24 * 3600;
/**
* 检查存储桶是否存在
*
* @param bucketName 存储桶名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public boolean bucketExists(String bucketName) throws IOException, InvalidKeyException, InvalidResponseException, InsufficientDataException, NoSuchAlgorithmException, ServerException, InternalException, XmlParserException, InvalidBucketNameException, ErrorResponseException {
boolean flag = minioClient.bucketExists(BucketExistsArgs.builder().bucket(bucketName)
.build());
if (flag) {
return true;
}
return false;
}
/**
* 创建存储桶
*
* @param bucketName 存储桶名称
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
* @throws RegionConflictException
*/
public boolean makeBucket(String bucketName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException, RegionConflictException {
boolean flag = bucketExists(bucketName);
if (!flag) {
minioClient.makeBucket(
MakeBucketArgs.builder()
.bucket(bucketName)
.build());
return true;
} else {
return false;
}
}
/**
* 列出所有存储桶名称
*
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public List<String> listBucketNames() throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
List<Bucket> bucketList = listBuckets();
List<String> bucketListName = new ArrayList<>();
for (Bucket bucket : bucketList) {
bucketListName.add(bucket.name());
}
return bucketListName;
}
/**
* 列出所有存储桶
*
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public List<Bucket> listBuckets() throws IOException, InvalidKeyException, InvalidResponseException, InsufficientDataException, NoSuchAlgorithmException, ServerException, InternalException, XmlParserException, InvalidBucketNameException, ErrorResponseException {
return minioClient.listBuckets();
}
/**
* 删除存储桶
*
* @param bucketName 存储桶名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public boolean removeBucket(String bucketName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
Iterable<Result<Item>> myObjects = listObjects(bucketName);
for (Result<Item> result : myObjects) {
Item item = result.get();
// 有对象文件,则删除失败
if (item.size() > 0) {
return false;
}
}
// 删除存储桶,注意,只有存储桶为空时才能删除成功。
minioClient.removeBucket(RemoveBucketArgs.builder().bucket(bucketName).build());
flag = bucketExists(bucketName);
if (!flag) {
return true;
}
}
return false;
}
/**
* 列出存储桶中的所有对象名称
*
* @param bucketName 存储桶名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public List<String> listObjectNames(String bucketName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
List<String> listObjectNames = new ArrayList<>();
boolean flag = bucketExists(bucketName);
if (flag) {
Iterable<Result<Item>> myObjects = listObjects(bucketName);
for (Result<Item> result : myObjects) {
Item item = result.get();
listObjectNames.add(item.objectName());
}
}
return listObjectNames;
}
/**
* 列出存储桶中的所有对象
*
* @param bucketName 存储桶名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public Iterable<Result<Item>> listObjects(String bucketName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
return minioClient.listObjects(ListObjectsArgs.builder().bucket(bucketName).build());
}
return null;
}
/**
* 通过InputStream上传对象
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @param stream 要上传的流
* @param contentType 上传文件的格式,若是不设定格式默认都是application/octet-stream, 浏览器访问直接下载
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public boolean putObject(String bucketName, String objectName, InputStream stream, String contentType) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
minioClient.putObject( PutObjectArgs.builder().bucket(bucketName).object(objectName).stream(
stream, stream.available(), -1)
.contentType(contentType)
.build());
ObjectStat statObject = statObject(bucketName, objectName);
if (statObject != null && statObject.length() > 0) {
return true;
}
}
return false;
}
/**
* 以流的形式获取一个文件对象
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public InputStream getObject(String bucketName, String objectName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
ObjectStat statObject = statObject(bucketName, objectName);
if (statObject != null && statObject.length() > 0) {
InputStream stream = minioClient.getObject(GetObjectArgs.builder().bucket(bucketName).object(objectName).build());
return stream;
}
}
return null;
}
/**
* 以流的形式获取一个文件对象(断点下载)
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @param offset 起始字节的位置
* @param length 要读取的长度 (可选,如果无值则代表读到文件结尾)
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public InputStream getObject(String bucketName, String objectName, long offset, Long length) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
ObjectStat statObject = statObject(bucketName, objectName);
if (statObject != null && statObject.length() > 0) {
InputStream stream = minioClient.getObject(GetObjectArgs.builder().bucket(bucketName).object(objectName).build());
return stream;
}
}
return null;
}
/**
* 下载并将文件保存到本地
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @param fileName File name
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public boolean getObject(String bucketName, String objectName, String fileName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
ObjectStat statObject = statObject(bucketName, objectName);
if (statObject != null && statObject.length() > 0) {
minioClient.getObject(GetObjectArgs.builder().bucket(bucketName).object(objectName).build());
return true;
}
}
return false;
}
/**
* 删除一个对象
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public boolean removeObject(String bucketName, String objectName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
minioClient.removeObject(RemoveObjectArgs.builder()
.bucket(bucketName)
.object(objectName)
.build());
return true;
}
return false;
}
/**
* 删除指定桶的多个文件对象,返回删除错误的对象列表,全部删除成功,返回空列表
*
* @param bucketName 存储桶名称
* @param objects 含有要删除的多个object名称的迭代器对象
* @return
* @throws InvalidKeyException
* @throws ErrorResponseException
* @throws IllegalArgumentException
* @throws InsufficientDataException
* @throws InternalException
* @throws InvalidBucketNameException
* @throws InvalidResponseException
* @throws NoSuchAlgorithmException
* @throws XmlParserException
* @throws IOException
*/
public List<String> removeObject(String bucketName, List<DeleteObject> objects) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
List<String> deleteErrorNames = new ArrayList<>();
boolean flag = bucketExists(bucketName);
if (flag) {
Iterable<Result<DeleteError>> results = minioClient.removeObjects(RemoveObjectsArgs.builder()
.bucket(bucketName)
.objects(objects)
.build());
for (Result<DeleteError> result : results) {
DeleteError error = result.get();
deleteErrorNames.add(error.objectName());
}
}
return deleteErrorNames;
}
/**
* 生成一个给HTTP GET请求用的presigned URL。
* 浏览器/移动端的客户端可以用这个URL进行下载,即使其所在的存储桶是私有的。这个presigned URL可以设置一个失效时间,默认值是7天。
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @param expires 失效时间(以秒为单位),默认是7天,不得大于七天
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
* @throws InvalidExpiresRangeException
*/
public String getPresignedObjectUrl(String bucketName, String objectName, Integer expires) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException, InvalidExpiresRangeException {
boolean flag = bucketExists(bucketName);
String url = "";
if (flag) {
if (expires < 1 || expires > DEFAULT_EXPIRY_TIME) {
throw new InvalidExpiresRangeException(expires,
"expires must be in range of 1 to " + DEFAULT_EXPIRY_TIME);
}
url = minioClient.getPresignedObjectUrl(GetPresignedObjectUrlArgs.builder()
.method(Method.GET)
.bucket(bucketName)
.object(objectName)
.expiry(expires)
.build());
}
return url;
}
/**
* 生成一个给HTTP PUT请求用的presigned URL。
* 浏览器/移动端的客户端可以用这个URL进行上传,即使其所在的存储桶是私有的。这个presigned URL可以设置一个失效时间,默认值是7天。
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @param expires 失效时间(以秒为单位),默认是7天,不得大于七天
* @return
* @throws InvalidKeyException
* @throws ErrorResponseException
* @throws IllegalArgumentException
* @throws InsufficientDataException
* @throws InternalException
* @throws InvalidBucketNameException
* @throws InvalidResponseException
* @throws NoSuchAlgorithmException
* @throws XmlParserException
* @throws IOException
* @throws InvalidExpiresRangeException
*/
public String getPresignedObjectGetPutUrl(String bucketName, String objectName, Integer expires) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException, InvalidExpiresRangeException {
boolean flag = bucketExists(bucketName);
String url = "";
if (flag) {
if (expires < 1 || expires > DEFAULT_EXPIRY_TIME) {
throw new InvalidExpiresRangeException(expires,
"expires must be in range of 1 to " + DEFAULT_EXPIRY_TIME);
}
Map<String, String> reqParams = new HashMap<String, String>();
reqParams.put("response-content-type", "application/json");
url = minioClient.getPresignedObjectUrl(
GetPresignedObjectUrlArgs.builder()
.method(Method.PUT)
.bucket(bucketName)
.object(objectName)
.expiry(expires)
.extraQueryParams(reqParams)
.build());
}
return url;
}
/**
* 获取对象的元数据
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public ObjectStat statObject(String bucketName, String objectName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
if (flag) {
ObjectStat statObject = minioClient.statObject(StatObjectArgs.builder()
.bucket(bucketName)
.object(objectName).build());
return statObject;
}
return null;
}
/**
* 文件访问路径
*
* @param bucketName 存储桶名称
* @param objectName 存储桶里的对象名称
* @return
* @throws IOException
* @throws XmlParserException
* @throws NoSuchAlgorithmException
* @throws InvalidResponseException
* @throws InvalidBucketNameException
* @throws InternalException
* @throws InsufficientDataException
* @throws IllegalArgumentException
* @throws ErrorResponseException
* @throws InvalidKeyException
*/
public String getObjectUrl(String bucketName, String objectName) throws IOException, InvalidResponseException, InvalidKeyException, NoSuchAlgorithmException, ServerException, ErrorResponseException, XmlParserException, InvalidBucketNameException, InsufficientDataException, InternalException {
boolean flag = bucketExists(bucketName);
String url = "";
if (flag) {
url = minioClient.getObjectUrl(bucketName, objectName);
}
return url;
}
/**
* 设定存储桶策略
* @param bucketName
* @param policyJson
* @throws IOException
* @throws InvalidKeyException
* @throws InvalidResponseException
* @throws InsufficientDataException
* @throws NoSuchAlgorithmException
* @throws ServerException
* @throws InternalException
* @throws XmlParserException
* @throws InvalidBucketNameException
* @throws ErrorResponseException
*/
public void setBucketPolicy(String bucketName, String policyJson) throws IOException, InvalidKeyException, InvalidResponseException, InsufficientDataException, NoSuchAlgorithmException, ServerException, InternalException, XmlParserException, InvalidBucketNameException, ErrorResponseException {
minioClient.setBucketPolicy(
SetBucketPolicyArgs.builder()
.bucket(bucketName)
.config(policyJson)
.build());
}
}
GloabExceptionHandler
@RestControllerAdvice
public class GloabExceptionHandler {
@ExceptionHandler(Exception.class)
public BaseRespEntity baseException(Exception e) {
return BaseRespEntity.error(e.getMessage());
}
}