From 3361403379302c6d5e446f08fab0f417ba04adbb Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 12:56:01 -0400 Subject: [PATCH 1/6] subreddit notifications --- internal/api/api.go | 26 +- internal/api/watcher.go | 127 + internal/cmd/scheduler.go | 86 +- internal/cmd/worker.go | 1 + internal/domain/device.go | 1 + internal/domain/subreddit.go | 25 + internal/domain/watcher.go | 25 + internal/reddit/client.go | 35 + internal/reddit/testdata/subreddit_about.json | 110 + internal/reddit/testdata/subreddit_new.json | 12766 ++++++++++++++++ internal/reddit/types.go | 29 + internal/reddit/types_test.go | 36 + internal/repository/postgres_device.go | 17 + internal/repository/postgres_subreddit.go | 90 + internal/repository/postgres_watcher.go | 126 + internal/worker/notifications.go | 3 +- internal/worker/subreddits.go | 329 + 17 files changed, 13815 insertions(+), 17 deletions(-) create mode 100644 internal/api/watcher.go create mode 100644 internal/domain/subreddit.go create mode 100644 internal/domain/watcher.go create mode 100644 internal/reddit/testdata/subreddit_about.json create mode 100644 internal/reddit/testdata/subreddit_new.json create mode 100644 internal/repository/postgres_subreddit.go create mode 100644 internal/repository/postgres_watcher.go create mode 100644 internal/worker/subreddits.go diff --git a/internal/api/api.go b/internal/api/api.go index 9faf6c2..48a1c05 100644 --- a/internal/api/api.go +++ b/internal/api/api.go @@ -24,8 +24,10 @@ type api struct { reddit *reddit.Client apns *token.Token - accountRepo domain.AccountRepository - deviceRepo domain.DeviceRepository + accountRepo domain.AccountRepository + deviceRepo domain.DeviceRepository + subredditRepo domain.SubredditRepository + watcherRepo domain.WatcherRepository } func NewAPI(ctx context.Context, logger *logrus.Logger, statsd *statsd.Client, pool *pgxpool.Pool) *api { @@ -52,14 +54,19 @@ func NewAPI(ctx context.Context, logger *logrus.Logger, statsd *statsd.Client, p accountRepo := repository.NewPostgresAccount(pool) deviceRepo := repository.NewPostgresDevice(pool) + subredditRepo := repository.NewPostgresSubreddit(pool) + watcherRepo := repository.NewPostgresWatcher(pool) return &api{ - logger: logger, - statsd: statsd, - reddit: reddit, - apns: apns, - accountRepo: accountRepo, - deviceRepo: deviceRepo, + logger: logger, + statsd: statsd, + reddit: reddit, + apns: apns, + + accountRepo: accountRepo, + deviceRepo: deviceRepo, + subredditRepo: subredditRepo, + watcherRepo: watcherRepo, } } @@ -83,6 +90,9 @@ func (a *api) Routes() *mux.Router { r.HandleFunc("/v1/device/{apns}/accounts", a.upsertAccountsHandler).Methods("POST") r.HandleFunc("/v1/device/{apns}/account/{redditID}", a.disassociateAccountHandler).Methods("DELETE") + r.HandleFunc("/v1/device/{apns}/accounts/{redditID}/watcher", a.createWatcherHandler).Methods("POST") + r.HandleFunc("/v1/device/{apns}/accounts/{redditID}/watcher/{watcherID}", a.deleteWatcherHandler).Methods("DELETE") + r.HandleFunc("/v1/receipt", a.checkReceiptHandler).Methods("POST") r.HandleFunc("/v1/receipt/{apns}", a.checkReceiptHandler).Methods("POST") diff --git a/internal/api/watcher.go b/internal/api/watcher.go new file mode 100644 index 0000000..ead5ab8 --- /dev/null +++ b/internal/api/watcher.go @@ -0,0 +1,127 @@ +package api + +import ( + "context" + "encoding/json" + "net/http" + "strconv" + + "github.com/christianselig/apollo-backend/internal/domain" + "github.com/gorilla/mux" +) + +type watcherCriteria struct { + Upvotes int64 + Keyword string + Flair string + Domain string +} + +type createWatcherRequest struct { + Subreddit string + Criteria watcherCriteria +} + +func (a *api) createWatcherHandler(w http.ResponseWriter, r *http.Request) { + ctx := context.Background() + + vars := mux.Vars(r) + apns := vars["apns"] + redditID := vars["redditID"] + + cwr := &createWatcherRequest{} + if err := json.NewDecoder(r.Body).Decode(cwr); err != nil { + a.errorResponse(w, r, 500, err.Error()) + return + } + + dev, err := a.deviceRepo.GetByAPNSToken(ctx, apns) + if err != nil { + a.errorResponse(w, r, 422, err.Error()) + return + } + + accs, err := a.accountRepo.GetByAPNSToken(ctx, apns) + if err != nil || len(accs) == 0 { + a.errorResponse(w, r, 422, err.Error()) + return + } + + account := accs[0] + found := false + for _, acc := range accs { + if acc.AccountID == redditID { + found = true + account = acc + } + } + + if !found { + a.errorResponse(w, r, 422, "yeah nice try") + return + } + + ac := a.reddit.NewAuthenticatedClient(account.RefreshToken, account.AccessToken) + srr, err := ac.SubredditAbout(cwr.Subreddit) + if err != nil { + a.errorResponse(w, r, 422, err.Error()) + return + } + + sr, err := a.subredditRepo.GetByName(ctx, cwr.Subreddit) + + switch err { + case domain.ErrNotFound: + // Might be that we don't know about that subreddit yet + sr = domain.Subreddit{SubredditID: srr.ID, Name: srr.Name} + _ = a.subredditRepo.CreateOrUpdate(ctx, &sr) + default: + a.errorResponse(w, r, 500, err.Error()) + return + } + + watcher := domain.Watcher{ + SubredditID: sr.ID, + DeviceID: dev.ID, + AccountID: account.ID, + Upvotes: cwr.Criteria.Upvotes, + Keyword: cwr.Criteria.Keyword, + Flair: cwr.Criteria.Flair, + Domain: cwr.Criteria.Domain, + } + + if err := a.watcherRepo.Create(ctx, &watcher); err != nil { + a.errorResponse(w, r, 422, err.Error()) + return + } + + w.WriteHeader(http.StatusOK) +} + +func (a *api) deleteWatcherHandler(w http.ResponseWriter, r *http.Request) { + ctx := context.Background() + + vars := mux.Vars(r) + id, err := strconv.ParseInt(vars["watcherID"], 10, 64) + if err != nil { + a.errorResponse(w, r, 422, err.Error()) + return + } + + apns := vars["apns"] + + dev, err := a.deviceRepo.GetByAPNSToken(ctx, apns) + if err != nil { + a.errorResponse(w, r, 422, err.Error()) + return + } + + watcher, err := a.watcherRepo.GetByID(ctx, id) + if err != nil || watcher.DeviceID != dev.ID { + a.errorResponse(w, r, 422, "nice try") + return + } + + _ = a.watcherRepo.Delete(ctx, id) + w.WriteHeader(http.StatusOK) +} diff --git a/internal/cmd/scheduler.go b/internal/cmd/scheduler.go index 4a3a1b0..9863196 100644 --- a/internal/cmd/scheduler.go +++ b/internal/cmd/scheduler.go @@ -20,9 +20,11 @@ import ( ) const ( - batchSize = 250 - checkTimeout = 60 // how long until we force a check - enqueueTimeout = 5 // how long until we try to re-enqueue + batchSize = 250 + checkTimeout = 60 // how long until we force a check + + accountEnqueueTimeout = 5 // how frequently we want to check (seconds) + subredditEnqueueTimeout = 5 * 60 // how frequently we want to check (seconds) staleAccountThreshold = 7200 // 2 hours staleDeviceThreshold = 604800 // 1 week @@ -70,8 +72,14 @@ func SchedulerCmd(ctx context.Context) *cobra.Command { return err } + subredditQueue, err := queue.OpenQueue("subreddits") + if err != nil { + return err + } + s := gocron.NewScheduler(time.UTC) _, _ = s.Every(200).Milliseconds().SingletonMode().Do(func() { enqueueAccounts(ctx, logger, statsd, db, redis, luaSha, notifQueue) }) + _, _ = s.Every(200).Milliseconds().SingletonMode().Do(func() { enqueueSubreddits(ctx, logger, statsd, db, subredditQueue) }) _, _ = s.Every(1).Second().Do(func() { cleanQueues(ctx, logger, queue) }) _, _ = s.Every(1).Minute().Do(func() { reportStats(ctx, logger, statsd, db, redis) }) _, _ = s.Every(1).Minute().Do(func() { pruneAccounts(ctx, logger, db) }) @@ -195,6 +203,70 @@ func reportStats(ctx context.Context, logger *logrus.Logger, statsd *statsd.Clie } } +func enqueueSubreddits(ctx context.Context, logger *logrus.Logger, statsd *statsd.Client, pool *pgxpool.Pool, queue rmq.Queue) { + now := time.Now() + ready := now.Unix() - subredditEnqueueTimeout + + ids := []int64{} + + err := pool.BeginFunc(ctx, func(tx pgx.Tx) error { + stmt := ` + WITH subreddit AS ( + SELECT id + FROM subreddits + WHERE last_checked_at < $1 + ORDER BY last_checked_at + LIMIT 100 + ) + UPDATE subreddits + SET last_checked_at = $2 + WHERE subreddits.id IN(SELECT id FROM subreddit) + RETURNING subreddits.id` + rows, err := tx.Query(ctx, stmt, ready, now.Unix()) + if err != nil { + return err + } + defer rows.Close() + for rows.Next() { + var id int64 + _ = rows.Scan(&id) + ids = append(ids, id) + } + return nil + }) + + if err != nil { + logger.WithFields(logrus.Fields{ + "err": err, + }).Error("failed to fetch batch of subreddits") + return + } + + if len(ids) == 0 { + return + } + + logger.WithFields(logrus.Fields{ + "count": len(ids), + "start": ready, + }).Debug("enqueueing subreddit batch") + + batchIds := make([]string, len(ids)) + for i, id := range ids { + batchIds[i] = strconv.FormatInt(id, 10) + } + + if err = queue.Publish(batchIds...); err != nil { + logger.WithFields(logrus.Fields{ + "err": err, + }).Error("failed to enqueue subreddit") + } + + _ = statsd.Histogram("apollo.queue.subreddits.enqueued", float64(len(ids)), []string{}, 1) + _ = statsd.Histogram("apollo.queue.subreddits.runtime", float64(time.Since(now).Milliseconds()), []string{}, 1) + +} + func enqueueAccounts(ctx context.Context, logger *logrus.Logger, statsd *statsd.Client, pool *pgxpool.Pool, redisConn *redis.Client, luaSha string, queue rmq.Queue) { start := time.Now() @@ -204,7 +276,7 @@ func enqueueAccounts(ctx context.Context, logger *logrus.Logger, statsd *statsd. // and at most 6 seconds ago. Also look for accounts that haven't been checked // in over a minute. ts := start.Unix() - ready := ts - enqueueTimeout + ready := ts - accountEnqueueTimeout expired := ts - checkTimeout ids := []int64{} @@ -292,9 +364,9 @@ func enqueueAccounts(ctx context.Context, logger *logrus.Logger, statsd *statsd. } } - _ = statsd.Histogram("apollo.queue.enqueued", float64(enqueued), []string{}, 1) - _ = statsd.Histogram("apollo.queue.skipped", float64(skipped), []string{}, 1) - _ = statsd.Histogram("apollo.queue.runtime", float64(time.Since(start).Milliseconds()), []string{}, 1) + _ = statsd.Histogram("apollo.queue.notifications.enqueued", float64(enqueued), []string{}, 1) + _ = statsd.Histogram("apollo.queue.notifications.skipped", float64(skipped), []string{}, 1) + _ = statsd.Histogram("apollo.queue.notifications.runtime", float64(time.Since(start).Milliseconds()), []string{}, 1) logger.WithFields(logrus.Fields{ "count": enqueued, diff --git a/internal/cmd/worker.go b/internal/cmd/worker.go index ee321b8..7c502f7 100644 --- a/internal/cmd/worker.go +++ b/internal/cmd/worker.go @@ -14,6 +14,7 @@ import ( var ( queues = map[string]worker.NewWorkerFn{ "notifications": worker.NewNotificationsWorker, + "subreddits": worker.NewSubredditsWorker, } ) diff --git a/internal/domain/device.go b/internal/domain/device.go index ccdbcfa..d7fbc74 100644 --- a/internal/domain/device.go +++ b/internal/domain/device.go @@ -15,6 +15,7 @@ type Device struct { } type DeviceRepository interface { + GetByID(ctx context.Context, id int64) (Device, error) GetByAPNSToken(ctx context.Context, token string) (Device, error) GetByAccountID(ctx context.Context, id int64) ([]Device, error) diff --git a/internal/domain/subreddit.go b/internal/domain/subreddit.go new file mode 100644 index 0000000..22ce7e9 --- /dev/null +++ b/internal/domain/subreddit.go @@ -0,0 +1,25 @@ +package domain + +import ( + "context" + "strings" +) + +type Subreddit struct { + ID int64 + + // Reddit information + SubredditID string + Name string +} + +func (sr *Subreddit) NormalizedName() string { + return strings.ToLower(sr.Name) +} + +type SubredditRepository interface { + GetByID(ctx context.Context, id int64) (Subreddit, error) + GetByName(ctx context.Context, name string) (Subreddit, error) + + CreateOrUpdate(ctx context.Context, sr *Subreddit) error +} diff --git a/internal/domain/watcher.go b/internal/domain/watcher.go new file mode 100644 index 0000000..f0e513f --- /dev/null +++ b/internal/domain/watcher.go @@ -0,0 +1,25 @@ +package domain + +import "context" + +type Watcher struct { + ID int64 + + DeviceID int64 + AccountID int64 + SubredditID int64 + + Upvotes int64 + Keyword string + Flair string + Domain string +} + +type WatcherRepository interface { + GetByID(ctx context.Context, id int64) (Watcher, error) + GetBySubredditID(ctx context.Context, id int64) ([]Watcher, error) + + Create(ctx context.Context, watcher *Watcher) error + Update(ctx context.Context, watcher *Watcher) error + Delete(ctx context.Context, id int64) error +} diff --git a/internal/reddit/client.go b/internal/reddit/client.go index 0ec95fe..d2e38cf 100644 --- a/internal/reddit/client.go +++ b/internal/reddit/client.go @@ -1,6 +1,7 @@ package reddit import ( + "fmt" "io/ioutil" "net/http" "net/http/httptrace" @@ -179,6 +180,40 @@ func (rac *AuthenticatedClient) RefreshTokens() (*RefreshTokenResponse, error) { return ret, nil } +func (rac *AuthenticatedClient) SubredditAbout(subreddit string, opts ...RequestOption) (*SubredditResponse, error) { + url := fmt.Sprintf("https://oauth.reddit.com/r/%s/about.json", subreddit) + opts = append([]RequestOption{ + WithMethod("GET"), + WithToken(rac.accessToken), + WithURL(url), + }, opts...) + req := NewRequest(opts...) + sr, err := rac.request(req, NewSubredditResponse, nil) + + if err != nil { + return nil, err + } + + return sr.(*SubredditResponse), nil +} + +func (rac *AuthenticatedClient) SubredditNew(subreddit string, opts ...RequestOption) (*ListingResponse, error) { + url := fmt.Sprintf("https://oauth.reddit.com/r/%s/new.json", subreddit) + opts = append([]RequestOption{ + WithMethod("GET"), + WithToken(rac.accessToken), + WithURL(url), + }, opts...) + req := NewRequest(opts...) + + lr, err := rac.request(req, NewListingResponse, EmptyListingResponse) + if err != nil { + return nil, err + } + + return lr.(*ListingResponse), nil +} + func (rac *AuthenticatedClient) MessageInbox(opts ...RequestOption) (*ListingResponse, error) { opts = append([]RequestOption{ WithTags([]string{"url:/api/v1/message/inbox"}), diff --git a/internal/reddit/testdata/subreddit_about.json b/internal/reddit/testdata/subreddit_about.json new file mode 100644 index 0000000..2ce4860 --- /dev/null +++ b/internal/reddit/testdata/subreddit_about.json @@ -0,0 +1,110 @@ +{ + "kind":"t5", + "data":{ + "user_flair_background_color":null, + "submit_text_html":"<!-- SC_OFF --><div class=\"md\"><hr/>\n\n<h2><strong><em>!!DO NOT POST REQUESTS FOR FIRETEAM, LFG, FRIEND, OR CLANS HERE!!</em> GO TO <a href=\"/r/FIRETEAMS\">/r/FIRETEAMS</a>. RAIDS, CLANS, QUESTS, NIGHTFALLS, PVP, ETC. ALL GOES TO <a href=\"/r/FIRETEAMS\">/r/FIRETEAMS</a>.</strong></h2>\n\n<p>*********</p>\n\n<h2><strong>!!!IF YOU POST A VIDEO OF SOMEONE CHEATING, YOU *WILL* BE BANNED!!! WITCH-HUNTING IS OUR STRICTEST RULE. Report cheaters through <a href=\"http://www.bungie.net/en/Help/Troubleshoot?oid=13967\">Bungie&#39;s Contact Form</a></strong></h2>\n\n<p>*********</p>\n\n<h1>All PC launch/tech/rig questions go to <a href=\"/r/DestinyTechSupport\">/r/DestinyTechSupport</a>. Thanks!</h1>\n\n<h1><strong>DON&#39;T FORGET TO FLAIR YOUR POSTS</strong>.</h1>\n\n<hr/>\n\n<h6>Please <a href=\"/r/DestinyTheGame/wiki/rules\">read our rules</a> and <strong>check for active Megathreads</strong> before posting.</h6>\n\n<hr/>\n\n<h3>Spoiler Warning</h3>\n\n<p>Any user who submits a post with any sort of spoiler in the title may be banned.</p>\n\n<p>The following kind of topics are okay for posting</p>\n\n<ul>\n<li>[Spoiler] The Ending of the Moon Mission was interesting...</li>\n</ul>\n\n<hr/>\n</div><!-- SC_ON -->", + "restrict_posting":true, + "user_is_banned":null, + "free_form_reports":true, + "wiki_enabled":true, + "user_is_muted":null, + "user_can_flair_in_sr":null, + "display_name":"DestinyTheGame", + "header_img":"", + "title":"Destiny | Reddit", + "allow_galleries":false, + "icon_size":[ + 256, + 256 + ], + "primary_color":"#edeff1", + "active_user_count":6596, + "icon_img":"https://b.thumbs.redditmedia.com/SkqRFx9oQR34w7Ql86_jB9WJ0Jt8dgywbNqMd9dpiJg.png", + "display_name_prefixed":"r/DestinyTheGame", + "accounts_active":6596, + "public_traffic":false, + "subscribers":2134010, + "user_flair_richtext":[ + + ], + "name":"t5_2vq0w", + "quarantine":false, + "hide_ads":false, + "prediction_leaderboard_entry_type":"IN_FEED", + "emojis_enabled":true, + "advertiser_category":"Games", + "public_description":"Welcome to Destiny Reddit! This sub is for discussing Bungie's Destiny 2 and its predecessor, Destiny. Please read the sidebar rules and be sure to search for your question before posting.", + "comment_score_hide_mins":60, + "allow_predictions":false, + "user_has_favorited":null, + "user_flair_template_id":null, + "community_icon":"https://styles.redditmedia.com/t5_2vq0w/styles/communityIcon_9o8mqi4fd6h51.png?width=256&s=9d8da94aa5987da1a5da8f94bee9289a0ec51542", + "banner_background_image":"https://styles.redditmedia.com/t5_2vq0w/styles/bannerBackgroundImage_x714l7aehhp71.png?width=4000&s=6f7bfb9fa7e962174b0f9a9031168f0ebc0882b0", + "original_content_tag_enabled":false, + "community_reviewed":false, + "submit_text":"---\n\n##**_!!DO NOT POST REQUESTS FOR FIRETEAM, LFG, FRIEND, OR CLANS HERE!!_ GO TO /r/FIRETEAMS. RAIDS, CLANS, QUESTS, NIGHTFALLS, PVP, ETC. ALL GOES TO /r/FIRETEAMS.**\n\n\\*\\*\\*\\*\\*\\*\\*\\*\\*\n##**!!!IF YOU POST A VIDEO OF SOMEONE CHEATING, YOU \\*WILL* BE BANNED!!! WITCH-HUNTING IS OUR STRICTEST RULE. Report cheaters through [Bungie's Contact Form](http://www.bungie.net/en/Help/Troubleshoot?oid=13967)**\n\\*\\*\\*\\*\\*\\*\\*\\*\\*\n\n#All PC launch/tech/rig questions go to /r/DestinyTechSupport. Thanks!\n\n#**DON'T FORGET TO FLAIR YOUR POSTS**.\n\n---\n\n######Please [read our rules](/r/DestinyTheGame/wiki/rules) and **check for active Megathreads** before posting.\n\n---\n###Spoiler Warning\n\nAny user who submits a post with any sort of spoiler in the title may be banned.\n\nThe following kind of topics are okay for posting\n\n * [Spoiler] The Ending of the Moon Mission was interesting...\n\n---", + "description_html":"<!-- SC_OFF --><div class=\"md\"><p>Welcome to <strong><a href=\"/r/DestinyTheGame\">Destiny The Game</a></strong></p>\n\n<blockquote>\n<ul>\n<li><strong>Weekly Threads</strong>\n\n<ul>\n<li><a href=\"#WRTS\"></a><a href=\"https://redd.it/psoduz\">[D2] Weekly Reset Thread [2021-09-21]</a><a href=\"#WRTE\"></a></li>\n<li><a href=\"#TUTS\"></a><a href=\"https://redd.it/pseyye\">Daily Thread - Team Up Tuesday!</a><a href=\"#TUTE\"></a></li>\n<li><a href=\"#LHS\"></a><a href=\"https://redd.it/pseyxq\">Weekly Loot Hub</a><a href=\"#LHE\"></a></li>\n<li><a href=\"#RWS\"></a><a href=\"https://redd.it/pt3h41\">DAILY THREAD - RANT WEDNESDAY</a><a href=\"#RWE\"></a></li>\n<li><a href=\"#LTS\"></a><a href=\"https://redd.it/ptr5dr\">Daily Thread - Lore Thursday [SPOILERS AHEAD]</a><a href=\"#LTE\"></a></li>\n<li><a href=\"#FTFS\"></a><a href=\"https://redd.it/pufuwn\">Daily Discussion - Free Talk Friday!</a><a href=\"#FTFE\"></a></li>\n<li><a href=\"#TOOS\"></a><a href=\"https://redd.it/puo7e7\">[D2] Trials of Osiris Megathread [2021-09-24]</a><a href=\"#TOOE\"></a></li>\n<li><a href=\"#XURS\"></a><a href=\"https://redd.it/puoae3\">[D2] X\u00fbr Megathread [2021-09-24]</a><a href=\"#XURE\"></a></li>\n<li><a href=\"#SFSS\"></a><a href=\"https://redd.it/pv3409\">Daily Discussion - Salt-Free Saturday!</a><a href=\"#SFSE\"></a></li>\n</ul></li>\n<li><strong>Useful Links</strong>\n\n<ul>\n<li><a href=\"https://www.bungie.net/pubassets/pkgs/151/151465/S14_Calendar_EN.jpg\">Destiny 2: Season of the Splicer Calendar</a></li>\n<li><a href=\"https://www.bungie.net/en/Help/Article/49651\">Destiny 2: Known Issues (Comprehensive)</a></li>\n<li><a href=\"https://redd.it/p8t78n\">Useful Community Links and Resources</a></li>\n<li><a href=\"https://docs.google.com/spreadsheets/d/12vF7ckMzN4hex-Tse4HPiVs_d9huFOKlvUoq5V41nxU/\">Full Weapon DPS Chart, Updated Regularly</a></li>\n<li><a href=\"https://docs.google.com/spreadsheets/d/1i1KUwgVkd8qhwYj481gkV9sZNJQCE-C3Q-dpQutPCi4/\">Buffs and Debuffs - The Statistical Spreadsheet</a></li>\n<li><a href=\"https://docs.google.com/spreadsheets/d/1WaxvbLx7UoSZaBqdFr1u32F2uWVLo-CJunJB4nlGUE4/\">Perks and Abilities Spreadsheet with Numbers</a></li>\n<li><a href=\"https://www.reddit.com/r/DestinyTheGame/comments/l1bk5n/a_comprehensive_list_of_useful_destiny_2_tools/\">All Existing Community Tools, Sites, and Resources</a></li>\n<li><a href=\"https://www.reddit.com/r/raidsecrets/\">r/raidsecrets</a></li>\n<li><a href=\"https://redd.it/5jrg27\">How To: Destiny Reddit</a></li>\n<li><a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/destinysites\">Useful Destiny Sites</a></li>\n<li><a href=\"https://redd.it/62bf99\">Destiny Dictionary</a></li>\n</ul></li>\n<li><strong>Tower News</strong>\n\n<ul>\n<li><a href=\"#TWABS\"></a><a href=\"https://redd.it/pu5kj7\">This Week At Bungie \u2013 9/23/2021</a><a href=\"#TWABE\"></a></li>\n<li><a href=\"https://redd.it/lscomx\">Destiny 2021 Update</a></li>\n<li><a href=\"https://redd.it/j8txhp\">State of the Subreddit [10/10/2020]</a></li>\n<li><a href=\"https://www.bungie.net/en/Help/Article/49007\">Destiny 2: Beyond Light Guide</a></li>\n<li><a href=\"https://www.bungie.net/en/Explore/Category?category=Updates\">Bungie Patch Notes Index</a></li>\n<li><a href=\"https://help.bungie.net/hc/en-us/articles/360049199271\">Server and Update Status for Destiny 2</a></li>\n<li><a href=\"https://redd.it/5arqht\">A Note On Witchhunting. Part 3</a></li>\n</ul></li>\n</ul>\n</blockquote>\n\n<h6><strong><a href=\"#DRTS\"></a><a href=\"https://redd.it/pupw5v\">[D2] Daily Reset Thread [2021-09-24]</a><a href=\"#DRTE\"></a> | <a href=\"#DQS\"></a><a href=\"https://redd.it/puyasg\">Daily Questions [2021-09-25]</a><a href=\"#DQE\"></a> | <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/bungieplz\">Bungie Plz</a> | <a href=\"https://www.bungie.net/Guide\">Bungie&#39;s New Player Guide</a> | <a href=\"https://redd.it/doprw3\">Witch-Hunting: What &quot;counts&quot;, and why it&#39;s not allowed.</a> | <a href=\"https://redd.it/pmpbda\">Sunday Plz: Add a Cryptarch to H.E.L.M</a> | <a href=\"#FFS\"></a><a href=\"http://redd.it/prx66c\">Focused Feedback 09/20: Trials of Osiris</a><a href=\"#FFE\"></a></strong></h6>\n\n<hr/>\n\n<p><a href=\"https://dm.reddit.com/r/DestinyTheGame\" title=\"Switch mode\"><strong>Dark Mode</strong> <em>The Darkness Consumed You</em></a></p>\n\n<p><a href=\"https://www.reddit.com/r/DestinyTheGame\" title=\"Switch mode\"><strong>Light Mode</strong> <em>Become a Guardian of the Light</em></a></p>\n\n<p><a href=\"https://destinyreddit.com/flair\"></a></p>\n\n<hr/>\n\n<h4><strong>Weekly Reset <em>in</em></strong> <strong><a href=\"#ctdwn_1_days\">3</a> days</strong> <strong><a href=\"#ctdwn_1_hours\">2</a> hours</strong> <strong><a href=\"#ctdwn_1_minutes\">39</a> minutes</strong></h4>\n\n<h4><strong>Daily Reset <em>in</em></strong> <strong><a href=\"#ctdwn_2_hours\">2</a> hours</strong> <strong><a href=\"#ctdwn_2_minutes\">39</a> minutes</strong></h4>\n\n<hr/>\n\n<h2><strong>Community Links</strong></h2>\n\n<ul>\n<li><a href=\"https://goo.gl/UvisUG\">Fireteams</a></li>\n<li><a href=\"https://goo.gl/OtoFXb\">Destiny Sherpas</a></li>\n<li><a href=\"https://goo.gl/HzAF1X\">Crucible Sherpas</a></li>\n<li><a href=\"https://goo.gl/iaaibC\">Destiny Tech Support</a></li>\n<li><a href=\"https://discord.gg/DestinyReddit\">Destiny Discord</a></li>\n<li><a href=\"https://www.bungie.net/\">Bungie</a></li>\n</ul>\n\n<hr/>\n\n<h1><a href=\"https://goo.gl/gmpPko\">The Rules</a></h1>\n\n<ol>\n<li><p><strong>Keep it Civil:</strong> Follow proper <a href=\"/w/reddiquette\">Reddiquette</a> when submitting and commenting. Keep it civil and do not make personal attacks or use offensive language in addressing others. Absolutely no harassment, <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_a_note_on_witch_hunting_and_harassment\">witchhunting</a>, sexism, racism or hate speech will be tolerated. <a href=\"http://www.bungie.net/en/Help/Troubleshoot?oid=13967\">Report players to Bungie In-Game or via this contact form.</a></p></li>\n<li><p><strong>Unsuitable Content:</strong> Posts that are subject to removal are: retired suggestions, not directly related personal stories, recent reposts, low-effort/low-quality posts or posts not directly related to Destiny. Moderator discretion may be used for this rule. <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_2_-_unsuitable_content\">For further examples, see our wiki.</a></p></li>\n<li><p><strong>Misplaced Content:</strong> Content must be posted to the correct Place. Examples include LFG posts, memes, content relating to an Active Megathread, loot posts, Petition Posts or Technical Issues. <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_3_-_misplaced_content\">For further examples, see our wiki</a>.</p></li>\n<li><p><strong>Marginal Content:</strong> Content must be properly flaired and formatted. Examples include posts with spoilers in the title, comments with unmarked spoilers, clickbait titles, &quot;Does Anyone Else&quot; posts or posts with title tags. <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_4_-_marginal_content\">For further examples see our wiki</a>.</p></li>\n<li><p><a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_5_-_don.27t_spam\"><strong>Don&#39;t spam</strong></a>. Self-promotion should be <a href=\"https://www.reddit.com/wiki/selfpromotion\">thoughtful, limited, and consistently well received by the community</a>. Absolutely no linking to livestreams, except official Bungie streams or past broadcasts.</p></li>\n<li><p><strong>No advertising, selling, trying to buy, trading, or begging</strong>. Any user who wishes to make a giveaway, contest (with prizes), or charity post must receive approval from moderators BEFORE making the post. For more info on the rules of giveaways <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/giveaways\">see this page</a>. For more info on the rules of charity events <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/charity_events\">see this page</a>.</p></li>\n<li><p><strong>This subreddit is Platform Neutral</strong>. Insults, personal attacks, condescension, or similar behavior relating to the merits of platform choice will not be tolerated. This is a bannable offense. Players of all platforms are welcome here, bullying is not.</p></li>\n</ol>\n\n<p><strong><a href=\"/r/DestinyTheGame/w/rules\">Full Subreddit Rules</a></strong></p>\n\n<h4>For a list of retired suggestions, see our <a href=\"https://www.reddit.com/r/DestinyTheGame/wiki/bungieplz\">BungiePlz Wiki</a></h4>\n\n<hr/>\n\n<blockquote>\n<h2>Filters</h2>\n\n<table><thead>\n<tr>\n<th><a href=\"https://goo.gl/zSp78P\"></a></th>\n<th>Discussion</th>\n<th><a href=\"https://goo.gl/s9Y6xq\"></a></th>\n<th>Media</th>\n</tr>\n</thead><tbody>\n<tr>\n<td><a href=\"https://goo.gl/e2qkEp\"></a></td>\n<td>Question</td>\n<td><a href=\"https://goo.gl/ftvcdJ\"></a></td>\n<td>Bungie Suggestions</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/pz5fD6\"></a></td>\n<td>Guide</td>\n<td><a href=\"https://goo.gl/ztLRaa\"></a></td>\n<td>News</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/Kq7fPM\"></a></td>\n<td>SGA</td>\n<td><a href=\"https://goo.gl/j4VxzC\"></a></td>\n<td>Misc</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/oVo3JN\"></a></td>\n<td>Lore</td>\n<td><a href=\"https://goo.gl/LyRvTn\"></a></td>\n<td>Megathread</td>\n</tr>\n</tbody></table>\n\n<hr/>\n\n<h2>Negative Filters <a href=\"https://goo.gl/7xEmXN\">Reset</a></h2>\n\n<table><thead>\n<tr>\n<th><a href=\"https://goo.gl/6EEEoV\"></a></th>\n<th>No Discussion</th>\n<th><a href=\"https://goo.gl/oPs0Rv\"></a></th>\n<th>No Media</th>\n</tr>\n</thead><tbody>\n<tr>\n<td><a href=\"https://goo.gl/U6qiCV\"></a></td>\n<td>No Questions</td>\n<td><a href=\"https://goo.gl/BGKi0m\"></a></td>\n<td>No Bungie Suggestions</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/FZAUrc\"></a></td>\n<td>No Guides</td>\n<td><a href=\"https://goo.gl/BgbYaO\"></a></td>\n<td>No News</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/ZhJRDp\"></a></td>\n<td>No SGA</td>\n<td><a href=\"https://goo.gl/19DUIZ\"></a></td>\n<td>No Misc</td>\n</tr>\n<tr>\n<td><a href=\"https://goo.gl/Ikt6OO\"></a></td>\n<td>No Lore</td>\n<td><a href=\"https://goo.gl/V3bcQw\"></a></td>\n<td>No Megathread</td>\n</tr>\n</tbody></table>\n\n<p><em>Confused? An exclusion filter allows a flair to be hidden from your browsing experience.</em></p>\n</blockquote>\n\n<h2>Spoiler Formatting</h2>\n\n<p><strong><em>For Spoiler Warning in Titles</em></strong>\nBegin your title with the tag &quot;[Spoiler]&quot;.</p>\n\n<hr/>\n\n<p><strong><em>For Spoilers in Comments</em></strong>\nFormat your comment like this:\n<strong>Who finally got a PS4? &gt;!Norsefenrir! Happy birthday!!&lt;</strong>\nto have it displayed like this:\n<strong>Who finally got a PS4? <span class=\"md-spoiler-text\">Norsefenrir! Happy birthday!</span></strong></p>\n\n<p><a href=\"#/RES_SR_Config/NightModeCompatible\"> </a></p>\n</div><!-- SC_ON -->", + "spoilers_enabled":true, + "header_title":"See you starside, Guardians!", + "header_size":null, + "user_flair_position":"right", + "all_original_content":false, + "has_menu_widget":true, + "is_enrolled_in_new_modmail":null, + "key_color":"", + "can_assign_user_flair":false, + "created":1354760926.0, + "wls":6, + "show_media_preview":true, + "submission_type":"self", + "user_is_subscriber":null, + "disable_contributor_requests":true, + "allow_videogifs":false, + "should_archive_posts":false, + "user_flair_type":"text", + "allow_polls":false, + "collapse_deleted_comments":false, + "emojis_custom_size":null, + "public_description_html":"<!-- SC_OFF --><div class=\"md\"><p>Welcome to Destiny Reddit! This sub is for discussing Bungie&#39;s Destiny 2 and its predecessor, Destiny. Please read the sidebar rules and be sure to search for your question before posting.</p>\n</div><!-- SC_ON -->", + "allow_videos":false, + "is_crosspostable_subreddit":false, + "notification_level":null, + "can_assign_link_flair":true, + "accounts_active_is_fuzzed":false, + "allow_prediction_contributors":false, + "submit_text_label":"", + "link_flair_position":"left", + "user_sr_flair_enabled":null, + "user_flair_enabled_in_sr":true, + "allow_discovery":true, + "accept_followers":true, + "user_sr_theme_enabled":true, + "link_flair_enabled":true, + "subreddit_type":"public", + "suggested_comment_sort":"confidence", + "banner_img":"https://b.thumbs.redditmedia.com/qWgDd6kSCMIkaMjz-y79IYoGjgW5uhTnHtokSDZZSWM.png", + "user_flair_text":null, + "banner_background_color":"#373c3f", + "show_media":true, + "id":"2vq0w", + "user_is_moderator":null, + "over18":false, + "description":"Welcome to **[Destiny The Game](/r/DestinyTheGame)**\n\n>* **Weekly Threads**\n * [](#WRTS)[[D2] Weekly Reset Thread [2021-09-21]](https://redd.it/psoduz)[](#WRTE)\n * [](#TUTS)[Daily Thread - Team Up Tuesday!](https://redd.it/pseyye)[](#TUTE)\n * [](#LHS)[Weekly Loot Hub](https://redd.it/pseyxq)[](#LHE)\n * [](#RWS)[DAILY THREAD - RANT WEDNESDAY](https://redd.it/pt3h41)[](#RWE)\n * [](#LTS)[Daily Thread - Lore Thursday [SPOILERS AHEAD]](https://redd.it/ptr5dr)[](#LTE)\n * [](#FTFS)[Daily Discussion - Free Talk Friday!](https://redd.it/pufuwn)[](#FTFE)\n * [](#TOOS)[[D2] Trials of Osiris Megathread [2021-09-24]](https://redd.it/puo7e7)[](#TOOE)\n * [](#XURS)[[D2] X\u00fbr Megathread [2021-09-24]](https://redd.it/puoae3)[](#XURE)\n * [](#SFSS)[Daily Discussion - Salt-Free Saturday!](https://redd.it/pv3409)[](#SFSE)\n>* **Useful Links**\n * [Destiny 2: Season of the Splicer Calendar](https://www.bungie.net/pubassets/pkgs/151/151465/S14_Calendar_EN.jpg)\n * [Destiny 2: Known Issues (Comprehensive)](https://www.bungie.net/en/Help/Article/49651)\n * [Useful Community Links and Resources](https://redd.it/p8t78n)\n * [Full Weapon DPS Chart, Updated Regularly](https://docs.google.com/spreadsheets/d/12vF7ckMzN4hex-Tse4HPiVs_d9huFOKlvUoq5V41nxU/)\n * [Buffs and Debuffs - The Statistical Spreadsheet](https://docs.google.com/spreadsheets/d/1i1KUwgVkd8qhwYj481gkV9sZNJQCE-C3Q-dpQutPCi4/)\n * [Perks and Abilities Spreadsheet with Numbers](https://docs.google.com/spreadsheets/d/1WaxvbLx7UoSZaBqdFr1u32F2uWVLo-CJunJB4nlGUE4/)\n * [All Existing Community Tools, Sites, and Resources](https://www.reddit.com/r/DestinyTheGame/comments/l1bk5n/a_comprehensive_list_of_useful_destiny_2_tools/)\n * [r/raidsecrets](https://www.reddit.com/r/raidsecrets/)\n * [How To: Destiny Reddit](https://redd.it/5jrg27)\n * [Useful Destiny Sites](https://www.reddit.com/r/DestinyTheGame/wiki/destinysites)\n * [Destiny Dictionary](https://redd.it/62bf99)\n>* **Tower News**\n * [](#TWABS)[This Week At Bungie \u2013 9/23/2021](https://redd.it/pu5kj7)[](#TWABE)\n * [Destiny 2021 Update](https://redd.it/lscomx)\n * [State of the Subreddit [10/10/2020]](https://redd.it/j8txhp)\n * [Destiny 2: Beyond Light Guide](https://www.bungie.net/en/Help/Article/49007)\n * [Bungie Patch Notes Index](https://www.bungie.net/en/Explore/Category?category=Updates)\n * [Server and Update Status for Destiny 2](https://help.bungie.net/hc/en-us/articles/360049199271)\n * [A Note On Witchhunting. Part 3](https://redd.it/5arqht)\n\n\n######**[](#DRTS)[[D2] Daily Reset Thread [2021-09-24]](https://redd.it/pupw5v)[](#DRTE) | [](#DQS)[Daily Questions [2021-09-25]](https://redd.it/puyasg)[](#DQE) | [Bungie Plz](https://www.reddit.com/r/DestinyTheGame/wiki/bungieplz) | [Bungie's New Player Guide](https://www.bungie.net/Guide) | [Witch-Hunting: What \"counts\", and why it's not allowed.](https://redd.it/doprw3) | [Sunday Plz: Add a Cryptarch to H.E.L.M](https://redd.it/pmpbda) | [](#FFS)[Focused Feedback 09/20: Trials of Osiris](http://redd.it/prx66c)[](#FFE)**\n\n***\n\n[**Dark Mode** *The Darkness Consumed You*](https://dm.reddit.com/r/DestinyTheGame \"Switch mode\")\n\n[**Light Mode** *Become a Guardian of the Light*](https://www.reddit.com/r/DestinyTheGame \"Switch mode\")\n\n[](https://destinyreddit.com/flair)\n\n***\n\n#### **Weekly Reset _in_** **[3](#ctdwn_1_days) days** **[2](#ctdwn_1_hours) hours** **[39](#ctdwn_1_minutes) minutes**\n\n#### **Daily Reset _in_** **[2](#ctdwn_2_hours) hours** **[39](#ctdwn_2_minutes) minutes**\n\n***\n\n## **Community Links**\n\n* [Fireteams](https://goo.gl/UvisUG)\n* [Destiny Sherpas](https://goo.gl/OtoFXb)\n* [Crucible Sherpas](https://goo.gl/HzAF1X)\n* [Destiny Tech Support](https://goo.gl/iaaibC)\n* [Destiny Discord](https://discord.gg/DestinyReddit)\n* [Bungie](https://www.bungie.net/)\n\n---\n\n# [The Rules](https://goo.gl/gmpPko)\n\n1. **Keep it Civil:** Follow proper [Reddiquette](/w/reddiquette) when submitting and commenting. Keep it civil and do not make personal attacks or use offensive language in addressing others. Absolutely no harassment, [witchhunting](https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_a_note_on_witch_hunting_and_harassment), sexism, racism or hate speech will be tolerated. [Report players to Bungie In-Game or via this contact form.](http://www.bungie.net/en/Help/Troubleshoot?oid=13967)\n\n2. **Unsuitable Content:** Posts that are subject to removal are: retired suggestions, not directly related personal stories, recent reposts, low-effort/low-quality posts or posts not directly related to Destiny. Moderator discretion may be used for this rule. [For further examples, see our wiki.](https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_2_-_unsuitable_content)\n\n3. **Misplaced Content:** Content must be posted to the correct Place. Examples include LFG posts, memes, content relating to an Active Megathread, loot posts, Petition Posts or Technical Issues. [For further examples, see our wiki](https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_3_-_misplaced_content).\n\n4. **Marginal Content:** Content must be properly flaired and formatted. Examples include posts with spoilers in the title, comments with unmarked spoilers, clickbait titles, \"Does Anyone Else\" posts or posts with title tags. [For further examples see our wiki](https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_4_-_marginal_content).\n\n5. [**Don't spam**](https://www.reddit.com/r/DestinyTheGame/wiki/rules#wiki_rule_5_-_don.27t_spam). Self-promotion should be [thoughtful, limited, and consistently well received by the community](https://www.reddit.com/wiki/selfpromotion). Absolutely no linking to livestreams, except official Bungie streams or past broadcasts.\n\n6. **No advertising, selling, trying to buy, trading, or begging**. Any user who wishes to make a giveaway, contest (with prizes), or charity post must receive approval from moderators BEFORE making the post. For more info on the rules of giveaways [see this page](https://www.reddit.com/r/DestinyTheGame/wiki/giveaways). For more info on the rules of charity events [see this page](https://www.reddit.com/r/DestinyTheGame/wiki/charity_events).\n\n7. **This subreddit is Platform Neutral**. Insults, personal attacks, condescension, or similar behavior relating to the merits of platform choice will not be tolerated. This is a bannable offense. Players of all platforms are welcome here, bullying is not.\n\n**[Full Subreddit Rules](/r/DestinyTheGame/w/rules)**\n\n####For a list of retired suggestions, see our [BungiePlz Wiki](https://www.reddit.com/r/DestinyTheGame/wiki/bungieplz)\n\n---\n\n> ##Filters\n[](https://goo.gl/zSp78P)| Discussion | [](https://goo.gl/s9Y6xq)| Media\n-|-|-|-\n[](https://goo.gl/e2qkEp)| Question| [](https://goo.gl/ftvcdJ)| Bungie Suggestions\n[](https://goo.gl/pz5fD6)| Guide| [](https://goo.gl/ztLRaa)| News\n[](https://goo.gl/Kq7fPM)| SGA| [](https://goo.gl/j4VxzC)| Misc\n[](https://goo.gl/oVo3JN)| Lore| [](https://goo.gl/LyRvTn)| Megathread\n\n> ---\n\n> ##Negative Filters [Reset](https://goo.gl/7xEmXN)\n[](https://goo.gl/6EEEoV)| No Discussion | [](https://goo.gl/oPs0Rv)| No Media\n-|-|-|-\n[](https://goo.gl/U6qiCV) | No Questions | [](https://goo.gl/BGKi0m) | No Bungie Suggestions\n[](https://goo.gl/FZAUrc)| No Guides| [](https://goo.gl/BgbYaO)| No News\n[](https://goo.gl/ZhJRDp)| No SGA| [](https://goo.gl/19DUIZ)| No Misc\n[](https://goo.gl/Ikt6OO)| No Lore| [](https://goo.gl/V3bcQw)| No Megathread\n*Confused? An exclusion filter allows a flair to be hidden from your browsing experience.*\n\n\n\n##Spoiler Formatting\n\n***For Spoiler Warning in Titles***\nBegin your title with the tag \"[Spoiler]\".\n\n---\n\n***For Spoilers in Comments***\nFormat your comment like this:\n**Who finally got a PS4? \\>!Norsefenrir! Happy birthday!!<**\nto have it displayed like this:\n**Who finally got a PS4? >!Norsefenrir! Happy birthday!!<**\n\n[ ](#/RES_SR_Config/NightModeCompatible)", + "submit_link_label":"", + "user_flair_text_color":null, + "restrict_commenting":false, + "user_flair_css_class":null, + "allow_images":false, + "lang":"en", + "whitelist_status":"all_ads", + "url":"/r/DestinyTheGame/", + "created_utc":1354760926.0, + "banner_size":[ + 1000, + 300 + ], + "mobile_banner_image":"https://styles.redditmedia.com/t5_2vq0w/styles/mobileBannerImage_sat980fehhp71.png", + "user_is_contributor":null, + "allow_predictions_tournament":false + } +} diff --git a/internal/reddit/testdata/subreddit_new.json b/internal/reddit/testdata/subreddit_new.json new file mode 100644 index 0000000..d78a4fd --- /dev/null +++ b/internal/reddit/testdata/subreddit_new.json @@ -0,0 +1,12766 @@ +{ + "kind": "Listing", + "data": { + "after": "t3_puyzxu", + "dist": 100, + "modhash": "", + "geo_filter": "", + "children": [ + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I searched and couldn’t find it. Thorn kills with a 2 head, 1 body for 5 or 6 resilience? I can’t remember.\n\nThanks.", + "author_fullname": "t2_e7jq7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Thorn damage profile", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv8huq", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS23 7-8 GGHunter", + "author_flair_richtext": [ + { + "a": ":H:", + "e": "emoji", + "u": "https://emoji.redditmedia.com/lbqd28m19zt41_t5_2vq0w/H" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632582318.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I searched and couldn’t find it. Thorn kills with a 2 head, 1 body for 5 or 6 resilience? I can’t remember.

\n\n

Thanks.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": ":H:", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv8huq", + "is_robot_indexable": true, + "report_reasons": null, + "author": "deniswith1n", + "discussion_type": null, + "num_comments": 0, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv8huq/thorn_damage_profile/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv8huq/thorn_damage_profile/", + "subreddit_subscribers": 2134047, + "created_utc": 1632582318.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Ive never done riven and hoping to do it this weekend with fusion rifles, i have Cartesian Coordinate(with hip-fire grip+ vorpal weapon) and ill be using Sleeper Simulant, will that be good Dps? Im sorry if its a stupid question, also thanks in advance.", + "author_fullname": "t2_4dda9cxk", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Riven boss", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv8gff", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.99, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632582200.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Ive never done riven and hoping to do it this weekend with fusion rifles, i have Cartesian Coordinate(with hip-fire grip+ vorpal weapon) and ill be using Sleeper Simulant, will that be good Dps? Im sorry if its a stupid question, also thanks in advance.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv8gff", + "is_robot_indexable": true, + "report_reasons": null, + "author": "LAWxViiSionX", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv8gff/riven_boss/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv8gff/riven_boss/", + "subreddit_subscribers": 2134047, + "created_utc": 1632582200.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Bungie, Perfect Fifth perk on the Polaris Lance has barely any area of effect practically a baby dragonfly. Please remove the Perfect Fifth kills for the Catalyst or enhance the explosive yield of the Perfect Fifth explosion. \nIt may not appear so but 50 Perfect Fifth kills is alot considering you need to ramp up the perk then find more enemies before the perk cancels out.", + "author_fullname": "t2_10d57z", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Bungie: Polaris Lance Catalyst: Perfect Fifth Kills", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv8eo5", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632582064.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Bungie, Perfect Fifth perk on the Polaris Lance has barely any area of effect practically a baby dragonfly. Please remove the Perfect Fifth kills for the Catalyst or enhance the explosive yield of the Perfect Fifth explosion. \nIt may not appear so but 50 Perfect Fifth kills is alot considering you need to ramp up the perk then find more enemies before the perk cancels out.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv8eo5", + "is_robot_indexable": true, + "report_reasons": null, + "author": "LorenzoLlamaass", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv8eo5/bungie_polaris_lance_catalyst_perfect_fifth_kills/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv8eo5/bungie_polaris_lance_catalyst_perfect_fifth_kills/", + "subreddit_subscribers": 2134047, + "created_utc": 1632582064.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Please don't say raid or dungeon either, Thank you.", + "author_fullname": "t2_3r5he50r", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I know this as probably been asked a million times BUT do any of you know where i can get a void auto rifle that my weak as shit warlock can buy or get solo?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv8bgx", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 3, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 3, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632581801.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Please don't say raid or dungeon either, Thank you.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv8bgx", + "is_robot_indexable": true, + "report_reasons": null, + "author": "TwistedDecayingFlesh", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv8bgx/i_know_this_as_probably_been_asked_a_million/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv8bgx/i_know_this_as_probably_been_asked_a_million/", + "subreddit_subscribers": 2134047, + "created_utc": 1632581801.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Assuming you can do any of them.", + "author_fullname": "t2_ofwc6i7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What’s the hardest seal to complete?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv890v", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS14 6-7 ZavalaFaceApp", + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632581593.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Assuming you can do any of them.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv890v", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Fightlife45", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv890v/whats_the_hardest_seal_to_complete/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv890v/whats_the_hardest_seal_to_complete/", + "subreddit_subscribers": 2134047, + "created_utc": 1632581593.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Basically the title. I don't think that instant queue times are that important. I would always choose waiting longer instead of getting demolished by a 3 stack. Of course if the mm has trouble finding 3 randoms vs 3 randoms it can match me with stack, but it should at least try not to. \n\n\nEDIT: \nThis isn't a complaint post. It is just a suggestion to further improve the mode for solo play since it was one of the main reasons for the rework.", + "author_fullname": "t2_16wez8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I'd gladly wait 2-3 minutes in queue instead of me and 2 other rando's getting matched against 3 stacks.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv87n9", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.56, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632582452.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632581472.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Basically the title. I don't think that instant queue times are that important. I would always choose waiting longer instead of getting demolished by a 3 stack. Of course if the mm has trouble finding 3 randoms vs 3 randoms it can match me with stack, but it should at least try not to.

\n\n

EDIT:
\nThis isn't a complaint post. It is just a suggestion to further improve the mode for solo play since it was one of the main reasons for the rework.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv87n9", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Phikko", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv87n9/id_gladly_wait_23_minutes_in_queue_instead_of_me/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv87n9/id_gladly_wait_23_minutes_in_queue_instead_of_me/", + "subreddit_subscribers": 2134047, + "created_utc": 1632581472.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "THE MASTERWORKED AGERS SCEPTER COMPLETELY DESTROYS CHAMPIONS! In super though, try it out on the barrier servitots in the nightfall this week. no mod needed.", + "author_fullname": "t2_88c1man8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "GGs", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv87g4", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "author_cakeday": true, + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632581454.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

THE MASTERWORKED AGERS SCEPTER COMPLETELY DESTROYS CHAMPIONS! In super though, try it out on the barrier servitots in the nightfall this week. no mod needed.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv87g4", + "is_robot_indexable": true, + "report_reasons": null, + "author": "SnooCapers815", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv87g4/ggs/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv87g4/ggs/", + "subreddit_subscribers": 2134047, + "created_utc": 1632581454.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "As the title states from last Tuesday until today I have been a shatterdive stasis hunter just to experiment with and to see how players would react.\nI played approximately 200 matches with a mixture of control, clash & rumble;\n\n-i got Tbagged after a shatter almost 7/10 matches. It was quite frequent.\n.\n-i was averaging anywhere near 15-25 shatter kills per game.\n.\n-i shutdown 16 supers with crystal shatter.\n.\n-i received 23 friend requests. I'm assuming they were anger requests so they can DM me hate mail.\n.\n-i even received a clan invite for some reason\n.\n-i joined late in some matches and worked my way up to the #1 in scoreboard after a minute purely with shatters.\n.\n-i was lucky enough to get 5 Multi kills with 1 shatter. Meaning I rushed to their flag at the beginning and got 4-5 kills immediately.\n.\n-i had a lot of fun but at the same time I felt bad for the new light players.\n.\n.\nIn conclusion: I very much enjoyed my time with shatterdive and it's an extremely powerful skill with a very low skill gap. Anyone can get into it. but at the same time you can get killed way before you shatter. Many times I got shotgunned, snipered or team shotted when I was attempting a shatter. That was my take on it. Thanks for reading this.\nIf you're in my Build I'll DM it to you.", + "author_fullname": "t2_bj3b2lrx", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "⚠️I went Undercover as a shatterdive hunter for a week. Here's my report on what occured:", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv86u8", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.33, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632582302.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632581400.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

As the title states from last Tuesday until today I have been a shatterdive stasis hunter just to experiment with and to see how players would react.\nI played approximately 200 matches with a mixture of control, clash & rumble;

\n\n

-i got Tbagged after a shatter almost 7/10 matches. It was quite frequent.\n.\n-i was averaging anywhere near 15-25 shatter kills per game.\n.\n-i shutdown 16 supers with crystal shatter.\n.\n-i received 23 friend requests. I'm assuming they were anger requests so they can DM me hate mail.\n.\n-i even received a clan invite for some reason\n.\n-i joined late in some matches and worked my way up to the #1 in scoreboard after a minute purely with shatters.\n.\n-i was lucky enough to get 5 Multi kills with 1 shatter. Meaning I rushed to their flag at the beginning and got 4-5 kills immediately.\n.\n-i had a lot of fun but at the same time I felt bad for the new light players.\n.\n.\nIn conclusion: I very much enjoyed my time with shatterdive and it's an extremely powerful skill with a very low skill gap. Anyone can get into it. but at the same time you can get killed way before you shatter. Many times I got shotgunned, snipered or team shotted when I was attempting a shatter. That was my take on it. Thanks for reading this.\nIf you're in my Build I'll DM it to you.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv86u8", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Khanaerih", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv86u8/i_went_undercover_as_a_shatterdive_hunter_for_a/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv86u8/i_went_undercover_as_a_shatterdive_hunter_for_a/", + "subreddit_subscribers": 2134047, + "created_utc": 1632581400.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Get 4 guardian kills during an invasion, or have teammates do it 3 times. I played gambit pretty much all day Wednesday, only had my teams get 2 of them, and haven't been able to get a third. Planning on playing today until I get it, but based on my groups this morning it's going to be rough. Looking forward to this slog to be over. That is all, thank you for your time to read my rant.", + "author_fullname": "t2_7p7o1", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "The final malfeasance quest is really making me not enjoy gambit anymore.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv81ds", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632580879.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Get 4 guardian kills during an invasion, or have teammates do it 3 times. I played gambit pretty much all day Wednesday, only had my teams get 2 of them, and haven't been able to get a third. Planning on playing today until I get it, but based on my groups this morning it's going to be rough. Looking forward to this slog to be over. That is all, thank you for your time to read my rant.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv81ds", + "is_robot_indexable": true, + "report_reasons": null, + "author": "themonkeyone", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv81ds/the_final_malfeasance_quest_is_really_making_me/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv81ds/the_final_malfeasance_quest_is_really_making_me/", + "subreddit_subscribers": 2134047, + "created_utc": 1632580879.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I’ve only been playing D2 for about 3 weeks and I’ve been having a blast, but I’ve reached a point where I’m not sure what to do. I have my warlock and hunter at hard cap, with my titan only 1 or 2 light levels behind. This question is kind of a two parter:\n\n1.\tWhat can/should I grind, if I don’t have it? D2 is tough for new players because so many exotics boil down to “keep playing until you get an exotic cipher so you can get this” - what grindable must-haves are there?\n2.\tWhat should I do for fun at end-game? I’ve been having a good bit of success using the Discord LFG server to get groups together, but I’m not really part of a big active group, so I don’t really have a strong social component to my gameplay at present. \n\nThus far I have mained my warlock in PVE (middle tree solar with Stag) because I found myself dying very often without the rift. In PVP, I feel like I enjoy playing my hunter the most. \n\nThe community has been so welcoming and excellent, and I’m looking forward to learning more!\n\nEDIT: I have purchased Forsaken, Shadowkeep, Beyond Light, and Season 15.", + "author_fullname": "t2_6eo7d", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What should I focus on as a new player?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7yq1", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632582257.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632580632.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I’ve only been playing D2 for about 3 weeks and I’ve been having a blast, but I’ve reached a point where I’m not sure what to do. I have my warlock and hunter at hard cap, with my titan only 1 or 2 light levels behind. This question is kind of a two parter:

\n\n
    \n
  1. What can/should I grind, if I don’t have it? D2 is tough for new players because so many exotics boil down to “keep playing until you get an exotic cipher so you can get this” - what grindable must-haves are there?
  2. \n
  3. What should I do for fun at end-game? I’ve been having a good bit of success using the Discord LFG server to get groups together, but I’m not really part of a big active group, so I don’t really have a strong social component to my gameplay at present.
  4. \n
\n\n

Thus far I have mained my warlock in PVE (middle tree solar with Stag) because I found myself dying very often without the rift. In PVP, I feel like I enjoy playing my hunter the most.

\n\n

The community has been so welcoming and excellent, and I’m looking forward to learning more!

\n\n

EDIT: I have purchased Forsaken, Shadowkeep, Beyond Light, and Season 15.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7yq1", + "is_robot_indexable": true, + "report_reasons": null, + "author": "toxicity959", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7yq1/what_should_i_focus_on_as_a_new_player/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7yq1/what_should_i_focus_on_as_a_new_player/", + "subreddit_subscribers": 2134047, + "created_utc": 1632580632.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I was excited to combine my new exotic (tiicus bow) with warmind cells, but then I remembered you need an ikelos/seventh gun to drop warmind cells.. \n\nSo I would basically have to use seventh auto rifle all the time when clearing ads and then swap to the bow once the cell drops? It feels like it effects the gameplay too negatively though. I don't want to run around with a bow and auto rifle, then my exotic bow is kind of useless since it's meant to clear ads..\n\n\n\nNo other methods?", + "author_fullname": "t2_et4zspyy", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Not sure how to use warmind cells.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7sh2", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632580243.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632580060.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I was excited to combine my new exotic (tiicus bow) with warmind cells, but then I remembered you need an ikelos/seventh gun to drop warmind cells..

\n\n

So I would basically have to use seventh auto rifle all the time when clearing ads and then swap to the bow once the cell drops? It feels like it effects the gameplay too negatively though. I don't want to run around with a bow and auto rifle, then my exotic bow is kind of useless since it's meant to clear ads..

\n\n

No other methods?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7sh2", + "is_robot_indexable": true, + "report_reasons": null, + "author": "medo_SWE95", + "discussion_type": null, + "num_comments": 11, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7sh2/not_sure_how_to_use_warmind_cells/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7sh2/not_sure_how_to_use_warmind_cells/", + "subreddit_subscribers": 2134047, + "created_utc": 1632580060.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Just curious when I can stop doing bounties.", + "author_fullname": "t2_7th9c", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "When does increasing light level stop being beneficial?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7q8k", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632579849.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Just curious when I can stop doing bounties.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7q8k", + "is_robot_indexable": true, + "report_reasons": null, + "author": "cambo2121", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7q8k/when_does_increasing_light_level_stop_being/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7q8k/when_does_increasing_light_level_stop_being/", + "subreddit_subscribers": 2134047, + "created_utc": 1632579849.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Just bought all three dlc how do I play forsaken story? Please and thanks.", + "author_fullname": "t2_5562pg2t", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Forsaken dlc", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7kvb", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632579353.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Just bought all three dlc how do I play forsaken story? Please and thanks.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7kvb", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Iamkingkelz23", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7kvb/forsaken_dlc/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7kvb/forsaken_dlc/", + "subreddit_subscribers": 2134047, + "created_utc": 1632579353.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Is anyone else having issues with xur not appearing for them? He only showed up on one of my brothers characters and neither of mine.", + "author_fullname": "t2_2bz64c99", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Question about Xur", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7g0t", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.33, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632578908.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Is anyone else having issues with xur not appearing for them? He only showed up on one of my brothers characters and neither of mine.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7g0t", + "is_robot_indexable": true, + "report_reasons": null, + "author": "destinyhunter999", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7g0t/question_about_xur/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7g0t/question_about_xur/", + "subreddit_subscribers": 2134047, + "created_utc": 1632578908.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Can we just click it once and it remains open till we close it or exit out of the screen?", + "author_fullname": "t2_6qju0", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Lore toggle button", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7ewp", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632578801.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Can we just click it once and it remains open till we close it or exit out of the screen?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7ewp", + "is_robot_indexable": true, + "report_reasons": null, + "author": "kekehippo", + "discussion_type": null, + "num_comments": 0, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7ewp/lore_toggle_button/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7ewp/lore_toggle_button/", + "subreddit_subscribers": 2134047, + "created_utc": 1632578801.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I’m really enjoying top tree dawnblade with sunbracers, max strength, and momentum transfer. I was wondering what other fun combinations exist out there that I haven’t thought of?", + "author_fullname": "t2_12rs4k", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What’s your favorite off-meta build?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv7doj", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 5, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 5, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632578689.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I’m really enjoying top tree dawnblade with sunbracers, max strength, and momentum transfer. I was wondering what other fun combinations exist out there that I haven’t thought of?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv7doj", + "is_robot_indexable": true, + "report_reasons": null, + "author": "InherentlyJuxt", + "discussion_type": null, + "num_comments": 18, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv7doj/whats_your_favorite_offmeta_build/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv7doj/whats_your_favorite_offmeta_build/", + "subreddit_subscribers": 2134047, + "created_utc": 1632578689.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Seriously the reason why top tree dawn is so popular(and to the similar extent Hunter revenant) is because both have an ability that amplifies movement in game. I think it would be cool to see all classes with a omnidirectional movement ability. Think a weaker dash on all warlock trees, or that really cool blink ability the stranger did in the beyond light trailer for hunters. Hell let’s give Titans a built in weaker twilight garrison if they don’t want to add the exotic back", + "author_fullname": "t2_399f1ssf", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Destiny 2 with more neutral dash ability’s would be great.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv786n", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632578183.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Seriously the reason why top tree dawn is so popular(and to the similar extent Hunter revenant) is because both have an ability that amplifies movement in game. I think it would be cool to see all classes with a omnidirectional movement ability. Think a weaker dash on all warlock trees, or that really cool blink ability the stranger did in the beyond light trailer for hunters. Hell let’s give Titans a built in weaker twilight garrison if they don’t want to add the exotic back

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv786n", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Karls-Beer", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv786n/destiny_2_with_more_neutral_dash_abilitys_would/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv786n/destiny_2_with_more_neutral_dash_abilitys_would/", + "subreddit_subscribers": 2134047, + "created_utc": 1632578183.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Is Xur not appearing for anyone else in the EDZ? Has anyone figured out how to fix this? \n\nThanks!", + "author_fullname": "t2_58ku3kzu", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Xur not loading?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv776k", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.17, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632578084.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Is Xur not appearing for anyone else in the EDZ? Has anyone figured out how to fix this?

\n\n

Thanks!

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv776k", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Ionian9", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv776k/xur_not_loading/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv776k/xur_not_loading/", + "subreddit_subscribers": 2134047, + "created_utc": 1632578084.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": ">We currently have a Collections entry for Cobalt Clash which states the source as: “Complete a flawless Trials Ticket.” While this is the means by which players gain access to gear with the shader applied to it, we were not specific enough with our wording here, as these shaders are bound to the gear and not unlocked for use on all items like other shaders in the game.  \n> \n>We apologize for the confusion and will be removing the Collections entry. Furthermore, we realize that this is not an ideal player experience, and we will be reevaluating how we distribute special shaders like this in the future. - TWAB 09/23/2021\n\n​\n\nWhat an oversight! I dunno why this dumbness continues . Just give us the darn shader, We earned it. If I want to shade my tighty whities with it I should be able to do so. The end", + "author_fullname": "t2_wbuow", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Cobalt Clash Shader - Details for those that are chasing", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv74wl", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.6, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS3 4-2 OmenoftheExodus", + "author_flair_richtext": [ + { + "e": "text", + "t": "Decontamination Unit" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632577854.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "
\n

We currently have a Collections entry for Cobalt Clash which states the source as: “Complete a flawless Trials Ticket.” While this is the means by which players gain access to gear with the shader applied to it, we were not specific enough with our wording here, as these shaders are bound to the gear and not unlocked for use on all items like other shaders in the game. 

\n\n

We apologize for the confusion and will be removing the Collections entry. Furthermore, we realize that this is not an ideal player experience, and we will be reevaluating how we distribute special shaders like this in the future. - TWAB 09/23/2021

\n
\n\n

\n\n

What an oversight! I dunno why this dumbness continues . Just give us the darn shader, We earned it. If I want to shade my tighty whities with it I should be able to do so. The end

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Decontamination Unit", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv74wl", + "is_robot_indexable": true, + "report_reasons": null, + "author": "djerikfury76", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv74wl/cobalt_clash_shader_details_for_those_that_are/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv74wl/cobalt_clash_shader_details_for_those_that_are/", + "subreddit_subscribers": 2134047, + "created_utc": 1632577854.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Keen Scout is top tree tether perk that comes all the way from destiny 1 TTK. Back then it was discovered during Wrath of the Machine when carrying engine pieces that slowed us down that if you wanted to move them faster without the help of shoulder bashes or other cheeses you needed hunters using Keen Scout & warlocks using Transversive Steps… as both granted a faster walking speed when stealth (crouching). Unfortunately in D2 Transversive Steps did not transfer over with this ability meaning hunters are the fastest speed walkers in the game. Here’s a comparison of the perks from D1 to D2:\n\n*Transversive Steps D1:* Gain faster movement speed while crouching. Picking up ammo automatically reloads the weapon matching that ammo's type.\n\n*Transversive Steps D2:* Sprint speed increased. After a short time sprinting, your currently equipped weapon is automatically reloaded.\n\nSneak removed; Unclear whether or not the perk exists secretly in the armor.\n\n*Keen scout D1:* Sprint and Sneak faster, gain Enhanced Tracker, and ability to mark targets you damage.\n\n*Keen Scout D2:* Sprint and sneak faster, and gain an enhanced tracker. Tethered enemies are marked for easy tracking.\n\nThe perk wording is nearly same…\n\nThe faster sneaking works in every encounter that forces you to walk such when carrying heavy objects in Wrath of the Machine or Astral Alignment, or when moving through a slow field such as in Shattered Realm. The nice thing about Keen Scout is just being able to get the battery up the hill in one go.", + "author_fullname": "t2_hkbew", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Hunter in the Astral Alignment Event and want a nifty trick? Use Keen Scout while carrying Batteries", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv700b", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.72, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 3, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 3, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632577346.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Keen Scout is top tree tether perk that comes all the way from destiny 1 TTK. Back then it was discovered during Wrath of the Machine when carrying engine pieces that slowed us down that if you wanted to move them faster without the help of shoulder bashes or other cheeses you needed hunters using Keen Scout & warlocks using Transversive Steps… as both granted a faster walking speed when stealth (crouching). Unfortunately in D2 Transversive Steps did not transfer over with this ability meaning hunters are the fastest speed walkers in the game. Here’s a comparison of the perks from D1 to D2:

\n\n

Transversive Steps D1: Gain faster movement speed while crouching. Picking up ammo automatically reloads the weapon matching that ammo's type.

\n\n

Transversive Steps D2: Sprint speed increased. After a short time sprinting, your currently equipped weapon is automatically reloaded.

\n\n

Sneak removed; Unclear whether or not the perk exists secretly in the armor.

\n\n

Keen scout D1: Sprint and Sneak faster, gain Enhanced Tracker, and ability to mark targets you damage.

\n\n

Keen Scout D2: Sprint and sneak faster, and gain an enhanced tracker. Tethered enemies are marked for easy tracking.

\n\n

The perk wording is nearly same…

\n\n

The faster sneaking works in every encounter that forces you to walk such when carrying heavy objects in Wrath of the Machine or Astral Alignment, or when moving through a slow field such as in Shattered Realm. The nice thing about Keen Scout is just being able to get the battery up the hill in one go.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv700b", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Echavvs", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv700b/hunter_in_the_astral_alignment_event_and_want_a/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv700b/hunter_in_the_astral_alignment_event_and_want_a/", + "subreddit_subscribers": 2134047, + "created_utc": 1632577346.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I'm in the Winding Cove after repeatedly reloading the area, and Xur is not appearing. Something I'm not aware of causing this?", + "author_fullname": "t2_6gpcb", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Xur not spawning?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": true, + "name": "t3_pv6jkh", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.27, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632575699.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I'm in the Winding Cove after repeatedly reloading the area, and Xur is not appearing. Something I'm not aware of causing this?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv6jkh", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Lankygit", + "discussion_type": null, + "num_comments": 10, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv6jkh/xur_not_spawning/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv6jkh/xur_not_spawning/", + "subreddit_subscribers": 2134047, + "created_utc": 1632575699.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Title speaks for itself but with Bungie adding in D1 content I really hope they sprinkle in some of the D1 soundtracks too. The nostalgia is heavy and some of those pieces of music were absolutely beautiful. I know I could just go back and play D1 but im not going to do that", + "author_fullname": "t2_56hfcbql", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I really miss Destiny 1 music", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv6g90", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.45, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632575344.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Title speaks for itself but with Bungie adding in D1 content I really hope they sprinkle in some of the D1 soundtracks too. The nostalgia is heavy and some of those pieces of music were absolutely beautiful. I know I could just go back and play D1 but im not going to do that

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv6g90", + "is_robot_indexable": true, + "report_reasons": null, + "author": "TickledPicklesYo", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv6g90/i_really_miss_destiny_1_music/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv6g90/i_really_miss_destiny_1_music/", + "subreddit_subscribers": 2134047, + "created_utc": 1632575344.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I am terrible bad at trials, pretty new player how do I get better so I am not an ACME Anvil for my team to carry?\n\nBtw I am super new to the game, started playing the last week of Season 14 so even though I am 1320 PL in trials I don't have a lot of the best exotics or any god roll gear", + "author_fullname": "t2_6nyhe98c", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "How do I get better?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv6bwl", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.93, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 12, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 12, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632575683.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632574892.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I am terrible bad at trials, pretty new player how do I get better so I am not an ACME Anvil for my team to carry?

\n\n

Btw I am super new to the game, started playing the last week of Season 14 so even though I am 1320 PL in trials I don't have a lot of the best exotics or any god roll gear

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv6bwl", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Zombie_Squirrel1", + "discussion_type": null, + "num_comments": 31, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv6bwl/how_do_i_get_better/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv6bwl/how_do_i_get_better/", + "subreddit_subscribers": 2134047, + "created_utc": 1632574892.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Hive raids have had a track record of amazingly designed gear, both weapons and armour. The kings fall weapons and armour are some of the coolest in destiny history, even crown of sorrow had some interestingly designed weapons and armour (even if it wasn't super hive themed and had forced colours). If the gear is anything close to the level of kings fall I will splooge my pants.", + "author_fullname": "t2_5hwqc3l0", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Cannot wait to see the witch queen raid gear.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv67lo", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.86, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 5, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 5, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632574441.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Hive raids have had a track record of amazingly designed gear, both weapons and armour. The kings fall weapons and armour are some of the coolest in destiny history, even crown of sorrow had some interestingly designed weapons and armour (even if it wasn't super hive themed and had forced colours). If the gear is anything close to the level of kings fall I will splooge my pants.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv67lo", + "is_robot_indexable": true, + "report_reasons": null, + "author": "CRODEN95", + "discussion_type": null, + "num_comments": 2, + "send_replies": false, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv67lo/cannot_wait_to_see_the_witch_queen_raid_gear/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv67lo/cannot_wait_to_see_the_witch_queen_raid_gear/", + "subreddit_subscribers": 2134047, + "created_utc": 1632574441.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "G'day Guadians, I'm an Australian player who loves theory crafting builds on Destiny. Since Season of the Lost has dropped, there's been a plethora of builds from all the big YouTube channels (and r/destiny2builds highlighting how great Path of Burning Steps is this season, matched with Vex & Particle Deconstruction.\n\nI'm a huge fan of matching our weapons with the same subclass to utilise elemental well mods and synergise other new perks in the game - although - I decided to explore what other Titan exotics there are for the Solar subclass, that allow you to use whatever weapons you want, and still feel overpowered at the same time. I truly believe matching elemental wells with Ashen Wake is top tier, just like PoBS is this season, allowing you to constantly grenade spam.\n\n# Ashen Wake\n\n* Fusion Grenades now explode on impact and gain increased throw speed. Final blows with Fusion Grenades grant grenade energy.\n* *the big takeaway from this, is grenade kills are refunding grenade energy back*\n* *from some testing, I can see that 4-5 red bar enemies are enough to refund a full grenade, whereas majors and minors require anywhere between 1-3 to be killed from the nade to refund the full grenade back* \n\n# Subclass - Middle Tree Solar\n\n* Throwing Hammer — Throw a hammer from a distance. After throwing it, picking up the hammer fully recharges your melee ability.\n* Roaring Flames — Kills with your solar abilities increase those abilities' damage. Stacks up to three times.\n* Tireless Warrior — After hitting an enemy with your Throwing Hammer, picking up the hammer triggers your health regeneration.\n* Burning Maul (super) — Summon a flaming maul and crush enemies with the force of an earthquake.\n\n# Mods To Use\n\n* Helmet - Solar | 2 x Ashes to Assets & Explosive Wellmaker \n* Arms - Solar | 2 x Impact Induction & Well of Ordnance \n* Chest - Void | 2 x Concussive Dampener (personal preference) & Elemental Ordnance \n* Legs - Solar | 2 x Innervation (not mandatory, but great as a passive) & Melee Wellmaker \n* Class Item (for Champs) - Solar | Withering Heat, Thermoclastic Strike & Fire and Ice \n* Class Item (for non-Champs) - Solar | Particle Deconstruction, Bomber & Well of Ordnance (this stacks with the one on the arms) \n\n# Weapons To Use\n\nThere's no weapon that is specifically needed to making this string together successfully, but Salvager's Salvo w/ Demolitionist & Chain Reaction is great. Demo will refund grenade energy on kills, if you whiff your grenade. Kills with the Chain Reaction will spawn elemental wells through explosive wellmaker. Any weapon with Demolitionist is great, or any grenade launcher/rocket launcher though.\n\n# Stats To Spec Into\n\nI recommend not spec'ing anything into Mobility, Strength or Intellect. The double ashes to assets mods will generate your super extremely quickly. These are just my opinion though, I touch on the stat breakdown a little more extensively in my video, especially regarding the point in needing quick grenade charge vs having a build around constant grenades being up.\n\n​\n\n* Mob: Low\n* Res: 5\n* Rec: High\n* Disc: High\n* Int: Low\n* Stre: Low\n\n# How It Plays\n\nOff the rip, we know the intrinsic perk to Ashen Wake will refund us grenade energy on kill(s) when we throw it. When you enter the fight, throw your hammer to generate a well *(melee wellmaker)*, then follow with a grenade at some enemies *(elemental ordnance, and explosive wellmaker if you get a multikill).* Remembering, that elemental wells are intrinsically giving us energy back on our grenade, just for picking them up *(but Well of Ordnance will be increasing this too)*. Once you've refunded your grenade through the wells, make sure you run over to get your hammer back (which will give you a nice health refund through subclass tree perk). You'll constantly have the 3x Roaring Flames buff, and you'll be able to spam grenades constantly. There's a couple failsafe's in case you whiff your hammer (forget to pick it up, or throw it off the map), or if you miss enemies with your grenades. You can a) use Salvagers Salvo w/ Demo & Chain to generate wells (explosive wellmaker) to refund both, or b) if it's just a grenade whiff, you can use your hammer to generate wells for grenade energy, as well as the double Impact Induction mods that generate grenade energy on melee (hammer) kills. \n\ntldr; Enter the fight by throwing your hammer, throw a grenade as some ads. Now you'll have 3 guaranteed elemental wells on the ground. If Ashen Wake's intrinsic energy refund doesn't give it back after a few kills, the wells will do it for you. There's a bit more to it, but you'll have constant nades to spam.\n\nVideo: [https://youtu.be/--9QNCESBG0](https://youtu.be/--9QNCESBG0)\n\nEnjoy being able to spam grenades this season, while remaining as a one-man-army tank for the team!", + "author_fullname": "t2_son9lb1", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Ashen Wake + Elemental Wells = Grenade Spam", + "link_flair_richtext": [ + { + "e": "text", + "t": "Guide" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "guide", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv668g", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.96, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 65, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Guide", + "can_mod_post": false, + "score": 65, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632574287.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

G'day Guadians, I'm an Australian player who loves theory crafting builds on Destiny. Since Season of the Lost has dropped, there's been a plethora of builds from all the big YouTube channels (and r/destiny2builds highlighting how great Path of Burning Steps is this season, matched with Vex & Particle Deconstruction.

\n\n

I'm a huge fan of matching our weapons with the same subclass to utilise elemental well mods and synergise other new perks in the game - although - I decided to explore what other Titan exotics there are for the Solar subclass, that allow you to use whatever weapons you want, and still feel overpowered at the same time. I truly believe matching elemental wells with Ashen Wake is top tier, just like PoBS is this season, allowing you to constantly grenade spam.

\n\n

Ashen Wake

\n\n\n\n

Subclass - Middle Tree Solar

\n\n\n\n

Mods To Use

\n\n\n\n

Weapons To Use

\n\n

There's no weapon that is specifically needed to making this string together successfully, but Salvager's Salvo w/ Demolitionist & Chain Reaction is great. Demo will refund grenade energy on kills, if you whiff your grenade. Kills with the Chain Reaction will spawn elemental wells through explosive wellmaker. Any weapon with Demolitionist is great, or any grenade launcher/rocket launcher though.

\n\n

Stats To Spec Into

\n\n

I recommend not spec'ing anything into Mobility, Strength or Intellect. The double ashes to assets mods will generate your super extremely quickly. These are just my opinion though, I touch on the stat breakdown a little more extensively in my video, especially regarding the point in needing quick grenade charge vs having a build around constant grenades being up.

\n\n

\n\n\n\n

How It Plays

\n\n

Off the rip, we know the intrinsic perk to Ashen Wake will refund us grenade energy on kill(s) when we throw it. When you enter the fight, throw your hammer to generate a well (melee wellmaker), then follow with a grenade at some enemies (elemental ordnance, and explosive wellmaker if you get a multikill). Remembering, that elemental wells are intrinsically giving us energy back on our grenade, just for picking them up (but Well of Ordnance will be increasing this too). Once you've refunded your grenade through the wells, make sure you run over to get your hammer back (which will give you a nice health refund through subclass tree perk). You'll constantly have the 3x Roaring Flames buff, and you'll be able to spam grenades constantly. There's a couple failsafe's in case you whiff your hammer (forget to pick it up, or throw it off the map), or if you miss enemies with your grenades. You can a) use Salvagers Salvo w/ Demo & Chain to generate wells (explosive wellmaker) to refund both, or b) if it's just a grenade whiff, you can use your hammer to generate wells for grenade energy, as well as the double Impact Induction mods that generate grenade energy on melee (hammer) kills.

\n\n

tldr; Enter the fight by throwing your hammer, throw a grenade as some ads. Now you'll have 3 guaranteed elemental wells on the ground. If Ashen Wake's intrinsic energy refund doesn't give it back after a few kills, the wells will do it for you. There's a bit more to it, but you'll have constant nades to spam.

\n\n

Video: https://youtu.be/--9QNCESBG0

\n\n

Enjoy being able to spam grenades this season, while remaining as a one-man-army tank for the team!

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/3DbIG9IvH_Y0JCmU7xQ_xDzmzgOw3Ss76RrX5CsgulY.jpg?auto=webp&s=cec02182dd81a4a5f4c07832b62105ee4e77d538", + "width": 480, + "height": 360 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/3DbIG9IvH_Y0JCmU7xQ_xDzmzgOw3Ss76RrX5CsgulY.jpg?width=108&crop=smart&auto=webp&s=07bb4242bda6d2de9047fccc19e55f039184fba0", + "width": 108, + "height": 81 + }, + { + "url": "https://external-preview.redd.it/3DbIG9IvH_Y0JCmU7xQ_xDzmzgOw3Ss76RrX5CsgulY.jpg?width=216&crop=smart&auto=webp&s=b67b288434bc10da2da0ac627fa542f47e61edc7", + "width": 216, + "height": 162 + }, + { + "url": "https://external-preview.redd.it/3DbIG9IvH_Y0JCmU7xQ_xDzmzgOw3Ss76RrX5CsgulY.jpg?width=320&crop=smart&auto=webp&s=47c0d2556ca61fc863edffcb8cb5631c80887c1a", + "width": 320, + "height": 240 + } + ], + "variants": {}, + "id": "qtoYOpCR173dBAyrWxmjMkVs54SHyfGU3PuqD01UwRU" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "74592a0c-b4a2-11e4-a961-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv668g", + "is_robot_indexable": true, + "report_reasons": null, + "author": "mattxwest", + "discussion_type": null, + "num_comments": 27, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv668g/ashen_wake_elemental_wells_grenade_spam/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv668g/ashen_wake_elemental_wells_grenade_spam/", + "subreddit_subscribers": 2134047, + "created_utc": 1632574287.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I have gotten beavered from almost ever activity today. 2 crucible suspensions as a result. Anyone else having this problem?", + "author_fullname": "t2_nqumb", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Beaver", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv61zw", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS1 0-0 8bithunter", + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632573807.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I have gotten beavered from almost ever activity today. 2 crucible suspensions as a result. Anyone else having this problem?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv61zw", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Groenket", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv61zw/beaver/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv61zw/beaver/", + "subreddit_subscribers": 2134047, + "created_utc": 1632573807.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Title. Tired of doing the same quest step on multiple characters just because I wanted to switch it up. Rant over.", + "author_fullname": "t2_58o2test", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "If the season pass is tracked account wide so should the seasonal quest.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5t6r", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.96, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 539, + "total_awards_received": 2, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 539, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": { + "gid_1": 1 + }, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632572816.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Title. Tired of doing the same quest step on multiple characters just because I wanted to switch it up. Rant over.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 100, + "id": "gid_1", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://www.redditstatic.com/gold/awards/icon/silver_512.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_16.png", + "width": 16, + "height": 16 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_32.png", + "width": 32, + "height": 32 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_48.png", + "width": 48, + "height": 48 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_64.png", + "width": 64, + "height": 64 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_128.png", + "width": 128, + "height": 128 + } + ], + "icon_width": 512, + "static_icon_width": 512, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Shows the Silver Award... and that's it.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 512, + "name": "Silver", + "resized_static_icons": [ + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_16.png", + "width": 16, + "height": 16 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_32.png", + "width": 32, + "height": 32 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_48.png", + "width": 48, + "height": 48 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_64.png", + "width": 64, + "height": 64 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_128.png", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 512, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://www.redditstatic.com/gold/awards/icon/silver_512.png" + }, + { + "giver_coin_reward": 0, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 80, + "id": "award_8352bdff-3e03-4189-8a08-82501dd8f835", + "penny_donate": 0, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://i.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png?width=16&height=16&auto=webp&s=73a23bf7f08b633508dedf457f2704c522b94a04", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png?width=32&height=32&auto=webp&s=50f2f16e71d2929e3d7275060af3ad6b851dbfb1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png?width=48&height=48&auto=webp&s=ca487311563425e195699a4d7e4c57a98cbfde8b", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png?width=64&height=64&auto=webp&s=7b4eedcffb1c09a826e7837532c52979760f1d2b", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/ks45ij6w05f61_oldHugz.png?width=128&height=128&auto=webp&s=e4d5ab237eb71a9f02bb3bf9ad5ee43741918d6c", + "width": 128, + "height": 128 + } + ], + "icon_width": 2048, + "static_icon_width": 2048, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Everything is better with a good hug", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 2048, + "name": "Hugz", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png?width=16&height=16&auto=webp&s=69997ace3ef4ffc099b81d774c2c8f1530602875", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png?width=32&height=32&auto=webp&s=e9519d1999ef9dce5c8a9f59369cb92f52d95319", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png?width=48&height=48&auto=webp&s=f076c6434fb2d2f9075991810fd845c40fa73fc6", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png?width=64&height=64&auto=webp&s=85527145e0c4b754306a30df29e584fd16187636", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png?width=128&height=128&auto=webp&s=b8843cdf82c3b741d7af057c14076dcd2621e811", + "width": 128, + "height": 128 + } + ], + "icon_format": "PNG", + "icon_height": 2048, + "penny_price": 0, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_q0gj4/fpm0r5ryq1361_PolarHugs.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv5t6r", + "is_robot_indexable": true, + "report_reasons": null, + "author": "SithLordSasuke", + "discussion_type": null, + "num_comments": 41, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv5t6r/if_the_season_pass_is_tracked_account_wide_so/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5t6r/if_the_season_pass_is_tracked_account_wide_so/", + "subreddit_subscribers": 2134047, + "created_utc": 1632572816.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "They definitely have bodies in the walls and heads in the freezer", + "author_fullname": "t2_sms3f", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Whoever at bungie came up with the idea of \"My Bowfriends Back\"", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5sib", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.88, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 61, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 61, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS1 0-0 8bithunter", + "author_flair_richtext": [ + { + "e": "text", + "t": "BigBoi" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632572735.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

They definitely have bodies in the walls and heads in the freezer

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "BigBoi", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv5sib", + "is_robot_indexable": true, + "report_reasons": null, + "author": "TehReelNeph", + "discussion_type": null, + "num_comments": 32, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv5sib/whoever_at_bungie_came_up_with_the_idea_of_my/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5sib/whoever_at_bungie_came_up_with_the_idea_of_my/", + "subreddit_subscribers": 2134047, + "created_utc": 1632572735.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I know it was 5 back when 120s were reigning supreme. Is there any magic number right now?", + "author_fullname": "t2_11qc8e", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What is the minimum resilience needed for PvP in the current meta?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5opi", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.94, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 47, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 47, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632572311.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I know it was 5 back when 120s were reigning supreme. Is there any magic number right now?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv5opi", + "is_robot_indexable": true, + "report_reasons": null, + "author": "VarunJoshi84", + "discussion_type": null, + "num_comments": 39, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv5opi/what_is_the_minimum_resilience_needed_for_pvp_in/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5opi/what_is_the_minimum_resilience_needed_for_pvp_in/", + "subreddit_subscribers": 2134047, + "created_utc": 1632572311.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Hey guys I recently discovered the kind of power the warlock stag helmet grants and I now want to get it, I was just wondering if I need to buy any dlc's to get the helmet", + "author_fullname": "t2_d2z8jshk", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "THE STAG", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5e30", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.59, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632571115.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Hey guys I recently discovered the kind of power the warlock stag helmet grants and I now want to get it, I was just wondering if I need to buy any dlc's to get the helmet

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv5e30", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Jazzlike_Adagio_4123", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv5e30/the_stag/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5e30/the_stag/", + "subreddit_subscribers": 2134047, + "created_utc": 1632571115.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I want to do vault of glass but i cant find a way to find players", + "author_fullname": "t2_5c8xykf8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Where is the place to go to find raid teammates?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5dgr", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.81, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 3, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 3, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632571036.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I want to do vault of glass but i cant find a way to find players

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv5dgr", + "is_robot_indexable": true, + "report_reasons": null, + "author": "tweeeeeeeeeee", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv5dgr/where_is_the_place_to_go_to_find_raid_teammates/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5dgr/where_is_the_place_to_go_to_find_raid_teammates/", + "subreddit_subscribers": 2134047, + "created_utc": 1632571036.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Do I need the season pass to add them to the exotic pool?", + "author_fullname": "t2_9cuy5kan", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Necrotic gloves drop.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv5c7q", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.82, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 16, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 16, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632570889.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Do I need the season pass to add them to the exotic pool?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv5c7q", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Aofumi", + "discussion_type": null, + "num_comments": 17, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv5c7q/necrotic_gloves_drop/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv5c7q/necrotic_gloves_drop/", + "subreddit_subscribers": 2134047, + "created_utc": 1632570889.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "This is just something that has tended to work well for me while playing solo but i thought I would throw it out here and maybe a group of guardians could put it to use in a more organized fireteam. \n\nWhile running the strike you all already know the different waves of adds that spawn and how and where they spawn in but anyways if you have a titan in your strike group with the dunemarchers on he can proc the exotic perc and chain melee almost all the adds with a well timed punched as soon as they spawn which will only leave the more threatining ones for your group to clean up. This has worked very well for me esspecially in the boss room. \n\nNow at the boss room while fighting the big ugly guy (Fikrul, the fanatic) when your team is teathered if that titan is in fact running beheamoth you can melee out of the teather proc the dunemarchers exotic perk and chain the adds that usually spawn to your left/right which then leaves your team with only the stronger last few to clean up and do damage to the boss. \n\nIm no expert at all but i thought i would just share this little bit of adivce that has worked well for me. The fact that allot of the encounters are in confined rooms just helps the dunmarchers shine a little more lol. Goodluck everyone. Happy hunting. Dont forget to drop a few bags on Fikrul after the defeat though! Becasue really F that guy, im sure most of yall know why.", + "author_fullname": "t2_88c1man8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "The Hollowed Lair strike", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv549k", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.33, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "author_cakeday": true, + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632569910.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

This is just something that has tended to work well for me while playing solo but i thought I would throw it out here and maybe a group of guardians could put it to use in a more organized fireteam.

\n\n

While running the strike you all already know the different waves of adds that spawn and how and where they spawn in but anyways if you have a titan in your strike group with the dunemarchers on he can proc the exotic perc and chain melee almost all the adds with a well timed punched as soon as they spawn which will only leave the more threatining ones for your group to clean up. This has worked very well for me esspecially in the boss room.

\n\n

Now at the boss room while fighting the big ugly guy (Fikrul, the fanatic) when your team is teathered if that titan is in fact running beheamoth you can melee out of the teather proc the dunemarchers exotic perk and chain the adds that usually spawn to your left/right which then leaves your team with only the stronger last few to clean up and do damage to the boss.

\n\n

Im no expert at all but i thought i would just share this little bit of adivce that has worked well for me. The fact that allot of the encounters are in confined rooms just helps the dunmarchers shine a little more lol. Goodluck everyone. Happy hunting. Dont forget to drop a few bags on Fikrul after the defeat though! Becasue really F that guy, im sure most of yall know why.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv549k", + "is_robot_indexable": true, + "report_reasons": null, + "author": "SnooCapers815", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv549k/the_hollowed_lair_strike/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv549k/the_hollowed_lair_strike/", + "subreddit_subscribers": 2134047, + "created_utc": 1632569910.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "To me the important part is the mode and placements. Shatterdive wont be an issue forever.\n\nIt's a balancing act. We've knocked crystals & shatterdive a few times. Sometimes it takes a few iterations to get the ability right without killing it. Other features can take precedent & you need to plan it alongside another release to get the coverage. (30th anniversary)\n\nhttps://twitter.com/_Tocom_/status/1441511548019642375?s=19", + "author_fullname": "t2_mgc19", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Shatterdive update by Kevin Yanes", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv52rv", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.79, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 11, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 11, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632569989.0, + "author_flair_css_class": "SS5 3-1 CrotasEnd", + "author_flair_richtext": [], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632569724.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

To me the important part is the mode and placements. Shatterdive wont be an issue forever.

\n\n

It's a balancing act. We've knocked crystals & shatterdive a few times. Sometimes it takes a few iterations to get the ability right without killing it. Other features can take precedent & you need to plan it alongside another release to get the coverage. (30th anniversary)

\n\n

https://twitter.com/_Tocom_/status/1441511548019642375?s=19

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/ms_AoW-mv7VJFL33j398zfO5eFJteb4LRdIWCByTwz0.jpg?auto=webp&s=1647d1bf8549d697b6866fc5dad977f9bfc20e82", + "width": 140, + "height": 140 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/ms_AoW-mv7VJFL33j398zfO5eFJteb4LRdIWCByTwz0.jpg?width=108&crop=smart&auto=webp&s=cca8e00c6ebe62e8e8a0d3788a2d3c1eb192dda2", + "width": 108, + "height": 108 + } + ], + "variants": {}, + "id": "POc52hUTle_CNaHF0JvmjE7DddD9lXD_Dt-81kPXQEY" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv52rv", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Donates88", + "discussion_type": null, + "num_comments": 20, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv52rv/shatterdive_update_by_kevin_yanes/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv52rv/shatterdive_update_by_kevin_yanes/", + "subreddit_subscribers": 2134047, + "created_utc": 1632569724.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Or can you just spam saved up tokens at Saladin?", + "author_fullname": "t2_rzun04p", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Do you have to complete the Iron Banner quest this season to get the new IB weapons into the loot pool?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv50nh", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.6, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632569459.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Or can you just spam saved up tokens at Saladin?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv50nh", + "is_robot_indexable": true, + "report_reasons": null, + "author": "EliteAssassin750", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv50nh/do_you_have_to_complete_the_iron_banner_quest/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv50nh/do_you_have_to_complete_the_iron_banner_quest/", + "subreddit_subscribers": 2134047, + "created_utc": 1632569459.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "How come this bug still exists? I have ammo in my gun, i click to shoot and it simply doesnt shoot!!!\n\nIt literally just cost me a flawless run in Trials! Last enemy at one shot and my gun wouldnt shoot for a whole two seconds and there is no problem with my mouse.", + "author_fullname": "t2_145dv3qt", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Not being able to shoot bug", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv4vbb", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.29, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632568788.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

