SpringBoot实现OneDrive文件上传

SpringBoot实现OneDrive文件上传

源码

OneDriveUpload: SpringBoot实现OneDrive文件上传

获取accessToken步骤

参考文档:针对 OneDrive API 的 Microsoft 帐户授权 - OneDrive dev center | Microsoft Learn

1.访问Azure创建应用Microsoft Azure,使用微软账号进行登录即可!

2.进入应用创建密码

3.获取code

通过访问(必须用浏览器,通过地址栏输入的方式):https://login.live.com/oauth20_authorize.srf?client_id=你的应用程序(客户端) ID&scope=files.readwrite offline_access&response_type=code&redirect_uri=http://localhost:8080/redirectUri

以上步骤都正确的情况下,会在地址栏返回一个code,也就是M.C105.........

4.获取accessToken

拿到code后就可以拿token了,通过对https://login.live.com/oauth20_token.srf 发起POST请求并传递相关参数,这一步需要用接口调试工具完成!

其中client_id和redirect_uri与上面相同,client_secret填刚刚创建的密钥,code就是刚刚获取到的codegrant_type就填authorization_code即可!

正常情况下访问后就能得到access_token,然后把access_token放在springboot的配置文件中!

代码实现步骤

1. 新建一个springBoot项目,选择web依赖即可!

 2. 引入相关依赖

        <dependency><groupId>org.apache.poi</groupId><artifactId>poi</artifactId><version>3.16</version></dependency><dependency><groupId>org.apache.poi</groupId><artifactId>poi-ooxml</artifactId><version>3.16</version></dependency><dependency><groupId>com.alibaba</groupId><artifactId>fastjson</artifactId><version>2.0.0</version></dependency>

3.编写文件上传接口类

参考文档:上传小文件 - OneDrive API - OneDrive dev center | Microsoft Learn

