mirror of https://github.com/jlelse/GoBlog
Simple blogging system written in Go
https://goblog.app
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
99 lines
2.4 KiB
99 lines
2.4 KiB
package main |
|
|
|
import ( |
|
"fmt" |
|
"net/http" |
|
"reflect" |
|
"strconv" |
|
|
|
"github.com/go-chi/chi/v5" |
|
"github.com/vcraescu/go-paginator" |
|
) |
|
|
|
type commentsPaginationAdapter struct { |
|
config *commentsRequestConfig |
|
nums int64 |
|
db *database |
|
} |
|
|
|
func (p *commentsPaginationAdapter) Nums() (int64, error) { |
|
if p.nums == 0 { |
|
nums, _ := p.db.countComments(p.config) |
|
p.nums = int64(nums) |
|
} |
|
return p.nums, nil |
|
} |
|
|
|
func (p *commentsPaginationAdapter) Slice(offset, length int, data interface{}) error { |
|
modifiedConfig := *p.config |
|
modifiedConfig.offset = offset |
|
modifiedConfig.limit = length |
|
|
|
comments, err := p.db.getComments(&modifiedConfig) |
|
reflect.ValueOf(data).Elem().Set(reflect.ValueOf(&comments).Elem()) |
|
return err |
|
} |
|
|
|
func (a *goBlog) commentsAdmin(w http.ResponseWriter, r *http.Request) { |
|
blog := r.Context().Value(blogContextKey).(string) |
|
commentsPath := r.Context().Value(pathContextKey).(string) |
|
// Adapter |
|
pageNoString := chi.URLParam(r, "page") |
|
pageNo, _ := strconv.Atoi(pageNoString) |
|
p := paginator.New(&commentsPaginationAdapter{config: &commentsRequestConfig{}, db: a.db}, 5) |
|
p.SetPage(pageNo) |
|
var comments []*comment |
|
err := p.Results(&comments) |
|
if err != nil { |
|
a.serveError(w, r, err.Error(), http.StatusInternalServerError) |
|
return |
|
} |
|
// Navigation |
|
var hasPrev, hasNext bool |
|
var prevPage, nextPage int |
|
var prevPath, nextPath string |
|
hasPrev, _ = p.HasPrev() |
|
if hasPrev { |
|
prevPage, _ = p.PrevPage() |
|
} else { |
|
prevPage, _ = p.Page() |
|
} |
|
if prevPage < 2 { |
|
prevPath = commentsPath |
|
} else { |
|
prevPath = fmt.Sprintf("%s/page/%d", commentsPath, prevPage) |
|
} |
|
hasNext, _ = p.HasNext() |
|
if hasNext { |
|
nextPage, _ = p.NextPage() |
|
} else { |
|
nextPage, _ = p.Page() |
|
} |
|
nextPath = fmt.Sprintf("%s/page/%d", commentsPath, nextPage) |
|
// Render |
|
a.render(w, r, templateCommentsAdmin, &renderData{ |
|
BlogString: blog, |
|
Data: map[string]interface{}{ |
|
"Comments": comments, |
|
"HasPrev": hasPrev, |
|
"HasNext": hasNext, |
|
"Prev": prevPath, |
|
"Next": nextPath, |
|
}, |
|
}) |
|
} |
|
|
|
func (a *goBlog) commentsAdminDelete(w http.ResponseWriter, r *http.Request) { |
|
id, err := strconv.Atoi(r.FormValue("commentid")) |
|
if err != nil { |
|
a.serveError(w, r, err.Error(), http.StatusBadRequest) |
|
return |
|
} |
|
err = a.db.deleteComment(id) |
|
if err != nil { |
|
a.serveError(w, r, err.Error(), http.StatusInternalServerError) |
|
return |
|
} |
|
a.cache.purge() |
|
http.Redirect(w, r, ".", http.StatusFound) |
|
}
|
|
|