How come this bug still exists? I have ammo in my gun, i click to shoot and it simply doesnt shoot!!!

\n\n

It literally just cost me a flawless run in Trials! Last enemy at one shot and my gun wouldnt shoot for a whole two seconds and there is no problem with my mouse.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv4vbb", + "is_robot_indexable": true, + "report_reasons": null, + "author": "IllustriousBarracuda", + "discussion_type": null, + "num_comments": 9, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv4vbb/not_being_able_to_shoot_bug/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv4vbb/not_being_able_to_shoot_bug/", + "subreddit_subscribers": 2134047, + "created_utc": 1632568788.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Using my phone and the app I choose a fireteam. I’m accepted and on my tv screen the message appears saying I’ve received a message to join.\nThe problem being I’m not receiving the messages in my notifications.\nI’m in Xbox series s.\nAny ideas.", + "author_fullname": "t2_3dtnri3n", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Destiny fireteam app problem.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv4q8v", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632568118.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Using my phone and the app I choose a fireteam. I’m accepted and on my tv screen the message appears saying I’ve received a message to join.\nThe problem being I’m not receiving the messages in my notifications.\nI’m in Xbox series s.\nAny ideas.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv4q8v", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Exato321", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv4q8v/destiny_fireteam_app_problem/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv4q8v/destiny_fireteam_app_problem/", + "subreddit_subscribers": 2134047, + "created_utc": 1632568118.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Jagged edge with backup mag or tempered edge with major spec… which will do more damage to champions?", + "author_fullname": "t2_16uouo", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Quickfang question", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv4p51", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632567981.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Jagged edge with backup mag or tempered edge with major spec… which will do more damage to champions?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv4p51", + "is_robot_indexable": true, + "report_reasons": null, + "author": "misterman311", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv4p51/quickfang_question/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv4p51/quickfang_question/", + "subreddit_subscribers": 2134047, + "created_utc": 1632567981.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "My ingame name is StrangerIX. When I hover over my profile it shows my steam name but when I click it my PSN and Steam name looking like \"\\*\\*\\*\\*\\*\\*\" , \"\\*\\*\\*\\*\\*\\*\" this. Any idea how to fix this? \n\nBtw my game history etc. are all public.", + "author_fullname": "t2_2828jhwz", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Why is my platform gamertags are hidden and looking like this ? \"*****\"", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv4iqj", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632567208.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

