wxiaoguang 4 weeks ago committed by GitHub
parent 4c4c56c7cd
commit 6f13331754
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194

@ -338,13 +338,7 @@ func Repos(ctx *context.Context) {
func Appearance(ctx *context.Context) { func Appearance(ctx *context.Context) {
ctx.Data["Title"] = ctx.Tr("settings.appearance") ctx.Data["Title"] = ctx.Tr("settings.appearance")
ctx.Data["PageIsSettingsAppearance"] = true ctx.Data["PageIsSettingsAppearance"] = true
ctx.Data["AllThemes"] = webtheme.GetAvailableThemes()
allThemes := webtheme.GetAvailableThemes()
if webtheme.IsThemeAvailable(setting.UI.DefaultTheme) {
allThemes = util.SliceRemoveAll(allThemes, setting.UI.DefaultTheme)
allThemes = append([]string{setting.UI.DefaultTheme}, allThemes...) // move the default theme to the top
}
ctx.Data["AllThemes"] = allThemes
ctx.Data["UserDisabledFeatures"] = user_model.DisabledFeaturesWithLoginType(ctx.Doer) ctx.Data["UserDisabledFeatures"] = user_model.DisabledFeaturesWithLoginType(ctx.Doer)
var hiddenCommentTypes *big.Int var hiddenCommentTypes *big.Int

@ -4,6 +4,7 @@
package webtheme package webtheme
import ( import (
"regexp"
"sort" "sort"
"strings" "strings"
"sync" "sync"
@ -12,63 +13,154 @@ import (
"code.gitea.io/gitea/modules/log" "code.gitea.io/gitea/modules/log"
"code.gitea.io/gitea/modules/public" "code.gitea.io/gitea/modules/public"
"code.gitea.io/gitea/modules/setting" "code.gitea.io/gitea/modules/setting"
"code.gitea.io/gitea/modules/util"
) )
var ( var (
availableThemes []string availableThemes []*ThemeMetaInfo
availableThemesSet container.Set[string] availableThemeInternalNames container.Set[string]
themeOnce sync.Once themeOnce sync.Once
) )
const (
fileNamePrefix = "theme-"
fileNameSuffix = ".css"
)
type ThemeMetaInfo struct {
FileName string
InternalName string
DisplayName string
}
func parseThemeMetaInfoToMap(cssContent string) map[string]string {
/*
The theme meta info is stored in the CSS file's variables of `gitea-theme-meta-info` element,
which is a privately defined and is only used by backend to extract the meta info.
Not using ":root" because it is difficult to parse various ":root" blocks when importing other files,
it is difficult to control the overriding, and it's difficult to avoid user's customized overridden styles.
*/
metaInfoContent := cssContent
if pos := strings.LastIndex(metaInfoContent, "gitea-theme-meta-info"); pos >= 0 {
metaInfoContent = metaInfoContent[pos:]
}
reMetaInfoItem := `
(
\s*(--[-\w]+)
\s*:
\s*(
("(\\"|[^"])*")
|('(\\'|[^'])*')
|([^'";]+)
)
\s*;
\s*
)
`
reMetaInfoItem = strings.ReplaceAll(reMetaInfoItem, "\n", "")
reMetaInfoBlock := `\bgitea-theme-meta-info\s*\{(` + reMetaInfoItem + `+)\}`
re := regexp.MustCompile(reMetaInfoBlock)
matchedMetaInfoBlock := re.FindAllStringSubmatch(metaInfoContent, -1)
if len(matchedMetaInfoBlock) == 0 {
return nil
}
re = regexp.MustCompile(strings.ReplaceAll(reMetaInfoItem, "\n", ""))
matchedItems := re.FindAllStringSubmatch(matchedMetaInfoBlock[0][1], -1)
m := map[string]string{}
for _, item := range matchedItems {
v := item[3]
if strings.HasPrefix(v, `"`) {
v = strings.TrimSuffix(strings.TrimPrefix(v, `"`), `"`)
v = strings.ReplaceAll(v, `\"`, `"`)
} else if strings.HasPrefix(v, `'`) {
v = strings.TrimSuffix(strings.TrimPrefix(v, `'`), `'`)
v = strings.ReplaceAll(v, `\'`, `'`)
}
m[item[2]] = v
}
return m
}
func defaultThemeMetaInfoByFileName(fileName string) *ThemeMetaInfo {
themeInfo := &ThemeMetaInfo{
FileName: fileName,
InternalName: strings.TrimSuffix(strings.TrimPrefix(fileName, fileNamePrefix), fileNameSuffix),
}
themeInfo.DisplayName = themeInfo.InternalName
return themeInfo
}
func defaultThemeMetaInfoByInternalName(fileName string) *ThemeMetaInfo {
return defaultThemeMetaInfoByFileName(fileNamePrefix + fileName + fileNameSuffix)
}
func parseThemeMetaInfo(fileName, cssContent string) *ThemeMetaInfo {
themeInfo := defaultThemeMetaInfoByFileName(fileName)
m := parseThemeMetaInfoToMap(cssContent)
if m == nil {
return themeInfo
}
themeInfo.DisplayName = m["--theme-display-name"]
return themeInfo
}
func initThemes() { func initThemes() {
availableThemes = nil availableThemes = nil
defer func() { defer func() {
availableThemesSet = container.SetOf(availableThemes...) availableThemeInternalNames = container.Set[string]{}
if !availableThemesSet.Contains(setting.UI.DefaultTheme) { for _, theme := range availableThemes {
availableThemeInternalNames.Add(theme.InternalName)
}
if !availableThemeInternalNames.Contains(setting.UI.DefaultTheme) {
setting.LogStartupProblem(1, log.ERROR, "Default theme %q is not available, please correct the '[ui].DEFAULT_THEME' setting in the config file", setting.UI.DefaultTheme) setting.LogStartupProblem(1, log.ERROR, "Default theme %q is not available, please correct the '[ui].DEFAULT_THEME' setting in the config file", setting.UI.DefaultTheme)
} }
}() }()
cssFiles, err := public.AssetFS().ListFiles("/assets/css") cssFiles, err := public.AssetFS().ListFiles("/assets/css")
if err != nil { if err != nil {
log.Error("Failed to list themes: %v", err) log.Error("Failed to list themes: %v", err)
availableThemes = []string{setting.UI.DefaultTheme} availableThemes = []*ThemeMetaInfo{defaultThemeMetaInfoByInternalName(setting.UI.DefaultTheme)}
return return
} }
var foundThemes []string var foundThemes []*ThemeMetaInfo
for _, name := range cssFiles { for _, fileName := range cssFiles {
name, ok := strings.CutPrefix(name, "theme-") if strings.HasPrefix(fileName, fileNamePrefix) && strings.HasSuffix(fileName, fileNameSuffix) {
if !ok { content, err := public.AssetFS().ReadFile("/assets/css/" + fileName)
if err != nil {
log.Error("Failed to read theme file %q: %v", fileName, err)
continue continue
} }
name, ok = strings.CutSuffix(name, ".css") foundThemes = append(foundThemes, parseThemeMetaInfo(fileName, util.UnsafeBytesToString(content)))
if !ok {
continue
} }
foundThemes = append(foundThemes, name)
} }
if len(setting.UI.Themes) > 0 { if len(setting.UI.Themes) > 0 {
allowedThemes := container.SetOf(setting.UI.Themes...) allowedThemes := container.SetOf(setting.UI.Themes...)
for _, theme := range foundThemes { for _, theme := range foundThemes {
if allowedThemes.Contains(theme) { if allowedThemes.Contains(theme.InternalName) {
availableThemes = append(availableThemes, theme) availableThemes = append(availableThemes, theme)
} }
} }
} else { } else {
availableThemes = foundThemes availableThemes = foundThemes
} }
sort.Strings(availableThemes) sort.Slice(availableThemes, func(i, j int) bool {
if availableThemes[i].InternalName == setting.UI.DefaultTheme {
return true
}
return availableThemes[i].DisplayName < availableThemes[j].DisplayName
})
if len(availableThemes) == 0 { if len(availableThemes) == 0 {
setting.LogStartupProblem(1, log.ERROR, "No theme candidate in asset files, but Gitea requires there should be at least one usable theme") setting.LogStartupProblem(1, log.ERROR, "No theme candidate in asset files, but Gitea requires there should be at least one usable theme")
availableThemes = []string{setting.UI.DefaultTheme} availableThemes = []*ThemeMetaInfo{defaultThemeMetaInfoByInternalName(setting.UI.DefaultTheme)}
} }
} }
func GetAvailableThemes() []string { func GetAvailableThemes() []*ThemeMetaInfo {
themeOnce.Do(initThemes) themeOnce.Do(initThemes)
return availableThemes return availableThemes
} }
func IsThemeAvailable(name string) bool { func IsThemeAvailable(internalName string) bool {
themeOnce.Do(initThemes) themeOnce.Do(initThemes)
return availableThemesSet.Contains(name) return availableThemeInternalNames.Contains(internalName)
} }

@ -0,0 +1,37 @@
// Copyright 2024 The Gitea Authors. All rights reserved.
// SPDX-License-Identifier: MIT
package webtheme
import (
"testing"
"github.com/stretchr/testify/assert"
)
func TestParseThemeMetaInfo(t *testing.T) {
m := parseThemeMetaInfoToMap(`gitea-theme-meta-info {
--k1: "v1";
--k2: "v\"2";
--k3: 'v3';
--k4: 'v\'4';
--k5: v5;
}`)
assert.Equal(t, map[string]string{
"--k1": "v1",
"--k2": `v"2`,
"--k3": "v3",
"--k4": "v'4",
"--k5": "v5",
}, m)
// if an auto theme imports others, the meta info should be extracted from the last one
// the meta in imported themes should be ignored to avoid incorrect overriding
m = parseThemeMetaInfoToMap(`
@media (prefers-color-scheme: dark) { gitea-theme-meta-info { --k1: foo; } }
@media (prefers-color-scheme: light) { gitea-theme-meta-info { --k1: bar; } }
gitea-theme-meta-info {
--k2: real;
}`)
assert.Equal(t, map[string]string{"--k2": "real"}, m)
}

@ -18,7 +18,7 @@
<label>{{ctx.Locale.Tr "settings.ui"}}</label> <label>{{ctx.Locale.Tr "settings.ui"}}</label>
<select name="theme" class="ui dropdown"> <select name="theme" class="ui dropdown">
{{range $theme := .AllThemes}} {{range $theme := .AllThemes}}
<option value="{{$theme}}" {{Iif (eq $.SignedUser.Theme $theme) "selected"}}>{{$theme}}</option> <option value="{{$theme.InternalName}}" {{Iif (eq $.SignedUser.Theme $theme.InternalName) "selected"}}>{{$theme.DisplayName}}</option>
{{end}} {{end}}
</select> </select>
</div> </div>

@ -1,2 +1,6 @@
@import "./theme-gitea-light-protanopia-deuteranopia.css" (prefers-color-scheme: light); @import "./theme-gitea-light-protanopia-deuteranopia.css" (prefers-color-scheme: light);
@import "./theme-gitea-dark-protanopia-deuteranopia.css" (prefers-color-scheme: dark); @import "./theme-gitea-dark-protanopia-deuteranopia.css" (prefers-color-scheme: dark);
gitea-theme-meta-info {
--theme-display-name: "Auto (Red/Green Colorblind-friendly)";
}

@ -1,2 +1,6 @@
@import "./theme-gitea-light.css" (prefers-color-scheme: light); @import "./theme-gitea-light.css" (prefers-color-scheme: light);
@import "./theme-gitea-dark.css" (prefers-color-scheme: dark); @import "./theme-gitea-dark.css" (prefers-color-scheme: dark);
gitea-theme-meta-info {
--theme-display-name: "Auto";
}

@ -1,5 +1,9 @@
@import "./theme-gitea-dark.css"; @import "./theme-gitea-dark.css";
gitea-theme-meta-info {
--theme-display-name: "Dark (Red/Green Colorblind-friendly)";
}
/* red/green colorblind-friendly colors */ /* red/green colorblind-friendly colors */
/* from GitHub: --diffBlob-addition-*, --diffBlob-deletion-*, etc */ /* from GitHub: --diffBlob-addition-*, --diffBlob-deletion-*, etc */
:root { :root {

@ -1,6 +1,10 @@
@import "../chroma/dark.css"; @import "../chroma/dark.css";
@import "../codemirror/dark.css"; @import "../codemirror/dark.css";
gitea-theme-meta-info {
--theme-display-name: "Dark";
}
:root { :root {
--is-dark-theme: true; --is-dark-theme: true;
--color-primary: #4183c4; --color-primary: #4183c4;

@ -1,5 +1,9 @@
@import "./theme-gitea-light.css"; @import "./theme-gitea-light.css";
gitea-theme-meta-info {
--theme-display-name: "Light (Red/Green Colorblind-friendly)";
}
/* red/green colorblind-friendly colors */ /* red/green colorblind-friendly colors */
/* from GitHub: --diffBlob-addition-*, --diffBlob-deletion-*, etc */ /* from GitHub: --diffBlob-addition-*, --diffBlob-deletion-*, etc */
:root { :root {

@ -1,6 +1,10 @@
@import "../chroma/light.css"; @import "../chroma/light.css";
@import "../codemirror/light.css"; @import "../codemirror/light.css";
gitea-theme-meta-info {
--theme-display-name: "Light";
}
:root { :root {
--is-dark-theme: false; --is-dark-theme: false;
--color-primary: #4183c4; --color-primary: #4183c4;

Loading…
Cancel
Save