• Activity
  • Votes
  • Comments
  • New
  • All activity
  • Showing unfiltered topic list. Back to normal view
    1. Are "Ask" posts stifling the visibility of link posts on Tildes?

      Disclaimer: This is just an observation of changing dynamics on Tildes! I don't mean to suggest any sort of way that Tildes should or shouldn't be. I've noticed over the past few days that the...

      Disclaimer: This is just an observation of changing dynamics on Tildes! I don't mean to suggest any sort of way that Tildes should or shouldn't be.

      I've noticed over the past few days that the Tildes front page has become filled with Ask posts. My best guess as to why is that these posts are the easiest to create and respond to? They're an easy way to spark discussion, generating lots of bumps back to the front page.

      Now, I love seeing folks connect over all these niche topics and experiences. It feels like folks here are finding their people after losing the tight knit communities they had on Reddit, and that's lovely! In fact, it almost feels like these niche ask posts are acting as an impromptu replacement for the niche groups that Tildes currently lacks.

      But, one consequence of this is that link posts get quickly pushed off the front page. I had noticed that link posts often struggled to generate discussion, even before the influx of new users. Longread articles and video essays take time to digest, and time to formulate opinions on. But now, I think this effect is compounded by the popularity of Ask threads, with fewer eyes dedicated to these links after they've left the front page.

      Some closing questions:

      • Have other users noticed this? How do you feel about this shift?
      • Is there any merit to having a group dedicated to ask posts? Sort of like /r/AskReddit, but for Tildes? (That way, the posts can be easily filtered if a user wants to only see link posts.) EDIT: Filtering is possible already by filtering out the 'self post' tag, as suggested by @streblo.
      • Should the visibility of link posts and ask posts on the front page be artificially balanced in some way?
      42 votes
    2. Let's reminisce about the time when tech subsidized the cost of living

      It's pretty clear that those times are over, but I'm sure many of us remember the heydays of VC funded tech extravagance. These are the ones that come to my mind, hoping to hear others experience....

      It's pretty clear that those times are over, but I'm sure many of us remember the heydays of VC funded tech extravagance. These are the ones that come to my mind, hoping to hear others experience.

      • At one point, uberpool was cheaper than the cost of public transport in the city.
      • No sales tax on Amazon!
      • So many promotions and code to get you to join in on their platform. This was also before they try to get you to subscribe to their monthly plans.
      17 votes
    3. What makes you play wargames instead of strategy video games?

      I am mostly a TTRPG player, but lately I have been becoming a bit curious on wargaming. I usually play TTRPGs because it allows a lot more freedom when compared to video games. However, I can't...

      I am mostly a TTRPG player, but lately I have been becoming a bit curious on wargaming.

      I usually play TTRPGs because it allows a lot more freedom when compared to video games. However, I can't really see that much in wargaming that you can't get in video games. Is the appeal primarily a social one?

      I am not bashing wargaming or saying that it's a bad hobby. I am just curious as to what the main draw is.
      Thank you for any answers :)

      6 votes
    4. For anyone that likes sticky navbars

      I found myself wishing the website had a sticky navbar on desktop, so I made a Tampermonkey script to do just that. Sharing this in case anyone else was looking for something similar. To use, just...

      I found myself wishing the website had a sticky navbar on desktop, so I made a Tampermonkey script to do just that. Sharing this in case anyone else was looking for something similar.

      To use, just open this link with Tampermonkey installed, and you should be prompted to install it.
      https://ewp.fyi/tilde-tweaks/sticky-navbar.user.js

      24 votes
    5. Tildes UserScript: Comment Link Fix

      I joined Tildes a couple of days ago, and I'm absolutely loving the interface and community. In the last few days of using Tildes, I noticed a particular problem that was mildly annoying; if you...

      I joined Tildes a couple of days ago, and I'm absolutely loving the interface and community.

      In the last few days of using Tildes, I noticed a particular problem that was mildly annoying; if you have the "Collapse old comments when I return to a topic" setting on, and you click on a link that is supposed to lead to a comment in a topic you have already visited, it won't jump to that comment.

      Searching around, I found a post about it from a day ago, in which long-time users have mentioned that it's been a known problem for a while now. In those comments, someone mentioned permalinks as a solution, but it appears that's still in the works.

      For now, I've made a quick userscript that will address this issue (and adds some slight related functionality). It hasn't been thoroughly tested yet, so if any issues occur, please let me know. This userscript is designed to be used with Tampermonkey (a privacy-friendly alternate that should work is ViolentMonkey), which is available in all popular desktop browsers. Installation instructions for Tampermonkey are available on their site (it's installed like any other extension).

      To install the script, you can head to this GitHub Gist which contains the code (click "Raw" to open the TamperMonkey install prompt), or you can copy and paste the code from the following dropdown block into a "New script" on the TamperMonkey dashboard. The dropdown is not guaranteed to contain the latest version.

      Code
      // ==UserScript==
      // @name         Tildes Comment Link Fix
      // @namespace    https://gist.github.com/blankdvth/6da89fff580e8cf6e50f88847ddb5729
      // @version      1.2.0
      // @description  Fixes comment links (anchors) not working as a result of Tildes' comment collapsing feature.
      // @author       blank_dvth
      // @match        https://tildes.net/*
      // @icon         https://www.google.com/s2/favicons?sz=64&domain=tildes.net
      // @grant        none
      // ==/UserScript==
      
      /* 
          USER SETTINGS
          This script is not big enough to warrant a visual settings menu, so adjust settings here.
          true = enable, false = disable
      */
      const alwaysRun_S = false; // If enabled, will always run the script, even if the comment was not collapsed (site works fine in this case). This is useful if you want to make use of the other settings.
      const smoothScroll_S = false; // If enabled, will smoothly (animated) scroll to the comment. If disabled, will jump to the comment.
      const uncollapseIndividual_S = true; // If enabled will uncollapse parent comments into one line instead of fully uncollapsing them.
      const uncollapseChildren_S = true; // If enabled, will uncollapse all children of the comment. If disabled, will leave them collapsed.
      const collapseIrrelevant_S = true; // The script uncollapses all parents to ensure the comment is visible. This will collapse irrelevant (not direct parent) comments again.
      // END OF USER SETTINGS
      
      /**
       * Uncollapses the comment if it is collapsed.
       * @param {HTMLElement} element Article element of the actual comment
       * @param {boolean} individual If true, will "uncollapse" into one line instead of fully uncollapsing
       * @returns {boolean} True if the comment was collapsed, false if it was not
       */
      function uncollapse(element, individual = false) {
          if (element.nodeName !== "ARTICLE") return false;
          var removed = false;
          if (
              !individual &&
              element.classList.contains("is-comment-collapsed-individual")
          ) {
              element.classList.remove("is-comment-collapsed-individual");
              removed = true;
          }
          if (element.classList.contains("is-comment-collapsed")) {
              if (individual)
                  element.classList.add("is-comment-collapsed-individual");
              element.classList.remove("is-comment-collapsed");
              removed = true;
          }
          return removed;
      }
      
      /**
       * Uncollapses all direct parents of the comment.
       * @param {HTMLElement} element Article element of the actual comment
       * @param {boolean} collapseIrrelevant If true, will collapse irrelevant comments again
       * @param {boolean} individual If true, will "uncollapse" into one line instead of fully uncollapsing
       * @returns {boolean} True if any parent was collapsed, false if none were
       */
      function uncollapseParents(element, collapseIrrelevant, individual) {
          const relevant = []; // List of relevant elements (direct parents)
          var wasCollapsed = false; // Whether any parent was collapsed
          while (
              element.parentElement &&
              element.parentElement.nodeName !== "SECTION"
          ) {
              element = element.parentElement;
              relevant.push(element); // Add parent to relevant list
              if (uncollapse(element, individual)) wasCollapsed = true;
              // Collapse all irrelevant sibling comments (if feature enabled)
              if (collapseIrrelevant && element.nodeName === "ARTICLE") {
                  element
                      .querySelectorAll(
                          `article#${element.id} > ol.comment-tree > li.comment-tree-item > article:not(.is-comment-collapsed)`
                      )
                      .forEach((child) => {
                          if (!relevant.includes(child))
                              child.classList.add("is-comment-collapsed");
                      });
              }
          }
          return wasCollapsed;
      }
      
      /**
       * Uncollapses all direct children of the comment.
       * @param {HTMLElement} element Article element of the actual comment
       */
      function uncollapseChildren(element) {
          element
              .querySelectorAll("article.is-comment-collapsed article.is-comment-collapsed-individual")
              .forEach(uncollapse);
      }
      
      (function () {
          if (!location.hash.startsWith("#comment-")) return; // Not a comment hash
          const comment = document.getElementById(location.hash.substring(1)); // Get comment element
          if (!comment) return; // Comment does not exist
          // Uncollapse the comment itself, and it's parents, then perform other actions if needed/enabled
          if (
              uncollapse(comment) |
                  uncollapseParents(
                      comment,
                      collapseIrrelevant_S,
                      uncollapseIndividual_S
                  ) ||
              alwaysRun_S
          ) {
              // Uncollapse all children (if feature enabled)
              if (uncollapseChildren_S) uncollapseChildren(comment);
              // Scroll to the comment
              if (smoothScroll_S) comment.scrollIntoView({ behavior: "smooth" });
              else comment.scrollIntoView();
          }
      })();
      
      Settings Description

      There are comments that already contain short descriptions for each setting in the code, but here are more in-depth descriptions.

      • alwaysRun: By default, the script does not run if the comment and its parents are already uncollapsed (this means the in-built anchor will work as expected). However, when this setting is enabled, the script will still perform the additional options (such as uncollapsing children and collapsing irrelevant).
      • smoothScroll: When enabled, will use a smooth animated scroll. When disabled, will jump directly.
      • uncollapseIndividual: Parent comments need to be uncollapsed in some shape or form in order for the script to work. This allows you to choose what type of uncollapse is used. When enabled, it will uncollapse the parent comments into a single line (shows a short preview). When disabled, it will fully uncollapse the parent comments (everything is visible).
      • uncollapseChildren: When enabled, will automatically uncollapse all child comments (replies) to the linked comment.
      • collapseIrrelevant: When enabled, it will automatically collapse all sibling/cousin comments (comments that have a shared parent but are not directly ancestors of the linked comment)
      Changelog (Last Updated 2023-06-12 22:55 EST)
      • v1.2.0:
        • Prevent entire sibling/cousin chains from being collapsed, only collapse toplevel
        • Ensure individually collapsed children are uncollapsed properly
        • Ensure proper exiting if comment does not exist
      • v1.1.0:
        • First public release
      33 votes
    6. 24 Hours of Le Mans running right now

      The 24 hours of Le Mans is about 6 hours in! Anyone watching? Thoughts? Besides the hour-long safety car during the rain, it's been a lot of fun so far. It's my first year watching after getting...

      The 24 hours of Le Mans is about 6 hours in! Anyone watching? Thoughts?

      Besides the hour-long safety car during the rain, it's been a lot of fun so far. It's my first year watching after getting into F1 and Indycar in the past few years and I'm having a blast.

      19 votes
    7. Any 2022/3 horror/thriller movies that anyone would recommend?

      Hey everyone! I love a good horror/thriller type movie and tend to binge on them every few months. I am however behind on releases over the last year or so :< I'd love to get some recommendations...

      Hey everyone!

      I love a good horror/thriller type movie and tend to binge on them every few months. I am however behind on releases over the last year or so :<

      I'd love to get some recommendations from the wider community to add to my list of must sees!

      Thank you in advance!!

      31 votes
    8. Is anyone else just fed up with companies being greedy?

      It feels like in the last few years so many companies are becoming incredibly greedy in a chance to try and raise profits and please the shareholders, companies hoping that people will comply as...

      It feels like in the last few years so many companies are becoming incredibly greedy in a chance to try and raise profits and please the shareholders, companies hoping that people will comply as they have no choice and give away more of their money to allow these companies to make record levels of profits.

      It seems like people are getting less and less and what they have left the companies just want more and more from everyone. I'm not referencing any specific company here but I have seen these trends in the last couple of years get a lot worse.

      Customer Impact

      • Raising prices there is some valid reasons to raise prices, but sometimes prices are raised just as a way to make more money quickly.
      • Quality reduction it feels like companies are asking more money for less quality goods more than ever.
      • Excessive manipulative marketing especially on social media and other playes which can misleed people.
      • Data explotation companies mis-using peoples data just so they can make some quick money.

      Employee Impact

      • Wage stagnation Despite the soaring profits many companies refusing to increase wages, leading to financial insecurity.
      • Unfair labor practices Companies expecting more from their employees for less money basically.
      • Job insecurity replacing workers with automation and outsourcing to cut costs.
      • Mental health high pressure enviroments to force profit-driven companies causing record levels of mental health issues.

      Society and Enviromental Impact

      • Polluting Companies prioritising profits over the enviroment leading to pollution, waste etc
      • Economic Inequality Coporate greed leading to income disparities, undermining social coheison.
      • Unfair influence on policy Companies using their power and wealth to influence policy making

      My question is, when is enough is enough? At what stage should something be done? Anything? to stop corporate greed from runing society?

      102 votes
    9. Any boxers out there that can give me some starting tips?

      So I got a 1.20m, 30kg punching bag, and hung it on the upper floor. I don't have boxing gloves yet but my friend suggested I just use cloth bandages on my hands. I'm looking for a boxing gym near...

      So I got a 1.20m, 30kg punching bag, and hung it on the upper floor. I don't have boxing gloves yet but my friend suggested I just use cloth bandages on my hands. I'm looking for a boxing gym near me. I'm open to any striking art but I've done taekwondo before and I'd really like to concentrate on boxing now. I can throw basic punches. I've been watching some videos on boxing basics and I think it's awesome. Anything I could start working on for myself?

      I'm already confident in self-defense. I don't have any specific reason to do it other than boxing looks fun. It's something I've been meaning to get into for years.

      I'm not in shape at all.

      Tips are welcome!

      13 votes
    10. Retired? Retiring? Considering retirement?

      I'm a newly retired 60-year-old, with a 76-year-old spouse. This is really hard sometimes! I'm trying to stay active in my non-profit, non-commercial endeavors, but I'm finding myself with more...

      I'm a newly retired 60-year-old, with a 76-year-old spouse. This is really hard sometimes!

      I'm trying to stay active in my non-profit, non-commercial endeavors, but I'm finding myself with more time on my hands than I know what to do with.

      How you doing?

      25 votes
    11. Bobiverse

      Any fans of this series over here? I was planning a series reread before book 5 comes out. It was going to be hosted on the bobiverse subreddit, but... well, ya know. If enough people want to do...

      Any fans of this series over here? I was planning a series reread before book 5 comes out. It was going to be hosted on the bobiverse subreddit, but... well, ya know.

      If enough people want to do one here I'd be happy to host it, probably starting in about 4 weeks and doing one book every 2 weeks.

      22 votes
    12. Fresh Album Fridays: Squid, Janelle Monae, King Krule and more

      Notable album releases from today, or after June 3. Squid - O Monolith (Rock, Art Punk) Bandcamp King Krule - Space Heavy (Art Rock, Neo-Psychedelia) Bandcamp Janelle Monae - The Age of Pleasure...

      Notable album releases from today, or after June 3.

      Squid - O Monolith

      (Rock, Art Punk)
      Bandcamp

      King Krule - Space Heavy

      (Art Rock, Neo-Psychedelia)
      Bandcamp

      Janelle Monae - The Age of Pleasure

      (R&B, Pop)
      Spotify

      Boldy James & ChanHays - Prisoner of Circumstance

      (Hip Hop, Boom Bap)
      YouTube Music

      Jason Isbell and The 400 Unit - Weathervanes

      (Country, Americana)
      Bandcamp

      Feel free to share more releases below.

      Any feedback on the format is welcome!

      13 votes
    13. 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
    14. The Expanse: Thoughts on railguns

      Having finished out the Amazon Prime series "The Expanse" I'm now working my way through the novels and I keep coming up against a problem with with railguns. Specifically, the way that railguns...

      Having finished out the Amazon Prime series "The Expanse" I'm now working my way through the novels and I keep coming up against a problem with with railguns. Specifically, the way that railguns are used in The Expanse doesn't mesh well with the way they're portrayed.

      First, some background. Ships in The Expanse are generally unarmored. There are a bunch of reasons for this but the short version is "most things that can hit you in space will kill you anyway" and armor adds mass which makes every manuver more expensive in terms of reaction mass. So no one has armor. This is important because it means that ships in the Expanse can get ripped up by something as mundane as a stray bullet from a Point Defense Cannon (PDC). PDCs are... well, they're guns. Regular guns which are flinging around much less mass and at much lower velocities than railguns.

      Thus, ships in the Expanse are equipped to handle impacts but nothing much bigger than a sand-grain moving at a few km/s.

      When we're introduced to rail-guns in the series we're given to understand that they use magnetic acceleration to chuck a 5kg chunk of tungsten and/or uranium at a target at an "appreciable percentage of C." That's much faster than a bullet or any micrometeors ships are likely to encounter. Even 1% of C is ~3,000 km/s.

      5 kg of Tungsten is less than you think. Some back of the envelope math suggests that's about cube about 2.6 inches on a side... which is not big. That works out to an incredible energy density which would make a lot of sense if railguns were routinely being fired at planets or asteroids but, since they seem to mainly target ships, the vast, vast majority of the energy that goes into flinging that slug at its target is going to carry through to the other side of the ship.

      All total we're talking about 488.5 million Newtons of force for 1% of the speed of light. Helpfully, this scales roughly lineraly so long as we don't get too close to C and induce relativistic mass issues, so 10% of C is 4.8 billion Newtons and so on. So, that railgun slug is carrying a lot of energy. At 1% of C it represents 22.5 trillion joules of kinetic energy. Written out long-ways so we can appreciate all those zeros it's 22,500,000,000,000 J. At 10%, we're talking 2.25 quadrillion joules. To give some sense of scale, that means that, at 1% of C, three rail-gun slugs are delivering about as much energy as the bomb that destroyed Hiroshima in 1945. At 10% of C one round carries about 537 kilotons, or about the yield of a modern, city-busting hydrogen bomb.

      Those are absolutely titanic amounts of energy but, realistically, they'll never deliver that much power to a target. After all, a railgun round can only push on its target as hard as the target can push back on it. If the round just punches through the entire ship like it's made of paper, most of the energy stays in the railgun slug as it exits the other side of the ship and you get a neat hole rather than a gigantic flash as trillions of joules of kinetic energy turn into heat.

      And obviously, if we're trying to kill things, we want the latter. The solution to this problem is fairly obvious: you need fragmentation. While it's great to have a tungsten cube all tightly packed together as you accelerate it, if you're shooting at a ship, you want a fairly diffuse impact, especially if we're talking about a 10% of C railgun slug. There aren't a lot of things out there in the solar system which can take 500 kilotons of hate and come out the other side in one piece. Moreover, at the distances at which a rail-gun fight happens, that spread would help ensure that you hit your target. Like a shotgun loaded with birdshot, a fragmenting railgun round would provide a cone of impact rather than a line, making dodges less effective.

      And, as I mentioned earlier, you don't need a ton of mass to make this work. If a PDC round can go straight through a military craft then we can safely assume that a chunk of tungsten with the same kinetic energy will do the same thing. PDCs look rather a lot like the close in weapons systems in use on many naval ships today so we'll use those as a guide. The 20mm cannon on a Phallanx CWIS tosses out rounds at about 1,035 m/s. Those rounds weigh about 100 g (0.1 kg) which gives them a kinetic energy at the muzzle of 53,422 J.

      So, if we could predictably shatter our 1% C railgun round into 421,136 pieces, each would have about the same kinetic energy as a PDC round and be able to hole the ship. At 10% C we could go even smaller and do the same thing with upwards of 40 million shards. 1% is plenty though. Each hull-penetrating piece of our original 5 kg bullet needs only weigh about 1/100th of a gram, which works out to being about 1/100th of the size of a grain of sand.

      Put another way, if the fragmentation of a rail round could be precisely controlled, a target ship would experience hundreds of thousands of individual hull breaches with the mean distance between them determined only by the geometry of the ship and the angle of the attack. The result of this would be either the delivery of a titanic amount of energy to the ship itself as the armor attempts to absorb the impact or, if no armor is present (as seems to be the case in the Expanse) the rapid conversion of the interior of the ship to a thin soup.

      This, however, seems never to happen in the series and what leaves me scratching my head. As a book and TV series, The Expanse does an otherwise bang-up job with hard science fiction. Most things in universe make sense. This, however, does not. We have take as a given that the materials science technology exists to allow the mounting and firing of a railgun on a ship -- there are a lot of challenges there -- but the straight-line-of-fire use of them is a rare problem with the world-building.

      Any fans have any suggestions to help me square this circle?

      45 votes
    15. What board games have you played recently?

      I went through a phase where we seemed to have board games nights with friends a couple of times a month but with the whole pandemic thing that has dried up. Tonight, I finally got around to...

      I went through a phase where we seemed to have board games nights with friends a couple of times a month but with the whole pandemic thing that has dried up.

      Tonight, I finally got around to trying Lanterns with my wife and we really enjoyed it. It's sort of similar to sushi go with more steps. You play lake tiles which contain lanterns and collect lantern cards based on how you place the lake tiles, then you dedicate those lanterns in different sets to gain honour (points) and at the end, who has the most honour wins.

      11 votes
    16. What is the simplest possible marinade recipe?

      I'm looking for the simplest possible marinade recipe. Something with very few ingredients that will work on any cut of meat. My plan is to use that as a base and learn to modify it based on the...

      I'm looking for the simplest possible marinade recipe. Something with very few ingredients that will work on any cut of meat.

      My plan is to use that as a base and learn to modify it based on the meat, dish, and flavor profile I'm going for.

      15 votes
    17. 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
    18. Looking for high-adrenaline suggestions

      I’d really appreciate suggestions for any action-packed anime series you might be able to share. I “play” Zwift indoors for exercise when I don’t have time to ride my bicycle outside. While Zwift...

      I’d really appreciate suggestions for any action-packed anime series you might be able to share.

      I “play” Zwift indoors for exercise when I don’t have time to ride my bicycle outside. While Zwift is a huge improvement over nothing, I still find myself watching the clock more than the screen. To help keep my mind busy and pass the time, I’ve been watching anime while riding indoors for the last several years. The more intense the anime, the better!

      I think the early Attack on Titan seasons are the most emblematic of what I’m looking for, though I’ve been enraptured by other less likely shows, such as Psycho-Pass and Dr. Stone.

      Chainsaw Man, Blue Lock, Shield Hero, Sword Art Online, Parasyte , the first season of Vinland Saga, Shokugeki, and many others have helped me get through countless hours of riding in the past, and I could really use a few new series going forward.

      Thanks in advance!

      Edit: cleaned up some phrasing

      Edit 2: It's really hard to come up with an exhaustive list, but as folks jog my memory (or when my own addled brain decides to be useful) I'll add other series I've seen so far as well.

      • Yowamushi Pedal
        • Because: of course
      • Lastman
        • A rare French anime, and I really enjoyed it
      • Fireforce
      • Neon Genesis Evangelion
      • One Punch Man
      • Kill La Kill
      • Gurren Lagann
      • Jojo's Bizarre Adventure
        • Watched a few episodes but struggled to get into it
      • Eighty-Six
      • My Hero Academia
      • Demon Slayer
        • Watched through the train movie and discontinued when they turned said movie into the next season
      • Mob Psycho 100
        • Watched a few episodes but struggled to get into it
      • Hunter X Hunter
      • Cowboy Bebop
      • RWBY
        • Struggling with the current season
      • Tokyo Ghoul
        • Struggling with season 3
      • Sabikoi Bisco
        • Made it to episode 10 and fell out of it, can't remember why
      • Ranking of Kings
        • Made it to episode 8 but never got into it
      • Welcome to Demon School Iruma-kun
        • Made it to episode 11 before dropping it
      • To Your Eternity
        • Made it a handful of episodes in but never got into it
      • Berserk
        • Watched the first season, need to get back to the second
      • Black Clover
        • Amusing enough, managed to watch 143 episodes lol
      • MEGALOBOX
      • FLCL
      • Naruto
      • That Time I Got Reincarnated as a Slime
      • Tower of God
      • Aoashi
      • Black Summoner
      • DNA2
      • Death Parade
      • Erased
        • This one hit me in the feels
      • Fate/Stay Night: Unlimited Blade Works
      • Fullmetal Alchemist Brotherhood
      • The Greatest Demon Lord is reborn as a Typical Nobody
      • Gundam Build Divers
      • Kaiji
      • Noblesse
      • Over Drive
      • Overlord
      • The Promised Neverland
      • Puella Magi Madoka Magica
      • Shinobi no Ittoki
      • So I'm a Spider, So What?
      • The World's Finest Assassin Gets Reincarnated in Another World as an Aristocrat
      • takt op.Destiny
      • RE:Zero
      9 votes
    19. A small WebView wrapper for Tildes

      I know a lot of people have been asking for an app, if just for a home screen/app drawer icon, so I cobbled together a small WebView wrapper that installs on your phone as an app. It's for Android...

      I know a lot of people have been asking for an app, if just for a home screen/app drawer icon, so I cobbled together a small WebView wrapper that installs on your phone as an app.

      It's for Android only (sorry iOS users) and probably will receive very little support, since I'm not an Android developer! In fact, this is just a fork of the vastly more capable woheller69's gptAssist, ported over to support Tildes and with some limiting functionality removed. Absolutely check out some of their stuff! My app and the original gptAssist are both licensed under the GPLv3. If anyone would like to contribute, please do! In fact, if you're an Android dev, feel free to fork and make it much better.

      I absolutely appreciate the design philosophy of the Tildes devs and think that a WebView wrapper is a good compromise between having an app and using the thoughtfully-built website. If you're anything like me, you just like being able to tap on an icon to get to where you're going. I put this together with that in mind.

      19 votes