My ingame name is StrangerIX. When I hover over my profile it shows my steam name but when I click it my PSN and Steam name looking like "******" , "******" this. Any idea how to fix this?

\n\n

Btw my game history etc. are all public.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv4iqj", + "is_robot_indexable": true, + "report_reasons": null, + "author": "thequietguy678", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv4iqj/why_is_my_platform_gamertags_are_hidden_and/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv4iqj/why_is_my_platform_gamertags_are_hidden_and/", + "subreddit_subscribers": 2134047, + "created_utc": 1632567208.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "With crossplay becoming I thing I was hoping to play with some friends I couldn’t play with before. I deleted some old games, popped in my Collectors edition disk. Installed nearly 80gbs of updates. Annnnd… paywalls. I’m so confused. Where is the stuff that I paid for before? I wanted to finish the Rasputin stuff on Mars that I used to enjoy. Can I not?? Please someone help and explain what is going on?", + "author_fullname": "t2_n1dq8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "So uhhh… I just came back to the game after 2 years. Where is my content?…", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3z6u", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.26, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632564658.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

With crossplay becoming I thing I was hoping to play with some friends I couldn’t play with before. I deleted some old games, popped in my Collectors edition disk. Installed nearly 80gbs of updates. Annnnd… paywalls. I’m so confused. Where is the stuff that I paid for before? I wanted to finish the Rasputin stuff on Mars that I used to enjoy. Can I not?? Please someone help and explain what is going on?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3z6u", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Tamel_Eidek", + "discussion_type": null, + "num_comments": 40, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3z6u/so_uhhh_i_just_came_back_to_the_game_after_2/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3z6u/so_uhhh_i_just_came_back_to_the_game_after_2/", + "subreddit_subscribers": 2134047, + "created_utc": 1632564658.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I know most people hate the icebreaker because of what it does to the pvp meta, but since we literally have ice in the game now how about making it shatter all ice within a small radius of impact instead of regenning ammo in pvp? I kinda miss using icebreaker in pve activities. Then again this would just create ranged shatterdives but 🤷‍♂️\n\n-random late night thought", + "author_fullname": "t2_2nq73kcr", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Icebreaker breaks ice", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3yhj", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.36, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632564574.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I know most people hate the icebreaker because of what it does to the pvp meta, but since we literally have ice in the game now how about making it shatter all ice within a small radius of impact instead of regenning ammo in pvp? I kinda miss using icebreaker in pve activities. Then again this would just create ranged shatterdives but 🤷‍♂️

\n\n

-random late night thought

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3yhj", + "is_robot_indexable": true, + "report_reasons": null, + "author": "xDruno", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3yhj/icebreaker_breaks_ice/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3yhj/icebreaker_breaks_ice/", + "subreddit_subscribers": 2134047, + "created_utc": 1632564574.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "^(edit ; its starts a little ranty, but i think it gets the message across)\n\n**EDIT :** *people seem to be missing the point of this post, titans have a lot of abilities/buffs that they can share with allies, but none of these have a support roll feedback loop, as in healing/buff allies then feeds into more healing/buffing allies,*\n\n* *be it straight forward like middle tree solar warlock,*\n * *empowering healing, etc grants bonevelant dawn, which grants energy to the abilities that heal/empower*\n* *or more round about like bottom tree void hunter,*\n * *with making allies invs granting grenade energy, and grenade damage granting melee energy to make your allies invs*\n\n**EDIT :** u/BlakJaq, made my point better then i did,\n\n>.... The player wants an in game loop which benefits them for choosing to play as support. \n> \n>They didn't say the Titan classes can't be support. There's just nothing to be gained for supporting yourself and others vs just supporting yourself. \n> \n>Look at the comparisons made. Hunters benefit from making more people invisible, ...Warlocks get forever rifts and all the healing nades. This loops, the more they heal the faster they get their shit back. Titans do not have this synergy for supporting allies. They don't gain anything additional for supporting. \n> \n>This is what I imagine OP wants. More benefits for supporting others.\n\nhopefully with subclasses 3.0 this is addressed, and apologies with any spelling or grammar, i believe my flair should explain it.", + "author_fullname": "t2_4k37728v", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "as a Titan there's no reason to buff my allies, with my support subclass's", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3uqu", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.38, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632572124.0, + "author_flair_css_class": "SS1 1-0 8bittitan", + "author_flair_richtext": [ + { + "e": "text", + "t": "Dyslexic Crayon Eater" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632564084.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

edit ; its starts a little ranty, but i think it gets the message across

\n\n

EDIT : people seem to be missing the point of this post, titans have a lot of abilities/buffs that they can share with allies, but none of these have a support roll feedback loop, as in healing/buff allies then feeds into more healing/buffing allies,

\n\n\n\n

EDIT : u/BlakJaq, made my point better then i did,

\n\n
\n

.... The player wants an in game loop which benefits them for choosing to play as support.

\n\n

They didn't say the Titan classes can't be support. There's just nothing to be gained for supporting yourself and others vs just supporting yourself.

\n\n

Look at the comparisons made. Hunters benefit from making more people invisible, ...Warlocks get forever rifts and all the healing nades. This loops, the more they heal the faster they get their shit back. Titans do not have this synergy for supporting allies. They don't gain anything additional for supporting.

\n\n

This is what I imagine OP wants. More benefits for supporting others.

\n
\n\n

hopefully with subclasses 3.0 this is addressed, and apologies with any spelling or grammar, i believe my flair should explain it.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Dyslexic Crayon Eater", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3uqu", + "is_robot_indexable": true, + "report_reasons": null, + "author": "THERAPTORKING54", + "discussion_type": null, + "num_comments": 18, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv3uqu/as_a_titan_theres_no_reason_to_buff_my_allies/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3uqu/as_a_titan_theres_no_reason_to_buff_my_allies/", + "subreddit_subscribers": 2134047, + "created_utc": 1632564084.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "*chanting* gambit sidearm gambit sidearm gambit sidearm", + "author_fullname": "t2_dh0nzj52", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What playlist weapons are you hoping to see added in the future?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3o5p", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632563198.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

chanting gambit sidearm gambit sidearm gambit sidearm

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3o5p", + "is_robot_indexable": true, + "report_reasons": null, + "author": "IIFreshMilkII", + "discussion_type": null, + "num_comments": 0, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3o5p/what_playlist_weapons_are_you_hoping_to_see_added/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3o5p/what_playlist_weapons_are_you_hoping_to_see_added/", + "subreddit_subscribers": 2134047, + "created_utc": 1632563198.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I think that the shatter should be removed from the dive so that way hunters can still have a good mobility tool at their disposal and titans can have the unique ability of a passive shatter as the shatter class. This would only affect a few kinder guardians in pve and get rid of the oppressive presence of the shitterdive combo. Maybe the affect of shatter can be replaced with a slow effect that gives more stacks of slow the closer the hunter is (if you get within 1 meter or less of a guardian in the dive they get frozen) so its not just a worse version of bottom tree dawn and making it so hunters are actually the slowing class. This can make the other classes happy that they don't have to fear pushing a stasis hunter as much while not butchering the class to something that is an unusable shell of its former self like behemoth (sorry titans). I would like to hear your thoughts on this suggestion in the comment thing.", + "author_fullname": "t2_3pe4v4ss", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Do you guys think that changing the functionality of shatterdive would be a good thing?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3l77", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.22, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632562778.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I think that the shatter should be removed from the dive so that way hunters can still have a good mobility tool at their disposal and titans can have the unique ability of a passive shatter as the shatter class. This would only affect a few kinder guardians in pve and get rid of the oppressive presence of the shitterdive combo. Maybe the affect of shatter can be replaced with a slow effect that gives more stacks of slow the closer the hunter is (if you get within 1 meter or less of a guardian in the dive they get frozen) so its not just a worse version of bottom tree dawn and making it so hunters are actually the slowing class. This can make the other classes happy that they don't have to fear pushing a stasis hunter as much while not butchering the class to something that is an unusable shell of its former self like behemoth (sorry titans). I would like to hear your thoughts on this suggestion in the comment thing.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3l77", + "is_robot_indexable": true, + "report_reasons": null, + "author": "I_Have_No_Family_69", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3l77/do_you_guys_think_that_changing_the_functionality/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3l77/do_you_guys_think_that_changing_the_functionality/", + "subreddit_subscribers": 2134047, + "created_utc": 1632562778.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Making this post primarily because I play on PS4 and there was a very long while we're doing any kind of LFG was basically impossible over here. You had to go through friends list, check fire team settings, check friends settings, invite... It was a serious pain in the ass.\n\nBungie, you guys seriously knocked it out of the park with the transition to cross play and the LFG through the bungee app. I get invites in seconds, I join in seconds, no matter what platform or what activity it goes super smooth. Even though as a console player I have a really tough time and crucible against mouse and keyboard I've really enjoyed meeting new people and playing with them no matter what platform they're on. There is always someone doing an activity that I'm looking to do and it's been a serious joy to play even when none of my friends are on.\n\nYou guys put in some serious work and I hadn't seen a congratulations from the PlayStation side so I decided to put in my two cents. I hope to see you guardians out there!", + "author_fullname": "t2_21udikue", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I'm beyond impressed with cross play capabilities this season", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3jtg", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.95, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 280, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 280, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632562576.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Making this post primarily because I play on PS4 and there was a very long while we're doing any kind of LFG was basically impossible over here. You had to go through friends list, check fire team settings, check friends settings, invite... It was a serious pain in the ass.

\n\n

Bungie, you guys seriously knocked it out of the park with the transition to cross play and the LFG through the bungee app. I get invites in seconds, I join in seconds, no matter what platform or what activity it goes super smooth. Even though as a console player I have a really tough time and crucible against mouse and keyboard I've really enjoyed meeting new people and playing with them no matter what platform they're on. There is always someone doing an activity that I'm looking to do and it's been a serious joy to play even when none of my friends are on.

\n\n

You guys put in some serious work and I hadn't seen a congratulations from the PlayStation side so I decided to put in my two cents. I hope to see you guardians out there!

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv3jtg", + "is_robot_indexable": true, + "report_reasons": null, + "author": "timteller44", + "discussion_type": null, + "num_comments": 42, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3jtg/im_beyond_impressed_with_cross_play_capabilities/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3jtg/im_beyond_impressed_with_cross_play_capabilities/", + "subreddit_subscribers": 2134047, + "created_utc": 1632562576.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "[Misraaks](https://static1.squarespace.com/static/50b816a8e4b05b20d2d7a564/t/614ee87f584bbf02bcb935ca/1632561287613/misraaks+copy.jpg), Kell of House Light\n\n12x12\"/30x30cm mixed media painting on wood panel.", + "author_fullname": "t2_3snih", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Misraaks Painting", + "link_flair_richtext": [ + { + "e": "text", + "t": "Media" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "media", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3isv", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.97, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 44, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Media", + "can_mod_post": false, + "score": 44, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632562431.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Misraaks, Kell of House Light

\n\n

12x12"/30x30cm mixed media painting on wood panel.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?auto=webp&s=dba24f7cb17a155f7dd9c25733535d8be02650e3", + "width": 3080, + "height": 3076 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=108&crop=smart&auto=webp&s=e6ddc8881de025559a668d97ae283a5d972db7c6", + "width": 108, + "height": 107 + }, + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=216&crop=smart&auto=webp&s=486a8d7828443a53e325bc14bf17b25e4dd02483", + "width": 216, + "height": 215 + }, + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=320&crop=smart&auto=webp&s=7f120b1317d0ef2eb3127f788ce3b146fb2b2d91", + "width": 320, + "height": 319 + }, + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=640&crop=smart&auto=webp&s=253da3f81f93fdb0b4ed44806aff0108baded9a7", + "width": 640, + "height": 639 + }, + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=960&crop=smart&auto=webp&s=bcf84fe3de82705a3709ffe66ba0c38853ea37ff", + "width": 960, + "height": 958 + }, + { + "url": "https://external-preview.redd.it/sEoUnxGaZpUEsqJjjewXB90E87VHNxoTk6jBJfX2yn8.jpg?width=1080&crop=smart&auto=webp&s=9fd68726dbc12e1ab2efc797dfdca7596f44f318", + "width": 1080, + "height": 1078 + } + ], + "variants": {}, + "id": "TUzyMWfvDTohPlVknD0KPdLwFMHQrBKO2LSyhoMaTGE" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7bd785e4-b4a2-11e4-b23c-22000b3c024f", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3isv", + "is_robot_indexable": true, + "report_reasons": null, + "author": "irrezolut", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3isv/misraaks_painting/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3isv/misraaks_painting/", + "subreddit_subscribers": 2134047, + "created_utc": 1632562431.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Just wondering if I need to have the gun equipped for a chance to have the catalyst drop? I know it's RNG and it comes from the bonus chest in Astral Alignment but I had 10+ runs using other weapons and still haven't had it drop.", + "author_fullname": "t2_3es5mygo", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Do I need to have Ager's Scepter equipped for the catalyst to drop?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3c9l", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 4, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 4, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632561530.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Just wondering if I need to have the gun equipped for a chance to have the catalyst drop? I know it's RNG and it comes from the bonus chest in Astral Alignment but I had 10+ runs using other weapons and still haven't had it drop.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3c9l", + "is_robot_indexable": true, + "report_reasons": null, + "author": "jcruz1611", + "discussion_type": null, + "num_comments": 15, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3c9l/do_i_need_to_have_agers_scepter_equipped_for_the/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3c9l/do_i_need_to_have_agers_scepter_equipped_for_the/", + "subreddit_subscribers": 2134047, + "created_utc": 1632561530.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "There are a lot of posts everytime Iron Banner comes out to capture the zones to win the game aka play the objective. This is also a problem with normal control albeit smaller in my small experience in Control and not as much talked about. There have also been a lot of posts to make Clash a regular playlist.\n\nMy guess that people do not play the objective in Control, Iron Banner and other objective based game modes in case I missed some other game modes is that gunplay in Destiny is so damn good that slaying out with your gun is more rewarding than playing the objective. \n\nMaking capturing zones more rewarding would be pretty hard. The things that feel as good as gunplay are abilities and supers. In iron Banner captruing zones gives you a small amount of super energy but people still won't capture zones. Bungie could increase the amount but it can quickly lead to snowballing.\n\nI suggest replacing Control with Clash and maybe make Control a limited time mode but people would probably not play it. Also instead of Capturing Zones in Iron Banner make it Clash. Though this has the problem of not having basically any difference from normal crucible leaving the loot and pinnacles. Sorry I don't have any ideas to spice that up.\n\nIn case a community manager or Bungie employee actually reads this please comment and tell us if you have passed this onto Bungie and update if possible. If Bungie does not want to implement this the community will know and probably not ask for it anymore. It is rare for Bungie to reply on posts made by other users here even if it is on the front page", + "author_fullname": "t2_5gr6npw3", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Replace Control with Clash and make Iron Banner Clash instead of Control", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3bu9", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.19, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS23 0-9 GGTitan2", + "author_flair_richtext": [ + { + "a": ":T:", + "e": "emoji", + "u": "https://emoji.redditmedia.com/kcqi04m19zt41_t5_2vq0w/T" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632561473.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

There are a lot of posts everytime Iron Banner comes out to capture the zones to win the game aka play the objective. This is also a problem with normal control albeit smaller in my small experience in Control and not as much talked about. There have also been a lot of posts to make Clash a regular playlist.

\n\n

My guess that people do not play the objective in Control, Iron Banner and other objective based game modes in case I missed some other game modes is that gunplay in Destiny is so damn good that slaying out with your gun is more rewarding than playing the objective.

\n\n

Making capturing zones more rewarding would be pretty hard. The things that feel as good as gunplay are abilities and supers. In iron Banner captruing zones gives you a small amount of super energy but people still won't capture zones. Bungie could increase the amount but it can quickly lead to snowballing.

\n\n

I suggest replacing Control with Clash and maybe make Control a limited time mode but people would probably not play it. Also instead of Capturing Zones in Iron Banner make it Clash. Though this has the problem of not having basically any difference from normal crucible leaving the loot and pinnacles. Sorry I don't have any ideas to spice that up.

\n\n

In case a community manager or Bungie employee actually reads this please comment and tell us if you have passed this onto Bungie and update if possible. If Bungie does not want to implement this the community will know and probably not ask for it anymore. It is rare for Bungie to reply on posts made by other users here even if it is on the front page

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": ":T:", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3bu9", + "is_robot_indexable": true, + "report_reasons": null, + "author": "akshayprogrammer", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv3bu9/replace_control_with_clash_and_make_iron_banner/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3bu9/replace_control_with_clash_and_make_iron_banner/", + "subreddit_subscribers": 2134047, + "created_utc": 1632561473.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "So all the light subclass supers are getting the 3.0 treatment (aspects/fragments) correct? Even the Forsaken supers?", + "author_fullname": "t2_2le4nq8t", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Supers 3.0", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3b47", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632561371.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