import com.alibaba.fastjson.JSONObject;
import org.apache.poi.xssf.usermodel.XSSFRow;
import org.apache.poi.xssf.usermodel.XSSFSheet;
import org.apache.poi.xssf.usermodel.XSSFWorkbook;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.http.*;
import org.springframework.stereotype.Controller;
import org.springframework.util.ResourceUtils;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.client.RestTemplate;
import org.springframework.web.multipart.MultipartFile;import javax.servlet.http.HttpServletResponse;
import java.io.*;/*** 文件上传到OneDrive并将文件信息存储到Excel文件中*/
@Controller
public class FileSyncController {private static final Logger logger = LoggerFactory.getLogger(FileSyncController.class);private static final String ONE_DRIVE_BASE_URL = "https://graph.microsoft.com/v1.0/me/drive/root:/uploadfile/";@Value("${onedrive.access-token}")private String ACCESS_TOKEN;@PostMapping("/upload")public void uploadFileToDrive(@RequestParam("file") MultipartFile file, HttpServletResponse httpServletResponse) throws IOException {if (file.isEmpty()) {throw new RuntimeException("文件为空!");}String fileName = file.getOriginalFilename();String oneDriveUploadUrl = ONE_DRIVE_BASE_URL + fileName + ":/content";HttpHeaders headers = new HttpHeaders();headers.setContentType(MediaType.MULTIPART_FORM_DATA);headers.setBearerAuth(ACCESS_TOKEN);HttpEntity<byte[]> requestEntity;try {byte[] fileBytes = file.getBytes();requestEntity = new HttpEntity<>(fileBytes, headers);} catch (Exception e) {throw new RuntimeException(e.getMessage());}RestTemplate restTemplate = new RestTemplate();ResponseEntity<String> response = restTemplate.exchange(oneDriveUploadUrl, HttpMethod.PUT, requestEntity, String.class);if (response.getStatusCode() == HttpStatus.CREATED) {//解析返回的JSON字符串,获取文件路径String downloadUrl = JSONObject.parseObject(response.getBody()).getString("@microsoft.graph.downloadUrl");storeFileInfoToExcel(fileName, downloadUrl);logger.info("文件上传成功,OneDrive 文件路径:" + downloadUrl);httpServletResponse.setCharacterEncoding("utf-8");httpServletResponse.setContentType("text/html;charset=utf-8");PrintWriter out = httpServletResponse.getWriter();out.print("<script> alert('" + fileName + "已上传成功!');window.location.href='file_info.xlsx';</script>");} else {throw new RuntimeException("文件上传失败!");}}/*** 将文件信息存储到Excel文件中** @param filename 文件名称* @param filepath 文件路径*/private void storeFileInfoToExcel(String filename, String filepath) {try {File file = new File(ResourceUtils.getURL("classpath:").getPath() + "/static/file_info.xlsx");XSSFWorkbook excel;XSSFSheet sheet;FileOutputStream out;// 如果文件存在,则读取已有数据if (file.exists()) {FileInputStream fis = new FileInputStream(file);excel = new XSSFWorkbook(fis);sheet = excel.getSheetAt(0);fis.close();} else {// 如果文件不存在,则创建一个新的工作簿和工作表excel = new XSSFWorkbook();sheet = excel.createSheet("file_info");// 创建表头XSSFRow headerRow = sheet.createRow(0);headerRow.createCell(0).setCellValue("文件名称");headerRow.createCell(1).setCellValue("文件路径");}// 获取下一个行号int rowNum = sheet.getLastRowNum() + 1;// 创建新行XSSFRow newRow = sheet.createRow(rowNum);newRow.createCell(0).setCellValue(filename);newRow.createCell(1).setCellValue(filepath);// 将数据写入到文件out = new FileOutputStream(file);excel.write(out);// 关闭资源out.close();excel.close();} catch (IOException e) {throw new RuntimeException(e);}}
}

4.编写认证回调接口类

import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;@RestController
public class RedirectController {/*** 回调地址* http://localhost:8080/redirectUri?code=M.C105_BL2.2.127d6530-7077-3bcd-081e-49be3abc3b45** @param code* @return*/@GetMapping("/redirectUri")public String redirectUri(String code) {return code;}
}

5.编写application.properties配置文件

# 应用服务 WEB 访问端口
server.port=8080
#OneDrive的ACCESS_TOKEN
onedrive.access-token=你的ACCESS_TOKEN

6.编写启动类

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;@SpringBootApplication
public class OneDriveUploadApplication {public static void main(String[] args) {SpringApplication.run(OneDriveUploadApplication.class, args);}}

7.编写上传页面,放在resources的static目录中

<!DOCTYPE html>
<html lang="en">
<head><meta charset="UTF-8"><title>文件上传</title>
</head>
<body>
<div align="center"><h1>文件上传</h1><form action="upload" method="post" enctype="multipart/form-data"><input type="file" name="file"><br><br><input type="submit" value="提交"></form>
</div>
</body>
</html>

8.启动项目,访问http://localhost:8080/进行测试

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

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

相关文章

阿里云香港服务器cn2速度测试和租用价格表

阿里云香港服务器中国香港数据中心网络线路类型BGP多线精品&#xff0c;中国电信CN2高速网络高质量、大规格BGP带宽&#xff0c;运营商精品公网直连中国内地&#xff0c;时延更低&#xff0c;优化海外回中国内地流量的公网线路&#xff0c;可以提高国际业务访问质量。阿里云服务…

百度智能云分布式数据库 GaiaDB-X 与龙芯平台完成兼容认证

近日&#xff0c;百度智能云的分布式关系型数据库软件 V3.0 与龙芯中科技术股份有限公司的龙芯 3C5000L/3C5000 处理器平台完成兼容性测试&#xff0c;功能与稳定性良好&#xff0c;获得了龙架构兼容互认证证书。 龙芯系列处理器 通用 CPU 处理器是信息产业的基础部件&#xf…

黑马鸿蒙教程学习1:Helloworld

今年打算粗略学习下鸿蒙开发&#xff0c;当作兴趣爱好&#xff0c;通过下华为那个鸿蒙开发认证&#xff0c; 发现黑马的课程不错&#xff0c;有视频和完整的代码和课件下载&#xff0c;装个devstudio就行了&#xff0c;建议32G内存。 今年的确是鸿蒙大爆发的一年呀&#xff0c;…

从kafka如何保证数据一致性看通常数据一致性设计

一、前言 在数据库系统中有个概念叫事务&#xff0c;事务的作用是为了保证数据的一致性&#xff0c;意思是要么数据成功&#xff0c;要么数据失败&#xff0c;不存在数据操作了一半的情况&#xff0c;这就是数据的一致性。在很多系统或者组件中&#xff0c;很多场景都需要保证…

Docker的介绍、安装与常用命令

Docker的介绍、安装与常用命令 一、介绍1.相关资源2.安装环境3.基本组成 二、Docker安装1.检查系统环境2 安装gcc3 卸载旧版本docker4 安装软件包5 设置镜像仓库6 更新yum 索引7 安装&#xff08;ce版&#xff09;8 启动Docker9 阿里云镜像加速10 Docker卸载 三、 常用命令1 帮…

PyTorch-线性回归

已经进入大模微调的时代&#xff0c;但是学习pytorch&#xff0c;对后续学习rasa框架有一定帮助吧。 <!-- 给出一系列的点作为线性回归的数据&#xff0c;使用numpy来存储这些点。 --> x_train np.array([[3.3], [4.4], [5.5], [6.71], [6.93], [4.168],[9.779], [6.1…

使用Erlang/OTP构建容错的软实时Web应用程序

简单介绍 OTP &#xff08;Open Telecom Platform&#xff09; OTP 是包装在Erlang中的一组库程序。OTP构成Erlang的行为机制&#xff08;behaviours&#xff09;&#xff0c;用于编写服务器、有限状态机、事件管理器。不仅如此&#xff0c;OTP的应用行为&#xff08;the appl…

东方博宜 1393. 与7无关的数?

东方博宜 1393. 与7无关的数&#xff1f; 1 遍历1到n里的所有数 2 进行被7整除的判断 3 进行数字中有7的判断 4 符合题意的进行相加 #include<iostream> using namespace std ; int main() {int n ; cin >> n ;int cnt 0 ;for(int i 1 ; i < n ; i){bool m…

基于微信小程序的健身房私教预约系统,附源码

博主介绍&#xff1a;✌程序员徐师兄、7年大厂程序员经历。全网粉丝12w、csdn博客专家、掘金/华为云/阿里云/InfoQ等平台优质作者、专注于Java技术领域和毕业项目实战✌ &#x1f345;文末获取源码联系&#x1f345; &#x1f447;&#x1f3fb; 精彩专栏推荐订阅&#x1f447;…

边坡位移监测设备:守护工程安全的前沿科技

随着现代工程建设的飞速发展&#xff0c;边坡位移监测作为预防山体滑坡、泥石流等自然灾害的重要手段&#xff0c;日益受到人们的关注。边坡位移监测设备作为这一领域的关键技术&#xff0c;以其高精度、实时监测的特点&#xff0c;成为守护工程安全的重要武器。 一、边坡位移…

Python算法题集_二叉搜索树中第K小的元素

Python算法题集_二叉搜索树中第K小的元素 题230&#xff1a;二叉搜索树中第K小的元素1. 示例说明2. 题目解析- 题意分解- 优化思路- 测量工具 3. 代码展开1) 标准求解【DFS递归终止检测】2) 改进版一【BFS迭代终止检测】3) 改进版二【BFS迭代终止检测计数定位】4) 改进版三【BF…

海外大带宽服务器连接失败:原因与解决策略

​随着全球互联网的发展&#xff0c;越来越多的企业和个人选择使用海外大带宽服务器来满足数据传输和业务需求。然而&#xff0c;在实际使用中&#xff0c;有时会出现服务器连接失败的问题。本文将为您分析原因并提供相应的解决策略。 一、海外大带宽服务器连接失败的原因 网络…