mirror of
				https://github.com/go-gitea/gitea
				synced 2025-11-03 21:08:25 +00:00 
			
		
		
		
	* Added package store settings. * Added models. * Added generic package registry. * Added tests. * Added NuGet package registry. * Moved service index to api file. * Added NPM package registry. * Added Maven package registry. * Added PyPI package registry. * Summary is deprecated. * Changed npm name. * Sanitize project url. * Allow only scoped packages. * Added user interface. * Changed method name. * Added missing migration file. * Set page info. * Added documentation. * Added documentation links. * Fixed wrong error message. * Lint template files. * Fixed merge errors. * Fixed unit test storage path. * Switch to json module. * Added suggestions. * Added package webhook. * Add package api. * Fixed swagger file. * Fixed enum and comments. * Fixed NuGet pagination. * Print test names. * Added api tests. * Fixed access level. * Fix User unmarshal. * Added RubyGems package registry. * Fix lint. * Implemented io.Writer. * Added support for sha256/sha512 checksum files. * Improved maven-metadata.xml support. * Added support for symbol package uploads. * Added tests. * Added overview docs. * Added npm dependencies and keywords. * Added no-packages information. * Display file size. * Display asset count. * Fixed filter alignment. * Added package icons. * Formatted instructions. * Allow anonymous package downloads. * Fixed comments. * Fixed postgres test. * Moved file. * Moved models to models/packages. * Use correct error response format per client. * Use simpler search form. * Fixed IsProd. * Restructured data model. * Prevent empty filename. * Fix swagger. * Implemented user/org registry. * Implemented UI. * Use GetUserByIDCtx. * Use table for dependencies. * make svg * Added support for unscoped npm packages. * Add support for npm dist tags. * Added tests for npm tags. * Unlink packages if repository gets deleted. * Prevent user/org delete if a packages exist. * Use package unlink in repository service. * Added support for composer packages. * Restructured package docs. * Added missing tests. * Fixed generic content page. * Fixed docs. * Fixed swagger. * Added missing type. * Fixed ambiguous column. * Organize content store by sha256 hash. * Added admin package management. * Added support for sorting. * Add support for multiple identical versions/files. * Added missing repository unlink. * Added file properties. * make fmt * lint * Added Conan package registry. * Updated docs. * Unify package names. * Added swagger enum. * Use longer TEXT column type. * Removed version composite key. * Merged package and container registry. * Removed index. * Use dedicated package router. * Moved files to new location. * Updated docs. * Fixed JOIN order. * Fixed GROUP BY statement. * Fixed GROUP BY #2. * Added symbol server support. * Added more tests. * Set NOT NULL. * Added setting to disable package registries. * Moved auth into service. * refactor * Use ctx everywhere. * Added package cleanup task. * Changed packages path. * Added container registry. * Refactoring * Updated comparison. * Fix swagger. * Fixed table order. * Use token auth for npm routes. * Enabled ReverseProxy auth. * Added packages link for orgs. * Fixed anonymous org access. * Enable copy button for setup instructions. * Merge error * Added suggestions. * Fixed merge. * Handle "generic". * Added link for TODO. * Added suggestions. * Changed temporary buffer filename. * Added suggestions. * Apply suggestions from code review Co-authored-by: Thomas Boerger <thomas@webhippie.de> * Update docs/content/doc/packages/nuget.en-us.md Co-authored-by: wxiaoguang <wxiaoguang@gmail.com> Co-authored-by: Thomas Boerger <thomas@webhippie.de>
		
			
				
	
	
		
			223 lines
		
	
	
		
			6.9 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			223 lines
		
	
	
		
			6.9 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
// Copyright 2021 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 rubygems
 | 
						|
 | 
						|
import (
 | 
						|
	"archive/tar"
 | 
						|
	"compress/gzip"
 | 
						|
	"errors"
 | 
						|
	"io"
 | 
						|
	"regexp"
 | 
						|
	"strings"
 | 
						|
 | 
						|
	"code.gitea.io/gitea/modules/validation"
 | 
						|
 | 
						|
	"gopkg.in/yaml.v2"
 | 
						|
)
 | 
						|
 | 
						|
var (
 | 
						|
	// ErrMissingMetadataFile indicates a missing metadata.gz file
 | 
						|
	ErrMissingMetadataFile = errors.New("Metadata file is missing")
 | 
						|
	// ErrInvalidName indicates an invalid id in the metadata.gz file
 | 
						|
	ErrInvalidName = errors.New("Metadata file contains an invalid name")
 | 
						|
	// ErrInvalidVersion indicates an invalid version in the metadata.gz file
 | 
						|
	ErrInvalidVersion = errors.New("Metadata file contains an invalid version")
 | 
						|
)
 | 
						|
 | 
						|
var versionMatcher = regexp.MustCompile(`\A[0-9]+(?:\.[0-9a-zA-Z]+)*(?:-[0-9A-Za-z-]+(?:\.[0-9A-Za-z-]+)*)?\z`)
 | 
						|
 | 
						|
