Skip to content

Commit c27e4e4

Browse files
authored
Gitea Support (#381)
* Add Gitea Repository Type * Update Readme with gitea configs * Add Gitea Configs and createGiteaRepo function * copied test from gitlab, changed values/variable * Prettified Code! * Update README.md * update test configs * bug fix * add release gitea.json for testing * rename * append mockedersponses * test * update readme * style update * style update Co-authored-by: phillopp <[email protected]>
1 parent 238f9b0 commit c27e4e4

File tree

7 files changed

+461
-0
lines changed

7 files changed

+461
-0
lines changed

README.md

+16
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@ functionality for your Laravel application.
1414

1515
- GitHub
1616
- Gitlab
17+
- Gitea
1718
- Http-based archives
1819

1920
Usually you need this when distributing a self-hosted Laravel application
@@ -206,6 +207,21 @@ The archive URL should contain nothing more than a simple directory listing with
206207

207208
The target archive files must be zip archives and should contain all files on root level, not within an additional folder named like the archive itself.
208209

210+
### Using Gitea
211+
212+
With _Gitea_ you can use your own Gitea-Instance with tag-releases.
213+
214+
To use it, use the following settings in your `.env` file:
215+
216+
| Config name | Value / Description |
217+
| --------------------------------------- | --------------------------------------- |
218+
| SELF_UPDATER_SOURCE | `gitea` |
219+
| SELF_UPDATER_GITEA_URL | URL of Gitea Server |
220+
| SELF_UPDATER_REPO_VENDOR | Repo Vendor Name |
221+
| SELF_UPDATER_REPO_NAME | Repo Name |
222+
| SELF_UPDATER_GITEA_PRIVATE_ACCESS_TOKEN | Access Token from Gitea |
223+
| SELF_UPDATER_DOWNLOAD_PATH | Download path on the webapp host server |
224+
209225
## Contributing
210226

211227
Please see the [contributing guide](CONTRIBUTING.md).

config/self-update.php

+8
Original file line numberDiff line numberDiff line change
@@ -62,6 +62,14 @@
6262
'download_path' => env('SELF_UPDATER_DOWNLOAD_PATH', '/tmp'),
6363
'private_access_token' => env('SELF_UPDATER_HTTP_PRIVATE_ACCESS_TOKEN', ''),
6464
],
65+
'gitea' => [
66+
'type' => 'gitea',
67+
'repository_vendor' => env('SELF_UPDATER_REPO_VENDOR', ''),
68+
'gitea_url' => env('SELF_UPDATER_GITEA_URL', ''),
69+
'repository_name' => env('SELF_UPDATER_REPO_NAME', ''),
70+
'download_path' => env('SELF_UPDATER_DOWNLOAD_PATH', '/tmp'),
71+
'private_access_token' => env('SELF_UPDATER_GITEA_PRIVATE_ACCESS_TOKEN', ''),
72+
],
6573
],
6674

