func HandlePasteUpdate(ctx context.Context, w http.ResponseWriter, r *http.Request) { var input struct { Content string } if err := json.NewDecoder(r.Body).Decode(&input); err != nil { web.StdJSONResp(w, http.StatusBadRequest) return } if input.Content == "" { web.JSONErr(w, `"Content" is required"`, http.StatusBadRequest) return } pid, _ := strconv.ParseInt(web.Args(ctx).ByIndex(0), 10, 64) db := pg.DB(ctx) paste, err := UpdatePaste(db, Paste{ ID: pid, Content: input.Content, }) switch err { case nil: web.JSONResp(w, paste, http.StatusOK) case pg.ErrNotFound: web.StdJSONResp(w, http.StatusNotFound) default: log.Printf("cannot update paste %d: %s", pid, err) web.StdJSONResp(w, http.StatusInternalServerError) } }
func handleImageDetails(ctx context.Context, w http.ResponseWriter, r *http.Request) { db := sq.DB(ctx) img, err := ImageByID(db, web.Args(ctx).ByIndex(0)) switch err { case nil: // all good case sq.ErrNotFound: web.StdHTMLResp(w, http.StatusNotFound) return default: log.Error("cannot get image", "image", web.Args(ctx).ByIndex(0), "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } img.Tags, err = ImageTags(db, img.ImageID) if err != nil { log.Error("cannot get image", "image", web.Args(ctx).ByIndex(0), "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, img, http.StatusOK) }
func HandlePasteDetails(ctx context.Context, w http.ResponseWriter, r *http.Request) { pid, _ := strconv.ParseInt(web.Args(ctx).ByIndex(0), 10, 64) db := pg.DB(ctx) paste, err := PasteByID(db, pid) switch err { case nil: web.JSONResp(w, paste, http.StatusOK) case pg.ErrNotFound: web.StdJSONResp(w, http.StatusNotFound) default: log.Printf("cannot get paste %d: %s", pid, err) web.StdJSONResp(w, http.StatusInternalServerError) } }
func handleListBookmarks(ctx context.Context, w http.ResponseWriter, r *http.Request) { offset, _ := strconv.ParseInt(r.URL.Query().Get("offset"), 10, 64) if offset < 0 { offset = 0 } bookmarks := make([]*Bookmark, 0, 100) err := pg.DB(ctx).Select(&bookmarks, ` SELECT b.* FROM bookmarks b ORDER BY created DESC LIMIT $1 OFFSET $2 `, 500, offset) if err != nil { log.Error("cannot select bookmarks", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } resp := struct { Bookmarks []*Bookmark `json:"bookmarks"` }{ Bookmarks: bookmarks, } web.JSONResp(w, resp, http.StatusOK) }
func handleIndex(ctx context.Context, w http.ResponseWriter, r *http.Request) { if u := r.URL.Path; u == "/" || strings.HasPrefix(u, "/ui") { tmpl.Execute(w, nil) } else { web.StdJSONResp(w, http.StatusNotFound) } }
func handleAddBookmark(ctx context.Context, w http.ResponseWriter, r *http.Request) { var input struct { Url string `json:"url"` } if err := json.NewDecoder(r.Body).Decode(&input); err != nil { web.JSONErr(w, err.Error(), http.StatusBadRequest) return } resp, err := ctxhttp.Get(ctx, &crawler, input.Url) if err != nil { log.Error("cannot crawl", "url", input.Url, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } defer resp.Body.Close() body := make([]byte, 1024*20) if n, err := resp.Body.Read(body); err != nil && err != io.EOF { log.Error("cannot read crawler response", "url", input.Url, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } else { body = body[:n] } title := pageTitle(body) var b Bookmark err = pg.DB(ctx).Get(&b, ` INSERT INTO bookmarks (title, url, created) VALUES ($1, $2, $3) ON CONFLICT DO NOTHING RETURNING * `, title, input.Url, time.Now()) if err != nil { log.Error("cannot create bookmark", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, b, http.StatusCreated) }
func handleGetNote(ctx context.Context, w http.ResponseWriter, r *http.Request) { var note Note key := datastore.NewKey(ctx, "Note", web.Args(ctx).ByIndex(0), 0, nil) if err := datastore.Get(ctx, key, ¬e); err != nil { log.Debug("cannot get note", "noteId", web.Args(ctx).ByIndex(0), "error", err.Error()) // XXX - what about not found? web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, note, http.StatusOK) }
func HandlePasteCreate(ctx context.Context, w http.ResponseWriter, r *http.Request) { var input struct { Content string } if err := json.NewDecoder(r.Body).Decode(&input); err != nil { web.StdJSONResp(w, http.StatusBadRequest) return } if input.Content == "" { web.JSONErr(w, `"Content" is required"`, http.StatusBadRequest) return } db := pg.DB(ctx) paste, err := CreatePaste(db, Paste{Content: input.Content}) if err != nil { log.Printf("cannot create paste: %s", err) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, paste, http.StatusCreated) }
func HandlePasteList(ctx context.Context, w http.ResponseWriter, r *http.Request) { db := pg.DB(ctx) pastes, err := Pastes(db, 1000, 0) if err != nil { log.Printf("cannot list paste: %s", err) web.StdJSONResp(w, http.StatusInternalServerError) return } resp := struct { Pastes []*Paste }{ Pastes: pastes, } web.JSONResp(w, resp, http.StatusOK) }
func handleAddNote(ctx context.Context, w http.ResponseWriter, r *http.Request) { var input struct { Content string `json:"content"` Created time.Time `json:"created"` } if err := json.NewDecoder(r.Body).Decode(&input); err != nil { web.JSONErr(w, err.Error(), http.StatusBadRequest) return } var errs []string if input.Content == "" { errs = append(errs, `"content" is required`) } if len(errs) != 0 { web.JSONErrs(w, errs, http.StatusBadRequest) return } if input.Created.IsZero() { input.Created = time.Now() } n := Note{ NoteID: generateId(), Content: input.Content, Created: input.Created, } key := datastore.NewKey(ctx, "Note", n.NoteID, 0, nil) _, err := datastore.Put(ctx, key, &n) if err != nil { log.Debug("cannot put note", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, &n, http.StatusCreated) }
func handleListImages(ctx context.Context, w http.ResponseWriter, r *http.Request) { offset, _ := strconv.ParseInt(r.URL.Query().Get("offset"), 10, 64) opts := ImagesOpts{ Offset: offset, Limit: 200, } // narrow to images tagged as specified for name, values := range r.URL.Query() { if !strings.HasPrefix(name, "tag_") { continue } for _, value := range values { opts.Tags = append(opts.Tags, KeyValue{ Key: name[4:], Value: value, }) } } imgs, err := Images(sq.DB(ctx), opts) if err != nil { log.Error("cannot list images", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } if imgs == nil { imgs = make([]*Image, 0) } resp := struct { Images []*Image `json:"images"` }{ Images: imgs, } web.JSONResp(w, resp, http.StatusOK) }
func LoginHandler(provider string) web.HandlerFunc { return func(ctx context.Context, w http.ResponseWriter, r *http.Request) { conf, ok := oauth(ctx, provider) if !ok { log.Printf("missing oauth provider configuration: %s", provider) const code = http.StatusInternalServerError http.Error(w, http.StatusText(code), code) return } state := randStr(18) url := conf.AuthCodeURL(state, oauth2.AccessTypeOnline) http.SetCookie(w, &http.Cookie{ Name: stateCookie, Path: "/", Value: state, Expires: time.Now().Add(time.Minute * 15), }) nextURL := r.URL.Query().Get("next") if nextURL == "" { nextURL = "/" } err := cache.Get(ctx).Put("auth:"+state, &authData{ Provider: provider, Scopes: conf.Scopes, NextURL: nextURL, }) if err != nil { log.Printf("cannot store in cache: %s", err) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONRedirect(w, url, http.StatusTemporaryRedirect) } }
func handleApi404(ctx context.Context, w http.ResponseWriter, r *http.Request) { web.StdJSONResp(w, http.StatusNotFound) }
func handleUploadImage(ctx context.Context, w http.ResponseWriter, r *http.Request) { if err := r.ParseMultipartForm(10 * megabyte); err != nil { web.JSONResp(w, err.Error(), http.StatusBadRequest) return } var header *multipart.FileHeader for _, headers := range r.MultipartForm.File { for _, h := range headers { log.Debug("uploading file", "name", h.Filename) if header != nil { web.JSONErr(w, "cannot upload more than one time at once", http.StatusBadRequest) return } header = h } } if header == nil { web.JSONErr(w, "image file missing", http.StatusBadRequest) return } if !strings.HasSuffix(strings.ToLower(header.Filename), ".jpg") { // XXX this is not the best validation web.JSONErr(w, "only JPEG format is allowed", http.StatusBadRequest) return } fd, err := header.Open() if err != nil { log.Error("cannot open uploaded file", "name", header.Filename, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } defer fd.Close() image, err := imageMeta(fd) if err != nil { log.Error("cannot extract image metadata", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } // store image in database db := sq.DB(ctx) image, err = CreateImage(db, *image) switch err { case nil: // all good case sq.ErrConflict: // image already exists, nothing more to do here web.JSONResp(w, image, http.StatusOK) return default: log.Error("cannot create object", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } if _, err := fd.Seek(0, os.SEEK_SET); err != nil { log.Error("cannot seek image", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } fs := FileStore(ctx) if err := fs.Put(image, fd); err != nil { log.Error("cannot store image", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } log.Debug("image file created", "id", image.ImageID) web.JSONResp(w, image, http.StatusCreated) }
func handleServeImage(ctx context.Context, w http.ResponseWriter, r *http.Request) { img, err := ImageByID(sq.DB(ctx), web.Args(ctx).ByIndex(0)) switch err { case nil: // all good case sq.ErrNotFound: web.StdJSONResp(w, http.StatusNotFound) return default: log.Error("cannot get object", "object", web.Args(ctx).ByIndex(0), "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } if web.CheckLastModified(w, r, img.Created) { return } fs := FileStore(ctx) fd, err := fs.Read(img.Created.Year(), img.ImageID) if err != nil { log.Error("cannot read image file", "image", img.ImageID, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } defer fd.Close() w.Header().Set("X-Image-ID", img.ImageID) w.Header().Set("X-Image-Width", fmt.Sprint(img.Width)) w.Header().Set("X-Image-Height", fmt.Sprint(img.Height)) w.Header().Set("X-Image-Created", img.Created.Format(time.RFC3339)) w.Header().Set("Content-Type", "image/jpeg") if r.URL.Query().Get("resize") == "" { io.Copy(w, fd) return } image, err := jpeg.Decode(fd) if err != nil { log.Error("cannot read image file", "image", img.ImageID, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } var width, height int if _, err := fmt.Sscanf(r.URL.Query().Get("resize"), "%dx%d", &width, &height); err != nil { log.Error("cannot resize image", "image", img.ImageID, "error", err.Error()) } else { switch img.Orientation { case 1: // all good case 3: image = imaging.Rotate180(image) case 8: image = imaging.Rotate90(image) case 6: image = imaging.Rotate270(image) default: log.Debug("unknown image orientation", "decoder", "EXIF", "image", img.ImageID, "value", fmt.Sprint(img.Orientation)) } image = imaging.Fill(image, width, height, imaging.Center, imaging.Linear) } imaging.Encode(w, image, imaging.JPEG) }
func handleTagImage(ctx context.Context, w http.ResponseWriter, r *http.Request) { var input struct { Name string Value string } if err := json.NewDecoder(r.Body).Decode(&input); err != nil { web.JSONErr(w, err.Error(), http.StatusBadRequest) return } var errs []string if input.Name == "" { errs = append(errs, `"name" is required`) } if input.Value == "" { errs = append(errs, `"value" is required`) } if len(errs) != 0 { web.JSONErrs(w, errs, http.StatusBadRequest) return } db := sq.DB(ctx) img, err := ImageByID(db, web.Args(ctx).ByIndex(0)) switch err { case nil: // all good case sq.ErrNotFound: web.JSONErr(w, "parent image does not exist", http.StatusBadRequest) return default: log.Error("database error", "image", web.Args(ctx).ByIndex(0), "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } tag, err := CreateTag(db, Tag{ ImageID: img.ImageID, Name: input.Name, Value: input.Value, }) switch err { case nil: // all good, update storage meta case sq.ErrConflict: web.JSONResp(w, tag, http.StatusOK) return default: log.Error("cannot create object", "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } if img.Tags, err = ImageTags(db, img.ImageID); err != nil { log.Error("cannot get image tags", "image", img.ImageID, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } fs := FileStore(ctx) if err := fs.PutMeta(img); err != nil { log.Error("cannot store image metadata", "image", img.ImageID, "error", err.Error()) web.StdJSONResp(w, http.StatusInternalServerError) return } web.JSONResp(w, tag, http.StatusCreated) }
func HandlePasteDelete(ctx context.Context, w http.ResponseWriter, r *http.Request) { web.StdJSONResp(w, http.StatusNotImplemented) }