func (con App) Handler(c context.Context) http.Handler { cfg := readeef.GetConfig(c) rnd := webfw.GetRenderer(c) if cfg.Logger.Level == "debug" { rnd.SkipCache(true) } return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { action := webfw.GetMultiPatternIdentifier(c, r) data := renderer.RenderData{} if action == "history" { params := webfw.GetParams(c, r) data["history"] = "/web/" + params["history"] } if r.Method != "HEAD" { err := rnd.Render(w, data, c.GetAll(r), "app.tmpl") if err != nil { webfw.GetLogger(c).Print(err) } } w.Header().Set("X-Readeef", "1") }) }
func (con UserSettings) Handler(c context.Context) http.Handler { cfg := readeef.GetConfig(c) return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { user := readeef.GetUser(c, r) params := webfw.GetParams(c, r) attr := params["attribute"] var resp responseError if r.Method == "GET" { resp = getUserAttribute(user, attr) } else if r.Method == "POST" { buf := util.BufferPool.GetBuffer() defer util.BufferPool.Put(buf) buf.ReadFrom(r.Body) resp = setUserAttribute(user, []byte(cfg.Auth.Secret), attr, buf.Bytes()) } var b []byte if resp.err == nil { b, resp.err = json.Marshal(resp.val) } if resp.err != nil { webfw.GetLogger(c).Print(resp.err) w.WriteHeader(http.StatusInternalServerError) return } w.Write(b) }) }
func (con User) Handler(c context.Context) http.Handler { cfg := readeef.GetConfig(c) return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { user := readeef.GetUser(c, r) action := webfw.GetMultiPatternIdentifier(c, r) params := webfw.GetParams(c, r) var resp responseError switch action { case "list": resp = listUsers(user) case "add": buf := util.BufferPool.GetBuffer() defer util.BufferPool.Put(buf) buf.ReadFrom(r.Body) resp = addUser(user, data.Login(params["login"]), buf.String(), []byte(cfg.Auth.Secret)) case "remove": resp = removeUser(user, data.Login(params["login"])) case "setAttr": resp = setAttributeForUser(user, []byte(cfg.Auth.Secret), data.Login(params["login"]), params["attr"], []byte(params["value"])) } switch resp.err { case errForbidden: w.WriteHeader(http.StatusForbidden) return case errUserExists: resp.val["Error"] = true resp.val["ErrorType"] = resp.errType resp.err = nil case errCurrentUser: resp.val["Error"] = true resp.val["ErrorType"] = resp.errType resp.err = nil } var b []byte if resp.err == nil { b, resp.err = json.Marshal(resp.val) } if resp.err != nil { webfw.GetLogger(c).Print(resp.err) w.WriteHeader(http.StatusInternalServerError) return } w.Write(b) }) }
func (con Component) Handler(c context.Context) http.Handler { i18nmw, i18nFound := con.dispatcher.Middleware("I18N") urlmw, urlFound := con.dispatcher.Middleware("Url") logger := webfw.GetLogger(c) cfg := readeef.GetConfig(c) rnd := renderer.NewRenderer(con.dispatcher.Config.Renderer.Dir, "raw.tmpl") rnd.Delims("{%", "%}") if cfg.Logger.Level == "debug" { rnd.SkipCache(true) } if i18nFound { if i18n, ok := i18nmw.(middleware.I18N); ok { rnd.Funcs(i18n.TemplateFuncMap()) } } else { logger.Infoln("I18N middleware not found") } if urlFound { if url, ok := urlmw.(middleware.Url); ok { rnd.Funcs(url.TemplateFuncMap(c)) } } else { logger.Infoln("Url middleware not found") } return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { params := webfw.GetParams(c, r) if r.Method != "HEAD" { err := rnd.Render(w, renderer.RenderData{"apiPattern": con.apiPattern, "config": cfg}, c.GetAll(r), "components/"+params["name"]+".tmpl") if err != nil { webfw.GetLogger(c).Print(err) } } }) }
func (con WebSocket) Handler(c context.Context) http.Handler { var mutex sync.RWMutex receivers := make(map[chan content.Feed]bool) logger := webfw.GetLogger(c) go func() { for { select { case feed := <-con.updateFeed: logger.Infoln("New articles notification for " + feed.String()) mutex.RLock() for receiver, _ := range receivers { receiver <- feed } mutex.RUnlock() } } }() cfg := readeef.GetConfig(c) return websocket.Handler(func(ws *websocket.Conn) { user := readeef.GetUser(c, ws.Request()) sess := webfw.GetSession(c, ws.Request()) msg := make(chan apiRequest) resp := make(chan apiResponse) receiver := make(chan content.Feed) mutex.Lock() receivers[receiver] = true mutex.Unlock() defer func() { mutex.Lock() close(receiver) delete(receivers, receiver) mutex.Unlock() }() go func() { for { var r responseError select { case data := <-msg: var err error var processor Processor if processor, err = data.processor(c, sess, user, con.fm, con.sp, con.extractor, con.capabilities, []byte(cfg.Auth.Secret)); err == nil { if len(data.Arguments) > 0 { err = json.Unmarshal([]byte(data.Arguments), processor) } if err == nil { r = processor.Process() } } if err != nil { r.err = err switch err.(type) { case *json.UnmarshalTypeError: r.errType = errTypeInvalidArgValue default: if err == errInvalidMethodValue { r.errType = errTypeInvalidMethodValue } else if err == content.ErrNoContent { r.err = errResourceNotFound r.errType = errTypeResourceNotFound } } } go func() { var err string if r.err != nil { err = r.err.Error() } resp <- apiResponse{ Success: r.err == nil, Error: err, ErrorType: r.errType, Method: data.Method, Tag: data.Tag, Arguments: r.val, } }() case f := <-receiver: if f == nil || user == nil { // Socket was closed return } logger.Infoln("Received notification for feed update of " + f.String()) r := newResponse() uf := user.FeedById(f.Data().Id) if !uf.HasErr() { r.val["Feed"] = uf go func() { var err string if r.err != nil { err = r.err.Error() } resp <- apiResponse{ Success: r.err == nil, Error: err, ErrorType: r.errType, Method: "feed-update-notifier", Tag: "", Arguments: r.val, } }() } case r := <-resp: websocket.JSON.Send(ws, r) } } }() for { var data apiRequest if err := websocket.JSON.Receive(ws, &data); err != nil { if err == io.EOF { // Websocket was closed break } else { websocket.JSON.Send(ws, apiResponse{ Success: false, ErrorType: errTypeMessageParse, Error: err.Error(), Method: data.Method, }) } } if forbidden(c, ws.Request()) { websocket.JSON.Send(ws, apiResponse{ Success: false, ErrorType: errTypeUnauthorized, Error: errUnauthorized.Error(), Method: data.Method, }) break } msg <- data } logger.Infoln("Closing web socket") }) }
func (a apiRequest) processor( c context.Context, s context.Session, user content.User, fm *readeef.FeedManager, sp content.SearchProvider, extractor content.Extractor, capabilities capabilities, secret []byte, ) (Processor, error) { switch a.Method { case "heartbeat": return &heartbeatProcessor{}, nil case "get-auth-data": return &getAuthDataProcessor{user: user, session: s, capabilities: capabilities}, nil case "logout": return &logoutProcessor{session: s}, nil case "article-read-state": return &articleReadStateProcessor{user: user}, nil case "article-favorite-state": return &articleFavoriteStateProcessor{user: user}, nil case "format-article": return &formatArticleProcessor{ user: user, extractor: extractor, webfwConfig: webfw.GetConfig(c), readeefConfig: readeef.GetConfig(c), }, nil case "get-article": return &getArticleProcessor{user: user}, nil case "list-feeds": return &listFeedsProcessor{user: user}, nil case "discover-feeds": return &discoverFeedsProcessor{user: user, fm: fm}, nil case "export-opml": return &exportOpmlProcessor{user: user}, nil case "parse-opml": return &parseOpmlProcessor{user: user, fm: fm}, nil case "add-feeds": return &addFeedsProcessor{user: user, fm: fm}, nil case "remove-feed": return &removeFeedProcessor{user: user, fm: fm}, nil case "get-feed-tags": return &getFeedTagsProcessor{user: user}, nil case "set-feed-tags": return &setFeedTagsProcessor{user: user}, nil case "read-state": return &readStateProcessor{user: user}, nil case "get-feed-articles": return &getFeedArticlesProcessor{user: user, sp: sp}, nil case "get-user-attribute": return &getUserAttributeProcessor{user: user}, nil case "set-user-attribute": return &setUserAttributeProcessor{user: user, secret: secret}, nil case "list-users": return &listUsersProcessor{user: user}, nil case "add-user": return &addUserProcessor{user: user, secret: secret}, nil case "remove-user": return &removeUserProcessor{user: user}, nil case "set-attribute-for-user": return &setAttributeForUserProcessor{user: user, secret: secret}, nil default: return nil, errInvalidMethodValue } }
func (con Proxy) Handler(c context.Context) http.Handler { logger := webfw.GetLogger(c) config := readeef.GetConfig(c) client := readeef.NewTimeoutClient(config.Timeout.Converted.Connect, config.Timeout.Converted.ReadWrite) return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { sess := webfw.GetSession(c, r) if _, ok := sess.Get(readeef.AuthNameKey); !ok { w.WriteHeader(http.StatusForbidden) return } if r.Method == "HEAD" { return } r.ParseForm() var err error switch { default: var u *url.URL u, err = url.Parse(r.Form.Get("url")) if err != nil { err = fmt.Errorf("Error parsing url to proxy (%s): %v", r.Form.Get("url"), err) break } if u.Scheme == "" { u.Scheme = "http" } var req *http.Request req, err = http.NewRequest("GET", u.String(), nil) if err != nil { err = fmt.Errorf("Error creating proxy request to %s: %v", u, err) break } var resp *http.Response resp, err = client.Do(req) if err != nil { err = fmt.Errorf("Error getting proxy response from %s: %v", u, err) break } defer resp.Body.Close() for k, values := range resp.Header { for _, v := range values { w.Header().Add(k, v) } } var b []byte b, err = ioutil.ReadAll(resp.Body) if err != nil { err = fmt.Errorf("Error reading proxy response from %s: %v", u, err) break } _, err = w.Write(b) } if err != nil { logger.Infoln(err) w.WriteHeader(http.StatusNotAcceptable) return } return }) }
func (controller TtRss) Handler(c context.Context) http.Handler { repo := readeef.GetRepo(c) logger := webfw.GetLogger(c) config := readeef.GetConfig(c) return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { action := webfw.GetMultiPatternIdentifier(c, r) if action == "redirecter" { http.Redirect(w, r, "/", http.StatusMovedPermanently) } req := ttRssRequest{} resp := ttRssResponse{} var err error var errType string var user content.User var con interface{} switch { default: var b []byte in := map[string]interface{}{} if b, err = ioutil.ReadAll(r.Body); err != nil { err = fmt.Errorf("reading request body: %s", err) break } if err = json.Unmarshal(b, &in); err != nil { err = fmt.Errorf("decoding JSON request: %s", err) break } req = ttRssConvertRequest(in) logger.Debugf("Request: %#v\n", req) resp.Seq = req.Seq if req.Op != "login" && req.Op != "isLoggedIn" { if sess, ok := ttRssSessions[req.Sid]; ok { user = repo.UserByLogin(data.Login(sess.login)) if repo.Err() != nil { errType = "NOT_LOGGED_IN" } else { sess.lastVisit = time.Now() ttRssSessions[req.Sid] = sess } } else { errType = "NOT_LOGGED_IN" } } if errType != "" { logger.Debugf("TT-RSS Sessions: %#v\n", ttRssSessions) break } logger.Debugf("TT-RSS OP: %s\n", req.Op) switch req.Op { case "getApiLevel": con = ttRssGenericContent{Level: TTRSS_API_LEVEL} case "getVersion": con = ttRssGenericContent{Version: TTRSS_VERSION} case "login": user = repo.UserByLogin(data.Login(req.User)) if repo.Err() != nil { errType = "LOGIN_ERROR" err = fmt.Errorf("getting TT-RSS user: %s", repo.Err()) break } if !user.Authenticate(req.Password, []byte(config.Auth.Secret)) { errType = "LOGIN_ERROR" err = fmt.Errorf("authentication for TT-RSS user '%s'", user.Data().Login) break } var sessId string login := user.Data().Login for id, sess := range ttRssSessions { if sess.login == login { sessId = id } } if sessId == "" { sessId = strings.Replace(util.UUID(), "-", "", -1) ttRssSessions[sessId] = ttRssSession{login: login, lastVisit: time.Now()} } con = ttRssGenericContent{ ApiLevel: TTRSS_API_LEVEL, SessionId: sessId, } case "logout": delete(ttRssSessions, req.Sid) con = ttRssGenericContent{Status: "OK"} case "isLoggedIn": if _, ok := ttRssSessions[req.Sid]; ok { con = ttRssGenericContent{Status: true} } else { con = ttRssGenericContent{Status: false} } case "getUnread": var ar content.ArticleRepo o := data.ArticleCountOptions{UnreadOnly: true} if req.IsCat { tagId := data.TagId(req.FeedId) if tagId > 0 { ar = user.TagById(tagId) } else if tagId == TTRSS_CAT_UNCATEGORIZED { ar = user o.UntaggedOnly = true } else if tagId == TTRSS_CAT_SPECIAL { ar = user o.FavoriteOnly = true } } else { switch req.FeedId { case TTRSS_FAVORITE_ID: ar = user o.FavoriteOnly = true case TTRSS_FRESH_ID: ar = user o.AfterDate = time.Now().Add(TTRSS_FRESH_DURATION) case TTRSS_ALL_ID, 0: ar = user default: if req.FeedId > 0 { feed := user.FeedById(req.FeedId) if feed.HasErr() { err = feed.Err() break } ar = feed } } } if ar == nil { con = ttRssGenericContent{Unread: "0"} } else if con == nil { con = ttRssGenericContent{Unread: strconv.FormatInt(ar.Count(o), 10)} } case "getCounters": if req.OutputMode == "" { req.OutputMode = "flc" } cContent := ttRssCountersContent{} o := data.ArticleCountOptions{UnreadOnly: true} unreadCount := user.Count(o) cContent = append(cContent, ttRssCounter{Id: "global-unread", Counter: unreadCount}) feeds := user.AllFeeds() cContent = append(cContent, ttRssCounter{Id: "subscribed-feeds", Counter: int64(len(feeds))}) cContent = append(cContent, ttRssCounter{Id: TTRSS_ARCHIVED_ID}) cContent = append(cContent, ttRssCounter{Id: TTRSS_FAVORITE_ID, Counter: user.Count(data.ArticleCountOptions{UnreadOnly: true, FavoriteOnly: true}), AuxCounter: user.Count(data.ArticleCountOptions{FavoriteOnly: true})}) cContent = append(cContent, ttRssCounter{Id: TTRSS_PUBLISHED_ID}) freshTime := time.Now().Add(TTRSS_FRESH_DURATION) cContent = append(cContent, ttRssCounter{Id: TTRSS_FRESH_ID, Counter: user.Count(data.ArticleCountOptions{UnreadOnly: true, AfterDate: freshTime}), AuxCounter: 0}) cContent = append(cContent, ttRssCounter{Id: TTRSS_ALL_ID, Counter: user.Count(), AuxCounter: 0}) for _, f := range feeds { cContent = append(cContent, ttRssCounter{Id: int64(f.Data().Id), Counter: f.Count(o)}, ) } cContent = append(cContent, ttRssCounter{Id: TTRSS_CAT_LABELS, Counter: 0, Kind: "cat"}) for _, t := range user.Tags() { cContent = append(cContent, ttRssCounter{ Id: int64(t.Data().Id), Counter: t.Count(o), Kind: "cat", }, ) } cContent = append(cContent, ttRssCounter{ Id: TTRSS_CAT_UNCATEGORIZED, Counter: user.Count(data.ArticleCountOptions{UnreadOnly: true, UntaggedOnly: true}), Kind: "cat", }, ) if user.HasErr() { err = fmt.Errorf("Error getting user counters: %v\n", user.Err()) } con = cContent case "getFeeds": fContent := ttRssFeedsContent{} if req.CatId == TTRSS_CAT_ALL || req.CatId == TTRSS_CAT_SPECIAL { unreadFav := user.Count(data.ArticleCountOptions{UnreadOnly: true, FavoriteOnly: true}) if unreadFav > 0 || !req.UnreadOnly { fContent = append(fContent, ttRssFeed{ Id: TTRSS_FAVORITE_ID, Title: ttRssSpecialTitle(TTRSS_FAVORITE_ID), Unread: unreadFav, CatId: TTRSS_FAVORITE_ID, }) } freshTime := time.Now().Add(TTRSS_FRESH_DURATION) unreadFresh := user.Count(data.ArticleCountOptions{UnreadOnly: true, AfterDate: freshTime}) if unreadFresh > 0 || !req.UnreadOnly { fContent = append(fContent, ttRssFeed{ Id: TTRSS_FRESH_ID, Title: ttRssSpecialTitle(TTRSS_FRESH_ID), Unread: unreadFresh, CatId: TTRSS_FAVORITE_ID, }) } unreadAll := user.Count(data.ArticleCountOptions{UnreadOnly: true}) if unreadAll > 0 || !req.UnreadOnly { fContent = append(fContent, ttRssFeed{ Id: TTRSS_ALL_ID, Title: ttRssSpecialTitle(TTRSS_ALL_ID), Unread: unreadAll, CatId: TTRSS_FAVORITE_ID, }) } } var feeds []content.UserFeed var catId int if req.CatId == TTRSS_CAT_ALL || req.CatId == TTRSS_CAT_ALL_EXCEPT_VIRTUAL { feeds = user.AllFeeds() } else { if req.CatId == TTRSS_CAT_UNCATEGORIZED { tagged := user.AllTaggedFeeds() for _, t := range tagged { if len(t.Tags()) == 0 { feeds = append(feeds, t) } } } else if req.CatId > 0 { catId = int(req.CatId) t := user.TagById(req.CatId) tagged := t.AllFeeds() if t.HasErr() { err = t.Err() break } for _, t := range tagged { feeds = append(feeds, t) } } } if len(feeds) > 0 { o := data.ArticleCountOptions{UnreadOnly: true} for i := range feeds { if req.Limit > 0 { if i < req.Offset || i >= req.Limit+req.Offset { continue } } d := feeds[i].Data() unread := feeds[i].Count(o) if unread > 0 || !req.UnreadOnly { fContent = append(fContent, ttRssFeed{ Id: d.Id, Title: d.Title, FeedUrl: d.Link, CatId: catId, Unread: unread, LastUpdated: time.Now().Unix(), OrderId: 0, }) } } } if user.HasErr() { err = fmt.Errorf("Error getting user feeds: %v\n", user.Err()) } con = fContent case "getCategories": cContent := ttRssCategoriesContent{} o := data.ArticleCountOptions{UnreadOnly: true} for _, t := range user.Tags() { td := t.Data() count := t.Count(o) if count > 0 || !req.UnreadOnly { cContent = append(cContent, ttRssCat{Id: strconv.FormatInt(int64(td.Id), 10), Title: string(td.Value), Unread: count}, ) } } count := user.Count(data.ArticleCountOptions{UnreadOnly: true, UntaggedOnly: true}) if count > 0 || !req.UnreadOnly { cContent = append(cContent, ttRssCat{Id: strconv.FormatInt(TTRSS_CAT_UNCATEGORIZED, 10), Title: "Uncategorized", Unread: count}, ) } o.FavoriteOnly = true count = user.Count(o) if count > 0 || !req.UnreadOnly { cContent = append(cContent, ttRssCat{Id: strconv.FormatInt(TTRSS_CAT_SPECIAL, 10), Title: "Special", Unread: count}, ) } con = cContent case "getHeadlines": if req.FeedId == 0 { errType = "INCORRECT_USAGE" break } limit := req.Limit if limit == 0 { limit = 200 } var articles []content.UserArticle var articleRepo content.ArticleRepo var feedTitle string firstId := data.ArticleId(0) o := data.ArticleQueryOptions{Limit: limit, Offset: req.Skip, UnreadFirst: true, SkipSessionProcessors: true} if req.IsCat { if req.FeedId == TTRSS_CAT_UNCATEGORIZED { ttRssSetupSorting(req, user) articleRepo = user o.UntaggedOnly = true feedTitle = "Uncategorized" } else if req.FeedId > 0 { t := user.TagById(data.TagId(req.FeedId)) ttRssSetupSorting(req, t) articleRepo = t feedTitle = string(t.Data().Value) } } else { if req.FeedId == TTRSS_FAVORITE_ID { ttRssSetupSorting(req, user) o.FavoriteOnly = true articleRepo = user feedTitle = "Starred articles" } else if req.FeedId == TTRSS_FRESH_ID { ttRssSetupSorting(req, user) o.AfterDate = time.Now().Add(TTRSS_FRESH_DURATION) articleRepo = user feedTitle = "Fresh articles" } else if req.FeedId == TTRSS_ALL_ID { ttRssSetupSorting(req, user) articleRepo = user feedTitle = "All articles" } else if req.FeedId > 0 { feed := user.FeedById(req.FeedId) ttRssSetupSorting(req, feed) articleRepo = feed feedTitle = feed.Data().Title } } if req.SinceId > 0 { o.AfterId = req.SinceId } if articleRepo != nil { if req.Search != "" { if controller.sp != nil { if as, ok := articleRepo.(content.ArticleSearch); ok { articles = as.Query(req.Search, controller.sp, limit, req.Skip) } } } else { var skip bool switch req.ViewMode { case "all_articles": case "adaptive": case "unread": o.UnreadOnly = true case "marked": o.FavoriteOnly = true default: skip = true } if !skip { articles = articleRepo.Articles(o) } } } if len(articles) > 0 { firstId = articles[0].Data().Id } headlines := ttRssHeadlinesFromArticles(articles, feedTitle, req.ShowContent, req.ShowExcerpt) if req.IncludeHeader { header := ttRssHeadlinesHeader{Id: req.FeedId, FirstId: firstId, IsCat: req.IsCat} hContent := ttRssHeadlinesHeaderContent{} hContent = append(hContent, header) hContent = append(hContent, headlines) con = hContent } else { con = headlines } case "updateArticle": articles := user.ArticlesById(req.ArticleIds, data.ArticleQueryOptions{SkipSessionProcessors: true}) updateCount := int64(0) switch req.Field { case 0, 2: for _, a := range articles { d := a.Data() updated := false switch req.Field { case 0: switch req.Mode { case 0: if d.Favorite { updated = true d.Favorite = false } case 1: if !d.Favorite { updated = true d.Favorite = true } case 2: updated = true d.Favorite = !d.Favorite } if updated { a.Favorite(d.Favorite) } case 2: switch req.Mode { case 0: if !d.Read { updated = true d.Read = true } case 1: if d.Read { updated = true d.Read = false } case 2: updated = true d.Read = !d.Read } if updated { a.Read(d.Read) } } if updated { if a.HasErr() { err = a.Err() break } updateCount++ } } if err != nil { break } con = ttRssGenericContent{Status: "OK", Updated: updateCount} } case "getArticle": articles := user.ArticlesById(req.ArticleId, data.ArticleQueryOptions{SkipSessionProcessors: true}) feedTitles := map[data.FeedId]string{} for _, a := range articles { d := a.Data() if _, ok := feedTitles[d.FeedId]; !ok { f := repo.FeedById(d.FeedId) feedTitles[d.FeedId] = f.Data().Title } } cContent := ttRssArticlesContent{} for _, a := range articles { d := a.Data() title := feedTitles[d.FeedId] h := ttRssArticle{ Id: strconv.FormatInt(int64(d.Id), 10), Unread: !d.Read, Marked: d.Favorite, Updated: d.Date.Unix(), Title: d.Title, Link: d.Link, FeedId: strconv.FormatInt(int64(d.FeedId), 10), FeedTitle: title, Content: d.Description, } cContent = append(cContent, h) } con = cContent case "getConfig": con = ttRssConfigContent{DaemonIsRunning: true, NumFeeds: len(user.AllFeeds())} case "updateFeed": con = ttRssGenericContent{Status: "OK"} case "catchupFeed": var ar content.ArticleRepo o := data.ArticleUpdateStateOptions{BeforeDate: time.Now()} if req.IsCat { tagId := data.TagId(req.FeedId) ar = user.TagById(tagId) if tagId == TTRSS_CAT_UNCATEGORIZED { o.UntaggedOnly = true } } else { ar = user.FeedById(req.FeedId) } if ar != nil { ar.ReadState(true, o) if e, ok := ar.(content.Error); ok { if e.HasErr() { err = e.Err() break } } con = ttRssGenericContent{Status: "OK"} } case "getPref": switch req.PrefName { case "DEFAULT_UPDATE_INTERVAL": con = ttRssGenericContent{Value: int(config.FeedManager.Converted.UpdateInterval.Minutes())} case "DEFAULT_ARTICLE_LIMIT": con = ttRssGenericContent{Value: 200} case "HIDE_READ_FEEDS": con = ttRssGenericContent{Value: user.Data().ProfileData["unreadOnly"]} case "FEEDS_SORT_BY_UNREAD", "ENABLE_FEED_CATS", "SHOW_CONTENT_PREVIEW": con = ttRssGenericContent{Value: true} case "FRESH_ARTICLE_MAX_AGE": con = ttRssGenericContent{Value: (-1 * TTRSS_FRESH_DURATION).Hours()} } case "getLabels": con = []interface{}{} case "setArticleLabel": con = ttRssGenericContent{Status: "OK", Updated: 0} case "shareToPublished": errType = "Publishing failed" case "subscribeToFeed": f := repo.FeedByLink(req.FeedUrl) for _, u := range f.Users() { if u.Data().Login == user.Data().Login { con = ttRssSubscribeContent{Status: struct { Code int `json:"code"` }{0}} break } } if f.HasErr() { err = f.Err() break } f, err := controller.fm.AddFeedByLink(req.FeedUrl) if err != nil { errType = "INCORRECT_USAGE" break } uf := user.AddFeed(f) if uf.HasErr() { err = uf.Err() break } con = ttRssSubscribeContent{Status: struct { Code int `json:"code"` }{1}} case "unsubscribeFeed": f := user.FeedById(req.FeedId) f.Detach() users := f.Users() if f.HasErr() { err = f.Err() if err == content.ErrNoContent { errType = "FEED_NOT_FOUND" } break } if len(users) == 0 { controller.fm.RemoveFeed(f) } con = ttRssGenericContent{Status: "OK"} case "getFeedTree": items := []ttRssCategory{} special := ttRssCategory{Id: "CAT:-1", Items: []ttRssCategory{}, Name: "Special", Type: "category", BareId: -1} special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_ALL_ID, false)) special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_FRESH_ID, false)) special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_FAVORITE_ID, false)) special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_PUBLISHED_ID, false)) special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_ARCHIVED_ID, false)) special.Items = append(special.Items, ttRssFeedListCategoryFeed(user, nil, TTRSS_RECENTLY_READ_ID, false)) items = append(items, special) tf := user.AllTaggedFeeds() uncat := ttRssCategory{Id: "CAT:0", Items: []ttRssCategory{}, BareId: 0, Name: "Uncategorized", Type: "category"} tagCategories := map[content.Tag]ttRssCategory{} for _, f := range tf { tags := f.Tags() item := ttRssFeedListCategoryFeed(user, f, f.Data().Id, true) if len(tags) > 0 { for _, t := range tags { var c ttRssCategory if cached, ok := tagCategories[t]; ok { c = cached } else { c = ttRssCategory{ Id: "CAT:" + strconv.FormatInt(int64(t.Data().Id), 10), BareId: data.FeedId(t.Data().Id), Name: string(t.Data().Value), Type: "category", Items: []ttRssCategory{}, } } c.Items = append(c.Items, item) tagCategories[t] = c } } else { uncat.Items = append(uncat.Items, item) } } categories := []ttRssCategory{uncat} for _, c := range tagCategories { categories = append(categories, c) } for _, c := range categories { if len(c.Items) == 1 { c.Param = "(1 feed)" } else { c.Param = fmt.Sprintf("(%d feed)", len(c.Items)) } items = append(items, c) } fl := ttRssCategory{Identifier: "id", Label: "name"} fl.Items = items if user.HasErr() { err = user.Err() } else { con = ttRssFeedTreeContent{Categories: fl} } default: errType = "UNKNOWN_METHOD" con = ttRssGenericContent{Method: req.Op} } } if err == nil && errType == "" { resp.Status = TTRSS_API_STATUS_OK } else { logger.Infof("Error processing TT-RSS API request: %s %v\n", errType, err) resp.Status = TTRSS_API_STATUS_ERR con = ttRssErrorContent{Error: errType} } var b []byte b, err = json.Marshal(con) if err == nil { resp.Content = json.RawMessage(b) } b, err = json.Marshal(&resp) if err == nil { w.Header().Set("Content-Type", "text/json") w.Header().Set("Api-Content-Length", strconv.Itoa(len(b))) w.Write(b) logger.Debugf("Output for %s: %s\n", req.Op, string(b)) } else { logger.Print(fmt.Errorf("TT-RSS error %s: %v", req.Op, err)) w.WriteHeader(http.StatusInternalServerError) } }) }
func (a apiRequest) processor( c context.Context, user content.User, fm *readeef.FeedManager, si readeef.SearchIndex, secret []byte, ) (Processor, error) { switch a.Method { case "heartbeat": return &heartbeatProcessor{}, nil case "get-auth-data": return &getAuthDataProcessor{user: user}, nil case "mark-article-as-read": return &markArticleAsReadProcessor{user: user}, nil case "mark-article-as-favorite": return &markArticleAsFavoriteProcessor{user: user}, nil case "format-article": return &formatArticleProcessor{ user: user, webfwConfig: webfw.GetConfig(c), readeefConfig: readeef.GetConfig(c), }, nil case "get-article": return &getArticleProcessor{user: user}, nil case "list-feeds": return &listFeedsProcessor{user: user}, nil case "discover-feeds": return &discoverFeedsProcessor{user: user, fm: fm}, nil case "parse-opml": return &parseOpmlProcessor{user: user, fm: fm}, nil case "add-feed": return &addFeedProcessor{user: user, fm: fm}, nil case "remove-feed": return &removeFeedProcessor{user: user, fm: fm}, nil case "get-feed-tags": return &getFeedTagsProcessor{user: user}, nil case "set-feed-tags": return &setFeedTagsProcessor{user: user}, nil case "mark-feed-as-read": return &markFeedAsReadProcessor{user: user}, nil case "get-feed-articles": return &getFeedArticlesProcessor{user: user}, nil case "search": return &searchProcessor{user: user, si: si}, nil case "get-user-attribute": return &getUserAttributeProcessor{user: user}, nil case "set-user-attribute": return &setUserAttributeProcessor{user: user, secret: secret}, nil case "list-users": return &listUsersProcessor{user: user}, nil case "add-user": return &addUserProcessor{user: user, secret: secret}, nil case "remove-user": return &removeUserProcessor{user: user}, nil case "set-attribute-for-user": return &setAttributeForUserProcessor{user: user, secret: secret}, nil default: return nil, errInvalidMethodValue } }