6775
/*
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,165 @@
1+
<?php
2+
3+
declare(strict_types=1);
4+
5+
namespace Codedge\Updater\SourceRepositoryTypes;
6+
7+
use Codedge\Updater\Contracts\SourceRepositoryTypeContract;
8+
use Codedge\Updater\Events\UpdateAvailable;
9+
use Codedge\Updater\Exceptions\ReleaseException;
10+
use Codedge\Updater\Exceptions\VersionException;
11+
use Codedge\Updater\Models\Release;
12+
use Codedge\Updater\Models\UpdateExecutor;
13+
use Codedge\Updater\Traits\UseVersionFile;
14+
use Exception;
15+
use GuzzleHttp\Exception\InvalidArgumentException;
16+
use GuzzleHttp\Utils;
17+
use Illuminate\Http\Client\Response;
18+
use Illuminate\Support\Collection;
19+
use Illuminate\Support\Facades\Http;
20+
use Illuminate\Support\Facades\Log;
21+
use Illuminate\Support\Str;
22+
23+
class GiteaRepositoryType implements SourceRepositoryTypeContract
24+
{
25+
use UseVersionFile;
26+
27+
const BASE_URL = 'https://gitlab.com';
28+
29+
protected array $config;
30+
protected Release $release;
31+
protected UpdateExecutor $updateExecutor;
32+
33+
public function __construct(UpdateExecutor $updateExecutor)
34+
{
35+
$this->config = config('self-update.repository_types.gitea');
36+
37+
$this->release = resolve(Release::class);
38+
$this->release->setStoragePath(Str::finish($this->config['download_path'], DIRECTORY_SEPARATOR))
39+
->setUpdatePath(base_path(), config('self-update.exclude_folders'))
40+
->setAccessToken($this->config['private_access_token']);
41+
$this->release->setAccessTokenPrefix('token ');
42+
43+
$this->updateExecutor = $updateExecutor;
44+
}
45+
46+
public function update(Release $release): bool
47+
{
48+
return $this->updateExecutor->run($release);
49+
}
50+
51+
public function isNewVersionAvailable(string $currentVersion = ''): bool
52+
{
53+
$version = $currentVersion ?: $this->getVersionInstalled();
54+
55+
if (!$version) {
56+
throw VersionException::versionInstalledNotFound();
57+
}
58+
59+
$versionAvailable = $this->getVersionAvailable();
60+
61+
if (version_compare($version, $versionAvailable, '<')) {
62+
if (!$this->versionFileExists()) {
63+
$this->setVersionFile($versionAvailable);
64+
}
65+
event(new UpdateAvailable($versionAvailable));
66+
67+
return true;
68+
}
69+
70+
return false;
71+
}
72+
73+
public function getVersionInstalled(): string
74+
{
75+
return (string) config('self-update.version_installed');
76+
}
77+
78+
/**
79+
* Get the latest version that has been published in a certain repository.
80+
* Example: 2.6.5 or v2.6.5.
81+
*
82+
* @param string $prepend Prepend a string to the latest version
83+
* @param string $append Append a string to the latest version
84+
*
85+
* @throws Exception
86+
*/
87+
public function getVersionAvailable(string $prepend = '', string $append = ''): string
88+
{
89+
if ($this->versionFileExists()) {
90+
$version = $prepend.$this->getVersionFile().$append;
91+
} else {
92+
$response = $this->getReleases();
93+
94+
$releaseCollection = collect(json_decode($response->body()));
95+
$version = $prepend.$releaseCollection->first()->tag_name.$append;
96+
}
97+
98+
return $version;
99+
}
100+
101+
/**
102+
* @throws ReleaseException
103+
*/
104+
public function fetch(string $version = ''): Release
105+
{
106+
$response = $this->getReleases();
107+
108+
try {
109+
$releases = collect(Utils::jsonDecode($response->body()));
110+
} catch (InvalidArgumentException $e) {
111+
throw ReleaseException::noReleaseFound($version);
112+
}
113+
114+
if ($releases->isEmpty()) {
115+
throw ReleaseException::noReleaseFound($version);
116+
}
117+
118+
$release = $this->selectRelease($releases, $version);
119+
120+
$url = '/api/v1/repos/'.$this->config['repository_vendor'].'/'.$this->config['repository_name'].'/archive/'.$release->tag_name.'.zip';
121+
$downloadUrl = $this->config['gitea_url'].$url;
122+
123+
$this->release->setVersion($release->tag_name)
124+
->setRelease($release->tag_name.'.zip')
125+
->updateStoragePath()
126+
->setDownloadUrl($downloadUrl);
127+
128+
if (!$this->release->isSourceAlreadyFetched()) {
129+
$this->release->download();
130+
$this->release->extract();
131+
}
132+
133+
return $this->release;
134+
}
135+
136+
public function selectRelease(Collection $collection, string $version)
137+
{
138+
$release = $collection->first();
139+
140+
if (!empty($version)) {
141+
if ($collection->contains('tag_name', $version)) {
142+
$release = $collection->where('tag_name', $version)->first();
143+
} else {
144+
Log::info('No release for version "'.$version.'" found. Selecting latest.');
145+
}
146+
}
147+
148+
return $release;
149+
}
150+
151+
final public function getReleases(): Response
152+
{
153+
$url = '/api/v1/repos/'.$this->config['repository_vendor'].'/'.$this->config['repository_name'].'/releases';
154+
155+
$headers = [];
156+
157+
if ($this->release->hasAccessToken()) {
158+
$headers = [
159+
'Authorization' => $this->release->getAccessToken(),
160+
];
161+
}
162+
163+
return Http::withHeaders($headers)->get($this->config['gitea_url'].$url);
164+
}
165+
}

src/UpdaterManager.php

