mirror of
https://github.com/go-gitea/gitea.git
synced 2025-10-24 09:04:23 +02:00
Found via `codespell -q 3 -S ./options/locale,./options/license,./public/vendor,./web_src/fomantic -L actived,allways,attachements,ba,befores,commiter,pullrequest,pullrequests,readby,splitted,te,unknwon` Co-authored-by: techknowlogick <techknowlogick@gitea.io>
98 lines
1.9 KiB
Go
98 lines
1.9 KiB
Go
// Copyright 2022 The Gitea Authors. All rights reserved.
|
|
// Use of this source code is governed by a MIT-style
|
|
// license that can be found in the LICENSE file.
|
|
|
|
package vagrant
|
|
|
|
import (
|
|
"archive/tar"
|
|
"compress/gzip"
|
|
"io"
|
|
"strings"
|
|
|
|
"code.gitea.io/gitea/modules/json"
|
|
"code.gitea.io/gitea/modules/validation"
|
|
)
|
|
|
|
const (
|
|
PropertyProvider = "vagrant.provider"
|
|
)
|
|
|
|
// Metadata represents the metadata of a Vagrant package
|
|
type Metadata struct {
|
|
Author string `json:"author,omitempty"`
|
|
Description string `json:"description,omitempty"`
|
|
ProjectURL string `json:"project_url,omitempty"`
|
|
RepositoryURL string `json:"repository_url,omitempty"`
|
|
}
|
|
|
|
// ParseMetadataFromBox parses the metadata of a box file
|
|
func ParseMetadataFromBox(r io.Reader) (*Metadata, error) {
|
|
gzr, err := gzip.NewReader(r)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
defer gzr.Close()
|
|
|
|
tr := tar.NewReader(gzr)
|
|
for {
|
|
hd, err := tr.Next()
|
|
if err == io.EOF {
|
|
break
|
|
}
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
if hd.Typeflag != tar.TypeReg {
|
|
continue
|
|
}
|
|
|
|
if hd.Name == "info.json" {
|
|
return ParseInfoFile(tr)
|
|
}
|
|
}
|
|
|
|
return &Metadata{}, nil
|
|
}
|
|
|
|
// ParseInfoFile parses a info.json file to retrieve the metadata of a Vagrant package
|
|
func ParseInfoFile(r io.Reader) (*Metadata, error) {
|
|
var values map[string]string
|
|
if err := json.NewDecoder(r).Decode(&values); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
m := &Metadata{}
|
|
|
|
// There is no defined format for this file, just try the common keys
|
|
for k, v := range values {
|
|
switch strings.ToLower(k) {
|
|
case "description":
|
|
fallthrough
|
|
case "short_description":
|
|
m.Description = v
|
|
case "website":
|
|
fallthrough
|
|
case "homepage":
|
|
fallthrough
|
|
case "url":
|
|
if validation.IsValidURL(v) {
|
|
m.ProjectURL = v
|
|
}
|
|
case "repository":
|
|
fallthrough
|
|
case "source":
|
|
if validation.IsValidURL(v) {
|
|
m.RepositoryURL = v
|
|
}
|
|
case "author":
|
|
fallthrough
|
|
case "authors":
|
|
m.Author = v
|
|
}
|
|
}
|
|
|
|
return m, nil
|
|
}
|