So all the light subclass supers are getting the 3.0 treatment (aspects/fragments) correct? Even the Forsaken supers?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv3b47", + "is_robot_indexable": true, + "report_reasons": null, + "author": "MehFukYe9000", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv3b47/supers_30/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3b47/supers_30/", + "subreddit_subscribers": 2134047, + "created_utc": 1632561371.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I'm talking about the projectile", + "author_fullname": "t2_3ha7u1m6", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Will Caster Frame swords proc Disruption Blade?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv35o2", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 1.0, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 3, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 3, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS17 5-1 StalkerShot", + "author_flair_richtext": [ + { + "e": "text", + "t": "Anarchy's Child" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632560617.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I'm talking about the projectile

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Anarchy's Child", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv35o2", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Hellchildren", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv35o2/will_caster_frame_swords_proc_disruption_blade/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv35o2/will_caster_frame_swords_proc_disruption_blade/", + "subreddit_subscribers": 2134047, + "created_utc": 1632560617.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Howdy Guardians! Today is Salt-Free Saturday!\n\nWanna get your Destiny discussion going without worrying about negativity? Wanna talk about things you like in the game without anyone jumping down your throat? This is the place for you.\n\nOur rules will still be enforced here, with the (hopefully obvious) addition of **NO SALT ALLOWED**. And remember, keep it related to Destiny.\n\n(Note: This does **NOT** mean that salt-free posts are to be relegated here. Only that salt isn't allowed in this Megathread.)\n\n---\n\n[**You can find the full Daily Thread schedule here.**](https://www.reddit.com/r/DestinyTheGame/wiki/scheduledposts)", + "author_fullname": "t2_mocx5", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Daily Discussion - Salt-Free Saturday!", + "link_flair_richtext": [ + { + "e": "text", + "t": "Megathread" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "megathread", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv3409", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.87, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 6, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Megathread", + "can_mod_post": false, + "score": 6, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": true, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS7 2-1 DinklebotGif", + "author_flair_richtext": [ + { + "e": "text", + "t": "\"Little Light\"" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632560412.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Howdy Guardians! Today is Salt-Free Saturday!

\n\n

Wanna get your Destiny discussion going without worrying about negativity? Wanna talk about things you like in the game without anyone jumping down your throat? This is the place for you.

\n\n

Our rules will still be enforced here, with the (hopefully obvious) addition of NO SALT ALLOWED. And remember, keep it related to Destiny.

\n\n

(Note: This does NOT mean that salt-free posts are to be relegated here. Only that salt isn't allowed in this Megathread.)

\n\n
\n\n

You can find the full Daily Thread schedule here.

\n
", + "likes": null, + "suggested_sort": "new", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 150, + "id": "award_f44611f1-b89e-46dc-97fe-892280b13b82", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_width": 2048, + "static_icon_width": 2048, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Thank you stranger. Shows the award.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 2048, + "name": "Helpful", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 2048, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8a20bc94-3d45-11e9-9918-0ee7f7befbde", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "\"Little Light\"", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": "moderator", + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv3409", + "is_robot_indexable": true, + "report_reasons": null, + "author": "DTG_Bot", + "discussion_type": null, + "num_comments": 38, + "send_replies": false, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv3409/daily_discussion_saltfree_saturday/", + "parent_whitelist_status": "all_ads", + "stickied": true, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv3409/daily_discussion_saltfree_saturday/", + "subreddit_subscribers": 2134047, + "created_utc": 1632560412.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I have been looking around to see where I can claim the past seasons exotics after buying the deluxe edition. Is it something I can claim or do i have to go through the monument of the lost?", + "author_fullname": "t2_9meevfta", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "So I bought the beyond light deluxe edition where are my other exotics from the previous seasons?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2wm9", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.29, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632559380.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I have been looking around to see where I can claim the past seasons exotics after buying the deluxe edition. Is it something I can claim or do i have to go through the monument of the lost?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2wm9", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Medical-Ad-5240", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2wm9/so_i_bought_the_beyond_light_deluxe_edition_where/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2wm9/so_i_bought_the_beyond_light_deluxe_edition_where/", + "subreddit_subscribers": 2134047, + "created_utc": 1632559380.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I just went on a 17 losing streak in trials, I don't want a free pass to lighthouse. But why am I a .3 kd in trials being put against 2.4s and flawless players? Least they could do is put like in some matches I can attempt to win in, not ones where I get 0-5'd under five minutes.", + "author_fullname": "t2_27090cw0", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Is there even SBMM in the game?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2vz2", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.23, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632559280.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I just went on a 17 losing streak in trials, I don't want a free pass to lighthouse. But why am I a .3 kd in trials being put against 2.4s and flawless players? Least they could do is put like in some matches I can attempt to win in, not ones where I get 0-5'd under five minutes.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": 0, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 75, + "id": "award_92cb6518-a71a-4217-9f8f-7ecbd7ab12ba", + "penny_donate": 0, + "award_sub_type": "PREMIUM", + "coin_reward": 0, + "icon_url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_512.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_16.png", + "width": 16, + "height": 16 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_32.png", + "width": 32, + "height": 32 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_48.png", + "width": 48, + "height": 48 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_64.png", + "width": 64, + "height": 64 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/TakeMyPower_128.png", + "width": 128, + "height": 128 + } + ], + "icon_width": 512, + "static_icon_width": 512, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Add my power to yours.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 512, + "name": "Take My Power", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png?width=16&height=16&auto=webp&s=14d5429e1f630eaba283d73cb4890c861859b645", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png?width=32&height=32&auto=webp&s=397444282c113a335f31da0c1d38a1e8cec75f05", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png?width=48&height=48&auto=webp&s=9897e3f134eb759aba6b7afecb5fb2c75bbf9dc9", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png?width=64&height=64&auto=webp&s=2de1c239b9226cfebdfbee28fba56bc534dc87b6", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png?width=128&height=128&auto=webp&s=7e08340ce7c4bc4b865820ed418734396b32b814", + "width": 128, + "height": 128 + } + ], + "icon_format": "APNG", + "icon_height": 512, + "penny_price": 0, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_q0gj4/qpi61q5o98361_TakeMyPowerElf.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2vz2", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Emily_kitten", + "discussion_type": null, + "num_comments": 18, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2vz2/is_there_even_sbmm_in_the_game/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2vz2/is_there_even_sbmm_in_the_game/", + "subreddit_subscribers": 2134047, + "created_utc": 1632559280.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "If these people are intentionally using certain builds and killing enough adds to crash everyone out before we can kill the boss, that's pretty funny and also fuck you.", + "author_fullname": "t2_12xh5r", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I've been disconnected from four Astral Alignments in a row", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2rki", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.61, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 4, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 4, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS17 7-2 FWCCrest", + "author_flair_richtext": [ + { + "e": "text", + "t": "Titan stronk" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632558663.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

If these people are intentionally using certain builds and killing enough adds to crash everyone out before we can kill the boss, that's pretty funny and also fuck you.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Titan stronk", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2rki", + "is_robot_indexable": true, + "report_reasons": null, + "author": "-ranmori", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv2rki/ive_been_disconnected_from_four_astral_alignments/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2rki/ive_been_disconnected_from_four_astral_alignments/", + "subreddit_subscribers": 2134047, + "created_utc": 1632558663.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Xur should be in the EDZ right now correct? He's vanished and other people in my game world seem to be struggling with the same thing. Is this happening to anyone else? I need my cypher", + "author_fullname": "t2_161235", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Where is Xur?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2pam", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.36, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632558355.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Xur should be in the EDZ right now correct? He's vanished and other people in my game world seem to be struggling with the same thing. Is this happening to anyone else? I need my cypher

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2pam", + "is_robot_indexable": true, + "report_reasons": null, + "author": "nalexwilkinson", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2pam/where_is_xur/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2pam/where_is_xur/", + "subreddit_subscribers": 2134047, + "created_utc": 1632558355.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "How do I get this exotic?", + "author_fullname": "t2_719qjtd8", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "How to get the Sweet business exotic", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2otv", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.17, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632558288.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

How do I get this exotic?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2otv", + "is_robot_indexable": true, + "report_reasons": null, + "author": "ItsaMeMarioDaddy", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2otv/how_to_get_the_sweet_business_exotic/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2otv/how_to_get_the_sweet_business_exotic/", + "subreddit_subscribers": 2134047, + "created_utc": 1632558288.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Shatterdiveing a glacier grenade is highly oppressive and can 1 hit kill most things in pvp ( I say that because I'm not truly sure it 1 hits all things in pvp).\n\n I think if they made it so that the height from which you shatterdive affects how much damage you do with the crystal shatter making it so you can't just jump 1mm off the ground and instantly press [air move] but you must gain height for it to do more damage. This wouldn't drastically nerf it and would fit in with hunters different jumps.\n\nTL;DR Make shatterdive damage with a glacier grenade be affected by height", + "author_fullname": "t2_80tg5lrc", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "IDEA: Shattedive", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2nnl", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.33, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632558125.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Shatterdiveing a glacier grenade is highly oppressive and can 1 hit kill most things in pvp ( I say that because I'm not truly sure it 1 hits all things in pvp).

\n\n

I think if they made it so that the height from which you shatterdive affects how much damage you do with the crystal shatter making it so you can't just jump 1mm off the ground and instantly press [air move] but you must gain height for it to do more damage. This wouldn't drastically nerf it and would fit in with hunters different jumps.

\n\n

TL;DR Make shatterdive damage with a glacier grenade be affected by height

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2nnl", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Cracked_Iron_", + "discussion_type": null, + "num_comments": 21, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2nnl/idea_shattedive/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2nnl/idea_shattedive/", + "subreddit_subscribers": 2134047, + "created_utc": 1632558125.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I could swear I got the exotic cipher quest earlier today at the Winding Cove", + "author_fullname": "t2_hy9p6", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Xur is now in the Hangar.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2i4r", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.27, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632557372.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I could swear I got the exotic cipher quest earlier today at the Winding Cove

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv2i4r", + "is_robot_indexable": true, + "report_reasons": null, + "author": "vo_mojo", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2i4r/xur_is_now_in_the_hangar/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2i4r/xur_is_now_in_the_hangar/", + "subreddit_subscribers": 2134047, + "created_utc": 1632557372.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Has anyone else noticed taking more damage this season?\n\nNow I am not saying the game needs to be easier, but running double resist mods, sniper, or concussive dampener does not seem to be helping very much this season.\n\nI realize running a sword is always risky, but even with concussive dampener and passive guard I feel like I always have to run and hide after doing a sword combo. Mind you I don't always run a sword, was just something I noticed.\n\nMaster Lost sectors and Nightfalls I understand are supposed to be difficult. But even running high resilience, recovery, and protective light the damage seems absurd, especially in dungeons.\n\nI am 1346 Hunter if anyone is curious. Just figured I would post and see if anyone else has noticed this besides me and my clanmates.\n\nTake care Guardians.", + "author_fullname": "t2_68se2eyj", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Taking more Damage this season", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv2a6g", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.46, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632556264.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Has anyone else noticed taking more damage this season?

\n\n

Now I am not saying the game needs to be easier, but running double resist mods, sniper, or concussive dampener does not seem to be helping very much this season.

\n\n

I realize running a sword is always risky, but even with concussive dampener and passive guard I feel like I always have to run and hide after doing a sword combo. Mind you I don't always run a sword, was just something I noticed.

\n\n

Master Lost sectors and Nightfalls I understand are supposed to be difficult. But even running high resilience, recovery, and protective light the damage seems absurd, especially in dungeons.

\n\n

I am 1346 Hunter if anyone is curious. Just figured I would post and see if anyone else has noticed this besides me and my clanmates.

\n\n

Take care Guardians.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv2a6g", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Togashi-Masote", + "discussion_type": null, + "num_comments": 12, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv2a6g/taking_more_damage_this_season/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv2a6g/taking_more_damage_this_season/", + "subreddit_subscribers": 2134047, + "created_utc": 1632556264.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Is something going on with the servers? Twice tonight I have been kicked out of game at the last few seconds. First time was an astral alightment. 2nd time was just now with an almost tied heated crucible match. We clutched it at the last second and I killed two dudes on A in the last seconds and then boom connection lost. I could immediately connect to the game when I hit home screen and I had no networks issues and I have a direct connection @ 500MB. Are the servers crowed or is it just bad luck?", + "author_fullname": "t2_xzfp7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "losing connection twice at the very end of events?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv28yp", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632556099.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Is something going on with the servers? Twice tonight I have been kicked out of game at the last few seconds. First time was an astral alightment. 2nd time was just now with an almost tied heated crucible match. We clutched it at the last second and I killed two dudes on A in the last seconds and then boom connection lost. I could immediately connect to the game when I hit home screen and I had no networks issues and I have a direct connection @ 500MB. Are the servers crowed or is it just bad luck?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv28yp", + "is_robot_indexable": true, + "report_reasons": null, + "author": "CommandPatrol", + "discussion_type": null, + "num_comments": 0, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv28yp/losing_connection_twice_at_the_very_end_of_events/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv28yp/losing_connection_twice_at_the_very_end_of_events/", + "subreddit_subscribers": 2134047, + "created_utc": 1632556099.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "What’s a good build for pve for a titan ? Like exotics and how people would normally spec it out such as intellect, discipline and etc. most of the time I run bubble titan", + "author_fullname": "t2_7dz9z7ha", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What’s a good titan pve build", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv27f1", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632555893.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

What’s a good build for pve for a titan ? Like exotics and how people would normally spec it out such as intellect, discipline and etc. most of the time I run bubble titan

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv27f1", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Beneficial-Ad-2004", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv27f1/whats_a_good_titan_pve_build/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv27f1/whats_a_good_titan_pve_build/", + "subreddit_subscribers": 2134047, + "created_utc": 1632555893.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I reset my rank with Shaxx and Saint today and getting some random poorly rolled exotic for it (both were trash rolls; Gwisin and Mechaneers) feels kind of… *insignificant*. \n\nIt should be something better. It should feel more impactful as a reward for all that grinding. \n\nWhat if playlist vendors awarded Adept versions of the playlist exclusive weapons?\n\nHow about an Adept version of a Frozen Orbit from Shaxx? Spicy! Or any other Crucible-only weapon. How about a random Adept Trials gun from Saint.? Do the same thing for Zavala and Drifter and people would have a chance at Adept Pally’s and Hung Jury’s who aren’t able to do GM’s or an Adept Bottom Dollar or Borrowed Time. \n\nNow we’re talking about making rank resets meaningful!\n\nYes we all know the difference between adept and non is not *that* big, but it would sure make resetting rank feel more rewarding and worth the time invested. \n\nBesides, adept weapons are just cool. Because they’re *adept*. \n\nAnd I really don’t need more Mechaneer’s Tricksleeves. Bingo plz.", + "author_fullname": "t2_fud83", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Towerthought: Rank resets should be more unique than a random exotic that’s probably just going to get shards.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv27aj", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.52, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS1 5-8 UldrenScream", + "author_flair_richtext": [ + { + "e": "text", + "t": "boop!" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632555875.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I reset my rank with Shaxx and Saint today and getting some random poorly rolled exotic for it (both were trash rolls; Gwisin and Mechaneers) feels kind of… insignificant.

\n\n

It should be something better. It should feel more impactful as a reward for all that grinding.

\n\n

What if playlist vendors awarded Adept versions of the playlist exclusive weapons?

\n\n

How about an Adept version of a Frozen Orbit from Shaxx? Spicy! Or any other Crucible-only weapon. How about a random Adept Trials gun from Saint.? Do the same thing for Zavala and Drifter and people would have a chance at Adept Pally’s and Hung Jury’s who aren’t able to do GM’s or an Adept Bottom Dollar or Borrowed Time.

\n\n

Now we’re talking about making rank resets meaningful!

\n\n

Yes we all know the difference between adept and non is not that big, but it would sure make resetting rank feel more rewarding and worth the time invested.

\n\n

Besides, adept weapons are just cool. Because they’re adept.

\n\n

And I really don’t need more Mechaneer’s Tricksleeves. Bingo plz.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "boop!", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv27aj", + "is_robot_indexable": true, + "report_reasons": null, + "author": "h34vier", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv27aj/towerthought_rank_resets_should_be_more_unique/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv27aj/towerthought_rank_resets_should_be_more_unique/", + "subreddit_subscribers": 2134047, + "created_utc": 1632555875.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "EDIT : title is meant to be How Do .....\n\nEdit : it appears to be a know issue [https://www.bungie.net/en/Forums/Post/259734293](https://www.bungie.net/en/Forums/Post/259734293) [https://www.bungie.net/en/Forums/Post/259485383](https://www.bungie.net/en/Forums/Post/259485383) \n\nin the season of the Lost Umbral Engram Focusing tab, there is 4 engrams covering the whole year,\n\nnow these engrams specifically state\n\n>An Engram Containing two weapons from season of the ....\n\nbut when you purchase one of these, you don't get 2 weapons NOR is it limited to ONLY 2 weapons from said season,\n\ni just brought 5 of the Chosen engrams, and got 5 weapons 1 SMG 1 SnR, and 3 LFRs,\n\nhow does this work.", + "author_fullname": "t2_4k37728v", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "how to the tools of the \"name of season\" focused engram work?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv24zu", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632574053.0, + "author_flair_css_class": "SS1 1-0 8bittitan", + "author_flair_richtext": [ + { + "e": "text", + "t": "Dyslexic Crayon Eater" + } + ], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632555553.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

EDIT : title is meant to be How Do .....

\n\n

Edit : it appears to be a know issue https://www.bungie.net/en/Forums/Post/259734293 https://www.bungie.net/en/Forums/Post/259485383

\n\n

in the season of the Lost Umbral Engram Focusing tab, there is 4 engrams covering the whole year,

\n\n

now these engrams specifically state

\n\n
\n

An Engram Containing two weapons from season of the ....

\n
\n\n

but when you purchase one of these, you don't get 2 weapons NOR is it limited to ONLY 2 weapons from said season,

\n\n

i just brought 5 of the Chosen engrams, and got 5 weapons 1 SMG 1 SnR, and 3 LFRs,

\n\n

how does this work.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/_Mr2KSi8LkFhGt3krioo1pq34QwxrpmdLmnjKmYKLU8.jpg?auto=webp&s=bf2893e8734bf24bb6f94cd7ad38293949f8be7f", + "width": 327, + "height": 200 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/_Mr2KSi8LkFhGt3krioo1pq34QwxrpmdLmnjKmYKLU8.jpg?width=108&crop=smart&auto=webp&s=00cae47bf899ab6e58d0ab1f1a231a7a9f6bd745", + "width": 108, + "height": 66 + }, + { + "url": "https://external-preview.redd.it/_Mr2KSi8LkFhGt3krioo1pq34QwxrpmdLmnjKmYKLU8.jpg?width=216&crop=smart&auto=webp&s=e72ba589a753ab6c40923399973fb46a1d26bc40", + "width": 216, + "height": 132 + }, + { + "url": "https://external-preview.redd.it/_Mr2KSi8LkFhGt3krioo1pq34QwxrpmdLmnjKmYKLU8.jpg?width=320&crop=smart&auto=webp&s=eb74066d7e65ff326c7679c54409a6217aa26b5a", + "width": 320, + "height": 195 + } + ], + "variants": {}, + "id": "5hV60BCtuSx_nBIX0umM1quMqc_bXIPQoI8zq-umCtw" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Dyslexic Crayon Eater", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv24zu", + "is_robot_indexable": true, + "report_reasons": null, + "author": "THERAPTORKING54", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv24zu/how_to_the_tools_of_the_name_of_season_focused/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv24zu/how_to_the_tools_of_the_name_of_season_focused/", + "subreddit_subscribers": 2134047, + "created_utc": 1632555553.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "What the title says. I've searched repeatedly online to find a list but can't seem to find one. Do we just buy a random exotic from xur and see if it's a duplicate or am I blind? (hoping I'm just blind)", + "author_fullname": "t2_qr6ic", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What's in the exotic world loot pool?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv23kt", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632555368.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

What the title says. I've searched repeatedly online to find a list but can't seem to find one. Do we just buy a random exotic from xur and see if it's a duplicate or am I blind? (hoping I'm just blind)

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv23kt", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Kelgorr", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv23kt/whats_in_the_exotic_world_loot_pool/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv23kt/whats_in_the_exotic_world_loot_pool/", + "subreddit_subscribers": 2134047, + "created_utc": 1632555368.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "last week i manage to pick up up xur quest and complete it like few days ago and few hrs ago i claim the cipher on xur as exotic engram, the question is same as the post \n\n\nwhy xur did not have the quest after i claim the cipher", + "author_fullname": "t2_cj3y0b7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "xur did not have cipher quest", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1qx5", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.17, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632553697.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

last week i manage to pick up up xur quest and complete it like few days ago and few hrs ago i claim the cipher on xur as exotic engram, the question is same as the post

\n\n

why xur did not have the quest after i claim the cipher

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1qx5", + "is_robot_indexable": true, + "report_reasons": null, + "author": "CokieDan", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1qx5/xur_did_not_have_cipher_quest/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1qx5/xur_did_not_have_cipher_quest/", + "subreddit_subscribers": 2134047, + "created_utc": 1632553697.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "How do you go about getting the 4th fragment slot on hunter?", + "author_fullname": "t2_9jssnsue", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Hunter 4th fragment slot", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1qpe", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.17, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632553672.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

How do you go about getting the 4th fragment slot on hunter?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1qpe", + "is_robot_indexable": true, + "report_reasons": null, + "author": "pistol_n_shank", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1qpe/hunter_4th_fragment_slot/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1qpe/hunter_4th_fragment_slot/", + "subreddit_subscribers": 2134047, + "created_utc": 1632553672.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "if you use the ritualism shader from season of the splicer, the gun looks like something out of the dreaming city, and it looks *amazing.*\n\nhere's a link: https://imgur.com/gallery/Q72uItI", + "author_fullname": "t2_cxl49pd7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "just a heads up for those with fatebringer", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1o9o", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632553354.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

if you use the ritualism shader from season of the splicer, the gun looks like something out of the dreaming city, and it looks amazing.

\n\n

here's a link: https://imgur.com/gallery/Q72uItI

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "pv1o9o", + "is_robot_indexable": true, + "report_reasons": null, + "author": "chemicalcum", + "discussion_type": null, + "num_comments": 5, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1o9o/just_a_heads_up_for_those_with_fatebringer/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1o9o/just_a_heads_up_for_those_with_fatebringer/", + "subreddit_subscribers": 2134047, + "created_utc": 1632553354.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I played some trials, but I am getting destroyed by people with way better armor than me. A lot of the people I am facing have 2x100 stats plus really good stats in the other 4. I know masterworking your armor adds +2 to every statistic, but I currently have no way to obtain golf balls. Even if GMs were open, I don't think I'd have the skill to complete one, let alone do it enough times to get 7(?) golf balls needed for a whole armor set. I tried doing Prophecy, but I mostly got weapons. I think I got one armor piece, but it was pretty mediocre. I tried destiny app LFG vog today, which was a shitshow and I am not gonna do it without a carry/sherpa or being with friends because it was so god awful. I got the stupid mark, a bunch of duplicate weapons I didn't need, and a single pair of boots. We didn't even finish despite being in the raid for like 3 hours and didn't even finish because people kept leaving and we couldn't find replacements so we kept having to try to 5 man it. \n\nHow can I get good armor like these guys who have 2k hours? At this rate, I will never be as good as them because I started too late to catch up. It's like trying to beat Lebron James in basketball. Even if you practiced every day, you won't beat him cause you started too late and he's just straight up better at you because he has talent, which I do not have. I've even tried using the umbral focus, but a tier 3 focus is straight up worthless because it only guarantees 10 in one stat and the armor is always a piece of shit 53 total roll, which I can get just from random drops.", + "author_fullname": "t2_ly9g1", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "How can I get better armor?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1no4", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632553279.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I played some trials, but I am getting destroyed by people with way better armor than me. A lot of the people I am facing have 2x100 stats plus really good stats in the other 4. I know masterworking your armor adds +2 to every statistic, but I currently have no way to obtain golf balls. Even if GMs were open, I don't think I'd have the skill to complete one, let alone do it enough times to get 7(?) golf balls needed for a whole armor set. I tried doing Prophecy, but I mostly got weapons. I think I got one armor piece, but it was pretty mediocre. I tried destiny app LFG vog today, which was a shitshow and I am not gonna do it without a carry/sherpa or being with friends because it was so god awful. I got the stupid mark, a bunch of duplicate weapons I didn't need, and a single pair of boots. We didn't even finish despite being in the raid for like 3 hours and didn't even finish because people kept leaving and we couldn't find replacements so we kept having to try to 5 man it.

\n\n

How can I get good armor like these guys who have 2k hours? At this rate, I will never be as good as them because I started too late to catch up. It's like trying to beat Lebron James in basketball. Even if you practiced every day, you won't beat him cause you started too late and he's just straight up better at you because he has talent, which I do not have. I've even tried using the umbral focus, but a tier 3 focus is straight up worthless because it only guarantees 10 in one stat and the armor is always a piece of shit 53 total roll, which I can get just from random drops.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1no4", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Chetey", + "discussion_type": null, + "num_comments": 11, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1no4/how_can_i_get_better_armor/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1no4/how_can_i_get_better_armor/", + "subreddit_subscribers": 2134047, + "created_utc": 1632553279.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": " I found this out while playing Trials last weekend and believe me it was quite irritating. \n \n\n Pheonix dive (bottom tree dawnblade, bound to the X key on pc) has an internal cool time of about 4-5 seconds, and it seems you can't slide at all during that time. \n \n\n I'm not sure if this was intended or is a known bug (I couldn't find it on the Known Issues list from Bungie.) \n\n​\n\n I've been playing bottom tree dawnblade a lot since I started playing in year 2, but I don't remember ever having this issue with sliding while using this tree. Granted I haven't used bottom tree that often in the recent seasons due to top tree being so OP, but still this issue seems fairly new based on my personal experience. \n\n​\n\n Hunter revenant has a similar dive skill using the same key by default, but doesn't share the same issue, so it must be something specific to phoenix dive. \n\n​\n\n Any thoughts?", + "author_fullname": "t2_esvxqgxm", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "you can't slide while phoenix dive is in cooldown", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1l1t", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632552954.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I found this out while playing Trials last weekend and believe me it was quite irritating.

\n\n

Pheonix dive (bottom tree dawnblade, bound to the X key on pc) has an internal cool time of about 4-5 seconds, and it seems you can't slide at all during that time.

\n\n

I'm not sure if this was intended or is a known bug (I couldn't find it on the Known Issues list from Bungie.)

\n\n

\n\n

I've been playing bottom tree dawnblade a lot since I started playing in year 2, but I don't remember ever having this issue with sliding while using this tree. Granted I haven't used bottom tree that often in the recent seasons due to top tree being so OP, but still this issue seems fairly new based on my personal experience.

\n\n

\n\n

Hunter revenant has a similar dive skill using the same key by default, but doesn't share the same issue, so it must be something specific to phoenix dive.

\n\n

\n\n

Any thoughts?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1l1t", + "is_robot_indexable": true, + "report_reasons": null, + "author": "pparkji", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1l1t/you_cant_slide_while_phoenix_dive_is_in_cooldown/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1l1t/you_cant_slide_while_phoenix_dive_is_in_cooldown/", + "subreddit_subscribers": 2134047, + "created_utc": 1632552954.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I’m getting tired of getting matched with a group of 3 sweat lords and go 5-0 I know bungie has put in a handicap system but... REALLY? Come on that’s not the best they can do I’m just getting tired of getting either matched with trash teammates or getting matched against 3 sweats who already went flawless and yeah I’m getting so frustrated with this I know bungie is trying but why wasn’t freelance added day 1 of the new change. They said they wanted trials to be more accessible but for solo players it’s too damn frustrating, I want to PLAY the game not get absolutely shat on 24/7", + "author_fullname": "t2_37ww6n4j", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "When is freelance gonna be added cause I’m loosing my mind", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1k1k", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.33, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632553156.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632552818.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I’m getting tired of getting matched with a group of 3 sweat lords and go 5-0 I know bungie has put in a handicap system but... REALLY? Come on that’s not the best they can do I’m just getting tired of getting either matched with trash teammates or getting matched against 3 sweats who already went flawless and yeah I’m getting so frustrated with this I know bungie is trying but why wasn’t freelance added day 1 of the new change. They said they wanted trials to be more accessible but for solo players it’s too damn frustrating, I want to PLAY the game not get absolutely shat on 24/7

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1k1k", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Talosses", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1k1k/when_is_freelance_gonna_be_added_cause_im_loosing/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1k1k/when_is_freelance_gonna_be_added_cause_im_loosing/", + "subreddit_subscribers": 2134047, + "created_utc": 1632552818.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I’m pretty sure nobody else cares about them, but currently the Season of Dawn (season 9) weapons are the only weapons with a non-1100 power cap. If you don’t remember, the original model of sunsetting involved phasing out weapons one season at a time. The season 9 weapons were partway through being fully sunset, and are now stuck at a maximum of 1260 power, pretty much useless for anything power-enabled. I know this isn’t the most pressing issue in the game right now, but it’d be cool if those weapons could be fully unset (the official term.) I don’t remember any of those guns being particularly cracked, and honestly I, as I’m sure the three other people who used it also do, just want my buzzard to be viable again.", + "author_fullname": "t2_4nthdktb", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Season of Dawn weapons", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1e1w", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.58, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "author_cakeday": true, + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632552011.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I’m pretty sure nobody else cares about them, but currently the Season of Dawn (season 9) weapons are the only weapons with a non-1100 power cap. If you don’t remember, the original model of sunsetting involved phasing out weapons one season at a time. The season 9 weapons were partway through being fully sunset, and are now stuck at a maximum of 1260 power, pretty much useless for anything power-enabled. I know this isn’t the most pressing issue in the game right now, but it’d be cool if those weapons could be fully unset (the official term.) I don’t remember any of those guns being particularly cracked, and honestly I, as I’m sure the three other people who used it also do, just want my buzzard to be viable again.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1e1w", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Blitz_Mojo", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1e1w/season_of_dawn_weapons/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1e1w/season_of_dawn_weapons/", + "subreddit_subscribers": 2134047, + "created_utc": 1632552011.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Not to mention for some like witherhoards, it only counts PvP *wins*. That means a loss gets you nothing. A win gets one point. \n\nIm doing Erianas right now, at 151/400 and just realized nightfalls dont count towards it because it says \"playlist strikes\" and the nf doesnt fall under that apparently, even though the nf counted for witherhoard which also i believe said playlist. \n\nRegardless, 300 and 400 strikes/PvP matches (or wins) is absolutely fucking mad. At 10 strikes a DAY youre talking about a month for wither and nearly a month and a half for erianas. JUST FOR ONE STEP OF THE CATALYST. I mean..seriously, 1.5 months to finish a catalyst quest? Thats fucking absurd. \n\nYes i know that during the season these weapons came out they had a booster. Even with the x4 boost it would still take 100 strikes. Now thats way better than 400, but hell dude even 100 is pushing on the lengthy side but i can at least be okay with that for very strong guns. \n\nBingo, if you're not gonna shorten these catalysts for players like me who did not play during those seasons then at least offer a fucking boost. Even if its a bloody MTX that would be better than nothing. Its just unreal that this hasnt been looked at. A month and a half of grinding and thats even if you do 10 strikes a day, and some strikes are annoying and take 10+ minutes with randoms. Something needs to give.", + "author_fullname": "t2_8erku", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Once again here to say that some of these catalyst quests require FAR to many strikes/PvP matches", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv1b26", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.29, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632551619.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Not to mention for some like witherhoards, it only counts PvP wins. That means a loss gets you nothing. A win gets one point.

