百度360必应搜狗淘宝本站头条
当前位置:网站首页 > 软件资讯 > 正文

将本地jar 批量发布到 Nexus 私服

ninehua 2024-12-13 15:33 9 浏览

前言

在日常开发过程中,我们有遇到将项目依赖通过 mvn deploy 发布到自己的公司的私服,以便其他人/环境统一下载入口。但是也有一些特殊情况,比如只能拿到第三方(或甲方)的依赖jar ,并不能拿到源码,所以只能将jar 通过 mvn deploy:deploy-file 发布到nexus,供构建环境下载依赖,一个两个还好,那几十个呢?所以,自己就用go 写了个发布工具。

问题/需求描述

项目性质决定我们的开发模式(苦逼项目外包),由甲方提供基础框架,我们基于基础框架进行业务开发,但是甲方不提供源码或者编译构建环境,需要申请VPN 已经访问账号,如果对方的VPN 网络不通畅很容易影响开发进度;而且,我们自己的构建环境没法通过他们的VPN 去下载依赖,所以,需要解决以下问题:

  • 连甲方的VPN 下载基础框架的依赖(十几个包,而且还是 SNAPSHOT)
  • 将基础框架的依赖发布到我们私服

解决方案

使用 mvn deploy:deploy-file命令发布到私服,我们先看看需要哪些参数:

  • -Dfile需要发布jar包的绝对路径
  • -DgroupId 对应pom 里面的 <groupId>groupId</groupId>
  • -DartifactId 对应pom 里面的 <artifactId>artifactId</artifactId>
  • -Dversion 对应pom 里面的 <version>version</version>
  • -Dpackaging 对应pom 里面的 <packaging>packaging</packaging> ,比如 jarpom
  • -DrepositoryId 仓库ID
  • -Durl 远程仓库地址

经过观察,我们本地仓库的依赖目录结构,会有两个关键内容,一个是jar 编译包,另个就是当前jar的maven 描述,如下图:

jar 都知道是需要发布到私服的文件,最关键的是 xxx-xxx-xxx.pom 描述文件,我们可以通过解析这个描述文件拿到 maven的 groupId、artifactId、version关键信息。

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<!-- This module was also published with a richer model, Gradle metadata, -->
<!-- which should be used instead. Do not delete the following line which -->
<!-- is to indicate to Gradle or any Gradle module metadata file consumer -->
<!-- that they should prefer consuming it instead. -->
<!-- do_not_remove: published-with-gradle-metadata -->
<modelVersion>4.0.0</modelVersion>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot</artifactId>
<version>2.7.6</version>
<name>spring-boot</name>
<description>Spring Boot</description>
<url>https://spring.io/projects/spring-boot</url>
<organization>
<name>Pivotal Software, Inc.</name>
<url>https://spring.io</url>
</organization>
<licenses>
<license>
<name>Apache License, Version 2.0</name>
<url>https://www.apache.org/licenses/LICENSE-2.0</url>
</license>
</licenses>
<developers>
<developer>
<name>Pivotal</name>
<email>info@pivotal.io</email>
<organization>Pivotal Software, Inc.</organization>
<organizationUrl>https://www.spring.io</organizationUrl>
</developer>
</developers>
<scm>
<connection>scm:git:git://github.com/spring-projects/spring-boot.git</connection>
<developerConnection>scm:git:ssh://git@github.com/spring-projects/spring-boot.git</developerConnection>
<url>https://github.com/spring-projects/spring-boot</url>
</scm>
<issueManagement>
<system>GitHub</system>
<url>https://github.com/spring-projects/spring-boot/issues</url>
</issueManagement>
<dependencies>
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-core</artifactId>
<version>5.3.24</version>
<scope>compile</scope>
</dependency>
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-context</artifactId>
<version>5.3.24</version>
<scope>compile</scope>
</dependency>
</dependencies>
</project>

分析完成之后,就可以知道代码的实现逻辑了,读取某个目录下的所有文件(含子目录),文件包含jar 以及 pom.xml 文件获取maven 坐标以及版本信息,代码:

// 查找需要发布的jar文件
func findDeployFile() ([]DeployFile, error) {
var deployeFilesSlice []DeployFile
err := filepath.Walk(RootPath, func(path string, info fs.FileInfo, err error) error {
if err != nil {
log.Fatal(err)
return err
}
if !info.IsDir() {
s := strings.Split(path, "\\")
// 取上一层目录,作为版本
version := s[len(s)-2 : len(s)-1]
if strings.Contains(info.Name(), version[0]) && strings.HasSuffix(info.Name(), ".pom") {
p, _ := getPom(path)
if strings.Contains(info.Name(), p.Version) {
var _path = path
if p.Packaging == "jar" {
_path = strings.Replace(_path, ".pom", ".jar", 1)
}
var depolyeFile = DeployFile{FilePath: _path, PomConfig: p}
deployeFilesSlice = append(deployeFilesSlice, depolyeFile)
}
}
}
return nil
})
if err != nil {
return nil, err
}
return deployeFilesSlice, nil
}
// 读取pom 文件,获取坐标
func getPom(path string) (Pom, error) {
fmt.Printf("path: %v\n", path)
file, err := os.Open(path)
if err != nil {
log.Fatal(err)
return Pom{}, err
}
// 关闭流
defer file.Close()
// 读取xml 文件
b, err2 := ioutil.ReadAll(file)
if err2 != nil {
log.Fatal(err2)
return Pom{}, err2
}
s := strings.Split(path, "\\")
v := Pom{}
err3 := xml.Unmarshal(b, &v)
if err != nil {
log.Fatal(err3)
}
if v.GroupId == "" {
v.GroupId = v.Parent.GroupId
}
if v.Packaging == "" {
v.Packaging = "jar"
}
if v.Version == "" {
// 取上一层目录,作为版本
version := s[len(s)-2 : len(s)-1]
v.Version = version[0]
}
fmt.Printf("version: %v\n", v.Version)
// fmt.Printf("v: %v\n", v)
return v, nil
}

拿到需要发布jar 的坐标关键信息之后,就是拼接 mvn deploy:deploy-file的命令并执行该命令。代码:

// 发布到私服
func deployeCMD(deployConfig DeployFile) {
var sourceFilePath = ""
if deployConfig.PomConfig.Packaging == "jar" {
sourceFilePath = "-Dsources=" + strings.Replace(deployConfig.FilePath, ".jar", "-sources.jar", 1)
}
cmd := exec.Command("mvn",
"deploy:deploy-file",
"-Dmaven.test.skip=true",
"-Dfile="+deployConfig.FilePath,
sourceFilePath,
"-DgroupId="+deployConfig.PomConfig.GroupId,
"-DartifactId="+deployConfig.PomConfig.ArtifactId,
"-Dversion="+deployConfig.PomConfig.Version,
"-Dpackaging="+deployConfig.PomConfig.Packaging,
"-DrepositoryId="+RerepositoryId,
"-Durl="+RemoteURL)
fmt.Printf("cmd.Args: %v\n", cmd.Args)
stdout, err := cmd.StdoutPipe()
if err != nil {
log.Fatal(err)
}
// 关闭流
defer stdout.Close()
// 输出命令执行结果
if err := cmd.Start(); err != nil { // 运行命令
log.Fatal(err)
}
if opBytes, err := ioutil.ReadAll(stdout); err != nil { // 读取输出结果
log.Fatal(err)
return
} else {
log.Println(string(opBytes))
}
}

到这里,将本地jar批量发布到nexus 的代码就算敲完了,下面附上完整的代码。