// Package represents a RubyGems package
 | 
						|
type Package struct {
 | 
						|
	Name     string
 | 
						|
	Version  string
 | 
						|
	Metadata *Metadata
 | 
						|
}
 | 
						|
 | 
						|
// Metadata represents the metadata of a RubyGems package
 | 
						|
type Metadata struct {
 | 
						|
	Platform                string               `json:"platform,omitempty"`
 | 
						|
	Description             string               `json:"description,omitempty"`
 | 
						|
	Summary                 string               `json:"summary,omitempty"`
 | 
						|
	Authors                 []string             `json:"authors,omitempty"`
 | 
						|
	Licenses                []string             `json:"licenses,omitempty"`
 | 
						|
	RequiredRubyVersion     []VersionRequirement `json:"required_ruby_version,omitempty"`
 | 
						|
	RequiredRubygemsVersion []VersionRequirement `json:"required_rubygems_version,omitempty"`
 | 
						|
	ProjectURL              string               `json:"project_url,omitempty"`
 | 
						|
	RuntimeDependencies     []Dependency         `json:"runtime_dependencies,omitempty"`
 | 
						|
	DevelopmentDependencies []Dependency         `json:"development_dependencies,omitempty"`
 | 
						|
}
 | 
						|
 | 
						|
// VersionRequirement represents a version restriction
 | 
						|
type VersionRequirement struct {
 | 
						|
	Restriction string `json:"restriction"`
 | 
						|
	Version     string `json:"version"`
 | 
						|
}
 | 
						|
 | 
						|
// Dependency represents a dependency of a RubyGems package
 | 
						|
type Dependency struct {
 | 
						|
	Name    string               `json:"name"`
 | 
						|
	Version []VersionRequirement `json:"version"`
 | 
						|
}
 | 
						|
 | 
						|
type gemspec struct {
 | 
						|
	Name    string `yaml:"name"`
 | 
						|
	Version struct {
 | 
						|
		Version string `yaml:"version"`
 | 
						|
	} `yaml:"version"`
 | 
						|
	Platform     string        `yaml:"platform"`
 | 
						|
	Authors      []string      `yaml:"authors"`
 | 
						|
	Autorequire  interface{}   `yaml:"autorequire"`
 | 
						|
	Bindir       string        `yaml:"bindir"`
 | 
						|
	CertChain    []interface{} `yaml:"cert_chain"`
 | 
						|
	Date         string        `yaml:"date"`
 | 
						|
	Dependencies []struct {
 | 
						|
		Name                string      `yaml:"name"`
 | 
						|
		Requirement         requirement `yaml:"requirement"`
 | 
						|
		Type                string      `yaml:"type"`
 | 
						|
		Prerelease          bool        `yaml:"prerelease"`
 | 
						|
		VersionRequirements requirement `yaml:"version_requirements"`
 | 
						|
	} `yaml:"dependencies"`
 | 
						|
	Description    string        `yaml:"description"`
 | 
						|
	Email          string        `yaml:"email"`
 | 
						|
	Executables    []string      `yaml:"executables"`
 | 
						|
	Extensions     []interface{} `yaml:"extensions"`
 | 
						|
	ExtraRdocFiles []string      `yaml:"extra_rdoc_files"`
 | 
						|
	Files          []string      `yaml:"files"`
 | 
						|
	Homepage       string        `yaml:"homepage"`
 | 
						|
	Licenses       []string      `yaml:"licenses"`
 | 
						|
	Metadata       struct {
 | 
						|
		BugTrackerURI    string `yaml:"bug_tracker_uri"`
 | 
						|
		ChangelogURI     string `yaml:"changelog_uri"`
 | 
						|
		DocumentationURI string `yaml:"documentation_uri"`
 | 
						|
		SourceCodeURI    string `yaml:"source_code_uri"`
 | 
						|
	} `yaml:"metadata"`
 | 
						|
	PostInstallMessage      interface{}   `yaml:"post_install_message"`
 | 
						|
	RdocOptions             []interface{} `yaml:"rdoc_options"`
 | 
						|
	RequirePaths            []string      `yaml:"require_paths"`
 | 
						|
	RequiredRubyVersion     requirement   `yaml:"required_ruby_version"`
 | 
						|
	RequiredRubygemsVersion requirement   `yaml:"required_rubygems_version"`
 | 
						|
	Requirements            []interface{} `yaml:"requirements"`
 | 
						|
	RubygemsVersion         string        `yaml:"rubygems_version"`
 | 
						|
	SigningKey              interface{}   `yaml:"signing_key"`
 | 
						|
	SpecificationVersion    int           `yaml:"specification_version"`
 | 
						|
	Summary                 string        `yaml:"summary"`
 | 
						|
	TestFiles               []interface{} `yaml:"test_files"`
 | 
						|
}
 | 
						|
 | 
						|
type requirement struct {
 | 
						|
	Requirements [][]interface{} `yaml:"requirements"`
 | 
						|
}
 | 
						|
 | 
						|