+6
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@
77
use Codedge\Updater\Contracts\SourceRepositoryTypeContract;
88
use Codedge\Updater\Contracts\UpdaterContract;
99
use Codedge\Updater\Models\UpdateExecutor;
10+
use Codedge\Updater\SourceRepositoryTypes\GiteaRepositoryType;
1011
use Codedge\Updater\SourceRepositoryTypes\GithubRepositoryType;
1112
use Codedge\Updater\SourceRepositoryTypes\GitlabRepositoryType;
1213
use Codedge\Updater\SourceRepositoryTypes\HttpRepositoryType;
@@ -106,4 +107,9 @@ protected function createHttpRepository(): SourceRepositoryTypeContract
106107
{
107108
return $this->sourceRepository($this->app->make(HttpRepositoryType::class));
108109
}
110+
111+
protected function createGiteaRepository(): SourceRepositoryTypeContract
112+
{
113+
return $this->sourceRepository($this->app->make(GiteaRepositoryType::class));
114+
}
109115
}

tests/Data/releases-gitea.json

+80
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,80 @@
1+
[
2+
{
3+
"id": 5801852,
4+
"tag_name": "0.0.2",
5+
"target_commitish": "master",
6+
"name": "Testrelease",
7+
"body": "",
8+
"url": "https://try.gitea.io/api/v1/repos/phillopp/emptyRepo/releases/5801851",
9+
"html_url": "https://try.gitea.io/phillopp/emptyRepo/releases/tag/0.0.2",
10+
"tarball_url": "https://try.gitea.io/phillopp/emptyRepo/archive/0.0.2.tar.gz",
11+
"zipball_url": "https://try.gitea.io/phillopp/emptyRepo/archive/0.0.2.zip",
12+
"draft": false,
13+
"prerelease": false,
14+
"created_at": "2022-08-18T09:34:20Z",
15+
"published_at": "2022-08-18T09:34:20Z",
16+
"author": {
17+
"id": 515025,
18+
"login": "phillopp",
19+
"login_name": "",
20+
"full_name": "",
21+
"email": "[email protected]",
22+
"avatar_url": "https://try.gitea.io/avatar/330ff1fe1bb56077547730562f9bb038",
23+
"language": "",
24+
"is_admin": false,
25+
"last_login": "0001-01-01T00:00:00Z",
26+
"created": "2022-08-18T09:21:28Z",
27+
"restricted": false,
28+
"active": false,
29+
"prohibit_login": false,
30+
"location": "",
31+
"website": "",
32+
"description": "",
33+
"visibility": "public",
34+
"followers_count": 0,
35+
"following_count": 0,
36+
"starred_repos_count": 0,
37+
"username": "phillopp"
38+
},
39+
"assets": []
40+
},
41+
{
42+
"id": 5801851,
43+
"tag_name": "0.0.1",
44+
"target_commitish": "master",
45+
"name": "Testrelease",
46+
"body": "",
47+
"url": "https://try.gitea.io/api/v1/repos/phillopp/emptyRepo/releases/5801851",
48+
"html_url": "https://try.gitea.io/phillopp/emptyRepo/releases/tag/0.0.1",
49+
"tarball_url": "https://try.gitea.io/phillopp/emptyRepo/archive/0.0.1.tar.gz",
50+
"zipball_url": "https://try.gitea.io/phillopp/emptyRepo/archive/0.0.1.zip",
51+
"draft": false,
52+
"prerelease": false,
53+
"created_at": "2022-08-17T09:34:20Z",
54+
"published_at": "2022-08-17T09:34:20Z",
55+
"author": {
56+
"id": 515025,
57+
"login": "phillopp",
58+
"login_name": "",
59+
"full_name": "",
60+
"email": "[email protected]",
61+
"avatar_url": "https://try.gitea.io/avatar/330ff1fe1bb56077547730562f9bb038",
62+
"language": "",
63+
"is_admin": false,
64+
"last_login": "0001-01-01T00:00:00Z",
65+
"created": "2022-08-18T09:21:28Z",
66+
"restricted": false,
67+
"active": false,
68+
"prohibit_login": false,
69+
"location": "",
70+
"website": "",
71+
"description": "",
72+
"visibility": "public",
73+
"followers_count": 0,
74+
"following_count": 0,
75+
"starred_repos_count": 0,
76+
"username": "phillopp"
77+
},
78+
"assets": []
79+
}
80+
]

0 commit comments

Comments
 (0)