package main
import (
"encoding/xml"
"fmt"
"io/fs"
"io/ioutil"
"log"
"os"
"os/exec"
"path/filepath"
"strings"
)
type Pom struct {
XMLName xml.Name `xml:"project"`
GroupId string `xml:"groupId"`
ArtifactId string `xml:"artifactId"`
Version string `xml:"version"`
Packaging string `xml:"packaging"`
Parent Parent `xml:"parent"`
}
type Parent struct {
GroupId string `xml:"groupId"`
ArtifactId string `xml:"artifactId"`
Version string `xml:"version"`
}
type DeployFile struct {
FilePath string
PomConfig Pom
}
const (
RootPath string = "D:\\Baas\\leatop_jar\\leatop"
RemoteURL string = "https://middle.xxxx.cn/repository/mvn-leatop-snapshots/"
RerepositoryId string = "mvn-leatop-snapshots"
)
// 读取pom 文件,获取坐标
func getPom(path string) (Pom, error) {
fmt.Printf("path: %v\n", path)
file, err := os.Open(path)
if err != nil {
log.Fatal(err)
return Pom{}, err
}
// 关闭流
defer file.Close()
// 读取xml 文件
b, err2 := ioutil.ReadAll(file)
if err2 != nil {
log.Fatal(err2)
return Pom{}, err2
}
s := strings.Split(path, "\\")
v := Pom{}
err3 := xml.Unmarshal(b, &v)
if err != nil {
log.Fatal(err3)
}
if v.GroupId == "" {
v.GroupId = v.Parent.GroupId
}
if v.Packaging == "" {
v.Packaging = "jar"
}
if v.Version == "" {
// 取上一层目录,作为版本
version := s[len(s)-2 : len(s)-1]
v.Version = version[0]
}
fmt.Printf("version: %v\n", v.Version)
// fmt.Printf("v: %v\n", v)
return v, nil
}
// 查找需要发布的jar文件
func findDeployFile() ([]DeployFile, error) {
var deployeFilesSlice []DeployFile
err := filepath.Walk(RootPath, func(path string, info fs.FileInfo, err error) error {
if err != nil {
log.Fatal(err)
return err
}
if !info.IsDir() {
s := strings.Split(path, "\\")
// 取上一层目录,作为版本
version := s[len(s)-2 : len(s)-1]
if strings.Contains(info.Name(), version[0]) && strings.HasSuffix(info.Name(), ".pom") {
p, _ := getPom(path)
if strings.Contains(info.Name(), p.Version) {
var _path = path
if p.Packaging == "jar" {
_path = strings.Replace(_path, ".pom", ".jar", 1)
}
var depolyeFile = DeployFile{FilePath: _path, PomConfig: p}
deployeFilesSlice = append(deployeFilesSlice, depolyeFile)
}
}
}
return nil
})
if err != nil {
return nil, err
}
return deployeFilesSlice, nil
}
// 发布到私服
func deployeCMD(deployConfig DeployFile) {
var sourceFilePath = ""
if deployConfig.PomConfig.Packaging == "jar" {
sourceFilePath = "-Dsources=" + strings.Replace(deployConfig.FilePath, ".jar", "-sources.jar", 1)
}
cmd := exec.Command("mvn",
"deploy:deploy-file",
"-Dmaven.test.skip=true",
"-Dfile="+deployConfig.FilePath,
sourceFilePath,
"-DgroupId="+deployConfig.PomConfig.GroupId,
"-DartifactId="+deployConfig.PomConfig.ArtifactId,
"-Dversion="+deployConfig.PomConfig.Version,
"-Dpackaging="+deployConfig.PomConfig.Packaging,
"-DrepositoryId="+RerepositoryId,
"-Durl="+RemoteURL)
fmt.Printf("cmd.Args: %v\n", cmd.Args)
stdout, err := cmd.StdoutPipe()
if err != nil {
log.Fatal(err)
}
// 关闭流
defer stdout.Close()
// 输出命令执行结果
if err := cmd.Start(); err != nil { // 运行命令
log.Fatal(err)
}
if opBytes, err := ioutil.ReadAll(stdout); err != nil { // 读取输出结果
log.Fatal(err)
return
} else {
log.Println(string(opBytes))
}
}
func main() {
df, _ := findDeployFile()
for _, file := range df {
fmt.Printf("file: %v\n", file)
deployeCMD(file)
}
// cmd := exec.Command("mvn", "-version")
}

总结

