• Activity
  • Votes
  • Comments
  • New
  • All activity
  • Showing only topics in ~tildes with the tag "self post". Back to normal view / Search all groups
    1. Tildes post please ignore (no seriously, use the ignore feature!)

      A lesser known feature of Tildes that is VERY useful: You can ignore any topic on Tildes! There are two ways to do it: From the main page, click Actions ▼ then Ignore this post From the topic...

      A lesser known feature of Tildes that is VERY useful:

      You can ignore any topic on Tildes! There are two ways to do it:

      • From the main page, click Actions ▼ then Ignore this post

      • From the topic itself, click Ignore

      The topic will leave your feed, never to be seen again (unless you want to or made a mistake, in which case you can see it under Your ignored topics on your user page and remove it from your ignore list).

      Use this to cut down on clutter from your feeds by eliminating high-activity topics you are not interested in.

      It will also mute notifications from that topic as well, so it’s a good way of disengaging from a conversation if you wish.

      I saw a few longtime users in other threads who were unaware of this feature until today, so I figured I’d make the PSA.

      Go ahead everyone, try it on this post!

      Ignore it, PLEASE!

      86 votes
    2. What types of content do you want to see on Tildes?

      Something you want to follow but don't have the energy to post? Something you want to start but not sure if there's an audience for it? Worry if it'd fit with existing culture? Share your ideas...

      Something you want to follow but don't have the energy to post? Something you want to start but not sure if there's an audience for it? Worry if it'd fit with existing culture? Share your ideas here to gauge interest.

      Cold posting can be scary, maybe this thread can help break the ice.

      79 votes
    3. 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
    4. Tildes invite session call to arms

      Hi all, I just took a look at the Tildes subreddit after the recent announcements, and there are tons and tons of invite requests there. I just wanted to draw the site's attention to that as right...

      Hi all,

      I just took a look at the Tildes subreddit after the recent announcements, and there are tons and tons of invite requests there. I just wanted to draw the site's attention to that as right now it seems like mostly @cfabbro (and probably @Deimos behind the scenes) handling them. I almost never use my invites, so I intend to go through and send out my 10 and help with the backlog a bit. I would encourage you all to do the same as well! Some good practices;

      • Reply to users once you have sent so that we do not double up, and can reach the most people with finite invites.

      • As always, be mindful of who you are inviting, and take a cursory look at their post history to make sure there are no crazy red flags. We are all responsible for the community we build here, so be mindful of who you are inviting!

      92 votes
    5. Tildes down?

      Was tildes down a couple hours ago for anyone else? I wasn't able to access it, also verified it with isitdownrightnow

      25 votes
    6. Suggestion: New tag for "Evergreen" posts

      Tildes has a lot of threads that are not time dependant, be they asks, surveys, recommendations and hypotheticals. Should we make an effort to give these posts an evergreen tag, and maybe even...

      Tildes has a lot of threads that are not time dependant, be they asks, surveys, recommendations and hypotheticals. Should we make an effort to give these posts an evergreen tag, and maybe even auto bump them back into circulation after a few years?

      6 votes
    7. Invites disabled?

      I usually browse Tildes logged out, however today I decided to log in to participate. Before doing so, I wanted to explore Tildes' user interface a little. I opened the "Invite Users" page and was...

      I usually browse Tildes logged out, however today I decided to log in to participate. Before doing so, I wanted to explore Tildes' user interface a little. I opened the "Invite Users" page and was greeted with a message stating: "You aren't able to generate more invite links right now.".

      To the best of my knowledge, I have never invited anyone before. I have a strong, random password on my Tildes account so I believe it to be unlikely I was compromised.

      Are invites globally disabled, or could a site administrator take a look at my account and check what's going on?

      3 votes
    8. Do you think an ~engineering group would make sense?

      I think it would, that's something that interests a vast number of users. Things like construction, bridges, buildings, city planning, trains, etc. Right now they can go to ~misc or ~design which...

      I think it would, that's something that interests a vast number of users. Things like construction, bridges, buildings, city planning, trains, etc. Right now they can go to ~misc or ~design which doesn't seem appropriate.

      5 votes
    9. Feature suggestion: Non-bumping comments

      Sometimes you want to reply to a comment with a remark that may not be of interest to the wider Tildes audience, but posting that reply is going to bump the post up in the recent changes list...

      Sometimes you want to reply to a comment with a remark that may not be of interest to the wider Tildes audience, but posting that reply is going to bump the post up in the recent changes list anyway. It would be nice if a reply-to-a-reply had a checkbox allowing you to mark it as a non-bumping comment, like the “minor edit” feature on Wikipedia. The drawback is that it might enable more clutter in the form of off topic chatting. The advantage would be that it keeps the top of the recent changes list free of uninteresting updates.

      One implementation detail regards the question of a non-bumping checkbox on replies to an already non-bumping comment. My sense is that once a comment has been marked “non-bumping”, all subsequent replies to it should be non-bumping as well.

      13 votes
    10. RSS feed improvements

      hey tilders, so I mostly read tildes.net content through my RSS reader, and it's 98% great. the remaining 2% is due to two things: HTML entities (fancy quotes, etc) don't degrade nicely; I get a...

      hey tilders,

      so I mostly read tildes.net content through my RSS reader, and it's 98% great. the remaining 2% is due to two things:

      • HTML entities (fancy quotes, etc) don't degrade nicely; I get a lot of &#xxx; in my feed reader - Edited topics (I think) get posted twice to the RSS feed, giving me duplicate items.

      I don't know how hard it might be to fix these issues, but is there anything I can do to help?

      7 votes
    11. After blocking a user on uBlockOrigin I can't see the number of votes

      After using this method to block a user on here I can no longer see the number of votes a comment or a post gets. I can see it fine when I switch to a browser without uBlockOrigin, but not on...

      After using this method to block a user on here I can no longer see the number of votes a comment or a post gets.

      I can see it fine when I switch to a browser without uBlockOrigin, but not on FireFox.

      Any reason for this?

      Edit: I also can't see anyone's username in the comments.

      10 votes
    12. Email alerts?

      Is there a way to get email alerts when someone responds or votes on your post? I ask because I don't check Tildes each day and last week I posted a question and forgot to return to look at the...

      Is there a way to get email alerts when someone responds or votes on your post? I ask because I don't check Tildes each day and last week I posted a question and forgot to return to look at the responses. If I had something like an email alert, it'd be a nice reminder to return.

      5 votes
    13. Search for tag site-wide?

      Clicking a tag provides the search results for that tag in the local group. Since some topics appear across groups, I think it'd be useful to view site-wide results as well, optionally. Does that...

      Clicking a tag provides the search results for that tag in the local group. Since some topics appear across groups, I think it'd be useful to view site-wide results as well, optionally. Does that already exist?

      9 votes
    14. When seeing a tag in a group, there is a link to take you back. I think a link to see that tag in all groups would also be nice?

      When you click in a tag in a tildes group, you see the topics that have been posted in that group with that tag according to your filters. There's also a link to go back to normal viewing. I think...

      When you click in a tag in a tildes group, you see the topics that have been posted in that group with that tag according to your filters. There's also a link to go back to normal viewing. I think an option to see that tag in all groups would be a neat addition, even if not particularly important. Thoughts?

      15 votes
    15. If bringing/migrating r/askbiblescholars to Tildes turns out well, what other subreddits/subreddit groups would you like to see here?

      I've heard many people here like truereddit and the depthhub network and so would probably pop up a lot here but I wonder what other suggestions we might have. I'd probably like r/imaginarymaps...

      I've heard many people here like truereddit and the depthhub network and so would probably pop up a lot here but I wonder what other suggestions we might have.

      I'd probably like r/imaginarymaps and a lot of related fantasy subreddits. It would probably also be interesting to call more hobby/social/'extravert' subreddits (or, odds are, any subreddit about anything that requires going outside, physical effort/tools or requires multiple people.)

      It would probably also be interesting to bring some subreddits for minority/discriminated against groups like r/ainbow, r/TwoXchromosomes or r/transgender.

      Lastly, there are namesake subreddits like r/hobbies.

      24 votes
    16. Thoughts on feeling like you're posting too many links when there is not enough content

      It seems like there are not that many new topics posted on Tildes, and that we could post a lot more. But I sometimes find myself reluctant to do so. Don't I post too much already? Recently there...

      It seems like there are not that many new topics posted on Tildes, and that we could post a lot more. But I sometimes find myself reluctant to do so. Don't I post too much already?

      Recently there was a survey and apparently many people think Tildes is too tech-oriented. I don't think it's all that tech oriented, not like Hacker News or lobste.rs, but that makes me a little more reluctant to post tech links. (Though, really, other people should post more of the kind of links they want to see.)

      I suspect it's not just me. Periodic topics sometimes get a lot of comments. Periodic topics have been started specifically to avoid having too many top-level topics on one subject.

      But, why are we avoiding this? What's wrong with posting more links? If this were a social bookmarking site, I'd be saving more links. Maybe I'd save a bunch of accordion links, without any regard for whether people are interested?

      It seems like we need something like folders. When new links are posted in a folder, they don't get listed individually at top-level. You could drop a bunch of links in a folder if you felt like it, without feeling like you're monopolizing conversation, because people would have to open the folder to see what's there. Or maybe instead of folders it would be something like creating a playlist. You could start a topic that's basically a list of links, and then anyone can add links to it if they want.

      It seems like groups don't really do this, somehow? They feel a bit too open and exposed. Everything shows up on the front page regardless of group. (I mean, you can filter or unsubscribe from groups, but many of us don't. Partly because they're too broad. Who's going to unsubscribe from music just because they aren't interested in some music?)

      So instead we use topics and post links as comments. It sort of works, but it's given me a lot of practice at writing markdown-formatted links on a mobile keyboard, and they appear differently in search and aren't tagged.

      It seems like links posted within a topic and posted top-level should be more similar in the UI. Maybe if there's some conversation about a link within a topic, a moderator could promote it to top-level? Maybe a lot of topics would start that way, and then the site would feel a bit more full.

      25 votes
    17. Should we use a megathread for US election news as we get closer to Nov 3?

      I was thinking about how much the quantity of election news is likely to increase as we get closer to Nov 3. And more specifically the likelihood that this election will not be clear cut, will be...

      I was thinking about how much the quantity of election news is likely to increase as we get closer to Nov 3. And more specifically the likelihood that this election will not be clear cut, will be contested, lawsuits filed, etc in the days and weeks after Nov 3.

      With that in mind, do we want to proactively put up a weekly (maybe daily for the actual week of) megathread to consolidate some of it?

      18 votes
    18. Distinguish "voted" state better?

      I've been on Tildes for several months now, but, to this day, I still have trouble discerning from the UI that I've already voted on something. I end up clicking, which makes it unvote, and I have...

      I've been on Tildes for several months now, but, to this day, I still have trouble discerning from the UI that I've already voted on something. I end up clicking, which makes it unvote, and I have to click to vote again.

      This is less of a problem in the feed, because a voted post stands out more, but when you click through to a post page, that context is gone, and the problem is very pronounced.

      I don't have any great solutions top of mind, but you could explore colour changes, wording changes, or extra wording.

      14 votes
    19. Should we talk about voting again?

      Based on replies to this comment there seems to be a decent amount of interest around the topic of reworking voting, so I thought I would start a thread to get some more input. We already had...

      Based on replies to this comment there seems to be a decent amount of interest around the topic of reworking voting, so I thought I would start a thread to get some more input. We already had similar discussions about a year ago but it looks like some people's opinions may have shifted somewhat? and as was noted in the comment thread, 1 week wasn't really enough to accurately assess the value of something like making vote counts invisible.

      Things to consider:

      • Do you think how voting works changes your/other's behavior on this site? and if it does, is this change positive or negative?
      • Would you support reworking/modifying voting? If so, how?
      • How long should we test said modifications if they are made?
      • anything else you consider relevant
      21 votes
    20. I can't invite anyone

      I never invited anyone, but the message says You aren't able to generate more invite links right now.. I've been on Tildes for about a month now. Please advise.

      8 votes
    21. Should we have a separate meta tag group for stuff that transcend Tildes groups and any given subject?

      This idea is inspired (at least for me, there are probably actual forums like Tildes to draw better comparisons to and take better inspiration from) by Danbooru (P.S: This image is just SFW...

      This idea is inspired (at least for me, there are probably actual forums like Tildes to draw better comparisons to and take better inspiration from) by Danbooru (P.S: This image is just SFW scenery but the site as a whole is not) , where they have meta tags for stuff like image resolution, if it has commentary, it it's translated, animated, GIF, etc.

      Should we consider that but for tags like long and short read or watch, videos, reposts/duplicate posts, spoiler threads, recurring.[ ], maybe news article authors too (also appropriated from Danbooru), since these can supercede any topic or group and will rarely be suggested in any single one of them?

      If it's not clear what that looks like, imagine all the normal tags being suggested/typeable at the top and all the meta tags being suggested in a separate search box just below the current one, which are displayed regardless of which group you're in, since they can apply to all the site.

      12 votes
    22. Can't invite someone new

      I am trying to invite a friend to Tildes, and on my invite page I see the message "You aren't able to generate more invite links right now." Is this a default setting for new users?

      9 votes
    23. Open Tildes day?

      Apologies if this has been discussed already. I had this idea of a compromise between Tilde's need to grow, and the desire to avoid an Eternal September. Couldn't we make Tildes open to...

      Apologies if this has been discussed already.

      I had this idea of a compromise between Tilde's need to grow, and the desire to avoid an Eternal September. Couldn't we make Tildes open to registration one day (or one week) a year?

      This avoids a lot of the problems associated with open registration websites. For example, a spammer/troll can't just re-open an account after being banned. Of course, they could have opened several accounts and re-invite themselves, but I think these could be easier to track (especially with invite tracing).

      It would also give time to train new users before the next batch comes in.

      Of course, the exact timing could be tuned. It could be a day a month, for example.

      What do you think?

      17 votes
    24. Tildes (unofficial) IRC channel

      I recently floated this idea in a comment elsewhere, but I wanted to gauge interest in having an unofficial Tildes IRC channel. The purpose of this channel would just be general, casual discussion...

      I recently floated this idea in a comment elsewhere, but I wanted to gauge interest in having an unofficial Tildes IRC channel. The purpose of this channel would just be general, casual discussion with other users of Tildes about anything, and particularly those topics which may not warrant an entire thread on the site here. I know that these days IRC isn't the most popular chat option, with things like Discord filling the void. However IRC is appealing in that users can choose between multiple clients, and in that such a Tildes channel would not need many of the features offered by Discord. How would people feel about such a space?

      5 votes
    25. A building block for the trust system

      This is something I've been thinking about for a while. One of the future mechanics for tildes is the trust system (see https://docs.tildes.net/mechanics-future). People talk about building it but...

      This is something I've been thinking about for a while.

      One of the future mechanics for tildes is the trust system (see https://docs.tildes.net/mechanics-future). People talk about building it but I think we already have a small part of it in place.

      Invites are a form of trust.

      By allowing inviting the community is trusting you with the ability to add new members. That ability can be taken away or could even result in the banhammer if you persistantly invite assholes. I know that made me cautious with who I've invited to join.

      With there being a clear trail of who invited who, bad actors will have to work harder to get a foothold here. I also think that spammers are deterred with having to get an invite for every new account they make.

      A simple analogy is that you're having a party and a friend asks if they can bring a friend of theirs you don't know. Your friend says they're cool and you trust your friend due to past experiences with them so along they come. Now if this person ends up kicking your cat, pissing in the fridge, and then trying to burn your house down then the trust you had in your friend is going to diminish. Next time they want to bring a guest the answer is hell no!

      We can use the invite system as an initial way to build trust.

      10 votes
    26. Posting original links (own content)

      What is our policy about posting original contents (e.g. me submitting a blog post I wrote, which I just did a few minutes ago)? IMO, if it is a personal blog, it should be okay, and not really...

      What is our policy about posting original contents (e.g. me submitting a blog post I wrote, which I just did a few minutes ago)?

      IMO, if it is a personal blog, it should be okay, and not really different from submitting a text topic here. Especially if the blog is not tracking you.

      15 votes
    27. Tildes made me realise how ubiquitous Reddit's bigotry is [a short rant]

      cw: discussion of specific types of bigotry I used to kind of think that Reddit's bigotry was relegated to the hate subs (TD and friends), and that you'd only find it if you went looking. But wow,...

      cw: discussion of specific types of bigotry

      I used to kind of think that Reddit's bigotry was relegated to the hate subs (TD and friends), and that you'd only find it if you went looking. But wow, Tildes has made me realise that it is EVERYWHERE.

      Whenever I take a trip back to Reddit, I'm always blindsided by the fact ordinary threads about unrelated topics are so hateful. For example today I was on an r/movies thread about the new Terminator movie and there's queerphobia, transphobia and sexism all highly upvoted, right near the top of the comments. I guess being immersed in that environment for the last seven years of my life made me a bit desensitised to it, but now I'm horrified everytime.

      Reddit is a far worse cesspit than I realised, I'm glad Tildes exists and I hope it keeps getting better and better. The internet needs it.

      110 votes