1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
|
import type { TimePeriod } from "./discord/types.ts";
export interface RedditPost {
id: string;
title: string;
author: string;
score: number;
num_comments: number;
created_utc: number;
permalink: string;
url: string;
selftext: string;
is_gallery?: boolean;
over_18: boolean;
link_flair_text?: string;
thumbnail?: string;
preview?: {
images: Array<{
source: {
url: string;
width: number;
height: number;
};
resolutions: Array<{
url: string;
width: number;
height: number;
}>;
}>;
enabled: boolean;
};
media?: {
reddit_video?: {
fallback_url: string;
};
};
secure_media?: {
reddit_video?: {
fallback_url: string;
};
};
}
export interface RedditResponse {
data: {
children: Array<{
data: RedditPost;
}>;
};
}
type SortType = "hot" | "top";
const fetchWithRetry = async (
url: string,
maxRetries: number = 3,
): Promise<Response> => {
for (let attempt = 0; attempt < maxRetries; attempt++)
try {
await new Promise((resolve) =>
setTimeout(resolve, Math.random() * 1000 + 500),
);
const response = await fetch(url, {
headers: {
"User-Agent":
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Safari/537.36",
Accept:
"text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,*/*;q=0.8",
"Accept-Language": "en-US,en;q=0.5",
"Accept-Encoding": "gzip, deflate, br",
DNT: "1",
Connection: "keep-alive",
"Upgrade-Insecure-Requests": "1",
},
});
return response;
} catch (error) {
if (attempt === maxRetries - 1) throw error;
const delay = Math.pow(2, attempt) * 1000 + Math.random() * 1000;
console.log(`Attempt ${attempt + 1} failed, retrying in ${delay}ms ...`);
await new Promise((resolve) => setTimeout(resolve, delay));
}
throw new Error("Max retries exceeded");
};
export const fetchRedditPosts = async (
sort: SortType = "hot",
time: TimePeriod = "day",
): Promise<RedditPost[]> => {
const url = `https://www.reddit.com/r/okbuddyumamusume/${sort}.json${sort === "top" ? `?t=${time}` : ""}`;
const response = await fetchWithRetry(url);
if (!response.ok) {
let errorText = `Error fetching ${response.url}: ${response.status} ${response.statusText}`;
try {
const error = await response.text();
if (
error.includes("You've been blocked by network security") ||
error.includes("blocked by network security")
)
throw new Error(
"Reddit is blocking requests due to network security. This may be due to rate limiting or bot detection. Please try again later.",
);
if (error) errorText = `${errorText} \n\n ${error}`;
} catch (err) {
if (
err instanceof Error &&
err.message.includes("blocked by network security")
)
throw err;
}
throw new Error(errorText);
}
const data: RedditResponse = await response.json();
return data.data.children.map((post) => post.data);
};
export const filterPostsByFlair = (
posts: RedditPost[],
excludedFlairs: string[] = [],
includedFlairs: string[] = [],
): RedditPost[] => {
return posts.filter((post) => {
if (post.is_gallery) return false;
const hasMedia =
post.media?.reddit_video?.fallback_url ||
post.secure_media?.reddit_video?.fallback_url ||
post.url;
if (!hasMedia) return false;
const postFlair = post.link_flair_text?.toLowerCase() || "";
const isNSFW = post.over_18 || postFlair.includes("nsfw");
if (
includedFlairs.length > 0 &&
includedFlairs.some((flair) => flair.toLowerCase() === "nsfw")
)
if (includedFlairs.some((flair) => flair.toLowerCase() === "nsfw"))
return isNSFW;
if (isNSFW) return false;
if (includedFlairs.length > 0)
return includedFlairs.some((flair) =>
postFlair.includes(flair.toLowerCase()),
);
if (excludedFlairs.length > 0)
return !excludedFlairs.some((flair) =>
postFlair.includes(flair.toLowerCase()),
);
return true;
});
};
const getRandomPost = (posts: RedditPost[]): RedditPost => {
if (posts.length === 0)
throw new Error("No posts found matching the criteria");
const randomIndex = Math.floor(Math.random() * posts.length);
return posts[randomIndex];
};
export const getCutePost = async (): Promise<RedditPost> => {
const posts = await fetchRedditPosts("hot");
const filteredPosts = filterPostsByFlair(posts, ["roleplay", "announcement"]);
return getRandomPost(filteredPosts);
};
export const getRoleplayPost = async (): Promise<RedditPost> => {
const posts = await fetchRedditPosts("hot");
const filteredPosts = filterPostsByFlair(posts, [], ["roleplay"]);
return getRandomPost(filteredPosts);
};
export const getNSFWPost = async (): Promise<RedditPost> => {
const posts = await fetchRedditPosts("hot");
const filteredPosts = filterPostsByFlair(posts, [], ["nsfw"]);
return getRandomPost(filteredPosts);
};
export const getTopPost = async (
time: TimePeriod = "day",
): Promise<RedditPost> => {
const posts = await fetchRedditPosts("top", time);
const filteredPosts = filterPostsByFlair(posts, ["roleplay", "announcement"]);
return getRandomPost(filteredPosts);
};
|