\n\n

Im doing Erianas right now, at 151/400 and just realized nightfalls dont count towards it because it says "playlist strikes" and the nf doesnt fall under that apparently, even though the nf counted for witherhoard which also i believe said playlist.

\n\n

Regardless, 300 and 400 strikes/PvP matches (or wins) is absolutely fucking mad. At 10 strikes a DAY youre talking about a month for wither and nearly a month and a half for erianas. JUST FOR ONE STEP OF THE CATALYST. I mean..seriously, 1.5 months to finish a catalyst quest? Thats fucking absurd.

\n\n

Yes i know that during the season these weapons came out they had a booster. Even with the x4 boost it would still take 100 strikes. Now thats way better than 400, but hell dude even 100 is pushing on the lengthy side but i can at least be okay with that for very strong guns.

\n\n

Bingo, if you're not gonna shorten these catalysts for players like me who did not play during those seasons then at least offer a fucking boost. Even if its a bloody MTX that would be better than nothing. Its just unreal that this hasnt been looked at. A month and a half of grinding and thats even if you do 10 strikes a day, and some strikes are annoying and take 10+ minutes with randoms. Something needs to give.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv1b26", + "is_robot_indexable": true, + "report_reasons": null, + "author": "SrslySam91", + "discussion_type": null, + "num_comments": 7, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv1b26/once_again_here_to_say_that_some_of_these/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv1b26/once_again_here_to_say_that_some_of_these/", + "subreddit_subscribers": 2134047, + "created_utc": 1632551619.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Can you imagine how cool it would be to have a fully 3D look of our guardians like [this?](https://m.imgur.com/a/hFq8jjj).", + "author_fullname": "t2_3hpxfp39", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "It would be cool if with the light subclasses 2.0 our guardians had poses similar to the subclass artwork", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv173t", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.31, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS1 5-0 TitanLogo", + "author_flair_richtext": [ + { + "e": "text", + "t": "Sitting in Sunspots" + } + ], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632551111.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Can you imagine how cool it would be to have a fully 3D look of our guardians like this?.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?auto=webp&s=9d7e0bfeac66e8d1e3a298ee3e187a6235f69a8e", + "width": 1920, + "height": 1080 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=108&crop=smart&auto=webp&s=5cb2d97bcbaceb94062e423bd1af3ca39fd63d55", + "width": 108, + "height": 60 + }, + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=216&crop=smart&auto=webp&s=52a08f3614a32d028e051f99d4f82d9b98ca4c3e", + "width": 216, + "height": 121 + }, + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=320&crop=smart&auto=webp&s=49c9365fdb10fa6aaac46fdeba5719a1309c64f8", + "width": 320, + "height": 180 + }, + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=640&crop=smart&auto=webp&s=6329c94021bbde284f289991fec1dbcf6db659f8", + "width": 640, + "height": 360 + }, + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=960&crop=smart&auto=webp&s=30d9415261fa9da563250ac7511805e3b022a71a", + "width": 960, + "height": 540 + }, + { + "url": "https://external-preview.redd.it/z8nUHIkZAUXut4FBGZOnKkPW_-suu7wQr-SrIdcufEE.jpg?width=1080&crop=smart&auto=webp&s=76deea9adc353ba7d9b0eaa31bec885bb6b00f51", + "width": 1080, + "height": 607 + } + ], + "variants": {}, + "id": "yugtPSHnSjWs6UKvOhLPWX2QXZ3A7-KRQTzDjD6V8xM" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Sitting in Sunspots", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv173t", + "is_robot_indexable": true, + "report_reasons": null, + "author": "nervousmelon", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv173t/it_would_be_cool_if_with_the_light_subclasses_20/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv173t/it_would_be_cool_if_with_the_light_subclasses_20/", + "subreddit_subscribers": 2134047, + "created_utc": 1632551111.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "https://i.imgur.com/rDGpvpR.jpg", + "author_fullname": "t2_4cl936qy", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I was stuck inside the ready room for an entire gambit match..", + "link_flair_richtext": [ + { + "e": "text", + "t": "Media" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "media", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv11j7", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.98, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 638, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Media", + "can_mod_post": false, + "score": 638, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": true, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632550392.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

https://i.imgur.com/rDGpvpR.jpg

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?auto=webp&s=335dd8dd7f976f78228610c4a035223366898980", + "width": 2000, + "height": 1500 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=108&crop=smart&auto=webp&s=45de908884f9ff74335185a49b27a75e93b534c2", + "width": 108, + "height": 81 + }, + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=216&crop=smart&auto=webp&s=bb58e6929f9e1c0ff2ee84ff831ac68b99bc2dbc", + "width": 216, + "height": 162 + }, + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=320&crop=smart&auto=webp&s=70b98179e06e54c9cb92caa8b2b5070fa1131dec", + "width": 320, + "height": 240 + }, + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=640&crop=smart&auto=webp&s=a909630a84cff08407d86b6f38f09f99bad3710d", + "width": 640, + "height": 480 + }, + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=960&crop=smart&auto=webp&s=c8211a30c3f1a9570bfbadccb55a95b578d27dd5", + "width": 960, + "height": 720 + }, + { + "url": "https://external-preview.redd.it/HU74t2vI4ZqcEhgYlR9CEjInccd41IdXLa0cNfctunY.jpg?width=1080&crop=smart&auto=webp&s=44bddd2883dcbcfa4b0a87acd0c32a685efd6a5a", + "width": 1080, + "height": 810 + } + ], + "variants": {}, + "id": "xIvRF7HBL4ILkLnKLwfBzFjtekj0rAsQxEJYAzc0FSs" + } + ], + "enabled": false + }, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 150, + "id": "award_f44611f1-b89e-46dc-97fe-892280b13b82", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_width": 2048, + "static_icon_width": 2048, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Thank you stranger. Shows the award.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 2048, + "name": "Helpful", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 2048, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7bd785e4-b4a2-11e4-b23c-22000b3c024f", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv11j7", + "is_robot_indexable": true, + "report_reasons": null, + "author": "QuietlyReal", + "discussion_type": null, + "num_comments": 66, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv11j7/i_was_stuck_inside_the_ready_room_for_an_entire/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv11j7/i_was_stuck_inside_the_ready_room_for_an_entire/", + "subreddit_subscribers": 2134047, + "created_utc": 1632550392.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Basically, I just found out my ex left his old steam account synced to my psn before he went to jail. I want to log my new account in but I bought the new season and there is a 90 day cooldown. Is their a swap button or do I seriously have to wait.", + "author_fullname": "t2_a4ellqvi", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Is there any way to change my steam account without waiting 130 days", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0xyn", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632549916.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Basically, I just found out my ex left his old steam account synced to my psn before he went to jail. I want to log my new account in but I bought the new season and there is a 90 day cooldown. Is their a swap button or do I seriously have to wait.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0xyn", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Beginning-Tennis7606", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0xyn/is_there_any_way_to_change_my_steam_account/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0xyn/is_there_any_way_to_change_my_steam_account/", + "subreddit_subscribers": 2134047, + "created_utc": 1632549916.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Can we please have the option to centre the reticle on console? Instead of having it slightly lower?\n\n I move back and forth between it and PC due to my work and my performance in crucible suffers greatly. Would love this small QoL variable implemented please. \n\nMuch love.\n\nEdit 1: thank you for the award fren :3", + "author_fullname": "t2_edz2ahfl", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Bungie Pls: A Humble request, from a console fan...", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0xyc", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.57, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632550446.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632549915.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Can we please have the option to centre the reticle on console? Instead of having it slightly lower?

\n\n

I move back and forth between it and PC due to my work and my performance in crucible suffers greatly. Would love this small QoL variable implemented please.

\n\n

Much love.

\n\n

Edit 1: thank you for the award fren :3

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 125, + "id": "award_5f123e3d-4f48-42f4-9c11-e98b566d5897", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://i.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=16&height=16&auto=webp&s=92932f465d58e4c16b12b6eac4ca07d27e3d11c0", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=32&height=32&auto=webp&s=d11484a208d68a318bf9d4fcf371171a1cb6a7ef", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=48&height=48&auto=webp&s=febdf28b6f39f7da7eb1365325b85e0bb49a9f63", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=64&height=64&auto=webp&s=b4406a2d88bf86fa3dc8a45aacf7e0c7bdccc4fb", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=128&height=128&auto=webp&s=19555b13e3e196b62eeb9160d1ac1d1b372dcb0b", + "width": 128, + "height": 128 + } + ], + "icon_width": 2048, + "static_icon_width": 2048, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "When you come across a feel-good thing.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 2048, + "name": "Wholesome", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=16&height=16&auto=webp&s=92932f465d58e4c16b12b6eac4ca07d27e3d11c0", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=32&height=32&auto=webp&s=d11484a208d68a318bf9d4fcf371171a1cb6a7ef", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=48&height=48&auto=webp&s=febdf28b6f39f7da7eb1365325b85e0bb49a9f63", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=64&height=64&auto=webp&s=b4406a2d88bf86fa3dc8a45aacf7e0c7bdccc4fb", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png?width=128&height=128&auto=webp&s=19555b13e3e196b62eeb9160d1ac1d1b372dcb0b", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 2048, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_22cerq/5izbv4fn0md41_Wholesome.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0xyc", + "is_robot_indexable": true, + "report_reasons": null, + "author": "_delagade", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0xyc/bungie_pls_a_humble_request_from_a_console_fan/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0xyc/bungie_pls_a_humble_request_from_a_console_fan/", + "subreddit_subscribers": 2134047, + "created_utc": 1632549915.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "***\"I miss making posts about Exotic weapons, and a lot of different opinions as of late about current Exotics had me thinking about how to redesign some of the lesser used or 'worst' Exotic weapons. This is just my own idea, I'd love to hear others!\"***\n\n​\n\n>**INTRINSIC TRAIT** \n> \n>*Cryo Mine:* This weapon fires a Stasis mine that detonates upon being stepped on, *slowing* targets caught in the blast radius and *freezing* already slowed targets. Charging before firing will increase the blast radius of the mine.\n\n​\n\n>**INTRINSIC PERK** \n> \n>*Flash Freeze:* Rapidly slowing or freezing enemy combatants *(three to five at a single time)* briefly boosts Stasis ability regeneration. Rapid freezes offer a more substantial boost than rapid slowing.\n\n​\n\n>**CATALYST MASTERWORK PERK** \n> \n>*Absolute Zero:* When your Stasis Super energy is full, detonated mines will immediately freeze and shatter combatants, but will use more ammunition. Bosses that are affected by the mine are left disoriented and suppressed for a brief period.", + "author_fullname": "t2_86qhk3x9", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Exotic Rework: Salvation's Grip", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0ug2", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.6, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 2, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 2, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632549482.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

"I miss making posts about Exotic weapons, and a lot of different opinions as of late about current Exotics had me thinking about how to redesign some of the lesser used or 'worst' Exotic weapons. This is just my own idea, I'd love to hear others!"

\n\n

\n\n
\n

INTRINSIC TRAIT

\n\n

Cryo Mine: This weapon fires a Stasis mine that detonates upon being stepped on, slowing targets caught in the blast radius and freezing already slowed targets. Charging before firing will increase the blast radius of the mine.

\n
\n\n

\n\n
\n

INTRINSIC PERK

\n\n

Flash Freeze: Rapidly slowing or freezing enemy combatants (three to five at a single time) briefly boosts Stasis ability regeneration. Rapid freezes offer a more substantial boost than rapid slowing.

\n
\n\n

\n\n
\n

CATALYST MASTERWORK PERK

\n\n

Absolute Zero: When your Stasis Super energy is full, detonated mines will immediately freeze and shatter combatants, but will use more ammunition. Bosses that are affected by the mine are left disoriented and suppressed for a brief period.

\n
\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0ug2", + "is_robot_indexable": true, + "report_reasons": null, + "author": "KamenRiderW0lf", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0ug2/exotic_rework_salvations_grip/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0ug2/exotic_rework_salvations_grip/", + "subreddit_subscribers": 2134047, + "created_utc": 1632549482.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I have a 1.22 KDA. I'm what you might call \"garbage\" when compared to Trials of Osiris tryhards. And yet, I just lost 0-5 against a flawless team, and my ragtag group of filthy casuals is somehow the final boss for these guys? Is matchmaking card-based? I'm technically on my 6th win on the card, but I've lost EIGHT goddamn games to get here, and it's throwing me up against 3 stacks.\n\nWhile I was typing this out, I played another game, and gave someone else their passage to the Lighthouse. I was pretty sure Bungie said something about it being rewarding to get to 7 wins, but I'm not sure being a speedbump for others is really it. All this makes me want to do is reset my trials passage, because otherwise I guess I'm just going to deliver people an easy win 7 on their way to the Lighthouse.\n\nI will say, the fact that I can go into trials AT ALL, and have ANY success is cool. I really appreciate that. But getting wrecked (and teabagged, CONSTANTLY) by flawless 3 stacks is not exactly fun.", + "author_fullname": "t2_kzkvd", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I'm Only Average at Crucible. Why Am I Defending the Lighthouse?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0tbw", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.83, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 142, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 142, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": { + "gid_1": 1 + }, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632549335.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I have a 1.22 KDA. I'm what you might call "garbage" when compared to Trials of Osiris tryhards. And yet, I just lost 0-5 against a flawless team, and my ragtag group of filthy casuals is somehow the final boss for these guys? Is matchmaking card-based? I'm technically on my 6th win on the card, but I've lost EIGHT goddamn games to get here, and it's throwing me up against 3 stacks.

\n\n

While I was typing this out, I played another game, and gave someone else their passage to the Lighthouse. I was pretty sure Bungie said something about it being rewarding to get to 7 wins, but I'm not sure being a speedbump for others is really it. All this makes me want to do is reset my trials passage, because otherwise I guess I'm just going to deliver people an easy win 7 on their way to the Lighthouse.

\n\n

I will say, the fact that I can go into trials AT ALL, and have ANY success is cool. I really appreciate that. But getting wrecked (and teabagged, CONSTANTLY) by flawless 3 stacks is not exactly fun.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 100, + "id": "gid_1", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://www.redditstatic.com/gold/awards/icon/silver_512.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_16.png", + "width": 16, + "height": 16 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_32.png", + "width": 32, + "height": 32 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_48.png", + "width": 48, + "height": 48 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_64.png", + "width": 64, + "height": 64 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_128.png", + "width": 128, + "height": 128 + } + ], + "icon_width": 512, + "static_icon_width": 512, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Shows the Silver Award... and that's it.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 512, + "name": "Silver", + "resized_static_icons": [ + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_16.png", + "width": 16, + "height": 16 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_32.png", + "width": 32, + "height": 32 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_48.png", + "width": 48, + "height": 48 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_64.png", + "width": 64, + "height": 64 + }, + { + "url": "https://www.redditstatic.com/gold/awards/icon/silver_128.png", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 512, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://www.redditstatic.com/gold/awards/icon/silver_512.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0tbw", + "is_robot_indexable": true, + "report_reasons": null, + "author": "luckyjorael", + "discussion_type": null, + "num_comments": 110, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0tbw/im_only_average_at_crucible_why_am_i_defending/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0tbw/im_only_average_at_crucible_why_am_i_defending/", + "subreddit_subscribers": 2134047, + "created_utc": 1632549335.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Havent played D2 since 2nd week of splicer. Has crossplay come out? Ive seen posts about it being there and otherwise old news from May saying that it still isnt out. \n\n​\n\nJust need a Yes or No please", + "author_fullname": "t2_2lhctoi5", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Crossplay out yet?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0s3y", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.08, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632549173.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Havent played D2 since 2nd week of splicer. Has crossplay come out? Ive seen posts about it being there and otherwise old news from May saying that it still isnt out.

\n\n

\n\n

Just need a Yes or No please

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0s3y", + "is_robot_indexable": true, + "report_reasons": null, + "author": "OG-TGSnega", + "discussion_type": null, + "num_comments": 17, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0s3y/crossplay_out_yet/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0s3y/crossplay_out_yet/", + "subreddit_subscribers": 2134047, + "created_utc": 1632549173.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "[https://www.youtube.com/watch?v=JGXF6sywoO0](https://www.youtube.com/watch?v=JGXF6sywoO0)", + "author_fullname": "t2_1qbh388t", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "The boogie down exotic", + "link_flair_richtext": [ + { + "e": "text", + "t": "Media" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "media", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0osc", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.6, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Media", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632548730.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

https://www.youtube.com/watch?v=JGXF6sywoO0

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/PVOWfCK6k4gh6o4NX8tAzH8xfJ2Xj70SeP9yK9q753s.jpg?auto=webp&s=21a712efff8a7548035adc03db7c348fb445fa5c", + "width": 480, + "height": 360 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/PVOWfCK6k4gh6o4NX8tAzH8xfJ2Xj70SeP9yK9q753s.jpg?width=108&crop=smart&auto=webp&s=165a2b36c28b3d71a0069c72cb78d83e4bda0ba4", + "width": 108, + "height": 81 + }, + { + "url": "https://external-preview.redd.it/PVOWfCK6k4gh6o4NX8tAzH8xfJ2Xj70SeP9yK9q753s.jpg?width=216&crop=smart&auto=webp&s=fc8f4776cb8e6787c3146cb2b56acf79ce0a7d52", + "width": 216, + "height": 162 + }, + { + "url": "https://external-preview.redd.it/PVOWfCK6k4gh6o4NX8tAzH8xfJ2Xj70SeP9yK9q753s.jpg?width=320&crop=smart&auto=webp&s=2f2d8f3f4de636a624c2e73696b4ec38de58db15", + "width": 320, + "height": 240 + } + ], + "variants": {}, + "id": "zRrXxcDuJYkn5HmrJKeP6PjIBZBM2rwFIdkrh7IR9nI" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7bd785e4-b4a2-11e4-b23c-22000b3c024f", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0osc", + "is_robot_indexable": true, + "report_reasons": null, + "author": "maubuss", + "discussion_type": null, + "num_comments": 0, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0osc/the_boogie_down_exotic/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0osc/the_boogie_down_exotic/", + "subreddit_subscribers": 2134047, + "created_utc": 1632548730.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Buddy of mine has a competitive crucible suspension but there is no time limit. Anyone have an idea how long it lasts or how to find out the timer?", + "author_fullname": "t2_9jiaz", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "competitive crucible suspension time", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0lym", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632548369.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Buddy of mine has a competitive crucible suspension but there is no time limit. Anyone have an idea how long it lasts or how to find out the timer?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0lym", + "is_robot_indexable": true, + "report_reasons": null, + "author": "izzybear8", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0lym/competitive_crucible_suspension_time/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0lym/competitive_crucible_suspension_time/", + "subreddit_subscribers": 2134047, + "created_utc": 1632548369.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "since there's no legendary trace rifles,\n\nand i highly doubt bungie will give us a season with tracerifle champion mods like they have with GL SG SnpR FR, as there is only 6 of them and all are exotic's\n\nas such allowing them to combo with the AR champion mods, i think would be a good inbetween,", + "author_fullname": "t2_4k37728v", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "trace rifle's should stack with Auto rifle champion mods,", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0kmv", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.56, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 5, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 5, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632554950.0, + "author_flair_css_class": "SS1 1-0 8bittitan", + "author_flair_richtext": [ + { + "e": "text", + "t": "Dyslexic Crayon Eater" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632548193.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

since there's no legendary trace rifles,

\n\n

and i highly doubt bungie will give us a season with tracerifle champion mods like they have with GL SG SnpR FR, as there is only 6 of them and all are exotic's

\n\n

as such allowing them to combo with the AR champion mods, i think would be a good inbetween,

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Dyslexic Crayon Eater", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0kmv", + "is_robot_indexable": true, + "report_reasons": null, + "author": "THERAPTORKING54", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv0kmv/trace_rifles_should_stack_with_auto_rifle/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0kmv/trace_rifles_should_stack_with_auto_rifle/", + "subreddit_subscribers": 2134047, + "created_utc": 1632548193.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Just ran the 1320 LS today about 15 times and didn't get a single exotic drop. I swear with the rates I should have gotten at least 1, right? Has anyone else noticed this, or is my RNG just shit today?", + "author_fullname": "t2_37lx8iz2", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "I swear there's some kind of softlock on Legendary Lost Sectors.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0jz1", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.3, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632548105.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": true, + "selftext_html": "

Just ran the 1320 LS today about 15 times and didn't get a single exotic drop. I swear with the rates I should have gotten at least 1, right? Has anyone else noticed this, or is my RNG just shit today?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0jz1", + "is_robot_indexable": true, + "report_reasons": null, + "author": "RonocLord21", + "discussion_type": null, + "num_comments": 9, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv0jz1/i_swear_theres_some_kind_of_softlock_on_legendary/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0jz1/i_swear_theres_some_kind_of_softlock_on_legendary/", + "subreddit_subscribers": 2134047, + "created_utc": 1632548105.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Are they preloading witch queen or something?", + "author_fullname": "t2_5anubn3q", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Why is update 2.30 75 gigs?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv0970", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.17, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS18 6-6 SchromoradicCube", + "author_flair_richtext": [ + { + "e": "text", + "t": "Totemic Enigma" + } + ], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632546764.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Are they preloading witch queen or something?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Totemic Enigma", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv0970", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Haxxom", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/pv0970/why_is_update_230_75_gigs/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv0970/why_is_update_230_75_gigs/", + "subreddit_subscribers": 2134047, + "created_utc": 1632546764.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "You can keep it random rolled, but xur needs to sell the different exotics and repeat them no more than twice in a season. I don’t care if they are handpicked, but the amount of repeats is practically unacceptable. \n\nOr, make the engram target farmable by armor slot. It can be so frustrating to get the same exotic armor piece, in succession, when I use shards and a cipher.", + "author_fullname": "t2_y5cg6", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Xur needs to sell a variety of armor every season.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pv034d", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.08, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632546031.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

You can keep it random rolled, but xur needs to sell the different exotics and repeat them no more than twice in a season. I don’t care if they are handpicked, but the amount of repeats is practically unacceptable.

\n\n

Or, make the engram target farmable by armor slot. It can be so frustrating to get the same exotic armor piece, in succession, when I use shards and a cipher.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pv034d", + "is_robot_indexable": true, + "report_reasons": null, + "author": "logo-strikes", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pv034d/xur_needs_to_sell_a_variety_of_armor_every_season/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pv034d/xur_needs_to_sell_a_variety_of_armor_every_season/", + "subreddit_subscribers": 2134047, + "created_utc": 1632546031.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Any exotic can drop from the lost sectors right like on arm day I can only get any arms?", + "author_fullname": "t2_4otz8p33", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Legend/ master lost sectors", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzypi", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.6, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 1, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 1, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632545534.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Any exotic can drop from the lost sectors right like on arm day I can only get any arms?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzypi", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Preppieset1668", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzypi/legend_master_lost_sectors/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzypi/legend_master_lost_sectors/", + "subreddit_subscribers": 2134047, + "created_utc": 1632545534.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Wow, this is the best Destiny Grind every. RNG at its finest. First you got to hope you don’t get an error code. Then hope the chest actually drops lot. Then maybe you get a chance at the catalyst.", + "author_fullname": "t2_102sim", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "5 astral alignments in a row I get anteater code and kicked when boss is about to die!", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzymn", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 8, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 8, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS6 7-0 ENC", + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632545525.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Wow, this is the best Destiny Grind every. RNG at its finest. First you got to hope you don’t get an error code. Then hope the chest actually drops lot. Then maybe you get a chance at the catalyst.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzymn", + "is_robot_indexable": true, + "report_reasons": null, + "author": "McSepherson", + "discussion_type": null, + "num_comments": 11, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/puzymn/5_astral_alignments_in_a_row_i_get_anteater_code/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzymn/5_astral_alignments_in_a_row_i_get_anteater_code/", + "subreddit_subscribers": 2134047, + "created_utc": 1632545525.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I can't stand the legend lost sector rotations. Like, I get it, it's a challenging little event, you run through and have to fight tough enemies blah blah blah.\n\nBut it's a lot of work, if you don't have optimized load outs and all the raid weapons and stuff. I'm a frickin noob man, I can't be arsed spending hours crafting exactly the right kit to deal with broken ass Overload captains that regen their entire health bar in five seconds because even with the overload bow, it don't do shit. 30 minutes later, I finish one, great a fuckin legendary armor piece and a core.\n\nCmon. Give me at least a 1% chance these things'll drop in literally any other activity. I'm never going to get Star scales or Arthrys Embrace because I'm not going to grind this dumb BS for hours on end.\n\nI really dislike this. Yes, I realize this is a git gud complaint. Whatever, I don't like having to grind these frustrating sectors to have chance to not get an exotic.", + "author_fullname": "t2_a1h46qa", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Please add more ways to get the new exotics", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzxow", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.16, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632545415.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I can't stand the legend lost sector rotations. Like, I get it, it's a challenging little event, you run through and have to fight tough enemies blah blah blah.

\n\n

But it's a lot of work, if you don't have optimized load outs and all the raid weapons and stuff. I'm a frickin noob man, I can't be arsed spending hours crafting exactly the right kit to deal with broken ass Overload captains that regen their entire health bar in five seconds because even with the overload bow, it don't do shit. 30 minutes later, I finish one, great a fuckin legendary armor piece and a core.

\n\n

Cmon. Give me at least a 1% chance these things'll drop in literally any other activity. I'm never going to get Star scales or Arthrys Embrace because I'm not going to grind this dumb BS for hours on end.

\n\n

I really dislike this. Yes, I realize this is a git gud complaint. Whatever, I don't like having to grind these frustrating sectors to have chance to not get an exotic.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzxow", + "is_robot_indexable": true, + "report_reasons": null, + "author": "erikkmobius", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzxow/please_add_more_ways_to_get_the_new_exotics/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzxow/please_add_more_ways_to_get_the_new_exotics/", + "subreddit_subscribers": 2134047, + "created_utc": 1632545415.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I updated drivers to get Deathloop working, but now my frames have tanked even just in menus in Destiny. Anyone else?", + "author_fullname": "t2_fx4ki", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Has anyone noticed severely reduced framerates with the latest AMD drivers? (21.9.2)", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzw85", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.75, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 4, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 4, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632545245.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I updated drivers to get Deathloop working, but now my frames have tanked even just in menus in Destiny. Anyone else?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzw85", + "is_robot_indexable": true, + "report_reasons": null, + "author": "jmiester14", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzw85/has_anyone_noticed_severely_reduced_framerates/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzw85/has_anyone_noticed_severely_reduced_framerates/", + "subreddit_subscribers": 2134047, + "created_utc": 1632545245.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "[https://i.imgur.com/9QTWIU8.png](https://i.imgur.com/9QTWIU8.png)", + "author_fullname": "t2_5m9jo5q9", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Pain", + "link_flair_richtext": [ + { + "e": "text", + "t": "Misc" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "misc", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzvwk", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.46, + "author_flair_background_color": "", + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Misc", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": "SS23 6-4 MMXXSeal", + "author_flair_richtext": [ + { + "e": "text", + "t": "Titan by day, Warlock by Night. Hunter at heart" + } + ], + "gildings": {}, + "post_hint": "self", + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632545207.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "richtext", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

https://i.imgur.com/9QTWIU8.png

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "preview": { + "images": [ + { + "source": { + "url": "https://external-preview.redd.it/aQU29AWvi-TsGp9ppFHsPG6bWT35NjHq478owmN6sqY.png?auto=webp&s=b2b3e60d455f2cdffa19ba7e9cb11de06272c6b7", + "width": 653, + "height": 843 + }, + "resolutions": [ + { + "url": "https://external-preview.redd.it/aQU29AWvi-TsGp9ppFHsPG6bWT35NjHq478owmN6sqY.png?width=108&crop=smart&auto=webp&s=a1ba0644095d5ae4f78790bb3c8f505f16c7d5a3", + "width": 108, + "height": 139 + }, + { + "url": "https://external-preview.redd.it/aQU29AWvi-TsGp9ppFHsPG6bWT35NjHq478owmN6sqY.png?width=216&crop=smart&auto=webp&s=2afaf17a5afb3bd20a51808c5e642133c71c2480", + "width": 216, + "height": 278 + }, + { + "url": "https://external-preview.redd.it/aQU29AWvi-TsGp9ppFHsPG6bWT35NjHq478owmN6sqY.png?width=320&crop=smart&auto=webp&s=fb7705b8da3dc7a90c789cba8e706151dfa9da53", + "width": 320, + "height": 413 + }, + { + "url": "https://external-preview.redd.it/aQU29AWvi-TsGp9ppFHsPG6bWT35NjHq478owmN6sqY.png?width=640&crop=smart&auto=webp&s=10053fb5d6c78dc0bfa80328da91467a5ca360c9", + "width": 640, + "height": 826 + } + ], + "variants": {}, + "id": "X5kzqBoLX3x7JJy3hxy39YRWEja2GIaCrHdik-ULv-c" + } + ], + "enabled": false + }, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "927a3422-b4a2-11e4-81ed-22000acb8a96", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": "Titan by day, Warlock by Night. Hunter at heart", + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "#edeff1", + "id": "puzvwk", + "is_robot_indexable": true, + "report_reasons": null, + "author": "jjknz", + "discussion_type": null, + "num_comments": 2, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": "dark", + "permalink": "/r/DestinyTheGame/comments/puzvwk/pain/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzvwk/pain/", + "subreddit_subscribers": 2134047, + "created_utc": 1632545207.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Anyone got any word as to whether or not the Cobalt Clash shader is able to be obtained yet?", + "author_fullname": "t2_15zwbv", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Cobalt Clash", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzro5", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.25, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632544718.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": true, + "selftext_html": "

