• Activity
  • Votes
  • Comments
  • New
  • All activity
    1. Meta label for comments?

      Just popped in my head, with the massive influx of users, there's been a lot more meta discussion happening in regular threads. Perhaps it might be useful to have that as a label on comments. I'd...

      Just popped in my head, with the massive influx of users, there's been a lot more meta discussion happening in regular threads.

      Perhaps it might be useful to have that as a label on comments. I'd almost go so far as to have the label highlighted like Exemplary for new users to help highlight when discussion function and culture of the site.

      6 votes
    2. Share your favorite musicians/bands! I want to discover some new music.

      My favorite band is Caamp. If you like American Folk, definitely check them out. I’d recommend these: Vagabond (most popular) No Sleep 26 Lavender Girl Strawberries (slow/sad song) I’m looking for...

      My favorite band is Caamp. If you like American Folk, definitely check them out. I’d recommend these:

      • Vagabond (most popular)
      • No Sleep
      • 26
      • Lavender Girl
      • Strawberries (slow/sad song)

      I’m looking for new music so I want to hear what everyone else listens to. Here are some more musicians/bands I love: The Lumineers, Jack Johnson, Tyler Childers, Eric Clapton, John Mayer, and Greta Van Fleet.

      37 votes
    3. Film and feelings: Stalker (1979)

      I recently acquired the criterion release of Stalker (1979), a film I have not seen since I was a teenager. I remember liking it back then, but I didn't appreciate how much it would simultaneously...

      I recently acquired the criterion release of Stalker (1979), a film I have not seen since I was a teenager. I remember liking it back then, but I didn't appreciate how much it would simultaneously wash over me as well as work it's way into the back of my mind, like an eel of a tone poem.

      For those who have not seen Stalker, it is a journey of three men into a mysterious and beautiful "Zone" in search of their deepest desires.
      I full throatedly recommend. Gorgeous film.

      While the symbolism has been thoroughly discussed elsewhere on the internet, a less talked about aspect (of this and other films) is how it makes the viewer feel.

      For me personally, the three moments that most affected me on a visceral level all involve people lying down.
      Why, I'm not sure.
      But they are: The scene where The Stalker lays in the tall grass, I felt such a calm bliss as he soaked in the lush green nature of The Zone;
      The scene where The Stalker sleeps on a tiny dry piece of ground in a large flooded canal, I felt a sense of sublime misery. The only thing I could compare it to is when you get suddenly awoken when you haven't had enough sleep, and have to go out into the cold early morning still nodding off, and nothing feels real;
      and third is the lingering shot of the dog sitting guard over the entwined bodies near The Room.
      I felt a profound longing sadness. I imagined that the entwined lovers died together in some relation to their deepest desire.

      I really love films that wash over the viewer in this way like a tide, and I hope that some of you do as well.

      Another film that has a similar aspect is Upstream Color (2013), and while the creative mind behind that film is....perhaps a mentally unwell abuser, I can't dismiss the art he has created. I guess my relationship with his work is complicated.

      How do you Feel about stalker?

      Are there any films that had a similar effect on you as this one did to me?

      Always looking for recommendations!

      19 votes
    4. Making infinite scrollable lists for web without a constantly expanding DOM

      A common theme in web development, and the crux of the so-called "Web 2.0" is scrolling through dynamic lists of content. Tildes is such an example: you can scroll through about 50 topics on the...

      A common theme in web development, and the crux of the so-called "Web 2.0" is scrolling through dynamic lists of content. Tildes is such an example: you can scroll through about 50 topics on the front page before you reach a "next" button if you want to keep looking.

      There's a certain beauty in the simplicity of the next/previous page. When done right it's fast, it's easy, and fits neatly into a server-side rendered model. However, it does cause that small bit of friction where you need to hit the next button to go forward -- taking you out of the "flow", so-to-speak. It's slick, but it could be slicker. Perhaps more importantly, it's an interesting problem to solve.

      A step up from the next/previous button is to load the next page of content when you reach the end of the list, inserting it below. If the load is pretty fast, this will hardly interrupt your flow at all! The ever-so-popular reddit enhancement suite does precisely that for reddit: instead of a next button, when you reach the bottom, the next page of items simply plops into place. If the loading isn't fast enough, perhaps instead of loading when they reach the last item, you might choose to load when they hit the fifth from last item, etc.

      To try to keep this post more concrete, and more helpful, here's how this type of pagination would work in practice, in typescript and using the Intersection Observer API but otherwise framework agnostic:

      /**
       * Allows the user to scroll forever through the given list by calling the given loadMore()
       * function whenever the bottom element (by default) becomes visible. This assumes that
       * loadMore is the only thing that modifies the list, and that the list is done being modified
       * once the promise returned from loadMore resolves
       *
       * @param list The element which contains the individual items
       * @param loadMore A function which can be called to insert more items into the list. Can return
       *   a rejected promise to indicate that there are no more items to load
       * @param triggerLoadAt The index of the child in the list which triggers the load. Negative numbers
       *   are interpreted as offsets from the end of the list. 
       */
      function handlePagination(list: Element, loadMore: () => Promise<void>, triggerLoadAt: number = -1) {
          manageIntersection();
          return;
      
          function handleIntersection(ele: Element, handler: () => void): () => void {
              let active = true;
              const observer = new IntersectionObserver((entries) => {
                  if (active && entries[0].isIntersecting) {
                      handler()
                  }
              }, { root: null, threshold: 0.5 });
              observer.observe(ele);
              return () => {
                  if (active) {
                      active = false;
                      observer.disconnect();
                  }
              }
          }
      
          function manageIntersection() {
              const index = triggerLoadAt < 0 ? list.children.length + triggerLoadAt : triggerLoadAt;
              if (index < 0 || index >= list.children.length) {
                  throw new Error(`index=${index} is not valid for a list of ${list.children.length} items`);
              }
      
              const child = list.children[index];
              const removeIntersectionHandler = handleIntersection(child, () => {
                  removeIntersectionHandler();
                  loadMore().then(() => {
                      manageIntersection();
                  }).catch((e) => {});
              });
          }
      }
      

      If you're sane, this probably suffices for you. However, there is still one problem: as you scroll,
      the number of elements on the DOM get longer and longer. This means they necessarily take up
      some amount of memory, and browsers probably have to do some amount of work to keep
      track of them. Thus, in theory, if you were to scroll long enough, the page would get slower and
      slower! How long "long enough" is would depend mostly on how complicated each item is: if each one
      is a unique 20k element svg, it'll get slow pretty quickly.

      The trick to avoid this, and to get a constant overhead, is that when adding new items below, remove the same number of items above! Of course, if the user scrolls back up they'll be expecting those items to be there, but no worries, the handlePagination from before works just as well for loading items before the first item.

      However, this simple change is where a key problem arises: inserting elements below doesn't cause any layout shift, but inserting an item above ought to--right?

      The answer is: it depends on the browser! Back in 2017 chrome realized that it's often convenient to be able to insert items into the dom above the viewport, and implemented scroll anchoring, which basically ensures that if you insert an item 50px tall above the viewport, then scroll 50px down so that there's no visual layout shift. Firefox followed suite in 2019, and edge got support in 2020. But alas, safari both on mac and ios does not support scroll anchoring (though they expressed interest in it since 2017)

      Now, there's two responses to this:

      • Surely Safari support is coming soon, they've posted on that bug as recently as April! Just use simpler pagination for now
      • Pshhhh, just implement scroll anchoring ourself!

      Of course, I've gone and done #2, and it almost perfectly works. Here's the idea:

      • Right before loadMore, find the first item in the list which is inside the viewport. This is the item whose position we don't want to move. Use getBoundingClientRect to find it's top position.
      • Perform the DOM manipulation as desired
      • Use getBoundingClientRect again to find the new top of that item.
      • Insert (or remove) the appropriate amount of blank space at the top of the list to offset the change in client rect (note that if there's scroll anchoring support in the browser this should always be zero, which means this effectively works as progressive enhancement)

      Now, the function to do this is a tad too long for this post. I implemented it in React, however, and combined it with some stronger preloading object (we don't need all the items we've fetched from the API on the DOM, so we can use before, onTheDom, after lists to avoid getting a bunch of api requests just from scrolling down and up within the same small number of items).

      What's interesting is that it still works perfectly on chrome even with scroll-anchoring disabled (via overflow-anchor: none), but on Safari there is still, sometimes, 1 frame where it renders the wrong scroll position before immediately adjusting. Because I implemented it in react, however, my current hypothesis is I have a mistake somewhere which causes the javascript to yield to the renderer before all the manipulations are done, and it only shows up on Safari because of the generally higher framerates there

      If it's interesting to people, I could extract the infinite list component outside of this project: I certainly like it, and in my case I do expect people to want to quickly scroll through hundreds to thousands of items, so the lighter DOM feels worth it (though perhaps it wouldn't if I had known, when starting, how painful getting it to work on Safari would be!).

      What do you think of this type of "true" infinite scrolling for web? Good thing, neutral thing, bad thing? Would you use it, if the component were available? Would you remove it, if you saw someone doing this? Are there other questions about how this was accomplished? Is this an appropriate post for Tildes?

      11 votes
    5. Introductions | June 2023, part 2

      The previous introductions thread was only a few days ago, but it's getting pretty long and we expect more people. So here's another one! This is a place for new users to post an introduction with...

      The previous introductions thread was only a few days ago, but it's getting pretty long and we expect more people. So here's another one!

      This is a place for new users to post an introduction with a few fun facts about themselves. You will find the post box at the bottom the page. Maybe say hi to someone else you see while scrolling down?

      If you like, you can also write something about yourself in your profile. See "Edit your user bio" on the settings page. Anyone who clicks on your username will see it in your profile. (It appears on the right side of the page.)

      You can find out more about how to use Tildes in this topic: New users: Ask your questions about Tildes here!

      120 votes
    6. Mysterious, thoughtful games? A genre I can't define

      Hello everyone, I have been craving a sort of game genre, but I'm not quite sure what it is or if it really exists as a genre at all. It is a game with a lot of existential twists to it. I could...

      Hello everyone,

      I have been craving a sort of game genre, but I'm not quite sure what it is or if it really exists as a genre at all.
      It is a game with a lot of existential twists to it. I could call it Mystery though I feel it falls short.
      The main story tends to be a complete upheaval of what we thought was the basic premise. Think of it like paradigm shift: the game.
      They also tend to be games that you can really only play once. Lucky for me my memory is horrible.

      So far I came up with these games:

      • Outer Wilds
      • Enderal (which is a "total conversion mod for Skyrim", but an amazing game)
      • The Forgotten City
      • Paradise Killer

      Most of these have some kind of cycle involved in them, but I'm not sure if that's coincidental. All of them have you learn how the world works and it's never really what you first expected.
      They tend to be light in battle, which is probably a skill issue bias on my part.

      Honorary mention to:

      • Strange Horticulture
      • Horizon Zero Dawn, but the sequel less so (although still a very good game)
      • The Zero Escape series, although I haven't played the first one yet
      • The Legend of Zelda: Majora's Mask (as it really breaks away expectations you got from earlier games too, and the existential dread is dripping off it)
      • Nier Automata
      • Doki Doki Literature Club

      Do you know any others? Or do you know a good match to this list?
      What do you think kind of links all this? Feel like playing one of these games?

      87 votes
    7. Would anyone be interested in doing a community watchthrough of a show?

      It could be a fun way to get some more interaction going in this group instead of just the "what have you been watching/reading this past month?" posts. We could start with a short, 12 episode...

      It could be a fun way to get some more interaction going in this group instead of just the "what have you been watching/reading this past month?" posts. We could start with a short, 12 episode show just to see how it goes. If it goes well, maybe we could do it again with a longer show.

      Since posts don't die from old age on tildes, we could keep it contained to one post. I believe we could just post a top-level comment each week with something like "Week 1 - Episodes 1-3", then keep all the discussion for that week's episodes as replies. Users could visit the post whenever, collapse all replies, and then only open up the episode discussions they want to participate in to avoid any spoilers.

      This would prevent multiple posts cluttering up the front page for everyone, but would still be easy to navigate. It would take some self-policing to make sure that nobody else posts a top-level reply, but I think it could work.

      What does everyone think? And any suggestions for a show? I'm thinking something like Erased might be good since it has a fairly broad appeal.

      Edit: Assuming we do a 12 episode show to kick things off, what day of the week would everyone want me to post episode discussions? And how many episodes per post? We could do something like 3 episodes every Friday, or we could do 1-2 episodes say every Wednesday and Sunday if we don't want to wait a full week between discussions.

      Edit 2: Sounds like we're gonna go-ahead with Erased! I'll put together a schedule and create the post later today with details.

      49 votes
    8. What are some of your favorite cookbooks that you find yourself returning to time and time again?

      Hey ~food! I'm relatively new here, but I would love to share my love of cookbooks with you all and discover some new ones to add to my collection. While Salt, Fat, Acid, Heat and The Food Lab are...

      Hey ~food! I'm relatively new here, but I would love to share my love of cookbooks with you all and discover some new ones to add to my collection.

      While Salt, Fat, Acid, Heat and The Food Lab are certainly some of my favorites. I have discovered others that I have repeatedly gone back to that aren't as decorated with rewards.

      One of my favorite authors as of late, Olia Hercules, has a couple of cookbooks that I absolutely adore! She specializes in Ukrainian dishes and her recipes have helped dispel the myth of potatoes and cabbage being the only slavic ingredients. Mamushka is her first cook book with several great recipes, including a chicken marinade that is impossible for me to get away from. Summer Kitchens is another lovely cook book by her that reads like a love letter for documenting Ukrainian cuisine and has so many great vegetable recipes.

      I'm curious to hear about other people's recommendations! Please give me a another reason for needing a devoted bookshelf for my collection.

      48 votes
    9. What have you been listening to this week?

      What have you been listening to this week? You don't need to do a 6000 word review if you don't want to, but please write something! If you've just picked up some music, please update on that as...

      What have you been listening to this week? You don't need to do a 6000 word review if you don't want to, but please write something! If you've just picked up some music, please update on that as well, we'd love to see your hauls :)

      Feel free to give recs or discuss anything about each others' listening habits.

      You can make a chart if you use last.fm:

      http://www.tapmusic.net/lastfm/

      Remember that linking directly to your image will update with your future listening, make sure to reupload to somewhere like imgur if you'd like it to remain what you have at the time of posting.

      28 votes
    10. Tildes as a Progressive Web App (PWA)?

      I use Firefox for Android. One thing I love about some web apps are when they designed to be a "installable" Progressive Web App (PWA). It looks like Tildes doesn't support that. Perhaps it's a...

      I use Firefox for Android. One thing I love about some web apps are when they designed to be a "installable" Progressive Web App (PWA). It looks like Tildes doesn't support that. Perhaps it's a silly question, but does anyone by chance know if this can be forced to some degree? (Beyond adding a shortcut to one's desktop.)

      Without an app available yet, that's my next go to normally. (Yep, I said yet. I'm eager to see your first release, @talklittle. 💜)

      And ye

      28 votes
    11. Haunting covers, or something like that

      Hey folks, A few years ago I went in to the basement room where the cool kids hung out while they did video conversions and such. They had a playlist in the background of "Haunting Covers" or...

      Hey folks,

      A few years ago I went in to the basement room where the cool kids hung out while they did video conversions and such. They had a playlist in the background of "Haunting Covers" or something like that. It was a take on all different music, but played in a really chilled, gothic style and by a mix of un/lesser-known artists.

      Does anyone have some recommendations? To give you an idea, one of the more known tracks I heard while I was there was Nirvana's Smells Like Teen Spirit but covered by Tori Amos.

      Thanks.

      10 votes
    12. Focused music listening/appreciation projects

      Many of us listen to whatever music strikes our mood, but there are some out there who, in addition to mood, listen to and appreciate music in focused listening projects. It could be a discography...

      Many of us listen to whatever music strikes our mood, but there are some out there who, in addition to mood, listen to and appreciate music in focused listening projects. It could be a discography of an artist you want to finish, or it could be listening to all the top 10 albums from each year. There's really no end to the listening projects we get ourselves involved in. I'd like to open a discussion about this.

      I've been involved in a number of listening/appreciation projects over the years. For example, even though half the year hasn't elapsed, I've already finished my 2023 Listening Challenge, in which I listened to 50 albums on a variety of criteria.

      Right now I'm discog diving some of my favorite artists, and the experience has really opened my ears to the lesser-known avenues of exploration. I've completed so many already, satisfying my urge to always be doing something goal-oriented. Right now, for example, I'm listening to The Musings of Miles as part of my Miles Davis discog dive.

      So what are you into project-wise? Please share your experiences!

      15 votes
    13. What is the most recent game to really impress you?

      Liking a game is easy enough: they’re usually meant to be fun, engaging, or interesting. But being impressed by a game is harder. It could be a particularly impressive set piece in a level, or a...

      Liking a game is easy enough: they’re usually meant to be fun, engaging, or interesting.

      But being impressed by a game is harder.

      It could be a particularly impressive set piece in a level, or a clever, novel game mechanic. It could be quality animations or a plot twist you didn’t see coming.

      Whatever it was that impressed you, share it here. What was it? How did it make you feel? What made it stand out so much from its peer games?


      Note: please mark all spoilers

      You can hide spoiler text inside a details block like this:

      <details>
      <summary>Spoilers here!</summary>
      
      Our princess is in another castle!
      </details>
      

      Which looks like this:

      Spoilers here!

      Our princess is in another castle!

      88 votes
    14. Parents who have more than two children, what was the transition from two to three like?

      My wife and I have two kids, 3 and 1. We’ve talked about the possibility of adding another kid into the mix, but have gone back and forth. What was your main experience going from 2-3? Pros, cons,...

      My wife and I have two kids, 3 and 1. We’ve talked about the possibility of adding another kid into the mix, but have gone back and forth.

      What was your main experience going from 2-3? Pros, cons, everything in between!

      22 votes
    15. Exciting, unlikely, or weird applications for AR-in-VR

      I'm really excited for the release of the Apple Vision Pro since this seems like a major shift in how we might be interacting with computers in the future. On the mundane things, I'd like to be...

      I'm really excited for the release of the Apple Vision Pro since this seems like a major shift in how we might be interacting with computers in the future.

      On the mundane things, I'd like to be able to browse the web and read articles and books while walking my dog, without craning my neck down or being oblivious to my surroundings.

      However, I've had a couple ideas where the tech might go or unexpected use-cases.

      1. HUD and computer interface while driving with an emphasis on voice control and navigation. This would be far superior to touchscreen center consoles. If apple ever launches a car, I would expect the Vision to be the primary interface.
      2. Changing the "time of day" of the environment, like a sunrise alarm clock on steroids for helping those on night shift with nonstandard circadian rhythm.
      3. Altering your appearance perceived by others. Could be as subtle as wardrobe changes, presenting as a different gender, or a persona that's not human (like a fursona).

      What other cool use cases can you think of, in a world where you can seamlessly manipulate the visual and auditory world around you?

      16 votes
    16. It's Always Sunny in Philadelphia Season 16, Episodes 1 & 2 Discussion

      The 16th season of It's Always Sunny in Philadelphia started airing last night and is now available for streaming on Hulu too! What did y'all think about the new episodes? Please make sure to...

      The 16th season of It's Always Sunny in Philadelphia started airing last night and is now available for streaming on Hulu too! What did y'all think about the new episodes?

      Please make sure to provide warnings for any spoilers you may post! If you want to hide your spoilers, please follow the formatting tips at https://docs.tildes.net/instructions/text-formatting#expandable-sections to hide them under expandable sections. Thank you!

      Episode 1 & 2 After watching all the teasers they showed over the last few weeks, I wasn't expecting literally all the teaser material to show up in the first episode. However, I still enjoyed the first episode! This felt a bit more like a classic Always Sunny episode and I found it funny for the most part. I definitely think that the show has lost a bit of its old charm, it now looks like a proper TV show with properly lit up sets and whatnot. Despite this, I think this episode was a solid start to the season!

      I really enjoyed the second episode too! It was cool seeing Charlie's sisters show up in this episode. I remember in the season they mentioned Charlie's sister and then she was never mentioned again. In the podcast, they mentioned that they'd simply forgotten about Charlie's sister as a character. So it was cool seeing them finally show Charlie's sister(s) in an episode now. Also was not expecting an OnlyFans name drop haha.

      31 votes
    17. Weekly megathread for news/updates/discussion of Russian invasion of Ukraine - June 8

      This thread is posted weekly on Thursday - please try to post relevant content in here, such as news, updates, opinion articles, etc. Especially significant updates may warrant a separate topic,...

      This thread is posted weekly on Thursday - please try to post relevant content in here, such as news, updates, opinion articles, etc. Especially significant updates may warrant a separate topic, but most should be posted here.

      If you'd like to help support Ukraine, please visit the official site at https://help.gov.ua/ - an official portal for those who want to provide humanitarian or financial assistance to people of Ukraine, businesses or the government at the times of resistance against the Russian aggression.

      41 votes
    18. Your favorite reviewers/critics?

      Books, films, foods, gadgets, games, etc. A good review/analysis can enhance our understanding and appreciation of the works or products. Let's give them some shoutout. Edit: add analysis (can't...

      Books, films, foods, gadgets, games, etc. A good review/analysis can enhance our understanding and appreciation of the works or products. Let's give them some shoutout.

      Edit: add analysis (can't believe I forgot one of the big categories like this) facepalmed

      22 votes
    19. Resources and help for setting up a Tildes dev environment

      I've been trying to set up a dev enviornment for Tildes, mainly so that I can actually test my MR (!136), and I've been running into a few issues. However, since we also have a new influx of...

      I've been trying to set up a dev enviornment for Tildes, mainly so that I can actually test my MR (!136), and I've been running into a few issues.

      However, since we also have a new influx of people who might be interested in contributing to Tildes, it seems like a good time to collect resources on setting up the dev environment, as well as helping anyone running into issues.

      So, if you have issues or advice, post them here! I'll be adding my questions in a comment shortly.

      Relevant wiki pages:


      Edit: A more recent post on setting up the dev environment on Apple Silicon / M1 Macs

      36 votes
    20. Tildes and identity politics

      As a new Tildes user, one of the biggest cultural differences I've noticed between Tildes and Reddit is the lack of identity-driven argumentative discussion. Instead, discussion is driven by...

      As a new Tildes user, one of the biggest cultural differences I've noticed between Tildes and Reddit is the lack of identity-driven argumentative discussion. Instead, discussion is driven by interests, knowledge seeking, and personal expression.

      Identity politics is an umbrella term
      that encompasses identity groups both laudable and vitriolic. For example, it includes civil rights, gay rights, disability activism, fat acceptance, white supremacy, and nationalism. (wiki)

      It's my opinion that you can't have a rational, cooperative discussion until you set aside identity groups, and I like this aspect of the Tildes culture. I don't want to jinx it, but I believe the lack of identity politics is what people mean when they say they enjoy the high quality, non-divisive discourse here.

      It's worth noting my subs of choice on Reddit were /r/samharris and /r/stupidpol. The former encouraged objective, rational discussion. The latter had lots of news that cut though the identity politics of the mainstream (though with a Marxist bent).

      I would love to hear the thoughts of the older Tildes users before the most recent Reddit exodus (from where I come).

      34 votes
    21. Deep thoughts on tattoos and tattooing culture

      This is my first post so please let me know if I'm doing anything incorrectly! I'm not very clear on how tags work... Apologies. I'm curious if there are many tattoo enthusiasts around. I love...

      This is my first post so please let me know if I'm doing anything incorrectly! I'm not very clear on how tags work... Apologies.

      I'm curious if there are many tattoo enthusiasts around. I love both talking about and looking at tattoos. I have found that more visual-focused places like Instagram or even Reddit don't really allow much conversation on the nuances of the industry, its artists, artistry, criticisms, and so on.

      I am a heavily tattooed woman, which is both a blessing and a curse. A blessing because I'm happy in my own body. A curse because being fetishized makes me uncomfortable.

      I both love and hate tattoos entering more into the mainstream. As that as happened, artistry has come leaps and bounds alongside it.

      Anyone have any deep thoughts on tattoos and modern tattoo culture?

      32 votes
    22. Any skydivers here?

      I love to skydive even though I'm relatively new. It's given me lots of motivation to lose weight and the community so far is great! As a trans woman in the US South who jumps in the South, I've...

      I love to skydive even though I'm relatively new. It's given me lots of motivation to lose weight and the community so far is great! As a trans woman in the US South who jumps in the South, I've found them to be incredibly accepting and welcoming, and there's nowhere I'd rather be than hanging out at the drop zone on a pretty day!

      Anyone else like to skydive?

      8 votes
    23. Does Tildes *want* Reddit 'refugees'?

      The Reddit company is screwing up and upsetting a lot of their "power users" and mods. A lot of people are fed up with Reddit, and are possibly ready to move on to a new platform. Is Tildes that...

      The Reddit company is screwing up and upsetting a lot of their "power users" and mods. A lot of people are fed up with Reddit, and are possibly ready to move on to a new platform.

      Is Tildes that platform? I've lurked here for most of Tildes' life, and from that, my impression is that Tildes does not especially want to replace Reddit. A lot of people here like the small, intimate atmosphere. I've even noticed a bit of derision toward Reddit's lowbrow appeal.

      The reason I ask is because there are communities on Reddit that I don't want to see die. /r/Permaculture and /r/composting are some of my favorite places. I've gotten to know quite a few people who also frequent those places and I've come to enjoy the tone of conversations there.

      But this seems like an important question for Tildes to answer not just for my sake. Reddit is full of niche communities like this. If they have to go somewhere suddenly (and I realize that this is a big "if"), where do they go? I know that they technically can't come here suddenly--slowing growth is one of Tildes' features. But if Reddit's niche communities decided to move here, would you welcome them? I'm interested in what you, personally, think, as well as how you think Tildes as a whole would handle this.

      P.S. I'm also sorta asking for permission to invite /r/Permaculture and /r/composting over here. I like this website, but I'm just a lurker, and don't feel like I'm part of the Tildes community. It feels super presumptuous to invite my friends over here without asking. But I think the wider question is more important. Do you, and does Tildes, want Reddit's 'refugee' niche interest communities?

      Edit: Thank you all for the excellent responses! I don't have time now to respond individually, but I really appreciate the thought so many of you have put into your replies. This will help a lot in considering how to proceed over on Reddit.

      148 votes
    24. General product recommendations

      I'm a pretty conscientious person and I like to research stuff before I buy it - I'm not obsessive about getting The Best Whatever In Class, but like anyone I'm interested in a good deal for a...

      I'm a pretty conscientious person and I like to research stuff before I buy it - I'm not obsessive about getting The Best Whatever In Class, but like anyone I'm interested in a good deal for a product that suits my needs.

      Between the prevalence of review-stuffing bots, Google's results getting worse, and reviewers themselves sometimes having questionable financial backing, I'm finding it harder and harder to find reliable information. So the gold standard is personal recommendations from real people!

      I checked and it's been a while since we've had a general recommendations thread on Tildes so I thought it might be nice to start up another one with the influx of new folks!

      Possible points of discussion:

      1. Are you looking to buy something and hoping to hear from people about what's good and what's bad? Post the type of thing you're looking for in a top-level comment and others can chime in!

      2. Is there a product you enjoy or that has improved your life, fills a niche or special requirement really well, or stands out to you as being a big improvement over its competitors? Is there a particular company you had a great experience with? Share with others who might also benefit!

      3. Is there a product you tried, HATED, and want to warn people about? Something that's all hype, no substance? I think that also fits here.

      4. Are there any reviewers or sites you trust in particular?

      85 votes
    25. Pokemon - What is your favourite game in the series and why?

      My favourite game is Crystal Version for the Game Boy Color. I've been playing Pokemon since the beginning - Red and Blue. I loved the original games, and as a kid I saw the hype for the release...

      My favourite game is Crystal Version for the Game Boy Color. I've been playing Pokemon since the beginning - Red and Blue. I loved the original games, and as a kid I saw the hype for the release of Gold/Silver online. Gold/Silver's release is easily the most excited I've been for anything in my life. When they finally came out in the west, they hit all my expectations and more. The introduction of genders, time-based events with a visible day/night cycle, new types, new Pokemon, held items and so much more made the games a hugely more in-depth experience compared to the originals. No other game in the franchise has offered such a marked improvement over the previous to date.

      Crystal, being a third version, is essentially an enhanced version of Gold and Silver. It doesn't blow them out of the water, but what it does add is nice. Animated sprites, some feature refinements and an improved storyline makes it the quintessential Gen II game in my opinion.

      Remakes of Gold/Silver - with some Crystal features included - exist in the form of HGSS for the Nintendo DS. A top five Pokemon game in it's own right, I like it slightly less because they don't have quite the same vibe the originals had. This is almost entirely due to nostalgia, but it's what I believe.

      Do you agree? Do you disagree entirely? Share with us your favourite Pokemon game and why.

      36 votes
    26. Weight loss - how are you approaching it? How’s your progress?

      I’m interested to see how many others in the tilde community are trying to actively lose weight, what methods you’re using, any big milestones you reached recently and/or your goals! I’ll kick...

      I’m interested to see how many others in the tilde community are trying to actively lose weight, what methods you’re using, any big milestones you reached recently and/or your goals!

      I’ll kick off: I lost 25kg in 2022, have been on a long maintenance break while I restarted running and getting into my exercise groove, and am now starting up again to lose another 15-20kg. Last year I was just calorie counting but became a little obsessive so this time around I’m trying intermittent fasting - I’m short and I don’t have many calories to play with so skipping a meal feels like the most doable!

      I’m a recent joiner after discovering tildes on Reddit (frankly have found that place terrible for my mental health lately, so this API thing bringing about discussions of alternatives has been a godsend!) but one thing I did like on there is the motivation I’d find in knowing I wasn’t the only one on this journey. Perhaps others feel similar! (And if not, if I’ve committed some heinous social faux pas by posting, I can only apologise - this feels like such a nicely curated place that I’m nervous of spoiling it like some great oaf burping during dinner with the queen)

      31 votes
    27. How to move on after a relationship?

      Two years ago by wife and I split up as friends and while I understand it and think it was the right move, I'm still in tears and the feeling of a broken and pointless life. She moved on, found...

      Two years ago by wife and I split up as friends and while I understand it and think it was the right move, I'm still in tears and the feeling of a broken and pointless life. She moved on, found friends, new hobbies, new whatever. I still am where she left me and I don't know what to do. We've been together for almost 20 years and while I wasn't very communicative before, I sure ain't now. Even less than before.

      I tried finding new friends, but I can't really read people and seem to misinterpret everything. I've met a woman on my daily walks with my dogs and her dog loves me and my little idiot dog. We two seemed to like eachother and after a few months of random meetups I asked her if I should give her my email (because I thought that would be less intrusive than my phone) to meet for walks. I made clear that I didn't intend to hit on her, but the look on her face broke my heart. I can't really tell what it was, but it wasn't positive. Now I'm back in my hole and back at feeling alone.

      How do people move on? How can I get out of this... I don't know, terrible loneliness combined with the fear of seeing that expression again if I open up to others? I don't think I can handle this often.

      27 votes
    28. Invite system

      Hey everyone! Can I get a rundown on how to earn an invite link? I've got a friend who is interested in migrating off of Reddit and I'd like to be the one to invite him :)

      12 votes
    29. What’s a genre or style you wish was explored more in games?

      It’s often argued that open-world, zombie survival, and the likes have been overdeveloped and variety needs to be introduced to help stimulate an otherwise stale market. What do you wish upcoming...

      It’s often argued that open-world, zombie survival, and the likes have been overdeveloped and variety needs to be introduced to help stimulate an otherwise stale market. What do you wish upcoming games had that the others do not? Were there any titles that just fell shy of your expectations?

      66 votes
    30. How do you manage your finances?

      Always curious what others peoples finances look like, what they use to manage it, etc. Do you use budgeting software? Do you follow a certain "method" to achieve your financial goals? How strict...

      Always curious what others peoples finances look like, what they use to manage it, etc.

      Do you use budgeting software? Do you follow a certain "method" to achieve your financial goals? How strict are you with your budget? Do you automate your retirement investments/contributions?

      45 votes
    31. With Map in hand : Finding maps for your VTT RPG

      I've been GMing games for years and over the last few transitioned to Online VTT, first Cypher System, then PF2e. My first online campaign was a little off the wall, magic versus technology,...

      I've been GMing games for years and over the last few transitioned to Online VTT, first Cypher System, then PF2e. My first online campaign was a little off the wall, magic versus technology, barbarian party learning that guns and space battles were a thing, aliens and robotic overloads.

      What's more my party tended to blow up stuff and wreck most maps in one session, so in the end I got into making maps or desperately looking for maps everywhere I could.

      So, I thought maybe people could use some of what I've found in their own searches (disclaimer, I don't sell any of my maps, free to all, and I have no connection with any of the pay-for ones, but I've subscribed to most of them at one time or another!)

      Map Tools

      The idea in VTT RPG is to make a map image and import that into your game tool (Such as Roll20 or Foundry) then overlay tiles, tokens, walls etc onto it. The single map image is most, if not all of what you need.

      This is just a short list of what I have tried, lots more than this out there.
      • Dungeondraft One of the best mapping programs and the one I use the most. Offline and stand alone, also encompasses a good default art style of the base assets
      • Inkarnate Online tool that requires a subscription, pretty good, I started out with it and sill occasionally use to make world maps rather than battle maps but can do both.
      • Wonderdraft Dungeondraft but for world maps. I do not make enough of these to have warranted buying it so never tried it
      • Dungeon Alchemist A "AI" driven map creator in Early Access. Can knock out stuff in seconds but I don't like the art style. Good if you need a dungeon in 5 minutes

      Map styles

      There are a couple of popular styles if you are picky about that sort of thing, though mostly important if you want to make your own maps and are looking for asset packs.

      The asset styles you find seem to fall in roughly two forms:

      • Dungeondraft default style. Flat. Line art, less detail
      • Forgotten Adventures (short form FA) Still hand drawn (not rendered) but more detailed computer art style

      Some people prefer the first style due to simplicity, others like the second but some may find it more gamey.

      There is also the "rendered" style that Dungeon Alchemist uses, but that's REALLY gamey to my eyes. I believe there are third party libraries for it but never really looked.

      Lastly, there is the unique art style of hard drawn art that lots of artist draw their battle maps in.

      When I chose a style I went Forgotten Adventures. You can't really mix the two main ones when making your own map, looks horrible. I also found that of the various styles, FA could be matched with many hand drawn styles.

      Maps

      Ok the meat, and what I meant to post before I got side tracked!

      Note most of the sites I am posting above can be used offline on a table top game by just printing the maps out, though I've never tried this.

      My own maps tend heavily towards space and the magic/tech mix due to the campaign. They are in the Forgotten Adventures style. Free to use, including the ones on my Patreon (DON'T SUBSCRIBE TO IT! I started working on making more maps but then got too involved in GMing the game and ran out of time)

      • My main free library ~35 maps, space, ground, some bunkers and others. All in WEBP for faster loading
      • My Patreon, no subscribe! Only take! Only a few maps and then the campaign finished, space ships mostly and then it gets weird if you go back further and find it was a MMORPG Kit tutorial Patreon :/

      Other peoples maps amazing I've found!

      Science Fiction or Modern

      These maps cover mostly futuristic themes such as cyberpunk, world war 2, space ships and so on
      • Hyperdrive Fleet An AMAZING selection of space ships, engine rooms, and space shipy related stuff.
      • Moonlight Maps Scifi A paired Patreon channel to the Moonlight below but for scifi maps. Building interiors, some assets (Vehicles for example), space forests, malls. Flatish style with few shadows?
      • de-Zigner Um, steam punk art? Really cool hand drawn art style, I guess has a mix between modern punk and undead fantasy things.
      • Cracked|Compass This is not the entire library for this mapper, but they do some AMAZING World War 2 maps and several are available on their Inkarnate page. More are available on Reddit in various posts

      Fantasy

      Basic fantasy maps, ruins, temples and the like. Useful for most games
      • Forgotten Adventures A medium size collection of Fantasy maps with some great maps, and has some integration with Foundry complete with walls and actions to switch out parts of some maps on the fly (if you are into that sort of thing)
      • Limithron Lots of pirate ships, islands, water and sea based maps, boats, whales.
      • Cze and Peku Fantasy stuff, hand drawn so may not fit with your campaign style but a LOT of art, A little closer to the Dungeondraft style than FA, LOTS of fantasy stuff, temples, ruins, some ships.
      • Moonlight Maps Again generic (good) fantasy stuff, temples, ruins, villages. Lot of art available, style is of the school of flat line art more than anything.
      • Tom Cartos Has a large asset library which pairs well with FA assets but the maps are what we are here for. Has been expanding recently into 3D scene pictures to accompany the maps recently. Lots of temples, dungeons, inns, villages etc.
      • Bearworks FA style? Lots of fantasy items, had a lot of desert maps which is what I was attracted to. Otherwise standard dungeons and ruins. They do come in very high PPI if required
      • Seafoot games Lots of maps here in a flat DD style. Got some audio mixs. I used their shipwreck maps for a while.
      • Stained Karbon Very stylistic cartoon hand drawn maps of the most bizarre stuff. I've grabbed a few of the free ones but never had the chance to use them. If you need a sword driven through 4 maps of various styles of terrain, then this is the map maker for you
      • Ataraxian Bear VERY clean lined cartoon maps, lots of water and islands. Slightly different style from most but still very nice art so unless you are fussy there are some nice maps here!
      • Borough Bound Some large scale project maps here, as in entire cities with all the moving parts, campaign information, stories, multiple parts of the city etc. You can grab a selection and have a entire city for your players to explore.

      Speciality environments

      These are specific mappers that may concentrate on one unique game theme
      • Gamers Cortex Lots of battle maps of flying wooden sailing ships, all with wings, above and below decks images. They are also beginning to include Foundry VTT files with walls and lights.

      Phased Battle Maps

      Ok this is a niche thing, most of these mappers make various map types, scifi, modern or fantasy, but what sets them aside is the maps come in variants, phases, so you can change the map over time, say every combat round, as the environment changes. Water flowing in and flooding a village, a fire burning down a town hall, bridges breaking etc.
      • Domille's Wondrous Works The main reason Phased battle maps exist! DWW has a lot of these but also has an addon for Foundry to help you use them. I've used a lot of their maps over the years and found the addon stable and works well. Drawn in their own hand drawn art style.
      • Balatro A good alternative to DWW above, lots of maps, Nice style similar to FA in the later maps, more like Dungeondraft in earlier. Boat battles, buildings struck my lightening. List goes on

      Asset Libraries

      Collections of assets to be used when MAKING maps
      • Forgotten Adventures the main alternative for most map makers to the default assets. This is an amazing selection of art,
      • White Fox Works basically just an asset library all matching the FA assets nicely. They started I believe to fill the gaps of FA assets and have done some REALLY well... ALong with FA this is the single most important asset library in my toolkit.
      • Tom Cartos Mentioned in maps but he has a asset library that pairs well with the FA style. Mostly Fantasy but a small section is scifi which I abused a lot in my maps.
      • Hellscape Assets Mostly scifi assets, does not fit the FA style all that well but has a lot of art so may be worth trying. May work with DD style? Some maps, some modern stuff
      • Captain Tom Asset Emporium Amazing Sci-Fi asset packs, many options but a little flatter than FA assets. Can be made to work with FA but more like the DD style

      Tokens

      Ok forgot about these, tokens for player and NPCS!
      • Forgotten Adventures Again FA! Lots of tokens, monsters etc. Lots are free and variants cost money
      • The League of Raconteur Explorers (LORE) A mixture of assets, scifi, maybe steampunk-ish. All really nice and varied. The assets are available FREE from their discord but the Patreon allows you to support the artist and download the assets in a better format and nicely catalogued
      • de-Zigner Some amazing tokens, very stylistic so may not match other token you are using unless you use these for the entire campaign, and honestly you could. Plague zombies, cyber warriors and cyborgs. Lots to unpack here.

      Animations

      Animated movies/gifs etc that can be overlaid on your maps to provide some bling. Fire, explosions etc
      • JB2A Animations If you want to animate spells etc in your game I've only tried JB2A. Free ones and endless updated every month! There may be others but I never needed to look!

      There is more than this of course, but I just wanted to put down what I'd found. Hope it helps someone!

      18 votes
    32. Anyone here like motorcycles?

      In the spirit of u/gdp's post on escooters, does anyone ride motorcycles or motor scooters (e.g. Vespas)? Compared to cars, motorcycles can be far cheaper in purchase cost, gas, and insurance....

      In the spirit of u/gdp's post on escooters, does anyone ride motorcycles or motor scooters (e.g. Vespas)?

      Compared to cars, motorcycles can be far cheaper in purchase cost, gas, and insurance. Additionally, lane filtering or riding the shoulder in gridlock can prevent you from being part of the traffic holding everyone up. Going fast is also fun, if that's your thing.

      38 votes
    33. I am a cosmologist, AMA

      Ok ok disclaimer, I am a cosmology PhD candidate, don’t have the degree yet. However I do feel comfortable at this point calling myself a cosmologist (I think for the first time ever). In any...

      Ok ok disclaimer, I am a cosmology PhD candidate, don’t have the degree yet. However I do feel comfortable at this point calling myself a cosmologist (I think for the first time ever). In any case, with all the new people here, I think an AMA might be fun. I will try my best to answer all of the questions I get asked, but it may not happen quickly!

      A bit about my research. I study the conditions in the early universe, specifically when the cosmic microwave background was forming, and I use CMB data to test our understanding of this era. The CMB formed roughly 300,000 years after the big bang, when the universe was 1/1000th its current size. The patterns that we see in the temperature fluctuations of the CMB can tell us a lot about the universe at this early time, and specifically we can try to use them to see if anything ‘unexpected’ happened at this time, like a hitherto undiscovered particle annihilating into ‘normal’ particles (for example).

      Ask me anything about the early universe, or physics writ large, and I will do my best to answer!

      51 votes
    34. Anyone here like e-scooters?

      The cost keeps dropping and the specs keep getting better and better, but they seem pretty dangerous, mainly because you have to share the road with cars. Still, for the price of an ultra cheap...

      The cost keeps dropping and the specs keep getting better and better, but they seem pretty dangerous, mainly because you have to share the road with cars. Still, for the price of an ultra cheap beater car, less than $2000, you can get an electric vehicle with 50+ miles of range and 30+ mph speeds, that you can fold and carry with one arm (if you're kinda strong).

      I've got a basic one and its great. My only gripe is that I don't feel comfortable locking it up on a public street due to theft, so if I want to scoot to a store, I have to bring the scooter in with me. Would be great to see this mode of travel widely adopted, with some decent infrastructure like rentable lockers and more bike paths that aren't just the shoulder of a street full of cars.

      14 votes
    35. Any retrocomputing fans in the house?

      First and foremost: I'm not certain whether this belongs in ~hobbies or ~comp. As I consider this a hobby, this seemed like the more appropriate spot, but I'm more than happy to move/repost in...

      First and foremost: I'm not certain whether this belongs in ~hobbies or ~comp. As I consider this a hobby, this seemed like the more appropriate spot, but I'm more than happy to move/repost in ~comp.

      So for the past few years, I've really been hit by the computer nostalgia bug. It originally started as me just wanting to dive back into MUDs, and the whole retrocomputing fascination probably came from me wanting to recreate the "good ole' days" where I would pull up the Windows 98 terminal app and connect to my favorite MUD.

      Now I've got a room in my house dedicated to this old, esoteric hobby that happens to take up a lot of space. Admittedly, I don't know a TON about hardware but I've been having a blast tinkering around on old machines. It's even more fun to see how I can push the limits of the computers given a few modern tweaks here and there.

      Here's what I've currently got sitting up in the Upstairs Museum of Retrocomputing:

      • A Compaq Prolinea 5/75 Pentium - this was given to me by a friend who had it sitting in the basement. To my surprise, everything was still in working order and it fired right up (Windows NT 4.0!) on the first try. Of course, I ripped out the old barrel clock battery and put in something safer. I'd say I tinker with this one the most on the software side, while still trying to keep the hardware as close to original as possible.
      • A Compaq Prolinea 3/25s 386 - I just picked this bad boy up and am working on getting an OS installed. It had some damage from a leaky clock battery but I don't believe anything was irreversible. I'm not too confident in the whopping 4 MB of memory, but I'm planning on installing Windows 3.11 on this one.
      • A Tandy TRS-80 CoCo 2 - It works, but I haven't spent a ton of time with it because I don't have an old TV or monitor with a coax connection. I'd love to figure out how to create my own cartridge with a homebrew version of Zork or Adventure.
      • A Power Mac G5 - It's not ancient, but I think it's still worthy of being in the museum. I haven't had a chance to play around with it yet because I don't have the right video cable. I'll get around to it eventually.
      • A Generic Pentium 4 - I actually found this one at a Goodwill store. This one fired right up and had a copy of Windows 2000 installed, including all of the old work files that the person left intact. This one has been the easiest to mod because it's somewhat closer to modern and uses a common form factor. So I've plugged in a new OS, new ethernet, etc. At some point the technology starts to blur and you start questioning why you aren't just using a modern computer.

      What's next on my list? I'd like to start playing around with computers/OSes that I'm unfamiliar with. I grew up in a DOS/Mac OS 7-10/Windows world, so I'd love to get my hands on a NeXt, BeOS, etc. or even an Apple II.

      But first I need to get the damn 386 running again.

      14 votes
    36. I need casual, easy going games to help me relax. So, Tildes, what you got?

      I like to play games. So I guess I'm a "gamer"? But: I'm not into arena shooters, MMORPMRPORG grinders, anything with endless cutscenes of exposition and absolutely nothing that needs a "pass" to...

      I like to play games. So I guess I'm a "gamer"? But: I'm not into arena shooters, MMORPMRPORG grinders, anything with endless cutscenes of exposition and absolutely nothing that needs a "pass" to play... so where's my games? I feel like there's nothing for casual-but-not-candy-crush-or-clash-of-clans players like me out there.

      I want something that takes me back to the days of Roller Coaster Tycoon, Sim City 2000 or more recently, Stardew that's not going to make my blood boil or nickel-and-dime me to progress. That doesn't mean it needs to be cute or easy, but more... meditative? Or goofy?

      Given the crowd here I figured you lot would probably have some good recommendations. So: fire away!

      79 votes
    37. Best products to bring back to Europe from the US

      I'm a US citizen living in Berlin, and I'm currently back in the US (Northeast Ohio specifically) for a family wedding. We've got a lot of extra room in our suitcases, so I want to bring stuff...

      I'm a US citizen living in Berlin, and I'm currently back in the US (Northeast Ohio specifically) for a family wedding. We've got a lot of extra room in our suitcases, so I want to bring stuff back that's hard(er) to get ahold of in Germany. I figured this is a good place to ask for any recommendations from others who live in Europe or have experience traveling!

      As an example, here are some of the common recs I've seen in threads on r/germany:

      • bulk OTC meds like aspirin and tylenol (not hard to find in Germany but cheaper in the US)
      • brown sugar
      • double-acting baking powder
      • Frank's red hot sauce (maybe other hot sauce as well, Germans are not a spicy people)
      • Ranch dressing (I've heard the powdered kind is better bc it's easier to pack?)
      • Adobo seasoning (probably other Latin American ingredients too but this one specifically is a must-buy even for my white ass)
      • specific brands of candies & junk food not available in Germany (though ime this category is the easiest to find at US-themed international stores, albeit at high prices)
      • Levi's jeans for some reason (I don't really get this one tbh but I always see Germans saying it in threads)

      I know for sure I'll get home and immediately regret not having purchased something. Anyone with experience traveling between these two continents, please let me know if you think of something missing from this list!

      16 votes
    38. Anyone going to Gencon?

      We're at 59 days until Gencon and its one of my favorite events of the year. Wondering if anyone else is going and what you're excited for. It seems like Lorcana is set to the be the buzz of the...

      We're at 59 days until Gencon and its one of my favorite events of the year. Wondering if anyone else is going and what you're excited for.

      It seems like Lorcana is set to the be the buzz of the con this year around. While I'm interested in getting my hands on a deck or two to give it a go, I'm more looking forward to when BGG posts their games that will be releasing to sift through and try to find a hidden gem or two.

      12 votes
    39. What does your self-hosted server setup look like?

      Hoping we can get some discussion on self hosting setups throughout the community and help anyone who may be interested with common setups and finding interesting software. Hardware Currently...

      Hoping we can get some discussion on self hosting setups throughout the community and help anyone who may be interested with common setups and finding interesting software.

      Hardware
      Currently running everything on a Dell 7050 SFF (intel i5-7500 and 16GB RAM) which suits my needs perfectly. Had used an older SFF before (i forget which) and a cheap older model mac mini (2012 I think) for self hosting before, but those were not the right choice as I didn't properly understand what hardware encoding was at the time. The i5-7500 handles all the media I have when transcoding is needed. Only thing it can't do is AV1, but my setup avoids those anyway.

      Operating System
      Distro Hopping habits are hard to break and that "itch" unfortunately carry over to the server. Currently running Ubuntu 22.04 LTS for a few months now, but feeling like a change is needed soon. I've used Ubuntu, Debian, and Fedora for servers before and they each have their own little problems that make me eventually switch. I am considering maybe doing a Proxmox setup so I can spin up a VM whenever that itch comes, but not sure if they added complexity is worth it in the long run.

      Software
      Yay, the best part! My self hosting stack has changed a ton over the years. Everything in my stack is in a docker container through a set of badly written compose files (planning on redoing things, cleaning things up, making things consistent, etc.). I'll just do a rundown of everything with a brief description of what it is:

      • Plex Gives me a Netflix like streaming experience at home. Currently working on shifting things over to JellyFin as Plex is starting to grow increasingly buggy for me.
      • Sonarr Automatically tracks and downloads all my shows. I have two instances of this running, one for normal tv shows and another for anime
      • Radarr Automatically tracks and downloads all my movies.
      • Prowlarr Sowers the high seas for what Sonarr and Radarr are looking for and gives them the "linux iso".
      • rdt-client Probably different to most peoples setups. I use a debrid service (not sure why people call them that), to download my "linux iso's" for me and I do a direct download from them. Much quicker and no torrenting traffic on my end. Also it's also cheaper than paying for a VPN usually.
      • File Browser A good web ui for managing files
      • Nginx Proxy Manager Is a reverse proxy for all of my services and gives me HTTPS for everything. Gets rid of the annoying browser warnings.
      • Tailscale The most recent addition to my setup. Allows me to access my network anywhere. Similar to a VPN (I know it uses wireguard under the hood), but does a lot of magic for you and just makes everything work and connect together, its really cool.
      • Adguard Home Gives me a local DNS server that does DNS level ad blocking. Never given me problems and it works well, but I am thinking of reducing the complexity of my setup and removing it. There tons of DNS servers out there that can do the same thing and I don't mind trusting a few of them (like quad9 or mullvad dns).
      • Watchtower It monitors all my docker containers and keeps them up-to-date. If a new version is out, it will automatically download the latest version and restart the container and delete the old container version. I know its not the best idea, but its only cause a break 1 time with 1 container in the couple years I've run this setup.
      • Homepage Literally the homepage for all my services. I've tried a lot of different ones and Homepage is easily the best. Simple, but powerful to configure.

      Keen eyes may have noticed the lack of backup software. I'll get around to that, eventually.

      47 votes
    40. Let's chat everything classical music

      Hey all, Brand new Tildes user here. In real life, I work full time as an orchestral and opera conductor. I love all kinds of music (outside of classical, I particularly love musical theater,...

      Hey all,

      Brand new Tildes user here. In real life, I work full time as an orchestral and opera conductor. I love all kinds of music (outside of classical, I particularly love musical theater, jazz, and hip hop) but classical music is what I know best. How about let's start a thread about classical music? What do you like? What questions do you have? Do you want to know more about how orchestras, opera theaters, and ballet companies work? Shoot me anything and everything!

      And to start, I'd like to share with you this concert recording, the only recording of this amazing and little-known work by composer Alice Mary Smith.

      24 votes
    41. How do I convert a dictionary in sqlite3, and I want to convert it to something usable by StarDict. Is that possible?

      I don't know if my question makes any sense, and it's okay to say "No, sorry, it doesn't work like that". I have a (pirated) dictionary that has the words and definitions in an sqlite3 database...

      I don't know if my question makes any sense, and it's okay to say "No, sorry, it doesn't work like that".

      I have a (pirated) dictionary that has the words and definitions in an sqlite3 database format.

      I want to convert this into something that can be used by either Fora, GoldenDict, or StarDict.

      Fora can use StarDict, DSL, XDXF, Dictd, and TSV/Plain dictionaries

      GoldenDict can use Babylon .BGL, StarDict .ifo/.dict./.idx/.syn, Dictd .index/.dict(.dz), and ABBYY Lingvo .dsl source files.

      I've found lots of software that goes the other way - it'll take a dictionary and dump it into an sqlite database. But it doesn't go the otherway.

      Is what I'm asking for coherent, does it make any sense?

      (I'd prefer Windows, or FreeBSD, but at this point I'd install Linux to get it done).

      9 votes
    42. Linux newbies: ask your questions

      Whether you're new to distro installs or aiming to delve deeper, feel free to ask any questions here - remember, no question is stupid! I'll do my best to answer, and if I can't, someone here...

      Whether you're new to distro installs or aiming to delve deeper, feel free to ask any questions here - remember, no question is stupid!

      I'll do my best to answer, and if I can't, someone here likely can, or at least guide you in the right direction.

      Background: I've been a Linux user since 2007, starting with Ubuntu Feisty Fawn after losing my Windows XP product key. I've performed countless installs, worked in web hosting NOCs, and use multiple distros daily, including Proxmox.

      If you prefer, don't hesitate to PM me directly!

      30 votes
    43. What whisky/whiskey have you been enjoying, and what's your opinion on them?

      What have you been drinking, sipping and enjoying, in the world of whisky/whiskey spirits lately? Discussion about Scotch whisky, Irish whiskey, international whiskey, bourbon, etc. are all...

      What have you been drinking, sipping and enjoying, in the world of whisky/whiskey spirits lately? Discussion about Scotch whisky, Irish whiskey, international whiskey, bourbon, etc. are all welcome. Please don't just make a list of titles, give some thoughts, reviews, and tales about the spirits if you like!

      I myself was thoroughly surprised at a whisky bar today with the Hatozaki 12. I went to the bar to try out my first Japanese whiskey's and found Hatozaki 12. It was absolutely lovely, bottled with integrity and at a fair price ($8/oz). I was not expecting such fruity and floral notes. I tried out a few from Nikka and Suntory and was not impressed. The Nikka Yoichi tasted off and a wee bit musty. The Suntory felt too light and like it belongs in a highball. I am looking forward to continuing the journey of exploration with Japanese whisky in the future. It is a stark change from the Islay Scotch whisky I drink regularly.

      • Hatozaki 12 - Small Batch - Umeshu Cask: 87/100
        Owner: Akashi Sake Brewery LTD
        Region: Kaikyo Distillery, Akashi City, Hyogo, Japan
        Nose: Vanilla, honey, floral, cream, red apple, fresh fruit
        Palate: Vanilla, toffee, cherry blossom, peaches in cream, lavender
        Finish: Vanilla, floral, lavender, cream linger for several minutes after
        Note: Non-chill filtered, Natural Color, 46% ABV, speyside feel with some added bonus

      My grading chart:

      • 98 – 100 (A+) = Booze Nirvana.
        This is the promised land where every sense is satisfied and, unless it’s a perfect 100, you have to search and nit-pick for what’s wrong instead of what’s right about this whiskey because it’s so on point.
      • 93 – 97 (A) = Exceptional – Superior in every way
        These are the best of the best and within spitting distance of Nirvana. They embody everything that category is about and then elevate it to another level. These are ones I HIGHLY recommend.
      • 90 – 92 (A-) = Excellent – want to buy a case
        Whiskeys that hit this rating are extra awesome. They’re delicious and complex Daily Drinkers and even though they are not quite best-in-class, they’re among my favorite whiskeys and I would wholeheartedly recommend them to anyone at any time.
      • 87 – 89 (B+) = Great – always want to have a bottle
        These are whiskeys that as soon as you taste them you say, “I want to own a bottle” and if you already own the bottle, you just smile because it’s yours. It’s not a record breaker by any means, just a good solid delicious whiskey.
      • 83 – 86 (B) = Good – not a “must”, but a nice-to-have
        The majority of my baselines are found here. This range is where the “daily drinker” status starts to emerge and where I find whiskies that’re good to drink but may rotate in and out of my collection. They’re not something you’d miss when it’s out, but good enough to give a moment’s consideration when at the liquor store.
      • 80 – 82 (B-) = Not-too-bad – no major flaws, worth tasting
        This is the stuff I’d recommend you try at the bar or at a friend’s house before buying a bottle. There’s nothing really wrong with it, it’s just not… quite… there.
      • 77 – 79 (C+) = Average – not good, not bad, just is
        There might be some minor flaws, all-in-all it’s not offensive, but it might be boring. There’s just nothing at all noteworthy about this whiskey. Would recommend to starters.
      • 73 – 76 (C) = Below average – drinkable, but better as a mixer / party booze
        It’s not like you or I actually WANT to drink this stuff, but sometimes you’re at a wedding or a shitty bar and it just happens to be there, and a beer just doesn’t sound great, so you grin and bear a glass or, when possible, ask for it in a cocktail. If the bartender sucks, you might even take a bit of solace in the knowledge that they didn’t ruin a good whiskey with their terrible cocktail.
      • 70 – 72 (C-) = Not good – nearly undrinkable, wonder why the hell they made it
        When I drink this stuff, I wonder if the Master Distiller is actually proud of what they’ve put out or if it’s something they just shove out to make a quick buck. I then wonder about the person who habitually buy it and wonder what admirable qualities they find in it that I can’t.
      • 60 – 69 (D) = The only thing this should be used for is making Jungle Juice, and even then, Seriously, I start to wonder if it’s even safe for human consumption at this point. - It’s just plain vile.
      • 59 – 0 (F) = Horrifically flawed – the worst
        This is when I call the FDA because I’m pretty damn sure it’s not safe to drink this swill.
      35 votes
    44. Tildes fundraiser June 2023: Encourage an app developer (me) to work on a Tildes app faster, by donating to Tildes (not me)!

      Hey Tildes, with the renewed interest in the site, it got me thinking that we should hold a fundraiser for the not-for-profit company—which currently consists of just one person—that runs Tildes....

      Hey Tildes, with the renewed interest in the site, it got me thinking that we should hold a fundraiser for the not-for-profit company—which currently consists of just one person—that runs Tildes. It's overdue.

      Disclaimer: These are my words as a member of the community. I haven't run this message by the admin before posting. I may have gotten some details wrong.

      Where to donate

      History

      A bit of history: The site admin, @Deimos ran the first three years of the site working full-time on it, paid only by donations, plus a $5000 GitHub sponsor match one year, which I'm not even sure was fully achieved, or only just barely.

      For that time period 2018-2020, a lowball salary as a software engineer with his experience would have been $100,000 USD per year not including benefits.

      If he received $5000 in donations per year (almost certainly an overestimate for more recent years) plus the $5000 GitHub match for the first year—for the 5 years of Tildes' life, that's about $30,000.

      The remaining opportunity cost of $270,000 was essentially paid out of pocket by himself, as a donation to the community. Plus remember there are server expenses, legal incorporation expenses, etc. And, y'know, rent.

      In recent years he had to take a full-time job because the situation was, of course, unsustainable.

      App?

      I announced in April that a mobile app is under development. Originally, I was planning to take my time and release a first alpha by the end of 2023.

      How about if we struck a deal: get the donation numbers up and I will devote more time to the app, as opposed to splitting my time between it and contract work and other projects.

      What's the deal?

      • 150 active donors combined on GitHub Sponsors and Patreon—I'll release an alpha by November.
        GOAL REACHED
      • 300 active donors—I'll release an alpha by October.
        GOAL REACHED
      • 500 active donors—I'll release an alpha by September.

      The dollar amounts don't matter.

      As of writing, we are at 46 active donors.

      What's in it for you, though?

      Feeling like I did a good deed, I guess? I'm not looking for a "slice of the pie," to be clear. In some sense I'd be matching your donations with my time, aka opportunity cost.

      If I donate, can I bother the admin to work more on the site?

      No.

      Again, I haven't run this fundraiser by the admin. He will certainly keep his full-time employment for the foreseeable future, and will not magically have more hours in the day to devote to Tildes.

      With a sustainable budget, though, a lot can happen in the future. Contracting out work to others, for example.

      But the point of this fundraiser is more to make a small dent in the past debt we owe the admin, not making any promises whatsoever on the future of the site and how it's run.

      Let's go, my fellow Tilderinos!

      313 votes
    45. Suggestion: Show number of times a tag has been used

      Roughly knowing how many times each tag has been used would provide users actionable information if they would like to search or filter by tags. It might improve UX when applying tags, but might...

      Roughly knowing how many times each tag has been used would provide users actionable information if they would like to search or filter by tags.

      It might improve UX when applying tags, but might have undesirable side effects in user behavior.

      I can think of three places this might be implemented, and I don't know which, if any, we want:

      When filtering topics by tags:

      • informs users how large or small their scope is
      • this view should probably be kept somewhat up to date

      When looking at a topic's tags:

      • informs users where to start searching/filtering
      • passively builds a frame of reference for how tags are used?
      • this view could be allowed to become outdated and stale without issue

      When applying tags

      • a more common tag might be less accurate, but it might be more helpful?
      • in the auto fill issue weight by frequency was proposed, which is somewhat similar but more opaque
      • this should probably use pretty recent counts as well
      17 votes