summaryrefslogtreecommitdiffstats
path: root/modules/lfs/transferadapter.go
blob: fbc3a3ad8c71685925e594947df4e31772ff053e (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
// Copyright 2021 The Gitea Authors. All rights reserved.
// SPDX-License-Identifier: MIT

package lfs

import (
	"bytes"
	"context"
	"io"
	"net/http"

	"code.gitea.io/gitea/modules/json"
	"code.gitea.io/gitea/modules/log"
)

// TransferAdapter represents an adapter for downloading/uploading LFS objects.
type TransferAdapter interface {
	Name() string
	Download(ctx context.Context, l *Link) (io.ReadCloser, error)
	Upload(ctx context.Context, l *Link, p Pointer, r io.Reader) error
	Verify(ctx context.Context, l *Link, p Pointer) error
}

// BasicTransferAdapter implements the "basic" adapter.
type BasicTransferAdapter struct {
	client *http.Client
}

// Name returns the name of the adapter.
func (a *BasicTransferAdapter) Name() string {
	return "basic"
}

// Download reads the download location and downloads the data.
func (a *BasicTransferAdapter) Download(ctx context.Context, l *Link) (io.ReadCloser, error) {
	req, err := createRequest(ctx, http.MethodGet, l.Href, l.Header, nil)
	if err != nil {
		return nil, err
	}
	log.Debug("Download Request: %+v", req)
	resp, err := performRequest(ctx, a.client, req)
	if err != nil {
		return nil, err
	}
	return resp.Body, nil
}

// Upload sends the content to the LFS server.
func (a *BasicTransferAdapter) Upload(ctx context.Context, l *Link, p Pointer, r io.Reader) error {
	req, err := createRequest(ctx, http.MethodPut, l.Href, l.Header, r)
	if err != nil {
		return err
	}
	if req.Header.Get("Content-Type") == "" {
		req.Header.Set("Content-Type", "application/octet-stream")
	}
	if req.Header.Get("Transfer-Encoding") == "chunked" {
		req.TransferEncoding = []string{"chunked"}
	}
	req.ContentLength = p.Size

	res, err := performRequest(ctx, a.client, req)
	if err != nil {
		return err
	}
	defer res.Body.Close()
	return nil
}

// Verify calls the verify handler on the LFS server
func (a *BasicTransferAdapter) Verify(ctx context.Context, l *Link, p Pointer) error {
	b, err := json.Marshal(p)
	if err != nil {
		log.Error("Error encoding json: %v", err)
		return err
	}

	req, err := createRequest(ctx, http.MethodPost, l.Href, l.Header, bytes.NewReader(b))
	if err != nil {
		return err
	}
	req.Header.Set("Content-Type", MediaType)
	res, err := performRequest(ctx, a.client, req)
	if err != nil {
		return err
	}
	defer res.Body.Close()
	return nil
}