在使用过程中需要注意的2点:

  • windows 下与mac 的目录结构不一样,需要调整
  • RootPath string = "D:\\Baas\\leatop_jar\\leatop" 这个目录不能直接是maven 本地仓库目录,需要单独出来

相关推荐

PS 2019软件分享 (免费分享) ps软件2019官方版网盘

小小愿景...

ps基础操作调整图像大小 #平面设计

大家好,从今天开始我将制作PS系列课程,从入门到精通。这边我用到的PS软件是PSCC2019版本。·首先打开PS软件,然后做一个基础的设置。在菜单栏中找到编辑菜单,找到首选项,然后点击常规。在跳出对...

这才是真正王者PS,修图美得吓人!送你UltimateRetouch汉化插件

Photoshop能做什么?PS使用领域多到无法想象,只要从事图形相关工作,就需要它。UltimateRetouchV3.7.55汉化版是一款非常强大的PS人像精修磨皮调色扩展面板(win/mac...

VAIO FH14笔记本评测:1.4Kg的高性能移动生产力 | 钛极客

VAIOFH14对于现代人来说,移动办公已经成为了主要工作模式。无论是公司还是家庭,一款轻薄且高性能的笔记本电脑,都成为了必须品。不知道大家对于轻薄工作本是什么印象,很多音视频内容创作者都认为它是一...

不吹不黑,PS最强样机插件Paper Panel,各种效果一键生成

俗话说得好工欲善其事,必先利其器想要成为一个优秀的设计...

Mac软件 PS CC2019软件安装教程 mac版photoshop2021安装解决教程

编辑搜图请点击输入图片描述1、软件更新介绍AdobePhotoshop,简称“PS”,是一款图像处理软件。PS主要处理以像素所构成的数字图像,使用其众多的编修与绘图工具,可以有效地进行图片编辑工作。...

觉得PS太难学?其实超简单!PS系列教程之历史记录画笔工具的介绍

PS入门免费公开课第十一节PhotoshopCC2019历史记录画笔工具的介绍与运用课程介绍:本课程是一个免费的PS入门公开课,适合设计爱好者、初学者学习;Photoshop广泛运用于广告设计、网页设...

Photoshop 2019 for Mac &amp; Windows 永久版,不用激活?白嫖?

最近Adobe家的PS又更新了,头条老是有各种推送,尝试了几个发现都是骗人的。什么“点赞、转发、评论,然后私信就送”,后来都不了了之骗关注。在我尝试了度娘得到的N个网站之后,终于遇到了今天要分享的...

超实用PS教程!(零基础入门) ps基础教程新手入教程视频

应用领域:摄影后期;海报设计;文字设计;移动界面;淘宝美工;网页设计;LOGO...

PS2018官方原版 v19.0 电脑版 ps2018版本怎么样

PS2018是一款图像处理软件,软件的界面也是十分的简洁又美观,其中操作使用也非常方便,是广大设计师、摄影师以及艺术家们必备的修图、P图神器的哦。同时软件现在可以让用户们使用便利的搜寻面板,在应用程序...

Ps、Ai、Ae 全部换新标!考验辨别能力的时候到了

上月底,Adobe更新了品牌形象系统,最大的变化莫过于标志性红色的更鲜艳明亮。从多色到单一颜色的转变,可以确保其在所有尺寸和所有环境中都能有良好的适应性。具体可详细阅读这篇文章:Adobe更新LO...

iPad版Photoshop CC应用开始接受公测申请

本周一,Adobe宣布适用于iPad的PhotoshopCC应用开始接受公测申请,这款备受期待的热门摄影/图片编辑工具将于今年晚些时候正式发布。目前Adobe已经向CreativeCloud订阅...

Photoshop CC 2019从入门到精通视频教程(含素材)

适用对象:PhotoshopCC2019...

PHOTOSHOP历年版本启动画面大全 ps历届版本

PS2.5PS3.0PS4.0PS5.0PS6.0PS7.0PSCSPSCS2PSCS3PSCS4PSCS5PSCS6...

完全免费Adobe Photoshop CC 2018图文安装步骤教程附Ps2018安装包

软件介绍软件名称:AdobePhotoshopCC2018...