mirror of
				https://codeberg.org/forgejo/forgejo.git
				synced 2025-10-24 19:12:24 +00:00 
			
		
		
		
	This patch is mainly intended to fix forgejo/forgejo#7721, and to fix forgejo/forgejo#9019. It also changes the evaluation of 0 limits to prevent all writes, instead of allowing one write and then failing on subsequent writes after the limit has been exceeded. This matches the expectation of the existing tests, and I believe it will better match the expectations of users. Tests have been updated accordingly where necessary, and some additional test coverage added. The fixes in this PR depend on each other in order for the quota system to function correctly, so I'm submitting them as a single PR instead of individually. ## Test Cases ### Quota subjects not covered by their parent subjects Before enabling quotas, create a test user and test repository for that user. Enable quotas, and set a default total to some large value. (Do not use unit suffixes forgejo/forgejo#8996) ```ini [quota] ENABLED = true [quota.default] TOTAL = 1073741824 ``` With the test user, navigate to "Storage overview" and verify that the quota group "Global quota" is the only group listed, containing the rule "Default", and displays the configured limit, and that the limit has not been exceeded (eg. `42 MiB / 1 GiB`). The default quota rule has the subject `size:all`, so any write action should be allowed. #### Attempt to create a new repository. Expected result: Repository is created. Actual result: Error 413, You have exhausted your quota. #### Attempt to create a new file in the existing repository. Expected result: File is created. Actual result: Error 413, You have exhausted your quota. #### Create an issue on the test repository, and attempt to upload an image to the issue. Expected result: Image is uploaded. Actual Result: Quota exceeded. Displays error message: `JavaScript promise rejection: can't access property "submitted", oi[ji.uuid] is undefined. Open browser console to see more details.` ### Unlimited quota rules incorrectly allow all writes With quotas enabled, [Use the API](https://forgejo.org/docs/latest/admin/advanced/quota/#advanced-usage-via-api) to create a quota group containing a single rule with a subject of `sizelfs`, and a limit of `-1` (Unlimited). Add the test user to this group. ```json { "name": "git-lfs-unlimited", "rules": [ { "name": "git-lfs-unlimited", "limit": -1, "subjects": ["size
lfs"] } ] } ``` With the test user, navigate to "Storage overview" and verify that the user has been added to this group, that it is the only group the user is assigned to, and that the rule limit displays as "Unlimited". The user should only have the ability to write to Git LFS storage, all other writes should be denied. #### Attempt to create a new repository. Expected result: Error 413, You have exhausted your quota. Actual result: Repository is created. #### Attempt to create a new file in the test repository. Expected result: Error 413, You have exhausted your quota. Actual result: File is created. #### Create an issue on the test repository, and attempt to upload an image to the issue. Expected Result: Quota exceeded. Actual result: Image is uploaded. Reviewed-on: https://codeberg.org/forgejo/forgejo/pulls/9033 Reviewed-by: Gusted <gusted@noreply.codeberg.org> Co-authored-by: Brook Miles <brook@noreply.codeberg.org> Co-committed-by: Brook Miles <brook@noreply.codeberg.org>
		
			
				
	
	
		
			371 lines
		
	
	
	
		
			8.5 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			371 lines
		
	
	
	
		
			8.5 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
| // Copyright 2024 The Forgejo Authors. All rights reserved.
 | |
| // SPDX-License-Identifier: MIT
 | |
| 
 | |
| package quota
 | |
| 
 | |
| import (
 | |
| 	"context"
 | |
| 
 | |
| 	"forgejo.org/models/db"
 | |
| 	user_model "forgejo.org/models/user"
 | |
| 	"forgejo.org/modules/setting"
 | |
| 
 | |
| 	"xorm.io/builder"
 | |
| )
 | |
| 
 | |
| type (
 | |
| 	GroupList []*Group
 | |
| 	Group     struct {
 | |
| 		// Name of the quota group
 | |
| 		Name  string `json:"name" xorm:"pk NOT NULL" binding:"Required"`
 | |
| 		Rules []Rule `json:"rules" xorm:"-"`
 | |
| 	}
 | |
| )
 | |
| 
 | |
| type GroupRuleMapping struct {
 | |
| 	ID        int64  `xorm:"pk autoincr" json:"-"`
 | |
| 	GroupName string `xorm:"index unique(qgrm_gr) not null" json:"group_name"`
 | |
| 	RuleName  string `xorm:"unique(qgrm_gr) not null" json:"rule_name"`
 | |
| }
 | |
| 
 | |
| type Kind int
 | |
| 
 | |
| const (
 | |
| 	KindUser Kind = iota
 | |
| )
 | |
| 
 | |
| type GroupMapping struct {
 | |
| 	ID        int64  `xorm:"pk autoincr"`
 | |
| 	Kind      Kind   `xorm:"unique(qgm_kmg) not null"`
 | |
| 	MappedID  int64  `xorm:"unique(qgm_kmg) not null"`
 | |
| 	GroupName string `xorm:"index unique(qgm_kmg) not null"`
 | |
| }
 | |
| 
 | |
| func (g *Group) TableName() string {
 | |
| 	return "quota_group"
 | |
| }
 | |
| 
 | |
| func (grm *GroupRuleMapping) TableName() string {
 | |
| 	return "quota_group_rule_mapping"
 | |
| }
 | |
| 
 | |
| func (ugm *GroupMapping) TableName() string {
 | |
| 	return "quota_group_mapping"
 | |
| }
 | |
| 
 | |
| func (g *Group) LoadRules(ctx context.Context) error {
 | |
| 	return db.GetEngine(ctx).Select("`quota_rule`.*").
 | |
| 		Table("quota_rule").
 | |
| 		Join("INNER", "`quota_group_rule_mapping`", "`quota_group_rule_mapping`.rule_name = `quota_rule`.name").
 | |
| 		Where("`quota_group_rule_mapping`.group_name = ?", g.Name).
 | |
| 		Find(&g.Rules)
 | |
| }
 | |
| 
 | |
| func (g *Group) isUserInGroup(ctx context.Context, userID int64) (bool, error) {
 | |
| 	return db.GetEngine(ctx).
 | |
| 		Where("kind = ? AND mapped_id = ? AND group_name = ?", KindUser, userID, g.Name).
 | |
| 		Get(&GroupMapping{})
 | |
| }
 | |
| 
 | |
| func (g *Group) AddUserByID(ctx context.Context, userID int64) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	exists, err := g.isUserInGroup(ctx, userID)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	} else if exists {
 | |
| 		return ErrUserAlreadyInGroup{GroupName: g.Name, UserID: userID}
 | |
| 	}
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Insert(&GroupMapping{
 | |
| 		Kind:      KindUser,
 | |
| 		MappedID:  userID,
 | |
| 		GroupName: g.Name,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| func (g *Group) RemoveUserByID(ctx context.Context, userID int64) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	exists, err := g.isUserInGroup(ctx, userID)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	} else if !exists {
 | |
| 		return ErrUserNotInGroup{GroupName: g.Name, UserID: userID}
 | |
| 	}
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Delete(&GroupMapping{
 | |
| 		Kind:      KindUser,
 | |
| 		MappedID:  userID,
 | |
| 		GroupName: g.Name,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| func (g *Group) isRuleInGroup(ctx context.Context, ruleName string) (bool, error) {
 | |
| 	return db.GetEngine(ctx).
 | |
| 		Where("group_name = ? AND rule_name = ?", g.Name, ruleName).
 | |
| 		Get(&GroupRuleMapping{})
 | |
| }
 | |
| 
 | |
| func (g *Group) AddRuleByName(ctx context.Context, ruleName string) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	exists, err := DoesRuleExist(ctx, ruleName)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	} else if !exists {
 | |
| 		return ErrRuleNotFound{Name: ruleName}
 | |
| 	}
 | |
| 
 | |
| 	has, err := g.isRuleInGroup(ctx, ruleName)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	} else if has {
 | |
| 		return ErrRuleAlreadyInGroup{GroupName: g.Name, RuleName: ruleName}
 | |
| 	}
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Insert(&GroupRuleMapping{
 | |
| 		GroupName: g.Name,
 | |
| 		RuleName:  ruleName,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| func (g *Group) RemoveRuleByName(ctx context.Context, ruleName string) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	exists, err := g.isRuleInGroup(ctx, ruleName)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	} else if !exists {
 | |
| 		return ErrRuleNotInGroup{GroupName: g.Name, RuleName: ruleName}
 | |
| 	}
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Delete(&GroupRuleMapping{
 | |
| 		GroupName: g.Name,
 | |
| 		RuleName:  ruleName,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| // Group.Evaluate returns whether the group contains a matching rule for the subject
 | |
| // and if so, whether the group allows the action given the size used
 | |
| func (g *Group) Evaluate(used Used, forSubject LimitSubject) (match, allow bool) {
 | |
| 	for _, rule := range g.Rules {
 | |
| 		ruleMatch, ruleAllow := rule.Evaluate(used, forSubject)
 | |
| 		if ruleMatch {
 | |
| 			// evaluation stops as soon as we find a matching rule that denies the action
 | |
| 			if !ruleAllow {
 | |
| 				return true, false
 | |
| 			}
 | |
| 
 | |
| 			match = true
 | |
| 			allow = true
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	return match, allow
 | |
| }
 | |
| 
 | |
| // GroupList.Evaluate returns whether the grouplist allows the action given the size used
 | |
| func (gl *GroupList) Evaluate(used Used, forSubject LimitSubject) (pass bool) {
 | |
| 	// If there are no groups, use the configured defaults:
 | |
| 	if gl == nil || len(*gl) == 0 {
 | |
| 		return EvaluateDefault(used, forSubject)
 | |
| 	}
 | |
| 
 | |
| 	for _, group := range *gl {
 | |
| 		groupMatch, groupAllow := group.Evaluate(used, forSubject)
 | |
| 		if groupMatch && groupAllow {
 | |
| 			// evaluation stops as soon as we find a matching group that allows the action
 | |
| 			return true
 | |
| 		}
 | |
| 	}
 | |
| 	return false
 | |
| }
 | |
| 
 | |
| func GetGroupByName(ctx context.Context, name string) (*Group, error) {
 | |
| 	var group Group
 | |
| 	has, err := db.GetEngine(ctx).Where("name = ?", name).Get(&group)
 | |
| 	if has {
 | |
| 		if err = group.LoadRules(ctx); err != nil {
 | |
| 			return nil, err
 | |
| 		}
 | |
| 		return &group, nil
 | |
| 	}
 | |
| 	return nil, err
 | |
| }
 | |
| 
 | |
| func ListGroups(ctx context.Context) (GroupList, error) {
 | |
| 	var groups GroupList
 | |
| 	err := db.GetEngine(ctx).Find(&groups)
 | |
| 	return groups, err
 | |
| }
 | |
| 
 | |
| func doesGroupExist(ctx context.Context, name string) (bool, error) {
 | |
| 	return db.GetEngine(ctx).Where("name = ?", name).Get(&Group{})
 | |
| }
 | |
| 
 | |
| func CreateGroup(ctx context.Context, name string) (*Group, error) {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	exists, err := doesGroupExist(ctx, name)
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	} else if exists {
 | |
| 		return nil, ErrGroupAlreadyExists{Name: name}
 | |
| 	}
 | |
| 
 | |
| 	group := Group{Name: name}
 | |
| 	_, err = db.GetEngine(ctx).Insert(group)
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	}
 | |
| 	return &group, committer.Commit()
 | |
| }
 | |
| 
 | |
| func ListUsersInGroup(ctx context.Context, name string) ([]*user_model.User, error) {
 | |
| 	group, err := GetGroupByName(ctx, name)
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	}
 | |
| 
 | |
| 	var users []*user_model.User
 | |
| 	err = db.GetEngine(ctx).Select("`user`.*").
 | |
| 		Table("user").
 | |
| 		Join("INNER", "`quota_group_mapping`", "`quota_group_mapping`.mapped_id = `user`.id").
 | |
| 		Where("`quota_group_mapping`.kind = ? AND `quota_group_mapping`.group_name = ?", KindUser, group.Name).
 | |
| 		Find(&users)
 | |
| 	return users, err
 | |
| }
 | |
| 
 | |
| func DeleteGroupByName(ctx context.Context, name string) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Delete(GroupMapping{
 | |
| 		GroupName: name,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	_, err = db.GetEngine(ctx).Delete(GroupRuleMapping{
 | |
| 		GroupName: name,
 | |
| 	})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 
 | |
| 	_, err = db.GetEngine(ctx).Delete(Group{Name: name})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| func SetUserGroups(ctx context.Context, userID int64, groups *[]string) error {
 | |
| 	ctx, committer, err := db.TxContext(ctx)
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	defer committer.Close()
 | |
| 
 | |
| 	// First: remove the user from any groups
 | |
| 	_, err = db.GetEngine(ctx).Where("kind = ? AND mapped_id = ?", KindUser, userID).Delete(GroupMapping{})
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 
 | |
| 	if groups == nil {
 | |
| 		return nil
 | |
| 	}
 | |
| 
 | |
| 	// Then add the user to each group listed
 | |
| 	for _, groupName := range *groups {
 | |
| 		group, err := GetGroupByName(ctx, groupName)
 | |
| 		if err != nil {
 | |
| 			return err
 | |
| 		}
 | |
| 		if group == nil {
 | |
| 			return ErrGroupNotFound{Name: groupName}
 | |
| 		}
 | |
| 		err = group.AddUserByID(ctx, userID)
 | |
| 		if err != nil {
 | |
| 			return err
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	return committer.Commit()
 | |
| }
 | |
| 
 | |
| func GetGroupsForUser(ctx context.Context, userID int64) (GroupList, error) {
 | |
| 	var groups GroupList
 | |
| 	err := db.GetEngine(ctx).
 | |
| 		Where(builder.In("name",
 | |
| 			builder.Select("group_name").
 | |
| 				From("quota_group_mapping").
 | |
| 				Where(builder.And(
 | |
| 					builder.Eq{"kind": KindUser},
 | |
| 					builder.Eq{"mapped_id": userID}),
 | |
| 				))).
 | |
| 		Find(&groups)
 | |
| 	if err != nil {
 | |
| 		return nil, err
 | |
| 	}
 | |
| 
 | |
| 	if len(groups) == 0 {
 | |
| 		err = db.GetEngine(ctx).Where(builder.In("name", setting.Quota.DefaultGroups)).Find(&groups)
 | |
| 		if err != nil {
 | |
| 			return nil, err
 | |
| 		}
 | |
| 		if len(groups) == 0 {
 | |
| 			return nil, nil
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	for _, group := range groups {
 | |
| 		err = group.LoadRules(ctx)
 | |
| 		if err != nil {
 | |
| 			return nil, err
 | |
| 		}
 | |
| 	}
 | |
| 
 | |
| 	return groups, nil
 | |
| }
 |