Skip to content

Instantly share code, notes, and snippets.

@badlogic
Last active November 15, 2023 12:00
Show Gist options
  • Save badlogic/62af4126578cbe89561ba0c67f12753c to your computer and use it in GitHub Desktop.
Save badlogic/62af4126578cbe89561ba0c67f12753c to your computer and use it in GitHub Desktop.
import { AppBskyFeedDefs, AppBskyFeedPost, AtpSessionData, AtpSessionEvent, BskyAgent } from "@atproto/api";
import { FeedViewPost } from "@atproto/api/dist/client/types/app/bsky/feed/defs";
import * as fs from "fs";
const user = "badlogic.bsky.social";
const password = process.env.BADLOGIC_BSKY_PASSWORD!;
export function getDateString(inputDateTime: Date): string {
const hours = inputDateTime.getHours();
const minutes = inputDateTime.getMinutes();
const seconds = inputDateTime.getSeconds();
const paddedHours = String(hours).padStart(2, "0");
const paddedMinutes = String(minutes).padStart(2, "0");
const paddedSeconds = String(seconds).padStart(2, "0");
const year = inputDateTime.getFullYear();
const month = new String(inputDateTime.getMonth() + 1).padStart(2, "0");
const day = new String(inputDateTime.getDate()).padStart(2, "0");
return `${paddedHours}:${paddedMinutes}:${paddedSeconds} ${year}-${month}-${day}`;
}
const login = async () => {
let session: AtpSessionData | undefined = fs.existsSync("session.json") ? JSON.parse(fs.readFileSync("session.json", "utf-8")) : undefined;
const client = new BskyAgent({
service: "https://bsky.social",
persistSession: (evt: AtpSessionEvent, sessionData?: AtpSessionData) => {
if (evt == "create" || evt == "update") {
session = sessionData;
fs.writeFileSync("session.json", JSON.stringify(session, null, 2));
console.log("Persisted session");
}
},
});
let loggedIn = false;
if (session) {
if ((await client.resumeSession(session)).success) {
console.log("Logged in via session.");
loggedIn = true;
return client;
}
}
if (!loggedIn) {
const loginResp = await client.login({ identifier: user, password: password });
if (!loginResp.success) {
console.error("Couldn't log in", loginResp);
process.exit(-1);
}
console.log("Logged in via user/password");
}
return client;
};
const author = (post: FeedViewPost) => {
return post.post.author.displayName ?? post.post.author.handle;
};
const date = (post: FeedViewPost) => {
let rec = record(post);
if (post.reason && AppBskyFeedDefs.isReasonRepost(post.reason)) return new Date(post.reason.indexedAt);
return rec?.createdAt ? new Date(rec.createdAt) : undefined;
};
const record = (post: FeedViewPost) => {
return AppBskyFeedPost.isRecord(post.post.record) ? post.post.record : undefined;
};
const text = (post: FeedViewPost) => {
const rec = record(post);
return rec?.text;
};
const printPage = (page: FeedViewPost[]) => {
for (const post of page) {
const rec = record(post);
console.log((post.reason ? "RP " : " ") + getDateString(date(post) ?? new Date(), true) + " " + author(post));
console.log(" text: " + text(post)?.substring(0, 50).replace("\n", " ")) + " ...";
console.log(" cid: " + post.post.cid);
console.log();
}
console.log();
};
const loadPosts = async (client: BskyAgent, cursor?: string, limit = 25) => {
let resp = await client?.getTimeline({ cursor, limit });
if (!resp?.success) {
console.error("Couldn't fetch timeline", resp);
process.exit(-1);
}
return resp.data;
};
const getPostKey = (post: FeedViewPost) => {
return post.post.uri + (AppBskyFeedDefs.isReasonRepost(post.reason) ? ":" + post.reason.by.did : "");
};
const fortyEightHours = 48 * 60 * 60 * 1000;
const loadNewerPosts = async (
client: BskyAgent,
startCid: string,
startTimestamp: number,
seenPostKeys: Set<string>,
minNumPosts = 5,
maxTimeDifference = fortyEightHours
): Promise<{ posts: FeedViewPost[]; numRequests: number; exceededMaxTimeDifference: boolean }> => {
let timeIncrement = 15 * 60 * 1000;
let time = startTimestamp + timeIncrement;
let cid = startCid;
let newPosts: FeedViewPost[] = [];
let lastCursor: string | undefined;
let foundSeenPost = false;
let numRequests = 0;
let seenNewPosts = new Set<string>();
let exceededMaxTimeDifference = false;
// Fetch the latest posts and see if its our latest post.
const response = await loadPosts(client, undefined, 1);
numRequests++;
if (response.feed[0].post.cid == startCid) return { posts: [], numRequests, exceededMaxTimeDifference: false };
// Adjust maxTimeDifference down if possible, results in fewer fetches.
maxTimeDifference = Math.min(maxTimeDifference, date(response.feed[0])!.getTime() - startTimestamp);
if (maxTimeDifference < 0) maxTimeDifference = fortyEightHours;
// FIrst pass, try to collect minNumPosts new posts. This may overshoot, so there's
// a gap between the startPost and the last post in newPosts. We'll resolve the missing
// posts in the next loop below.
while (true) {
const response = await loadPosts(client, time + "::" + cid);
lastCursor = response.cursor;
const fetchedPosts = response.feed;
let uniquePosts = fetchedPosts.filter((post) => !seenPostKeys.has(getPostKey(post)) && (date(post)?.getTime() ?? 0) > startTimestamp);
uniquePosts = uniquePosts.filter((post) => !seenNewPosts.has(getPostKey(post)));
uniquePosts.forEach((post) => seenNewPosts.add(getPostKey(post)));
foundSeenPost = fetchedPosts.some((post) => seenPostKeys.has(getPostKey(post)));
numRequests++;
// If we haven't found any new posts, we need to look further into the future
// but not too far.
if (uniquePosts.length == 0) {
foundSeenPost = false;
timeIncrement *= 1.75; // Make us jump a little further than last time
time += timeIncrement;
// If we searched to far into the future, give up
if (time - startTimestamp > maxTimeDifference) {
exceededMaxTimeDifference = seenNewPosts.size > 0;
break;
}
continue;
}
// If we found minNumPosts, we don't need to load any more posts
// We might end up having to load older posts though, until we
// find a seen post.
newPosts = [...uniquePosts, ...newPosts];
if (newPosts.length >= minNumPosts) break;
}
// There's a gap between the new posts and the start post. Resolve
// the posts in-between.
if (!foundSeenPost && newPosts.length > 0) {
while (!foundSeenPost) {
const response = await loadPosts(client, lastCursor);
lastCursor = response.cursor;
const fetchedPosts = response.feed;
const uniquePosts = fetchedPosts.filter((post) => !seenPostKeys.has(getPostKey(post)) && (date(post)?.getTime() ?? 0) > startTimestamp);
newPosts = [...newPosts, ...uniquePosts];
foundSeenPost = fetchedPosts.some((post) => seenPostKeys.has(getPostKey(post)));
numRequests++;
}
}
return { posts: newPosts, numRequests, exceededMaxTimeDifference };
};
(async () => {
const client = await login();
let cursor: string | undefined = undefined;
// 4 pages, 25 posts each as the ground truth
const posts: FeedViewPost[] = [];
for (let i = 0; i < 4; i++) {
console.log("Cursor: " + cursor);
const timeline = await loadPosts(client, cursor, 25);
printPage(timeline.feed);
cursor = timeline.cursor;
posts.push(...timeline.feed);
}
// Reconstruct all newer posts starting at a random older post.
let startIndex = (Math.min(1, 1 - Math.random() * 0.1) * posts.length - 1) | 0;
while (startIndex > 0) {
const startPost = posts[startIndex];
console.log("Start post");
printPage([startPost]);
// Register all posts with their unique key. Replies/top-post keys
// are the posts uri, reposts are the post uri + reposter did.
const seenPostKeys = new Set<string>();
for (let i = startIndex; i < posts.length; i++) {
seenPostKeys.add(getPostKey(posts[i]));
}
const start = performance.now();
const newPosts = await loadNewerPosts(client, startPost.post.cid, date(startPost)!.getTime(), seenPostKeys, 5);
const took = ((performance.now() - start) / 1000).toFixed(2) + " secs";
console.log("Fetched " + newPosts.posts.length + " newer posts, " + newPosts.numRequests + " request");
printPage(newPosts.posts);
// Compare with expected results
for (let i = startIndex - 1, j = newPosts.posts.length - 1; i >= 0 && j >= 0; i--, j--) {
const knownKey = getPostKey(posts[i]);
const newKey = getPostKey(newPosts.posts[j]);
if (knownKey != newKey) {
console.error("Mismatch found!");
}
}
console.log("Fetched " + newPosts.posts.length + " newer posts, " + newPosts.numRequests + " requests");
console.log("Took " + took);
if (newPosts.posts.length == 0) break;
startIndex -= newPosts.posts.length;
}
console.log("All newer posts found. It works!");
})();
Persisted session
Logged in via session.
Cursor: undefined
RP 12:54:37 2023-11-15 EmiliaXenia💚
text: Blockempfehlung ❗️❗️❗️
cid: bafyreib7d6p4imb64mbcejdqrhswfausyohmgf5tutffa7yqw5hrol64ry
12:53:45 2023-11-15 LeChuckPPAT
text: laaast christmas i gave you my heart...
cid: bafyreicylppkdtynrrh63d5umpi7ttpd3zlbsqqojvwmi75aepfxgpkfve
RP 12:53:13 2023-11-15 Enno Lenze
text: "Deutscher ARD-Journalist erhielt Hunderttausende
cid: bafyreifbr7n4fpl2fdg4rxn4ioczsualurptwdsfxdctj4iu4aj6knbqpa
12:51:59 2023-11-15 Tini Paspertini
text: Nein Pharrell, ich will nicht along clappen, geh w
cid: bafyreienm5nqbgh3z3x33u5stixfgxinr4d6dddomy26myyt7nvosye4l4
12:50:50 2023-11-15 Tini Paspertini
text: Es gibt kein Lied, dass mich weniger happy macht a
cid: bafyreigejv6dmqtjxpw3z5o2xtdj5gt3pwapryfo5a6ugfgq6hkcboeaou
12:49:54 2023-11-15 Chrisi_mit_i
text: DieOhne keinHuhn Filet auf Süßkartoffelpüree mit r
cid: bafyreifavthda4zacapckxyurnhmlnw6uplu62qmvgncixng6zdsyyboia
12:48:37 2023-11-15 Magdalena Miedl aka espressozitron
text: wenig befriedigt mein frierendes novemberherz im a
cid: bafyreifjzhaok5pe6frvjp5iatuc6zoqxgfuj2kuok7epojqjgq5usra7m
12:48:00 2023-11-15 Riem
text: 1 in every 200 people in Gaza has been killed. In
cid: bafyreidqupj4awb66nle24p6jq4ksk354xs76njpjpcqsshry3s4sanswe
RP 12:46:16 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 12:45:54 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
12:44:55 2023-11-15 Hannes Grünbichler
text: Falsche Gleitkommadarstellung 🙊.
cid: bafyreihun32zjo447r5r5hsqlaa5gwcnawllmsplkz33febrdzra2rv4o4
12:43:08 2023-11-15 Teresa Wirth
text: Puh, leider keine Ahnung, sorry. Es war ne alte Pl
cid: bafyreic4c4d5c3fhwnczyrd6e5tewydlymazb6ajpnd7jwlxhjinasgwrq
12:42:37 2023-11-15 Roman Vilgut
text: Ganz logisch: Wer sollte sonst Schulungen buchen?
cid: bafyreieabpbhqadk3m3j5efxdvowjstvfpb4vuhend3d3oz57mocxk32yu
12:41:08 2023-11-15 BinDerStefan
text: Die Kern-Mission von jedem Microsoft-Produkt: Waru
cid: bafyreicohmxsp57fjc4ge3vsws76yxidzyoklrdgaois47wgvj272rlwt4
12:39:22 2023-11-15 🇺🇦 Ingvar Stepanyan
text: First thought: Marvel Cinematic Universe?
cid: bafyreigvx6ui4sidtpml7xdwncujh7lwc3emisvsperilw6bbvghdw6zhq
RP 12:38:37 2023-11-15 Stefan Lassnig
text: Was erwarten sich eigentlich junge Menschen von ih
cid: bafyreiea4m465oryebc5ou4ffgiuxskl673vpsxfmds5xop2yikpyeyndy
12:38:13 2023-11-15 Nicola Werdenigg
text: Großartig.
cid: bafyreihh6dfajiorqwdpgsojmqflvdcfp2bpxti3gdzi5j2yamu6j57n3a
RP 12:37:55 2023-11-15 Armin Thurnher
text: »Die Hamas hat in manchen Etagen des Spitals operi
cid: bafyreifpj5xopyybxjwcxzxilef74ul37gw4smhd3v4uf53bb6wlbl4kyi
12:35:50 2023-11-15 Robert Steiner 🇪🇺 🇺🇦
text: Ohne ihn gäb's weder Donauinsel noch gratis Schulb
cid: bafyreiaan6km5gg3ykxmk26rfaw3hkun2cbaovug46qrsez2ru6fp3ox6q
RP 12:34:21 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
RP 12:33:35 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 12:33:19 2023-11-15 Ralf Wittenbrink
text: Auffrischungsimpfung gegen #COVID19 ist der beste
cid: bafyreidwa52xbabzxacmyk2chqh5rx62h35j6ogcjp4jvc6ture67qgcxq
12:33:00 2023-11-15 Barbara Streusand
text: Bei einer Schulfreundin hatten sie diese gelbe 70e
cid: bafyreib7squbx65jz4o34zdpeyepcknozdb5ayfixiytq2icllvs7rujv4
12:32:56 2023-11-15 Tova Bele
text: Das tut mir sehr leid. Ich bin am Sonntag in einem
cid: bafyreihbgqf6m4x2x3xtyhxpw7pzi3uqytkf6jf4dcg6xpy3sg3ntx2fby
12:32:17 2023-11-15 Natascha Strobl
text: Danke Andi Babler für den Gemeindebau und die Grün
cid: bafyreig57fen5ayvv2k575iyeuczxcsplfroi2g7pihisggnt74tw3nj3y
Cursor: 1700047937970::bafyreig57fen5ayvv2k575iyeuczxcsplfroi2g7pihisggnt74tw3nj3y
RP 12:32:11 2023-11-15 Markus Huber
text: Ich war ja mit dem Strache einen 88-Euro-Fisch ess
cid: bafyreiduby3ms2ryilaspszf3omgfeejow6m6exrlmkodizllj2uj6hj74
RP 12:31:42 2023-11-15 Markus Müller-Schinwald
text: Hubert Seipel habe in seinen Büchern seit Jahren w
cid: bafyreiabtpqsridazfnqnzlcy4l3xtzimzqa64ipobaph6uffz5wliuvt4
12:29:36 2023-11-15 Hannes Grünbichler
text: Es wird, Zeit mit Nachdruck Forderungen zu stellen
cid: bafyreiavkayg6lzzdvxbz7tqty7gntd7wawfqz7opn242ayogtqdomfzrq
RP 12:29:26 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
12:28:58 2023-11-15 Tonka
text: Schon sehr befremdlich, wie sich die Ärztekammer a
cid: bafyreie5vvuwmp62drt4ywoef7vgwl7dctqjc6hodjd7wautgm3rhqpbv4
RP 12:27:01 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
12:26:00 2023-11-15 Ninotschka
text: Man kann jetzt noch auf dem Badeschiff schwimmen?
cid: bafyreib3jnnohypi6ugh6luebifzmptrxo3ltdvrxb64r4rowigz7qsksq
12:25:58 2023-11-15 Robert Misik
text: Wenn die Welt verrückt spielt.
„Es ist schwer, in
cid: bafyreihklssstc7jmfdzmd7roysasvr5y2zfvywhry7btmpvnrpv64a4zy
RP 12:25:42 2023-11-15 Luis Paulitsch
text: Das Medienmagazin ZAPP zeigt heute Abend eine aktu
cid: bafyreigyi7gz3g32t3kszpvqq474r3xxxx5zns6bkbluwd4xzmdsseesce
12:25:28 2023-11-15 oleschri
text: Aber ist das die Wahrheit, oder haben wir uns das
cid: bafyreibwffxzvjbpqflmoc2gyg5a274zzmervogqo7pc3vvsvcrjm3jyji
12:23:56 2023-11-15 Nikolaus J. Kurmayer
text: www.reuters.com/markets/euro...
cid: bafyreihggiouwkdnrirkxxjzyo6ovq7l7apid4hdesobhcrw2lfosmx3d4
RP 12:23:09 2023-11-15 Dalibor Topic
text: "Unter der Annahme, dass künftige (Omikron-)Varian
cid: bafyreiemmxdm7er4zv6t5ytlvsfqtghgqqlqnjrba4yeaoqrpsbu7wsvum
12:23:03 2023-11-15 TechnikNews - Der Blog rund um Technik
text: Nicht nur höhenverstellbare Schreibtische, sondern
cid: bafyreifpistjmgvbeu53mjd76gre5m5cug2odw4pgshra6ih5oxnax6cjm
RP 12:22:41 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
RP 12:22:17 2023-11-15 MemeServer 🫡
text: #Nafo #Fella #meme
cid: bafyreicykhej4drxl67eb3h3nkddtypfcl2bce22g5c4kz5fao4ufvlkzu
12:22:11 2023-11-15 Julia Pühringer
text: Es geht um eine japanische Insel und ich hab das W
cid: bafyreigxitha6fzyxq464k6ykyezya7pfkwyigdwklju4ihej64ufzppfy
12:21:48 2023-11-15 Helge Fahrnberger
text: Was ist das, Lärche?
cid: bafyreibdbyqv2j7cjut5vq362agt5wyy75lar2p5qox2q7yu7xmm5poeqy
RP 12:21:46 2023-11-15 Dalibor Topic
text: "Unter der Annahme, dass künftige (Omikron-)Varian
cid: bafyreiemmxdm7er4zv6t5ytlvsfqtghgqqlqnjrba4yeaoqrpsbu7wsvum
12:21:18 2023-11-15 Thomas Manfred
text: Nix gegen Chinchillas.
cid: bafyreiaevrgmn6wj5u2is2acke35udbon4gssblarmjx72r23hfoeexxda
12:21:09 2023-11-15 Alan Wolfe
text: This is a great game, and so is part 2!
cid: bafyreial5ryv5gyuev2y7cfsypmjdw7rcpj6jmgltxugnyvb7zo472ym6e
12:20:52 2023-11-15 ✨juni✨
text: lol was?
cid: bafyreic5ghfcxeveqbjespp7rwlsnucp5z5jgmjgq5sfdayx5v7nf32cmm
RP 12:20:42 2023-11-15 Rody
text: Now playing 🎮
cid: bafyreic24jkdzthvt5ia6sg2vwytlaegzyul4qhtodyqqt4wbnnnvkwwwe
RP 12:19:18 2023-11-15 deprecatedCode
text: geil blocken
@afdberlin.bsky.social
@volkswaechte
cid: bafyreihkprzked5i2ndbf5dsmsoetiu7zosmbh6aokj7jigvwgyfomcx5e
12:16:27 2023-11-15 Tonka
text: Dieses Weib ist so lost.
cid: bafyreidiilgeah2gbmevwtnjh6tc65lguwijssa56avm3joktpvz3r3rqm
RP 12:14:21 2023-11-15 Nana Siebert
text: Einige bekannte Wiener Adressen sind offiziell in
cid: bafyreie7myfzd33ukujjugprlfors7ajvx7x5tbeqiiy5h7yei3fjv3aj4
Cursor: 1700046861093::bafyreihejvz4xn3nfidwmy3oygi64dvnf3s3rt7egumppyp24twsw2jg4a
12:14:14 2023-11-15 Maximilian Werner
text: hab tolle fünf stunden mitten in der nacht am salz
cid: bafyreidxaydi7xrpf5r4maewqsgztd3aheruqohn3mnbn5nj6r2niysue4
12:13:52 2023-11-15 Tonka
text: Die Kollegys sind heute alle gemeinsam beim Asiate
cid: bafyreigmvizp2lfj2ykz24godjjzmreuzk3os5ilyvejbje3rvytsuwu34
12:13:48 2023-11-15 Robert Misik
text: Das ist aber wohl Unsinn. Das Buch ist ja voller Z
cid: bafyreihjcat2xx3dqcob6eozp4v35qhtjdmp26okv2e5uezvld7vs4cmum
RP 12:13:25 2023-11-15 Manuel Oberhuber
text: Der Westwind pfeift ordentlich heute, die Windspit
cid: bafyreidb2cgcal2ahjs5cdjtc6s7ff37yr4ci6hzxhiofcx7hi5nupaw3u
RP 12:11:19 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
12:11:01 2023-11-15 Ninotschka
text: ICH WILL ABER IM WINTER MEINE KIRSCHEN ESSEN UND W
cid: bafyreigowqwi4pjjn2hdv2snnodykceixldl2ie7lvpiqdd2mnmxuwswr4
RP 12:10:17 2023-11-15 Patricia Lierzer
text: "Man kann die Grünen nicht wählen, weil die wollen
cid: bafyreiecizpj2epjkrcbpfo3ngrjm54pfnd6x4jczxeou4ojbl3wxn5ocm
RP 12:09:57 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:09:21 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
12:06:58 2023-11-15 Patricia Lierzer
text: "Man kann die Grünen nicht wählen, weil die wollen
cid: bafyreiecizpj2epjkrcbpfo3ngrjm54pfnd6x4jczxeou4ojbl3wxn5ocm
12:06:26 2023-11-15 Hannes Grünbichler
text: Es geht um Bedienung des Alltagsrassismus. Das ver
cid: bafyreie43247rvjlaos7i67iiqiowputrgeyeydyomfellgqr6lyottgzy
12:06:18 2023-11-15 Mipumi Games
text: Repost for the morning crowd!
cid: bafyreihkm7opkm3esyh47cw7nz4n5mdlnyksl3jwjczcesksr4un4du4qu
12:05:32 2023-11-15 Manuel Oberhuber
text: Der Westwind pfeift ordentlich heute, die Windspit
cid: bafyreidb2cgcal2ahjs5cdjtc6s7ff37yr4ci6hzxhiofcx7hi5nupaw3u
RP 12:05:02 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:04:27 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:02:47 2023-11-15 Nina Weber
text: 2021: Diverse Milliarden werden angeblich nicht me
cid: bafyreieqabjsk5ar5ljcd7ayy52fkeuypz6hp5jkj3s2rwhezvyzdpb2su
12:02:35 2023-11-15 Domi 👻
text: Immer. Aber jetzt gibt’s ein paar Tage Hoffnung da
cid: bafyreifz32rufeg23musa56d7iwyrzcnhqsxjm5rgrg2cf4mrd5mgtlt6m
RP 12:02:04 2023-11-15 Markus Sulzbacher
text: In Wien wurde ein Gebäude mit einem Davidstern mar
cid: bafyreicigbg55q57ujlbf7yagav2bchksrwgc2pi7h76pqdx6ze37th2im
RP 12:01:59 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
12:01:18 2023-11-15 Stoppt die Rechten
text: Wir haben in unserem Artikel zitiert, woher wir di
cid: bafyreie7snfma5zlmtnkmxhmds7qkofhx5rqtyygo3tc2xccib6rrzysam
RP 12:01:06 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
12:01:01 2023-11-15 GrafTwerk
text: ✊️
cid: bafyreiayas5ovcxgskuk3jzqioqdwbcsqlukmgonwnjnhlnzkpb4pva32y
12:00:53 2023-11-15 Tova Bele
text: Wenn du dies siehst, mach mit 💜🏳️‍⚧️ Pronomen:
cid: bafyreiezm4afnxymtqyktbr4qt4d2crbzvmqaju5cheplomrmh6e4rmvoa
11:59:53 2023-11-15 Mipumi Games
text: thank you for the kind words 💙
cid: bafyreicu7w66lmy7p744ndovmexn2ihkwqh6vawd2l35fftcktjbv4c6ee
11:59:51 2023-11-15 Defizit alias Eugen Brochier (Charles Merowing)
text: Ist sehr erstaunlich - aber wir sind halt so
cid: bafyreigzwe2gl5ithovf2x45jdxmun4kygvr2m2rq5can3yilkzd4vgvxa
Cursor: 1700045991008::bafyreigzwe2gl5ithovf2x45jdxmun4kygvr2m2rq5can3yilkzd4vgvxa
11:59:32 2023-11-15 Domi 👻
text: Endlich
cid: bafyreifaxeip5zkehcwo4xkk63eclphznq5od5mysji4qfs2rworu2dwuy
RP 11:59:25 2023-11-15 Der Volksverpetzer
text: In "Staatsgewalt" wird beschrieben, wie rechtsradi
cid: bafyreidmjbr3nwruhsndecplfb2yyohy5hzwi6f6t4ymu66wy6iwj5g6lu
RP 11:59:01 2023-11-15 CarFreiTag
text: "Woman with rare double uterus pregnant in both" �
cid: bafyreihqn7fuohpkgu4g7qtbhzaudlhw5jdreypcv7gfjxpq5orwp7oxyq
RP 11:58:10 2023-11-15 Barbara L. Gauhl 🇮🇱🇺🇦💉💉💉💉
text: www.blick.ch/schweiz/osts...
cid: bafyreibtwyawya52z72k2whtltlfzelyjrjemml43eolmehh6gl7wseggi
11:57:51 2023-11-15 Tova Bele
text: Bitte. probier. nie. Thermolyse.
Es geht zwar ca
cid: bafyreiajjh6tqtbkdalbhlnnltrzaxrwgtlswxwhjo2vfnh36eqciuus3u
RP 11:57:47 2023-11-15 Kerem Schamberger
text: Der Rechtsrutsch in Politik und Medien ist nicht n
cid: bafyreiekmcv5dlhlypqse2v27mzgiev2scpugrntxdq7f2mtjfj743znwq
11:57:07 2023-11-15 Othmar
text: All hail the Pūteketeke #JohnOliver
www.theguardi
cid: bafyreiczcyv6brf3oaamk7w3qcjpazuegmuq5vswvftusqihu63enxejym
11:56:36 2023-11-15 Dr. Philoponus
text: So.
cid: bafyreieqeg4xb2agpc5a6s6th3wugj6xo5dey43gfrztnqiu4z53epzpxy
RP 11:56:35 2023-11-15 Chris Legal Alien
text: Wenn Lindner beim Kampf gegen Geldwäsche genauso e
cid: bafyreiava2hmlul7u2zp5crrsnau6udhbv3qksmqh2q5i2dy4nk3cohhie
RP 11:56:30 2023-11-15 ThomasLangpaul
text: Ok, this is funny
cid: bafyreifrohln7sdlkrdvc7pmtfv4o6usyg35r25xslcufnf4h3xth37e7y
11:55:58 2023-11-15 Tova Bele
text: Liebe @mandara.bsky.social
Darf ich etwas persoe
cid: bafyreifanzq6mpwyvzlkkkmcfcxgbwwk4vhtjztadglbl7lojrjedzdisu
11:55:26 2023-11-15 Defizit alias Eugen Brochier (Charles Merowing)
text: Bled - zu den Zeitpunkt - oba kon ma nix mochń
cid: bafyreidatkpokgim6c7aleaty5zjdnt72dt5qmbh52bydew2xh2e2aawmm
11:55:03 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 11:54:28 2023-11-15 Michael Ortner
text: Starwinzer Manfred Tement ließ für ein unstrittene
cid: bafyreia56dqsccf7mzaww2qwi4skymeatjyi4y2kkd2fj5t7ze6k7wvgwi
RP 11:54:24 2023-11-15 Robert Misik
text: ABGESAGT! Bin ja an sich unverwüstlich, aber manch
cid: bafyreidxzka5q6m6la6xwmrddkosi3qzsfkeoyssl37hz27yvpldrhtapu
RP 11:54:20 2023-11-15 Nana Siebert
text: Einige bekannte Wiener Adressen sind offiziell in
cid: bafyreie7myfzd33ukujjugprlfors7ajvx7x5tbeqiiy5h7yei3fjv3aj4
RP 11:54:15 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
RP 11:54:09 2023-11-15 Maximilian Pichl
text: +++ Ruanda-Deal gekippt+++
Der britische Supreme
cid: bafyreieq4aoedzc7xo26jhg4fymfvqn5fvesifahe2l3gzdk2uf5ois4ey
RP 11:53:49 2023-11-15 Ann-Katrin Müller
text: Großbritanniens Regierung will Menschen ohne Asylv
cid: bafyreic7aotecfyikvflnsjfco4uydy3neboa5q5d6etvqmsrwh6v6kqbq
11:53:17 2023-11-15 Tova Bele
text: Mein Beileid
cid: bafyreigzjqui6scl2g56gibzqmxduhuk3o2qgc3x6fca5nkbu6hghh6pka
11:53:07 2023-11-15 Robert Misik
text: ABGESAGT! Bin ja an sich unverwüstlich, aber manch
cid: bafyreidxzka5q6m6la6xwmrddkosi3qzsfkeoyssl37hz27yvpldrhtapu
RP 11:52:02 2023-11-15 Maximilian Pichl
text: +++ Ruanda-Deal gekippt+++
Der britische Supreme
cid: bafyreieq4aoedzc7xo26jhg4fymfvqn5fvesifahe2l3gzdk2uf5ois4ey
11:51:56 2023-11-15 Robert Atkins
text: @juliangough.bsky.social The new Rabbit and Bear s
cid: bafyreigl3ejcmsyfhu4m5vv3mqbilgf77zwlxpttuve3exrgup2nhrqdue
RP 11:51:40 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
RP 11:51:20 2023-11-15 Lukas Gahleitner-Gertz
text: #Ruanda-Deal ist rechtswidrig.
Die wohl treffend
cid: bafyreif6btsb4msskac77pf5b7sglsbnl455djr2nbbioxdaumugh2r5iq
Start post
11:53:17 2023-11-15 Tova Bele
text: Mein Beileid
cid: bafyreigzjqui6scl2g56gibzqmxduhuk3o2qgc3x6fca5nkbu6hghh6pka
Fetched 35 newer posts, 3 request
12:06:58 2023-11-15 Patricia Lierzer
text: "Man kann die Grünen nicht wählen, weil die wollen
cid: bafyreiecizpj2epjkrcbpfo3ngrjm54pfnd6x4jczxeou4ojbl3wxn5ocm
12:06:26 2023-11-15 Hannes Grünbichler
text: Es geht um Bedienung des Alltagsrassismus. Das ver
cid: bafyreie43247rvjlaos7i67iiqiowputrgeyeydyomfellgqr6lyottgzy
12:06:18 2023-11-15 Mipumi Games
text: Repost for the morning crowd!
cid: bafyreihkm7opkm3esyh47cw7nz4n5mdlnyksl3jwjczcesksr4un4du4qu
12:05:32 2023-11-15 Manuel Oberhuber
text: Der Westwind pfeift ordentlich heute, die Windspit
cid: bafyreidb2cgcal2ahjs5cdjtc6s7ff37yr4ci6hzxhiofcx7hi5nupaw3u
RP 12:05:02 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:04:27 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:02:47 2023-11-15 Nina Weber
text: 2021: Diverse Milliarden werden angeblich nicht me
cid: bafyreieqabjsk5ar5ljcd7ayy52fkeuypz6hp5jkj3s2rwhezvyzdpb2su
12:02:35 2023-11-15 Domi 👻
text: Immer. Aber jetzt gibt’s ein paar Tage Hoffnung da
cid: bafyreifz32rufeg23musa56d7iwyrzcnhqsxjm5rgrg2cf4mrd5mgtlt6m
RP 12:02:04 2023-11-15 Markus Sulzbacher
text: In Wien wurde ein Gebäude mit einem Davidstern mar
cid: bafyreicigbg55q57ujlbf7yagav2bchksrwgc2pi7h76pqdx6ze37th2im
RP 12:01:59 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
12:01:18 2023-11-15 Stoppt die Rechten
text: Wir haben in unserem Artikel zitiert, woher wir di
cid: bafyreie7snfma5zlmtnkmxhmds7qkofhx5rqtyygo3tc2xccib6rrzysam
RP 12:01:06 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
12:01:01 2023-11-15 GrafTwerk
text: ✊️
cid: bafyreiayas5ovcxgskuk3jzqioqdwbcsqlukmgonwnjnhlnzkpb4pva32y
12:00:53 2023-11-15 Tova Bele
text: Wenn du dies siehst, mach mit 💜🏳️‍⚧️ Pronomen:
cid: bafyreiezm4afnxymtqyktbr4qt4d2crbzvmqaju5cheplomrmh6e4rmvoa
11:59:53 2023-11-15 Mipumi Games
text: thank you for the kind words 💙
cid: bafyreicu7w66lmy7p744ndovmexn2ihkwqh6vawd2l35fftcktjbv4c6ee
11:59:51 2023-11-15 Defizit alias Eugen Brochier (Charles Merowing)
text: Ist sehr erstaunlich - aber wir sind halt so
cid: bafyreigzwe2gl5ithovf2x45jdxmun4kygvr2m2rq5can3yilkzd4vgvxa
11:59:32 2023-11-15 Domi 👻
text: Endlich
cid: bafyreifaxeip5zkehcwo4xkk63eclphznq5od5mysji4qfs2rworu2dwuy
RP 11:59:25 2023-11-15 Der Volksverpetzer
text: In "Staatsgewalt" wird beschrieben, wie rechtsradi
cid: bafyreidmjbr3nwruhsndecplfb2yyohy5hzwi6f6t4ymu66wy6iwj5g6lu
RP 11:59:01 2023-11-15 CarFreiTag
text: "Woman with rare double uterus pregnant in both" �
cid: bafyreihqn7fuohpkgu4g7qtbhzaudlhw5jdreypcv7gfjxpq5orwp7oxyq
RP 11:58:10 2023-11-15 Barbara L. Gauhl 🇮🇱🇺🇦💉💉💉💉
text: www.blick.ch/schweiz/osts...
cid: bafyreibtwyawya52z72k2whtltlfzelyjrjemml43eolmehh6gl7wseggi
11:57:51 2023-11-15 Tova Bele
text: Bitte. probier. nie. Thermolyse.
Es geht zwar ca
cid: bafyreiajjh6tqtbkdalbhlnnltrzaxrwgtlswxwhjo2vfnh36eqciuus3u
RP 11:57:47 2023-11-15 Kerem Schamberger
text: Der Rechtsrutsch in Politik und Medien ist nicht n
cid: bafyreiekmcv5dlhlypqse2v27mzgiev2scpugrntxdq7f2mtjfj743znwq
11:57:07 2023-11-15 Othmar
text: All hail the Pūteketeke #JohnOliver
www.theguardi
cid: bafyreiczcyv6brf3oaamk7w3qcjpazuegmuq5vswvftusqihu63enxejym
11:56:36 2023-11-15 Dr. Philoponus
text: So.
cid: bafyreieqeg4xb2agpc5a6s6th3wugj6xo5dey43gfrztnqiu4z53epzpxy
RP 11:56:35 2023-11-15 Chris Legal Alien
text: Wenn Lindner beim Kampf gegen Geldwäsche genauso e
cid: bafyreiava2hmlul7u2zp5crrsnau6udhbv3qksmqh2q5i2dy4nk3cohhie
RP 11:56:30 2023-11-15 ThomasLangpaul
text: Ok, this is funny
cid: bafyreifrohln7sdlkrdvc7pmtfv4o6usyg35r25xslcufnf4h3xth37e7y
11:55:58 2023-11-15 Tova Bele
text: Liebe @mandara.bsky.social
Darf ich etwas persoe
cid: bafyreifanzq6mpwyvzlkkkmcfcxgbwwk4vhtjztadglbl7lojrjedzdisu
11:55:26 2023-11-15 Defizit alias Eugen Brochier (Charles Merowing)
text: Bled - zu den Zeitpunkt - oba kon ma nix mochń
cid: bafyreidatkpokgim6c7aleaty5zjdnt72dt5qmbh52bydew2xh2e2aawmm
11:55:03 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 11:54:28 2023-11-15 Michael Ortner
text: Starwinzer Manfred Tement ließ für ein unstrittene
cid: bafyreia56dqsccf7mzaww2qwi4skymeatjyi4y2kkd2fj5t7ze6k7wvgwi
RP 11:54:24 2023-11-15 Robert Misik
text: ABGESAGT! Bin ja an sich unverwüstlich, aber manch
cid: bafyreidxzka5q6m6la6xwmrddkosi3qzsfkeoyssl37hz27yvpldrhtapu
RP 11:54:20 2023-11-15 Nana Siebert
text: Einige bekannte Wiener Adressen sind offiziell in
cid: bafyreie7myfzd33ukujjugprlfors7ajvx7x5tbeqiiy5h7yei3fjv3aj4
RP 11:54:15 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
RP 11:54:09 2023-11-15 Maximilian Pichl
text: +++ Ruanda-Deal gekippt+++
Der britische Supreme
cid: bafyreieq4aoedzc7xo26jhg4fymfvqn5fvesifahe2l3gzdk2uf5ois4ey
RP 11:53:49 2023-11-15 Ann-Katrin Müller
text: Großbritanniens Regierung will Menschen ohne Asylv
cid: bafyreic7aotecfyikvflnsjfco4uydy3neboa5q5d6etvqmsrwh6v6kqbq
Fetched 35 newer posts, 3 requests
Took 1.68 secs
Start post
12:06:58 2023-11-15 Patricia Lierzer
text: "Man kann die Grünen nicht wählen, weil die wollen
cid: bafyreiecizpj2epjkrcbpfo3ngrjm54pfnd6x4jczxeou4ojbl3wxn5ocm
Fetched 18 newer posts, 2 request
12:21:48 2023-11-15 Helge Fahrnberger
text: Was ist das, Lärche?
cid: bafyreibdbyqv2j7cjut5vq362agt5wyy75lar2p5qox2q7yu7xmm5poeqy
RP 12:21:46 2023-11-15 Dalibor Topic
text: "Unter der Annahme, dass künftige (Omikron-)Varian
cid: bafyreiemmxdm7er4zv6t5ytlvsfqtghgqqlqnjrba4yeaoqrpsbu7wsvum
12:21:18 2023-11-15 Thomas Manfred
text: Nix gegen Chinchillas.
cid: bafyreiaevrgmn6wj5u2is2acke35udbon4gssblarmjx72r23hfoeexxda
12:21:09 2023-11-15 Alan Wolfe
text: This is a great game, and so is part 2!
cid: bafyreial5ryv5gyuev2y7cfsypmjdw7rcpj6jmgltxugnyvb7zo472ym6e
12:20:52 2023-11-15 ✨juni✨
text: lol was?
cid: bafyreic5ghfcxeveqbjespp7rwlsnucp5z5jgmjgq5sfdayx5v7nf32cmm
RP 12:20:42 2023-11-15 Rody
text: Now playing 🎮
cid: bafyreic24jkdzthvt5ia6sg2vwytlaegzyul4qhtodyqqt4wbnnnvkwwwe
RP 12:19:18 2023-11-15 deprecatedCode
text: geil blocken
@afdberlin.bsky.social
@volkswaechte
cid: bafyreihkprzked5i2ndbf5dsmsoetiu7zosmbh6aokj7jigvwgyfomcx5e
12:16:27 2023-11-15 Tonka
text: Dieses Weib ist so lost.
cid: bafyreidiilgeah2gbmevwtnjh6tc65lguwijssa56avm3joktpvz3r3rqm
RP 12:14:21 2023-11-15 Nana Siebert
text: Einige bekannte Wiener Adressen sind offiziell in
cid: bafyreie7myfzd33ukujjugprlfors7ajvx7x5tbeqiiy5h7yei3fjv3aj4
12:14:14 2023-11-15 Maximilian Werner
text: hab tolle fünf stunden mitten in der nacht am salz
cid: bafyreidxaydi7xrpf5r4maewqsgztd3aheruqohn3mnbn5nj6r2niysue4
12:13:52 2023-11-15 Tonka
text: Die Kollegys sind heute alle gemeinsam beim Asiate
cid: bafyreigmvizp2lfj2ykz24godjjzmreuzk3os5ilyvejbje3rvytsuwu34
12:13:48 2023-11-15 Robert Misik
text: Das ist aber wohl Unsinn. Das Buch ist ja voller Z
cid: bafyreihjcat2xx3dqcob6eozp4v35qhtjdmp26okv2e5uezvld7vs4cmum
RP 12:13:25 2023-11-15 Manuel Oberhuber
text: Der Westwind pfeift ordentlich heute, die Windspit
cid: bafyreidb2cgcal2ahjs5cdjtc6s7ff37yr4ci6hzxhiofcx7hi5nupaw3u
RP 12:11:19 2023-11-15 Die Tagespresse
text: Zypern-Leaks: Richard Schmitt erhielt für Putin-Pr
cid: bafyreievmsp3bwohv67k7envw6kbjgnd4l63qrw4k7bdg7ece3ol3xf3ra
12:11:01 2023-11-15 Ninotschka
text: ICH WILL ABER IM WINTER MEINE KIRSCHEN ESSEN UND W
cid: bafyreigowqwi4pjjn2hdv2snnodykceixldl2ie7lvpiqdd2mnmxuwswr4
RP 12:10:17 2023-11-15 Patricia Lierzer
text: "Man kann die Grünen nicht wählen, weil die wollen
cid: bafyreiecizpj2epjkrcbpfo3ngrjm54pfnd6x4jczxeou4ojbl3wxn5ocm
RP 12:09:57 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
RP 12:09:21 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
Fetched 18 newer posts, 2 requests
Took 0.81 secs
Start post
12:21:48 2023-11-15 Helge Fahrnberger
text: Was ist das, Lärche?
cid: bafyreibdbyqv2j7cjut5vq362agt5wyy75lar2p5qox2q7yu7xmm5poeqy
Fetched 23 newer posts, 2 request
12:35:50 2023-11-15 Robert Steiner 🇪🇺 🇺🇦
text: Ohne ihn gäb's weder Donauinsel noch gratis Schulb
cid: bafyreiaan6km5gg3ykxmk26rfaw3hkun2cbaovug46qrsez2ru6fp3ox6q
RP 12:34:21 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
RP 12:33:35 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 12:33:19 2023-11-15 Ralf Wittenbrink
text: Auffrischungsimpfung gegen #COVID19 ist der beste
cid: bafyreidwa52xbabzxacmyk2chqh5rx62h35j6ogcjp4jvc6ture67qgcxq
12:33:00 2023-11-15 Barbara Streusand
text: Bei einer Schulfreundin hatten sie diese gelbe 70e
cid: bafyreib7squbx65jz4o34zdpeyepcknozdb5ayfixiytq2icllvs7rujv4
12:32:56 2023-11-15 Tova Bele
text: Das tut mir sehr leid. Ich bin am Sonntag in einem
cid: bafyreihbgqf6m4x2x3xtyhxpw7pzi3uqytkf6jf4dcg6xpy3sg3ntx2fby
12:32:17 2023-11-15 Natascha Strobl
text: Danke Andi Babler für den Gemeindebau und die Grün
cid: bafyreig57fen5ayvv2k575iyeuczxcsplfroi2g7pihisggnt74tw3nj3y
RP 12:32:11 2023-11-15 Markus Huber
text: Ich war ja mit dem Strache einen 88-Euro-Fisch ess
cid: bafyreiduby3ms2ryilaspszf3omgfeejow6m6exrlmkodizllj2uj6hj74
RP 12:31:42 2023-11-15 Markus Müller-Schinwald
text: Hubert Seipel habe in seinen Büchern seit Jahren w
cid: bafyreiabtpqsridazfnqnzlcy4l3xtzimzqa64ipobaph6uffz5wliuvt4
12:29:36 2023-11-15 Hannes Grünbichler
text: Es wird, Zeit mit Nachdruck Forderungen zu stellen
cid: bafyreiavkayg6lzzdvxbz7tqty7gntd7wawfqz7opn242ayogtqdomfzrq
RP 12:29:26 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
12:28:58 2023-11-15 Tonka
text: Schon sehr befremdlich, wie sich die Ärztekammer a
cid: bafyreie5vvuwmp62drt4ywoef7vgwl7dctqjc6hodjd7wautgm3rhqpbv4
RP 12:27:01 2023-11-15 Rinaldo Mogyorosy
text: Österreicher im Sozialsystem vs. Ausländer. Achtun
cid: bafyreia2r24d3yrwe6j3mmt2xw6rk2j3hr462jyflsenzqiheprelitapa
12:26:00 2023-11-15 Ninotschka
text: Man kann jetzt noch auf dem Badeschiff schwimmen?
cid: bafyreib3jnnohypi6ugh6luebifzmptrxo3ltdvrxb64r4rowigz7qsksq
12:25:58 2023-11-15 Robert Misik
text: Wenn die Welt verrückt spielt.
„Es ist schwer, in
cid: bafyreihklssstc7jmfdzmd7roysasvr5y2zfvywhry7btmpvnrpv64a4zy
RP 12:25:42 2023-11-15 Luis Paulitsch
text: Das Medienmagazin ZAPP zeigt heute Abend eine aktu
cid: bafyreigyi7gz3g32t3kszpvqq474r3xxxx5zns6bkbluwd4xzmdsseesce
12:25:28 2023-11-15 oleschri
text: Aber ist das die Wahrheit, oder haben wir uns das
cid: bafyreibwffxzvjbpqflmoc2gyg5a274zzmervogqo7pc3vvsvcrjm3jyji
12:23:56 2023-11-15 Nikolaus J. Kurmayer
text: www.reuters.com/markets/euro...
cid: bafyreihggiouwkdnrirkxxjzyo6ovq7l7apid4hdesobhcrw2lfosmx3d4
RP 12:23:09 2023-11-15 Dalibor Topic
text: "Unter der Annahme, dass künftige (Omikron-)Varian
cid: bafyreiemmxdm7er4zv6t5ytlvsfqtghgqqlqnjrba4yeaoqrpsbu7wsvum
12:23:03 2023-11-15 TechnikNews - Der Blog rund um Technik
text: Nicht nur höhenverstellbare Schreibtische, sondern
cid: bafyreifpistjmgvbeu53mjd76gre5m5cug2odw4pgshra6ih5oxnax6cjm
RP 12:22:41 2023-11-15 Markus Sulzbacher
text: Frau Mikl-Leitner fordert heute „von Muslimen“ ein
cid: bafyreihyfx6ipeemfexhu2oyfx55zvwt5ofavk2fmyt6m6hygzjixp5dce
RP 12:22:17 2023-11-15 MemeServer 🫡
text: #Nafo #Fella #meme
cid: bafyreicykhej4drxl67eb3h3nkddtypfcl2bce22g5c4kz5fao4ufvlkzu
12:22:11 2023-11-15 Julia Pühringer
text: Es geht um eine japanische Insel und ich hab das W
cid: bafyreigxitha6fzyxq464k6ykyezya7pfkwyigdwklju4ihej64ufzppfy
Fetched 23 newer posts, 2 requests
Took 0.82 secs
Start post
12:35:50 2023-11-15 Robert Steiner 🇪🇺 🇺🇦
text: Ohne ihn gäb's weder Donauinsel noch gratis Schulb
cid: bafyreiaan6km5gg3ykxmk26rfaw3hkun2cbaovug46qrsez2ru6fp3ox6q
Fetched 13 newer posts, 2 request
12:49:54 2023-11-15 Chrisi_mit_i
text: DieOhne keinHuhn Filet auf Süßkartoffelpüree mit r
cid: bafyreifavthda4zacapckxyurnhmlnw6uplu62qmvgncixng6zdsyyboia
12:48:37 2023-11-15 Magdalena Miedl aka espressozitron
text: wenig befriedigt mein frierendes novemberherz im a
cid: bafyreifjzhaok5pe6frvjp5iatuc6zoqxgfuj2kuok7epojqjgq5usra7m
12:48:00 2023-11-15 Riem
text: 1 in every 200 people in Gaza has been killed. In
cid: bafyreidqupj4awb66nle24p6jq4ksk354xs76njpjpcqsshry3s4sanswe
RP 12:46:16 2023-11-15 Michael Mazohl
text: Weil mittlerweile die 28 Jahre alte Konsum-Pleite
cid: bafyreietfvyfuvnybsjtr64bjpimhch6tcwdmco3cnjrrq4j2cazvadaxe
RP 12:45:54 2023-11-15 Julia Pühringer
text: Bitte GEILSTENS: Stefanie Sargnagel hat die Sujets
cid: bafyreidiouzz6375dqgiqrbeyv3gbbbq5bxf5i7zgossijij4rzchku3dy
12:44:55 2023-11-15 Hannes Grünbichler
text: Falsche Gleitkommadarstellung 🙊.
cid: bafyreihun32zjo447r5r5hsqlaa5gwcnawllmsplkz33febrdzra2rv4o4
12:43:08 2023-11-15 Teresa Wirth
text: Puh, leider keine Ahnung, sorry. Es war ne alte Pl
cid: bafyreic4c4d5c3fhwnczyrd6e5tewydlymazb6ajpnd7jwlxhjinasgwrq
12:42:37 2023-11-15 Roman Vilgut
text: Ganz logisch: Wer sollte sonst Schulungen buchen?
cid: bafyreieabpbhqadk3m3j5efxdvowjstvfpb4vuhend3d3oz57mocxk32yu
12:41:08 2023-11-15 BinDerStefan
text: Die Kern-Mission von jedem Microsoft-Produkt: Waru
cid: bafyreicohmxsp57fjc4ge3vsws76yxidzyoklrdgaois47wgvj272rlwt4
12:39:22 2023-11-15 🇺🇦 Ingvar Stepanyan
text: First thought: Marvel Cinematic Universe?
cid: bafyreigvx6ui4sidtpml7xdwncujh7lwc3emisvsperilw6bbvghdw6zhq
RP 12:38:37 2023-11-15 Stefan Lassnig
text: Was erwarten sich eigentlich junge Menschen von ih
cid: bafyreiea4m465oryebc5ou4ffgiuxskl673vpsxfmds5xop2yikpyeyndy
12:38:13 2023-11-15 Nicola Werdenigg
text: Großartig.
cid: bafyreihh6dfajiorqwdpgsojmqflvdcfp2bpxti3gdzi5j2yamu6j57n3a
RP 12:37:55 2023-11-15 Armin Thurnher
text: »Die Hamas hat in manchen Etagen des Spitals operi
cid: bafyreifpj5xopyybxjwcxzxilef74ul37gw4smhd3v4uf53bb6wlbl4kyi
Fetched 13 newer posts, 2 requests
Took 0.67 secs
Start post
12:49:54 2023-11-15 Chrisi_mit_i
text: DieOhne keinHuhn Filet auf Süßkartoffelpüree mit r
cid: bafyreifavthda4zacapckxyurnhmlnw6uplu62qmvgncixng6zdsyyboia
Fetched 6 newer posts, 2 request
12:54:57 2023-11-15 Barbara Schwarz
text: Nicht vergessen Wintersemester 1979: Tafelschwammg
cid: bafyreibri33dzqen27ph66jgjnqiilz37vird3enmvet6lldfleux73pu4
RP 12:54:37 2023-11-15 EmiliaXenia💚
text: Blockempfehlung ❗️❗️❗️
cid: bafyreib7d6p4imb64mbcejdqrhswfausyohmgf5tutffa7yqw5hrol64ry
12:53:45 2023-11-15 LeChuckPPAT
text: laaast christmas i gave you my heart...
cid: bafyreicylppkdtynrrh63d5umpi7ttpd3zlbsqqojvwmi75aepfxgpkfve
RP 12:53:13 2023-11-15 Enno Lenze
text: "Deutscher ARD-Journalist erhielt Hunderttausende
cid: bafyreifbr7n4fpl2fdg4rxn4ioczsualurptwdsfxdctj4iu4aj6knbqpa
12:51:59 2023-11-15 Tini Paspertini
text: Nein Pharrell, ich will nicht along clappen, geh w
cid: bafyreienm5nqbgh3z3x33u5stixfgxinr4d6dddomy26myyt7nvosye4l4
12:50:50 2023-11-15 Tini Paspertini
text: Es gibt kein Lied, dass mich weniger happy macht a
cid: bafyreigejv6dmqtjxpw3z5o2xtdj5gt3pwapryfo5a6ugfgq6hkcboeaou
Fetched 6 newer posts, 2 requests
Took 0.77 secs
All newer posts found. It works!
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment