1cc2306cbf
* Add the PollVotes table and associated logic. * Multiple choice polls supported. * Expiring and non-expiring polls. * Icons and badges on the forum pages to show posts with polls * Bugfix: non-explicit users getting SQL errors on Newest Posts page.
69 lines
1.3 KiB
Go
69 lines
1.3 KiB
Go
package models
|
|
|
|
import (
|
|
"errors"
|
|
"time"
|
|
|
|
"code.nonshy.com/nonshy/website/pkg/log"
|
|
)
|
|
|
|
// PollVote table records answers to polls.
|
|
type PollVote struct {
|
|
ID uint64 `gorm:"primaryKey"`
|
|
PollID uint64 `gorm:"index"`
|
|
Poll Poll
|
|
UserID uint64 `gorm:"index"`
|
|
Answer string
|
|
CreatedAt time.Time
|
|
UpdatedAt time.Time
|
|
}
|
|
|
|
// CastVote on a poll. Multiple answers OK for multiple choice polls.
|
|
func (p *Poll) CastVote(user *User, answers []string) error {
|
|
if len(answers) > 1 && !p.MultipleChoice {
|
|
return errors.New("multiple answers not accepted for this poll")
|
|
}
|
|
|
|
// If this user has already voted, remove their vote.
|
|
result := DB.Where(
|
|
"poll_id = ? AND user_id = ?",
|
|
p.ID, user.ID,
|
|
).Delete(&PollVote{})
|
|
if result.Error != nil {
|
|
return result.Error
|
|
}
|
|
|
|
// Insert their votes.
|
|
var err error
|
|
for _, answer := range answers {
|
|
vote := &PollVote{
|
|
PollID: p.ID,
|
|
UserID: user.ID,
|
|
Answer: answer,
|
|
}
|
|
err = vote.Save()
|
|
}
|
|
|
|
return err
|
|
}
|
|
|
|
// GetAllVotes for a poll.
|
|
func (p *Poll) GetAllVotes() []*PollVote {
|
|
var pv = []*PollVote{}
|
|
|
|
result := DB.Where(
|
|
"poll_id = ?", p.ID,
|
|
).Find(&pv)
|
|
if result.Error != nil {
|
|
log.Error("Poll(%d).GetAllVotes(): %s", p.ID, result.Error)
|
|
}
|
|
|
|
return pv
|
|
}
|
|
|
|
// Save Poll.
|
|
func (v *PollVote) Save() error {
|
|
result := DB.Save(v)
|
|
return result.Error
|
|
}
|