Anyone got any word as to whether or not the Cobalt Clash shader is able to be obtained yet?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzro5", + "is_robot_indexable": true, + "report_reasons": null, + "author": "SirShrike", + "discussion_type": null, + "num_comments": 4, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzro5/cobalt_clash/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzro5/cobalt_clash/", + "subreddit_subscribers": 2134047, + "created_utc": 1632544718.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "If given the option, what colour would you want arc to change to?", + "author_fullname": "t2_c8fo362r", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What colour would you want arc to be instead of cyan?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzqbt", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.3, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632544559.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

If given the option, what colour would you want arc to change to?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzqbt", + "is_robot_indexable": true, + "report_reasons": null, + "author": "JerichoR-O", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzqbt/what_colour_would_you_want_arc_to_be_instead_of/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzqbt/what_colour_would_you_want_arc_to_be_instead_of/", + "subreddit_subscribers": 2134047, + "created_utc": 1632544559.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Also I don’t have the season pass so I can’t do the seasonal ones", + "author_fullname": "t2_4svivmsq", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "What would be the easiest seal to complete?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Discussion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "discussion", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puznhq", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.94, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 237, + "total_awards_received": 1, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Discussion", + "can_mod_post": false, + "score": 237, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632544253.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Also I don’t have the season pass so I can’t do the seasonal ones

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [ + { + "giver_coin_reward": null, + "subreddit_id": null, + "is_new": false, + "days_of_drip_extension": 0, + "coin_price": 150, + "id": "award_f44611f1-b89e-46dc-97fe-892280b13b82", + "penny_donate": null, + "award_sub_type": "GLOBAL", + "coin_reward": 0, + "icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png", + "days_of_premium": 0, + "tiers_by_required_awardings": null, + "resized_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_width": 2048, + "static_icon_width": 2048, + "start_date": null, + "is_enabled": true, + "awardings_required_to_grant_benefits": null, + "description": "Thank you stranger. Shows the award.", + "end_date": null, + "subreddit_coin_reward": 0, + "count": 1, + "static_icon_height": 2048, + "name": "Helpful", + "resized_static_icons": [ + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=16&height=16&auto=webp&s=a5662dfbdb402bf67866c050aa76c31c147c2f45", + "width": 16, + "height": 16 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=32&height=32&auto=webp&s=a6882eb3f380e8e88009789f4d0072e17b8c59f1", + "width": 32, + "height": 32 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=48&height=48&auto=webp&s=e50064b090879e8a0b55e433f6ee61d5cb5fbe1d", + "width": 48, + "height": 48 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=64&height=64&auto=webp&s=8e5bb2e76683cb6b161830bcdd9642049d6adc11", + "width": 64, + "height": 64 + }, + { + "url": "https://preview.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png?width=128&height=128&auto=webp&s=eda4a9246f95f42ee6940cc0ec65306fd20de878", + "width": 128, + "height": 128 + } + ], + "icon_format": null, + "icon_height": 2048, + "penny_price": null, + "award_type": "global", + "static_icon_url": "https://i.redd.it/award_images/t5_22cerq/klvxk1wggfd41_Helpful.png" + } + ], + "awarders": [], + "media_only": false, + "link_flair_template_id": "6bf6aa9c-b4a2-11e4-8280-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puznhq", + "is_robot_indexable": true, + "report_reasons": null, + "author": "killerheath04", + "discussion_type": null, + "num_comments": 156, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puznhq/what_would_be_the_easiest_seal_to_complete/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puznhq/what_would_be_the_easiest_seal_to_complete/", + "subreddit_subscribers": 2134047, + "created_utc": 1632544253.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Is there anywhere that has any sort of data to figure out the droprate? Because im 2 solid days of nightfalls without so much as a sniff of an exotic at all", + "author_fullname": "t2_liouc", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Sleeper simulant catylist droprates?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzmdf", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632544131.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Is there anywhere that has any sort of data to figure out the droprate? Because im 2 solid days of nightfalls without so much as a sniff of an exotic at all

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzmdf", + "is_robot_indexable": true, + "report_reasons": null, + "author": "burt-hackman", + "discussion_type": null, + "num_comments": 6, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzmdf/sleeper_simulant_catylist_droprates/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzmdf/sleeper_simulant_catylist_droprates/", + "subreddit_subscribers": 2134047, + "created_utc": 1632544131.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "So I just finished VoG which was my first raid in Destint, how does farming raids work? Do you get 1 shot at loot per boss each week per character or can you keep farming it over and over? If you can farm them over and over in the same week are check points able to be reset to full clear farm or what?", + "author_fullname": "t2_6nyhe98c", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Raids farm?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzm7m", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632544110.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

So I just finished VoG which was my first raid in Destint, how does farming raids work? Do you get 1 shot at loot per boss each week per character or can you keep farming it over and over? If you can farm them over and over in the same week are check points able to be reset to full clear farm or what?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzm7m", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Zombie_Squirrel1", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzm7m/raids_farm/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzm7m/raids_farm/", + "subreddit_subscribers": 2134047, + "created_utc": 1632544110.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I’ve been following along with some tutorials to find stuff in the shattered realm, but this one data cache isn’t where it’s said to be. Anyone know what’s going on?", + "author_fullname": "t2_b15qm0d7", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Data cache harbinger not spawning?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzia6", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.5, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632543656.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I’ve been following along with some tutorials to find stuff in the shattered realm, but this one data cache isn’t where it’s said to be. Anyone know what’s going on?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzia6", + "is_robot_indexable": true, + "report_reasons": null, + "author": "temporary654", + "discussion_type": null, + "num_comments": 3, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzia6/data_cache_harbinger_not_spawning/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzia6/data_cache_harbinger_not_spawning/", + "subreddit_subscribers": 2134047, + "created_utc": 1632543656.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "When u hold r to activate catalyst even when ur super isn't up, it fully reloads ur mag doing the little switch animation.", + "author_fullname": "t2_20tj4rrb", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Agers scepter catalyst active reloads mag even when your super isn't up.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puzhx2", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.67, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 15, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 15, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": 1632546575.0, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632543614.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