// AsVersionRequirement converts into []VersionRequirement
 | 
						|
func (r requirement) AsVersionRequirement() []VersionRequirement {
 | 
						|
	requirements := make([]VersionRequirement, 0, len(r.Requirements))
 | 
						|
	for _, req := range r.Requirements {
 | 
						|
		if len(req) != 2 {
 | 
						|
			continue
 | 
						|
		}
 | 
						|
		restriction, ok := req[0].(string)
 | 
						|
		if !ok {
 | 
						|
			continue
 | 
						|
		}
 | 
						|
		vm, ok := req[1].(map[interface{}]interface{})
 | 
						|
		if !ok {
 | 
						|
			continue
 | 
						|
		}
 | 
						|
		versionInt, ok := vm["version"]
 | 
						|
		if !ok {
 | 
						|
			continue
 | 
						|
		}
 | 
						|
		version, ok := versionInt.(string)
 | 
						|
		if !ok || version == "0" {
 | 
						|
			continue
 | 
						|
		}
 | 
						|
 | 
						|
		requirements = append(requirements, VersionRequirement{
 | 
						|
			Restriction: restriction,
 | 
						|
			Version:     version,
 | 
						|
		})
 | 
						|
	}
 | 
						|
	return requirements
 | 
						|
}
 | 
						|
 | 
						|
// ParsePackageMetaData parses the metadata of a Gem package file
 | 
						|
func ParsePackageMetaData(r io.Reader) (*Package, error) {
 | 
						|
	archive := tar.NewReader(r)
 | 
						|
	for {
 | 
						|
		hdr, err := archive.Next()
 | 
						|
		if err == io.EOF {
 | 
						|
			break
 | 
						|
		}
 | 
						|
		if err != nil {
 | 
						|
			return nil, err
 | 
						|
		}
 | 
						|
 | 
						|
		if hdr.Name == "metadata.gz" {
 | 
						|
			return parseMetadataFile(archive)
 | 
						|
		}
 | 
						|
	}
 | 
						|
 | 
						|
	return nil, ErrMissingMetadataFile
 | 
						|
}
 | 
						|
 | 
						|
func parseMetadataFile(r io.Reader) (*Package, error) {
 | 
						|
	zr, err := gzip.NewReader(r)
 | 
						|
	if err != nil {
 | 
						|
		return nil, err
 | 
						|
	}
 | 
						|
	defer zr.Close()
 | 
						|
 | 
						|
	var spec gemspec
 | 
						|
	if err := yaml.NewDecoder(zr).Decode(&spec); err != nil {
 | 
						|
		return nil, err
 | 
						|
	}
 | 
						|
 | 
						|
	if len(spec.Name) == 0 || strings.Contains(spec.Name, "/") {
 | 
						|
		return nil, ErrInvalidName
 | 
						|
	}
 | 
						|
 | 
						|
	if !versionMatcher.MatchString(spec.Version.Version) {
 | 
						|
		return nil, ErrInvalidVersion
 | 
						|
	}
 | 
						|
 | 
						|
	if !validation.IsValidURL(spec.Homepage) {
 | 
						|
		spec.Homepage = ""
 | 
						|
	}
 | 
						|
	if !validation.IsValidURL(spec.Metadata.SourceCodeURI) {
 | 
						|
		spec.Metadata.SourceCodeURI = ""
 | 
						|
	}
 | 
						|
 | 
						|
	m := &Metadata{
 | 
						|
		Platform:                spec.Platform,
 | 
						|
		Description:             spec.Description,
 | 
						|
		Summary:                 spec.Summary,
 | 
						|
		Authors:                 spec.Authors,
 | 
						|
		Licenses:                spec.Licenses,
 | 
						|
		ProjectURL:              spec.Homepage,
 | 
						|
		RequiredRubyVersion:     spec.RequiredRubyVersion.AsVersionRequirement(),
 | 
						|
		RequiredRubygemsVersion: spec.RequiredRubygemsVersion.AsVersionRequirement(),
 | 
						|
		DevelopmentDependencies: make([]Dependency, 0, 5),
 | 
						|
		RuntimeDependencies:     make([]Dependency, 0, 5),
 | 
						|
	}
 | 
						|
 | 
						|
	for _, gemdep := range spec.Dependencies {
 | 
						|
		dep := Dependency{
 | 
						|
			Name:    gemdep.Name,
 | 
						|
			Version: gemdep.Requirement.AsVersionRequirement(),
 | 
						|
		}
 | 
						|
		if gemdep.Type == ":runtime" {
 | 
						|
			m.RuntimeDependencies = append(m.RuntimeDependencies, dep)
 | 
						|
		} else {
 | 
						|
			m.DevelopmentDependencies = append(m.DevelopmentDependencies, dep)
 | 
						|
		}
 | 
						|
	}
 | 
						|
 | 
						|
	return &Package{
 | 
						|
		Name:     spec.Name,
 | 
						|
		Version:  spec.Version.Version,
 | 
						|
		Metadata: m,
 | 
						|
	}, nil
 | 
						|
}
 |