22 comments

  • Kwpolska3 hours ago
    What is it about Python that makes developers love fragmentation so much? Sending HTTP requests is a basic capability in the modern world, the standard library should include a friendly, fully-featured, battle-tested, async-ready client. But not in Python, stdlib only has the ugly urllib.request, and everyone is using third party stuff like requests or httpx, which aren't always well maintained. (See also: packaging)
    • dirkc3 hours ago
      You would think that sending HTTP requests is a basic capability, but I&#x27;ve had fun in many languages doing so. Long ago (2020, or not so long ago, depending on how you look at it) I was surprised that doing an HTTP request on node using no dependencies was a little awkward:<p><pre><code> const response = await new Promise( (resolve, reject) =&gt; { const req = https.request(url, { }, res =&gt; { let body = &quot;&quot;; res.on(&quot;data&quot;, data =&gt; { body += data; }); res.on(&#x27;end&#x27;, () =&gt; { resolve(body); }); }); req.end(); });</code></pre>
      • rzmmm1 hour ago
        Web standards have rich support for incremental&#x2F;chunked payloads, the original node APIs are designed around it. From this lens the Node APIs make sense.
      • wging2 hours ago
        These days node supports the fetch API, which is much simpler. (It wasn&#x27;t there in 2020, it seems to have been added around 2022-2023.)
        • dirkc1 hour ago
          Yes, thankfully! It&#x27;s amusing to read what they say about fetch on nodejs.org [1]:<p>&gt; Undici is an HTTP client library that powers the fetch API in Node.js. It was written from scratch and does not rely on the built-in HTTP client in Node.js. It includes a number of features that make it a good choice for high-performance applications.<p>[1] - <a href="https:&#x2F;&#x2F;nodejs.org&#x2F;en&#x2F;learn&#x2F;getting-started&#x2F;fetch" rel="nofollow">https:&#x2F;&#x2F;nodejs.org&#x2F;en&#x2F;learn&#x2F;getting-started&#x2F;fetch</a>
    • ivanjermakov2 hours ago
      HTTP client is at the intersection of &quot;necessary software building block&quot; and &quot;RFC 2616 intricacies that are hard to implement&quot;. Has nothing to do with Python really.
    • functionmouse14 minutes ago
      Bram&#x27;s Law: <a href="https:&#x2F;&#x2F;files.catbox.moe&#x2F;qi5ha9.png" rel="nofollow">https:&#x2F;&#x2F;files.catbox.moe&#x2F;qi5ha9.png</a><p>Python makes everything so easy.
    • tclancy1 hour ago
      Don&#x27;t think it&#x27;s Python-specific, it&#x27;s humanity-specific and Python happens to be popular so it happens more often&#x2F; more publicly in Python packages.
    • matheusmoreira1 hour ago
      Everybody&#x27;s got a different idea of what it means for a library to be &quot;friendly&quot; and &quot;fully-featured&quot; though. It&#x27;s probably better to keep the standard library as minimal as possible in order to avoid enshrining bad software. Programming languages could have curated &quot;standard distributions&quot; instead that include all the commonly used &quot;best practice&quot; libraries at the time.
      • duskdozer42 minutes ago
        <a href="https:&#x2F;&#x2F;xkcd.com&#x2F;927&#x2F;" rel="nofollow">https:&#x2F;&#x2F;xkcd.com&#x2F;927&#x2F;</a>
    • maccard3 hours ago
      &gt; Then I found out it was broken. I contributed a fix. The fix was ignored and there was never any release since November 2024.<p>This seems like a pretty good reason to fork to me.<p>&gt; Sending HTTP requests is a basic capability in the modern world, the standard library should include a friendly, fully-featured, battle-tested, async-ready client. But not in Python,<p>Or Javascript (well node), or golang (http&#x2F;net is _worse_ than urllib IMO), Rust , Java (UrlRequest is the same as python&#x27;s), even dotnet&#x27;s HttpClient is... fine.<p>Honestly the thing that consistently surprises me is that requests hasn&#x27;t been standardised and brought into the standard library
      • francislavoie3 hours ago
        What, Go&#x27;s net&#x2F;http is fantastic. I don&#x27;t understand that take. Many servers are built on it because it&#x27;s so fully featured out of the box.
      • lenkite3 hours ago
        Your java knowledge is outdated. Java&#x27;s JDK has a nice, modern HTTP Client <a href="https:&#x2F;&#x2F;docs.oracle.com&#x2F;en&#x2F;java&#x2F;javase&#x2F;11&#x2F;docs&#x2F;api&#x2F;java.net.http&#x2F;java&#x2F;net&#x2F;http&#x2F;HttpClient.html" rel="nofollow">https:&#x2F;&#x2F;docs.oracle.com&#x2F;en&#x2F;java&#x2F;javase&#x2F;11&#x2F;docs&#x2F;api&#x2F;java.net....</a>
        • ffsm81 hour ago
          Ahh, java. You never change, even if you&#x27;re modern<p><pre><code> HttpClient client = HttpClient.newBuilder() .version(Version.HTTP_1_1) .followRedirects(Redirect.NORMAL) .connectTimeout(Duration.ofSeconds(20)) .proxy(ProxySelector.of( new InetSocketAddress(&quot;proxy.example.com&quot;, 80) )) .authenticator(Authenticator.getDefault()) .build(); HttpResponse&lt;String&gt; response = client.send(request, BodyHandlers.ofString()); System.out.println(response.statusCode()); System.out.println(response.body()); </code></pre> For the record, you&#x27;re most likely not even interacting with that API directly if you&#x27;re using any current framework, because most just provide automagically generated clients and you only define the interface with some annotations
          • lenkite3 minutes ago
            Your http client setup is over-complicated. You certainly don&#x27;t need `.proxy` if you are not using a proxy or if you are using the system default proxy, nor do you need `.authenticator` if you are not doing HTTP authentication. Nor do you need `version` since there is already a fallback to HTTP&#x2F;1.1.<p><pre><code> HttpClient client = HttpClient.newBuilder() .followRedirects(Redirect.NORMAL) .connectTimeout(Duration.ofSeconds(20)) .build();</code></pre>
          • awkwardpotato49 minutes ago
            What&#x27;s the matter with this? It&#x27;s a clean builder pattern, the response is returned directly from send. I&#x27;ve certainly seen uglier Java
      • umvi2 hours ago
        What&#x27;s wrong with Go&#x27;s? I&#x27;ve never had any issues with it. Go has some of the best http batteries included of any language
        • Orygin1 hour ago
          I guess he never used Fiber&#x27;s APIs lol<p>The stdlib may not be the best, but the fact all HTTP libs that matter are compatible with net&#x2F;http is great for DX and the ecosystem at large.
      • localuser133 hours ago
        &gt;Honestly the thing that consistently surprises me is that requests hasn&#x27;t been standardised and brought into the standard library<p>Instead, official documentation seems comfortable with recommending a third party package: <a href="https:&#x2F;&#x2F;docs.python.org&#x2F;3&#x2F;library&#x2F;urllib.request.html#module-urllib.request" rel="nofollow">https:&#x2F;&#x2F;docs.python.org&#x2F;3&#x2F;library&#x2F;urllib.request.html#module...</a><p>&gt;The Requests package is recommended for a higher-level HTTP client interface.<p>Which was fine when requests were the de-facto-standard only player in town, but at some point modern problems (async, http2) required modern solutions (httpx) and thus ecosystem fragmentation began.
        • Spivak3 hours ago
          Well, the reason for all the fragmentation is because the Python stdlib doesn&#x27;t have the core building blocks for an async http or http2 client in the way requests could build on urllib.<p>The h11, h2, httpcore stack is probably the closest thing to what the Python stdlib should look like to end the fragmentation but it would be a huge undertaking for the core devs.
      • Kwpolska3 hours ago
        Node now supports the Fetch API.
      • pjc502 hours ago
        &gt; dotnet&#x27;s HttpClient is... fine.<p>Yes, and it&#x27;s in the standard library (System namespace). Being Microsoft they&#x27;ve if anything over-featured it.
        • xnorswap45 minutes ago
          It&#x27;s fine but it&#x27;s sharp-edged, in that it&#x27;s recommended to use IHttpClientFactory to avoid the dual problem of socket exhaustion ( if creating&#x2F;destroying lots of HttpClients ) versus DNS caching outliving DNS ( if using a very long-lived singleton HttpClient ).<p>And while this article [1] says &quot;It&#x27;s been around for a while&quot;, it was only added in .NET Framework 4.5, which shows it took a while for the API to stabilise. There were other ways to make web requests before that of course, and also part of the standard library, and it&#x27;s never been &quot;difficult&quot; to do so, but there is a history prior to HttpClient of changing ways to do requests.<p>For modern dotnet however it&#x27;s all pretty much a solved problem, and there&#x27;s only ever been HttpClient and a fairly consistent story of how to use it.<p>[1] <a href="https:&#x2F;&#x2F;learn.microsoft.com&#x2F;en-us&#x2F;dotnet&#x2F;core&#x2F;extensions&#x2F;httpclient-factory" rel="nofollow">https:&#x2F;&#x2F;learn.microsoft.com&#x2F;en-us&#x2F;dotnet&#x2F;core&#x2F;extensions&#x2F;htt...</a>
      • gjvc2 hours ago
        requests is some janky layer onto of other janky layers. last thing you want in the stdlib.<p>it&#x27;s called the STD lib for a reason...
    • LtWorf1 hour ago
      The HTTP protocol is easy to implement the basic features but hard to implement a full version that is also efficient.<p>I&#x27;ve often ended up reimplementing what I need because the API from the famous libraries aren&#x27;t efficient. In general I&#x27;d love to send a million of requests all in the same packet and get the replies. No need to wait for the first reply to send the 2nd request and so on. They can all be on the same TCP packet but I have never met a library that lets me do that.<p>So for example while http3 should be more efficient and faster, since no library I&#x27;ve tried let me do this, I ended up using HTTP1.1 as usual and being faster as a result.
  • joouha20 minutes ago
    This sounds like an ideal use case for modshim [0]<p>One of its intended use cases is bridging contribution gaps: while contributing upstream is ideal, maintainers may be slow to merge contributions for various reasons. Forking in response creates a permanent schism and a significant maintenance burden for what might be a small change. Modshim would allow you to create a new Python package containing only the fixes for your bugbears, while automatically inheriting the rest from upstream httpx.<p>[0] <a href="https:&#x2F;&#x2F;github.com&#x2F;joouha&#x2F;modshim" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;joouha&#x2F;modshim</a>
    • robmccoll6 minutes ago
      Since modshim isn&#x27;t money patching and appears to only be wrapping the external API of a package, if the change is deep enough inside the package, wouldn&#x27;t you end up reimplementing most of the package from the outside?
  • mesahm4 hours ago
    the http landscape is rather scary lately in Python. instead of forking join forces... See Niquests <a href="https:&#x2F;&#x2F;github.com&#x2F;jawah&#x2F;niquests" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;jawah&#x2F;niquests</a><p>I am trying to resolve what you&#x27;ve seen. For years of hard work.
    • mananaysiempre1 hour ago
      No Trio support yet, right? That’s the main reason to use httpx for me at least, and has been since I first typed “import httpx” some years ago.<p>(Also the sponsorship subscription thing in the readme gives me vague rugpull vibes. Maybe I’ve just been burned too much—I don’t mean to discourage selling support in general.)
      • mesahm42 minutes ago
        help for getting it working is appreciated, we have it in mind. duly noted about the sponsorship, we accept constructive criticism, and alternative can be considered.
    • u_sama4 hours ago
      It is indeed a shame that niquests isn&#x27;t used more, I think trying to use the (c&#x27;est Français) argument to in French will bring you many initial users needed for the inertia
      • mesahm4 hours ago
        ahah, &quot;en effet&quot;! je m&#x27;en souviendrai.<p>more seriously, all that is needed is our collective effort. I&#x27;ve done my part by scarifying a lot of personal time for it.
        • u_sama1 hour ago
          I saw there are almost no bugs or things to contribute, are there other ways to help ?
          • mesahm40 minutes ago
            yes, plenty! testing it extensively, finding edge bugs, (...) and of course: spread the word on other project to help increasing adoption.
    • samset745 minutes ago
      We have switched to niquests in my company and yes I can confirm that it&#x27;s 10x better than httpx :)
      • mesahm43 minutes ago
        nice to hear :)
    • duskdozer3 hours ago
      Is it knee-quests or nigh-quests?<p>I&#x27;ve started seeing these emoji-prefixed commits lately now too, peculiar
      • mesahm3 hours ago
        it&#x27;s the gitmoji thing, I really don&#x27;t like it, it was a mistake. Thinking to stop it soon. I was inspired by fastapi in the early days. I prefer conventionalcommits.org
        • croemer3 hours ago
          Please don&#x27;t be too much inspired by FastAPI - at least regarding maintainer bus factor and documentation (FastAPI docs are essentially tutorial only), and requiring dozens of hoops to jump through to even open an issue.
          • mesahm3 hours ago
            agreed. as I said, it was a mistake from my end. and clearly looking to better myself.
      • u_sama3 hours ago
        There is a series of extensions for Vscode that add this functionality like <a href="https:&#x2F;&#x2F;github.com&#x2F;ugi-dev&#x2F;better-commits" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;ugi-dev&#x2F;better-commits</a>
        • duskdozer3 hours ago
          ah ok, I am familiar with and not exactly against (non-emoji) commit message prefixes
      • mesahm3 hours ago
        nee-quests, I am French native.
        • Biganon16 minutes ago
          niquests as in &quot;niquer&quot; ?<p>J&#x27;aime bien, j&#x27;aime bien
        • duskdozer3 hours ago
          I guess kind of obvious now noticing the rhyme
    • greatgib4 hours ago
      The basis of httpx is not very good at all.<p>I think that it owes its success to be first &quot;port&quot; of python requests to support async, that was a strong need.<p>But otherwise it is bad: API is not that great, performance is not that great, tweaking is not that great, and the maintainer mindset is not that great also. For the last point, few points were referenced in the article, but it can easily put your production project to suddenly break in a bad way without valid reason.<p>Without being perfect, I would advise everyone to switch to Aiohttp.
      • sgt44 minutes ago
        I literally the other week had the choice between using requests and httpx. I chose httpx after deliberating a bit. I don&#x27;t need async capabilities right now but I figured it&#x27;ll be more consistent if that changes later.
      • mesahm4 hours ago
        aiohttp is an excellent library. very stable. I concurs, but! it&#x27;s too heavily tied to HTTP&#x2F;1, and well, I am not a fan of opening thousands of TCP conn just to keep up with HTTP&#x2F;2 onward. niquests easily beat aiohttp just using 10 conn and crush httpx see <a href="https:&#x2F;&#x2F;gist.github.com&#x2F;Ousret&#x2F;9e99b07e66eec48ccea5811775ec116d" rel="nofollow">https:&#x2F;&#x2F;gist.github.com&#x2F;Ousret&#x2F;9e99b07e66eec48ccea5811775ec1...</a><p>fwiw, HTTP&#x2F;2 is twelve years old, just saying.
      • sammy22554 hours ago
        aiohttp is for asynchronous contexts only
    • roywashere2 hours ago
      Thanks, I&#x27;ll link to your project
      • mesahm2 hours ago
        Thank you. Appreciated, you&#x27;re welcome here anytime.
    • Orelus4 hours ago
      Can confirm, more features, a breeze to switch.
    • hrmtst938372 hours ago
      Half-melded side projects just pollute PyPI more, you get less grief long-term by biting the bullet and shipping a fork that owns its tradeoffs.
  • ayhanfuat4 hours ago
    More related drama: The Slow Collapse of MkDocs (<a href="https:&#x2F;&#x2F;fpgmaas.com&#x2F;blog&#x2F;collapse-of-mkdocs&#x2F;" rel="nofollow">https:&#x2F;&#x2F;fpgmaas.com&#x2F;blog&#x2F;collapse-of-mkdocs&#x2F;</a>)
    • duskdozer3 hours ago
      &gt;thread to call out Read the Docs for profiting from MkDocs without contributing back.<p>&gt;They also point out that not opening up the source code goes against the principles of Open Source software development<p>I will never stop being amused when people have feelings like this and also choose licenses like BSD (this project). If you wanted a culture that discouraged those behaviors, why would you choose a license that explicitly allows them? Whether you can enforce it or not, the license is basically a type of CoC that states the type of community you want to have.
      • vocx2tx1 hour ago
        The reason is simple: they&#x27;d like to reap all the benefits of a permissive licence (many people and companies won&#x27;t or can&#x27;t touch GPL code), without any of the downsides; but these downsides are the very reason behind the rules in more &#x27;restrictive&#x27; licenses like the GPL.<p>This usually doesn&#x27;t work, and in the end all they can do is complain about behaviours that their license choice explicitly allowed.
      • 72deluxe1 hour ago
        Yes I agree completely. I am baffled why they choose that license in the first place. It just seems to engender drama when people actually follow the license they&#x27;ve chosen! Perhaps open source is actually powered by drama, where developers have more meaning from the drama they create than the actual things they create?
    • WesolyKubeczek24 minutes ago
      On one hand, that account of the attempted project takeover smelled to me like Jia Tan.<p>On the other hand, the comments the MkDocs author is making about perceived gender grievances feel so unhinged that I wouldn&#x27;t be touching anything made by them with a barge pole.
    • 0x0731 hour ago
      If this would be a tv show I probably would view it, but wow what a drama.
    • znpy4 hours ago
      Oh i recognised one of the involved people immediately, drama person.<p>I still think that hijacking the mkdocs package was the wrong way to go though.<p>The foss landscape has become way too much fork-phobic.<p>Just fork mkdocs and go over your merry way.
      • rglullis3 hours ago
        Drama around Starlette. Drama around httpx. Drama around MkDocs. I just hope that DRF is not next, I still have some projects that depend on it.
        • mananaysiempre1 hour ago
          Per TFA, there’s similarly-shaped low-key drama around DRF too[1] although issues and discussions have been reënabled since then.<p>[1] <a href="https:&#x2F;&#x2F;github.com&#x2F;orgs&#x2F;encode&#x2F;discussions&#x2F;11#discussioncomment-12311196" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;orgs&#x2F;encode&#x2F;discussions&#x2F;11#discussioncomm...</a>
        • forkerenok3 hours ago
          What&#x27;s the drama around starlette? (Can&#x27;t find anything)
          • mananaysiempre1 hour ago
            <a href="https:&#x2F;&#x2F;github.com&#x2F;Kludex&#x2F;starlette&#x2F;issues&#x2F;3180" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;Kludex&#x2F;starlette&#x2F;issues&#x2F;3180</a> and before that <a href="https:&#x2F;&#x2F;github.com&#x2F;Kludex&#x2F;starlette&#x2F;issues&#x2F;3042" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;Kludex&#x2F;starlette&#x2F;issues&#x2F;3042</a>
            • noirscape1 hour ago
              I think that may be the first time I&#x27;ve seen licensing drama over something as minor as adding another author to the copyright list.<p>Pretty sure those are completely standard for major changes in maintainers&#x2F;hostile forks&#x2F;acknowledging major contributors. I&#x27;ve seen a lot of abandoned MIT&#x2F;BSD projects add a new line for forks&#x2F;maintainers being active again in order to acknowledge that the project is currently being headed by someone else.<p>From my &quot;I am not a lawyer&quot; view, Kludex is basically correct, although I suppose to do it &quot;properly&quot;, he might need to just duplicate the license text in order to make it clear both contributors licensed under BSD 3-clause. Probably unnecessary though, given it&#x27;s not a license switch (you see that style more for ie. switching from MIT to BSD or from MIT&#x2F;BSD to GPL, since that&#x27;s a more substantial change); the intent of the license remains the same regardless and it&#x27;s hard to imagine anyone would get confused.<p>I suspect (given the hammering on it in responses), that Kludex asking ChatGPT if it was correct is what actually pissed off the original developer, rather than the addition of Kludex to the list in and of itself.
              • mananaysiempre1 hour ago
                (Not a lawyer either but—)<p>The original author said they were “the license holder”, specifically with a “the”, in discussions around both Starlette and MkDocs, which yes, just isn’t true even after rounding the phrase to the nearest meaningful, “the copyright holder”. This appears to be an honest misconception of theirs, so, not the end of the world, except they seem to be failing at communication hard enough to not realize they might be wrong to begin with.<p>Note though that with respect to Starlette this ended up being essentially a (successful and apparently not intentionally hostile?) project takeover, so the emotional weight of the drama should be measured with respect to that, not just an additional copyright line.
        • kwsp3 hours ago
          [dead]
      • globular-toast3 hours ago
        Right, my suspicion was correct. When I interacted with them a few years ago they seemed perfectly nice and friendly, but seem to have gone off the rails more recently. It&#x27;s an uncomfortable situation and I&#x27;ve a feeling people are afraid to discuss this kind of thing but we really need to. People are a risk factor in software projects and we need to be resilient to changes they face. Forking is the right way, but places like GitHub have sold people on centralisation. We need to get back to decentralised dev.
        • znpy29 minutes ago
          &gt; but places like GitHub have sold people on centralisation. We need to get back to decentralised dev.<p>I don’t think that’s the case. It’s more of a marketing&#x2F;market incentive. It’s great pr to be associated with the most famous project, way less so to be associated with a fork, at least until the fork becomes widespread and well recognised.<p>GitHub does make it fairly easy to fork a project, I wouldn’t blame the situation on github.
  • swiftcoder4 hours ago
    Somehow I confused httpx with htmlx
    • g947o3 hours ago
      I guess you mean htmx. Same here. I read the article for a while, and was confused by &quot;HTTPX is a very popular HTTP client for Python.&quot; and wondering &quot;why is OpenAI using htmx&quot;, until I eventually realized what&#x27;s going on.
    • eknkc4 hours ago
      And also htmlx with htmx I guess?
    • jordiburgos2 hours ago
      I&#x27;ve been reading the whole article wrong too.
    • croemer4 hours ago
      Same! Only just realized it thanks to your comment.
      • Tade01 hour ago
        I thought your comment was starting with &quot;Samuel&quot;. Plenty of people on sick leave as of late - must be difficult for many to focus their sight.
  • sdovan14 hours ago
    I guess the Discussion on Hacker News href should be &quot;<a href="https:&#x2F;&#x2F;news.ycombinator.com&#x2F;item?id=47514603">https:&#x2F;&#x2F;news.ycombinator.com&#x2F;item?id=47514603</a>&quot; instead of &quot;news.ycombinator.com&#x2F;item?id=47514603&quot;
  • nathell4 hours ago
    Congratulations on forking!<p>Always remember that open-source is an author’s gift to the world, and the author doesn’t owe anything to anyone. Thus, if you need a feature that for whatever reason can’t or won’t go upstream, forking is just about the only viable option. Fingers crossed!
    • cachius3 hours ago
      This is not merely open-source, but taking part in a huge package ecosystem in a foundational role in an XKCD 2347 type of way for HTTP requests.<p>Put your side project on your personal homepage and walk away - fine.<p>Make it central infrastructure - respond to participants or extend or cede maintainership.
      • troad2 hours ago
        If &quot;taking part in a huge ecosystem in a foundational role&quot; means &#x27;other people choosing to use your FOSS software&#x27;, and I can&#x27;t think of what else it would mean, then no, you have no obligation to do any of that.<p>FOSS means the right to use and fork. That&#x27;s all it means. That&#x27;s all it ever meant. Any social expectations beyond that live entirely in your imagination.
      • Yokohiii2 hours ago
        I guess frustration speaks here?<p>There is simply no responsibility an OSS maintainer has. They can choose to be responsible, but no one can force them. Eventually OSS licensing is THE solution at heart to solve this problem. Maintainers go rogue? Fork and move on. But surprise, who is going to fork AND maintain? Filling in all the demands from the community, for potentially no benefit?<p>No one can force him to take the responsibility, just like no one can force anyone else to.
        • cachius35 minutes ago
          Right, frustration about the no strings attached sentiment for OSS devs. Of course you&#x27;ve no obligations for support or maintenance, but with increasing exposure responsibility grows as de facto ever more projects, people, softwares depend on you.<p>This doesn&#x27;t come over night and this is a spectrum and a choice. From purely personal side project over exotic Debian package to friggin httpx with 15k Github stars and 100 million downloads a week the 46th most downloaded PyPI package!<p>If this shall work reasonably in any way, hou have to step up. Take money (as they do, <a href="https:&#x2F;&#x2F;github.com&#x2F;sponsors&#x2F;encode" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;sponsors&#x2F;encode</a>), search fellow maintainers or cede involvement - even if only temporarily.<p>An example of a recent, successful transition is UniGetUI <a href="https:&#x2F;&#x2F;github.com&#x2F;Devolutions&#x2F;UniGetUI&#x2F;discussions&#x2F;4444" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;Devolutions&#x2F;UniGetUI&#x2F;discussions&#x2F;4444</a><p>I feel there should be support from the ecosystem to help with that. OpenJS Foundation seems doing great: <a href="https:&#x2F;&#x2F;openjsf.org&#x2F;projects" rel="nofollow">https:&#x2F;&#x2F;openjsf.org&#x2F;projects</a>. The Python Software Foundation could not only host PyPI but offer assistance for the most important packages.
          • troad25 minutes ago
            &gt;&gt; Of course you&#x27;ve no obligations for support or maintenance, but with increasing exposure responsibility grows as de facto ever more projects, people, softwares depend on you.<p>This is an oxymoron. Either you have obligations, or you don&#x27;t. There&#x27;s no such thing as having &quot;no obligations&quot; but also &quot;growing responsibility&quot;.<p>I don&#x27;t understand how you can possibly conclude that just because you&#x27;ve chosen to become dependent on some FOSS library, they owe you anything. You don&#x27;t get to somehow impose obligations on other people by your choices. They get none of your profits, but they&#x27;re somehow responsible to you for your business risks? Nonsense.<p>It is a condition of your use of the code that you&#x27;ve accepted its license, and FOSS licenses are CRYSTAL CLEAR (ALL CAPS) on what obligations or responsibilities the authors have towards you - none whatsoever. Your use of the software is contingent on your acceptance of that license.<p>If that lack of warranty poses an unacceptable business risk to you, <i>go buy support</i>. Pay a dev to fix the issues you&#x27;re having, rather than inventing some fictitious responsibility they have to you to do it for free.
      • duskdozer2 hours ago
        A foundational role in a huge open-source package ecosystem? I wonder what such an esteemed position pays.
        • Yokohiii1 hour ago
          A (hypothetical) professional propriety project at same scale would probably feed a handful of people, with much less stress. FOSS version is zero cash and exaggerated community demands. Dream job.
  • mettamage3 hours ago
    &gt; Visitor 4209 since we started counting<p>Loved that little detail, reminds me of the old interwebs :)
    • croemer3 hours ago
      It&#x27;s gone from 45 when I looked at it an hour ago to 261 just now.
  • localuser133 hours ago
    I&#x27;m not a lawyer, but are there any potential trademark issues? AFAIK in general you HAVE to change the name to something clearly different. I consider it morally OK, and it&#x27;s probably fine, but HTTPXYZ is cutting it close. It&#x27;s too late for a rebrand, but IMO open-source people often ignore this topic a bit too much.
    • CorrectHorseBat3 hours ago
      Don&#x27;t you need to register and actively defend you trademark for it to apply?
    • ahoka3 hours ago
      I don&#x27;t think HTTPX is a registered trademark.
    • Gander57393 hours ago
      Is httpx trademarked? I couldn&#x27;t find anything indicating it was.
    • IshKebab3 hours ago
      He would <i>probably</i> win in a legal case, but is he actually going to take it to court? I doubt it. Also I wouldn&#x27;t be too offended about the name if I were him and for users it&#x27;s better because it makes the link clearer.<p>I think if had named it HTTPX2 or HTTPY, that would be much worse because it asserts superiority without earning it. But he didn&#x27;t.
  • glaucon3 hours ago
    Good line from the blog post ...<p>&quot;So what is the plan now?&quot; - &quot;Move a little faster and not break things&quot;
  • zeeshana07x3 hours ago
    The lack of a well-maintained async HTTP client in Python&#x27;s stdlib has been a pain point for a while. Makes sense someone eventually took it into their own hands
  • cachius2 hours ago
    Another abandoned project hurting users: <a href="https:&#x2F;&#x2F;github.com&#x2F;benweet&#x2F;stackedit" rel="nofollow">https:&#x2F;&#x2F;github.com&#x2F;benweet&#x2F;stackedit</a>
  • Spivak2 hours ago
    Do you see yourself taking over httpcore as well as it&#x27;s likely to have the same maintainership problem? It would certainly instill more confidence that this is a serious fork.<p>This certainly wouldn&#x27;t be the first time an author of a popular library got a little too distracted on the sequel to their library that the current users are left to languish a bit.
  • cies4 hours ago
    Hi Michiel!<p>Just a small headsup: clicking on the Leiden Python link in your About Me page give not the expected results.<p>And a small nitpick: it&#x27;s &quot;Michiel&#x27;s&quot; in English (where it&#x27;s &quot;Michiels&quot; in Dutch).<p>Thanks for devoting time to opensource... &lt;3
    • roywashere1 hour ago
      thanks, I hope I fixed the <a href="https:&#x2F;&#x2F;pythonleiden.nl" rel="nofollow">https:&#x2F;&#x2F;pythonleiden.nl</a> website now
  • globular-toast4 hours ago
    It&#x27;s a shame, httpx has so much potential to be the default Python http library. It&#x27;s crazy that there isn&#x27;t one really. I contributed some patches to the project some years ago now and it was a nice and friendly process. I was expecting a v1 release imminently. It looks like the author is having some issues which seem to afflict so many in this field for some reason. I notice they&#x27;ve changed their name since I last interacted with the project...
    • WesolyKubeczek15 minutes ago
      You try to touch low level HTTP with Python, and once you dive into both RFC2616 and Python deep enough, your brain is cooked, basically. Look at what happened to the author of requests, a textbook example.<p>Or maybe it is that your brain is cooked already, or is on the brink, and your condition attracts you to HTTP and Python, after which it basically has you.<p>The only way to not go bonkers is to design a library by commitee, so that the disease spreads evenly and doesn&#x27;t hit any one individual with full force. The result will be ugly, but hopefully free of drama.
  • leontloveless1 hour ago
    [dead]
  • maltyxxx1 hour ago
    [dead]
  • federicodeponte2 hours ago
    [dead]
  • bustah17 minutes ago
    [dead]
  • paseante4 hours ago
    [dead]
  • eats_indigo3 hours ago
    smells like supply chain attack