springboot+vue2整合onlyoffice实现文档在线协同编辑

Springboot+Vue2整合onlyoffice实现文档在线协同编辑

目录

  1. docker部署onlyoffice镜像
  2. vue2整合onlyoffice
  3. springboot回调接口配置

1.docker部署onlyoffice

# 使用docker拉取并启动onlyoffice镜像
docker run -itd --name onlyoffice -p 10086:80 -e JWT_ENABLED=true -e JWT_SECRET=mlzhilu_secret onlyoffice/documentserver:8.0
注意:
  • 自7.2版本以后,onlyoffice默认开启jwt,可以手动设置JWT_ENABLED=false以关闭jwt校验,但是关闭jwt校验可能导致链接不安全,本文默认使用8.0版本
  • 如果启用jwt校验的话,需要手动设置secret,否则onlyoffice会随机生成secret,这种情况下就需要等容器启动后到容器内部的/etc/onlyoffice/documentserver/local.json文件中查看
  • documentserver服务默认使用http链接,因此内部端口为80,同时也支持https链接,内部端口443,如需开启https,需要手动添加相应环境变量并生成SSL证书(请自行了解)

2.vue2整合onlyoffice

  • (1)新建vue页面onlyoffice/index.vue
# onlyoffice/index.vue文件内容
<template><div style="overflow: scroll;height: calc(100vh - 84px);"><div :id="onlineEditorId"></div></div>
</template>
<script>
import {getOnlyOfficeConfig} from "@/api/documents/menu";export default {name: "OnlineEditor",data() {return {// 文档IDdocumentId: '',// 文档版本号versionId: '',// 打开文件的方式,true-编辑模式,false-预览模式isEdit: true,docEditor: null,onlineEditorId: 'onlineEditor',}},watch: {documentId: {handler: function () {this.loadScript();this.initEditor();},deep: true,},},activated() {if (this.documentId) {this.loadScript();this.initEditor();}},created() {// 从路由中获取参数const documentId = this.$route.query.documentId;const versionId = this.$route.query.versionId;const isEdit = this.$route.query.isEdit;if (versionId) this.versionId = versionId;if (isEdit) this.isEdit = isEdit;if (documentId) {this.documentId = documentId;this.onlineEditorId += this.documentId;this.loadScript();this.initEditor();}},methods: {// 动态加载onlyoffice api脚本async loadScript(){const scriptId = "script_"+this.documentId;if (document.getElementById(scriptId)===null){const script = document.createElement('script')script.id = scriptId;script.src = "http://10.49.47.24:10086/web-apps/apps/api/documents/api.js"script.type = "text/javascript"document.head.appendChild(script);}},// 初始化onlyoffice编辑器async initEditor(){const scriptId = "script_"+this.documentId;if (document.getElementById(scriptId)===null){await this.loadScript();}// 保证每次刷新页面时重新加载onlyoffice对象,避免缓存问题if (this.docEditor){this.docEditor.destroyEditor();this.docEditor = null;}const param = {documentId: this.documentId,versionId: this.versionId,isEdit: this.isEdit}// 从后端获取onlyoffice配置,避免配置被修改await getOnlyOfficeConfig(param).then(res=>{let data = res.data;this.docEditor = new window.DocsAPI.DocEditor(this.onlineEditorId, data);})},},// 关闭页面销毁onlyoffice对象beforeDestroy() {if (this.docEditor){this.docEditor.destroyEditor();this.docEditor = null;}}
}
</script>
<style scoped lang="scss"></style>
  • (2)父组件页面路由调用
# 通过点击时间出发路由跳转,并传递参数
handleEdit(item){const route = this.$router.resolve({path: "/components/edit/office",query: {documentId: item.id,isEdit: true},});// 在新窗口打开页面window.open(route.href, "_blank");
},

3.SpringBoot回调接口配置

为了保证onlyoffice配置不被修改,我这里将onlyoffice配置信息通过后端接口的形式获取,这里将onlyoffice配置信息配置在SpringBoot的配置文件中,如果不需要的话可以将这些配置直接写在前端的js代码中。

  • (1) 在配置文件(如:application.yml或application.properties)中添加如下配置
# onlyoffice配置
only-office:secret: devops_20240521config:document: # 文档下载接口,这个接口需要在springboot后端中实现url: http://10.49.47.24:10010/dev-api/documents/only/office/downloadpermissions: # 是否可以编辑edit: trueprint: falsedownload: true# 是否可以填写表格,如果将mode参数设置为edit,则填写表单仅对文档编辑器可用。 默认值与edit或review参数的值一致。fillForms: false# 跟踪变化review: trueeditorConfig:# onlyoffice回调接口,这个接口也需要在springboot后端中实现callbackUrl: http://10.49.47.24:10010/dev-api/documents/only/office/callbackToSaveFilelang: zh-CNcoEditing: mode: fast,change: true# 定制化配置customization: forcesave: trueautosave: falsecomments: truecompactHeader: falsecompactToolbar: falsecompatibleFeatures: falsecustomer: address: 中国北京市海淀区info: xxxxx文档在线写作平台logo: https://example.com/logo-big.pnglogoDark: https://example.com/dark-logo-big.pngmail: xxx@xxx.comname: xxxxx平台phone: 123456789www: www.example.comfeatures: # 是否开启拼写检查spellcheck: mode: truechange: trueregion: zh-CNtype: desktop
  • (2)OnlyOfficeConfig配置类
# OnlyOfficeConfig.java内容/*** onlyOffice配置* 这里的配置会从 application.yml或application.properties 中读取*/
@Data
@AllArgsConstructor
@NoArgsConstructor
@Configuration
@ConfigurationProperties(prefix = "only-office")
public class OnlyOfficeConfig implements Serializable {private static final long serialVersionUID = 1L;private String secret;private Config config;@Data@AllArgsConstructor@NoArgsConstructorpublic static class Config implements Serializable {private static final long serialVersionUID = 1L;private Document document;private EditorConfig editorConfig;private String type;private String token;private String documentType;private String height = "100%";private String width = "100%";@Data@AllArgsConstructor@NoArgsConstructorpublic static class Document implements Serializable {private static final long serialVersionUID = 1L;private String title;private String fileType;private String key;private String url;private Permissions permissions;@Data@AllArgsConstructor@NoArgsConstructorpublic static class Permissions implements Serializable {private static final long serialVersionUID = 1L;private Boolean edit;private Boolean print;private Boolean download;private Boolean fillForms;private Boolean review;}}@Data@AllArgsConstructor@NoArgsConstructorpublic static class EditorConfig implements Serializable {private static final long serialVersionUID = 1L;private String callbackUrl;private String lang;private CoEditing coEditing;private Customization customization;private String region;private User user;public User getUser(){return StringUtils.isNull(user)?new User():user;}@Data@AllArgsConstructor@NoArgsConstructorpublic static class CoEditing implements Serializable {private static final long serialVersionUID = 1L;private String mode;private Boolean change;}@Data@AllArgsConstructor@NoArgsConstructorpublic static class Customization implements Serializable {private static final long serialVersionUID = 1L;private Boolean forcesave;private Boolean autosave;private Boolean comments;private Boolean compactHeader;private Boolean compactToolbar;private Boolean compatibleFeatures;private Customer customer;private Features features;@Data@AllArgsConstructor@NoArgsConstructorpublic static class Customer implements Serializable {private static final long serialVersionUID = 1L;private String address;private String info;private String logo;private String logoDark;private String mail;private String name;private String phone;private String www;}@Data@AllArgsConstructor@NoArgsConstructorpublic static class Features implements Serializable {private static final long serialVersionUID = 1L;private Spellcheck spellcheck;@Data@AllArgsConstructor@NoArgsConstructorpublic static class Spellcheck implements Serializable {private static final long serialVersionUID = 1L;private Boolean mode;private Boolean change;}}}@Data@AllArgsConstructor@NoArgsConstructorpublic static class User implements Serializable {private static final long serialVersionUID = 1L;private String id;private String name;private String image;private String group;}}}
}
  • (3)Controller接口

这里需要注意的是:在对onlyoffice配置进行jwt加密时需要用到一个依赖prime-jwt,坐标如下:

<dependency><groupId>com.inversoft</groupId><artifactId>prime-jwt</artifactId><version>1.3.1</version>
</dependency>
# OnlyOfficeController.java内容/**
* onlyoffice接口类
*/
@RestController
@RequestMapping("/only/office")
public class OnlyOfficeController {@Resourceprivate OnlyOfficeConfig onlyOfficeConfig;@Resourceprivate OnlyOfficeServiceImpl onlyOfficeService;private static final HashMap<String, List<String>> extensionMap = new HashMap<>();// 初始化扩展名映射static {extensionMap.put("word", Arrays.asList("doc", "docm", "docx", "docxf", "dot", "dotm", "dotx", "epub", "fb2", "fodt", "htm", "html", "mht", "mhtml","odt", "oform", "ott", "rtf", "stw", "sxw", "txt", "wps", "wpt", "xml"));extensionMap.put("cell", Arrays.asList("csv", "et", "ett", "fods", "ods", "ots", "sxc", "xls", "xlsb", "xlsm", "xlsx", "xlt", "xltm", "xltx","xml"));extensionMap.put("slide", Arrays.asList("dps", "dpt", "fodp", "odp", "otp", "pot", "potm", "potx", "pps", "ppsm", "ppsx", "ppt", "pptm", "pptx","sxi"));extensionMap.put("pdf", Arrays.asList("djvu", "oxps", "pdf", "xps"));}/*** onlyoffice回调接口,这个接口的内容基本不需要修改,* 只需要修改 onlyOfficeService.handleCallbackResponse(callBackResponse);* 及其方法中的业务逻辑即可*/@PostMapping(value = "/callbackToSaveFile")public void callbackToSaveFile(HttpServletRequest request, HttpServletResponse response) throws IOException {PrintWriter writer = response.getWriter();Scanner scanner = new Scanner(request.getInputStream()).useDelimiter("\\A");String body = scanner.hasNext() ? scanner.next() : "";CallBackResponse callBackResponse = JSONObject.parseObject(body, CallBackResponse.class);// 只需要修改这行代码及其业务逻辑即可onlyOfficeService.handleCallbackResponse(callBackResponse);writer.write("{\"error\":0}");}/*** 文档下载接口*/@GetMapping("/download")public void officeDownload(@RequestParam("documentId")@NotNull String documentId, @RequestParam(value = "versionId", required = false) String versionId, HttpServletResponse response){onlyOfficeService.downloadFile(documentId, versionId, response);}/*** 获取onlyoffice配置接口*/@GetMapping("/config")public AjaxResult getOnlyOfficeConfig(String documentId, String versionId, Boolean isEdit){DevelopDocumentVo developDocumentVo = developDocumentService.selectDevelopDocumentById(documentId);if (StringUtils.isNull(developDocumentVo)) return error("文件不存在");String fileName = developDocumentVo.getFileName();OnlyOfficeConfig.Config config = onlyOfficeConfig.getConfig();OnlyOfficeConfig.Config.Document document = config.getDocument();OnlyOfficeConfig.Config configuration = new OnlyOfficeConfig.Config();OnlyOfficeConfig.Config.Document documentConfig = new OnlyOfficeConfig.Config.Document();documentConfig.setKey(documentId);// 编辑模式if (StringUtils.isNotNull(isEdit)&&isEdit) {documentConfig.setTitle(fileName);}else { // 预览模式documentConfig.setTitle(StringUtils.format("{}({})", fileName, "预览模式"));}documentConfig.setFileType(this.getExtension(fileName));OnlyOfficeConfig.Config.Document.Permissions permissions = config.getDocument().getPermissions();if (StringUtils.isNotNull(isEdit)){permissions.setEdit(isEdit);permissions.setReview(false);}documentConfig.setPermissions(permissions);String documentUrl = StringUtils.isEmpty(versionId)?StringUtils.format("{}?documentId={}", document.getUrl(), documentId):StringUtils.format("{}?documentId={}&versionId={}", document.getUrl(), documentId, versionId);documentConfig.setUrl(documentUrl);Long userId = SecurityUtils.getUserId();SysUser sysUser = SecurityUtils.getLoginUser().getSysUser();OnlyOfficeConfig.Config.EditorConfig editorConfig = config.getEditorConfig();OnlyOfficeConfig.Config.EditorConfig.User user = editorConfig.getUser();user.setId(String.valueOf(userId));user.setName(sysUser.getNickName());user.setImage(sysUser.getAvatar());editorConfig.setUser(user);configuration.setEditorConfig(editorConfig);configuration.setDocumentType(this.getDocumentType(fileName));configuration.setDocument(documentConfig);String secret = onlyOfficeConfig.getSecret();HashMap<String, Object> claims = new HashMap<>();claims.put("document", documentConfig);claims.put("editorConfig", editorConfig);claims.put("documentType", this.getDocumentType(fileName));claims.put("type", configuration.getType());Signer signer = HMACSigner.newSHA256Signer(secret);JWT jwt = new JWT();for (String key : claims.keySet()){jwt.addClaim(key, claims.get(key));}String token = JWT.getEncoder().encode(jwt, signer);configuration.setToken(token);configuration.setType(config.getType());return success(configuration);}
}
  • (4)CallBackResponse实体类
# CallBackResponse.java内容/*** onlyOffice回调响应参数实体* 数据格式:* {*   "key": "1797934023043756034",*   "status": 6,*   "url": "http://10.x.xx.42:10020/cache/files/data/179793402xxx6034_5182/output.docx/output.docx?md5=w6_C_mPuu6uWt7jsYURmWg&expires=1717572948&WOPISrc=179793402xxx6034&filename=output.docx",*   "changesurl": "http://10.x.xx.42:10020/cache/files/data/179793xxxx3756034_5182/changes.zip/changes.zip?md5=8lYUI4TD1s2bW-pzs_akgQ&expires=1717572948&WOPISrc=1797934023xxx56034&filename=changes.zip",*   "history": {*     "serverVersion": "8.0.1",*     "changes": [*       {*         "created": "2024-06-05 07:20:01",*         "user": {*           "id": "2",*           "name": "mlzhilu"*         }*       },*       {*         "created": "2024-06-05 07:20:44",*         "user": {*           "id": "1",*           "name": "超级管理员"*         }*       }*     ]*   },*   "users": [*     "1"*   ],*   "actions": [*     {*       "type": 2,*       "userid": "1"*     }*   ],*   "lastsave": "2024-06-05T07:20:45.000Z",*   "forcesavetype": 1,*   "token": "eyJhbGciOiJIU......-53bhhSRg",*   "filetype": "docx"* }*/
@Data
@AllArgsConstructor
@NoArgsConstructor
@Accessors(chain = true)
public class CallBackResponse {private String key;private int status;private String url;@JsonProperty("changesurl")private String changesUrl;private History history;private List<String> users;private List<Map<String, Object>> actions;@JsonProperty("lastsave")private Date lastSave;@JsonProperty("forcesavetype")private int forceSaveType;private String token;private String filetype;// History 内部类@Data@AllArgsConstructor@NoArgsConstructor@Accessors(chain = true)public static class History {private String serverVersion;private List<Change> changes;// Change 内部类@Data@AllArgsConstructor@NoArgsConstructor@Accessors(chain = true)public static class Change {private Date created;private User user;// User 内部类@Data@AllArgsConstructor@NoArgsConstructor@Accessors(chain = true)public static class User {private String id;private String name;}}}
}
  • (5)ServiceImpl接口
# OnlyOfficeServiceImpl.java内容@Service
public class OnlyOfficeServiceImpl {// 文档关闭标志位(2和3均表示文档关闭)// 强制保存文档标志位(6和7均表示强制保存文档)private final static List<Integer> DOCUMENT_SAVE_STATUS_LIST = Arrays.asList(2, 3, 6, 7);public void handleCallbackResponse(CallBackResponse callBackResponse){String documentId = callBackResponse.getKey();int status = callBackResponse.getStatus();String url = callBackResponse.getUrl();List<String> users = callBackResponse.getUsers();//保存文档逻辑if (DOCUMENT_SAVE_STATUS_LIST.contains(status)&&StringUtils.isNotEmpty(url)&&!users.isEmpty()&&StringUtils.isNotEmpty(documentId)) {// TODO 这里主要是根据onlyoffice服务器中响应的临时文件下载链接,去下载文件并做一些自己的业务处理}}/** 文档下载业务* 这个接口中文档需要通过HttpServletResponse返回文件*/public void downloadFile(String id, String versionId, HttpServletResponse response){// TODO 这里主要是根据文档ID和文档版本ID提供文档下载的功能,并且需要保证下载文档时是以文档流的形式下载的}}

引用

onlyoffice官方文档

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

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

相关文章

构造函数的初始化列表,static成员,友元,内部类【类和对象(下)】

P. S.&#xff1a;以下代码均在VS2022环境下测试&#xff0c;不代表所有编译器均可通过。 P. S.&#xff1a;测试代码均未展示头文件stdio.h的声明&#xff0c;使用时请自行添加。 博主主页&#xff1a;LiUEEEEE                        …

基于Python+Flask+MySQL的新冠疫情可视化系统

基于PythonFlaskMySQL的新冠疫情可视化系统 FlaskMySQL 基于PythonFlaskMySQL的新冠疫情可视化系统 项目主要依赖前端&#xff1a;layui&#xff0c;Echart&#xff0c;后端主要是Flask&#xff0c;系统的主要支持登录注册&#xff0c;Ecahrt构建可视化图&#xff0c;可更换主…

【爬虫】爬虫基础

目录 一、Http响应与请求1、Http请求2、Http响应3、状态码 二、Requests库1、发起GET请求2、发起POST请求3、处理请求头 三、BeautifulSoup库1、解析HTML文档2、查找和提取数据Ⅰ、查找单个元素Ⅱ、查找所有元素Ⅲ、使用CSS选择器Ⅳ、获取元素属性 四、爬取豆瓣电影榜 一、Http…

谷粒商城实战笔记-27-分布式组件-SpringCloud-Gateway-创建测试API网关

本节的主要内容是创建网关模块&#xff0c;将网关注册到Nacos&#xff0c;并配置路由进行测试。 一&#xff0c;创建网关模块 右键工程New->Module&#xff0c;创建新模块&#xff0c;模块名称 gulimall-gateway。 填充各种信息。 选中Gateway依赖。 点击Create创建模块。…

为什么使用代理IP无法访问网站

代理IP可以为用户在访问网站时提供更多的便利性和匿名性&#xff0c;但有时用户使用代理IP后可能会遇到无法访问目标网站的问题。这可能会导致用户无法完成所需的业务要求&#xff0c;给用户带来麻烦。使用代理IP时&#xff0c;您可能会因为各种原因而无法访问您的网站。以下是…

电脑录音如何操作?电脑麦克风声音一起录制,分享7款录音软件

电脑录音已经成为我们日常生活和工作中不可或缺的一部分。无论是录制会议、教学、音乐、网络直播、音源采集还是其他声音&#xff0c;电脑录音软件都为我们提供了极大的便利。本文将为大家介绍如何操作电脑录音&#xff0c;并分享七款录音软件&#xff0c;包括是否收费、具体操…

关于 Qt在国产麒麟系统上设置的setFixedSize、setMinimumFixed、setMaxmumFixed设置无效 的解决方法

若该文为原创文章&#xff0c;转载请注明原文出处 本文章博客地址&#xff1a;https://hpzwl.blog.csdn.net/article/details/140242881 长沙红胖子Qt&#xff08;长沙创微智科&#xff09;博文大全&#xff1a;开发技术集合&#xff08;包含Qt实用技术、树莓派、三维、OpenCV…

OpenCV中的浅拷贝和深拷贝

文章目录 前言一、浅拷贝二、深拷贝三、比较总结 前言 在数字图像处理中&#xff0c;针对读取到的一张图像&#xff0c;需要反复利用这张图像做各种的变换&#xff0c;以满足我们项目的需求。在这之前&#xff0c;最容易忽略的一点就是图像之间的拷贝问题&#xff0c;其中的浅…

解决在window资源管理器的地址栏中输入\\192.168.x.x\sambashare之后显示无法访问,错误代码 0x80070035,找不到网络路径。

一、错误重现 二、解决方法 1、在cmd中输入gpedit.msc gpedit.msc确定 -> 打开本地组策略编辑器 2、启用不安全的来宾登录 计算机配置 -> 管理模板 -> 网络 -> Lanman工作站 -> 右侧双击编辑"启用不安全的来宾登录"&#xff0c;把状态改为 “已启…

跨平台开发新纪元:Xcode的多平台应用构建指南

跨平台开发新纪元&#xff1a;Xcode的多平台应用构建指南 在当今的软件开发领域&#xff0c;跨平台开发已成为一种趋势&#xff0c;它允许开发者使用单一代码库来构建在多个操作系统上运行的应用。Xcode&#xff0c;作为苹果公司提供的集成开发环境&#xff08;IDE&#xff09…

数据结构——查找算法

文章目录 1. 查找算法 2. 顺序查找 2. 二分查找 1. 查找算法 查找算法是用于在数据集中定位特定元素的位置的算法。查找是计算机科学中一项基本操作&#xff0c;几乎在所有应用程序中都需要使用。例如&#xff0c;数据库查询、信息检索、字典查找等都涉及到查找操作。查找算…

【JavaScript 报错】未捕获的类型错误:Uncaught TypeError

&#x1f525; 个人主页&#xff1a;空白诗 文章目录 一、错误原因分析1. 调用不存在的方法2. 访问未定义的属性3. 数据类型不匹配4. 函数参数类型不匹配 二、解决方案1. 检查方法和属性是否存在2. 使用可选链操作符3. 数据类型验证4. 函数参数类型检查 三、实例讲解四、总结 在…

Gradle Wrapper 介绍

Gradle Wrapper简介 Gradle Wrapper是Gradle构建工具的一个功能&#xff0c;它允许用户在没有全局安装Gradle的情况下构建项目。Gradle Wrapper通过一个轻量级的脚本&#xff08;gradlew 或 gradlew.bat&#xff09;和一个JAR文件&#xff08;gradle-wrapper.jar&#xff09;来…

[C++初阶]list类的初步理解

一、标准库的list类 list的底层是一个带哨兵位的双向循环链表结构 对比forward_list的单链表结构&#xff0c;list的迭代器是一个双向迭代器 与vector等顺序结构的容器相比&#xff0c;list在任意位置进行插入删除的效率更好&#xff0c;但是不支持任意位置的随机访问 list是一…

mac生成.dmg压缩镜像文件

mac生成.dmg压缩镜像文件 背景准备内容步骤1&#xff0c;找一个文件夹2&#xff0c;制作application替身1&#xff0c;终端方式2&#xff0c;黄金右手方式 3&#xff0c;.app文件放入文件夹4&#xff0c;制作.dmg压缩镜像文件5&#xff0c;安装.dmg 总结 背景 为绕开App Store…

视频融合共享平台视频共享融合赋能平台数字化升级医疗体系

在当前&#xff0c;医疗健康直接关系到国计民生&#xff0c;然而&#xff0c;由于医疗水平和资源分布不均&#xff0c;以及信息系统老化等问题&#xff0c;整体医疗服务能力和水平的提升受到了限制。视频融合云平台作为数字医疗发展的关键推动力量&#xff0c;在医疗领域的广泛…

java后台报错get property [ ID] setter method from class fail

问题重现&#xff1a;在不同用户登录使用功能时&#xff0c;有部分用户出现接口报错&#xff0c;如下 get property [ ID] setter method from class fail 在XXX类中找不到ID属性 问题排查&#xff1a;后端为拼接sql select st_id as id, st_name as name from stud…

在 MyBatis-Plus 中,字段更新为 null 的方法

在 MyBatis-Plus 中&#xff0c;BaseMapper#updateById 方法默认情况下不会更新为 null 的字段。要更新为 null&#xff0c;需要进行一些配置&#xff0c;或者自定义update方法。 这里记录一下使用BaseMapper中UpdateWrapper进行null值更新。 UpdateWrapper<ErpProductSupp…

Docker部署gitlab私有仓库后查看root默认密码以及修改external_url路径和端口的方法

文章目录 1、docker部署最新版gitlab2、进入gitlab容器3、修改路径地址ip和端口4、检验效果 1、docker部署最新版gitlab #docker安装命令 docker run --detach \--name gitlab \--restart always \-p 1080:80 \-p 10443:443 \-p 1022:22 \-v /gitlab/config:/etc/gitlab \-v …

MacOS 开发 — Packages 程序 macOS新版本 演示选项卡无法显示

MacOS 开发 — Packages 程序 macOS新版本 演示选项卡无法显示 问题描述 &#xff1a; 之前写过 Packages 的使用以及如何打包macOS程序。最近更新了新的macOS系统&#xff0c;发现Packages的演示选项卡无法显示&#xff0c;我尝试从新安转了Packages 也是没作用&#xff0c;…