When u hold r to activate catalyst even when ur super isn't up, it fully reloads ur mag doing the little switch animation.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puzhx2", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Sprontle", + "discussion_type": null, + "num_comments": 24, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puzhx2/agers_scepter_catalyst_active_reloads_mag_even/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puzhx2/agers_scepter_catalyst_active_reloads_mag_even/", + "subreddit_subscribers": 2134047, + "created_utc": 1632543614.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "Bit more of an explanation for each suggestion:\n\n**Adding D1 events to it:** This would help explain some things from the past that are relevant to now. For example, any time Hive are involved, Oryx becomes relevant in hindsight. But someone who just played D2 may not know who Oryx WAS. A D1 timeline post covering the Taken War (and maybe Crota stuff before) would be good for that.\n\n**Adding missing cutscenes:** I will admit that I am no game developer. But it seems to me like cutsecnes are basicaly just kinda videos of events. Adding them would help a lot with plot. For example, Adding cutsecnes from The Red War would go a long way to explaining just who Ghaul was and why he was a danger.\n\n**Tabs explaining relevant lore events:** You would not need many here despite lore people's wanting, just a few \"***Key***\" ones in the plot that are sometimes referenced, like the Battle of Six Fronts, or Saint-14 failing to protect that one city and being inspired by us. Just bits of lore flavor to better explain the timeline. *If* you wanted to go *full* lore entry *without going full lore entry*, you could also add simplifed events for things like the Books of Sorrow, or a off branch for a simplifed Dark Future, with links leading to the full books for the curious.", + "author_fullname": "t2_kwi5k", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "The Timeline Feature in the Director is a great feature. But it could be vastly improved by adding Destiny 1 event explanations to it, adding missing cutsecnes from the past, and MAYBE even RELEVANT mentions of past lore only events.", + "link_flair_richtext": [ + { + "e": "text", + "t": "Bungie Suggestion" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "bungieplz", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puz65w", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.96, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 303, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Bungie Suggestion", + "can_mod_post": false, + "score": 303, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": true, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632542314.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

Bit more of an explanation for each suggestion:

\n\n

Adding D1 events to it: This would help explain some things from the past that are relevant to now. For example, any time Hive are involved, Oryx becomes relevant in hindsight. But someone who just played D2 may not know who Oryx WAS. A D1 timeline post covering the Taken War (and maybe Crota stuff before) would be good for that.

\n\n

Adding missing cutscenes: I will admit that I am no game developer. But it seems to me like cutsecnes are basicaly just kinda videos of events. Adding them would help a lot with plot. For example, Adding cutsecnes from The Red War would go a long way to explaining just who Ghaul was and why he was a danger.

\n\n

Tabs explaining relevant lore events: You would not need many here despite lore people's wanting, just a few "Key" ones in the plot that are sometimes referenced, like the Battle of Six Fronts, or Saint-14 failing to protect that one city and being inspired by us. Just bits of lore flavor to better explain the timeline. If you wanted to go full lore entry without going full lore entry, you could also add simplifed events for things like the Books of Sorrow, or a off branch for a simplifed Dark Future, with links leading to the full books for the curious.

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": false, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "8f870f42-b4a2-11e4-be9a-22000b3a8cc8", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puz65w", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Kylestien", + "discussion_type": null, + "num_comments": 22, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puz65w/the_timeline_feature_in_the_director_is_a_great/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puz65w/the_timeline_feature_in_the_director_is_a_great/", + "subreddit_subscribers": 2134047, + "created_utc": 1632542314.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "I was trying to finish up some legacy quest for season of the chosen. For challengers proving IV you need to go to Firebase Hades. But Everytime I get without eye sight of it the game freezes and crashes. Suggestions?", + "author_fullname": "t2_oth73eu", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Unable to enter Firebase Hades on PS5 without crashing? Anyone else running into this issue?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_pupy5c", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.4, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632508961.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

I was trying to finish up some legacy quest for season of the chosen. For challengers proving IV you need to go to Firebase Hades. But Everytime I get without eye sight of it the game freezes and crashes. Suggestions?

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "pupy5c", + "is_robot_indexable": true, + "report_reasons": null, + "author": "Haggles7", + "discussion_type": null, + "num_comments": 1, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/pupy5c/unable_to_enter_firebase_hades_on_ps5_without/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/pupy5c/unable_to_enter_firebase_hades_on_ps5_without/", + "subreddit_subscribers": 2134047, + "created_utc": 1632508961.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + }, + { + "kind": "t3", + "data": { + "approved_at_utc": null, + "subreddit": "DestinyTheGame", + "selftext": "If there is one I can’t find it - although based on how often I can’t find my keys my locating skills aren’t that great. Any help is greatly appreciated - thanks!", + "author_fullname": "t2_6lmfondl", + "saved": false, + "mod_reason_title": null, + "gilded": 0, + "clicked": false, + "title": "Is there a mod that creates orbs of light from grenade kills?", + "link_flair_richtext": [ + { + "e": "text", + "t": "Question" + } + ], + "subreddit_name_prefixed": "r/DestinyTheGame", + "hidden": false, + "pwls": 6, + "link_flair_css_class": "question", + "downs": 0, + "thumbnail_height": null, + "top_awarded_type": null, + "hide_score": false, + "name": "t3_puyzxu", + "quarantine": false, + "link_flair_text_color": "dark", + "upvote_ratio": 0.43, + "author_flair_background_color": null, + "subreddit_type": "public", + "ups": 0, + "total_awards_received": 0, + "media_embed": {}, + "thumbnail_width": null, + "author_flair_template_id": null, + "is_original_content": false, + "user_reports": [], + "secure_media": null, + "is_reddit_media_domain": false, + "is_meta": false, + "category": null, + "secure_media_embed": {}, + "link_flair_text": "Question", + "can_mod_post": false, + "score": 0, + "approved_by": null, + "is_created_from_ads_ui": false, + "author_premium": false, + "thumbnail": "self", + "edited": false, + "author_flair_css_class": null, + "author_flair_richtext": [], + "gildings": {}, + "content_categories": null, + "is_self": true, + "mod_note": null, + "created": 1632541593.0, + "link_flair_type": "richtext", + "wls": 6, + "removed_by_category": null, + "banned_by": null, + "author_flair_type": "text", + "domain": "self.DestinyTheGame", + "allow_live_comments": false, + "selftext_html": "

If there is one I can’t find it - although based on how often I can’t find my keys my locating skills aren’t that great. Any help is greatly appreciated - thanks!

\n
", + "likes": null, + "suggested_sort": "confidence", + "banned_at_utc": null, + "view_count": null, + "archived": false, + "no_follow": true, + "is_crosspostable": false, + "pinned": false, + "over_18": false, + "all_awardings": [], + "awarders": [], + "media_only": false, + "link_flair_template_id": "7142cbe8-b4a2-11e4-89f6-22000b2c0699", + "can_gild": false, + "spoiler": false, + "locked": false, + "author_flair_text": null, + "treatment_tags": [], + "visited": false, + "removed_by": null, + "num_reports": null, + "distinguished": null, + "subreddit_id": "t5_2vq0w", + "author_is_blocked": false, + "mod_reason_by": null, + "removal_reason": null, + "link_flair_background_color": "", + "id": "puyzxu", + "is_robot_indexable": true, + "report_reasons": null, + "author": "HopBatman72", + "discussion_type": null, + "num_comments": 8, + "send_replies": true, + "whitelist_status": "all_ads", + "contest_mode": false, + "mod_reports": [], + "author_patreon_flair": false, + "author_flair_text_color": null, + "permalink": "/r/DestinyTheGame/comments/puyzxu/is_there_a_mod_that_creates_orbs_of_light_from/", + "parent_whitelist_status": "all_ads", + "stickied": false, + "url": "https://www.reddit.com/r/DestinyTheGame/comments/puyzxu/is_there_a_mod_that_creates_orbs_of_light_from/", + "subreddit_subscribers": 2134047, + "created_utc": 1632541593.0, + "num_crossposts": 0, + "media": null, + "is_video": false + } + } + ], + "before": null + } +} diff --git a/internal/reddit/types.go b/internal/reddit/types.go index 6109149..6770dbe 100644 --- a/internal/reddit/types.go +++ b/internal/reddit/types.go @@ -73,6 +73,11 @@ type Thing struct { LinkTitle string `json:"link_title"` Destination string `json:"dest"` Subreddit string `json:"subreddit"` + Score int64 `json:"score"` + SelfText string `json:"selftext"` + Title string `json:"title"` + URL string `json:"url"` + Flair string `json:"flair"` } func (t *Thing) FullName() string { @@ -98,6 +103,12 @@ func NewThing(val *fastjson.Value) *Thing { t.Destination = string(data.GetStringBytes("dest")) t.Subreddit = string(data.GetStringBytes("subreddit")) + t.Score = data.GetInt64("score") + t.Title = string(data.GetStringBytes("title")) + t.SelfText = string(data.GetStringBytes("selftext")) + t.URL = string(data.GetStringBytes("url")) + t.Flair = string(data.GetStringBytes("link_flair_text")) + return t } @@ -131,4 +142,22 @@ func NewListingResponse(val *fastjson.Value) interface{} { return lr } +type SubredditResponse struct { + Thing + + Name string +} + +func NewSubredditResponse(val *fastjson.Value) interface{} { + sr := &SubredditResponse{} + + sr.Kind = string(val.GetStringBytes("kind")) + + data := val.Get("data") + sr.ID = string(data.GetStringBytes("id")) + sr.Name = string(data.GetStringBytes("display_name")) + + return sr +} + var EmptyListingResponse = &ListingResponse{} diff --git a/internal/reddit/types_test.go b/internal/reddit/types_test.go index 689c2fa..cd62b9a 100644 --- a/internal/reddit/types_test.go +++ b/internal/reddit/types_test.go @@ -43,6 +43,7 @@ func TestRefreshTokenResponseParsing(t *testing.T) { } func TestListingResponseParsing(t *testing.T) { + // Message list bb, err := ioutil.ReadFile("testdata/message_inbox.json") assert.NoError(t, err) @@ -74,4 +75,39 @@ func TestListingResponseParsing(t *testing.T) { assert.Equal(t, "t1_h46tec3", thing.ParentID) assert.Equal(t, "hello i am a cat", thing.LinkTitle) assert.Equal(t, "calicosummer", thing.Subreddit) + + // Post list + bb, err = ioutil.ReadFile("testdata/subreddit_new.json") + assert.NoError(t, err) + + val, err = parser.ParseBytes(bb) + assert.NoError(t, err) + + ret = NewListingResponse(val) + l = ret.(*ListingResponse) + assert.NotNil(t, l) + + assert.Equal(t, 100, l.Count) + + thing = l.Children[1] + assert.Equal(t, "Riven boss", thing.Title) + assert.Equal(t, "Question", thing.Flair) + assert.Contains(t, thing.SelfText, "never done riven") + assert.Equal(t, int64(1), thing.Score) +} + +func TestSubredditResponseParsing(t *testing.T) { + bb, err := ioutil.ReadFile("testdata/subreddit_about.json") + assert.NoError(t, err) + + val, err := parser.ParseBytes(bb) + assert.NoError(t, err) + + ret := NewSubredditResponse(val) + s := ret.(*SubredditResponse) + assert.NotNil(t, s) + + assert.Equal(t, "t5", s.Kind) + assert.Equal(t, "2vq0w", s.ID) + assert.Equal(t, "DestinyTheGame", s.Name) } diff --git a/internal/repository/postgres_device.go b/internal/repository/postgres_device.go index ce9aa01..80b11f7 100644 --- a/internal/repository/postgres_device.go +++ b/internal/repository/postgres_device.go @@ -40,6 +40,23 @@ func (p *postgresDeviceRepository) fetch(ctx context.Context, query string, args return devs, nil } +func (p *postgresDeviceRepository) GetByID(ctx context.Context, id int64) (domain.Device, error) { + query := ` + SELECT id, apns_token, sandbox, active_until + FROM devices + WHERE id = $1` + + devs, err := p.fetch(ctx, query, id) + + if err != nil { + return domain.Device{}, err + } + if len(devs) == 0 { + return domain.Device{}, domain.ErrNotFound + } + return devs[0], nil +} + func (p *postgresDeviceRepository) GetByAPNSToken(ctx context.Context, token string) (domain.Device, error) { query := ` SELECT id, apns_token, sandbox, active_until diff --git a/internal/repository/postgres_subreddit.go b/internal/repository/postgres_subreddit.go new file mode 100644 index 0000000..5754060 --- /dev/null +++ b/internal/repository/postgres_subreddit.go @@ -0,0 +1,90 @@ +package repository + +import ( + "context" + "strings" + + "github.com/christianselig/apollo-backend/internal/domain" + "github.com/jackc/pgx/v4/pgxpool" +) + +type postgresSubredditRepository struct { + pool *pgxpool.Pool +} + +func NewPostgresSubreddit(pool *pgxpool.Pool) domain.SubredditRepository { + return &postgresSubredditRepository{pool: pool} +} + +func (p *postgresSubredditRepository) fetch(ctx context.Context, query string, args ...interface{}) ([]domain.Subreddit, error) { + rows, err := p.pool.Query(ctx, query, args...) + if err != nil { + return nil, err + } + defer rows.Close() + + var srs []domain.Subreddit + for rows.Next() { + var sr domain.Subreddit + if err := rows.Scan( + &sr.ID, + &sr.SubredditID, + &sr.Name, + ); err != nil { + return nil, err + } + srs = append(srs, sr) + } + return srs, nil +} + +func (p *postgresSubredditRepository) GetByID(ctx context.Context, id int64) (domain.Subreddit, error) { + query := ` + SELECT id, subreddit_id, name + FROM subreddits + WHERE id = $1` + + srs, err := p.fetch(ctx, query, id) + + if err != nil { + return domain.Subreddit{}, err + } + if len(srs) == 0 { + return domain.Subreddit{}, domain.ErrNotFound + } + return srs[0], nil +} + +func (p *postgresSubredditRepository) GetByName(ctx context.Context, name string) (domain.Subreddit, error) { + query := ` + SELECT id, subreddit_id, name + FROM subreddits + WHERE name = $1` + + name = strings.ToLower(name) + + srs, err := p.fetch(ctx, query, name) + + if err != nil { + return domain.Subreddit{}, err + } + if len(srs) == 0 { + return domain.Subreddit{}, domain.ErrNotFound + } + return srs[0], nil +} + +func (p *postgresSubredditRepository) CreateOrUpdate(ctx context.Context, sr *domain.Subreddit) error { + query := ` + INSERT INTO subreddits (subreddit_id, name) + VALUES ($1, $2) + ON CONFLICT(subreddit_id) DO NOTHING + RETURNING id` + + return p.pool.QueryRow( + ctx, + query, + sr.SubredditID, + sr.NormalizedName(), + ).Scan(&sr.ID) +} diff --git a/internal/repository/postgres_watcher.go b/internal/repository/postgres_watcher.go new file mode 100644 index 0000000..e2a0931 --- /dev/null +++ b/internal/repository/postgres_watcher.go @@ -0,0 +1,126 @@ +package repository + +import ( + "context" + "fmt" + + "github.com/jackc/pgx/v4/pgxpool" + + "github.com/christianselig/apollo-backend/internal/domain" +) + +type postgresWatcherRepository struct { + pool *pgxpool.Pool +} + +func NewPostgresWatcher(pool *pgxpool.Pool) domain.WatcherRepository { + return &postgresWatcherRepository{pool: pool} +} + +func (p *postgresWatcherRepository) fetch(ctx context.Context, query string, args ...interface{}) ([]domain.Watcher, error) { + rows, err := p.pool.Query(ctx, query, args...) + if err != nil { + return nil, err + } + defer rows.Close() + + var watchers []domain.Watcher + for rows.Next() { + var watcher domain.Watcher + if err := rows.Scan( + &watcher.ID, + &watcher.DeviceID, + &watcher.AccountID, + &watcher.SubredditID, + &watcher.Upvotes, + &watcher.Keyword, + &watcher.Flair, + &watcher.Domain, + ); err != nil { + return nil, err + } + watchers = append(watchers, watcher) + } + return watchers, nil +} + +func (p *postgresWatcherRepository) GetByID(ctx context.Context, id int64) (domain.Watcher, error) { + query := ` + SELECT id, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + FROM watchers + WHERE id = $1` + + watchers, err := p.fetch(ctx, query, id) + + if err != nil { + return domain.Watcher{}, err + } + if len(watchers) == 0 { + return domain.Watcher{}, domain.ErrNotFound + } + return watchers[0], nil +} + +func (p *postgresWatcherRepository) GetBySubredditID(ctx context.Context, id int64) ([]domain.Watcher, error) { + query := ` + SELECT id, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + FROM watchers + WHERE subreddit_id = $1` + + return p.fetch(ctx, query, id) +} + +func (p *postgresWatcherRepository) Create(ctx context.Context, watcher *domain.Watcher) error { + query := ` + INSERT INTO watchers + (device_id, account_id, subreddit_id, upvotes, keyword, flair, domain) + VALUES ($1, $2, $3, $4, $5, $6, $7) + RETURNING id` + + return p.pool.QueryRow( + ctx, + query, + &watcher.DeviceID, + &watcher.AccountID, + &watcher.SubredditID, + &watcher.Upvotes, + &watcher.Keyword, + &watcher.Flair, + &watcher.Domain, + ).Scan(&watcher.ID) +} + +func (p *postgresWatcherRepository) Update(ctx context.Context, watcher *domain.Watcher) error { + query := ` + UPDATE watchers + SET upvotes = $2, + keyword = $3, + flair = $4, + domain = $5, + WHERE id = $1` + + res, err := p.pool.Exec( + ctx, + query, + watcher.ID, + watcher.Upvotes, + watcher.Keyword, + watcher.Flair, + watcher.Domain, + ) + + if res.RowsAffected() != 1 { + return fmt.Errorf("weird behaviour, total rows affected: %d", res.RowsAffected()) + } + return err +} + +func (p *postgresWatcherRepository) Delete(ctx context.Context, id int64) error { + query := `DELETE FROM watchers WHERE id = $1` + res, err := p.pool.Exec(ctx, query, id) + + if res.RowsAffected() != 1 { + return fmt.Errorf("weird behaviour, total rows affected: %d", res.RowsAffected()) + } + return err +} diff --git a/internal/worker/notifications.go b/internal/worker/notifications.go index 84184ff..cb4c3af 100644 --- a/internal/worker/notifications.go +++ b/internal/worker/notifications.go @@ -165,8 +165,7 @@ func (nc *notificationsConsumer) Consume(delivery rmq.Delivery) { account, err := nc.accountRepo.GetByID(ctx, id) if err != nil { nc.logger.WithFields(logrus.Fields{ - "account#username": account.NormalizedUsername(), - "err": err, + "err": err, }).Error("failed to fetch account from database") return } diff --git a/internal/worker/subreddits.go b/internal/worker/subreddits.go new file mode 100644 index 0000000..61bc52a --- /dev/null +++ b/internal/worker/subreddits.go @@ -0,0 +1,329 @@ +package worker + +import ( + "context" + "fmt" + "math/rand" + "os" + "strconv" + "strings" + "time" + + "github.com/DataDog/datadog-go/statsd" + "github.com/adjust/rmq/v4" + "github.com/go-redis/redis/v8" + "github.com/jackc/pgx/v4/pgxpool" + "github.com/sideshow/apns2" + "github.com/sideshow/apns2/payload" + "github.com/sideshow/apns2/token" + "github.com/sirupsen/logrus" + + "github.com/christianselig/apollo-backend/internal/domain" + "github.com/christianselig/apollo-backend/internal/reddit" + "github.com/christianselig/apollo-backend/internal/repository" +) + +type subredditsWorker struct { + logger *logrus.Logger + statsd *statsd.Client + db *pgxpool.Pool + redis *redis.Client + queue rmq.Connection + reddit *reddit.Client + apns *token.Token + + consumers int + + accountRepo domain.AccountRepository + deviceRepo domain.DeviceRepository + subredditRepo domain.SubredditRepository + watcherRepo domain.WatcherRepository +} + +func NewSubredditsWorker(logger *logrus.Logger, statsd *statsd.Client, db *pgxpool.Pool, redis *redis.Client, queue rmq.Connection, consumers int) Worker { + reddit := reddit.NewClient( + os.Getenv("REDDIT_CLIENT_ID"), + os.Getenv("REDDIT_CLIENT_SECRET"), + statsd, + consumers, + ) + + var apns *token.Token + { + authKey, err := token.AuthKeyFromFile(os.Getenv("APPLE_KEY_PATH")) + if err != nil { + panic(err) + } + + apns = &token.Token{ + AuthKey: authKey, + KeyID: os.Getenv("APPLE_KEY_ID"), + TeamID: os.Getenv("APPLE_TEAM_ID"), + } + } + + return &subredditsWorker{ + logger, + statsd, + db, + redis, + queue, + reddit, + apns, + consumers, + + repository.NewPostgresAccount(db), + repository.NewPostgresDevice(db), + repository.NewPostgresSubreddit(db), + repository.NewPostgresWatcher(db), + } +} + +func (sw *subredditsWorker) Start() error { + queue, err := sw.queue.OpenQueue("subreddits") + if err != nil { + return err + } + + sw.logger.WithFields(logrus.Fields{ + "numConsumers": sw.consumers, + }).Info("starting up subreddits worker") + + prefetchLimit := int64(sw.consumers * 2) + + if err := queue.StartConsuming(prefetchLimit, pollDuration); err != nil { + return err + } + + host, _ := os.Hostname() + + for i := 0; i < sw.consumers; i++ { + name := fmt.Sprintf("consumer %s-%d", host, i) + + consumer := NewSubredditsConsumer(sw, i) + if _, err := queue.AddConsumer(name, consumer); err != nil { + return err + } + } + + return nil +} + +func (sw *subredditsWorker) Stop() { + <-sw.queue.StopAllConsuming() // wait for all Consume() calls to finish +} + +type subredditsConsumer struct { + *subredditsWorker + tag int + + apnsSandbox *apns2.Client + apnsProduction *apns2.Client +} + +func NewSubredditsConsumer(sw *subredditsWorker, tag int) *subredditsConsumer { + return &subredditsConsumer{ + sw, + tag, + apns2.NewTokenClient(sw.apns), + apns2.NewTokenClient(sw.apns).Production(), + } +} + +func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { + ctx := context.Background() + + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": delivery.Payload(), + }).Debug("starting job") + + id, err := strconv.ParseInt(delivery.Payload(), 10, 64) + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": delivery.Payload(), + "err": err, + }).Error("failed to parse subreddit ID") + + _ = delivery.Reject() + return + } + + defer func() { _ = delivery.Ack() }() + + subreddit, err := sc.subredditRepo.GetByID(ctx, id) + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "err": err, + }).Error("failed to fetch subreddit from database") + return + } + + watchers, err := sc.watcherRepo.GetBySubredditID(ctx, subreddit.ID) + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "err": err, + }).Error("failed to fetch watchers from database") + return + } + + if len(watchers) == 0 { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "err": err, + }).Info("no watchers for subreddit, skipping") + return + } + + threshold := float64(time.Now().AddDate(0, 0, -1).UTC().Unix()) + posts := []*reddit.Thing{} + before := "" + finished := false + + for pages := 0; pages < 5; pages++ { + i := rand.Intn(len(watchers)) + watcher := watchers[i] + + dev, err := sc.deviceRepo.GetByID(ctx, watcher.DeviceID) + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "watcher#id": watcher.ID, + "err": err, + }).Error("failed to fetch device for watcher from database") + continue + } + + accs, err := sc.accountRepo.GetByAPNSToken(ctx, dev.APNSToken) + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "watcher#id": watcher.ID, + "device#id": dev.ID, + "err": err, + }).Error("failed to fetch accounts for device from database") + continue + } + + i = rand.Intn(len(accs)) + acc := accs[i] + + rac := sc.reddit.NewAuthenticatedClient(acc.RefreshToken, acc.AccessToken) + + sps, err := rac.SubredditNew( + subreddit.Name, + reddit.WithQuery("before", before), + reddit.WithQuery("limit", "100"), + ) + + if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "watcher#id": watcher.ID, + "device#id": dev.ID, + "err": err, + }).Error("failed to fetch posts") + continue + } + + // If it's empty, we're done + if sps.Count == 0 { + break + } + + // If we don't have 100 posts, we're going to be done + if sps.Count < 100 { + finished = true + } + + for _, post := range sps.Children { + if post.CreatedAt < threshold { + finished = true + break + } + + posts = append(posts, post) + } + + if finished { + break + } + } + + for _, post := range posts { + ids := []int64{} + + for _, watcher := range watchers { + matched := (watcher.Upvotes == 0 || (watcher.Upvotes > 0 && post.Score > watcher.Upvotes)) && + (watcher.Keyword == "" || strings.Contains(post.SelfText, watcher.Keyword)) && + (watcher.Flair == "" || strings.Contains(post.Flair, watcher.Flair)) && + (watcher.Domain == "" || strings.Contains(post.URL, watcher.Domain)) + + if !matched { + continue + } + + lockKey := fmt.Sprintf("watcher:%d:%s", watcher.ID, post.ID) + notified, _ := sc.redis.Get(ctx, lockKey).Bool() + + if notified { + continue + } + + sc.redis.SetEX(ctx, lockKey, true, 24*time.Hour) + ids = append(ids, watcher.DeviceID) + } + + if len(ids) == 0 { + continue + } + + notification := &apns2.Notification{} + notification.Topic = "com.christianselig.Apollo" + notification.Payload = payloadFromPost(post) + + for _, id := range ids { + device, _ := sc.deviceRepo.GetByID(ctx, id) + notification.DeviceToken = device.APNSToken + + client := sc.apnsProduction + if device.Sandbox { + client = sc.apnsSandbox + } + + res, err := client.Push(notification) + if err != nil { + _ = sc.statsd.Incr("apns.notification.errors", []string{}, 1) + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "device#id": device.ID, + "err": err, + "status": res.StatusCode, + "reason": res.Reason, + }).Error("failed to send notification") + } else { + _ = sc.statsd.Incr("apns.notification.sent", []string{}, 1) + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "device#id": device.ID, + "device#token": device.APNSToken, + }).Info("sent notification") + } + } + } +} + +func payloadFromPost(post *reddit.Thing) *payload.Payload { + payload := payload. + NewPayload(). + AlertTitle("DING DONG"). + AlertBody("I got you something"). + AlertSummaryArg(post.Subreddit). + Category("post-watch"). + Custom("post_title", post.Title). + Custom("post_id", post.ID). + Custom("author", post.Author). + Custom("post_age", post.CreatedAt) + + return payload +} From a5bd4c2ce43ee8531a4e5503e72c9eda3ba65613 Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 13:05:05 -0400 Subject: [PATCH 2/6] check last 100 hot posts too --- internal/reddit/client.go | 12 ++++++-- internal/worker/subreddits.go | 58 +++++++++++++++++++---------------- 2 files changed, 42 insertions(+), 28 deletions(-) diff --git a/internal/reddit/client.go b/internal/reddit/client.go index d2e38cf..e5dc574 100644 --- a/internal/reddit/client.go +++ b/internal/reddit/client.go @@ -197,8 +197,8 @@ func (rac *AuthenticatedClient) SubredditAbout(subreddit string, opts ...Request return sr.(*SubredditResponse), nil } -func (rac *AuthenticatedClient) SubredditNew(subreddit string, opts ...RequestOption) (*ListingResponse, error) { - url := fmt.Sprintf("https://oauth.reddit.com/r/%s/new.json", subreddit) +func (rac *AuthenticatedClient) subredditPosts(subreddit string, sort string, opts ...RequestOption) (*ListingResponse, error) { + url := fmt.Sprintf("https://oauth.reddit.com/r/%s/%s.json", subreddit, sort) opts = append([]RequestOption{ WithMethod("GET"), WithToken(rac.accessToken), @@ -214,6 +214,14 @@ func (rac *AuthenticatedClient) SubredditNew(subreddit string, opts ...RequestOp return lr.(*ListingResponse), nil } +func (rac *AuthenticatedClient) SubredditHot(subreddit string, opts ...RequestOption) (*ListingResponse, error) { + return rac.subredditPosts(subreddit, "hot", opts...) +} + +func (rac *AuthenticatedClient) SubredditNew(subreddit string, opts ...RequestOption) (*ListingResponse, error) { + return rac.subredditPosts(subreddit, "new", opts...) +} + func (rac *AuthenticatedClient) MessageInbox(opts ...RequestOption) (*ListingResponse, error) { opts = append([]RequestOption{ WithTags([]string{"url:/api/v1/message/inbox"}), diff --git a/internal/worker/subreddits.go b/internal/worker/subreddits.go index 61bc52a..c1ee802 100644 --- a/internal/worker/subreddits.go +++ b/internal/worker/subreddits.go @@ -179,35 +179,14 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { posts := []*reddit.Thing{} before := "" finished := false + seenPosts := map[string]bool{} + // Load 500 newest posts for pages := 0; pages < 5; pages++ { i := rand.Intn(len(watchers)) watcher := watchers[i] - dev, err := sc.deviceRepo.GetByID(ctx, watcher.DeviceID) - if err != nil { - sc.logger.WithFields(logrus.Fields{ - "subreddit#id": subreddit.ID, - "watcher#id": watcher.ID, - "err": err, - }).Error("failed to fetch device for watcher from database") - continue - } - - accs, err := sc.accountRepo.GetByAPNSToken(ctx, dev.APNSToken) - if err != nil { - sc.logger.WithFields(logrus.Fields{ - "subreddit#id": subreddit.ID, - "watcher#id": watcher.ID, - "device#id": dev.ID, - "err": err, - }).Error("failed to fetch accounts for device from database") - continue - } - - i = rand.Intn(len(accs)) - acc := accs[i] - + acc, _ := sc.accountRepo.GetByID(ctx, watcher.AccountID) rac := sc.reddit.NewAuthenticatedClient(acc.RefreshToken, acc.AccessToken) sps, err := rac.SubredditNew( @@ -220,7 +199,6 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { sc.logger.WithFields(logrus.Fields{ "subreddit#id": subreddit.ID, "watcher#id": watcher.ID, - "device#id": dev.ID, "err": err, }).Error("failed to fetch posts") continue @@ -242,7 +220,10 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { break } - posts = append(posts, post) + if _, ok := seenPosts[post.ID]; !ok { + posts = append(posts, post) + seenPosts[post.ID] = true + } } if finished { @@ -250,6 +231,31 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { } } + // Load hot posts + { + i := rand.Intn(len(watchers)) + watcher := watchers[i] + + acc, _ := sc.accountRepo.GetByID(ctx, watcher.AccountID) + rac := sc.reddit.NewAuthenticatedClient(acc.RefreshToken, acc.AccessToken) + sps, err := rac.SubredditHot( + subreddit.Name, + reddit.WithQuery("limit", "100"), + ) + + if err != nil { + for _, post := range sps.Children { + if post.CreatedAt < threshold { + break + } + if _, ok := seenPosts[post.ID]; !ok { + posts = append(posts, post) + seenPosts[post.ID] = true + } + } + } + } + for _, post := range posts { ids := []int64{} From 698c65b1f44bd197f6d59224a3084b996ae32792 Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 14:02:00 -0400 Subject: [PATCH 3/6] tweaks --- internal/api/watcher.go | 28 ++++--- internal/domain/watcher.go | 3 +- internal/itunes/receipt.go | 2 +- internal/reddit/client.go | 2 +- internal/reddit/request.go | 4 + internal/repository/postgres_watcher.go | 27 +++--- internal/worker/subreddits.go | 104 ++++++++++++++++++++++-- 7 files changed, 137 insertions(+), 33 deletions(-) diff --git a/internal/api/watcher.go b/internal/api/watcher.go index ead5ab8..f17c306 100644 --- a/internal/api/watcher.go +++ b/internal/api/watcher.go @@ -29,7 +29,14 @@ func (a *api) createWatcherHandler(w http.ResponseWriter, r *http.Request) { apns := vars["apns"] redditID := vars["redditID"] - cwr := &createWatcherRequest{} + cwr := &createWatcherRequest{ + Criteria: watcherCriteria{ + Upvotes: 0, + Keyword: "", + Flair: "", + Domain: "", + }, + } if err := json.NewDecoder(r.Body).Decode(cwr); err != nil { a.errorResponse(w, r, 500, err.Error()) return @@ -69,15 +76,16 @@ func (a *api) createWatcherHandler(w http.ResponseWriter, r *http.Request) { } sr, err := a.subredditRepo.GetByName(ctx, cwr.Subreddit) - - switch err { - case domain.ErrNotFound: - // Might be that we don't know about that subreddit yet - sr = domain.Subreddit{SubredditID: srr.ID, Name: srr.Name} - _ = a.subredditRepo.CreateOrUpdate(ctx, &sr) - default: - a.errorResponse(w, r, 500, err.Error()) - return + if err != nil { + switch err { + case domain.ErrNotFound: + // Might be that we don't know about that subreddit yet + sr = domain.Subreddit{SubredditID: srr.ID, Name: srr.Name} + _ = a.subredditRepo.CreateOrUpdate(ctx, &sr) + default: + a.errorResponse(w, r, 500, err.Error()) + return + } } watcher := domain.Watcher{ diff --git a/internal/domain/watcher.go b/internal/domain/watcher.go index f0e513f..f32254e 100644 --- a/internal/domain/watcher.go +++ b/internal/domain/watcher.go @@ -3,7 +3,8 @@ package domain import "context" type Watcher struct { - ID int64 + ID int64 + CreatedAt float64 DeviceID int64 AccountID int64 diff --git a/internal/itunes/receipt.go b/internal/itunes/receipt.go index f6891ea..6156e89 100644 --- a/internal/itunes/receipt.go +++ b/internal/itunes/receipt.go @@ -276,7 +276,7 @@ func (iapr *IAPResponse) handleAppleResponse() { // For sandbox environment, be more lenient (just ensure bundle ID is accurate) because otherwise you'll break // things for TestFlight users (see: https://twitter.com/ChristianSelig/status/1414990459861098496) // TODO(andremedeiros): let this through for now - if iapr.Environment == Sandbox && false { + if iapr.Environment == Sandbox && true { ultraProduct := VerificationProduct{Name: "ultra", Status: "SANDBOX", SubscriptionType: "SANDBOX"} proProduct := VerificationProduct{Name: "pro", Status: "SANDBOX"} communityIconsProduct := VerificationProduct{Name: "community_icons", Status: "SANDBOX"} diff --git a/internal/reddit/client.go b/internal/reddit/client.go index e5dc574..1550d6e 100644 --- a/internal/reddit/client.go +++ b/internal/reddit/client.go @@ -206,7 +206,7 @@ func (rac *AuthenticatedClient) subredditPosts(subreddit string, sort string, op }, opts...) req := NewRequest(opts...) - lr, err := rac.request(req, NewListingResponse, EmptyListingResponse) + lr, err := rac.request(req, NewListingResponse, nil) if err != nil { return nil, err } diff --git a/internal/reddit/request.go b/internal/reddit/request.go index 47aff4a..0e233b5 100644 --- a/internal/reddit/request.go +++ b/internal/reddit/request.go @@ -87,6 +87,10 @@ func WithBody(key, val string) RequestOption { } func WithQuery(key, val string) RequestOption { + if val == "" { + return func(req *Request) {} + } + return func(req *Request) { req.query.Set(key, val) } diff --git a/internal/repository/postgres_watcher.go b/internal/repository/postgres_watcher.go index e2a0931..34ef28d 100644 --- a/internal/repository/postgres_watcher.go +++ b/internal/repository/postgres_watcher.go @@ -3,6 +3,7 @@ package repository import ( "context" "fmt" + "time" "github.com/jackc/pgx/v4/pgxpool" @@ -29,6 +30,7 @@ func (p *postgresWatcherRepository) fetch(ctx context.Context, query string, arg var watcher domain.Watcher if err := rows.Scan( &watcher.ID, + &watcher.CreatedAt, &watcher.DeviceID, &watcher.AccountID, &watcher.SubredditID, @@ -46,7 +48,7 @@ func (p *postgresWatcherRepository) fetch(ctx context.Context, query string, arg func (p *postgresWatcherRepository) GetByID(ctx context.Context, id int64) (domain.Watcher, error) { query := ` - SELECT id, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain FROM watchers WHERE id = $1` @@ -63,7 +65,7 @@ func (p *postgresWatcherRepository) GetByID(ctx context.Context, id int64) (doma func (p *postgresWatcherRepository) GetBySubredditID(ctx context.Context, id int64) ([]domain.Watcher, error) { query := ` - SELECT id, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain FROM watchers WHERE subreddit_id = $1` @@ -71,22 +73,25 @@ func (p *postgresWatcherRepository) GetBySubredditID(ctx context.Context, id int } func (p *postgresWatcherRepository) Create(ctx context.Context, watcher *domain.Watcher) error { + now := float64(time.Now().UTC().Unix()) + query := ` INSERT INTO watchers - (device_id, account_id, subreddit_id, upvotes, keyword, flair, domain) - VALUES ($1, $2, $3, $4, $5, $6, $7) + (created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain) + VALUES ($1, $2, $3, $4, $5, $6, $7, $8) RETURNING id` return p.pool.QueryRow( ctx, query, - &watcher.DeviceID, - &watcher.AccountID, - &watcher.SubredditID, - &watcher.Upvotes, - &watcher.Keyword, - &watcher.Flair, - &watcher.Domain, + now, + watcher.DeviceID, + watcher.AccountID, + watcher.SubredditID, + watcher.Upvotes, + watcher.Keyword, + watcher.Flair, + watcher.Domain, ).Scan(&watcher.ID) } diff --git a/internal/worker/subreddits.go b/internal/worker/subreddits.go index c1ee802..89f8292 100644 --- a/internal/worker/subreddits.go +++ b/internal/worker/subreddits.go @@ -182,7 +182,18 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { seenPosts := map[string]bool{} // Load 500 newest posts - for pages := 0; pages < 5; pages++ { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + }).Debug("loading up to 500 new posts") + + for page := 0; page < 5; page++ { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "page": page, + }).Debug("loading new posts") + i := rand.Intn(len(watchers)) watcher := watchers[i] @@ -198,12 +209,18 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { if err != nil { sc.logger.WithFields(logrus.Fields{ "subreddit#id": subreddit.ID, - "watcher#id": watcher.ID, "err": err, - }).Error("failed to fetch posts") + }).Error("failed to fetch new posts") continue } + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "count": sps.Count, + "page": page, + }).Debug("loaded new posts for page") + // If it's empty, we're done if sps.Count == 0 { break @@ -227,11 +244,20 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { } if finished { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "page": page, + }).Debug("reached date threshold") break } } // Load hot posts + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + }).Debug("loading hot posts") { i := rand.Intn(len(watchers)) watcher := watchers[i] @@ -244,6 +270,17 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { ) if err != nil { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "err": err, + }).Error("failed to fetch hot posts") + } else { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "count": sps.Count, + }).Debug("loaded hot posts") + for _, post := range sps.Children { if post.CreatedAt < threshold { break @@ -256,26 +293,63 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { } } + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "count": len(posts), + }).Debug("checking posts for hits") for _, post := range posts { ids := []int64{} for _, watcher := range watchers { - matched := (watcher.Upvotes == 0 || (watcher.Upvotes > 0 && post.Score > watcher.Upvotes)) && - (watcher.Keyword == "" || strings.Contains(post.SelfText, watcher.Keyword)) && - (watcher.Flair == "" || strings.Contains(post.Flair, watcher.Flair)) && - (watcher.Domain == "" || strings.Contains(post.URL, watcher.Domain)) + // Make sure we only alert on posts created after the search + if watcher.CreatedAt > post.CreatedAt { + continue + } + + matched := true + + if watcher.Upvotes > 0 && post.Score < watcher.Upvotes { + matched = false + } + + if watcher.Keyword != "" && !strings.Contains(post.Title, watcher.Keyword) { + matched = false + } + + if watcher.Flair != "" && !strings.Contains(post.Flair, watcher.Flair) { + matched = false + } + + if watcher.Domain != "" && !strings.Contains(post.URL, watcher.Domain) { + matched = false + } if !matched { continue } - lockKey := fmt.Sprintf("watcher:%d:%s", watcher.ID, post.ID) + lockKey := fmt.Sprintf("watcher:%d:%s", watcher.DeviceID, post.ID) notified, _ := sc.redis.Get(ctx, lockKey).Bool() if notified { + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "watcher#id": watcher.ID, + "post#id": post.ID, + }).Debug("already notified, skipping") + continue } + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "watcher#id": watcher.ID, + "post#id": post.ID, + }).Debug("got a hit") + sc.redis.SetEX(ctx, lockKey, true, 24*time.Hour) ids = append(ids, watcher.DeviceID) } @@ -284,6 +358,13 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { continue } + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + "post#id": post.ID, + "count": len(ids), + }).Debug("got hits for post") + notification := &apns2.Notification{} notification.Topic = "com.christianselig.Apollo" notification.Payload = payloadFromPost(post) @@ -317,12 +398,17 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { } } } + + sc.logger.WithFields(logrus.Fields{ + "subreddit#id": subreddit.ID, + "subreddit#name": subreddit.Name, + }).Debug("finishing job") } func payloadFromPost(post *reddit.Thing) *payload.Payload { payload := payload. NewPayload(). - AlertTitle("DING DONG"). + AlertTitle(post.Title). AlertBody("I got you something"). AlertSummaryArg(post.Subreddit). Category("post-watch"). From bc9456cba201b135e9bded060591d9c30fe4e828 Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 14:05:34 -0400 Subject: [PATCH 4/6] tweak notification content --- internal/worker/subreddits.go | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/internal/worker/subreddits.go b/internal/worker/subreddits.go index 89f8292..c3badb9 100644 --- a/internal/worker/subreddits.go +++ b/internal/worker/subreddits.go @@ -409,13 +409,16 @@ func payloadFromPost(post *reddit.Thing) *payload.Payload { payload := payload. NewPayload(). AlertTitle(post.Title). - AlertBody("I got you something"). + AlertSubtitle(fmt.Sprintf("in r/%s", post.Subreddit)). AlertSummaryArg(post.Subreddit). Category("post-watch"). Custom("post_title", post.Title). Custom("post_id", post.ID). + Custom("subreddit", post.Subreddit). Custom("author", post.Author). - Custom("post_age", post.CreatedAt) + Custom("post_age", post.CreatedAt). + MutableContent(). + Sound("traloop.wav") return payload } From 24ef6cce6bf27bd5078c21a7eeca7ef748003ddf Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 14:17:23 -0400 Subject: [PATCH 5/6] list watchers endpoint --- internal/api/api.go | 5 ++-- internal/api/watcher.go | 38 +++++++++++++++++++++++++ internal/domain/watcher.go | 1 + internal/repository/postgres_watcher.go | 22 ++++++++++++++ 4 files changed, 64 insertions(+), 2 deletions(-) diff --git a/internal/api/api.go b/internal/api/api.go index 48a1c05..df8f564 100644 --- a/internal/api/api.go +++ b/internal/api/api.go @@ -90,8 +90,9 @@ func (a *api) Routes() *mux.Router { r.HandleFunc("/v1/device/{apns}/accounts", a.upsertAccountsHandler).Methods("POST") r.HandleFunc("/v1/device/{apns}/account/{redditID}", a.disassociateAccountHandler).Methods("DELETE") - r.HandleFunc("/v1/device/{apns}/accounts/{redditID}/watcher", a.createWatcherHandler).Methods("POST") - r.HandleFunc("/v1/device/{apns}/accounts/{redditID}/watcher/{watcherID}", a.deleteWatcherHandler).Methods("DELETE") + r.HandleFunc("/v1/device/{apns}/account/{redditID}/watcher", a.createWatcherHandler).Methods("POST") + r.HandleFunc("/v1/device/{apns}/account/{redditID}/watchers", a.listWatchersHandler).Methods("GET") + r.HandleFunc("/v1/device/{apns}/account/{redditID}/watcher/{watcherID}", a.deleteWatcherHandler).Methods("DELETE") r.HandleFunc("/v1/receipt", a.checkReceiptHandler).Methods("POST") r.HandleFunc("/v1/receipt/{apns}", a.checkReceiptHandler).Methods("POST") diff --git a/internal/api/watcher.go b/internal/api/watcher.go index f17c306..426e7c2 100644 --- a/internal/api/watcher.go +++ b/internal/api/watcher.go @@ -133,3 +133,41 @@ func (a *api) deleteWatcherHandler(w http.ResponseWriter, r *http.Request) { _ = a.watcherRepo.Delete(ctx, id) w.WriteHeader(http.StatusOK) } + +type watcherItem struct { + ID int64 + Upvotes int64 + Keyword string + Flair string + Domain string +} + +func (a *api) listWatchersHandler(w http.ResponseWriter, r *http.Request) { + ctx := context.Background() + + vars := mux.Vars(r) + apns := vars["apns"] + redditID := vars["redditID"] + + watchers, err := a.watcherRepo.GetByDeviceAPNSTokenAndAccountRedditID(ctx, apns, redditID) + if err != nil { + a.errorResponse(w, r, 400, err.Error()) + return + } + + wis := make([]watcherItem, len(watchers)) + for i, watcher := range watchers { + wi := watcherItem{ + ID: watcher.ID, + Upvotes: watcher.Upvotes, + Keyword: watcher.Keyword, + Flair: watcher.Flair, + Domain: watcher.Domain, + } + + wis[i] = wi + } + w.WriteHeader(http.StatusOK) + w.Header().Set("Content-Type", "application/json") + _ = json.NewEncoder(w).Encode(wis) +} diff --git a/internal/domain/watcher.go b/internal/domain/watcher.go index f32254e..fe148dd 100644 --- a/internal/domain/watcher.go +++ b/internal/domain/watcher.go @@ -19,6 +19,7 @@ type Watcher struct { type WatcherRepository interface { GetByID(ctx context.Context, id int64) (Watcher, error) GetBySubredditID(ctx context.Context, id int64) ([]Watcher, error) + GetByDeviceAPNSTokenAndAccountRedditID(ctx context.Context, apns string, rid string) ([]Watcher, error) Create(ctx context.Context, watcher *Watcher) error Update(ctx context.Context, watcher *Watcher) error diff --git a/internal/repository/postgres_watcher.go b/internal/repository/postgres_watcher.go index 34ef28d..9dfe158 100644 --- a/internal/repository/postgres_watcher.go +++ b/internal/repository/postgres_watcher.go @@ -72,6 +72,28 @@ func (p *postgresWatcherRepository) GetBySubredditID(ctx context.Context, id int return p.fetch(ctx, query, id) } +func (p *postgresWatcherRepository) GetByDeviceAPNSTokenAndAccountRedditID(ctx context.Context, apns string, rid string) ([]domain.Watcher, error) { + query := ` + SELECT + watchers.id, + watchers.created_at, + watchers.device_id, + watchers.account_id, + watchers.subreddit_id, + watchers.upvotes, + watchers.keyword, + watchers.flair, + watchers.domain + FROM watchers + INNER JOIN accounts ON watchers.account_id = accounts.id + INNER JOIN devices ON watchers.device_id = devices.id + WHERE + devices.apns_token = $1 AND + accounts.account_id = $2` + + return p.fetch(ctx, query, apns, rid) +} + func (p *postgresWatcherRepository) Create(ctx context.Context, watcher *domain.Watcher) error { now := float64(time.Now().UTC().Unix()) From 537d1711fea13c8cbd418fd857f30eea27bc80e0 Mon Sep 17 00:00:00 2001 From: Andre Medeiros Date: Sat, 25 Sep 2021 14:27:58 -0400 Subject: [PATCH 6/6] record watcher hits --- internal/api/watcher.go | 2 ++ internal/domain/watcher.go | 2 ++ internal/repository/postgres_watcher.go | 18 +++++++++++++++--- internal/worker/subreddits.go | 2 ++ 4 files changed, 21 insertions(+), 3 deletions(-) diff --git a/internal/api/watcher.go b/internal/api/watcher.go index 426e7c2..77a8528 100644 --- a/internal/api/watcher.go +++ b/internal/api/watcher.go @@ -140,6 +140,7 @@ type watcherItem struct { Keyword string Flair string Domain string + Hits int64 } func (a *api) listWatchersHandler(w http.ResponseWriter, r *http.Request) { @@ -163,6 +164,7 @@ func (a *api) listWatchersHandler(w http.ResponseWriter, r *http.Request) { Keyword: watcher.Keyword, Flair: watcher.Flair, Domain: watcher.Domain, + Hits: watcher.Hits, } wis[i] = wi diff --git a/internal/domain/watcher.go b/internal/domain/watcher.go index fe148dd..3a77404 100644 --- a/internal/domain/watcher.go +++ b/internal/domain/watcher.go @@ -14,6 +14,7 @@ type Watcher struct { Keyword string Flair string Domain string + Hits int64 } type WatcherRepository interface { @@ -23,5 +24,6 @@ type WatcherRepository interface { Create(ctx context.Context, watcher *Watcher) error Update(ctx context.Context, watcher *Watcher) error + IncrementHits(ctx context.Context, id int64) error Delete(ctx context.Context, id int64) error } diff --git a/internal/repository/postgres_watcher.go b/internal/repository/postgres_watcher.go index 9dfe158..6de0191 100644 --- a/internal/repository/postgres_watcher.go +++ b/internal/repository/postgres_watcher.go @@ -38,6 +38,7 @@ func (p *postgresWatcherRepository) fetch(ctx context.Context, query string, arg &watcher.Keyword, &watcher.Flair, &watcher.Domain, + &watcher.Hits, ); err != nil { return nil, err } @@ -48,7 +49,7 @@ func (p *postgresWatcherRepository) fetch(ctx context.Context, query string, arg func (p *postgresWatcherRepository) GetByID(ctx context.Context, id int64) (domain.Watcher, error) { query := ` - SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain, hits FROM watchers WHERE id = $1` @@ -65,7 +66,7 @@ func (p *postgresWatcherRepository) GetByID(ctx context.Context, id int64) (doma func (p *postgresWatcherRepository) GetBySubredditID(ctx context.Context, id int64) ([]domain.Watcher, error) { query := ` - SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain + SELECT id, created_at, device_id, account_id, subreddit_id, upvotes, keyword, flair, domain, hits FROM watchers WHERE subreddit_id = $1` @@ -83,7 +84,8 @@ func (p *postgresWatcherRepository) GetByDeviceAPNSTokenAndAccountRedditID(ctx c watchers.upvotes, watchers.keyword, watchers.flair, - watchers.domain + watchers.domain, + watchers.hits FROM watchers INNER JOIN accounts ON watchers.account_id = accounts.id INNER JOIN devices ON watchers.device_id = devices.id @@ -142,6 +144,16 @@ func (p *postgresWatcherRepository) Update(ctx context.Context, watcher *domain. return err } +func (p *postgresWatcherRepository) IncrementHits(ctx context.Context, id int64) error { + query := `UPDATE watchers SET hits = hits + 1 WHERE id = $1` + res, err := p.pool.Exec(ctx, query, id) + + if res.RowsAffected() != 1 { + return fmt.Errorf("weird behaviour, total rows affected: %d", res.RowsAffected()) + } + return err +} + func (p *postgresWatcherRepository) Delete(ctx context.Context, id int64) error { query := `DELETE FROM watchers WHERE id = $1` res, err := p.pool.Exec(ctx, query, id) diff --git a/internal/worker/subreddits.go b/internal/worker/subreddits.go index c3badb9..0312606 100644 --- a/internal/worker/subreddits.go +++ b/internal/worker/subreddits.go @@ -329,6 +329,8 @@ func (sc *subredditsConsumer) Consume(delivery rmq.Delivery) { continue } + _ = sc.watcherRepo.IncrementHits(ctx, watcher.ID) + lockKey := fmt.Sprintf("watcher:%d:%s", watcher.DeviceID, post.ID) notified, _ := sc.redis.Get(ctx, lockKey).Bool()